From 3244686058361c02e5bd188bd00dc8ca34e9f0a1 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Fri, 20 Jun 2025 09:43:30 +0530 Subject: [PATCH 001/302] Create GallerySections model for holding data about a gallery --- .../lib/models/gallery/gallery_sections.dart | 61 +++++++++++++++++++ mobile/lib/ui/viewer/gallery/gallery.dart | 1 + 2 files changed, 62 insertions(+) create mode 100644 mobile/lib/models/gallery/gallery_sections.dart diff --git a/mobile/lib/models/gallery/gallery_sections.dart b/mobile/lib/models/gallery/gallery_sections.dart new file mode 100644 index 0000000000..e17e295001 --- /dev/null +++ b/mobile/lib/models/gallery/gallery_sections.dart @@ -0,0 +1,61 @@ +import "dart:core"; + +import "package:photos/models/file/file.dart"; +import "package:photos/ui/viewer/gallery/component/group/type.dart"; +import "package:uuid/uuid.dart"; + +class GallerySections { + final List allFiles; + final GroupType groupType; + final bool sortOrderAsc; + GallerySections({ + required this.allFiles, + required this.groupType, + this.sortOrderAsc = true, + }); + + late final List _groupIDs; + late final Map> _groupIDToFilesMap; + late Map _groupIdToheaderDataMap; + + List get groupIDs => _groupIDs; + Map> get groupIDToFilesMap => _groupIDToFilesMap; + Map get groupIdToheaderDataMap => + _groupIdToheaderDataMap; + + final _uuid = const Uuid(); + + void init() { + List dailyFiles = []; + for (int index = 0; index < allFiles.length; index++) { + if (index > 0 && + groupType.areFromSameGroup(allFiles[index - 1], allFiles[index])) { + _createNewGroup(dailyFiles); + dailyFiles = []; + } + dailyFiles.add(allFiles[index]); + } + if (dailyFiles.isNotEmpty) { + _createNewGroup(dailyFiles); + } + } + + void _createNewGroup( + List dailyFiles, + ) { + final uuid = _uuid.v1(); + _groupIDs.add(uuid); + _groupIDToFilesMap[uuid] = dailyFiles; + _groupIdToheaderDataMap[uuid] = GroupHeaderData( + title: dailyFiles.first.creationTime!.toString(), + ); + } +} + +class GroupHeaderData { + final String title; + + GroupHeaderData({ + required this.title, + }); +} diff --git a/mobile/lib/ui/viewer/gallery/gallery.dart b/mobile/lib/ui/viewer/gallery/gallery.dart index 66da74f969..ea33d1b466 100644 --- a/mobile/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/lib/ui/viewer/gallery/gallery.dart @@ -379,6 +379,7 @@ class GalleryState extends State { sortOrderAsc: _sortOrderAsc, inSelectionMode: widget.inSelectionMode, type: widget.groupType, + // Replace this with the new gallery and use `_allGalleryFiles` child: MultipleGroupsGalleryView( itemScroller: _itemScroller, groupedFiles: currentGroupedFiles, From 328b2f596182f7131896cf88f0ce4c727293ecfc Mon Sep 17 00:00:00 2001 From: ashilkn Date: Fri, 20 Jun 2025 09:51:15 +0530 Subject: [PATCH 002/302] Create FixedExtentSectionLayout to keep layout data of each section (group) in gallery --- .../gallery/fixed_extent_section_layout.dart | 52 +++++++++++++++++++ 1 file changed, 52 insertions(+) create mode 100644 mobile/lib/models/gallery/fixed_extent_section_layout.dart diff --git a/mobile/lib/models/gallery/fixed_extent_section_layout.dart b/mobile/lib/models/gallery/fixed_extent_section_layout.dart new file mode 100644 index 0000000000..b044f44baf --- /dev/null +++ b/mobile/lib/models/gallery/fixed_extent_section_layout.dart @@ -0,0 +1,52 @@ +import 'package:flutter/material.dart'; + +// Used to store layout information for a section (group) in a gallery + +class FixedExtentSectionLayout { + final double tileHeight, mainAxisStride; + final int firstIndex, lastIndex, bodyFirstIndex; + final double minOffset, maxOffset, bodyMinOffset; + final double headerExtent, spacing; + final IndexedWidgetBuilder builder; + + const FixedExtentSectionLayout({ + required this.firstIndex, + required this.lastIndex, + required this.minOffset, + required this.maxOffset, + required this.headerExtent, + required this.tileHeight, + required this.spacing, + required this.builder, + }) : bodyFirstIndex = firstIndex + 1, + bodyMinOffset = minOffset + headerExtent, + mainAxisStride = tileHeight + spacing; + + bool hasChild(int index) => firstIndex <= index && index <= lastIndex; + + bool hasChildAtOffset(double scrollOffset) => + minOffset <= scrollOffset && scrollOffset <= maxOffset; + + double indexToLayoutOffset(int index) { + index -= bodyFirstIndex; + if (index < 0) return minOffset; + return bodyMinOffset + index * mainAxisStride; + } + + int getMinChildIndexForScrollOffset(double scrollOffset) { + scrollOffset -= bodyMinOffset; + if (mainAxisStride == 0 || !scrollOffset.isFinite || scrollOffset < 0) { + return firstIndex; + } + + return bodyFirstIndex + scrollOffset ~/ mainAxisStride; + } + + int getMaxChildIndexForScrollOffset(double scrollOffset) { + scrollOffset -= bodyMinOffset; + if (mainAxisStride == 0 || !scrollOffset.isFinite || scrollOffset < 0) { + return firstIndex; + } + return bodyFirstIndex + (scrollOffset / mainAxisStride).ceil() - 1; + } +} From 36880fac6d4ea5189eb339bb570929fa2cb8d0af Mon Sep 17 00:00:00 2001 From: ashilkn Date: Fri, 20 Jun 2025 10:40:28 +0530 Subject: [PATCH 003/302] Custom render sliver for a completely lazyloading gallery and improved scroll performance --- .../component/sectioned_sliver_list.dart | 315 ++++++++++++++++++ 1 file changed, 315 insertions(+) create mode 100644 mobile/lib/ui/viewer/gallery/component/sectioned_sliver_list.dart diff --git a/mobile/lib/ui/viewer/gallery/component/sectioned_sliver_list.dart b/mobile/lib/ui/viewer/gallery/component/sectioned_sliver_list.dart new file mode 100644 index 0000000000..ac54db5913 --- /dev/null +++ b/mobile/lib/ui/viewer/gallery/component/sectioned_sliver_list.dart @@ -0,0 +1,315 @@ +import 'dart:math' as math; + +import 'package:collection/collection.dart'; +import 'package:flutter/foundation.dart'; +import 'package:flutter/material.dart'; +import 'package:flutter/rendering.dart'; +import 'package:flutter/widgets.dart'; +import "package:photos/models/gallery/fixed_extent_section_layout.dart"; + +// Using a Single SliverVariedExtentList or Using a combination where there are +// multiple sliver delegate builders in a CustomScrollView doesn't scale. + +// With using a Single SliverKnownExtentList with each section being either a +// group header or a row of grid, the problem is that scrolling becomes janky +// the deeper the list is scrolled if the list is large enough. + +// With using multiple slivers (and hence multiple SliverChildBuilderDelegates) +// in CustomScrollView, the deep scrolling issue exists and the first child +// of every builderDelegate is always initialized, even if it's not in viewport +// or in cacheExtent. + +// https://github.com/flutter/flutter/issues/168442 +// https://github.com/flutter/flutter/issues/95028 + +// Based on code from https://github.com/deckerst/aves + +// A custom implementation of SliverMultiBoxAdaptorWidget +// adapted from SliverFixedExtentBoxAdaptor. Optimizations in layout solves +// the deep scrolling issue. + +class SectionedListSliver extends StatelessWidget { + final List sectionLayouts; + const SectionedListSliver({super.key, required this.sectionLayouts}); + + @override + Widget build(BuildContext context) { + final childCount = + sectionLayouts.isEmpty ? 0 : sectionLayouts.last.lastIndex + 1; + return _SliverKnownExtentList( + sectionLayouts: sectionLayouts, + delegate: SliverChildBuilderDelegate( + (context, index) { + //TODO: + // This could be optimized by using a combination of + //linear search and binary search depending on the index (use linear + //if index is small) or keep track on lastIndex of section and + //go to next section after the last index. + // Check if the optimization is required. + if (index >= childCount) return null; + final sectionLayout = sectionLayouts + .firstWhereOrNull((section) => section.hasChild(index)); + return sectionLayout?.builder(context, index) ?? const SizedBox(); + }, + childCount: childCount, + addAutomaticKeepAlives: false, + addRepaintBoundaries: false, + ), + ); + } +} + +class _SliverKnownExtentList extends SliverMultiBoxAdaptorWidget { + final List sectionLayouts; + + const _SliverKnownExtentList({ + required super.delegate, + required this.sectionLayouts, + }); + + @override + _RenderSliverKnownExtentBoxAdaptor createRenderObject(BuildContext context) { + final element = context as SliverMultiBoxAdaptorElement; + return _RenderSliverKnownExtentBoxAdaptor( + childManager: element, + sectionLayouts: sectionLayouts, + ); + } + + @override + void updateRenderObject( + BuildContext context, + _RenderSliverKnownExtentBoxAdaptor renderObject, + ) { + renderObject.sectionLayouts = sectionLayouts; + } +} + +class _RenderSliverKnownExtentBoxAdaptor extends RenderSliverMultiBoxAdaptor { + List _sectionLayouts; + + List get sectionLayouts => _sectionLayouts; + + set sectionLayouts(List value) { + if (_sectionLayouts == value) return; + _sectionLayouts = value; + markNeedsLayout(); + } + + _RenderSliverKnownExtentBoxAdaptor({ + required super.childManager, + required List sectionLayouts, + }) : _sectionLayouts = sectionLayouts; + + FixedExtentSectionLayout? sectionAtIndex(int index) => + sectionLayouts.firstWhereOrNull((section) => section.hasChild(index)); + + FixedExtentSectionLayout? sectionAtOffset(double scrollOffset) => + sectionLayouts.firstWhereOrNull( + (section) => section.hasChildAtOffset(scrollOffset), + ) ?? + sectionLayouts.lastOrNull; + + double indexToLayoutOffset(int index) { + return (sectionAtIndex(index) ?? sectionLayouts.lastOrNull) + ?.indexToLayoutOffset(index) ?? + 0; + } + + int getMinChildIndexForScrollOffset(double scrollOffset) { + return sectionAtOffset(scrollOffset) + ?.getMinChildIndexForScrollOffset(scrollOffset) ?? + 0; + } + + int getMaxChildIndexForScrollOffset(double scrollOffset) { + return sectionAtOffset(scrollOffset) + ?.getMaxChildIndexForScrollOffset(scrollOffset) ?? + 0; + } + + double estimateMaxScrollOffset( + SliverConstraints constraints, { + int? firstIndex, + int? lastIndex, + double? leadingScrollOffset, + double? trailingScrollOffset, + }) { + // default implementation is an estimation via `childManager.estimateMaxScrollOffset()` + // but we have the accurate offset via pre-computed section layouts + return _sectionLayouts.last.maxOffset; + } + + double computeMaxScrollOffset(SliverConstraints constraints) { + return sectionLayouts.last.maxOffset; + } + + @override + void performLayout() { + final constraints = this.constraints; + childManager.didStartLayout(); + childManager.setDidUnderflow(false); + + final scrollOffset = constraints.scrollOffset + constraints.cacheOrigin; + assert(scrollOffset >= 0.0); + final remainingExtent = constraints.remainingCacheExtent; + assert(remainingExtent >= 0.0); + final targetEndScrollOffset = scrollOffset + remainingExtent; + + // TODO: Potential improvement: Instead of using same contraints for all children, + // use a helper method that returns constrains for an index. So it should + // return the itemExtent of that index. + final childConstraints = constraints.asBoxConstraints(); + + final firstIndex = getMinChildIndexForScrollOffset(scrollOffset); + final targetLastIndex = targetEndScrollOffset.isFinite + ? getMaxChildIndexForScrollOffset(targetEndScrollOffset) + : null; + + if (firstChild != null) { + final leadingGarbage = calculateLeadingGarbage(firstIndex: firstIndex); + final trailingGarbage = targetLastIndex != null + ? calculateTrailingGarbage(lastIndex: targetLastIndex) + : 0; + collectGarbage(leadingGarbage, trailingGarbage); + } else { + collectGarbage(0, 0); + } + + if (firstChild == null) { + if (!addInitialChild( + index: firstIndex, + layoutOffset: indexToLayoutOffset(firstIndex), + )) { + // There are either no children, or we are past the end of all our children. + double max; + if (firstIndex <= 0) { + max = 0.0; + } else { + max = computeMaxScrollOffset(constraints); + } + geometry = SliverGeometry( + scrollExtent: max, + maxPaintExtent: max, + ); + childManager.didFinishLayout(); + return; + } + } + + RenderBox? trailingChildWithLayout; + + for (var index = indexOf(firstChild!) - 1; index >= firstIndex; --index) { + final child = insertAndLayoutLeadingChild(childConstraints); + if (child == null) { + // Items before the previously first child are no longer present. + // Reset the scroll offset to offset all items prior and up to the + // missing item. Let parent re-layout everything. + final layout = sectionAtIndex(index) ?? sectionLayouts.first; + geometry = SliverGeometry( + scrollOffsetCorrection: layout.indexToLayoutOffset(index), + ); + return; + } + final childParentData = + child.parentData as SliverMultiBoxAdaptorParentData; + childParentData.layoutOffset = indexToLayoutOffset(index); + assert(childParentData.index == index); + trailingChildWithLayout ??= child; + } + + if (trailingChildWithLayout == null) { + firstChild!.layout(childConstraints); + final childParentData = + firstChild!.parentData as SliverMultiBoxAdaptorParentData; + childParentData.layoutOffset = indexToLayoutOffset(firstIndex); + trailingChildWithLayout = firstChild; + } + + var estimatedMaxScrollOffset = double.infinity; + for (var index = indexOf(trailingChildWithLayout!) + 1; + targetLastIndex == null || index <= targetLastIndex; + ++index) { + var child = childAfter(trailingChildWithLayout!); + if (child == null || indexOf(child) != index) { + child = insertAndLayoutChild( + childConstraints, + after: trailingChildWithLayout, + ); + if (child == null) { + // We have run out of children. + final layout = sectionAtIndex(index) ?? sectionLayouts.last; + estimatedMaxScrollOffset = layout.maxOffset; + break; + } + } else { + child.layout(childConstraints); + } + trailingChildWithLayout = child; + final childParentData = + child.parentData as SliverMultiBoxAdaptorParentData; + assert(childParentData.index == index); + childParentData.layoutOffset = + indexToLayoutOffset(childParentData.index!); + } + + final lastIndex = indexOf(lastChild!); + final leadingScrollOffset = indexToLayoutOffset(firstIndex); + final trailingScrollOffset = indexToLayoutOffset(lastIndex + 1); + + assert( + firstIndex == 0 || + childScrollOffset(firstChild!)! - scrollOffset <= + precisionErrorTolerance, + ); + assert(debugAssertChildListIsNonEmptyAndContiguous()); + assert(indexOf(firstChild!) == firstIndex); + assert(targetLastIndex == null || lastIndex <= targetLastIndex); + + estimatedMaxScrollOffset = math.min( + estimatedMaxScrollOffset, + estimateMaxScrollOffset( + constraints, + firstIndex: firstIndex, + lastIndex: lastIndex, + leadingScrollOffset: leadingScrollOffset, + trailingScrollOffset: trailingScrollOffset, + ), + ); + + final paintExtent = calculatePaintOffset( + constraints, + from: math.min(constraints.scrollOffset, leadingScrollOffset), + to: trailingScrollOffset, + ); + + final cacheExtent = calculateCacheOffset( + constraints, + from: leadingScrollOffset, + to: trailingScrollOffset, + ); + + final targetEndScrollOffsetForPaint = + constraints.scrollOffset + constraints.remainingPaintExtent; + final targetLastIndexForPaint = targetEndScrollOffsetForPaint.isFinite + ? getMaxChildIndexForScrollOffset(targetEndScrollOffsetForPaint) + : null; + geometry = SliverGeometry( + scrollExtent: estimatedMaxScrollOffset, + paintExtent: math.min(paintExtent, estimatedMaxScrollOffset), + cacheExtent: cacheExtent, + maxPaintExtent: estimatedMaxScrollOffset, + // Conservative to avoid flickering away the clip during scroll. + hasVisualOverflow: (targetLastIndexForPaint != null && + lastIndex >= targetLastIndexForPaint) || + constraints.scrollOffset > 0.0, + ); + + // We may have started the layout while scrolled to the end, which would not + // expose a new child. + if (estimatedMaxScrollOffset == trailingScrollOffset) { + childManager.setDidUnderflow(true); + } + childManager.didFinishLayout(); + } +} From 828ade260927815213fd52a6e73f9199295518dc Mon Sep 17 00:00:00 2001 From: ashilkn Date: Fri, 20 Jun 2025 14:54:47 +0530 Subject: [PATCH 004/302] Get a bare-bones structure of the new gallery working --- .../lib/models/gallery/gallery_sections.dart | 85 +++++++++++++++++-- mobile/lib/ui/viewer/gallery/gallery.dart | 57 ++++++++----- 2 files changed, 114 insertions(+), 28 deletions(-) diff --git a/mobile/lib/models/gallery/gallery_sections.dart b/mobile/lib/models/gallery/gallery_sections.dart index e17e295001..48d562462f 100644 --- a/mobile/lib/models/gallery/gallery_sections.dart +++ b/mobile/lib/models/gallery/gallery_sections.dart @@ -1,22 +1,36 @@ import "dart:core"; +import "package:flutter/material.dart"; import "package:photos/models/file/file.dart"; +import "package:photos/models/gallery/fixed_extent_section_layout.dart"; +import "package:photos/service_locator.dart"; import "package:photos/ui/viewer/gallery/component/group/type.dart"; import "package:uuid/uuid.dart"; class GallerySections { final List allFiles; final GroupType groupType; + + //TODO: Add support for sort order final bool sortOrderAsc; + final double widthAvailable; + final double headerExtent; + final BuildContext context; GallerySections({ required this.allFiles, required this.groupType, + required this.widthAvailable, + required this.context, this.sortOrderAsc = true, - }); + this.headerExtent = 85, + }) { + init(); + } - late final List _groupIDs; - late final Map> _groupIDToFilesMap; - late Map _groupIdToheaderDataMap; + final List _groupIDs = []; + final Map> _groupIDToFilesMap = {}; + final Map _groupIdToheaderDataMap = {}; + late final int crossAxisCount; List get groupIDs => _groupIDs; Map> get groupIDToFilesMap => _groupIDToFilesMap; @@ -29,7 +43,7 @@ class GallerySections { List dailyFiles = []; for (int index = 0; index < allFiles.length; index++) { if (index > 0 && - groupType.areFromSameGroup(allFiles[index - 1], allFiles[index])) { + !groupType.areFromSameGroup(allFiles[index - 1], allFiles[index])) { _createNewGroup(dailyFiles); dailyFiles = []; } @@ -38,6 +52,8 @@ class GallerySections { if (dailyFiles.isNotEmpty) { _createNewGroup(dailyFiles); } + + crossAxisCount = localSettings.getPhotoGridSize(); } void _createNewGroup( @@ -47,15 +63,72 @@ class GallerySections { _groupIDs.add(uuid); _groupIDToFilesMap[uuid] = dailyFiles; _groupIdToheaderDataMap[uuid] = GroupHeaderData( - title: dailyFiles.first.creationTime!.toString(), + title: groupType.getTitle( + context, + dailyFiles.first, + lastFile: dailyFiles.last, + ), + groupType: groupType, ); } + + List getSectionLayouts() { + int currentIndex = 0; + double currentOffset = 0.0; + final tileHeight = widthAvailable / crossAxisCount; + final sectionLayouts = []; + + // TODO: spacing + for (final key in _groupIDToFilesMap.keys) { + final filesInGroup = _groupIDToFilesMap[key]!; + final numberOfGridRows = (filesInGroup.length / crossAxisCount).ceil(); + final firstIndex = currentIndex == 0 ? currentIndex : currentIndex + 1; + final lastIndex = firstIndex + numberOfGridRows; + final minOffset = currentOffset; + final maxOffset = + minOffset + (numberOfGridRows * tileHeight) + headerExtent; + sectionLayouts.add( + FixedExtentSectionLayout( + firstIndex: firstIndex, + lastIndex: lastIndex, + minOffset: minOffset, + maxOffset: maxOffset, + headerExtent: headerExtent, + tileHeight: tileHeight, + spacing: 0, + builder: (context, index) { + if (index == firstIndex) { + return SizedBox( + height: headerExtent, + child: Placeholder( + child: Text(_groupIdToheaderDataMap[key]!.title), + ), + ); + } else { + return SizedBox( + height: tileHeight, + child: const Placeholder( + child: Text("Grid row"), + ), + ); + } + }, + ), + ); + currentIndex = lastIndex; + currentOffset = maxOffset; + } + + return sectionLayouts; + } } class GroupHeaderData { final String title; + final GroupType groupType; GroupHeaderData({ required this.title, + required this.groupType, }); } diff --git a/mobile/lib/ui/viewer/gallery/gallery.dart b/mobile/lib/ui/viewer/gallery/gallery.dart index ea33d1b466..a3e837f2b7 100644 --- a/mobile/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/lib/ui/viewer/gallery/gallery.dart @@ -10,10 +10,11 @@ import 'package:photos/events/files_updated_event.dart'; import 'package:photos/events/tab_changed_event.dart'; import 'package:photos/models/file/file.dart'; import 'package:photos/models/file_load_result.dart'; +import "package:photos/models/gallery/gallery_sections.dart"; import 'package:photos/models/selected_files.dart'; import 'package:photos/ui/common/loading_widget.dart'; import "package:photos/ui/viewer/gallery/component/group/type.dart"; -import "package:photos/ui/viewer/gallery/component/multiple_groups_gallery_view.dart"; +import "package:photos/ui/viewer/gallery/component/sectioned_sliver_list.dart"; import 'package:photos/ui/viewer/gallery/empty_state.dart'; import "package:photos/ui/viewer/gallery/state/gallery_context_state.dart"; import "package:photos/ui/viewer/gallery/state/gallery_files_inherited_widget.dart"; @@ -380,27 +381,39 @@ class GalleryState extends State { inSelectionMode: widget.inSelectionMode, type: widget.groupType, // Replace this with the new gallery and use `_allGalleryFiles` - child: MultipleGroupsGalleryView( - itemScroller: _itemScroller, - groupedFiles: currentGroupedFiles, - disableScroll: widget.disableScroll, - emptyState: widget.emptyState, - asyncLoader: widget.asyncLoader, - removalEventTypes: widget.removalEventTypes, - tagPrefix: widget.tagPrefix, - scrollBottomSafeArea: widget.scrollBottomSafeArea, - limitSelectionToOne: widget.limitSelectionToOne, - enableFileGrouping: - widget.enableFileGrouping && widget.groupType.showGroupHeader(), - logTag: _logTag, - logger: _logger, - reloadEvent: widget.reloadEvent, - header: widget.header, - footer: widget.footer, - selectedFiles: widget.selectedFiles, - showSelectAllByDefault: - widget.showSelectAllByDefault && widget.groupType.showGroupHeader(), - isScrollablePositionedList: widget.isScrollablePositionedList, + // child: MultipleGroupsGalleryView( + // itemScroller: _itemScroller, + // groupedFiles: currentGroupedFiles, + // disableScroll: widget.disableScroll, + // emptyState: widget.emptyState, + // asyncLoader: widget.asyncLoader, + // removalEventTypes: widget.removalEventTypes, + // tagPrefix: widget.tagPrefix, + // scrollBottomSafeArea: widget.scrollBottomSafeArea, + // limitSelectionToOne: widget.limitSelectionToOne, + // enableFileGrouping: + // widget.enableFileGrouping && widget.groupType.showGroupHeader(), + // logTag: _logTag, + // logger: _logger, + // reloadEvent: widget.reloadEvent, + // header: widget.header, + // footer: widget.footer, + // selectedFiles: widget.selectedFiles, + // showSelectAllByDefault: + // widget.showSelectAllByDefault && widget.groupType.showGroupHeader(), + // isScrollablePositionedList: widget.isScrollablePositionedList, + // ), + child: CustomScrollView( + slivers: [ + SectionedListSliver( + sectionLayouts: GallerySections( + allFiles: _allGalleryFiles, + groupType: widget.groupType, + widthAvailable: MediaQuery.sizeOf(context).width, + context: context, + ).getSectionLayouts(), + ), + ], ), ); } From bb756273834aef3956c1b5a801abe54d326b57ac Mon Sep 17 00:00:00 2001 From: ashilkn Date: Fri, 20 Jun 2025 16:00:21 +0530 Subject: [PATCH 005/302] Populate grid rows with placeholders --- .../models/gallery/fixed_extent_grid_row.dart | 168 ++++++++++++++++++ .../lib/models/gallery/gallery_sections.dart | 30 +++- mobile/lib/ui/viewer/gallery/gallery.dart | 25 +-- 3 files changed, 208 insertions(+), 15 deletions(-) create mode 100644 mobile/lib/models/gallery/fixed_extent_grid_row.dart diff --git a/mobile/lib/models/gallery/fixed_extent_grid_row.dart b/mobile/lib/models/gallery/fixed_extent_grid_row.dart new file mode 100644 index 0000000000..69cf23b3fb --- /dev/null +++ b/mobile/lib/models/gallery/fixed_extent_grid_row.dart @@ -0,0 +1,168 @@ +import 'package:flutter/material.dart'; +import 'package:flutter/rendering.dart'; + +class FixedExtentGridRow extends MultiChildRenderObjectWidget { + final double width, height, spacing; + final TextDirection textDirection; + + const FixedExtentGridRow({ + super.key, + required this.width, + required this.height, + required this.spacing, + required this.textDirection, + required super.children, + }); + + @override + RenderObject createRenderObject(BuildContext context) { + return RenderFixedExtentGridRow( + width: width, + height: height, + spacing: spacing, + textDirection: textDirection, + ); + } + + @override + void updateRenderObject( + BuildContext context, + RenderFixedExtentGridRow renderObject, + ) { + renderObject.width = width; + renderObject.height = height; + renderObject.spacing = spacing; + renderObject.textDirection = textDirection; + } + + @override + void debugFillProperties(DiagnosticPropertiesBuilder properties) { + super.debugFillProperties(properties); + properties.add(DoubleProperty('width', width)); + properties.add(DoubleProperty('height', height)); + properties.add(DoubleProperty('spacing', spacing)); + properties.add(EnumProperty('textDirection', textDirection)); + } +} + +class _GridRowParentData extends ContainerBoxParentData {} + +class RenderFixedExtentGridRow extends RenderBox + with + ContainerRenderObjectMixin, + RenderBoxContainerDefaultsMixin { + RenderFixedExtentGridRow({ + List? children, + required double width, + required double height, + required double spacing, + required TextDirection textDirection, + }) : _width = width, + _height = height, + _spacing = spacing, + _textDirection = textDirection { + addAll(children); + } + + double get width => _width; + double _width; + + set width(double value) { + if (_width == value) return; + _width = value; + markNeedsLayout(); + } + + double get height => _height; + double _height; + + set height(double value) { + if (_height == value) return; + _height = value; + markNeedsLayout(); + } + + double get spacing => _spacing; + double _spacing; + + set spacing(double value) { + if (_spacing == value) return; + _spacing = value; + markNeedsLayout(); + } + + TextDirection get textDirection => _textDirection; + TextDirection _textDirection; + + set textDirection(TextDirection value) { + if (_textDirection == value) return; + _textDirection = value; + markNeedsLayout(); + } + + @override + void setupParentData(RenderBox child) { + if (child.parentData is! _GridRowParentData) { + child.parentData = _GridRowParentData(); + } + } + + double get intrinsicWidth => width * childCount + spacing * (childCount - 1); + + @override + double computeMinIntrinsicWidth(double height) => intrinsicWidth; + + @override + double computeMaxIntrinsicWidth(double height) => intrinsicWidth; + + @override + double computeMinIntrinsicHeight(double width) => height; + + @override + double computeMaxIntrinsicHeight(double width) => height; + + @override + void performLayout() { + var child = firstChild; + if (child == null) { + size = constraints.smallest; + return; + } + size = Size(constraints.maxWidth, height); + final childConstraints = BoxConstraints.tight(Size(width, height)); + final flipMainAxis = textDirection == TextDirection.rtl; + var offset = Offset(flipMainAxis ? size.width - width : 0, 0); + final dx = (flipMainAxis ? -1 : 1) * (width + spacing); + while (child != null) { + child.layout(childConstraints, parentUsesSize: false); + final childParentData = child.parentData! as _GridRowParentData; + childParentData.offset = offset; + offset += Offset(dx, 0); + child = childParentData.nextSibling; + } + } + + @override + double? computeDistanceToActualBaseline(TextBaseline baseline) { + return defaultComputeDistanceToHighestActualBaseline(baseline); + } + + @override + bool hitTestChildren(BoxHitTestResult result, {required Offset position}) { + return defaultHitTestChildren(result, position: position); + } + + @override + void paint(PaintingContext context, Offset offset) { + defaultPaint(context, offset); + } + + @override + void debugFillProperties(DiagnosticPropertiesBuilder properties) { + super.debugFillProperties(properties); + properties.add(DoubleProperty('width', width)); + properties.add(DoubleProperty('height', height)); + properties.add(DoubleProperty('spacing', spacing)); + properties.add(EnumProperty('textDirection', textDirection)); + } +} diff --git a/mobile/lib/models/gallery/gallery_sections.dart b/mobile/lib/models/gallery/gallery_sections.dart index 48d562462f..f0601fc969 100644 --- a/mobile/lib/models/gallery/gallery_sections.dart +++ b/mobile/lib/models/gallery/gallery_sections.dart @@ -2,6 +2,7 @@ import "dart:core"; import "package:flutter/material.dart"; import "package:photos/models/file/file.dart"; +import "package:photos/models/gallery/fixed_extent_grid_row.dart"; import "package:photos/models/gallery/fixed_extent_section_layout.dart"; import "package:photos/service_locator.dart"; import "package:photos/ui/viewer/gallery/component/group/type.dart"; @@ -87,6 +88,8 @@ class GallerySections { final minOffset = currentOffset; final maxOffset = minOffset + (numberOfGridRows * tileHeight) + headerExtent; + + int currentGroupIndex = 0; sectionLayouts.add( FixedExtentSectionLayout( firstIndex: firstIndex, @@ -105,11 +108,30 @@ class GallerySections { ), ); } else { - return SizedBox( + final gridRowChildren = []; + for (int i in Iterable.generate(crossAxisCount)) { + if (currentGroupIndex < filesInGroup.length) { + gridRowChildren.add( + SizedBox( + width: tileHeight, + height: tileHeight, + child: Text( + i.toString(), + ), + ), + ); + currentGroupIndex++; + } else { + break; + } + } + return FixedExtentGridRow( + width: tileHeight, height: tileHeight, - child: const Placeholder( - child: Text("Grid row"), - ), + //TODO: spacing + spacing: 0, + textDirection: TextDirection.ltr, + children: gridRowChildren, ); } }, diff --git a/mobile/lib/ui/viewer/gallery/gallery.dart b/mobile/lib/ui/viewer/gallery/gallery.dart index a3e837f2b7..b99634c1ce 100644 --- a/mobile/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/lib/ui/viewer/gallery/gallery.dart @@ -403,17 +403,20 @@ class GalleryState extends State { // widget.showSelectAllByDefault && widget.groupType.showGroupHeader(), // isScrollablePositionedList: widget.isScrollablePositionedList, // ), - child: CustomScrollView( - slivers: [ - SectionedListSliver( - sectionLayouts: GallerySections( - allFiles: _allGalleryFiles, - groupType: widget.groupType, - widthAvailable: MediaQuery.sizeOf(context).width, - context: context, - ).getSectionLayouts(), - ), - ], + child: Scrollbar( + interactive: true, + child: CustomScrollView( + slivers: [ + SectionedListSliver( + sectionLayouts: GallerySections( + allFiles: _allGalleryFiles, + groupType: widget.groupType, + widthAvailable: MediaQuery.sizeOf(context).width, + context: context, + ).getSectionLayouts(), + ), + ], + ), ), ); } From af6942e99d14df687048efb71bfe20b98dbfddd1 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Fri, 20 Jun 2025 16:26:33 +0530 Subject: [PATCH 006/302] Populate grid rows with actual thumbnails --- .../lib/models/gallery/gallery_sections.dart | 25 +++++++++++++------ .../component/gallery_file_widget.dart | 3 --- .../grid/gallery_grid_view_widget.dart | 1 - mobile/lib/ui/viewer/gallery/gallery.dart | 2 ++ 4 files changed, 20 insertions(+), 11 deletions(-) diff --git a/mobile/lib/models/gallery/gallery_sections.dart b/mobile/lib/models/gallery/gallery_sections.dart index f0601fc969..d93a643375 100644 --- a/mobile/lib/models/gallery/gallery_sections.dart +++ b/mobile/lib/models/gallery/gallery_sections.dart @@ -1,16 +1,22 @@ import "dart:core"; import "package:flutter/material.dart"; +import "package:photos/core/configuration.dart"; import "package:photos/models/file/file.dart"; import "package:photos/models/gallery/fixed_extent_grid_row.dart"; import "package:photos/models/gallery/fixed_extent_section_layout.dart"; +import "package:photos/models/selected_files.dart"; import "package:photos/service_locator.dart"; +import "package:photos/ui/viewer/gallery/component/gallery_file_widget.dart"; import "package:photos/ui/viewer/gallery/component/group/type.dart"; import "package:uuid/uuid.dart"; class GallerySections { final List allFiles; final GroupType groupType; + final SelectedFiles? selectedFiles; + final bool limitSelectionToOne; + final String tagPrefix; //TODO: Add support for sort order final bool sortOrderAsc; @@ -22,8 +28,11 @@ class GallerySections { required this.groupType, required this.widthAvailable, required this.context, + required this.selectedFiles, + required this.tagPrefix, this.sortOrderAsc = true, this.headerExtent = 85, + this.limitSelectionToOne = false, }) { init(); } @@ -32,6 +41,7 @@ class GallerySections { final Map> _groupIDToFilesMap = {}; final Map _groupIdToheaderDataMap = {}; late final int crossAxisCount; + final currentUserID = Configuration.instance.getUserID(); List get groupIDs => _groupIDs; Map> get groupIDToFilesMap => _groupIDToFilesMap; @@ -109,15 +119,16 @@ class GallerySections { ); } else { final gridRowChildren = []; - for (int i in Iterable.generate(crossAxisCount)) { + for (int _ in Iterable.generate(crossAxisCount)) { if (currentGroupIndex < filesInGroup.length) { gridRowChildren.add( - SizedBox( - width: tileHeight, - height: tileHeight, - child: Text( - i.toString(), - ), + GalleryFileWidget( + file: filesInGroup[currentGroupIndex], + selectedFiles: selectedFiles, + limitSelectionToOne: limitSelectionToOne, + tag: tagPrefix, + photoGridSize: crossAxisCount, + currentUserID: currentUserID, ), ); currentGroupIndex++; diff --git a/mobile/lib/ui/viewer/gallery/component/gallery_file_widget.dart b/mobile/lib/ui/viewer/gallery/component/gallery_file_widget.dart index 1462dbf8ae..aa32f897fa 100644 --- a/mobile/lib/ui/viewer/gallery/component/gallery_file_widget.dart +++ b/mobile/lib/ui/viewer/gallery/component/gallery_file_widget.dart @@ -9,7 +9,6 @@ import "package:photos/services/app_lifecycle_service.dart"; import "package:photos/theme/ente_theme.dart"; import "package:photos/ui/viewer/file/detail_page.dart"; import "package:photos/ui/viewer/file/thumbnail_widget.dart"; -import "package:photos/ui/viewer/gallery/gallery.dart"; import "package:photos/ui/viewer/gallery/state/gallery_context_state.dart"; import "package:photos/ui/viewer/gallery/state/gallery_files_inherited_widget.dart"; import "package:photos/utils/file_util.dart"; @@ -22,7 +21,6 @@ class GalleryFileWidget extends StatelessWidget { final String tag; final int photoGridSize; final int? currentUserID; - final GalleryLoader asyncLoader; const GalleryFileWidget({ required this.file, required this.selectedFiles, @@ -30,7 +28,6 @@ class GalleryFileWidget extends StatelessWidget { required this.tag, required this.photoGridSize, required this.currentUserID, - required this.asyncLoader, super.key, }); diff --git a/mobile/lib/ui/viewer/gallery/component/grid/gallery_grid_view_widget.dart b/mobile/lib/ui/viewer/gallery/component/grid/gallery_grid_view_widget.dart index 33632ae494..d0b7776be4 100644 --- a/mobile/lib/ui/viewer/gallery/component/grid/gallery_grid_view_widget.dart +++ b/mobile/lib/ui/viewer/gallery/component/grid/gallery_grid_view_widget.dart @@ -38,7 +38,6 @@ class GalleryGridViewWidget extends StatelessWidget { tag: tag, photoGridSize: photoGridSize, currentUserID: currentUserID, - asyncLoader: asyncLoader, ); }, itemCount: filesInGroup.length, diff --git a/mobile/lib/ui/viewer/gallery/gallery.dart b/mobile/lib/ui/viewer/gallery/gallery.dart index b99634c1ce..2a5e1dbd01 100644 --- a/mobile/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/lib/ui/viewer/gallery/gallery.dart @@ -413,6 +413,8 @@ class GalleryState extends State { groupType: widget.groupType, widthAvailable: MediaQuery.sizeOf(context).width, context: context, + selectedFiles: widget.selectedFiles, + tagPrefix: widget.tagPrefix, ).getSectionLayouts(), ), ], From 6d576adce0f79d0240b88d3d9a2365533f000d88 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Fri, 20 Jun 2025 17:09:23 +0530 Subject: [PATCH 007/302] Display group header widget --- .../lib/models/gallery/gallery_sections.dart | 11 ++- .../component/group/group_header_widget.dart | 3 + mobile/lib/ui/viewer/gallery/gallery.dart | 40 +++++++--- mobile/lib/utils/widget_util.dart | 75 +++++++++++++++++++ 4 files changed, 114 insertions(+), 15 deletions(-) create mode 100644 mobile/lib/utils/widget_util.dart diff --git a/mobile/lib/models/gallery/gallery_sections.dart b/mobile/lib/models/gallery/gallery_sections.dart index d93a643375..214b90ebf9 100644 --- a/mobile/lib/models/gallery/gallery_sections.dart +++ b/mobile/lib/models/gallery/gallery_sections.dart @@ -8,6 +8,7 @@ import "package:photos/models/gallery/fixed_extent_section_layout.dart"; import "package:photos/models/selected_files.dart"; import "package:photos/service_locator.dart"; import "package:photos/ui/viewer/gallery/component/gallery_file_widget.dart"; +import "package:photos/ui/viewer/gallery/component/group/group_header_widget.dart"; import "package:photos/ui/viewer/gallery/component/group/type.dart"; import "package:uuid/uuid.dart"; @@ -31,7 +32,7 @@ class GallerySections { required this.selectedFiles, required this.tagPrefix, this.sortOrderAsc = true, - this.headerExtent = 85, + required this.headerExtent, this.limitSelectionToOne = false, }) { init(); @@ -111,11 +112,9 @@ class GallerySections { spacing: 0, builder: (context, index) { if (index == firstIndex) { - return SizedBox( - height: headerExtent, - child: Placeholder( - child: Text(_groupIdToheaderDataMap[key]!.title), - ), + return GroupHeaderWidget( + title: _groupIdToheaderDataMap[key]!.title, + gridSize: crossAxisCount, ); } else { final gridRowChildren = []; diff --git a/mobile/lib/ui/viewer/gallery/component/group/group_header_widget.dart b/mobile/lib/ui/viewer/gallery/component/group/group_header_widget.dart index 25ea5e7d62..490bf81a4d 100644 --- a/mobile/lib/ui/viewer/gallery/component/group/group_header_widget.dart +++ b/mobile/lib/ui/viewer/gallery/component/group/group_header_widget.dart @@ -34,6 +34,9 @@ class GroupHeaderWidget extends StatelessWidget { style: (title == S.of(context).dayToday) ? textStyle : textStyle.copyWith(color: colorScheme.textMuted), + maxLines: 1, + // TODO: Make it possible to see the full title if overflowing + overflow: TextOverflow.ellipsis, ), ), ); diff --git a/mobile/lib/ui/viewer/gallery/gallery.dart b/mobile/lib/ui/viewer/gallery/gallery.dart index 2a5e1dbd01..0644b50133 100644 --- a/mobile/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/lib/ui/viewer/gallery/gallery.dart @@ -12,7 +12,9 @@ import 'package:photos/models/file/file.dart'; import 'package:photos/models/file_load_result.dart'; import "package:photos/models/gallery/gallery_sections.dart"; import 'package:photos/models/selected_files.dart'; +import "package:photos/service_locator.dart"; import 'package:photos/ui/common/loading_widget.dart'; +import "package:photos/ui/viewer/gallery/component/group/group_header_widget.dart"; import "package:photos/ui/viewer/gallery/component/group/type.dart"; import "package:photos/ui/viewer/gallery/component/sectioned_sliver_list.dart"; import 'package:photos/ui/viewer/gallery/empty_state.dart'; @@ -22,6 +24,7 @@ import "package:photos/ui/viewer/gallery/state/inherited_search_filter_data.dart import "package:photos/utils/hierarchical_search_util.dart"; import "package:photos/utils/standalone/date_time.dart"; import "package:photos/utils/standalone/debouncer.dart"; +import "package:photos/utils/widget_util.dart"; import 'package:scrollable_positioned_list/scrollable_positioned_list.dart'; typedef GalleryLoader = Future Function( @@ -104,6 +107,7 @@ class Gallery extends StatefulWidget { class GalleryState extends State { static const int kInitialLoadLimit = 100; late final Debouncer _debouncer; + late Future headerExtent; late Logger _logger; List> currentGroupedFiles = []; @@ -200,6 +204,14 @@ class GalleryState extends State { _setFilesAndReload(result.files); } }); + + headerExtent = getIntrinsicSizeOfWidget( + GroupHeaderWidget( + title: "This is a temp title", + gridSize: localSettings.getPhotoGridSize(), + ), + context, + ).then((size) => size.height); } void _setFilesAndReload(List files) { @@ -407,15 +419,25 @@ class GalleryState extends State { interactive: true, child: CustomScrollView( slivers: [ - SectionedListSliver( - sectionLayouts: GallerySections( - allFiles: _allGalleryFiles, - groupType: widget.groupType, - widthAvailable: MediaQuery.sizeOf(context).width, - context: context, - selectedFiles: widget.selectedFiles, - tagPrefix: widget.tagPrefix, - ).getSectionLayouts(), + FutureBuilder( + future: headerExtent, + builder: (context, snapshot) { + if (snapshot.hasData) { + return SectionedListSliver( + sectionLayouts: GallerySections( + allFiles: _allGalleryFiles, + groupType: widget.groupType, + widthAvailable: MediaQuery.sizeOf(context).width, + context: context, + selectedFiles: widget.selectedFiles, + tagPrefix: widget.tagPrefix, + headerExtent: snapshot.data!, + ).getSectionLayouts(), + ); + } else { + return const SliverFillRemaining(); + } + }, ), ], ), diff --git a/mobile/lib/utils/widget_util.dart b/mobile/lib/utils/widget_util.dart new file mode 100644 index 0000000000..2d3f3f9647 --- /dev/null +++ b/mobile/lib/utils/widget_util.dart @@ -0,0 +1,75 @@ +import "dart:async"; + +import "package:flutter/scheduler.dart"; +import "package:flutter/widgets.dart"; + +// Warning: This can get expensive depending on the widget passed. +// Read: https://api.flutter.dev/flutter/widgets/IntrinsicHeight-class.html +// From: https://stackoverflow.com/a/75714610/17561985 +Future getIntrinsicSizeOfWidget(Widget widget, BuildContext context) { + final Completer completer = Completer(); + late OverlayEntry entry; + entry = OverlayEntry( + builder: (_) => Center( + child: WidgetSizeGetterTempWidget( + onDone: (Size s) { + entry.remove(); + completer.complete(s); + }, + child: Opacity( + opacity: 0, + child: IntrinsicHeight(child: IntrinsicWidth(child: widget)), + ), + ), + ), + ); + Future.delayed(const Duration(milliseconds: 0), () { + if (context.mounted) { + Overlay.of(context).insert(entry); + } + }); + + return completer.future; +} + +class WidgetSizeGetterTempWidget extends StatefulWidget { + final Widget child; + final Function onDone; + + const WidgetSizeGetterTempWidget({ + super.key, + required this.onDone, + required this.child, + }); + + @override + // ignore: library_private_types_in_public_api + _WidgetSizeGetterTempWidgetState createState() => + _WidgetSizeGetterTempWidgetState(); +} + +class _WidgetSizeGetterTempWidgetState + extends State { + @override + Widget build(BuildContext context) { + SchedulerBinding.instance.addPostFrameCallback(postFrameCallback); + return Container( + key: widgetKey, + child: widget.child, + ); + } + + var widgetKey = GlobalKey(); + Size? oldSize; + + void postFrameCallback(_) { + final context = widgetKey.currentContext; + if (context == null) return; + + final newSize = context.size; + if (oldSize == newSize) return; + + oldSize = newSize; + widget.onDone(newSize); + } +} From b1386b8f574cbb13085a39f4ab94919812784362 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Thu, 3 Jul 2025 10:37:59 +0530 Subject: [PATCH 008/302] Extract group building code to a function for better readability --- .../lib/models/gallery/gallery_sections.dart | 94 +++++++++++-------- 1 file changed, 53 insertions(+), 41 deletions(-) diff --git a/mobile/lib/models/gallery/gallery_sections.dart b/mobile/lib/models/gallery/gallery_sections.dart index 214b90ebf9..ddfee9da01 100644 --- a/mobile/lib/models/gallery/gallery_sections.dart +++ b/mobile/lib/models/gallery/gallery_sections.dart @@ -38,61 +38,36 @@ class GallerySections { init(); } - final List _groupIDs = []; - final Map> _groupIDToFilesMap = {}; - final Map _groupIdToheaderDataMap = {}; + final List _groupIds = []; + final Map> _groupIdToFilesMap = {}; + final Map _groupIdToHeaderDataMap = {}; late final int crossAxisCount; final currentUserID = Configuration.instance.getUserID(); + static const double spacing = 2.0; - List get groupIDs => _groupIDs; - Map> get groupIDToFilesMap => _groupIDToFilesMap; + List get groupIDs => _groupIds; + Map> get groupIDToFilesMap => _groupIdToFilesMap; Map get groupIdToheaderDataMap => - _groupIdToheaderDataMap; + _groupIdToHeaderDataMap; final _uuid = const Uuid(); void init() { - List dailyFiles = []; - for (int index = 0; index < allFiles.length; index++) { - if (index > 0 && - !groupType.areFromSameGroup(allFiles[index - 1], allFiles[index])) { - _createNewGroup(dailyFiles); - dailyFiles = []; - } - dailyFiles.add(allFiles[index]); - } - if (dailyFiles.isNotEmpty) { - _createNewGroup(dailyFiles); - } - + _buildGroups(); crossAxisCount = localSettings.getPhotoGridSize(); } - void _createNewGroup( - List dailyFiles, - ) { - final uuid = _uuid.v1(); - _groupIDs.add(uuid); - _groupIDToFilesMap[uuid] = dailyFiles; - _groupIdToheaderDataMap[uuid] = GroupHeaderData( - title: groupType.getTitle( - context, - dailyFiles.first, - lastFile: dailyFiles.last, - ), - groupType: groupType, - ); - } - List getSectionLayouts() { int currentIndex = 0; double currentOffset = 0.0; final tileHeight = widthAvailable / crossAxisCount; final sectionLayouts = []; + final groupIDs = _groupIdToFilesMap.keys; + // TODO: spacing - for (final key in _groupIDToFilesMap.keys) { - final filesInGroup = _groupIDToFilesMap[key]!; + for (final groupID in groupIDs) { + final filesInGroup = _groupIdToFilesMap[groupID]!; final numberOfGridRows = (filesInGroup.length / crossAxisCount).ceil(); final firstIndex = currentIndex == 0 ? currentIndex : currentIndex + 1; final lastIndex = firstIndex + numberOfGridRows; @@ -109,11 +84,11 @@ class GallerySections { maxOffset: maxOffset, headerExtent: headerExtent, tileHeight: tileHeight, - spacing: 0, + spacing: spacing, builder: (context, index) { if (index == firstIndex) { return GroupHeaderWidget( - title: _groupIdToheaderDataMap[key]!.title, + title: _groupIdToHeaderDataMap[groupID]!.title, gridSize: crossAxisCount, ); } else { @@ -138,8 +113,7 @@ class GallerySections { return FixedExtentGridRow( width: tileHeight, height: tileHeight, - //TODO: spacing - spacing: 0, + spacing: spacing, textDirection: TextDirection.ltr, children: gridRowChildren, ); @@ -148,11 +122,49 @@ class GallerySections { ), ); currentIndex = lastIndex; + + // Adding this crashes the app?????? + + // if (groupID != groupIDs.last) { + // // lastIndex - (firstIndex + 1) - 1 + // currentOffset = maxOffset + (lastIndex - firstIndex) * spacing; + // } currentOffset = maxOffset; } return sectionLayouts; } + + void _buildGroups() { + List dailyFiles = []; + for (int index = 0; index < allFiles.length; index++) { + if (index > 0 && + !groupType.areFromSameGroup(allFiles[index - 1], allFiles[index])) { + _createNewGroup(dailyFiles); + dailyFiles = []; + } + dailyFiles.add(allFiles[index]); + } + if (dailyFiles.isNotEmpty) { + _createNewGroup(dailyFiles); + } + } + + void _createNewGroup( + List dailyFiles, + ) { + final uuid = _uuid.v1(); + _groupIds.add(uuid); + _groupIdToFilesMap[uuid] = dailyFiles; + _groupIdToHeaderDataMap[uuid] = GroupHeaderData( + title: groupType.getTitle( + context, + dailyFiles.first, + lastFile: dailyFiles.last, + ), + groupType: groupType, + ); + } } class GroupHeaderData { From 2b258f984d89a2b43519d6683f27af9a8bb5c8aa Mon Sep 17 00:00:00 2001 From: ashilkn Date: Thu, 3 Jul 2025 10:56:39 +0530 Subject: [PATCH 009/302] Change names --- mobile/lib/models/gallery/gallery_sections.dart | 12 ++++++------ mobile/lib/ui/viewer/gallery/gallery.dart | 4 ++-- 2 files changed, 8 insertions(+), 8 deletions(-) diff --git a/mobile/lib/models/gallery/gallery_sections.dart b/mobile/lib/models/gallery/gallery_sections.dart index ddfee9da01..2ab6d80b17 100644 --- a/mobile/lib/models/gallery/gallery_sections.dart +++ b/mobile/lib/models/gallery/gallery_sections.dart @@ -12,7 +12,7 @@ import "package:photos/ui/viewer/gallery/component/group/group_header_widget.dar import "package:photos/ui/viewer/gallery/component/group/type.dart"; import "package:uuid/uuid.dart"; -class GallerySections { +class GalleryGroups { final List allFiles; final GroupType groupType; final SelectedFiles? selectedFiles; @@ -24,7 +24,7 @@ class GallerySections { final double widthAvailable; final double headerExtent; final BuildContext context; - GallerySections({ + GalleryGroups({ required this.allFiles, required this.groupType, required this.widthAvailable, @@ -57,11 +57,11 @@ class GallerySections { crossAxisCount = localSettings.getPhotoGridSize(); } - List getSectionLayouts() { + List getGroupLayouts() { int currentIndex = 0; double currentOffset = 0.0; final tileHeight = widthAvailable / crossAxisCount; - final sectionLayouts = []; + final groupLayouts = []; final groupIDs = _groupIdToFilesMap.keys; @@ -76,7 +76,7 @@ class GallerySections { minOffset + (numberOfGridRows * tileHeight) + headerExtent; int currentGroupIndex = 0; - sectionLayouts.add( + groupLayouts.add( FixedExtentSectionLayout( firstIndex: firstIndex, lastIndex: lastIndex, @@ -132,7 +132,7 @@ class GallerySections { currentOffset = maxOffset; } - return sectionLayouts; + return groupLayouts; } void _buildGroups() { diff --git a/mobile/lib/ui/viewer/gallery/gallery.dart b/mobile/lib/ui/viewer/gallery/gallery.dart index 9744634cf4..003c0eb13a 100644 --- a/mobile/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/lib/ui/viewer/gallery/gallery.dart @@ -424,7 +424,7 @@ class GalleryState extends State { builder: (context, snapshot) { if (snapshot.hasData) { return SectionedListSliver( - sectionLayouts: GallerySections( + sectionLayouts: GalleryGroups( allFiles: _allGalleryFiles, groupType: widget.groupType, widthAvailable: MediaQuery.sizeOf(context).width, @@ -432,7 +432,7 @@ class GalleryState extends State { selectedFiles: widget.selectedFiles, tagPrefix: widget.tagPrefix, headerExtent: snapshot.data!, - ).getSectionLayouts(), + ).getGroupLayouts(), ); } else { return const SliverFillRemaining(); From 29f7a549508ec16a4bdc00599264c2491897dd27 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Thu, 3 Jul 2025 11:41:30 +0530 Subject: [PATCH 010/302] Layout calculation fixes and use better names --- .../lib/models/gallery/gallery_sections.dart | 21 +++++++------------ 1 file changed, 8 insertions(+), 13 deletions(-) diff --git a/mobile/lib/models/gallery/gallery_sections.dart b/mobile/lib/models/gallery/gallery_sections.dart index 2ab6d80b17..ea6fa79dc6 100644 --- a/mobile/lib/models/gallery/gallery_sections.dart +++ b/mobile/lib/models/gallery/gallery_sections.dart @@ -72,10 +72,12 @@ class GalleryGroups { final firstIndex = currentIndex == 0 ? currentIndex : currentIndex + 1; final lastIndex = firstIndex + numberOfGridRows; final minOffset = currentOffset; - final maxOffset = - minOffset + (numberOfGridRows * tileHeight) + headerExtent; + final maxOffset = minOffset + + (numberOfGridRows * tileHeight) + + (numberOfGridRows - 1) * spacing + + headerExtent; - int currentGroupIndex = 0; + int currentFileInGroupIndex = 0; groupLayouts.add( FixedExtentSectionLayout( firstIndex: firstIndex, @@ -94,10 +96,10 @@ class GalleryGroups { } else { final gridRowChildren = []; for (int _ in Iterable.generate(crossAxisCount)) { - if (currentGroupIndex < filesInGroup.length) { + if (currentFileInGroupIndex < filesInGroup.length) { gridRowChildren.add( GalleryFileWidget( - file: filesInGroup[currentGroupIndex], + file: filesInGroup[currentFileInGroupIndex], selectedFiles: selectedFiles, limitSelectionToOne: limitSelectionToOne, tag: tagPrefix, @@ -105,7 +107,7 @@ class GalleryGroups { currentUserID: currentUserID, ), ); - currentGroupIndex++; + currentFileInGroupIndex++; } else { break; } @@ -122,13 +124,6 @@ class GalleryGroups { ), ); currentIndex = lastIndex; - - // Adding this crashes the app?????? - - // if (groupID != groupIDs.last) { - // // lastIndex - (firstIndex + 1) - 1 - // currentOffset = maxOffset + (lastIndex - firstIndex) * spacing; - // } currentOffset = maxOffset; } From ad892c10550c8f837bc67b61a2463c517baf91ca Mon Sep 17 00:00:00 2001 From: ashilkn Date: Thu, 3 Jul 2025 15:24:56 +0530 Subject: [PATCH 011/302] Fix incorrect logic of finding index of file in gallery --- .../lib/models/gallery/gallery_sections.dart | 40 ++++++++++++++----- 1 file changed, 31 insertions(+), 9 deletions(-) diff --git a/mobile/lib/models/gallery/gallery_sections.dart b/mobile/lib/models/gallery/gallery_sections.dart index ea6fa79dc6..7897b4a487 100644 --- a/mobile/lib/models/gallery/gallery_sections.dart +++ b/mobile/lib/models/gallery/gallery_sections.dart @@ -76,8 +76,8 @@ class GalleryGroups { (numberOfGridRows * tileHeight) + (numberOfGridRows - 1) * spacing + headerExtent; + final bodyFirstIndex = firstIndex + 1; - int currentFileInGroupIndex = 0; groupLayouts.add( FixedExtentSectionLayout( firstIndex: firstIndex, @@ -87,19 +87,43 @@ class GalleryGroups { headerExtent: headerExtent, tileHeight: tileHeight, spacing: spacing, - builder: (context, index) { - if (index == firstIndex) { + builder: (context, rowIndex) { + if (rowIndex == firstIndex) { return GroupHeaderWidget( title: _groupIdToHeaderDataMap[groupID]!.title, gridSize: crossAxisCount, ); } else { final gridRowChildren = []; - for (int _ in Iterable.generate(crossAxisCount)) { - if (currentFileInGroupIndex < filesInGroup.length) { + final firstIndexOfRowWrtFilesInGroup = + (rowIndex - bodyFirstIndex) * crossAxisCount; + + if (rowIndex == lastIndex) { + final lastFile = filesInGroup.last; + bool endOfListReached = false; + int i = 0; + while (!endOfListReached) { gridRowChildren.add( GalleryFileWidget( - file: filesInGroup[currentFileInGroupIndex], + file: filesInGroup[firstIndexOfRowWrtFilesInGroup + i], + selectedFiles: selectedFiles, + limitSelectionToOne: limitSelectionToOne, + tag: tagPrefix, + photoGridSize: crossAxisCount, + currentUserID: currentUserID, + ), + ); + + endOfListReached = + filesInGroup[firstIndexOfRowWrtFilesInGroup + i] == + lastFile; + i++; + } + } else { + for (int i = 0; i < crossAxisCount; i++) { + gridRowChildren.add( + GalleryFileWidget( + file: filesInGroup[firstIndexOfRowWrtFilesInGroup + i], selectedFiles: selectedFiles, limitSelectionToOne: limitSelectionToOne, tag: tagPrefix, @@ -107,11 +131,9 @@ class GalleryGroups { currentUserID: currentUserID, ), ); - currentFileInGroupIndex++; - } else { - break; } } + return FixedExtentGridRow( width: tileHeight, height: tileHeight, From 0d55ae1a6dedf97daeb60382498b3695997f0412 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Thu, 3 Jul 2025 15:34:14 +0530 Subject: [PATCH 012/302] Fix spacing issue --- mobile/lib/models/gallery/gallery_sections.dart | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/mobile/lib/models/gallery/gallery_sections.dart b/mobile/lib/models/gallery/gallery_sections.dart index 7897b4a487..7ba1212075 100644 --- a/mobile/lib/models/gallery/gallery_sections.dart +++ b/mobile/lib/models/gallery/gallery_sections.dart @@ -60,12 +60,12 @@ class GalleryGroups { List getGroupLayouts() { int currentIndex = 0; double currentOffset = 0.0; - final tileHeight = widthAvailable / crossAxisCount; + final tileHeight = + (widthAvailable - (crossAxisCount - 1) * spacing) / crossAxisCount; final groupLayouts = []; final groupIDs = _groupIdToFilesMap.keys; - // TODO: spacing for (final groupID in groupIDs) { final filesInGroup = _groupIdToFilesMap[groupID]!; final numberOfGridRows = (filesInGroup.length / crossAxisCount).ceil(); From 1cc80aab75bc62ea3b74cdc84c7e70761501d0ac Mon Sep 17 00:00:00 2001 From: ashilkn Date: Thu, 3 Jul 2025 16:18:43 +0530 Subject: [PATCH 013/302] Make selection work with new gallery --- .../component/gallery_file_widget.dart | 82 +++++++++++++------ 1 file changed, 59 insertions(+), 23 deletions(-) diff --git a/mobile/lib/ui/viewer/gallery/component/gallery_file_widget.dart b/mobile/lib/ui/viewer/gallery/component/gallery_file_widget.dart index aa32f897fa..eb3a1e70b6 100644 --- a/mobile/lib/ui/viewer/gallery/component/gallery_file_widget.dart +++ b/mobile/lib/ui/viewer/gallery/component/gallery_file_widget.dart @@ -14,7 +14,7 @@ import "package:photos/ui/viewer/gallery/state/gallery_files_inherited_widget.da import "package:photos/utils/file_util.dart"; import "package:photos/utils/navigation_util.dart"; -class GalleryFileWidget extends StatelessWidget { +class GalleryFileWidget extends StatefulWidget { final EnteFile file; final SelectedFiles? selectedFiles; final bool limitSelectionToOne; @@ -32,38 +32,59 @@ class GalleryFileWidget extends StatelessWidget { }); @override - Widget build(BuildContext context) { - final isFileSelected = selectedFiles?.isFileSelected(file) ?? false; + State createState() => _GalleryFileWidgetState(); +} +class _GalleryFileWidgetState extends State { + late bool _isFileSelected; + + @override + void initState() { + super.initState(); + _isFileSelected = + widget.selectedFiles?.isFileSelected(widget.file) ?? false; + widget.selectedFiles?.addListener(_selectedFilesListener); + } + + @override + void dispose() { + widget.selectedFiles?.removeListener(_selectedFilesListener); + super.dispose(); + } + + @override + Widget build(BuildContext context) { Color selectionColor = Colors.white; - if (isFileSelected && file.isUploaded && file.ownerID != currentUserID) { + if (_isFileSelected && + widget.file.isUploaded && + widget.file.ownerID != widget.currentUserID) { final avatarColors = getEnteColorScheme(context).avatarColors; selectionColor = - avatarColors[(file.ownerID!).remainder(avatarColors.length)]; + avatarColors[(widget.file.ownerID!).remainder(avatarColors.length)]; } - final String heroTag = tag + file.tag; + final String heroTag = widget.tag + widget.file.tag; final Widget thumbnailWidget = ThumbnailWidget( - file, + widget.file, diskLoadDeferDuration: galleryThumbnailDiskLoadDeferDuration, serverLoadDeferDuration: galleryThumbnailServerLoadDeferDuration, shouldShowLivePhotoOverlay: true, key: Key(heroTag), - thumbnailSize: photoGridSize < photoGridSizeDefault + thumbnailSize: widget.photoGridSize < photoGridSizeDefault ? thumbnailLargeSize : thumbnailSmallSize, - shouldShowOwnerAvatar: !isFileSelected, + shouldShowOwnerAvatar: !_isFileSelected, shouldShowVideoDuration: true, ); return GestureDetector( onTap: () { - limitSelectionToOne - ? _onTapWithSelectionLimit(file) - : _onTapNoSelectionLimit(context, file); + widget.limitSelectionToOne + ? _onTapWithSelectionLimit(widget.file) + : _onTapNoSelectionLimit(context, widget.file); }, onLongPress: () { - limitSelectionToOne - ? _onLongPressWithSelectionLimit(context, file) - : _onLongPressNoSelectionLimit(context, file); + widget.limitSelectionToOne + ? _onLongPressWithSelectionLimit(context, widget.file) + : _onLongPressNoSelectionLimit(context, widget.file); }, child: Stack( clipBehavior: Clip.none, @@ -81,7 +102,7 @@ class GalleryFileWidget extends StatelessWidget { ) => thumbnailWidget, transitionOnUserGestures: true, - child: isFileSelected + child: _isFileSelected ? ColorFiltered( colorFilter: ColorFilter.mode( Colors.black.withOpacity( @@ -94,7 +115,7 @@ class GalleryFileWidget extends StatelessWidget { : thumbnailWidget, ), ), - isFileSelected + _isFileSelected ? Positioned( right: 4, top: 4, @@ -110,20 +131,35 @@ class GalleryFileWidget extends StatelessWidget { ); } + void _selectedFilesListener() { + late bool latestSelectionState; + if (widget.selectedFiles?.files.contains(widget.file) ?? false) { + latestSelectionState = true; + } else { + latestSelectionState = false; + } + if (latestSelectionState != _isFileSelected && mounted) { + setState(() { + _isFileSelected = latestSelectionState; + }); + } + } + void _toggleFileSelection(EnteFile file) { - selectedFiles!.toggleSelection(file); + widget.selectedFiles!.toggleSelection(file); } void _onTapWithSelectionLimit(EnteFile file) { - if (selectedFiles!.files.isNotEmpty && selectedFiles!.files.first != file) { - selectedFiles!.clearAll(); + if (widget.selectedFiles!.files.isNotEmpty && + widget.selectedFiles!.files.first != file) { + widget.selectedFiles!.clearAll(); } _toggleFileSelection(file); } void _onTapNoSelectionLimit(BuildContext context, EnteFile file) async { final bool shouldToggleSelection = - (selectedFiles?.files.isNotEmpty ?? false) || + (widget.selectedFiles?.files.isNotEmpty ?? false) || GalleryContextState.of(context)!.inSelectionMode; if (shouldToggleSelection) { _toggleFileSelection(file); @@ -139,7 +175,7 @@ class GalleryFileWidget extends StatelessWidget { } void _onLongPressNoSelectionLimit(BuildContext context, EnteFile file) { - if (selectedFiles!.files.isNotEmpty) { + if (widget.selectedFiles!.files.isNotEmpty) { _routeToDetailPage(file, context); } else { HapticFeedback.lightImpact(); @@ -166,7 +202,7 @@ class GalleryFileWidget extends StatelessWidget { DetailPageConfiguration( galleryFiles, galleryFiles.indexOf(file), - tag, + widget.tag, ), ); routeToPage(context, page, forceCustomPageRoute: true); From ce380b3b7a3e9f97deab6a366245ac3558ff732e Mon Sep 17 00:00:00 2001 From: ashilkn Date: Fri, 4 Jul 2025 11:03:07 +0530 Subject: [PATCH 014/302] Log time taken for computing GalleryGroups and it's sectionLayout + add keys to GalleryFileWidget to fix issues --- .../lib/models/gallery/gallery_sections.dart | 30 +++++++++++++++++++ 1 file changed, 30 insertions(+) diff --git a/mobile/lib/models/gallery/gallery_sections.dart b/mobile/lib/models/gallery/gallery_sections.dart index 7ba1212075..b26fd0e84f 100644 --- a/mobile/lib/models/gallery/gallery_sections.dart +++ b/mobile/lib/models/gallery/gallery_sections.dart @@ -1,6 +1,7 @@ import "dart:core"; import "package:flutter/material.dart"; +import "package:logging/logging.dart"; import "package:photos/core/configuration.dart"; import "package:photos/models/file/file.dart"; import "package:photos/models/gallery/fixed_extent_grid_row.dart"; @@ -18,6 +19,7 @@ class GalleryGroups { final SelectedFiles? selectedFiles; final bool limitSelectionToOne; final String tagPrefix; + final _logger = Logger("GalleryGroups"); //TODO: Add support for sort order final bool sortOrderAsc; @@ -53,11 +55,21 @@ class GalleryGroups { final _uuid = const Uuid(); void init() { + final stopwatch = Stopwatch()..start(); _buildGroups(); + _logger.info( + "Built ${_groupIds.length} groups in ${stopwatch.elapsedMilliseconds} ms", + ); + print( + "Built ${_groupIds.length} groups in ${stopwatch.elapsedMilliseconds} ms", + ); + stopwatch.stop(); + crossAxisCount = localSettings.getPhotoGridSize(); } List getGroupLayouts() { + final stopwatch = Stopwatch()..start(); int currentIndex = 0; double currentOffset = 0.0; final tileHeight = @@ -105,6 +117,11 @@ class GalleryGroups { while (!endOfListReached) { gridRowChildren.add( GalleryFileWidget( + key: ValueKey( + tagPrefix + + filesInGroup[firstIndexOfRowWrtFilesInGroup + i] + .tag, + ), file: filesInGroup[firstIndexOfRowWrtFilesInGroup + i], selectedFiles: selectedFiles, limitSelectionToOne: limitSelectionToOne, @@ -123,6 +140,11 @@ class GalleryGroups { for (int i = 0; i < crossAxisCount; i++) { gridRowChildren.add( GalleryFileWidget( + key: ValueKey( + tagPrefix + + filesInGroup[firstIndexOfRowWrtFilesInGroup + i] + .tag, + ), file: filesInGroup[firstIndexOfRowWrtFilesInGroup + i], selectedFiles: selectedFiles, limitSelectionToOne: limitSelectionToOne, @@ -149,6 +171,14 @@ class GalleryGroups { currentOffset = maxOffset; } + _logger.info( + "Built group layouts in ${stopwatch.elapsedMilliseconds} ms", + ); + print( + "Built group layouts in ${stopwatch.elapsedMilliseconds} ms", + ); + stopwatch.stop(); + return groupLayouts; } From cde42eb43a7228eb0d0a8a72006ee19222df5b76 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Fri, 4 Jul 2025 11:53:16 +0530 Subject: [PATCH 015/302] Use better name --- mobile/lib/models/gallery/gallery_sections.dart | 13 +++++++------ 1 file changed, 7 insertions(+), 6 deletions(-) diff --git a/mobile/lib/models/gallery/gallery_sections.dart b/mobile/lib/models/gallery/gallery_sections.dart index b26fd0e84f..3c311dcf19 100644 --- a/mobile/lib/models/gallery/gallery_sections.dart +++ b/mobile/lib/models/gallery/gallery_sections.dart @@ -182,18 +182,19 @@ class GalleryGroups { return groupLayouts; } +// TODO: compute this in isolate void _buildGroups() { - List dailyFiles = []; + List groupFiles = []; for (int index = 0; index < allFiles.length; index++) { if (index > 0 && !groupType.areFromSameGroup(allFiles[index - 1], allFiles[index])) { - _createNewGroup(dailyFiles); - dailyFiles = []; + _createNewGroup(groupFiles); + groupFiles = []; } - dailyFiles.add(allFiles[index]); + groupFiles.add(allFiles[index]); } - if (dailyFiles.isNotEmpty) { - _createNewGroup(dailyFiles); + if (groupFiles.isNotEmpty) { + _createNewGroup(groupFiles); } } From 23728107a3b8c0c36813e15c79c8d18b05dc3c7c Mon Sep 17 00:00:00 2001 From: ashilkn Date: Fri, 4 Jul 2025 12:11:17 +0530 Subject: [PATCH 016/302] Remove unused parameter --- mobile/lib/models/gallery/gallery_sections.dart | 1 - mobile/lib/ui/viewer/gallery/component/group/type.dart | 5 ++++- 2 files changed, 4 insertions(+), 2 deletions(-) diff --git a/mobile/lib/models/gallery/gallery_sections.dart b/mobile/lib/models/gallery/gallery_sections.dart index 3c311dcf19..387d82c2d8 100644 --- a/mobile/lib/models/gallery/gallery_sections.dart +++ b/mobile/lib/models/gallery/gallery_sections.dart @@ -208,7 +208,6 @@ class GalleryGroups { title: groupType.getTitle( context, dailyFiles.first, - lastFile: dailyFiles.last, ), groupType: groupType, ); diff --git a/mobile/lib/ui/viewer/gallery/component/group/type.dart b/mobile/lib/ui/viewer/gallery/component/group/type.dart index 079ddb1e2e..40f451b583 100644 --- a/mobile/lib/ui/viewer/gallery/component/group/type.dart +++ b/mobile/lib/ui/viewer/gallery/component/group/type.dart @@ -46,7 +46,10 @@ extension GroupTypeExtension on GroupType { return true; } - String getTitle(BuildContext context, EnteFile file, {EnteFile? lastFile}) { + String getTitle( + BuildContext context, + EnteFile file, + ) { if (this == GroupType.day) { return _getDayTitle(context, file.creationTime!); } else if (this == GroupType.week) { From fd059613039dcf25a289b6e799c767332e69b3ec Mon Sep 17 00:00:00 2001 From: ashilkn Date: Fri, 4 Jul 2025 12:31:12 +0530 Subject: [PATCH 017/302] Improve performance of group building function by not eagerly computing each group header's title and instead, offload it to the GroupHeaderWidget to compute lazily when it's built --- mobile/lib/models/gallery/gallery_sections.dart | 12 +++--------- mobile/lib/ui/viewer/gallery/gallery.dart | 2 +- 2 files changed, 4 insertions(+), 10 deletions(-) diff --git a/mobile/lib/models/gallery/gallery_sections.dart b/mobile/lib/models/gallery/gallery_sections.dart index 387d82c2d8..0901e3a445 100644 --- a/mobile/lib/models/gallery/gallery_sections.dart +++ b/mobile/lib/models/gallery/gallery_sections.dart @@ -25,12 +25,10 @@ class GalleryGroups { final bool sortOrderAsc; final double widthAvailable; final double headerExtent; - final BuildContext context; GalleryGroups({ required this.allFiles, required this.groupType, required this.widthAvailable, - required this.context, required this.selectedFiles, required this.tagPrefix, this.sortOrderAsc = true, @@ -102,7 +100,9 @@ class GalleryGroups { builder: (context, rowIndex) { if (rowIndex == firstIndex) { return GroupHeaderWidget( - title: _groupIdToHeaderDataMap[groupID]!.title, + title: _groupIdToHeaderDataMap[groupID]! + .groupType + .getTitle(context, groupIDToFilesMap[groupID]!.first), gridSize: crossAxisCount, ); } else { @@ -205,21 +205,15 @@ class GalleryGroups { _groupIds.add(uuid); _groupIdToFilesMap[uuid] = dailyFiles; _groupIdToHeaderDataMap[uuid] = GroupHeaderData( - title: groupType.getTitle( - context, - dailyFiles.first, - ), groupType: groupType, ); } } class GroupHeaderData { - final String title; final GroupType groupType; GroupHeaderData({ - required this.title, required this.groupType, }); } diff --git a/mobile/lib/ui/viewer/gallery/gallery.dart b/mobile/lib/ui/viewer/gallery/gallery.dart index 003c0eb13a..fa27556469 100644 --- a/mobile/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/lib/ui/viewer/gallery/gallery.dart @@ -418,6 +418,7 @@ class GalleryState extends State { child: Scrollbar( interactive: true, child: CustomScrollView( + // physics: const BouncingScrollPhysics(), slivers: [ FutureBuilder( future: headerExtent, @@ -428,7 +429,6 @@ class GalleryState extends State { allFiles: _allGalleryFiles, groupType: widget.groupType, widthAvailable: MediaQuery.sizeOf(context).width, - context: context, selectedFiles: widget.selectedFiles, tagPrefix: widget.tagPrefix, headerExtent: snapshot.data!, From 27faef415feabcfc38cd4a621ad0d4976e8c9fe5 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Fri, 4 Jul 2025 12:32:43 +0530 Subject: [PATCH 018/302] Use better names --- mobile/lib/models/gallery/gallery_sections.dart | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/mobile/lib/models/gallery/gallery_sections.dart b/mobile/lib/models/gallery/gallery_sections.dart index 0901e3a445..a2f13e53da 100644 --- a/mobile/lib/models/gallery/gallery_sections.dart +++ b/mobile/lib/models/gallery/gallery_sections.dart @@ -199,11 +199,11 @@ class GalleryGroups { } void _createNewGroup( - List dailyFiles, + List groupFiles, ) { final uuid = _uuid.v1(); _groupIds.add(uuid); - _groupIdToFilesMap[uuid] = dailyFiles; + _groupIdToFilesMap[uuid] = groupFiles; _groupIdToHeaderDataMap[uuid] = GroupHeaderData( groupType: groupType, ); From f70c284b58773965199312ea94bcf0cef9dbadfd Mon Sep 17 00:00:00 2001 From: ashilkn Date: Fri, 4 Jul 2025 14:34:09 +0530 Subject: [PATCH 019/302] Use better name --- mobile/lib/ui/viewer/gallery/gallery.dart | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/mobile/lib/ui/viewer/gallery/gallery.dart b/mobile/lib/ui/viewer/gallery/gallery.dart index fa27556469..1cb5721d55 100644 --- a/mobile/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/lib/ui/viewer/gallery/gallery.dart @@ -107,7 +107,7 @@ class Gallery extends StatefulWidget { class GalleryState extends State { static const int kInitialLoadLimit = 100; late final Debouncer _debouncer; - late Future headerExtent; + late Future groupHeaderExtent; late Logger _logger; List> currentGroupedFiles = []; @@ -205,7 +205,7 @@ class GalleryState extends State { } }); - headerExtent = getIntrinsicSizeOfWidget( + groupHeaderExtent = getIntrinsicSizeOfWidget( GroupHeaderWidget( title: "This is a temp title", gridSize: localSettings.getPhotoGridSize(), @@ -421,7 +421,7 @@ class GalleryState extends State { // physics: const BouncingScrollPhysics(), slivers: [ FutureBuilder( - future: headerExtent, + future: groupHeaderExtent, builder: (context, snapshot) { if (snapshot.hasData) { return SectionedListSliver( From 8a0f61a1c7ca72a69cbcb0fa9698ea317b5a0181 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Mon, 7 Jul 2025 13:38:41 +0530 Subject: [PATCH 020/302] Refactor + add header and footer of gallery --- .../lib/models/gallery/gallery_sections.dart | 31 ++++++++++--------- mobile/lib/ui/viewer/gallery/gallery.dart | 6 +++- 2 files changed, 22 insertions(+), 15 deletions(-) diff --git a/mobile/lib/models/gallery/gallery_sections.dart b/mobile/lib/models/gallery/gallery_sections.dart index a2f13e53da..3cb3ced28b 100644 --- a/mobile/lib/models/gallery/gallery_sections.dart +++ b/mobile/lib/models/gallery/gallery_sections.dart @@ -38,35 +38,30 @@ class GalleryGroups { init(); } + static const double spacing = 2.0; + + late final int crossAxisCount; + late final List _groupLayouts; + final List _groupIds = []; final Map> _groupIdToFilesMap = {}; final Map _groupIdToHeaderDataMap = {}; - late final int crossAxisCount; final currentUserID = Configuration.instance.getUserID(); - static const double spacing = 2.0; + final _uuid = const Uuid(); List get groupIDs => _groupIds; Map> get groupIDToFilesMap => _groupIdToFilesMap; Map get groupIdToheaderDataMap => _groupIdToHeaderDataMap; - - final _uuid = const Uuid(); + List get groupLayouts => _groupLayouts; void init() { - final stopwatch = Stopwatch()..start(); _buildGroups(); - _logger.info( - "Built ${_groupIds.length} groups in ${stopwatch.elapsedMilliseconds} ms", - ); - print( - "Built ${_groupIds.length} groups in ${stopwatch.elapsedMilliseconds} ms", - ); - stopwatch.stop(); - crossAxisCount = localSettings.getPhotoGridSize(); + _groupLayouts = _computeGroupLayouts(); } - List getGroupLayouts() { + List _computeGroupLayouts() { final stopwatch = Stopwatch()..start(); int currentIndex = 0; double currentOffset = 0.0; @@ -184,6 +179,7 @@ class GalleryGroups { // TODO: compute this in isolate void _buildGroups() { + final stopwatch = Stopwatch()..start(); List groupFiles = []; for (int index = 0; index < allFiles.length; index++) { if (index > 0 && @@ -196,6 +192,13 @@ class GalleryGroups { if (groupFiles.isNotEmpty) { _createNewGroup(groupFiles); } + _logger.info( + "Built ${_groupIds.length} groups in ${stopwatch.elapsedMilliseconds} ms", + ); + print( + "Built ${_groupIds.length} groups in ${stopwatch.elapsedMilliseconds} ms", + ); + stopwatch.stop(); } void _createNewGroup( diff --git a/mobile/lib/ui/viewer/gallery/gallery.dart b/mobile/lib/ui/viewer/gallery/gallery.dart index 1cb5721d55..e171b2f878 100644 --- a/mobile/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/lib/ui/viewer/gallery/gallery.dart @@ -420,6 +420,7 @@ class GalleryState extends State { child: CustomScrollView( // physics: const BouncingScrollPhysics(), slivers: [ + SliverToBoxAdapter(child: widget.header ?? const SizedBox.shrink()), FutureBuilder( future: groupHeaderExtent, builder: (context, snapshot) { @@ -432,13 +433,16 @@ class GalleryState extends State { selectedFiles: widget.selectedFiles, tagPrefix: widget.tagPrefix, headerExtent: snapshot.data!, - ).getGroupLayouts(), + ).groupLayouts, ); } else { return const SliverFillRemaining(); } }, ), + SliverToBoxAdapter( + child: widget.footer, + ), ], ), ), From 93851db27a95d7fedf3f64f08f80f2c88424283f Mon Sep 17 00:00:00 2001 From: ashilkn Date: Mon, 7 Jul 2025 13:59:26 +0530 Subject: [PATCH 021/302] Refactor --- mobile/lib/ui/viewer/gallery/gallery.dart | 41 +++++++++++------------ 1 file changed, 20 insertions(+), 21 deletions(-) diff --git a/mobile/lib/ui/viewer/gallery/gallery.dart b/mobile/lib/ui/viewer/gallery/gallery.dart index e171b2f878..11afad3bfc 100644 --- a/mobile/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/lib/ui/viewer/gallery/gallery.dart @@ -107,7 +107,7 @@ class Gallery extends StatefulWidget { class GalleryState extends State { static const int kInitialLoadLimit = 100; late final Debouncer _debouncer; - late Future groupHeaderExtent; + double? groupHeaderExtent; late Logger _logger; List> currentGroupedFiles = []; @@ -205,13 +205,17 @@ class GalleryState extends State { } }); - groupHeaderExtent = getIntrinsicSizeOfWidget( + getIntrinsicSizeOfWidget( GroupHeaderWidget( title: "This is a temp title", gridSize: localSettings.getPhotoGridSize(), ), context, - ).then((size) => size.height); + ).then((size) { + setState(() { + groupHeaderExtent = size.height; + }); + }); } void _setFilesAndReload(List files) { @@ -383,7 +387,18 @@ class GalleryState extends State { @override Widget build(BuildContext context) { + if (groupHeaderExtent == null) return const SliverFillRemaining(); + _logger.info("Building Gallery ${widget.tagPrefix}"); + + final galleryGroups = GalleryGroups( + allFiles: _allGalleryFiles, + groupType: widget.groupType, + widthAvailable: MediaQuery.sizeOf(context).width, + selectedFiles: widget.selectedFiles, + tagPrefix: widget.tagPrefix, + headerExtent: groupHeaderExtent!, + ); GalleryFilesState.of(context).setGalleryFiles = _allGalleryFiles; if (!_hasLoadedFiles) { return widget.loadingWidget; @@ -421,24 +436,8 @@ class GalleryState extends State { // physics: const BouncingScrollPhysics(), slivers: [ SliverToBoxAdapter(child: widget.header ?? const SizedBox.shrink()), - FutureBuilder( - future: groupHeaderExtent, - builder: (context, snapshot) { - if (snapshot.hasData) { - return SectionedListSliver( - sectionLayouts: GalleryGroups( - allFiles: _allGalleryFiles, - groupType: widget.groupType, - widthAvailable: MediaQuery.sizeOf(context).width, - selectedFiles: widget.selectedFiles, - tagPrefix: widget.tagPrefix, - headerExtent: snapshot.data!, - ).groupLayouts, - ); - } else { - return const SliverFillRemaining(); - } - }, + SectionedListSliver( + sectionLayouts: galleryGroups.groupLayouts, ), SliverToBoxAdapter( child: widget.footer, From 28be02bb9a2d898fcfd20002fb4eaaddfe6385ba Mon Sep 17 00:00:00 2001 From: ashilkn Date: Mon, 7 Jul 2025 14:00:32 +0530 Subject: [PATCH 022/302] Create a scrollOffsetToGroupID map to be used in custom scroll bar --- mobile/lib/models/gallery/gallery_sections.dart | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/mobile/lib/models/gallery/gallery_sections.dart b/mobile/lib/models/gallery/gallery_sections.dart index 3cb3ced28b..7f6d53c12a 100644 --- a/mobile/lib/models/gallery/gallery_sections.dart +++ b/mobile/lib/models/gallery/gallery_sections.dart @@ -46,6 +46,7 @@ class GalleryGroups { final List _groupIds = []; final Map> _groupIdToFilesMap = {}; final Map _groupIdToHeaderDataMap = {}; + final Map _scrollOffsetToGroupIdMap = {}; final currentUserID = Configuration.instance.getUserID(); final _uuid = const Uuid(); @@ -53,6 +54,7 @@ class GalleryGroups { Map> get groupIDToFilesMap => _groupIdToFilesMap; Map get groupIdToheaderDataMap => _groupIdToHeaderDataMap; + Map get scrollOffsetToGroupIdMap => _scrollOffsetToGroupIdMap; List get groupLayouts => _groupLayouts; void init() { @@ -162,6 +164,9 @@ class GalleryGroups { }, ), ); + + _scrollOffsetToGroupIdMap[currentOffset] = groupID; + currentIndex = lastIndex; currentOffset = maxOffset; } From 6e14aaaad7102a72ffad3f6fe83938783720761d Mon Sep 17 00:00:00 2001 From: ashilkn Date: Mon, 7 Jul 2025 15:55:07 +0530 Subject: [PATCH 023/302] Create a working custom scroll bar without support for header and footer --- mobile/lib/ui/home/home_gallery_widget.dart | 6 +- .../ui/viewer/gallery/collection_page.dart | 6 +- .../ui/viewer/gallery/custom_scroll_bar.dart | 267 ++++++++++++++++++ mobile/lib/ui/viewer/gallery/gallery.dart | 15 +- 4 files changed, 284 insertions(+), 10 deletions(-) create mode 100644 mobile/lib/ui/viewer/gallery/custom_scroll_bar.dart diff --git a/mobile/lib/ui/home/home_gallery_widget.dart b/mobile/lib/ui/home/home_gallery_widget.dart index 0ece05ba72..fb04d68a79 100644 --- a/mobile/lib/ui/home/home_gallery_widget.dart +++ b/mobile/lib/ui/home/home_gallery_widget.dart @@ -125,10 +125,10 @@ class _HomeGalleryWidgetState extends State { ], tagPrefix: "home_gallery", selectedFiles: widget.selectedFiles, - header: widget.header, - footer: widget.footer, + // header: widget.header, + // footer: widget.footer, // scrollSafe area -> SafeArea + Preserver more + Nav Bar buttons - scrollBottomSafeArea: bottomSafeArea + 180, + // scrollBottomSafeArea: bottomSafeArea + 180, reloadDebounceTime: const Duration(seconds: 2), reloadDebounceExecutionInterval: const Duration(seconds: 5), ); diff --git a/mobile/lib/ui/viewer/gallery/collection_page.dart b/mobile/lib/ui/viewer/gallery/collection_page.dart index aff40ef777..9ffbba7608 100644 --- a/mobile/lib/ui/viewer/gallery/collection_page.dart +++ b/mobile/lib/ui/viewer/gallery/collection_page.dart @@ -100,9 +100,9 @@ class CollectionPage extends StatelessWidget { isFromCollectPhotos: isFromCollectPhotos, ) : const EmptyState(), - footer: isFromCollectPhotos - ? const SizedBox(height: 20) - : const SizedBox(height: 212), + // footer: isFromCollectPhotos + // ? const SizedBox(height: 20) + // : const SizedBox(height: 212), ); return GalleryFilesState( diff --git a/mobile/lib/ui/viewer/gallery/custom_scroll_bar.dart b/mobile/lib/ui/viewer/gallery/custom_scroll_bar.dart new file mode 100644 index 0000000000..391235c696 --- /dev/null +++ b/mobile/lib/ui/viewer/gallery/custom_scroll_bar.dart @@ -0,0 +1,267 @@ +// import "package:flutter/material.dart"; + +// class CustomScrollBar extends StatefulWidget { +// const CustomScrollBar({super.key}); + +// @override +// State createState() => _CustomScrollBarState(); +// } + +// class _CustomScrollBarState extends State { +// @override +// Widget build(BuildContext context) { +// return const Placeholder(); +// } +// } + +import 'package:flutter/material.dart'; +import "package:logging/logging.dart"; +import "package:photos/models/gallery/gallery_sections.dart"; +import "package:photos/ui/viewer/gallery/component/group/type.dart"; + +class PositionConstraints { + final double top; + final double bottom; + PositionConstraints({ + required this.top, + required this.bottom, + }); +} + +class CustomScrollBar extends StatefulWidget { + final Widget child; + final ScrollController scrollController; + final GalleryGroups galleryGroups; + const CustomScrollBar({ + super.key, + required this.child, + required this.scrollController, + required this.galleryGroups, + }); + + @override + State createState() => CustomScrollBarState(); +} + +class CustomScrollBarState extends State { + final _key = GlobalKey(); + PositionConstraints? _positionConstraints; + + /// In the range of [0, 1]. 0 is the top of the track and 1 is the bottom + /// of the track. + double _scrollPosition = 0; + + final _heightOfScrollBar = 40.0; + double? _heightOfVisualTrack; + double? _heightOfLogicalTrack; + String toolTipText = ""; + final _logger = Logger("CustomScrollBar"); + + @override + void initState() { + super.initState(); + WidgetsBinding.instance.addPostFrameCallback((_) async { + _heightOfVisualTrack = await _getHeightOfVisualTrack(); + _heightOfLogicalTrack = _heightOfVisualTrack! - _heightOfScrollBar; + _positionConstraints = + PositionConstraints(top: 0, bottom: _heightOfLogicalTrack!); + }); + + widget.scrollController.addListener(_scrollControllerListener); + } + + @override + void dispose() { + widget.scrollController.removeListener(_scrollControllerListener); + + super.dispose(); + } + + void _scrollControllerListener() { + setState(() { + _scrollPosition = widget.scrollController.position.pixels / + widget.scrollController.position.maxScrollExtent * + _heightOfLogicalTrack!; + _getHeadingForScrollPosition(_scrollPosition).then((heading) { + toolTipText = heading; + }); + }); + } + + @override + Widget build(BuildContext context) { + return Stack( + alignment: Alignment.centerRight, + children: [ + RepaintBoundary(child: widget.child), + RepaintBoundary( + child: SizedBox( + key: _key, + height: double.infinity, + width: 20, + ), + ), + Positioned( + top: _scrollPosition, + child: RepaintBoundary( + child: GestureDetector( + onVerticalDragUpdate: (details) { + //Use debouncer if needed + final newPosition = _scrollPosition + details.delta.dy; + if (newPosition >= _positionConstraints!.top && + newPosition <= _positionConstraints!.bottom) { + widget.scrollController.jumpTo( + widget.scrollController.position.maxScrollExtent * + (newPosition / _heightOfLogicalTrack!), + ); + } + }, + child: _ScrollBarWithToolTip( + tooltipText: toolTipText, + heightOfScrollBar: _heightOfScrollBar, + ), + ), + ), + ), + ], + ); + } + + Future _getHeadingForScrollPosition( + double scrollPosition, + ) async { + final heightOfGallery = widget.galleryGroups.groupLayouts.last.maxOffset; + + final normalizedScrollPosition = + (scrollPosition / _heightOfLogicalTrack!) * heightOfGallery; + final scrollPostionHeadingPoints = + widget.galleryGroups.scrollOffsetToGroupIdMap.keys.toList(); + assert( + _isSortedAscending(scrollPostionHeadingPoints), + "Scroll position is not sorted in ascending order", + ); + + assert( + scrollPostionHeadingPoints.isNotEmpty, + "Scroll position to heading map is empty. Cannot find heading for scroll position", + ); + + // Binary search to find the index of the largest key <= scrollPosition + int low = 0; + int high = scrollPostionHeadingPoints.length - 1; + int floorIndex = 0; // Default to the first index + + // Handle the case where scrollPosition is smaller than the first key. + // In this scenario, we associate it with the first heading. + if (normalizedScrollPosition < scrollPostionHeadingPoints.first) { + return widget.galleryGroups + .scrollOffsetToGroupIdMap[scrollPostionHeadingPoints.first]!; + } + + while (low <= high) { + final mid = low + (high - low) ~/ 2; + final midValue = scrollPostionHeadingPoints[mid]; + + if (midValue <= normalizedScrollPosition) { + // This key is less than or equal to the target scrollPosition. + // It's a potential floor. Store its index and try searching higher + // for a potentially closer floor value. + floorIndex = mid; + low = mid + 1; + } else { + // This key is greater than the target scrollPosition. + // The floor must be in the lower half. + high = mid - 1; + } + } + + // After the loop, floorIndex holds the index of the largest key + // that is less than or equal to the scrollPosition. + final currentGroupID = widget.galleryGroups + .scrollOffsetToGroupIdMap[scrollPostionHeadingPoints[floorIndex]]!; + return widget + .galleryGroups.groupIdToheaderDataMap[currentGroupID]!.groupType + .getTitle( + context, + widget.galleryGroups.groupIDToFilesMap[currentGroupID]!.first, + ); + } + + Future _getHeightOfVisualTrack() { + final renderBox = _key.currentContext?.findRenderObject() as RenderBox?; + assert(renderBox != null, "RenderBox is null"); + // Retry for : https://github.com/flutter/flutter/issues/25827 + return _getNonZeroDoubleWithRetry( + () => renderBox!.size.height, + id: "getHeightOfVisualTrack", + ); + } + + Future _getNonZeroDoubleWithRetry( + double Function() getValue, { + Duration retryInterval = const Duration(milliseconds: 8), + String? id, + }) async { + final value = getValue(); + if (value != 0) { + return value; + } else { + return await Future.delayed(retryInterval, () { + if (id != null) { + _logger.info( + "Retrying to get non-zero double value for $id after ${retryInterval.inMilliseconds} ms", + ); + print( + "Retrying to get non-zero double value for $id after ${retryInterval.inMilliseconds} ms", + ); + } + return _getNonZeroDoubleWithRetry( + getValue, + retryInterval: retryInterval, + ); + }); + } + } + + bool _isSortedAscending(List list) { + if (list.length <= 1) { + return true; + } + for (int i = 0; i < list.length - 1; i++) { + if (list[i] > list[i + 1]) { + return false; + } + } + return true; + } +} + +class _ScrollBarWithToolTip extends StatelessWidget { + final String tooltipText; + final double heightOfScrollBar; + const _ScrollBarWithToolTip({ + required this.tooltipText, + required this.heightOfScrollBar, + }); + + @override + Widget build(BuildContext context) { + return Row( + mainAxisSize: MainAxisSize.min, + children: [ + Container( + color: const Color(0xFF607D8B), + child: Text( + tooltipText, + style: const TextStyle(color: Colors.white), + ), + ), + Container( + color: const Color(0xFF000000), + height: heightOfScrollBar, + width: 20, + ), + ], + ); + } +} diff --git a/mobile/lib/ui/viewer/gallery/gallery.dart b/mobile/lib/ui/viewer/gallery/gallery.dart index 11afad3bfc..bdb1916e66 100644 --- a/mobile/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/lib/ui/viewer/gallery/gallery.dart @@ -17,6 +17,7 @@ import 'package:photos/ui/common/loading_widget.dart'; import "package:photos/ui/viewer/gallery/component/group/group_header_widget.dart"; import "package:photos/ui/viewer/gallery/component/group/type.dart"; import "package:photos/ui/viewer/gallery/component/sectioned_sliver_list.dart"; +import "package:photos/ui/viewer/gallery/custom_scroll_bar.dart"; import 'package:photos/ui/viewer/gallery/empty_state.dart'; import "package:photos/ui/viewer/gallery/state/gallery_context_state.dart"; import "package:photos/ui/viewer/gallery/state/gallery_files_inherited_widget.dart"; @@ -80,9 +81,11 @@ class Gallery extends StatefulWidget { this.forceReloadEvents, this.removalEventTypes = const {}, this.header, - this.footer = const SizedBox(height: 212), + // this.footer = const SizedBox(height: 212), + this.footer = const SizedBox.shrink(), this.emptyState = const EmptyState(), - this.scrollBottomSafeArea = 120.0, + // this.scrollBottomSafeArea = 120.0, + this.scrollBottomSafeArea = 0.0, this.albumName = '', this.groupType = GroupType.day, this.enableFileGrouping = true, @@ -119,6 +122,7 @@ class GalleryState extends State { late String _logTag; bool _sortOrderAsc = false; List _allGalleryFiles = []; + final _scrollController = ScrollController(); @override void initState() { @@ -382,6 +386,7 @@ class GalleryState extends State { subscription.cancel(); } _debouncer.cancelDebounceTimer(); + _scrollController.dispose(); super.dispose(); } @@ -430,10 +435,12 @@ class GalleryState extends State { // widget.showSelectAllByDefault && widget.groupType.showGroupHeader(), // isScrollablePositionedList: widget.isScrollablePositionedList, // ), - child: Scrollbar( - interactive: true, + child: CustomScrollBar( + scrollController: _scrollController, + galleryGroups: galleryGroups, child: CustomScrollView( // physics: const BouncingScrollPhysics(), + controller: _scrollController, slivers: [ SliverToBoxAdapter(child: widget.header ?? const SizedBox.shrink()), SectionedListSliver( From 80e28ee1a3470e70198d73923de2608b138161bb Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 9 Jul 2025 16:34:58 +0530 Subject: [PATCH 024/302] chore --- mobile/lib/ui/home/home_gallery_widget.dart | 6 +++--- mobile/lib/ui/viewer/gallery/collection_page.dart | 6 +++--- 2 files changed, 6 insertions(+), 6 deletions(-) diff --git a/mobile/lib/ui/home/home_gallery_widget.dart b/mobile/lib/ui/home/home_gallery_widget.dart index fb04d68a79..0ece05ba72 100644 --- a/mobile/lib/ui/home/home_gallery_widget.dart +++ b/mobile/lib/ui/home/home_gallery_widget.dart @@ -125,10 +125,10 @@ class _HomeGalleryWidgetState extends State { ], tagPrefix: "home_gallery", selectedFiles: widget.selectedFiles, - // header: widget.header, - // footer: widget.footer, + header: widget.header, + footer: widget.footer, // scrollSafe area -> SafeArea + Preserver more + Nav Bar buttons - // scrollBottomSafeArea: bottomSafeArea + 180, + scrollBottomSafeArea: bottomSafeArea + 180, reloadDebounceTime: const Duration(seconds: 2), reloadDebounceExecutionInterval: const Duration(seconds: 5), ); diff --git a/mobile/lib/ui/viewer/gallery/collection_page.dart b/mobile/lib/ui/viewer/gallery/collection_page.dart index 9ffbba7608..aff40ef777 100644 --- a/mobile/lib/ui/viewer/gallery/collection_page.dart +++ b/mobile/lib/ui/viewer/gallery/collection_page.dart @@ -100,9 +100,9 @@ class CollectionPage extends StatelessWidget { isFromCollectPhotos: isFromCollectPhotos, ) : const EmptyState(), - // footer: isFromCollectPhotos - // ? const SizedBox(height: 20) - // : const SizedBox(height: 212), + footer: isFromCollectPhotos + ? const SizedBox(height: 20) + : const SizedBox(height: 212), ); return GalleryFilesState( From 372c4d9086bcf6b51d827c39a3eb41167e07e217 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 9 Jul 2025 16:42:32 +0530 Subject: [PATCH 025/302] Create a widget (yet to be stateful) that acts as a 'pinned header' for each group in gallery when gallery is scrolled --- .../component/group/group_header_widget.dart | 37 +++--- .../ui/viewer/gallery/custom_scroll_bar.dart | 29 +---- mobile/lib/ui/viewer/gallery/gallery.dart | 115 ++++++++++++++++-- mobile/lib/utils/misc_util.dart | 50 ++++++++ 4 files changed, 175 insertions(+), 56 deletions(-) create mode 100644 mobile/lib/utils/misc_util.dart diff --git a/mobile/lib/ui/viewer/gallery/component/group/group_header_widget.dart b/mobile/lib/ui/viewer/gallery/component/group/group_header_widget.dart index 490bf81a4d..6785494eeb 100644 --- a/mobile/lib/ui/viewer/gallery/component/group/group_header_widget.dart +++ b/mobile/lib/ui/viewer/gallery/component/group/group_header_widget.dart @@ -1,4 +1,4 @@ -import "package:flutter/cupertino.dart"; +import "package:flutter/widgets.dart"; import 'package:photos/core/constants.dart'; import "package:photos/generated/l10n.dart"; import "package:photos/theme/ente_theme.dart"; @@ -6,11 +6,13 @@ import "package:photos/theme/ente_theme.dart"; class GroupHeaderWidget extends StatelessWidget { final String title; final int gridSize; + final double? height; const GroupHeaderWidget({ super.key, required this.title, required this.gridSize, + this.height, }); @override @@ -22,21 +24,24 @@ class GroupHeaderWidget extends StatelessWidget { final double horizontalPadding = gridSize < photoGridSizeMax ? 12.0 : 8.0; final double verticalPadding = gridSize < photoGridSizeMax ? 12.0 : 14.0; - return Padding( - padding: EdgeInsets.symmetric( - horizontal: horizontalPadding, - vertical: verticalPadding, - ), - child: Container( - alignment: Alignment.centerLeft, - child: Text( - title, - style: (title == S.of(context).dayToday) - ? textStyle - : textStyle.copyWith(color: colorScheme.textMuted), - maxLines: 1, - // TODO: Make it possible to see the full title if overflowing - overflow: TextOverflow.ellipsis, + return SizedBox( + height: height, + child: Padding( + padding: EdgeInsets.symmetric( + horizontal: horizontalPadding, + vertical: verticalPadding, + ), + child: Container( + alignment: Alignment.centerLeft, + child: Text( + title, + style: (title == S.of(context).dayToday) + ? textStyle + : textStyle.copyWith(color: colorScheme.textMuted), + maxLines: 1, + // TODO: Make it possible to see the full title if overflowing + overflow: TextOverflow.ellipsis, + ), ), ), ); diff --git a/mobile/lib/ui/viewer/gallery/custom_scroll_bar.dart b/mobile/lib/ui/viewer/gallery/custom_scroll_bar.dart index 391235c696..08f3eff169 100644 --- a/mobile/lib/ui/viewer/gallery/custom_scroll_bar.dart +++ b/mobile/lib/ui/viewer/gallery/custom_scroll_bar.dart @@ -18,6 +18,7 @@ import 'package:flutter/material.dart'; import "package:logging/logging.dart"; import "package:photos/models/gallery/gallery_sections.dart"; import "package:photos/ui/viewer/gallery/component/group/type.dart"; +import "package:photos/utils/misc_util.dart"; class PositionConstraints { final double top; @@ -191,38 +192,12 @@ class CustomScrollBarState extends State { final renderBox = _key.currentContext?.findRenderObject() as RenderBox?; assert(renderBox != null, "RenderBox is null"); // Retry for : https://github.com/flutter/flutter/issues/25827 - return _getNonZeroDoubleWithRetry( + return MiscUtil().getNonZeroDoubleWithRetry( () => renderBox!.size.height, id: "getHeightOfVisualTrack", ); } - Future _getNonZeroDoubleWithRetry( - double Function() getValue, { - Duration retryInterval = const Duration(milliseconds: 8), - String? id, - }) async { - final value = getValue(); - if (value != 0) { - return value; - } else { - return await Future.delayed(retryInterval, () { - if (id != null) { - _logger.info( - "Retrying to get non-zero double value for $id after ${retryInterval.inMilliseconds} ms", - ); - print( - "Retrying to get non-zero double value for $id after ${retryInterval.inMilliseconds} ms", - ); - } - return _getNonZeroDoubleWithRetry( - getValue, - retryInterval: retryInterval, - ); - }); - } - } - bool _isSortedAscending(List list) { if (list.length <= 1) { return true; diff --git a/mobile/lib/ui/viewer/gallery/gallery.dart b/mobile/lib/ui/viewer/gallery/gallery.dart index bdb1916e66..8a5d44e265 100644 --- a/mobile/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/lib/ui/viewer/gallery/gallery.dart @@ -13,6 +13,7 @@ import 'package:photos/models/file_load_result.dart'; import "package:photos/models/gallery/gallery_sections.dart"; import 'package:photos/models/selected_files.dart'; import "package:photos/service_locator.dart"; +import "package:photos/theme/ente_theme.dart"; import 'package:photos/ui/common/loading_widget.dart'; import "package:photos/ui/viewer/gallery/component/group/group_header_widget.dart"; import "package:photos/ui/viewer/gallery/component/group/type.dart"; @@ -23,6 +24,7 @@ import "package:photos/ui/viewer/gallery/state/gallery_context_state.dart"; import "package:photos/ui/viewer/gallery/state/gallery_files_inherited_widget.dart"; import "package:photos/ui/viewer/gallery/state/inherited_search_filter_data.dart"; import "package:photos/utils/hierarchical_search_util.dart"; +import "package:photos/utils/misc_util.dart"; import "package:photos/utils/standalone/date_time.dart"; import "package:photos/utils/standalone/debouncer.dart"; import "package:photos/utils/widget_util.dart"; @@ -81,11 +83,9 @@ class Gallery extends StatefulWidget { this.forceReloadEvents, this.removalEventTypes = const {}, this.header, - // this.footer = const SizedBox(height: 212), - this.footer = const SizedBox.shrink(), + this.footer = const SizedBox(height: 212), this.emptyState = const EmptyState(), - // this.scrollBottomSafeArea = 120.0, - this.scrollBottomSafeArea = 0.0, + this.scrollBottomSafeArea = 120.0, this.albumName = '', this.groupType = GroupType.day, this.enableFileGrouping = true, @@ -123,6 +123,21 @@ class GalleryState extends State { bool _sortOrderAsc = false; List _allGalleryFiles = []; final _scrollController = ScrollController(); + final _sectionedListSliverKey = GlobalKey(); + final _stackKey = GlobalKey(); + double? _stackRenderBoxYOffset; + double? _sectionedListSliverRenderBoxYOffset; + double? get _sectionedListSliverRenderBoxYOffsetRelativeToStackRenderBox { + if (_sectionedListSliverRenderBoxYOffset != null && + _stackRenderBoxYOffset != null) { + return _sectionedListSliverRenderBoxYOffset! - _stackRenderBoxYOffset!; + } + return null; + } + + final miscUtil = MiscUtil(); + + final _showPinnedHeader = ValueNotifier(false); @override void initState() { @@ -220,6 +235,51 @@ class GalleryState extends State { groupHeaderExtent = size.height; }); }); + + WidgetsBinding.instance.addPostFrameCallback((_) async { + try { + final sectionedListSliverRenderBox = await miscUtil + .getNonNullValueWithRetry( + () => _sectionedListSliverKey.currentContext?.findRenderObject(), + retryInterval: const Duration(milliseconds: 750), + id: "sectionedListSliverRenderBox", + ) + .then((value) => value as RenderBox); + final stackRenderBox = await miscUtil + .getNonNullValueWithRetry( + () => _stackKey.currentContext?.findRenderObject(), + retryInterval: const Duration(milliseconds: 750), + id: "stackRenderBox", + ) + .then((value) => value as RenderBox); + + _sectionedListSliverRenderBoxYOffset = + sectionedListSliverRenderBox.localToGlobal(Offset.zero).dy; + _stackRenderBoxYOffset = stackRenderBox.localToGlobal(Offset.zero).dy; + } catch (e, s) { + _logger.warning("Error getting renderBox offset", e, s); + } + setState(() {}); + }); + + _scrollController.addListener(_scrollControllerListener); + } + + void _scrollControllerListener() { + if (_sectionedListSliverRenderBoxYOffsetRelativeToStackRenderBox == null) { + return; + } + + if (_scrollController.offset >= + _sectionedListSliverRenderBoxYOffsetRelativeToStackRenderBox!) { + if (!_showPinnedHeader.value) { + _showPinnedHeader.value = true; + } + } else { + if (_showPinnedHeader.value) { + _showPinnedHeader.value = false; + } + } } void _setFilesAndReload(List files) { @@ -395,6 +455,7 @@ class GalleryState extends State { if (groupHeaderExtent == null) return const SliverFillRemaining(); _logger.info("Building Gallery ${widget.tagPrefix}"); + final colorScheme = getEnteColorScheme(context); final galleryGroups = GalleryGroups( allFiles: _allGalleryFiles, @@ -438,16 +499,44 @@ class GalleryState extends State { child: CustomScrollBar( scrollController: _scrollController, galleryGroups: galleryGroups, - child: CustomScrollView( - // physics: const BouncingScrollPhysics(), - controller: _scrollController, - slivers: [ - SliverToBoxAdapter(child: widget.header ?? const SizedBox.shrink()), - SectionedListSliver( - sectionLayouts: galleryGroups.groupLayouts, + child: Stack( + key: _stackKey, + clipBehavior: Clip.none, + children: [ + CustomScrollView( + // physics: const BouncingScrollPhysics(), + controller: _scrollController, + slivers: [ + SliverToBoxAdapter( + child: widget.header ?? const SizedBox.shrink(), + ), + SliverToBoxAdapter( + child: SizedBox.shrink( + key: _sectionedListSliverKey, + ), + ), + SectionedListSliver( + sectionLayouts: galleryGroups.groupLayouts, + ), + SliverToBoxAdapter( + child: widget.footer, + ), + ], ), - SliverToBoxAdapter( - child: widget.footer, + ValueListenableBuilder( + valueListenable: _showPinnedHeader, + builder: (context, value, _) { + return value + ? Container( + color: colorScheme.backgroundBase, + child: GroupHeaderWidget( + title: "Temp title", + gridSize: localSettings.getPhotoGridSize(), + height: groupHeaderExtent, + ), + ) + : const SizedBox.shrink(); + }, ), ], ), diff --git a/mobile/lib/utils/misc_util.dart b/mobile/lib/utils/misc_util.dart new file mode 100644 index 0000000000..fa4705919f --- /dev/null +++ b/mobile/lib/utils/misc_util.dart @@ -0,0 +1,50 @@ +import "package:logging/logging.dart"; + +class MiscUtil { + final logger = Logger("MiscUtil"); + Future getNonZeroDoubleWithRetry( + double Function() getValue, { + Duration retryInterval = const Duration(milliseconds: 8), + String? id, + }) async { + final value = getValue(); + if (value != 0) { + return value; + } else { + return await Future.delayed(retryInterval, () { + if (id != null) { + logger.info( + "Retrying to get non-zero double value for $id after ${retryInterval.inMilliseconds} ms", + ); + } + return getNonZeroDoubleWithRetry( + getValue, + retryInterval: retryInterval, + ); + }); + } + } + + Future getNonNullValueWithRetry( + dynamic Function() getValue, { + Duration retryInterval = const Duration(milliseconds: 8), + String? id, + }) async { + final value = getValue(); + if (value != null) { + return value; + } else { + return await Future.delayed(retryInterval, () { + if (id != null) { + logger.info( + "Retrying to get non-zero double value for $id after ${retryInterval.inMilliseconds} ms", + ); + } + return getNonNullValueWithRetry( + getValue, + retryInterval: retryInterval, + ); + }); + } + } +} From da4e0aa826fc2ea3a98827833bf9511cf2511d86 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 9 Jul 2025 16:52:44 +0530 Subject: [PATCH 026/302] chore --- .../ui/viewer/gallery/custom_scroll_bar.dart | 18 ------------------ 1 file changed, 18 deletions(-) diff --git a/mobile/lib/ui/viewer/gallery/custom_scroll_bar.dart b/mobile/lib/ui/viewer/gallery/custom_scroll_bar.dart index 08f3eff169..7d0a956033 100644 --- a/mobile/lib/ui/viewer/gallery/custom_scroll_bar.dart +++ b/mobile/lib/ui/viewer/gallery/custom_scroll_bar.dart @@ -1,21 +1,4 @@ -// import "package:flutter/material.dart"; - -// class CustomScrollBar extends StatefulWidget { -// const CustomScrollBar({super.key}); - -// @override -// State createState() => _CustomScrollBarState(); -// } - -// class _CustomScrollBarState extends State { -// @override -// Widget build(BuildContext context) { -// return const Placeholder(); -// } -// } - import 'package:flutter/material.dart'; -import "package:logging/logging.dart"; import "package:photos/models/gallery/gallery_sections.dart"; import "package:photos/ui/viewer/gallery/component/group/type.dart"; import "package:photos/utils/misc_util.dart"; @@ -56,7 +39,6 @@ class CustomScrollBarState extends State { double? _heightOfVisualTrack; double? _heightOfLogicalTrack; String toolTipText = ""; - final _logger = Logger("CustomScrollBar"); @override void initState() { From 937af3da37efb5715335c8f35a86aba147be9460 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Thu, 10 Jul 2025 11:59:27 +0530 Subject: [PATCH 027/302] clean up --- mobile/lib/ui/viewer/gallery/gallery.dart | 106 +++++++++++++++------- 1 file changed, 71 insertions(+), 35 deletions(-) diff --git a/mobile/lib/ui/viewer/gallery/gallery.dart b/mobile/lib/ui/viewer/gallery/gallery.dart index 8a5d44e265..0ef6346fad 100644 --- a/mobile/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/lib/ui/viewer/gallery/gallery.dart @@ -137,8 +137,6 @@ class GalleryState extends State { final miscUtil = MiscUtil(); - final _showPinnedHeader = ValueNotifier(false); - @override void initState() { super.initState(); @@ -261,25 +259,6 @@ class GalleryState extends State { } setState(() {}); }); - - _scrollController.addListener(_scrollControllerListener); - } - - void _scrollControllerListener() { - if (_sectionedListSliverRenderBoxYOffsetRelativeToStackRenderBox == null) { - return; - } - - if (_scrollController.offset >= - _sectionedListSliverRenderBoxYOffsetRelativeToStackRenderBox!) { - if (!_showPinnedHeader.value) { - _showPinnedHeader.value = true; - } - } else { - if (_showPinnedHeader.value) { - _showPinnedHeader.value = false; - } - } } void _setFilesAndReload(List files) { @@ -523,20 +502,11 @@ class GalleryState extends State { ), ], ), - ValueListenableBuilder( - valueListenable: _showPinnedHeader, - builder: (context, value, _) { - return value - ? Container( - color: colorScheme.backgroundBase, - child: GroupHeaderWidget( - title: "Temp title", - gridSize: localSettings.getPhotoGridSize(), - height: groupHeaderExtent, - ), - ) - : const SizedBox.shrink(); - }, + PinnedGroupHeader( + scrollController: _scrollController, + galleryGroups: galleryGroups, + getSectionedListSliverRenderBoxYOffsetRelativeToStackRenderBox: () => + _sectionedListSliverRenderBoxYOffsetRelativeToStackRenderBox, ), ], ), @@ -606,6 +576,72 @@ class GalleryState extends State { } } +class PinnedGroupHeader extends StatefulWidget { + final ScrollController scrollController; + final GalleryGroups galleryGroups; + final double? Function() + getSectionedListSliverRenderBoxYOffsetRelativeToStackRenderBox; + const PinnedGroupHeader({ + required this.scrollController, + required this.galleryGroups, + required this.getSectionedListSliverRenderBoxYOffsetRelativeToStackRenderBox, + super.key, + }); + + @override + State createState() => _PinnedGroupHeaderState(); +} + +class _PinnedGroupHeaderState extends State { + String? currentGroupID; + @override + void initState() { + super.initState(); + widget.scrollController.addListener(_scrollControllerListener); + } + + @override + void dispose() { + widget.scrollController.removeListener(_scrollControllerListener); + super.dispose(); + } + + void _scrollControllerListener() { + final normalizedScrollOffset = widget.scrollController.offset - + widget + .getSectionedListSliverRenderBoxYOffsetRelativeToStackRenderBox()!; + if (normalizedScrollOffset < 0) { + currentGroupID = null; + } else { + //TODO: make this more efficient. This is very less thought out. + final entry = + widget.galleryGroups.scrollOffsetToGroupIdMap.entries.firstWhere( + (element) => element.key >= normalizedScrollOffset, + orElse: () => + widget.galleryGroups.scrollOffsetToGroupIdMap.entries.last, + ); + currentGroupID = entry.value; + } + setState(() {}); + } + + @override + Widget build(BuildContext context) { + return currentGroupID != null + ? GroupHeaderWidget( + title: widget.galleryGroups.groupIdToheaderDataMap[currentGroupID!]! + .groupType + .getTitle( + context, + widget.galleryGroups.groupIDToFilesMap[currentGroupID]!.first, + ), + gridSize: localSettings.getPhotoGridSize(), + height: widget.galleryGroups.headerExtent, + ) + : const SizedBox.shrink(); + } +} + class GalleryIndexUpdatedEvent { final String tag; final int index; From 2426b7405cb80eacce35373f0f477aa7f621ce49 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Sat, 12 Jul 2025 14:37:08 +0530 Subject: [PATCH 028/302] Improve performance of deciding what title to show on the PinnedGroupHeader based on group --- .../lib/models/gallery/gallery_sections.dart | 9 ++++ .../photos/lib/ui/viewer/gallery/gallery.dart | 54 ++++++++++++++----- 2 files changed, 49 insertions(+), 14 deletions(-) diff --git a/mobile/apps/photos/lib/models/gallery/gallery_sections.dart b/mobile/apps/photos/lib/models/gallery/gallery_sections.dart index 7f6d53c12a..365acbeea2 100644 --- a/mobile/apps/photos/lib/models/gallery/gallery_sections.dart +++ b/mobile/apps/photos/lib/models/gallery/gallery_sections.dart @@ -47,6 +47,7 @@ class GalleryGroups { final Map> _groupIdToFilesMap = {}; final Map _groupIdToHeaderDataMap = {}; final Map _scrollOffsetToGroupIdMap = {}; + final List _groupScrollOffsets = []; final currentUserID = Configuration.instance.getUserID(); final _uuid = const Uuid(); @@ -56,11 +57,18 @@ class GalleryGroups { _groupIdToHeaderDataMap; Map get scrollOffsetToGroupIdMap => _scrollOffsetToGroupIdMap; List get groupLayouts => _groupLayouts; + List get groupScrollOffsets => _groupScrollOffsets; void init() { _buildGroups(); crossAxisCount = localSettings.getPhotoGridSize(); _groupLayouts = _computeGroupLayouts(); + assert(groupIDs.length == _groupIdToFilesMap.length); + assert(groupIDs.length == _groupIdToHeaderDataMap.length); + assert( + groupIDs.length == _scrollOffsetToGroupIdMap.length, + ); + assert(groupIDs.length == _groupScrollOffsets.length); } List _computeGroupLayouts() { @@ -166,6 +174,7 @@ class GalleryGroups { ); _scrollOffsetToGroupIdMap[currentOffset] = groupID; + _groupScrollOffsets.add(currentOffset); currentIndex = lastIndex; currentOffset = maxOffset; diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 0ef6346fad..5cf15b5b98 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -613,15 +613,40 @@ class _PinnedGroupHeaderState extends State { if (normalizedScrollOffset < 0) { currentGroupID = null; } else { - //TODO: make this more efficient. This is very less thought out. - final entry = - widget.galleryGroups.scrollOffsetToGroupIdMap.entries.firstWhere( - (element) => element.key >= normalizedScrollOffset, - orElse: () => - widget.galleryGroups.scrollOffsetToGroupIdMap.entries.last, - ); - currentGroupID = entry.value; + final groupScrollOffsets = widget.galleryGroups.groupScrollOffsets; + + // Binary search to find the index of the largest scrollOffset in + // groupScrollOffsets which is <= scrollPosition + int low = 0; + int high = groupScrollOffsets.length - 1; + int floorIndex = 0; + + // Handle the case where scrollPosition is smaller than the first key. + // In this scenario, we associate it with the first heading. + if (normalizedScrollOffset < groupScrollOffsets.first) { + return; + } + + while (low <= high) { + final mid = low + (high - low) ~/ 2; + final midValue = groupScrollOffsets[mid]; + + if (midValue <= normalizedScrollOffset) { + // This key is less than or equal to the target scrollPosition. + // It's a potential floor. Store its index and try searching higher + // for a potentially closer floor value. + floorIndex = mid; + low = mid + 1; + } else { + // This key is greater than the target scrollPosition. + // The floor must be in the lower half. + high = mid - 1; + } + } + currentGroupID = widget.galleryGroups + .scrollOffsetToGroupIdMap[groupScrollOffsets[floorIndex]]; } + setState(() {}); } @@ -629,12 +654,13 @@ class _PinnedGroupHeaderState extends State { Widget build(BuildContext context) { return currentGroupID != null ? GroupHeaderWidget( - title: widget.galleryGroups.groupIdToheaderDataMap[currentGroupID!]! - .groupType - .getTitle( - context, - widget.galleryGroups.groupIDToFilesMap[currentGroupID]!.first, - ), + title: widget.galleryGroups.groupIdToheaderDataMap[currentGroupID!] + ?.groupType + .getTitle( + context, + widget.galleryGroups.groupIDToFilesMap[currentGroupID]!.first, + ) ?? + '', gridSize: localSettings.getPhotoGridSize(), height: widget.galleryGroups.headerExtent, ) From 38e5135878622e779b851b756007dc3030071232 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Sat, 12 Jul 2025 15:31:57 +0530 Subject: [PATCH 029/302] Fix bug in PinnedGroupHeader when gallery is reloaded or setState is called in gallery --- .../photos/lib/ui/viewer/gallery/gallery.dart | 25 +++++++++++-------- 1 file changed, 15 insertions(+), 10 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 5cf15b5b98..7ef1616ff8 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -597,16 +597,22 @@ class _PinnedGroupHeaderState extends State { @override void initState() { super.initState(); - widget.scrollController.addListener(_scrollControllerListener); + widget.scrollController.addListener(_setCurrentGroupID); + } + + @override + void didUpdateWidget(covariant PinnedGroupHeader oldWidget) { + super.didUpdateWidget(oldWidget); + _setCurrentGroupID(); } @override void dispose() { - widget.scrollController.removeListener(_scrollControllerListener); + widget.scrollController.removeListener(_setCurrentGroupID); super.dispose(); } - void _scrollControllerListener() { + void _setCurrentGroupID() { final normalizedScrollOffset = widget.scrollController.offset - widget .getSectionedListSliverRenderBoxYOffsetRelativeToStackRenderBox()!; @@ -654,13 +660,12 @@ class _PinnedGroupHeaderState extends State { Widget build(BuildContext context) { return currentGroupID != null ? GroupHeaderWidget( - title: widget.galleryGroups.groupIdToheaderDataMap[currentGroupID!] - ?.groupType - .getTitle( - context, - widget.galleryGroups.groupIDToFilesMap[currentGroupID]!.first, - ) ?? - '', + title: widget.galleryGroups.groupIdToheaderDataMap[currentGroupID!]! + .groupType + .getTitle( + context, + widget.galleryGroups.groupIDToFilesMap[currentGroupID]!.first, + ), gridSize: localSettings.getPhotoGridSize(), height: widget.galleryGroups.headerExtent, ) From 59b07f35070b379867d24991c3a96f6a116c8eeb Mon Sep 17 00:00:00 2001 From: ashilkn Date: Sat, 12 Jul 2025 15:32:44 +0530 Subject: [PATCH 030/302] Use bouncing scroll physics for gallery --- mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 7ef1616ff8..9d4b913013 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -483,7 +483,7 @@ class GalleryState extends State { clipBehavior: Clip.none, children: [ CustomScrollView( - // physics: const BouncingScrollPhysics(), + physics: const BouncingScrollPhysics(), controller: _scrollController, slivers: [ SliverToBoxAdapter( From 4d8d0d1b0736313c06ddc0f367adbb9927fd3b48 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Sat, 12 Jul 2025 17:20:24 +0530 Subject: [PATCH 031/302] Make selection work on the new group header widget --- .../lib/models/gallery/gallery_sections.dart | 5 + .../component/group/group_header_widget.dart | 128 +++++++++++++++--- .../photos/lib/ui/viewer/gallery/gallery.dart | 31 +++-- 3 files changed, 138 insertions(+), 26 deletions(-) diff --git a/mobile/apps/photos/lib/models/gallery/gallery_sections.dart b/mobile/apps/photos/lib/models/gallery/gallery_sections.dart index 365acbeea2..9438fe685e 100644 --- a/mobile/apps/photos/lib/models/gallery/gallery_sections.dart +++ b/mobile/apps/photos/lib/models/gallery/gallery_sections.dart @@ -19,6 +19,7 @@ class GalleryGroups { final SelectedFiles? selectedFiles; final bool limitSelectionToOne; final String tagPrefix; + final bool showSelectAllByDefault; final _logger = Logger("GalleryGroups"); //TODO: Add support for sort order @@ -33,6 +34,7 @@ class GalleryGroups { required this.tagPrefix, this.sortOrderAsc = true, required this.headerExtent, + required this.showSelectAllByDefault, this.limitSelectionToOne = false, }) { init(); @@ -109,6 +111,9 @@ class GalleryGroups { .groupType .getTitle(context, groupIDToFilesMap[groupID]!.first), gridSize: crossAxisCount, + filesInGroup: groupIDToFilesMap[groupID]!, + selectedFiles: selectedFiles, + showSelectAllByDefault: showSelectAllByDefault, ); } else { final gridRowChildren = []; diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart b/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart index 6785494eeb..15574d6cf6 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart @@ -1,49 +1,143 @@ -import "package:flutter/widgets.dart"; +import "package:flutter/material.dart"; import 'package:photos/core/constants.dart'; import "package:photos/generated/l10n.dart"; +import "package:photos/models/file/file.dart"; +import "package:photos/models/selected_files.dart"; import "package:photos/theme/ente_theme.dart"; -class GroupHeaderWidget extends StatelessWidget { +class GroupHeaderWidget extends StatefulWidget { final String title; final int gridSize; final double? height; + final List filesInGroup; + final SelectedFiles? selectedFiles; + final bool showSelectAllByDefault; const GroupHeaderWidget({ super.key, required this.title, required this.gridSize, + required this.filesInGroup, + required this.selectedFiles, + required this.showSelectAllByDefault, this.height, }); + @override + State createState() => _GroupHeaderWidgetState(); +} + +class _GroupHeaderWidgetState extends State { + late final ValueNotifier _showSelectAllButtonNotifier; + late final ValueNotifier _areAllFromGroupSelectedNotifier; + + @override + void initState() { + super.initState(); + _areAllFromGroupSelectedNotifier = + ValueNotifier(_areAllFromGroupSelected()); + + widget.selectedFiles?.addListener(_selectedFilesListener); + _showSelectAllButtonNotifier = ValueNotifier(widget.showSelectAllByDefault); + } + + @override + void dispose() { + _areAllFromGroupSelectedNotifier.dispose(); + _showSelectAllButtonNotifier.dispose(); + widget.selectedFiles?.removeListener(_selectedFilesListener); + super.dispose(); + } + @override Widget build(BuildContext context) { final colorScheme = getEnteColorScheme(context); final textTheme = getEnteTextTheme(context); final textStyle = - gridSize < photoGridSizeMax ? textTheme.body : textTheme.small; - final double horizontalPadding = gridSize < photoGridSizeMax ? 12.0 : 8.0; - final double verticalPadding = gridSize < photoGridSizeMax ? 12.0 : 14.0; + widget.gridSize < photoGridSizeMax ? textTheme.body : textTheme.small; + final double horizontalPadding = + widget.gridSize < photoGridSizeMax ? 12.0 : 8.0; + final double verticalPadding = + widget.gridSize < photoGridSizeMax ? 12.0 : 14.0; return SizedBox( - height: height, + height: widget.height, child: Padding( padding: EdgeInsets.symmetric( horizontal: horizontalPadding, vertical: verticalPadding, ), - child: Container( - alignment: Alignment.centerLeft, - child: Text( - title, - style: (title == S.of(context).dayToday) - ? textStyle - : textStyle.copyWith(color: colorScheme.textMuted), - maxLines: 1, - // TODO: Make it possible to see the full title if overflowing - overflow: TextOverflow.ellipsis, - ), + child: Row( + children: [ + Container( + alignment: Alignment.centerLeft, + child: Text( + widget.title, + style: (widget.title == S.of(context).dayToday) + ? textStyle + : textStyle.copyWith(color: colorScheme.textMuted), + maxLines: 1, + // TODO: Make it possible to see the full title if overflowing + overflow: TextOverflow.ellipsis, + ), + ), + Expanded(child: Container()), + ValueListenableBuilder( + valueListenable: _showSelectAllButtonNotifier, + builder: (context, value, _) { + return !value + ? const SizedBox.shrink() + : GestureDetector( + behavior: HitTestBehavior.translucent, + child: ValueListenableBuilder( + valueListenable: _areAllFromGroupSelectedNotifier, + builder: (context, dynamic value, _) { + return value + ? const Icon( + Icons.check_circle, + size: 18, + ) + : Icon( + Icons.check_circle_outlined, + color: + getEnteColorScheme(context).strokeMuted, + size: 18, + ); + }, + ), + onTap: () { + widget.selectedFiles?.toggleGroupSelection( + widget.filesInGroup.toSet(), + ); + }, + ); + }, + ), + ], ), ), ); } + + void _selectedFilesListener() { + if (widget.selectedFiles == null) return; + _areAllFromGroupSelectedNotifier.value = + widget.selectedFiles!.files.containsAll(widget.filesInGroup.toSet()); + + //Can remove this if we decide to show select all by default for all galleries + if (widget.selectedFiles!.files.isEmpty && !widget.showSelectAllByDefault) { + _showSelectAllButtonNotifier.value = false; + } else { + _showSelectAllButtonNotifier.value = true; + } + } + + bool _areAllFromGroupSelected() { + if (widget.selectedFiles != null && + widget.selectedFiles!.files.length >= widget.filesInGroup.length) { + return widget.selectedFiles!.files.containsAll(widget.filesInGroup); + } else { + return false; + } + } } diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 9d4b913013..55141f12ba 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -13,7 +13,6 @@ import 'package:photos/models/file_load_result.dart'; import "package:photos/models/gallery/gallery_sections.dart"; import 'package:photos/models/selected_files.dart'; import "package:photos/service_locator.dart"; -import "package:photos/theme/ente_theme.dart"; import 'package:photos/ui/common/loading_widget.dart'; import "package:photos/ui/viewer/gallery/component/group/group_header_widget.dart"; import "package:photos/ui/viewer/gallery/component/group/type.dart"; @@ -224,8 +223,11 @@ class GalleryState extends State { getIntrinsicSizeOfWidget( GroupHeaderWidget( - title: "This is a temp title", + title: "Dummy title", gridSize: localSettings.getPhotoGridSize(), + filesInGroup: const [], + selectedFiles: null, + showSelectAllByDefault: false, ), context, ).then((size) { @@ -434,7 +436,6 @@ class GalleryState extends State { if (groupHeaderExtent == null) return const SliverFillRemaining(); _logger.info("Building Gallery ${widget.tagPrefix}"); - final colorScheme = getEnteColorScheme(context); final galleryGroups = GalleryGroups( allFiles: _allGalleryFiles, @@ -443,6 +444,7 @@ class GalleryState extends State { selectedFiles: widget.selectedFiles, tagPrefix: widget.tagPrefix, headerExtent: groupHeaderExtent!, + showSelectAllByDefault: widget.showSelectAllByDefault, ); GalleryFilesState.of(context).setGalleryFiles = _allGalleryFiles; if (!_hasLoadedFiles) { @@ -507,6 +509,8 @@ class GalleryState extends State { galleryGroups: galleryGroups, getSectionedListSliverRenderBoxYOffsetRelativeToStackRenderBox: () => _sectionedListSliverRenderBoxYOffsetRelativeToStackRenderBox, + selectedFiles: widget.selectedFiles, + showSelectAllByDefault: widget.showSelectAllByDefault, ), ], ), @@ -581,10 +585,15 @@ class PinnedGroupHeader extends StatefulWidget { final GalleryGroups galleryGroups; final double? Function() getSectionedListSliverRenderBoxYOffsetRelativeToStackRenderBox; + final SelectedFiles? selectedFiles; + final bool showSelectAllByDefault; + const PinnedGroupHeader({ required this.scrollController, required this.galleryGroups, required this.getSectionedListSliverRenderBoxYOffsetRelativeToStackRenderBox, + required this.selectedFiles, + required this.showSelectAllByDefault, super.key, }); @@ -593,7 +602,7 @@ class PinnedGroupHeader extends StatefulWidget { } class _PinnedGroupHeaderState extends State { - String? currentGroupID; + String? currentGroupId; @override void initState() { super.initState(); @@ -617,7 +626,7 @@ class _PinnedGroupHeaderState extends State { widget .getSectionedListSliverRenderBoxYOffsetRelativeToStackRenderBox()!; if (normalizedScrollOffset < 0) { - currentGroupID = null; + currentGroupId = null; } else { final groupScrollOffsets = widget.galleryGroups.groupScrollOffsets; @@ -649,7 +658,7 @@ class _PinnedGroupHeaderState extends State { high = mid - 1; } } - currentGroupID = widget.galleryGroups + currentGroupId = widget.galleryGroups .scrollOffsetToGroupIdMap[groupScrollOffsets[floorIndex]]; } @@ -658,16 +667,20 @@ class _PinnedGroupHeaderState extends State { @override Widget build(BuildContext context) { - return currentGroupID != null + return currentGroupId != null ? GroupHeaderWidget( - title: widget.galleryGroups.groupIdToheaderDataMap[currentGroupID!]! + title: widget.galleryGroups.groupIdToheaderDataMap[currentGroupId!]! .groupType .getTitle( context, - widget.galleryGroups.groupIDToFilesMap[currentGroupID]!.first, + widget.galleryGroups.groupIDToFilesMap[currentGroupId]!.first, ), gridSize: localSettings.getPhotoGridSize(), height: widget.galleryGroups.headerExtent, + filesInGroup: + widget.galleryGroups.groupIDToFilesMap[currentGroupId!]!, + selectedFiles: widget.selectedFiles, + showSelectAllByDefault: widget.showSelectAllByDefault, ) : const SizedBox.shrink(); } From d0f637b15465620bbff946a41749bbab1e1b1961 Mon Sep 17 00:00:00 2001 From: Keerthana Date: Mon, 16 Jun 2025 11:07:30 +0530 Subject: [PATCH 032/302] [server][script] enhance reading choice and refactor choice --- server/quickstart.sh | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/server/quickstart.sh b/server/quickstart.sh index 6fa881188e..4c2a58f871 100755 --- a/server/quickstart.sh +++ b/server/quickstart.sh @@ -193,10 +193,10 @@ EOF printf " \033[1;32mT\033[0m Created \033[1mmuseum.yaml\033[0m\n" sleep 1 -printf " \033[1;32mE\033[0m Do you want to start Ente? (y/n): " -read choice +printf " \033[1;32mE\033[0m Do you want to start Ente? (y/n) [n]: " +read -r choice -if [[ "$choice" == "y" || "$choice" == "Y" ]]; then +if [[ "$choice" =~ ^[Yy]$ ]]; then printf "\nStarting docker compose\n" printf "\nAfter the cluster has started, open web app at \033[1mhttp://localhost:3000\033[0m\n" printf "(Verification code will be in the logs here)\n\n" From cbfcbe8da29660945e1d1b6ad215103775b4c404 Mon Sep 17 00:00:00 2001 From: Keerthana Date: Mon, 16 Jun 2025 11:51:38 +0530 Subject: [PATCH 033/302] [docs] reduce verbose description in quickstart --- server/docs/quickstart.md | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/server/docs/quickstart.md b/server/docs/quickstart.md index 3f29357711..6ff3646273 100644 --- a/server/docs/quickstart.md +++ b/server/docs/quickstart.md @@ -24,8 +24,8 @@ sh -c "$(curl -fsSL https://raw.githubusercontent.com/ente-io/ente/main/server/q > ./quickstart.sh -If prompted to start the cluster, enter `y` if you wish to start the Docker compose cluster. -After the Docker compose cluster starts, you can open the Ente web app at +Which will prompt to start the Docker compose cluster. +After the Docker compose cluster starts, you can open Ente web app at http://localhost:3000. > [!TIP] From 4d078c094c28e53d12c87c5b59fdf0ad88c6a05e Mon Sep 17 00:00:00 2001 From: Keerthana Date: Fri, 11 Jul 2025 09:27:49 +0530 Subject: [PATCH 034/302] [docs] restructure self-hosting navigation --- docs/docs/.vitepress/sidebar.ts | 67 +++++++++++++----- docs/docs/index.md | 2 +- docs/docs/self-hosting/index.md | 44 +----------- .../custom-server/custom-server.png | Bin .../custom-server/index.md | 0 .../web-custom-endpoint-indicator.png | Bin .../custom-server/web-dev-settings.png | Bin .../{faq => install}/environment.md | 0 .../docs/self-hosting/install/post-install.md | 0 docs/docs/self-hosting/install/quickstart.md | 0 .../docs/self-hosting/install/requirements.md | 24 +++++++ docs/docs/self-hosting/quickstart.md | 46 ++++++++++++ .../mail-templates/family_nudge_paid_sub.html | 0 server/quickstart.sh | 6 ++ 14 files changed, 127 insertions(+), 62 deletions(-) rename docs/docs/self-hosting/{guides => install}/custom-server/custom-server.png (100%) rename docs/docs/self-hosting/{guides => install}/custom-server/index.md (100%) rename docs/docs/self-hosting/{guides => install}/custom-server/web-custom-endpoint-indicator.png (100%) rename docs/docs/self-hosting/{guides => install}/custom-server/web-dev-settings.png (100%) rename docs/docs/self-hosting/{faq => install}/environment.md (100%) create mode 100644 docs/docs/self-hosting/install/post-install.md create mode 100644 docs/docs/self-hosting/install/quickstart.md create mode 100644 docs/docs/self-hosting/install/requirements.md create mode 100644 docs/docs/self-hosting/quickstart.md create mode 100644 server/mail-templates/family_nudge_paid_sub.html diff --git a/docs/docs/.vitepress/sidebar.ts b/docs/docs/.vitepress/sidebar.ts index a90caad19b..6715ef1303 100644 --- a/docs/docs/.vitepress/sidebar.ts +++ b/docs/docs/.vitepress/sidebar.ts @@ -242,26 +242,61 @@ export const sidebar = [ text: "Self hosting", collapsed: true, items: [ - { text: "Getting started", link: "/self-hosting/" }, { - text: "Connecting to custom server", - link: "/self-hosting/guides/custom-server/", + text: "Introduction", + link: "/self-hosting/", }, { - text: "Creating accounts", - link: "/self-hosting/creating-accounts", + text: "Quickstart", + link: "/self-hosting/quickstart", }, { - text: "Configuring your server", - link: "/self-hosting/museum", + text: "Install", + collapsed: true, + items: [ + { + text: "Requirements", + link: "/self-hosting/install/requirements", + }, + { + text: "Quickstart Script (recommended)", + link: "/self-hosting/install/quickstart", + }, + { + text: "Environment variables", + link: "/self-hosting/install/environment", + }, + { + text: "Post-installation Steps", + link: "/self-hosting/install/post-install", + }, + { + text: "Connecting to Custom Server", + link: "/self-hosting/install/custom-server/" + } + ], }, { - text: "Configuring S3", - link: "/self-hosting/guides/configuring-s3", - }, - { - text: "Reverse proxy", - link: "/self-hosting/reverse-proxy", + text: "Administration", + collapsed: true, + items: [ + { + text: "Creating accounts", + link: "/self-hosting/creating-accounts", + }, + { + text: "Configuring your server", + link: "/self-hosting/museum", + }, + { + text: "Configuring S3", + link: "/self-hosting/guides/configuring-s3", + }, + { + text: "Reverse proxy", + link: "/self-hosting/reverse-proxy", + }, + ], }, { text: "Guides", @@ -342,11 +377,7 @@ export const sidebar = [ { text: "Backups", link: "/self-hosting/faq/backup", - }, - { - text: "Environment variables", - link: "/self-hosting/faq/environment", - }, + } ], }, ], diff --git a/docs/docs/index.md b/docs/docs/index.md index 6bf6d18275..04685abcae 100644 --- a/docs/docs/index.md +++ b/docs/docs/index.md @@ -6,7 +6,7 @@ description: > # Welcome! -![Ducky: Ente's Mascot](/public/ducky.png){width=50% style="margin: 0 auto"} +![Ducky: Ente's Mascot](/ducky.png){width=50% style="margin: 0 auto"} ## Introduction diff --git a/docs/docs/self-hosting/index.md b/docs/docs/self-hosting/index.md index f371747114..7b10688264 100644 --- a/docs/docs/self-hosting/index.md +++ b/docs/docs/self-hosting/index.md @@ -1,6 +1,6 @@ --- title: Self Hosting -description: Getting started self hosting Ente Photos and/or Ente Auth +description: Overview of self-hosting Ente --- # Self Hosting @@ -9,48 +9,6 @@ The entire source code for Ente is open source, [including the servers](https://ente.io/blog/open-sourcing-our-server/). This is the same code we use for our own cloud service. -## Requirements - -### Hardware - -The server is capable of running on minimal resource requirements as a -lightweight Go binary, since most of the intensive computational tasks are done -on the client. It performs well on small cloud instances, old laptops, and even -[low-end embedded devices](https://github.com/ente-io/ente/discussions/594). - -### Software - -#### Operating System - -Any Linux or \*nix operating system, Ubuntu or Debian is recommended to have a -good Docker experience. Non-Linux operating systems tend to provide poor -experience with Docker and difficulty with troubleshooting and assistance. - -#### Docker - -Required for running Ente's server, web application and dependent services -(database and object storage) - -## Getting started - -Run this command on your terminal to setup Ente. - -```sh -sh -c "$(curl -fsSL https://raw.githubusercontent.com/ente-io/ente/main/server/quickstart.sh)" -``` - -The above `curl` command pulls the Docker image, creates a directory `my-ente` -in the current working directory, prompts to start the cluster and starts all the containers required to run Ente. - -![quickstart](/quickstart.png) - -![self-hosted-ente](/web-app.webp) - -> [!TIP] Important: -> If you have used quickstart for self-hosting Ente and are facing issues while > trying to run the cluster due to MinIO buckets not being created, please check [troubleshooting MinIO](/self-hosting/troubleshooting/docker#minio-provisioning-error) -> -> - ## Queries? If you need support, please ask on our community diff --git a/docs/docs/self-hosting/guides/custom-server/custom-server.png b/docs/docs/self-hosting/install/custom-server/custom-server.png similarity index 100% rename from docs/docs/self-hosting/guides/custom-server/custom-server.png rename to docs/docs/self-hosting/install/custom-server/custom-server.png diff --git a/docs/docs/self-hosting/guides/custom-server/index.md b/docs/docs/self-hosting/install/custom-server/index.md similarity index 100% rename from docs/docs/self-hosting/guides/custom-server/index.md rename to docs/docs/self-hosting/install/custom-server/index.md diff --git a/docs/docs/self-hosting/guides/custom-server/web-custom-endpoint-indicator.png b/docs/docs/self-hosting/install/custom-server/web-custom-endpoint-indicator.png similarity index 100% rename from docs/docs/self-hosting/guides/custom-server/web-custom-endpoint-indicator.png rename to docs/docs/self-hosting/install/custom-server/web-custom-endpoint-indicator.png diff --git a/docs/docs/self-hosting/guides/custom-server/web-dev-settings.png b/docs/docs/self-hosting/install/custom-server/web-dev-settings.png similarity index 100% rename from docs/docs/self-hosting/guides/custom-server/web-dev-settings.png rename to docs/docs/self-hosting/install/custom-server/web-dev-settings.png diff --git a/docs/docs/self-hosting/faq/environment.md b/docs/docs/self-hosting/install/environment.md similarity index 100% rename from docs/docs/self-hosting/faq/environment.md rename to docs/docs/self-hosting/install/environment.md diff --git a/docs/docs/self-hosting/install/post-install.md b/docs/docs/self-hosting/install/post-install.md new file mode 100644 index 0000000000..e69de29bb2 diff --git a/docs/docs/self-hosting/install/quickstart.md b/docs/docs/self-hosting/install/quickstart.md new file mode 100644 index 0000000000..e69de29bb2 diff --git a/docs/docs/self-hosting/install/requirements.md b/docs/docs/self-hosting/install/requirements.md new file mode 100644 index 0000000000..37ac281eae --- /dev/null +++ b/docs/docs/self-hosting/install/requirements.md @@ -0,0 +1,24 @@ +--- +title: Requirements +description: Requirements for self-hosting Ente +--- + +# Requirements + +The server is capable of running on minimal resource requirements as a +lightweight Go binary, since most of the intensive computational tasks are done +on the client. It performs well on small cloud instances, old laptops, and even +[low-end embedded devices](https://github.com/ente-io/ente/discussions/594). + +## Software + +### Operating System + +Any Linux or \*nix operating system, Ubuntu or Debian is recommended to have a +good Docker experience. Non-Linux operating systems tend to provide poor +experience with Docker and difficulty with troubleshooting and assistance. + +### Docker + +Required for running Ente's server, web application and dependent services +(database and object storage) diff --git a/docs/docs/self-hosting/quickstart.md b/docs/docs/self-hosting/quickstart.md new file mode 100644 index 0000000000..7267990bf5 --- /dev/null +++ b/docs/docs/self-hosting/quickstart.md @@ -0,0 +1,46 @@ +--- +title: Quickstart +description: Getting started with self-hosting Ente +--- + +# Quickstart + +For a quick preview of running Ente on your server, make sure you have the following installed on your system and meets the requirements mentioned below: + +## Requirements + +The server is capable of running on minimal resource requirements as a +lightweight Go binary, since most of the intensive computational tasks are done +on the client. It performs well on small cloud instances, old laptops, and even +[low-end embedded devices](https://github.com/ente-io/ente/discussions/594). + +### Software + +#### Operating System + +Any Linux or \*nix operating system, Ubuntu or Debian is recommended to have a +good Docker experience. Non-Linux operating systems tend to provide poor +experience with Docker and difficulty with troubleshooting and assistance. + +#### Docker + +Required for running Ente's server, web application and dependent services +(database and object storage) + +## Getting started + +Run this command on your terminal to setup Ente. + +```sh +sh -c "$(curl -fsSL https://raw.githubusercontent.com/ente-io/ente/main/server/quickstart.sh)" +``` + +The above `curl` command pulls the Docker image, creates a directory `my-ente` +in the current working directory, prompts to start the cluster and starts all the containers required to run Ente. + +![quickstart](/quickstart.png) + +![self-hosted-ente](/web-app.webp) + +> [!TIP] Important: +> If you have used quickstart for self-hosting Ente and are facing issues while trying to run the cluster due to MinIO buckets not being created, please check [troubleshooting MinIO](/self-hosting/troubleshooting/docker#minio-provisioning-error). diff --git a/server/mail-templates/family_nudge_paid_sub.html b/server/mail-templates/family_nudge_paid_sub.html new file mode 100644 index 0000000000..e69de29bb2 diff --git a/server/quickstart.sh b/server/quickstart.sh index 4c2a58f871..74535d437e 100755 --- a/server/quickstart.sh +++ b/server/quickstart.sh @@ -79,6 +79,12 @@ services: volumes: - ./museum.yaml:/museum.yaml:ro - ./data:/data:ro + healthcheck: + test: ["CMD", "curl", "--fail", "http://localhost:8080/ping"] + interval: 60s + timeout: 5s + retries: 3 + start_period: 5s # Resolve "localhost:3200" in the museum container to the minio container. socat: From 2d90c14890c00eaa9792483b7d5405cf6200c75c Mon Sep 17 00:00:00 2001 From: Keerthana Date: Sat, 12 Jul 2025 10:06:10 +0530 Subject: [PATCH 035/302] [docs] restructure installation and guides section --- docs/docs/.vitepress/sidebar.ts | 30 ++++++------ docs/docs/index.md | 2 +- docs/docs/self-hosting/get-started.md | 42 +++++++++++++++++ .../guides/system-requirements.md | 14 ------ docs/docs/self-hosting/index.md | 16 ------- docs/docs/self-hosting/install/defaults.md | 22 +++++++++ docs/docs/self-hosting/install/environment.md | 22 ++++----- .../{guides => install}/from-source.md | 0 docs/docs/self-hosting/install/quickstart.md | 27 +++++++++++ .../{guides => install}/standalone-ente.md | 0 docs/docs/self-hosting/quickstart.md | 46 ------------------- 11 files changed, 115 insertions(+), 106 deletions(-) create mode 100644 docs/docs/self-hosting/get-started.md delete mode 100644 docs/docs/self-hosting/guides/system-requirements.md delete mode 100644 docs/docs/self-hosting/index.md create mode 100644 docs/docs/self-hosting/install/defaults.md rename docs/docs/self-hosting/{guides => install}/from-source.md (100%) rename docs/docs/self-hosting/{guides => install}/standalone-ente.md (100%) delete mode 100644 docs/docs/self-hosting/quickstart.md diff --git a/docs/docs/.vitepress/sidebar.ts b/docs/docs/.vitepress/sidebar.ts index 6715ef1303..1eee23a223 100644 --- a/docs/docs/.vitepress/sidebar.ts +++ b/docs/docs/.vitepress/sidebar.ts @@ -243,12 +243,8 @@ export const sidebar = [ collapsed: true, items: [ { - text: "Introduction", - link: "/self-hosting/", - }, - { - text: "Quickstart", - link: "/self-hosting/quickstart", + text: "Get Started", + link: "/self-hosting/get-started", }, { text: "Install", @@ -262,10 +258,22 @@ export const sidebar = [ text: "Quickstart Script (recommended)", link: "/self-hosting/install/quickstart", }, + { + text: "Running Ente from source", + link: "/self-hosting/install/from-source", + }, + { + text: "Running Ente without Docker", + link: "/self-hosting/install/standalone-ente", + }, { text: "Environment variables", link: "/self-hosting/install/environment", }, + { + text: "Default Configuration", + link: "/self-hosting/install/defaults", + }, { text: "Post-installation Steps", link: "/self-hosting/install/post-install", @@ -310,15 +318,7 @@ export const sidebar = [ { text: "Configuring CLI for your instance", link: "/self-hosting/guides/selfhost-cli", - }, - { - text: "Running Ente from source", - link: "/self-hosting/guides/from-source", - }, - { - text: "Running Ente without Docker", - link: "/self-hosting/guides/standalone-ente", - }, + } ], }, { diff --git a/docs/docs/index.md b/docs/docs/index.md index 04685abcae..fc320f86b4 100644 --- a/docs/docs/index.md +++ b/docs/docs/index.md @@ -19,7 +19,7 @@ have been developed and made available for mobile, web and desktop, namely: ## History -Ente was the founded by Vishnu Mohandas (he's also Ente's CEO) in response to +Ente was the founded by Vishnu Mohandas (Ente's CEO) in response to privacy concerns with major tech companies. The underlying motivation was the understanding that big tech had no incentive to fix their act, but with end-to-end encrypted cross platform apps, there was a way for people to take diff --git a/docs/docs/self-hosting/get-started.md b/docs/docs/self-hosting/get-started.md new file mode 100644 index 0000000000..71b78b274f --- /dev/null +++ b/docs/docs/self-hosting/get-started.md @@ -0,0 +1,42 @@ +--- +title: Get Started - Self-hosting +description: Getting started with self-hosting Ente +--- + +# Get Started + +The entire source code for Ente is open source, +[including the servers](https://ente.io/blog/open-sourcing-our-server/). + +This is the same code we use for our own cloud service. + +For a quick preview of running Ente on your server, make sure you have the following installed on your system and meets the requirements mentioned below: + +## Requirements + +- A system with at least 2 GB of RAM and 1 CPU core +- [Docker Compose v2](https://docs.docker.com/compose/) + +> For more details, check out [requirements page](/self-hosting/install/requirements) + +## Set up the server + +Run this command on your terminal to setup Ente. + +```sh +sh -c "$(curl -fsSL https://raw.githubusercontent.com/ente-io/ente/main/server/quickstart.sh)" +``` + +The above `curl` command pulls the Docker image, creates a directory `my-ente` +in the current working directory, prompts to start the cluster and starts all the containers required to run Ente. + +![quickstart](/quickstart.png) + +![self-hosted-ente](/web-app.webp) + + +## Queries? + +If you need support, please ask on our community +[Discord](https://ente.io/discord) or start a discussion on +[GitHub](https://github.com/ente-io/ente/discussions/). diff --git a/docs/docs/self-hosting/guides/system-requirements.md b/docs/docs/self-hosting/guides/system-requirements.md deleted file mode 100644 index 55eb9e9e3a..0000000000 --- a/docs/docs/self-hosting/guides/system-requirements.md +++ /dev/null @@ -1,14 +0,0 @@ ---- -title: System requirements -description: System requirements for running Ente's server ---- - -# System requirements - -There aren't any "minimum" system requirements as such, the server process is -very light weight - it's just a single go binary, and it doesn't do any server -side ML, so I feel it should be able to run on anything reasonable. - -We've used the server quite easily on small cloud instances, old laptops etc. A -community member also reported being able to run the server on -[very low-end embedded devices](https://github.com/ente-io/ente/discussions/594). diff --git a/docs/docs/self-hosting/index.md b/docs/docs/self-hosting/index.md deleted file mode 100644 index 7b10688264..0000000000 --- a/docs/docs/self-hosting/index.md +++ /dev/null @@ -1,16 +0,0 @@ ---- -title: Self Hosting -description: Overview of self-hosting Ente ---- - -# Self Hosting - -The entire source code for Ente is open source, -[including the servers](https://ente.io/blog/open-sourcing-our-server/). This is -the same code we use for our own cloud service. - -## Queries? - -If you need support, please ask on our community -[Discord](https://ente.io/discord) or start a discussion on -[GitHub](https://github.com/ente-io/ente/discussions/). diff --git a/docs/docs/self-hosting/install/defaults.md b/docs/docs/self-hosting/install/defaults.md new file mode 100644 index 0000000000..e36f9df7a2 --- /dev/null +++ b/docs/docs/self-hosting/install/defaults.md @@ -0,0 +1,22 @@ +--- +title: "Default Configuration" +description: + "Detailed description of default configuration - ports, bucket, database, + etc." +--- + +# Default Configuration + +## Ports + +The below format is according to how ports are mapped in Docker. +Typically,`:` + +| Service | Type | Host Port | Container Port | +| ---------------------------------- | ------ | --------- | -------------- | +| Museum | Server | 8080 | 8080 | +| Ente Photos | Web | 3000 | 3000 | +| Ente Accounts | Web | 3001 | 3001 | +| Ente Albums | Web | 3002 | 3002 | +| [Ente Auth](https://ente.io/auth/) | Web | 3003 | 3003 | +| [Ente Cast](http://ente.io/cast) | Web | 3004 | 3004 | diff --git a/docs/docs/self-hosting/install/environment.md b/docs/docs/self-hosting/install/environment.md index a8dcf18d06..c1e5dd6910 100644 --- a/docs/docs/self-hosting/install/environment.md +++ b/docs/docs/self-hosting/install/environment.md @@ -1,16 +1,21 @@ --- -title: "Environment Variables and Ports" +title: "Environment Variables" description: "Information about all the Environment Variables needed to run Ente" --- -# Environment variables and ports +# Environment Variables A self-hosted Ente instance requires specific endpoints in both Museum (the server) and web apps. This document outlines the essential environment variables and port mappings of the web apps. -Here's the list of important variables that a self hoster should know about: +Here's the list of environment variables that need to be configured: + +| Service | Environment Variable | Description | Default Value | +| ------- | -------------------- | ------------------------------------ | --------------------- | +| Web | ENTE_API_ORIGIN | API Endpoint for Ente's API (Museum) | http://localhost:8080 | +| Web | ENTE_ALBUMS_ORIGIN | Base URL for album | http://localhost:3002 | ### Museum @@ -39,14 +44,3 @@ information about and connects to other web apps like albums, cast, etc. This environment variable is used to configure and declare the endpoint for the Albums web app. - -## Ports - -The below format is according to how ports are mapped in Docker. -Typically,`:` - -1. `8080:8080`: Museum (Ente's server) -2. `3000:3000`: Ente Photos web app -3. `3001:3001`: Ente Accounts web app -4. `3003:3003`: [Ente Auth web app](https://ente.io/auth/) -5. `3004:3004`: [Ente Cast web app](http://ente.io/cast) diff --git a/docs/docs/self-hosting/guides/from-source.md b/docs/docs/self-hosting/install/from-source.md similarity index 100% rename from docs/docs/self-hosting/guides/from-source.md rename to docs/docs/self-hosting/install/from-source.md diff --git a/docs/docs/self-hosting/install/quickstart.md b/docs/docs/self-hosting/install/quickstart.md index e69de29bb2..0ae37572ca 100644 --- a/docs/docs/self-hosting/install/quickstart.md +++ b/docs/docs/self-hosting/install/quickstart.md @@ -0,0 +1,27 @@ +--- +title: Quickstart Script +description: Self-hosting Ente with quickstart script +--- + +# Quickstart + +We provide a quickstart script which can be used for self-hosting Ente on your machine. + +## Requirements + +Check out the [requirements](/self-hosting/install/requirements) page to get started. + +## Getting started + +Run this command on your terminal to setup Ente. + +```sh +sh -c "$(curl -fsSL https://raw.githubusercontent.com/ente-io/ente/main/server/quickstart.sh)" +``` + +The above `curl` command pulls the Docker image, creates a directory `my-ente` +in the current working directory, prompts to start the cluster and starts all the containers required to run Ente. + +![quickstart](/quickstart.png) + +![self-hosted-ente](/web-app.webp) diff --git a/docs/docs/self-hosting/guides/standalone-ente.md b/docs/docs/self-hosting/install/standalone-ente.md similarity index 100% rename from docs/docs/self-hosting/guides/standalone-ente.md rename to docs/docs/self-hosting/install/standalone-ente.md diff --git a/docs/docs/self-hosting/quickstart.md b/docs/docs/self-hosting/quickstart.md deleted file mode 100644 index 7267990bf5..0000000000 --- a/docs/docs/self-hosting/quickstart.md +++ /dev/null @@ -1,46 +0,0 @@ ---- -title: Quickstart -description: Getting started with self-hosting Ente ---- - -# Quickstart - -For a quick preview of running Ente on your server, make sure you have the following installed on your system and meets the requirements mentioned below: - -## Requirements - -The server is capable of running on minimal resource requirements as a -lightweight Go binary, since most of the intensive computational tasks are done -on the client. It performs well on small cloud instances, old laptops, and even -[low-end embedded devices](https://github.com/ente-io/ente/discussions/594). - -### Software - -#### Operating System - -Any Linux or \*nix operating system, Ubuntu or Debian is recommended to have a -good Docker experience. Non-Linux operating systems tend to provide poor -experience with Docker and difficulty with troubleshooting and assistance. - -#### Docker - -Required for running Ente's server, web application and dependent services -(database and object storage) - -## Getting started - -Run this command on your terminal to setup Ente. - -```sh -sh -c "$(curl -fsSL https://raw.githubusercontent.com/ente-io/ente/main/server/quickstart.sh)" -``` - -The above `curl` command pulls the Docker image, creates a directory `my-ente` -in the current working directory, prompts to start the cluster and starts all the containers required to run Ente. - -![quickstart](/quickstart.png) - -![self-hosted-ente](/web-app.webp) - -> [!TIP] Important: -> If you have used quickstart for self-hosting Ente and are facing issues while trying to run the cluster due to MinIO buckets not being created, please check [troubleshooting MinIO](/self-hosting/troubleshooting/docker#minio-provisioning-error). From caf664f11d4e82e54c621f8b26f2749b40df3523 Mon Sep 17 00:00:00 2001 From: Keerthana Date: Sat, 12 Jul 2025 11:08:03 +0530 Subject: [PATCH 036/302] [docs] restructure administration section --- docs/docs/.vitepress/sidebar.ts | 18 +++----- .../{ => administration}/creating-accounts.md | 2 +- .../{ => administration}/museum.md | 0 .../{ => administration}/reverse-proxy.md | 0 docs/docs/self-hosting/install/config.md | 43 +++++++++++++++++ docs/docs/self-hosting/install/defaults.md | 22 --------- docs/docs/self-hosting/install/environment.md | 46 ------------------- docs/docs/self-hosting/install/quickstart.md | 2 +- .../self-hosting/install/standalone-ente.md | 6 +-- 9 files changed, 55 insertions(+), 84 deletions(-) rename docs/docs/self-hosting/{ => administration}/creating-accounts.md (94%) rename docs/docs/self-hosting/{ => administration}/museum.md (100%) rename docs/docs/self-hosting/{ => administration}/reverse-proxy.md (100%) create mode 100644 docs/docs/self-hosting/install/config.md delete mode 100644 docs/docs/self-hosting/install/defaults.md delete mode 100644 docs/docs/self-hosting/install/environment.md diff --git a/docs/docs/.vitepress/sidebar.ts b/docs/docs/.vitepress/sidebar.ts index 1eee23a223..fe2f5c7405 100644 --- a/docs/docs/.vitepress/sidebar.ts +++ b/docs/docs/.vitepress/sidebar.ts @@ -259,20 +259,16 @@ export const sidebar = [ link: "/self-hosting/install/quickstart", }, { - text: "Running Ente from source", + text: "Docker Compose", link: "/self-hosting/install/from-source", }, { - text: "Running Ente without Docker", + text: "Without Docker", link: "/self-hosting/install/standalone-ente", }, { - text: "Environment variables", - link: "/self-hosting/install/environment", - }, - { - text: "Default Configuration", - link: "/self-hosting/install/defaults", + text: "Configuration", + link: "/self-hosting/install/config", }, { text: "Post-installation Steps", @@ -290,11 +286,11 @@ export const sidebar = [ items: [ { text: "Creating accounts", - link: "/self-hosting/creating-accounts", + link: "/self-hosting/administration/creating-accounts", }, { text: "Configuring your server", - link: "/self-hosting/museum", + link: "/self-hosting/administration/museum", }, { text: "Configuring S3", @@ -302,7 +298,7 @@ export const sidebar = [ }, { text: "Reverse proxy", - link: "/self-hosting/reverse-proxy", + link: "/self-hosting/administration/reverse-proxy", }, ], }, diff --git a/docs/docs/self-hosting/creating-accounts.md b/docs/docs/self-hosting/administration/creating-accounts.md similarity index 94% rename from docs/docs/self-hosting/creating-accounts.md rename to docs/docs/self-hosting/administration/creating-accounts.md index 550409106e..2cdfd7e8ba 100644 --- a/docs/docs/self-hosting/creating-accounts.md +++ b/docs/docs/self-hosting/administration/creating-accounts.md @@ -1,5 +1,5 @@ --- -title: Creating accounts +title: Creating Accounts - Self-hosting description: Creating accounts on your deployment --- diff --git a/docs/docs/self-hosting/museum.md b/docs/docs/self-hosting/administration/museum.md similarity index 100% rename from docs/docs/self-hosting/museum.md rename to docs/docs/self-hosting/administration/museum.md diff --git a/docs/docs/self-hosting/reverse-proxy.md b/docs/docs/self-hosting/administration/reverse-proxy.md similarity index 100% rename from docs/docs/self-hosting/reverse-proxy.md rename to docs/docs/self-hosting/administration/reverse-proxy.md diff --git a/docs/docs/self-hosting/install/config.md b/docs/docs/self-hosting/install/config.md new file mode 100644 index 0000000000..0fd4f8e468 --- /dev/null +++ b/docs/docs/self-hosting/install/config.md @@ -0,0 +1,43 @@ +--- +title: "Configuration - Self-hosting" +description: + "Information about all the configuration variables needed to run Ente along + with description on default configuration" +--- + +# Configuration + +The environment variables needed for running Ente, configuration variables +present in Museum's configuration file and the default configuration are +documented below: + +## Environment Variables + +A self-hosted Ente instance requires specific endpoints in both Museum (the +server) and web apps. This document outlines the essential environment variables +and port mappings of the web apps. + +Here's the list of environment variables that need to be configured: + +| Service | Environment Variable | Description | Default Value | +| ------- | -------------------- | ------------------------------------------------ | --------------------- | +| Web | `ENTE_API_ORIGIN` | API Endpoint for Ente's API (Museum) | http://localhost:8080 | +| Web | `ENTE_ALBUMS_ORIGIN` | Base URL for Ente Album, used for public sharing | http://localhost:3002 | + +## Config File + +## Default Configuration + +### Ports + +The below format is according to how ports are mapped in Docker when using quickstart script. +The mapping is of the format `- :` in `ports`. + +| Service | Type | Host Port | Container Port | +| ---------------------------------- | ------ | --------- | -------------- | +| Museum | Server | 8080 | 8080 | +| Ente Photos | Web | 3000 | 3000 | +| Ente Accounts | Web | 3001 | 3001 | +| Ente Albums | Web | 3002 | 3002 | +| [Ente Auth](https://ente.io/auth/) | Web | 3003 | 3003 | +| [Ente Cast](http://ente.io/cast) | Web | 3004 | 3004 | diff --git a/docs/docs/self-hosting/install/defaults.md b/docs/docs/self-hosting/install/defaults.md deleted file mode 100644 index e36f9df7a2..0000000000 --- a/docs/docs/self-hosting/install/defaults.md +++ /dev/null @@ -1,22 +0,0 @@ ---- -title: "Default Configuration" -description: - "Detailed description of default configuration - ports, bucket, database, - etc." ---- - -# Default Configuration - -## Ports - -The below format is according to how ports are mapped in Docker. -Typically,`:` - -| Service | Type | Host Port | Container Port | -| ---------------------------------- | ------ | --------- | -------------- | -| Museum | Server | 8080 | 8080 | -| Ente Photos | Web | 3000 | 3000 | -| Ente Accounts | Web | 3001 | 3001 | -| Ente Albums | Web | 3002 | 3002 | -| [Ente Auth](https://ente.io/auth/) | Web | 3003 | 3003 | -| [Ente Cast](http://ente.io/cast) | Web | 3004 | 3004 | diff --git a/docs/docs/self-hosting/install/environment.md b/docs/docs/self-hosting/install/environment.md deleted file mode 100644 index c1e5dd6910..0000000000 --- a/docs/docs/self-hosting/install/environment.md +++ /dev/null @@ -1,46 +0,0 @@ ---- -title: "Environment Variables" -description: - "Information about all the Environment Variables needed to run Ente" ---- - -# Environment Variables - -A self-hosted Ente instance requires specific endpoints in both Museum (the -server) and web apps. This document outlines the essential environment variables -and port mappings of the web apps. - -Here's the list of environment variables that need to be configured: - -| Service | Environment Variable | Description | Default Value | -| ------- | -------------------- | ------------------------------------ | --------------------- | -| Web | ENTE_API_ORIGIN | API Endpoint for Ente's API (Museum) | http://localhost:8080 | -| Web | ENTE_ALBUMS_ORIGIN | Base URL for album | http://localhost:3002 | - -### Museum - -1. `NEXT_PUBLIC_ENTE_ENDPOINT` - -The above environment variable is used to configure Museums endpoint. Where -Museum is running and which port it is listening on. This endpoint should be -configured for all the apps to connect to your self hosted endpoint. - -All the apps (regardless of platform) by default connect to api.ente.io - which -is our production instance of Museum. - -### Web Apps - -> [!IMPORTANT] Web apps don't need to be configured with the below endpoints. -> Web app environment variables are being documented here just so that the users -> know everything in detail. Checkout -> [Configuring your Server](/self-hosting/museum) to configure endpoints for -> particular app. - -In Ente, all the web apps are separate NextJS applications. Therefore, they are -all configured via environment variables. The photos app (Ente Photos) has -information about and connects to other web apps like albums, cast, etc. - -1. `NEXT_PUBLIC_ENTE_ALBUMS_ENDPOINT` - -This environment variable is used to configure and declare the endpoint for the -Albums web app. diff --git a/docs/docs/self-hosting/install/quickstart.md b/docs/docs/self-hosting/install/quickstart.md index 0ae37572ca..00d3de1373 100644 --- a/docs/docs/self-hosting/install/quickstart.md +++ b/docs/docs/self-hosting/install/quickstart.md @@ -1,5 +1,5 @@ --- -title: Quickstart Script +title: Quickstart Script (Recommended) - Self-hosting description: Self-hosting Ente with quickstart script --- diff --git a/docs/docs/self-hosting/install/standalone-ente.md b/docs/docs/self-hosting/install/standalone-ente.md index af1b3172e9..96db394cd5 100644 --- a/docs/docs/self-hosting/install/standalone-ente.md +++ b/docs/docs/self-hosting/install/standalone-ente.md @@ -1,9 +1,9 @@ --- -title: Installing Ente Standalone (without Docker) -description: Installing and setting up Ente standalone without docker. +title: Running Ente Without Docker - Self-hosting +description: Installing and setting up Ente without Docker --- -# Installing and Deploying Ente Standalone (without Docker) +# Running Ente without Docker ## Running Museum (Ente's server) without Docker From b580d6ce35140e92643cfec0a7c1de4fcf6c80d5 Mon Sep 17 00:00:00 2001 From: Keerthana Date: Sat, 12 Jul 2025 12:38:20 +0530 Subject: [PATCH 037/302] [docs] refactor get started --- docs/docs/.vitepress/sidebar.ts | 6 +-- docs/docs/public/onboarding.png | Bin 0 -> 80801 bytes docs/docs/public/sign-up.png | Bin 0 -> 96148 bytes .../self-hosting/{get-started.md => index.md} | 29 +++++++++--- docs/docs/self-hosting/install/from-source.md | 42 +----------------- .../docs/self-hosting/install/requirements.md | 9 +++- 6 files changed, 36 insertions(+), 50 deletions(-) create mode 100644 docs/docs/public/onboarding.png create mode 100644 docs/docs/public/sign-up.png rename docs/docs/self-hosting/{get-started.md => index.md} (54%) diff --git a/docs/docs/.vitepress/sidebar.ts b/docs/docs/.vitepress/sidebar.ts index fe2f5c7405..e0ebb61296 100644 --- a/docs/docs/.vitepress/sidebar.ts +++ b/docs/docs/.vitepress/sidebar.ts @@ -244,7 +244,7 @@ export const sidebar = [ items: [ { text: "Get Started", - link: "/self-hosting/get-started", + link: "/self-hosting/", }, { text: "Install", @@ -255,7 +255,7 @@ export const sidebar = [ link: "/self-hosting/install/requirements", }, { - text: "Quickstart Script (recommended)", + text: "Quickstart Script (Recommended)", link: "/self-hosting/install/quickstart", }, { @@ -271,7 +271,7 @@ export const sidebar = [ link: "/self-hosting/install/config", }, { - text: "Post-installation Steps", + text: "Post Installation", link: "/self-hosting/install/post-install", }, { diff --git a/docs/docs/public/onboarding.png b/docs/docs/public/onboarding.png new file mode 100644 index 0000000000000000000000000000000000000000..32b18f73f263780ad50c3bd212e88cb4ffaf4b56 GIT binary patch literal 80801 zcmeFYXIN8R5H2d%up%PxDNVX`1?kN~M?jDsiby9UNDVEZ0wN&2NmqIcorD@JbOfXZ z2oUKdKp>Qm&`wak`#k5~bI*P59%Gw(aILZ54?T)TYd@|iPduBoXi z>Yh1s7IWqd#TL~C@-I@9r9U$lod4bXA_5DeYxiK6B>o88yYn zdS2$M=@;Kv>nD_JFUrbE@z{QP6dC(C`Xgm*;JbG~tq(v`$mF31O6+r%P{BWEC_-c7 zM6D@0Z*$-G_IaYMy~vbz?A8k{tM~atleea)Z?U%P2^sb!Ozuyjs{C+izTm`-cW2Js zJwrkD=nUnJH>dx;e00hBnmzX6_5bI8$as%FH=JP9}gps zKl^{u_|*@7kiaXaYkfPdbXQnd+qN%5(9F#2N3qrRg}+y#+0G>jnUOLYNpj4$9y~>g z&MjDe`m>B^>2uMzp=5ra%YTHktagT|)#q)a_jiqN&Cf+UgQ@;X^XsphkB}jW3Wldr zxq6vm&iDC!H=5JSo|nkNVLH9>>fJYfc3(L~75`lPXN3F~OF23B>wo9-OM(3TXj+y3 zbTpFu?+FP;}=c>7m#PDy9*Jv|hEZ|pcj*#WumOyp_M$;G#pd*YH!!HI&UsQlEzu*hgS6cm|)Ip8j-UnvWjIGY9CBfPL zLR*~H8KOT#nJMPWIRR8jRFO+(ua01F` zxHWUBDfXj=Xtg9C+xDbzCDJ4Ph_2pCUqXD83N*v0rRHuVOM4VuL0s|x08*Kt+xR8zCSBSFDWUhdv9}gzE=jf4cDwEOhPOiK%kwn`uh5o3hoKFg`Y7$uFE`I zCEu~x&YEP?ominI3k8cQQ@(x7L6*-QN1=0n5!om=#at@mSxU8Y0wSO%(4ApJU&Zm9 zadUbPapKWlyMhoFRYt(9jW!?53*)~~Lp!2~y$~b^>;7oF^r}NvTs{=QiB=qIL7&@?QDNC6I5(`pgZ$9-YwzAsCap@EP23nlp&DLeJWyt? z^9hDsJPO3lptSZ6C2I{hB%oIsE1*C)KEfRzFopXY8XEdCa!)5#g3B148+GIfb$!Hr z?)AnKG~38XF}FWSwJG(N3winS#C*DwMqUKHQCpwujGKocrebGiUTF&>3bt?o$G*bR zw(JKA$6E@qnVG^-a=V}WHUe4Qmz#D*0A{0Welm*-sm_Tq>$OjnBbkX+EH*)Yz{hjRlO!U>mXx%Z^#rz2mWS^f7cr3e#l^W(s>9q~**yc+SRojiwg zK)MU|*DozK?9RxF&Z`4dB zCi;_>^Sf!aWv8>8LF;fdn1u~-krILNZ}6MrV0EEULDogEop}o(TW2#PoBY3YhyYpl zFNp&_VK?sA!3*$<3di2K3OWg(gTwOh{=k54k~ys_EjB;Hrz;qp^_#nmz6W`L@1|vU z%4&T1jWX&r;F~x=0}O<#M6s;3jtRtq@XUrXi16f3h6V;cj3arW{;mlg*nDQIG6{^| zAjfi|Po!V||5julIMDQK;xT45j`~^UCRaNmE0Q`lxROlS%aEiZ6}S}hqgf5DUOus?LivdUZvWMG)LTH1ZJ(p|8YG51a zmEq#~eatZuw+2GTt<^1NxQ;vIcS4%?%`7B(eVo^=PWC=|9vFV!$iTl;)77gd`mY^u z47*vbKF8h0jpqKnTNw|g1<~5jS{J`N>b5u<2+%U$0^y;<`i5M};C>)ri)^a=hNatL zm{bYpUAR*j7|0`(V~Y{IjKr2U_>9-p9FO(+i&sP#`K6@;zc*QT-jrG?$o69tf#1>S zPmKUSeHl&O+kscpx*z{l0i6AfpPR;`yPsha-ze&HXV_$__)jiMHa8$Z_QgrKdGL? zk>d|!0`BmXfcwXUvV-sozqs-v`c0<`7+m_1Rl(eI%G<8&H8=*y|9xa)Vxo92IX6D_ zGg^x5%o#NJqb#_84(4fY!39h}i|zgHGHp``H^QhDHHP8f#D(t0MO6%K8CThI!8ric z_Ax3AFe*mjlQ+veIYXSHF=4uLO6LWT$-iUK+}4M8Zy3^Pv#6UcIbpkIHY?CYk{J`d z@Lmm}3^;68a3#afe1fHL!Qpk>gL70@MaW8xe(NUnHzs~HIN?Jtod(DYWalsXGWIt6 zA1`|qNM2ld28;B?(-*Ryyzq4n-RWoxvYwz^?cS$^;VrVB@_$+P>;Ji|szDxXqQxJ0 zN?&i231~N!KlXm+-20PVReew=ed^7hQ;{|PE;;=4GF*e~As0^hQ0p_~4C5?!GTUi} zaYAHcm%q53zV(RhjURzp#pEE(tKL0$j%A;ixud~|o2pd0u)=qC5Mn}>@q04G>|5J=_3&Sqk zB+qZTq-nmVdFn1o*h{}&KXPA81jaC?`%vlVP(>l(P`NA-XG+51ZEYHMVHRchQmgqh zRFCc+k_~KGBL5@RU+R0~I$7}&O42t*vyK|}y_33`k8$?Kujg~|xvUrtfa?~bur)Dd zT{yu(gAMbFho?!PaN>FeVyyw{NVC3PDm12h-~4Enp*ik{hDB_j|8ld9v1XD#eSTd? zJj5BJiy5R4up+PK!vD>L{9(AbUf(%zygy?Wy689=fKRu`@sylkh!T)H{8}=8gI+g&DkdELF{>hY_Ol4Fsn|Ag)n6GVLfa4Z7W` z>%U$$U!>g|hdy$TcqX^*=K8zZF9vQ>w^`}jalHTIX(bm=2$dw{-nqLQrQ~Trlv*fG zxA_ncdFLK6iM)d(Icr=L&h)K5SYPS3@gz9bE$;eSXMaqh&hW2)2J+QF9)xOle76yF z9Sz1LS@>fgIv5{SPxxR4bwzvwq^38{+W2{YIUp71cT=;LBw{B08kj_nJfvo;g}Xis z`f~^D;im_5EqJ43y)p%y?+E5+dQ?8^HQ~09Keoc7ay_0=ll{S42pQ)z^Rr(+^-($U zWFNJ&7){fd>IYPm;aAZ*=t^)Uw(fVq6iDy<=DSq50NDc}0W$&fUAQ#1KC?|a;sDMf z;ka>`LJImM*l+9m;C!OtN)D`8^=Q8yJwL;-*iDy|!F{~{sODgLM8*`Ut+2BtGP9l8 z$=d8wAiJCD+{M!j39p`u?^yJAZ}OW>o1E(s&Jb+&dg(HH^il0(|7}o{t$u>#RD!4V zE4!~Zj$Ov|rHMbkWY1r;kkmff8@j+dI>7znI_ZNcv^79&5hE10bxd#| z64Mc#2bxixD!s_(iPiML%iaxX1dHaRW5{$2KEQ%lu8aguv0)4?Dw|D@o3y(jWzZ?E z~LYVz+9oL@R#m*?4|21OooBb%ZC%-evvOBIiC&hYdfRtoS-}=N^zgK!LcHVco ztXU}OXw_f1c0pKE3KvgFOzJ-3Ok$GP5o*}xz++WV>XwkyX9@?it~(PfPM?wr~P-LTyg#ch2Jx8lhYl8INwR8>cA{>KNkj~GEM^V6xI6-a}Zk|14R* z9m2c{N{;Ki==DU_gAH`$ehv*Ds3~*&O?;qN5FbGrZ+Uzg4++9UbLbKlJ-2h-bfhYq4%JpxIc7t=U06+EKMtyb1Ydf3hHEeD*P3P0AkS5S!h(giVy?Xl_`MHZ~tFdW;8;4GeQ}aQ}=Aq*i#gpe2}Oqb(d= z(H@|GbZEsIZQ;MHM_jf*bt+{ZHm>R#uo)h$T;QD`Fx4%6x{Y6L3W$}-G~oqs0(KQP zWu3WbNO^=1#7!-9^F|`{^|8FlqNnG#5CcY=rf|sE&;Jx2r z8tuHWFeuuI&Zps-y{KswWPc>Fd3g>0XLEv292`f>;;D`wlFQ5a-#A5rn7N~)Z4%~2 zQ3(5W(t(u%ufox8tBCW*4#sc;Rmd`D@&kE`M0t`g5g%YGm^#j`ftluar95#;YqXD$ zbuy>5-`nKK+51M#_5&{cP0HS$aYOgF{dM*id0H`%Qj2LmlWFGB>vn=CpjPvp4CWF)doX_oPt& z^~_0$`V61upA3zh1dy@1Z*33N;h&uB?K3i}v>X2@YW^p8>QE(TWXf7Hf$#rhWR~Q@ zIE!-JW5d&FpH(7%zgJm(n&Wyolchvx3(dZJf9@Q7YN|zgE;UtgKXscl2A2zk11fOn zeJL5VeD`i&Rb>?ypxF+MBl&x3!RMBIy@^EK=X&=5aQ9_=tX0B{+wO3DphgKp zZ2?ynI+}tdSg#S*pvKIMWiqLHQ1MOkXVUVv9i4*|R5=&PE?sURM(0mX`e=m=jb1?3 zMambs!w&DSQpDDiw@N^i%}BsQxyY80xe+c@iy^Sldj3QB>nCq^2x$Td7Kbe1F5AY@ z%Xhnw2>b0^!JPvq)DC<{Ql`%z4jhMIl?J?b{S()qMHsUs=!+LyuO@Hn&)0swYq8Mm zteq_7oaYZ$I&a!seZPl3VWU^IO-6cq@%rS`ny2%PO=i;DRo4%jswR;LEaAEXN;p7R zdIX7f@yw{9Z81le6P~SS6Y8Il%XQ#g0 zBLm(LOj?ddl#i0LnKI^(E-do>JqLkQq0kDy_ZByGeoIoO*-r-km{y-WPkNDbG)1R4 z93=6<;RC+DAcYDzB%xZY=CW<3B(8#ie5vV^d&Ly)7H!F3O1oOHc0)hXpV|?-7&JBh zY5Uj&b+ zueqf);Fi7h{r2YZgdmG(gUzEe+s@IP98iQQM z%cO&DtnJDxK@AJxAL^h>{T@*{00medTRm9Elkr9V5z^8vSHQfYWxtPXyk58y1M3ar zI88XuJ|^2ARZ(@FCM7&U#YHW2ZeflDX9+D^f&?hEw@66Pz%)B5crBRDM`qP?*U5>n zC`#^`=Zv#_yM|w^EdD;(SgiU@nXWzMwbQM+ouhiR%D&I;lHFVuUtnI7am*QKon(*D zYIorN&m2i(FS%=IB)g>+m0dLEZscQ0vmmoFj^$me>}n^R(Vo=i4fYj}G&r-gvmB%* zqD9WJFRJEHeJ3=Kl{R1s8fWwayzNW3=km5`A2TF%Ot4tr9*{`0z_sKMd2R*W zP(|NjneU@Py_^>Jw|UpC1eP|>o>j=L)fjJ(w(e&P&#kEf6&n!gC~xekoOF9o|3x>a zZ7~7LrjyoQq}BBK(ZRmhff<^|+}UE^6Wg40dhc=G$r)-A_)zTsPgVmToXrGSS&U0w zN@-D!=?81PfcItXbO8M1DsvwINR@f2D!}*#vDGFe3_7cD5Gg-~etmWqSGw};dtf<$ z&-00Ypk%{uUkS}xF?KAC35dhwm`PD8OekanJVWrp{bC_jfAuUO#dvZ1y3EZ!)ku-yvBIp3D02O_rL6&)O$ycXqvn%*4K zX}`4l0Mt$J0;KY>Ac-Y1tTf*JTT5Wb9u?~o_Z-b8`5h`6{|JAqpO8tF9>JDtN0#G= z!ZP|$ncPDo5&!U%v0b7i0~+m7Ne30GTMpIxX?=d?dA(`bz;`mVA}b>EGmHZfPd(iQ zjBOE*BM;@`)=I&2t9OSd;p;}I<9faQddoxO=6d&@@-n5}%r$-{=XOtY-AIO-tH7p< zWx3=E)3u*0{}|mu`u)7eE5x5LGGego2#U*!rM&&1(p3F&m@J)7&x%-O#Vcsm#;49^ z-fRSG1W%%~p_=xg_>YhrXsF0z-2}OLawjPKJgiY968D6j=YBs!9VP_kc=j-7-FA zl&5cg1O@LCSVKAu+20m*iS33M#BTVmG%J))Q47ut5nIG=UIPyka^g2XC~6~OM}zeC zZ?sY$IQ4iZHP(1u!Z&dQ1d&MyavJBx_&)=B(U}#S`FYoAE{iz4&aCN&*@v$P3ba^B z-PJ5+4TI-UOSL*0z7Fze2q4F^roU(%Us3+e24 zW|;n9c?(LNHCY9htp=ki^q^P`*Ay=t5WrXW9;uIP?=Xt+LpWB5I?K5dUv5}3`wls( zN=I=i#DrxGt;@8aBef$*?T1k<^7TA39TNC-nq#N?9TenfPJKo%ugu%RmLRKIs1lg{>SZYVE0)d35pBR6`bDoG$P`@> z?@DJ@{0X$yh6nXKM|lC}*X~J!m!|;&cn~UFcSP_e%e%sUljWT0`K9`;cd@UCNymFd zXc6siE+ynEY(@NPcPj;YgrShv;BAPphpU~Dn9HV-cY{jc7<93 z-Z4|7kz3c4>ny=(_xSG9lQdC!^D5&XEb#ssSxlqPlt`XAwK;n7_}sFNz0em==VWf0 zNA3AoOUCvq+JLtj3W^YFFb#xKnV<*@NM^opF~$$rg0^n#X8+A?r*lr$NuO>v2fpP8 z_2R?`9ah|E*Z(?6m3?`sPDQ+@PCebMr!pzA4#a_{^ za7r*GC?shN*Y8Xrl}Zuz@uTo@M+e75t;y^BrZVa&k>S-`?7w3^wgD@wZ2Uu_30`jB zEqtGev;B~(m^E6r0#Nra*B1HAXra4)(Bd-+G}if%O>fLPKg5WP%rzKuVCb)E*CRb7 z4v^QDwLWrf3q`Jn48p$TxbG}|*m%iJn%MuR6SDoa?VMjsCxj87jy!g}U-|aLoX+Ww zpPEx6gv^ro+O@_&IiDMu3M@j`HAK9}wb<~?-T7Axi~`n#=yTIU;+O8eg_m3PR%MXtG^ zW3abRcHO>ip>*GRT1>)W4xyH}CT-DsK+3oI5hjNJ>RcM9$%k3%5e$V^Ymxw|sku$L z!~3%_hmuY5CW9>9b~vinoGEH_U*nRV5iWz{zW zX9r!W5&@0KCg37ll&Ysf*CRLp(`C(( zQLJB+-px??&Y?r-K!g^SwTo9!V|&c#pZX0a{Ni&%`%l3a_P2#iITthiVof2Kv-lQG zhrktm#yox)-x2{)?`i9bzTlkjt41|7)IXI4H8rxXvsYW2+E^ zzBxzuB}M$|AXu+KUVKupn45g@Qjnxy&&}7l3hp#xAl)X>GGklE-aR9P#qwCoSMDgz z$;9GYrWWKKGAbU;$s8Uvy;MA_O-_2e+Ds|_BJz!>6W)OJtnyt6;XaN|avtrv(yqWJ z(=(=odV=t6k)Gl~3uVCCYxMv+HTUpL-qr>0OP3dr<}#&v8I4V!uE0a#rMSp>8I!Z? zN~5cGNo)47+HSxN|As^}bXxgy{z`^K`iAP%A@r_EaPWE8gZAE7(I^FT7O&mg-m{(g zJC7eVtba=95v3kgDKaqVaD&L-tx1(=_}$P_T%DQ*2X@t!?MKd`v!-7x_9e8X+%eNI zXJ+hhs<1HS3 z1y2W0t%NpaySrGN1=ICqXF2Nl)WK@RUDj8rFh9htr}-5d^i#zyTZk9wb+wyNR9qr$ zQSlCA6Fv$NKwi=%Mk&fAAUSVKm$x79gIPnun;mz8+A_gO>$Q zIes@Q=eVsIJJ6zYLPGQ#l6#ddMd-OeNuzPj~yz1N8Rf=tr8)-ix7@#64WG9^@rh)3`5S6!+_*ZO6VVU z?d>x%<8OywrEVF`w#Vlm9Rlz%8qITsDEe#b+xD(Eq-m{CigdpWBCa<#Zt!~J+t9hT zKe%tpxx9OZ@i64QZJf8Sv8Z^&JYutdXQSXvav4U83T_}vc<2^kvQKZ#%yJ%4;H%>h z`tcu8-L_}Rzb($+ncN+E4I;-VO_S~7nhLe>8V5#h+_-;!Se07U6{~7<8N+?^=kda= zO7(q&4+tyZA~m+jcPKz`C!O- z%kb**47r@Fb|5-Co^bCD>pbqIHf2M153ViyU z`?Wj2r@NQrO*1S9#yv>!oSMfotCYq$e}-k=I>=510-#IY_#2lul;n0YXD?odPns6c zl-IsW?t%1{PRSIb`;61o2;!B?drL-4R?dR^{=1GP0($M|&Tj$q7QQCWYF zfj5xw1ZXMfnsnJ-OY26Hcmi&b#ZQ-|j-))+2>*_v?;H0O=FPl6f-(cX@-m_aVVg9^ zW}i6pk6Xk!O==5tAi~^2x~e-5bJFv>gf6agS>{z7|GdT zGY*o%&C%6uy@oE%fy0H0Ccr>U;HOSy)#nT7sw9`=in)ihro!l!8YNHiLSg;D2Uk z66lG_$QKKk^U~4+WdHf&)t#lkl_l%@WF{eyC*aY07JStF_cC+#OyX2?@xF16F6vS7 zR}-JQCZ}ug&ZO>2F!k=tQ|<1j0efWn&SVx?X17+8^f67+{KbeHEx;(arq^K2q~=+~ zaMmxGp0pX76(v46h_5S`L&Ih~E!`TQmaHr5nNtnqY=GBmrQAs|h09$tL$L!)>OPRp;n7dG?f5}KRuVGZ>6YN5h-`@?#~a>fM5kKAl! z2Or{053`qZ(xRlq%{N@{z0M%d zk#w*Zkn1(a_zYMjPk{oUZ!q zWZ6@h8=n*@kR;{X8{-zGpmhfeoKInN9=tpkXN}|7O|m`oTT9u|wa}k^hkaKBy&toi z1x_&s1AoZuH0VD=__xM@<1E9o0AJv}_At1agp)HpTzpHl>WXhQ$hbPe=$<|O+ytkb zwvFGy#BJA~A(1gngi#fIm0QiSP+>`Fd@#9lWg)IF2P@Ei zXl$_Sf!sQd99#lDqsivNCaDF2eA`Y)l)e)Z;L ziyx&rEgD@$98FCZqDu#lj<%@f*{Cg`RZiwjBZQGDhp0)LYVcx0c5shVdaW=WVr7;~ zNd&Z*T@#vylfYNp( zeFPZWz?|X_W_JYk%hYtFH2Gz|4(Ck$t+eQ?HwJ$o8bkO{(pd;qqS+`2s~2-r8un|b zkjw>?89$HbsaoudJxeY1e0Rc1`?j&XuJq0!9e-js2lbKu5pu(sE zpqXv!MEUPRHG!-g&BW<>-GVh1uT@K3vpO|%fBbpl-38sk@p7H^&pO*V{=p5x+YeS( zY(!Xcy@8A_U0yiBj@2}nzHAG8%_}uYhYvI91Dl(j;oQo&SG(M-hRj?ls~xZFYz%Ou zrhIrQ%LZ^vMh*)2r8P4DZ&MtF?-XZH(b^Mb{uYJ7S*@f1kHgZSZfje3ARmL8r=q z-zo1Vx-`p4XH3!ubbiRM*;$hg!45=jk7fT(B*AoCWaK5#sPKJhr*I#@?@{^iuzK%f z!P&{d(w&CL?u@%$LsDS|0KKWKZnh_-g*)I{HEYizzMR-K8)tI9Z+xvq;#A?62r#xLd5)*vd6F!J4^kD~wb#wOhA-Oig z4*n=v!Eg&deQ}rttH`BBRvnwyNw|9ubgTGHtg0)bPDJLqg38vd)iL<17epaFB8$S~ z5V|(z=2*1aK}lx2Z)1BUGwupYrX#*-S}%s&R5CYo=U0wA_q*NxA7@$h@4**JG?5Yl zNhI4jnb~6)#nv zwLW#o>y|4lZyf z%~t1C``BiMqo9d^t;tHyu{+6iSf=FrzHq;p!OUnxqEG_B-xsC_o4h+~i{sp)R(MXY zaMJp}fqHi~>vRmbA#h6YSqURoJpg&2v6{UH0 zT_X2Q@)e8qH0FIVPf0O(GB?iu87SSL+$1WxEmNY#wm&UGz^+jDL#-^2 z?5P=LeW&2B2197Fc|Im)YfGC%O5;^|2RzncW^453?b6V;UR?tt0cwS6 zvefs(z@cy@TjuJrhZ5r5v#6;Y-!SJ5|C*ZWy??A=*SfPccLj}QN_4127(*HZpI?Nm zhrZm8YWhA}5f8|((nnsg$;tZ$plF&Kgp+dfV+uB=WD*((79R*Q{Sh~owHg_|DpAv| zF53HwL+!}PrP&L)05G}ybDdoNft;ZaIW7NOAeT|)&O8@wQlsrXjPhwd*c-v>Bey1C zC8I{A2J7&pG8hqV*eJBW(<~=UeL#{fGX83JrTO-UrX2;LFi;Q8ZLpzi%0iyH%^tp26v&&fllrH&ifMseb8%=?K(o=NHA84 zyN&q{4PvW_y`hY7{rrqyl!I_|o(Q<#HyjMutWn(Ay0Hnzh7>?@YIPn?j8}!6v%J<| za06AbUXKI2;+OL~v_x%Hlk#3kc!+gh5bPS6O5kABFGn+Ctq1db97f(iLk$!Hrq|C` zt_CONR(yHfK2)?{fOwBpp=3m=^h0n@RS8kZF>SRNoKZ)%j5y6tsSK)Mv3cMblIpv=X*3qBS?*{0DVH+t*{&EpAd-=`BB#e2qZ@}io!m;viT+ZXB z3Ao!Y#4elP<4Vbce&=oPF6gw%&4Q03sH>=8m%xB3kz?JxTT4}jiz8IcO7F7ol{PukSo-p-yjW3*U=+-UZeNwcm;cCxHN0@=aV;!? z#oF+rIv2vO=~`d}0F_%dhck4Qt93~>TWt{o1^duczx^NQnr*8w5cX&$y2$W>{io-o z1@aUgjGsx2`M2m2SpwEwo*T`r1x?zFH)m!J!I?5XT;&GALOMZ3zc! zL0*LVr;~8s`uGE2&dii{5{`^Y$%#nzm?cx_%Ced!R~a9!&fH$E)-!skg`dU)1##UL zEdw$rVwwT&n4^5rwCXI^grSEcwhOF`+3z2*k{J}}xps$t9XGj^kU-n<5v2SBRVQVV zV9HUOXaGhB&M(Z{+u+RR8UpreaGju=sJy}n?mp%_b>P98VeTp^AHR^xbK{7_&OsBW z5=*z5(yiV&HBq~+^$?c3?ZqEG=@z>d+LQ(3^EQ8rn+?KffN}Q4_F$YbjTp*U*o!`_ zu5~}8oo3~^bx+oKqW@GLB?E}g77*yM{NoIO8eBM^AykSljd9VCBiMB7SdW!1x1zF| zzQK;^&%t*V=(CumAFBM@3$P$f>`5$VNr#5K=kelm;|h$?Xh-aUH3JL zzcAR}A^EE?-Lp&cO^J`X%^NYIEvFw;&XoM-D^ZK-o#52|`g$BIj3 zKUtD1>`MqFR@Nk7l?&5}Dra+MX43ZIIIyo|9>>D{_kKj&OE6#TzGG2{H=880EvwBk zR~xm-!BpOImh*2>@KG~4soB3~WBaf=+<;wyG-{Pw(rAiT57Q@w<(3yb$8YmvkPr1I zvQVuY${mt0BXGQH?7)Du6Dm)wrmkrjTiE_;&7~Z=+*k@=t&-{oC_%Po#JyXX`VQxq@_C;Dw`nv$A{HrizHPTyJbU%cXUNr* zv$u5Z{OFUeW?VCvy%bkgVw#ONi@P1*{_!T|A-PLpohSO?+0#bcldj6B-y%EJSA^8$ zSK9V7;{nfrblhl-XfZ}e&1afa=xPy??PO_j{j2n$5=>5(1rLmG+RO)9_Guj*YJ6)l zsIS|Xi&Hd5->%MU!JeXya&k-B0#%tx#Q@ydVVbN$x7mp>y=$~Aa}Ez`2loGvpN?4? zAK$E{N;PYx?Dfghe~!546&bdj)&xn|lHbuumi2CQ0v9K&6ge8hy&?pBybBv&jF|XEC_ttU2Y^~Ik?3n8a*H?m&0TZ0pB*I2w=^ry>lS!I_ zuWHyE6@~V1TOUl><>bQrAPm@l0NX#jx(Rzx9WCSI&&DxmR4%}G3X{_TsfGs(=ZRI; zu@HNQ0z&?QV8{UiI@@M^>amVaJQhReRfoliD1SYFk5;;Yr`^gGF*{#zSD4*C=l zb>RMZSN`X=XrG#bmxy9N1h5E^Z&=(27q3wdH{h3eEJ1;Tdko*{1Q!mkOxA-E^MkP! z@QeoiD1Jfy*ruonZF66e*s|VicSQjr!%D}K);Vta`@qepMh5#8kH;>SMvKgyU=3(C z*fI~8hw%Xvp&WKz3+mDr*@oYa&>= zJJ%Etcd-oFbEVYyn*;#E((NHILJy)|Llaby9N#p1Z$!mQSpI-BcrkUZ(|t2o=f-d- zM~!e@VEeuXU)?Leba}UCxW0EZX!1LZ zqb*_+F0do3aeg@GSJq@}wu<_40ZnW%r4u{a)Iu0&VIh!eP!hv^I7W&Yr58xF2*1<7 z)Q)xuhUToPz3ndV29`G|a!Q%gGxs#hpzI*|V=_a>W zcSD$_zdarWOtk;THv6&@9|r~6hCJMoAG|n2R#B5DYeHZ8V=p5A@2E;A{QGfShQ~3B|z?PYK7N zI;GtDiqifUzcfc(#dO!O@q+481%-?C>*G0%`Y3ZiwT$*)?^=UetViR67tCVuVLe_x47%1(Nt6Yz2B<1B*T(m?a<+`H9ZRu|d4|uH5 z=L%JdO~47Y@P39#W;?5ag}#5VBtxpAWh+TwXq{`#b$bk z(BVccUrISOGd#QY_PxF?^)aovr89ny;tA&g^1ZY)`?#lo<)8}*f$Rr-6~n`Vx4V=h zJc+w~Pb7W$uSETrsQ8!~fp)3*O`zXZr1YDZR_zFcgj}TR1lWWzc8mRs}5Jntnf@^+6gZPE% ztY|gDAEHnXRiU7!a0D(11h6WUGY)p81=E^G=^CQcUTCK0TP@Pj?U7a^6-hp-#X>sE z@LSmNh=dFwFz>3tL=QX0{2xtJCR%#cw#od3CQJn_7%Oj!S4^(o(h~8Q61Xkn@~*qd ztoiqF9F-$J%Dht5-MpS8>qhO-}xm52y=^g?yv<2qxNYgvOZ>>>AWF!@?MrDd<+4f{|4SJ>s zS?Omnib*%W+I01vZ8fxBPStSND04K!v8>6hTV3A=x3hy4d=oY*ta6P8w*^V-bPYW+ zad73WAa9 zRYg^s8yS@>^Q~9cu&-iFTcdXVa0xW1CY!C!f;x9(~ zESHy}$KhG8i>636bWNJOJ#RHzG-_%mf;wm2ariM2ZG=LqtVfZ`&rIly1G$dU+-+iJ zIF)x3XBAqU-`@Y4PC2{_aLX@#msgwh`gT}sJGRSedRuIvQ`i^(*z6mh1? z=9ptQp$3RrA>n+CNdu|)^2=U3@6{vPfFp06fg>FKE_yPzY^rK7mKNLh*O#PqQXqXK zTt~!Y;o4I(K$*j0?mWkiWr#ttgtiu``Ab4ax&CLFwiS`L4~%u;_talwOpsRnk=o&; z*-1|a-14XPHQME^&Dv*3RH2`tO)o18NAM#BGVilb!LE7Q19o)jH>wGx}z z!_K5A)uB^Tz8jeF{V?MzXS)gOcTaE*Ur6z@D;^q~`VCC7k2fr{q8sSeyKu$*(6f*p zAoF~%GD;eMBe_Ut!2om&3%l%1%r&%G4tG{fSZABc17@48>&e5urm76qT=O-y9t)Zp z@ocAYU~nn>#KM=27PkscsWdM|rBp4-O09nSVUtAMI{fziX@J>1ZP|@-rvdwVhQz^p zNI9eOi`1JWPudPysOo*60YyzaVYQqOA=Qo=m!denS;ke(m4Nx%YWv+5sOnBe_%V#!2g03z3m95_cCc^#^MBpc*<}V@7i#EeB24nc2ztM?jj1y5k)1wTrS~$ zKy`#tf`ov@GO&87*N$)=l7Bb`x4-knFlJ=Hp?=t) z^cFos$C697O%fCm7Z@e|Y@siigAwH%@4H?LI70rugn88yG+2b(Cwcf5{2uPrpAlP8 zaQ%L6lGRV~7BrF{)()(S)5tq-6%kh-_-3)=$3OluvUb z@gwZ``XK>UH=!3uBuTqNNA5#WX1TAH(WJXi>skOMO8sjY&%M}rCsNC?cBy_zi9i}D z&CMtq>6_Dg+>!frN>_e>Zo{xGhFGJlt2;ql?foE}p}<`K?0frbUL}hz6jD(GKzb#n zegqC%gz9b^*W@J-o`$g9k0%4}FFAcRr=E_Td^Yjhb(&97z{Cl+W2lJLf>z3Fp@E|Q z+1)g-jz^*a-JC(VPpTr;&LIA0QHF#=3Ix^#X(&C0cf2kwWrXiw3_kSCRS&*E3Vto& z?S}Cc3*Om*%YD~37yJ$y7|R{*g{hiEC2Eavwx1wzx{G@Ky~M8 z&ghPYo{_fXvf}Mrw3e}nCvo(FYwY^r|DfzW6}30DXQ&x7YVSRQh}a`W>=omm@ALcrKF{;^d7GDa?(4eFIoG+)4KPE! zhi>@IrqPZ}UN&quC?HIP^&0hylTc2j35vY+HZC@sm6E!OfEOi1!TJl05cal|iYVfP zn*pd`9=wl%2RXF@%i{XG)RMS3GxlV~FMJ6f;CV4Jgw7XUJCLEC^IV?yFVR`E$QtA9 z0a|DMve%4SCEunx9rmgp@sH~lm_$5rus(WmDeXY?7{7WQEk#8|XJ<8yN&w-!!DeYC zsF35%pHvlvS=wVLo*dbeX{VA>{Z}ZnK|PlP;TKZxd9pQA8e$loTeV!eWy!j|d2z=H z43M~lbU%Ua`k4YS#bnkah)LpfvWKcAOQFK%>s!q6;%Hi%qWGqlQnQR4sp+fRJ4`i( zJgD;2>#~ek=NQGl9_g0IGhXJ6_u6juv+hAYMpdBr9=+`hMtPDAG*qQEh1htw&`)?}0ED|&PY zUgTBkSl()<|4UuLHzyC40iD|rwB3Jc1T9{%Qp9500tnRK!MD>j@Q_R2{q9ltFb6@zf%c*3Se5V&U;A;20bgWH9UI%^ z2{AO`W+$;(_SBizf2^zeuu`v5II2mA`|st zCPnIJvXYgRZ@BbhS>*Lbvl)H&Ya;!$84%6>pX2QXC8Ddq&sA^>woK6EY*KRo^ORtY zXLK~A4&I6%A5!-vKGUf_H4ZCPb&AFn(etWJuG_Byuj5`agB5ZD`nhQU6e?q-uot#q*?07__<3yZYj2?uRu7&Eux|1;e3c{Z>_>!7Lk@ zMi1s6vGYjsJCj~KIvV|3Xgt>G4ieCGM)wNHqgEU1aFo*b;So;mDc76#_*U(WDAa93F4L)EbK2|cGnfhmc@@)*u;X}pY~ zhS-t(GZRy8YMG0W+3Z_LBer!?<0K5T%6L(g=tkQuwBo>MU6;er;l(od`pE6OstVBY zo*mo>{`b#}{7XrkDW-m40$ElM_)0#?q}{t@*59~a zM+rW}NFyHKY@VE~DCu>wUt_nXKjYg{mc&k`(U+}6u+X<}ESWH&;S_f!xtEGTc zegeCqAm%?FC^W-Y%^H=wJYTaiIB;9bfvun3CT0}O1O7|Tpy9axf6u?~JtaE%{teqW zwHscg`m1S5zd|V^?^?Z$!Jm_d-tES0 zaMF5dbj}=mwQpGJ|LmkzPUY!ORrv zB4|z6Qw+*RLMkV%P{+YRxEeEVocEs$#O4*D+wTX{bJWEliaUY*>eC-9t3o>4%Jp)< z>%V?$t1EruUX?2$G?CG_PiD;$grI$v{K(h*(#Iu^-mqLp<80K(q9X@lC0nsax~s{2 zPz--BDRbkDGQ;!zmD`yfH>R4%ptW|?>-7vhpMFB;S@)ej6Ee%=RiD!tPE#*X*|9$v zIbWM<=Vkl%(x+8pY=?4`lOTa zxzU9bhlc10cB#Op`xd#;`hvg63v3dB`W_ozh$tNot&2VUAFJ;$KM`~IwR~XfAyK2% z6hF9khTXj8(xYDh4|6XH6UQp5+fgUnNjxuZz+@W$R|Hl&zgtStw2WyuENn$Mu>;7)otsFdE}2A@9jJMoi>F_>c&su*>Js1wY05=CwDOD z2A4COyhC07Kc$glv0P01gq8CZ;W%C{Qc}D0avIWfBRLnjM!Ql+j+VQj8jOGsOH|#h z-@Y^}FiF|YA%w6vA1+j^IW_d&F}uEO*BR=IUNhI5Hs2{+r&VW$Z{P@^hWw06i=>bG z9F)x0DYKp{!rEmIH=^p5>h(0s#>sAnR|_WxVOhU<_lt!G5Na%I44|nlOg(llU})y& z@+0;P&3aBUr?HmHxAR%p;+||a{x$oyV~d=hK_3SGlhA~mtRwO(I2oMZSeTqJg@L7h zwB)M~!XiYc`T1T=EV?VOe&31S=KVTW^K%diI`@m$=c1;Y#^KpiiZvhGs?N+vJ?uGt z?^<(bPV$+;25h-On1RRJF3yw}#6jd;1Jb6r6fQ9L8(qDdSg)d`#Xotvp>G>lx5BpP9x|FBlhw3K@uz_ zA}PQ)vz)7!`75t{%i0zqpAokDV>vnF!uX_|dEpU+#c)K##2;+($0)PvzPdHygJZn@ zbA)dTuV6E_9G`G7D5I`YHFJ)k2C#;u!xScw)rJnlIIHz7JGh&&<(K88ZAQUS@F77-z=HT732{J7uB{D{aH7)P3h?J)${7bQ*O@m!0lR73x z)VYpCp6TGoBFK_6B9E?p>md$}Y<*^)bm#H~5Xd!`GI$B(5}APUK$Cu#_Dg<5@dq z!-m;MM}h+&+GoHYKDMXLZ}0gl5y69`%CDvWRV0XMB|GNnRW=fNE*|Y<($AY~4`>Sw zlHg<2v*F2pb0y~C##<$_Z1da3ZY9RWArQlQHN^R-n@u2@Z4V)4S*d~7bpD=ijKeyG9n3{>bIZKy`hX_YPR%q9c6w53n7heiDXF(#1dieV zyj#07`D?Bum5u>BZ^SoRb*i`t-ev?d9#BGQywa6Vf}^q70(eU7{h#{$Z@)h~(byDT zpL^|}Z>+C<5pIf5M27uTeY?8#sP?FA18|S54%yuJjd1Uyvc41oJ-37 zw~nzw+w^ZL_<28B_Gg^fist`mo$eFTp86@kz5{_&d>}0EFE#nuMrx|5fMl zhm3M#z9lwD+BuXDG zYRWdJKwp@SM3vH~ImJ!XW2PjYoC(Bmcv(pREoXB#7HN-aLK_j>h^5yS$&_Bms$5>qp5w2s=evL!TxnhTVc$o-j7%0Z zDsqSH^y=~W4tOH-+%?CKuzSf669iLNsN5az==J0#2TpJrq1)MVCCL9eXa~So;V~g$ zZOT7{y{>J%=+>b>n*{W`UvMnw+YRdA-S2tKJv9q;A7-`#oWUI6by@7z!$N^3Syx(da15M)r z3HM65Cx{FBEgGI}3X5*~ElvnpoZo{>rEk{#_Wtz0UVykEz$kp%$U=zd*D$Wk{RnF} zY*zgBj2FgOTPD>o?;NMa^EuCcF8Mn+u5W-uQg7A-r;bFMet^RbO>MW4DXC}Elq;E% z%!gHHUa+kfKUiubOSF^x)&rHS&s57c>Nl(Tigi|p;)JA~(;4ee(kl!}FLBp|rq|x9 z?9U2KlH(lQe1c1@%SK-~PHLhheU}X}i)z}GIn_8UP*437b~JtmIs;vo0dcT!(S>|#g<~$RO4uaU`HEt zIiEWOnQVW^xRDp`WX`9U_q@RJVOh7OCRdhWujMCU@xdqDXdC>Alp=Y)m%Pj#W6l~N za!|>#CUQG*aJ}gRLA2PXOab`=roeFw`0uim*Sg;S zq&8{HI^*_nRCWFK)NRzjZDyl`Oa z1Z4`xY4G^iXyF|&La+nl@FEAvvt;Dl%y0qq1LI&HlUV(+MtB*^ z>Kl8!xcpGA>aaIj9}B3Jv$~;W46l1CV#3l+G{~_M08{@H_tlyXBVB7u<)mH(c<7)# z8UNr}B+932WN(0KqQaxnn)bJcbdLX)sZ=g;t@TRS%*{iRWJ{X4nAA{Nc#T%sfY^#Z z{g)TFr3&02(mai3ai;x;)7NsTqW*MsSD9q&Al;<54tLeFOUImaZ(PKoi&HGD^kCmrOHwwdR>p6&r^4uZq;7-%q?ag$xJT~ln=gT30Yd;Qf1|y{P2-Pn zt-Kup?22cs;@`;YT?&^?NLkDptu!|cH2GC_)qK(u8U{)5&%CHL7=ykTJX7)HLSFzs zyxsG&PpQ`{qxr*57L0QCl&rk|c2icR`4rETTBqY`==u2w^A z_b0(!5%H3xNTc5B;S@Lpw$?FMss9A9|3Lhtacsps+~)e|n9S-31gXIPX1oo&=b&-vc1Q$sV7~{)bxXu6q-)WXkg~oIqzTX+Mr(o>?ZQm9Cdv zTQQK4-@PorJ>hK8Et9HC)7R6?*OMnj3?O1}zE;h@T}Zr_*QkD$-Hd+mF^4*k82vcV zX5bWA#s2A<30$~Fdvh($kH|R=Q^r_XqAs%qK*x@C3z?+RGJZL4aT41OPx>UnA0gh> zIJ8$Q@WhJt*_fp?9>dwwdrftLxP7yn&E_G4y>z(A_sf;g{FPj#>(Y+#s@mk81&paV zXC)ZF+dGh+2XMV^I_!ZW-Z~Xc9?hmzoMe)9Yq;9H32;C3}kVQmkeq_QH8k zb~$yusFWW?xU3*)4e0}jd7O;d9$B-WrCzn8X|+nSZUFqj?Ci-l+t_M~pGoM!1aZ z{=ULvI^3n6!JTh+en#zXI) zGlmoZ`L5e8SGY9!m&d}#S)dwHqjLowwqXEfs#?1WPNu5>;ivY+PXDzVH~;m?()p26quXP3FGNzZ#k zmFxi2;TKN+3|2rn63S{;^`{$cnv}kURgHR;?;M%w0yzl9A2Yni7xuq9(Rp;4QRXO~ z6gf=_qXv$S=q;Fea?h&>ym9-=uC_hvuV`{)I~w$|*W;5dLBT_3%Su*oefhGYQf&*} zq{$DkT*bi6s&^?*s49IM!Jsl5-()-c)oc#+Sk>zjndNhyvin)3?~OBW&E!Pk7~`DL z)U(_fc$eWTLGMM9LQKK-DxF<9;*n-j##?_|_zV(Qgo5Zow?@}pOPB4+Yu<-vWq2$Y zRdfLxdbSZ5p0Z8g{DcGtY(VmhOx?T?U9VKQBDPfPT;_7u0C;b3bPZkYzj@RW1h9Lv zaCyDeL>8cHos7TyF(^)E_ddooK9xQ6=95ach=>U1{lR`e*vTAz2Z7DQqZ^=54-c1N z0l^?KZjJ{ZNnYC4Q&71LX4V(EHeRoJ4HcFu>ZabzL?iyfaYZz92dOxTBiQxOf&ZNd zdi#Eq>4_`6O(fs&a+0J~FGOUQsUUQ>GuOeYzSWEKPm4=(Ugek&K6A0P~ZZlvn`H zZMwxzh2*sl8leb@4ETnh^Zm~2bFy;)(~HoMetZ7#H41qx{aKKZ`SaBvGtp&hC9^|2 z>94wtcv^bK4XWahcp-9EKzZ-OqQuGHYC}bbyOR)fpd3l7qBDJd5YMWewn3U)oZ-x` z@Ki~rfl;TDEXDBl_L0VL0KCkk{P)JpGu)|}GWkhtJZQkpOg%gg3hV8qSgxM&R`W{$ z&dOXNuF3c>_Nhz0iR_xqj{`xH0^CEqx>dRN#Y6ufFBV|J?w2I8B2t3Jap$9zYvM`o zsuL|ApVEG!i<3yhU0TX`K7!9)*VBnS#~ad`br+B8U7i!1+5iZw+R1_U#Ua)&g3U3T z_930>?OLlKDGOw+A!dj`#n9_^`cw}YjvGjyEzR0;Dg8OGn?G?T^^_)Ipd$!fW=ko= zeZ&ajoj7}*oEw)msF3mdQ|He+ZY3F?l7`GYa3^kR!{kXiOF!ES%~C>prGs z0|>>GuDoUK;~zeBFJz$3^X6@&Q-5%^(|iHF*fSV<_(f8fy(xeLawN??L}IM000DzW ztO?XiLHXAk5UqE@$d}Cz&Wyy>G9X{`vrN%m6sJGycj84U8#PU&=uQA`)E--Nk!cXH zf|nDrX!iET@YOJsrHv#R4hDRAFm%zTSukku+-vyVx6{QjTf^If(yMB|cu}hm4cf$X zY}OsJtvb>bW!g3Geh`p#*DA$6?Jyb2V)}IM*6MB0LSAY8>;Q5m#_eUm) z<^Ir*aW@b~omFB&CAJmNQ<9>lVACU*J)~bHcix6poxS>Cq~2GX{FWLM(Wcz%hd` z$qB}nL6M3v07}i=IR|c7$h1ThjEzQ0B)#);>+>KTSa6dl%U{I2Q!vAIbujr1uV=1n zp7L4acPj~zpReG34;BAijX}~44ApWojYyfg*`_96$HN;*CK>D$Iqq0(l(g~Xsmv+{ zS3Ku#i_=ZpbO1f}2&PCgW*NMkBVah+d^&yO2)i`18lFg9!HBueld#q#f7+CNqf<%h zXLf0TtB}ji`g_iBVzHXK;ki&}@WmT%;c3sv`9RY4NTs9>TJ8CBiBq?^BUCE>vYsaK z1yHs&VbXGY8@@i|`x7@i_re`lQ8nw%<=Ak?QSn0LCyZ~yWqTQ0ng!R?JwhEY*3>?lN~!w7kzR|}&=sH}tf1y(wL~`4 z&kXzfTPb1&e0&_yN@@U>9*J$g-HOioK)$tGb6O>?%rgEQMFn5iK0c$XWqRxKbjKIR z+Suj2nJszzsdZ7D+@jZw*SwfFcZ2?<3{b_MW|G=Y@pW5mgZ5ipxC)d9!DEl*eQOwF zE!Y*&!L+q;c~uOlyflo>`a~ux3|@ctIIYLhTaszS%s_=*BU@h8q)gUQagpGEU}jYr zhuR!+`UCTRsDnxwhMazsI?v`52<<&)Fp+78Trc=d05*tI7G8^#Ku%Hirwr|)|N5@g2B3)>2fV*ormE4okfa-5v^!S9*S@wy{k8tR|M?x0 zXTaT^R^&9i*hlj3_Ire+2oi|?7UO& z-cELe9RI62Y_W^me&$1sk0wLO_)HlfSQuJ>u`l~ zo=uGftx=sSJg3dT`$z2L`=&t3CH!Pdy8W$FJ!~wXL_vGJkom_O_Qs?euYdFWABkw{mfaqj>6x&N8QuPr!hHhO z@aa2(C5<7(XWePG*6pF+ai#5V*u~4ZRR`f@lk`zf%_+MW(FB~G}+&*be zoZ~AF>UM{@_!4hmA*WyTYFf&>Pu+gq_e_p;ebSM1?36l0Hcaj`$kg{yPN-JV{y<-^ z?{anc6R(lZGEZWV|M`5&jX1Pdad*v1rp)&2jlYaa+9N4yu&EDV#H7Oh&?{_I32ydid zy4Uva+m7Uv@FNMAUB8tTU~R`~Q(ZL%10+X>T5{8_lJaAN&@z9T%#nxdGM}H`YzVRe zQ5DVIx6Z(~EOia5`>;?AR6I#0-IwQO0aywOPH}7{`&qTcP?{%&htZb{vTSezUyDF=vE(j1s$pKvB zXBDLzGEFC3Qg7=hEpfi$ocFoIR2i$$zA0{6mCa=}w}dt;3Vp)PQmYtr+Ju`M>Wol5 z+@b}HBOKs^rPYH(MN0_dwVXQdJn%PI1J0{jQ>ODI|dm!MSb{5X*p?5WoNY1{7tc)RirW4 z%)AljJO+MmT87f-Np4X5=UI6(3oAm8Rr4SEL24z))qfIaQvxpxFBFA)V`1I#ZS75-YgeV zU*!YZskka|;X=Hwt5)60-PZxUmLj{neIL!@SLBaYK^09OTb-rMrr0c(?5g5BW?X7; ziyrS!ecXH)ZANl2eUxS+&+_`l*86W1DgzR{H=frBm>h)@%0G>mHtx0-cT2i4N=y6= zJDcX!lnP)dIA{4Yg66;4@h_j4^2$r69gS}?s~_Qz1WL%mUb zqAIy;PpmcT#T&~B?RIuWkSZcxQKAYztC?`@D>3pMhp4L?T)8>FjRYL^1&&+lob52Y zkC6z3#CTj$oW}Eud-n&LJER)jJos7pb+)cq^|HPpD4_QC(#}WICqUG_^_xz_4(cB; zmEG`}Sf;)m??Iv$?27Ya^CqR=z;NGks{x%vNiN2ti-?h)(4}M{^j;U@BrE-j)8#T6 zNJGvzTM;zAcRk^*Hic@W5Ech}9fOzL$i) z#+s#yU-IwWLz@|$?qKjlX!k#8PG=>h6k7(K`8q;rLxVKJtH(9Oe|cTHcJy`kXO>{= z7l!>pAI%)tnW()~yczJj0jlZS&jZpA3`vE)O>#*UY0$&BdM-8Gmf=t`eyiviUg3GR ze2wu#oE+LCYh5=2_?yJ7YbYhK%0e#jF7VHG7s-CdtETEYitT~V>8p7%49u}8k`JWj z3QTm*<6zSXd0CVp2k&F2_|^Fh>$)`U`rZ_-?era6RrG(N{~MkL(23+ZnW6xG3Rh0K zh@G&OskXzn(jwRoeS$#USDQh-6mi$L1ICEchiPC zyqe;jDOf{JY{9j&R<~s1>^Uz@LC7@U9{E74yCmO8EbcA6@!Wc#yG;AHS)5ZMBBK?U zhew3jr>MOPY4tBp$MCU`sU`G@besWx4IXA46CiwCgz58J!}q`LyeojJ{5yJD)s*Np z!kEyv5txjaj!JRCgLYXpK}hh-ncf*2LUKFmznQ_NnZk5P`tbDisS~?Tndhmpe8wpa zaK_pACW4wXvMuY;8^4P$-mT-$lTiD4Kc&w9>VBH4+H}T(QEY@Zs;R>k=_;lC&tgIo z=QZbFuGH@1&f7mNp0>PB0m-R-xE;YPL)Mc?dH23j=RE6&@JOqkX|Lrt&)?FH_o7>8 z?7Wi$I*WWBdrL$mi9gt`?htd2$0`N2jzESVSmnI@gE9F2I=-#?>&wr}|LhotxVz-A zeowp1FNN>NSHIf*uE6=3Tr%sWJjouR|5d!Pmsit03x+X^r?IUO{9uY&dmy*pL1p#s z9VN@%;e`p(!m4@OLKb=^t#)>Y+d4Xu7L2L`?kGpYal@V)1P-v;%j zJvUTE&r#sF$pM^9fJ2C;*=v=waj(zzp?sXzd_k1%PEzmSxueF-zY|H$00V0v>x5Xw zrk++_yRd>O^Bw!`lN+6WvlsULjL&^g!uv0bznd|LW(FGF-cE)=Y?hxmoGsZzH#9S_ z'v?($Y2?w`gWC|_MH_INsNO+eL`7`~LnP^e4|Cf2_LKDpg2I7eY_$%GlCR6B2K znkJtjH~sJVn`2w1O+LbKZzQx8Eq#2R0DU+aPNc5h;52sHLQArz zpr`lf(LrA@y$u3vY0s>^+!F=erS3OZ(x%ZkwO!ogor0E-$aRIwDs_l2#|nRbar1P3 zbBI;cMbIfl_=Zx%%IEpRQ>Zl&6C4eOGw0B;!|q)6&WBhR~?-Z{NA#erKHr z#x=KPe9y#~3B_F_h?ijmsX!sBo?6!pLn|h!?>A}kvLS=_PtP?K?9P;RN%AeNg6Q}m zQxRG`lb?(opWI&)`P~24)A4)^#I^sWmvvXQRrrc|W23Ed7c(|AZySkih2o`~4OZ5d z(#H|oZmyB z;BudF^<|&{ltw=G*d&@;+IPhz_Al5-c~Cq#M&U*9_7F)>ZmxlN-09xiKMi}GxrT)O zO|h1xXtz_YOLiwy55OF{@kuk`hriNo7$o2J{-oPqZThlM2Y&Z8XE%RTx#W$V zyB!<~12@X-#V5%^pIyFjU-9w0t18wvpiDhki?_nNj&+%Qevx$R4wAo-v}mM4U2C14 zUESN){}Gb^=guHU18{6^KF7&mXy*=Af^(FqvmxH~G33OZZxx)g4_+V?UHGEYj%UdY zPj~9p1|u4IZe>tou`NNY4^wl%7PN-ujMyq#d@8Qp5_=|be6b+&SE!7FTIv}5mC^s% zW<~2RoJIPlx(orPOI1e+joe#2qheuwZT*zl-|C6<>6l5PKS9OuqNn+jxy9|)B)v&` zksFaR9-I+P4fpeVQv^1?3nwzVJvK_q7O1l4_d8zXdwn{Ch|)T{nGWNpM93TgUamEU z8k`tB=lhO)^)NKiwT)Xo!RKqjan-_}q~d&n%tjDC*joE8icY|Jk9=iWR(q9X)}0{b z2s>l9;%lN)hncstAgtMZM^&Vdf>h0Z9-KRb)wHS0QT{!P2x=Mwsb5cmRdx>&A{X}X zb3f9CE=XY9tzY^qW!@Y2a5&C-J+il?onPp<{o7wTe2acXv2Zy2XAZT0&zWB62=nL7OK>r}hNpu8YgYDUH;u|l)xlc3VkCr}8 zXm?e)a%0sb%eV?Z!7CHoN2H5tGu@W>+Qz8of_H1}F8tb3#1MF{7c`4@@*)~&UnZ{; zIb8t&Y_iDuL(c~#XAS1T5niAEDvFQ~std|MuY zNnh%<{xdUb?6(q2&OP+?S@TEl9Vwk59r2L|-}i%j)GH%3KFIe5++%8fxDsBMI!IaT zKBaxT)M?q*P?I_Gl^YCFdh{odPP338UAw~eSgS6smWFLk7anb_{k5AZ-33#D?r6=WJcyL~so!n! zhhuNTVs0r#X2|Z&KU+6IQ1kCNossyka9ggL$=}&&xYj3uQ92{1^3zO?OZ_S2;%C3% z()d3u0sWMoico9L3O;T2_oLe(bb_ajTOnV5(~!um&VDmd^nQ%YI3+Uc<1PLuGrDgn zELZoxSEaY^H9DmIAqFyZhPqBXedF_3F`W5Zpse+28>RnyYgsxgYpy=N$o4d}nc3cd&vKFV3b*}E`t2&OX^1q)ckm0oOy)Q{MO-~v8sn=}`pV@J=F z!TFVS83!@FrNXB&?ze0!yfQ5@&?lgOk&bh+mDPZ^@55TCsIkE=PR*f5D_Jgx5be29 zwSOX=_IC_(73lQL>5GMFrov&h1s%~v11zMD*|9u-9E$31>KU2eOnVM+nABywwxc81 zt?{@~TQ>;Yynb9XFlu`-JEFtYEl~)sdr|24 zl#!pW4-_hgmD?J;JAn~LF9}5%fT(T87-dO=n78m2kyY+dp+-FitXXwN7ra-L^I`j* zDF=Q3Ky9o4%m5e0rcnCx{k6Qr1|G5BU|bVZ8d_ZG&I(l;^w=HOYSJ)oHZPe$yjCH8 z`vm9vZ;I{eKe3uHbU)2(kN)RB+g7Nm`D_1E`+FtgA=H|W3q@63&7P<*EbexXoqR?e z$aIa2+7O54SNxHuu;jf+|1~W}*mi=LZp<$-NXB>dO;k3Y1Wj08j%C-Cl+*{(3r(3z z3XP8|wDAxSbw{soZsld#-&HU!8Rm z)h=CBi z>n+PrXdSmE=a>14$!GXN@P$5y^o5;1FIH1u+uH66{ZF#s95ev&6D14%W!RqIiriA3 zUU6c5^-WN8|FNK5&S1IvJsrmH&o~uthr>?kN z_r;Ro>;l3~v}AL$Ie>C9^{2tKlkQ=+Plxxi-?;P|#u~t;q&J@~E@tUcY1j^Jw^r(= z7`5@*&qaGU;i@-wl%LYM*Vbh+Q!!^rt543(*c%z#)S3y>TA*V8bo}JsOGXv$hT1fh zGKiT50+m_h@|0=1W1Uxml{sopU`9fHGRd#)b8LBDlkDi0xQCHuYHO~aS?n&mn_Y$v z=4IpI7K@gL2z9w5C2d-4KxoNO#F}&S$(HvP?7+<3BwSTP5iqcdD+Gqszvk`Afp~K2 z{JT&oPjT9r{|kJ6mc4PN=1OfnlU7y|-8CE-6l444GyW#&-u)UA9aXVT1rGLQAR|W3 z5XI}h`m^2PyUo2rl6rO#7na0FJHUu1air;_%hqQ8@yR^S4W$l)DOkN)3@K(sVE{T0 z+>!YF)HS*47`_#RujiQbF(3kz4i>iK;nH{iA@9IHGwOaD4^K<EeR zup-Ma@dfO&ugVAU7QMT=8vhdhgkybOJisl}=Z3G%kWZgEznh!(`TC=JF_^dEVXQPQ zPkjG-`3ADJL4#qFyt`-*y3czR8{JoSJSq(0Uy>^ZfQ^r{&pUP{A2pkUuW!H$X#{Mw zIfRyQALCu`HAJS#$#;^xPM5rC!8B07*VEDU8h;=%!g{GHGiHuqGA7C&Yjgh}pnZga zE+r+H-#OAB|9DpVB1Au4FEiqLFy1VqRWkvgnhA zk&yx`>=ql|_uT|4Oikh&Wq*zKfCjVR1EKiAE`dq4FxT@ewEm}et2Y=e?|Q#N*{{03 zSQGikyYnZzo~!*9`e@d+sph88s@WBAGRv*F1U#;<{4jF)iuAqkcIrI*51&eHVv6{i zblF@&KT@t=Y*SUJ)=vIoVZ8K0wynCw^}rkYv?qmk`L_Go0cNU$WK*>G9 zxT~Nop%4ousG7^IN25CH@e<@pH9M_c40FTuCt@}Fpj>bM?M|!L8^L6t@Y=~_o~mRI zo8%xTzp*8nceGC=gE=716aod7FcG8XRH7AWYw8l)B1VkW<;zn1F=nr@yPIw4J+X*T>i|`$~Fkulat-@OUezqptEV=oV9# zl?!m@m$T(Q6Kf)>v&M$L*(L3bAHsggy&*WsIy2RcZYchK1Z%93DL8E_`UP6QZSpyM z!|AgJP^^ReA=UY)!8f^4(BIg8Wqlwl<<+-MhDU=dUOqGDzfL}L^o5?jiQgqM-c(J{ z!N(r*m@;k)Q^Sg_<%VDVJt_K*aBn~Y{5-DUqA0pVG|2HHfG8NvT4U$IlQd zH%cGSWtB(oBxTKw!b5!gxs5;Mi?S9SFqV=5rOdkfqeFhPrs(d^jglRmwZn1N+rI^Z zKKad)H$I7*aZrnQ4j;Y~{w#v?8uzO4WJiRNaQYlHYZ)aXMFUo=)LhT_`ADJ~?{~?| zeLWGPtfH$CH@5)32>LzVEVEenJ>}5rc4gpJaW&Rkh{L`D(>^XgK4zsJi^q++FwP-W zTaeju+IzWAk_#>b#|G<(o_w1CAY$=fB{!CjxD#vGSqL%_&6V60P8e=zLtq2oDf>)z zU8@PLRIv>|#k%Yl2$WY^GaX=(r~j?D!NUwMcD;7Dfz9=1-$>fswWsS!KfpBnb6B zrpMF3?{M1xy?E0dZtP^J*JIh2^-*ySlUhytq>_@UZSNz%C-H5t&>!EY^}bA z@Z6z60^WjXRtVn-5ILbt&py}9DUV-&yDtZ9VZRl*`?T@!RR@xlJGYvTaU5I;s})C2 zZL_Q;roPpF;%?K9;Y|=0&;VIARge2fo^$KXy=i~sXKi9k#@AGy+nFd69l=+)csa## za1m&^brY9cgkSLR`S3?;#&oir_;T<=27@*g#gAqazNAdaP+^H5x$Dw87Q0?=qMmA# z{PoHqW+C$|wf_SOrMt9COFtk$D)ZARU-0JeyT1^2pDtH)sJ;E*6N9qOJ6ma#e`i(C z8*fzogYM7YTB4D|GO_ZaxP*}asJ>x9C=_l9+N=SW@Cotge5%AhHGPXFYhfh#FOid z&4t{p2g8btZmV~o4VEkiM9o^gQly<cTKKz^-og&*XVy zQSFD5wY(HnDi1ZEtUN8s<Xt%<6baJP9G8vMi;rS-Nktt*Gt+Mrm#%4dse5WZ z|Bx}$M6G9?J0oQJPCNoIm{3wjM!F@NuIVadq+#zQK`e_7ST8&v+9SZ-I8f z-rsY66>4X-HA69l#L+Wm%bMNhlq2bkOQ^<7DdY{B9j?4@S@h8OKy7pB`9NplLXi-H7wP;js zd7ed-$S)PxY!dMH|B2;egHv=2Wkg^~%inOwE>GlL`fy^afSHv#&q$fXqOVqcHmgofkP*7NiVv&mADkb#dQ8@Yb<+!kqLsx5O zx&*W#EH10mPN^5+I{MxM45E351@L$txA~sE; zCrC6^0d_CrKU-cC;nL#&bt{yA>3LLw?SAV*@2*?(mpAc{C)OL%YMzFO&{!VzZ=llY z{FSv2xMfmdc%Ysb?>A{lJ1GAWROmW&AW6u^s3DvbICRE9)A6e39%Wa@!CXAWoj>>= zA}LaxDJTs8>ALZ6b~MEa-^JWoxr^2PSFEB!p2jT0Q@>ksG;qJ)o=Vt4zklShqn`b? zZgzB{d|`tKxYCq7!TNk(ESIw`prT+rI-PHq7d)gdwSR+tGsW3$(_@Sdy`b_ep*But z_fYh=fFKS3<+(L{JKbgMGc$~)!mfrRhHB;Ptb6UNyrJjIO>CQ<9whq(AG|ACNbnw- zd(A_(B8Pb2ek*IR54lLlWlaW*GZcFEO|ds!J>?|9C3QNTe+_#UE-4K)$tYPD*&T>= zwV{7{I?3gGOz6|9!NgncaGzJn05BM}PrND9rPtSdiDcYZAI;DO6Gw*@PE1T z|5{IS<$L&C;lwrfNwweit<$Sfq8xFh%H|0!gDencq-6mA`9%cWJMT4K?KG^1guk~2 z-PW^bp)YU{ee|YD?Kb3jfarv<#psllp`hQrnhfc1gJ}n~nEF~ym1 zN3J8PL*Gopq0*jrHK6!WwN{iusKLC>a}=rF)wB02Vm(^cXD=0w?kC6eNcgU6(|0`H zzlh<~@;+|V;2_`qX^dRlJQ-PQ;=kY2(7`nq!JGUvE40Xe$P)C%0p}@o-A8Bl(jfGe zsCk*wIsu3+!TEu$NnJE;Dy!)*>Kj=aUcih<<-C3MG2yzTN8qBftRhO!KFj=4(_uZo z$jyYG1?yaIN4{uq(9u6jS%MuOn1<}DBXpF)p)hcY=xoP=$?RCLmru0cPHl5y2fHD? z2~>?k!E|%;S+=yXEgl({MrQT`aSiYjDE>c8ePvJ^VACyHpcE)h@s{FV+@US*F2O18 z8r-3{6!+rp5+FFm-JRg>?%Z(S@4erhXC}WglbP)7K4;H!_AE#4Z@%6BAh%VnZ^!&| z1sS*fV@P~^rTEZHP-nhz8B1b@Y8;vM7>*MwM&8&W&at6w!i1pHAzVo?i4Ovl+}}!O zb@jM33CyF;Evd&8^sh?lILe=L3#e3FX+Zqb7eyRqyxC_oc7J)d$>#HuQMsNCB_Dnt zS=WII-(z7H;ODucGOaj+H+LEYDiap}MX>GxU4(vBt7|vLXqJ-(#GWb^J;&3<#sy68 zrT$TJ9imrBa8d5duK?ic`Pmc(CAU8(x3?u9^B3KTu|;Zsn!5Tj#p}>iJji(F^~5c8 zc`*|s8}Dk)*AQ{G(%FXu@z(o1EsK%#98BXW6k>f>8{bfa{ z&}THt=lqBE&`Q4RhWbK_Xq``Ma`dr~4;v-eFLF_~lza74pTiUw5btHKN7dStR{S)y z^__wZwPt=7um;d7Y#RDh;T+e>3}gIK5^Sl`VyyIIat#dI46YDrefrMH)dxvXUCp<8 z%sR<&)TxqI29hEXY!Bpx6yGz|41%7Qt1<83-mVQqe`EYslehakRe-}qKZ*7&7Ruz% zH6_qUh{?;ylO}qa<<&CXw=x1Sg{(pdD^zPMG!I$@W=MH6xGXK|uU1IE6$z=yWrQ6~ zD)Ha)`O`c)6-E>IS6>!jCYM%i-(Rz%l=dQb0c(>!%8R;AJIBQcvSWi+=ksWn;6}nv z+DWp@p7DNgN($Ion@#fWqu-pA<$Aap8^o4$zn@3oVbucV{Bn1h9G{q9UvO1wWfyR|fYgUmLY^-i{?*YitATI@8PZ`u?sb6E5vQDn z#0b#PJry%EUDgFj`XfdyLG_X*R^HK5{Y3g-47FVs@thThUWr zh6~hsTS+c_n52OK1&)|Fc27TVq(w?5LLo`7Bm(fJV#c=BcUAA5Rp8%-tsL^Dq9^Lc*K9LKRSp_ z*+^56lMx!ID_^%hHOC|wt=%bFXsZF#M3ByChMU*j(|PQ});!{+9C7fL zo3N|{yLn4i%Vim5YEAU4?5S;SHs#r*Ml+_G&AWZy!BONGeU#hexYvnT_z7!k0_9Cl zkxS;H%B++oDeD0*q0MFO*lQ^lq-j#dLhTaNum>qv5RF|?I}Mt|+8uDB*9b-n{UBH5 zJaYN_D!8NN)4BFrf(Hzuz59JS)Wbs|ORmJ# zv;z`S(j3SCp4?V@yJXPjh$*;>#qo`WqRx-E{(VOUWDjioaq+%bGq7n_v}`l}CcLtQ zTQEYztv}l7CSGgG-N#sQ_|5O*u!?7#*eT6?RLv>=D7bij)NpV{j@P{d5;{Bi2>Nxi zDtqnnZgaK)9JTkyg(=vwykTd_`vCgB>+sf#I}{!H&)Fe#?e+YLk9R_g9!DP$TVswE zMjJxRKbl;1*MolPw$0IfCc3}8-21+Mu4-)-pmJZ4-Kj2{@H^NN!4|{AV(P9m^cs@A z{<+b#lRxm^&kgAOFXHYEX@NVj|0fmy-w`BH_^;=tG<-l($rSjQZ)PxqW3{a~pPf;r zhKW*4yf*>_0?(0$^9(dm*PB}!)9dGs&DPq!9&1nUxiFoU7X3s6gi6vi2sap#cFI54 z+|IPkc-7^nTw&r9;BZ|br?#aS#a`IPSyT)%WUG2(WPf3_?v|3v3i=(^QbvGDQobe_ zxj8U2+Q~{-fl`FD@15*0if5sCZtuEb+ZM3ak8DM51%eu5KUhoid{zv{D7r#j=K8p0 z+$FrGF*!ezkg+K(BQI|C&2Lebc@70OS6G^jZO%z{azNBN+H|Sb2 zq(GbhnV?(mD)a5QeOPBT6UtWCJ-VT0Bw?qee7?knx1Uz&aE;CWd{#vS^ET-d6e&AQ2M*XET7fQsGDh26HV>^G@?r3; z%NFT?iGVAf-mXT`(NObeglAW{tJ{~|Xa&j5CeZ60RlD$2&+t-GcFtb}GOXT!y^neT zP0_wfxRUL%&!&~Os>eLVF%q{I^IHf$T+E2J$_f=mi5^BdROE6XN4iVd^gFZM9OlXy zH-2u%D}p`>rgfFJ{E=j-v3GVEztJOrt&v;OQ3MqO8n|sMONjUT-vWh^T!efN;cKgi z4muDnE0T1!mlS6>h*n@gnQ*Oz_S&@_z*yC`$^*UT6*u`e5n!fE?~$tzBix0q+%IY@ zbHDv|?=mOhTq{n2+>-u^)UbS(7BMmO<+S=rQL z{$#LQ<%qWg^5k^KsNKTdY7 zjEP=V!-X38t9GhVMOWpt8=rGuOZ3+>apin91z=e6^{V|TdM>J)s4lG1H#QcNhhI43 zgkB)?7=cwYHya@Svy`-~|$>l`$Q+T-7y_PJlTKRl9cy55+3-tFMY=4N>xVx{w? zM@G-JW}h4@{a|_?Ky(+C#HV&{>Zx7ji#qO=iMBN=ql!aGZ7cU`>p_kx-nwYHA}*9# z?Z>b$#>cMQrrKk;&_+XuV#A;<}U8-J24!g^^PA&0XfI z1T_gHe)fkF6Kh8_p9AxjS(PzP{lHD$g5QP8BHmYRGxLr&47y(4@L@G_6j4koK(EKo zDrzd5va|lu(WiNS@bmr*I$>$C>52XZPEtb77wn@)0^jRfFh6yFV>Ms!RI$r&DSq4$ z1T>QQow)Sfw}|S@QXXemR2AeCAv;f{BASUV;8vlBhp-FNYwy!lrfONM%yX6;ys7Az z&m;qnS=s%ugW7^(bX0XCr@-iI#HuF66iLkQFas@M_t)e4)(6P={h*Ur>m9$r3*mg9 z;*v&;%}dn&X}Fe_P8;yY>oNQ@(1GC&?PIoRu~z`jTE<}B~~c|Qsogcd&{Xz|m0 zV+CqQlSq#9MLYa&^LqxEoR7sjj{A*pPc2`ypD8Ko&YqKgj#WISU?#WQea>9Dqtg1~ zuh6Mw1P@go6w+#;0-_~(8?R1IzLLM5?TagnEN+=*dLi<7pes(iOI&Uzq@arIEjn7)gkzcXyCs_@Ehpve6JfLWeR?rGWAti+hh6f* zN9Mjw5Jqfagj2CEroOG5JI=s1tJ&#j8g?t{ZrK1esS}zG3Z14Edjh&S9$|k`ob|jh zZQ(sbOx6_o|8wk`-e9?d__WO!nV+WP?#6v2(F7@WuoT@0DPfpfk&}lTGh=5e%9^vx zk4h%Gp4+x-;RV6OjVj;MnfGplFwOC0g-Ox9P&brFSven$1Szee2~*% zN>dJ9IBR!gT9{~Np2N~|*V0g1?dP3M9$Qmh84{+%V~v`}^3gs4mk)ZBPu=g)H7}O) zhXs`y>}i>DZfY`B{$QfhW|Z!E|Klb|Ti)@s*l32BC?9T`cWt8ikz0tIgz!ly_V5QY zwKKdpPCr9dN9j+=*`xa>vWMXOK9CH7gsm;twYFtXu0|nAAfB8{ptz{nh|5NY_oAM_ z?zrNXY1V|6Yl?YHCM0$7WHu7pbLqNqBokq^XGKS8?+3TY1mhUL@B$}efBHnz?dVT2 zbqja$3_iPKp)Z%IPi%C2)M?=KsN^g1}11H#EMujjn5~l8mzW> zoFu$CRKJWT9U{gbuG_t_beV1sd;|lq3Z$b`1tO1ImFl<}qREAv*JV_c6or6y+=qRw zia2B-I1%2N&+rhP99yZvlgnU(KmuPk$mn$2h7*8dbRzAshm5Iw|Dmst(&%m)g@DtI9rw~s zhJY2vm_2Oitjm%;-LfYy0Tt>x4Dxx1Agm2tPc1t5Lr6+je7XoJQ{KePN-z6p{dY;B zeA?ykryp;6+N{C1S&4!s>F9Gix*dBfMZBcMfAcbh{-nWSISysdeOU@9V>hMC%>vd2 zRG!eZaZhbAZ*I0q6tf)u5L4!>FUKyCj=QKzId^tXG7g?|MrzToYF>hf0Y{cvR_ncm z2b+Fur8~5qtVu!VPHq#z%2t>Pbb%zg zUpOSm3nv#A?Uel3C_DMyGcqOKzS8P?L7iHV0QeZyxq9cqu4%CkeSy zn=oZY3OyZG#;bn3AyYfZQftamA}qt_m~M6i}zm|b02JY1^7REAS|&+dCzAUKpvc<9wXG^lnB z0N6>cu;UZS#WgCj6>dJQGpOL=@AKy1gnwg1{r9!UXmG==@vuVmE~KyKuoZ)Y!;?^F z#W6bL-=j(wMKTqWb#KYu@M_Z1th=p0$V#YKPl&@8TR4G`YoVebo$tAIq*b_)W;4*a zLB!Hv#beUfDG!|_WLo4oHa>Ik;hrvCpHl?Z@^A?CeLYt*_pr2{6Rh3-Hsex)lc)9E z4oq9#?2zCOZl=xlg#_i*plO{^OC9Uh5r?R```vC()`SpR+d_24J9jr#CqB@bwUD_L z0u#?0eZZsQA_5K0e~uqL)*I3Dwag_K&K{dewrdf%DxzWWg^tLxL}9L~7hGKtS~XWz z-rKUBzzu$-F~r_HZzU6m44gM>xmZ;@@^)lvk(nUn_x?b7x6W1lo3Wo$=#|c(G^nas z2434ON}&Dz@n6bZXE*!x6jF3f;vurIxbk&IvnTA#9)U`{idlFW9&ZKMqK>8^CoG(h z$qqVL22ihfUuJ1R<=iV5=FXCEIQ{t(x3n>z#~f+U^I8l`V2$Z*4F@p0rV1{o@M{Km zz!zKxv)M*z4TxA!TL$u}m9>yEw>84vQ;(9n^}|HyaFc-d58AS5Zzq$$E#!JS6QYzD zC}>lX0WoI^vmUpF27tVU3Yux+EEtd#z@~yHJ@4;rJ{I%yzr)f}9$kMfAEkHKKR!U$ z6sH6b@(%X(ihYw)JV4iri3`UnI7r&5Ra@y(agPE_9zLIqJQLiVA-)X)aZXs z2kx7Cg&s={tms!)z1eGU3_ktxryN8_Xt7{XhF7oBdid`+UCaz_ZM8wV>m0g2RT`V?vA5NR`NiW8^LKEyjxY1X9>ohSm+v7obi+T2zY*MJ3? zf+|{+HR0?jm!0m?O|>qnkmA8QdO6(Uq>=^{v%eu&vV>qxx2%-B+#7E@)fG-I$HqBF zscq4c&zM}0HB@@RM;7jIOlwr)h8%4@Vb$^qPBJg+Wv#(;e;C|OUGzE`w=d|P`Z-!m z!9}~)>&H(^fhPZ|2N6YGw_mwDoY*Swi}{2dD{Oi@((dhNe!V+WSHAV6iFjxyn22XV zf*>pT8UGI5&aDj$hi9lpLanqwOxUHwqa#pjT*t-yt;G+A^LK$|N< z_duyFbUB(4oc}=`)th?@k-V*GySuKnv^U%pEUzSGx4}7ie&JGiUafv%Y|fuET(qX2 z-YQGn-`$`S)W6gJdMn-SHXEHq4TJg^naYbYblUt$Q)VB%unX`V=2mSc^~$sa`Zf~Y zOz%rCx{`xeI!WI_yT9w%fPqrikmLVcO>YkYl0ujF^ddEQ2X=0XQG64`1MB%94Y0GO zwYUmiMDLn4H`cMR9V+{|X!lblczpAFPLmgmxCQw{cmaU>;9tWz`$fadz2eMmVQqn~ zlCKps3F+Ez9GGHA`fwfsr&T!Ars5rC`S1-gI9B17-*1SFz92)KjFKG3J9ry6fmOIP_q(=^$}qcCR-2&Z!k6Xiy8zeq_DqAt zd;5qKE@eQ0aRk9I;aP1FE$tM$tI>{0yklrUUJ$eg6Zd{%|5o(9{p`2;+eGQzi@8K$ zj?Z5CNI#EjvXmELCtsHJlm(_(lA}2r)h4!v+$R}6usGC~4*|+ZVTCO$G9*@9924h8fHD~u7gKnJ?52@%SWEvl)P$YsXJznD-ZKD_HDW7#+_%64LW%C$H*7ujK22xf ze?dac8%Qul&0kT_M?ioDB1}ki+0rki1<@ag{S;eYEo>8siR`m%_lPZCQ%tV$#6+8|QA|ve zpJ`T{ag;SO&1iV)msL5UmBw2epeE~jB=d?OAp)6Ko<&qs)HQgJ%{Uf|N9(tGVBVH8 z?bgUwGf+25J-E^t(K2l_d4k0(7hPl)BL;Mh?Mv>wTt8q2p3==a1HZi!QR&>ga$SlA z9wB(dVu-64`WL$ub}?GC|E|BybV%Vh`_Wpd*6ikdNL9eJE8~X0qjvZ5Z)89~J*i%P z7Ra~fIU$54%fW@ZC!e%ooyk=K;*SyU{V0!P3w5Uzav@GMH^EMCG|afQfz15kiUd|saIrAD|(yqhpRswOy1Q1 zkGl809_z)ls~VWsHD#xen^{9cT@OyZLzDv_)ch?t{95btBd_;OQI;4N9b|?_M4uCP z5ecx1_Jq!J3u6*9gOl{!utgVm7AyHAvNgjNpn+wO?5l3yo#LXKwOGOvKXcn^KrHH6# z^)-x0ZQkJ#)m}gF|y(X7aM%s9&mm} znlo;P5G(}Uo!)5(AZ&sV!IMdFDp|^!=3*mc2gP=8RwT>r;H@kf^r%H?gs-P~KUG$D-9>EdEpPE${e= z>z1;rcq&`c_=!%wS693Qd%7v~B0_9tqdYvx!t2)?=2tFVo!fVRa6+QjrcbY)^R}zy~h)gw&~lVJe?vyjY>@jkJ1+V73P*n`4D%mS7s&ZzyR%&epx9MD^Fa5^mh>H<>mv&&y% zvG*LetS)t2nZWTV_l|jbDv*@*Wb>teB z>Y*4(@%!J^yUX2_wpHIc%#^*c#eMgNZ$#a?OGZ=?oz0L6Q5H?7yLkH}dR=LXItQGP z_qxgfawU_CVlr2T#nC&0K35p8XqC3EsFEsejwy?oKKy{g7M(;Kw%V_=X3^<9h}TfL ze2)i%Wk1k*xvYvithEo-?1;(;XOvxH0VyC^>qYj4nYpsEn}``ohMv?+D13L;Rl`fz z)Bf4h;(G_IO)wXKD&+HNw_^Bsh`xhI| zo}X9W0Q{OF(IGj@y{ykqt6R&^UiS|GUAOQ-2XxDLKyt4j@erAIoR$geHkq3?b%KP>N*23Wnt7kaktYjaJn+)A`z@()IGe}f+ru!VvZM`uzaty z)D-?6&(#TPJ8asz+J_E zn_ef0 zE7QeN4gmqdXmjIi*|O5$qRZ{9j-vz6*KEt{HuvpWy8~38pD_pwBCKdqARJ)d8xKLY zw&$=KM&@@IvxYuX+srqUc&siCvO5!|VRneiWksZsf${mcYGn8b39X>Mr2} z-6WY$yH(Erupwxxx=^rq^}yX6m>jd+LWZqf_x~^{&|O0uZNRWi&@V>f;kzjMA%;@4H6RMXu6gW z?XtOsM3$S0jb@0qlZ&O}a8g!K-{;_;lW5_IonQ~EKQ%g(m;QT#z5F#s2GPPx?(dR4 zoBAe)pEXmV>_{Hsrz{-d8&!4s>HFWTdyN>q#!>d`4RK7vRH3*U;jas(YYx10MMs$>8=OA z4oWGo94VqREUmT%Yq055N;O_JB;uIGY6PH6azWhK5@pl;*;H}oB}Dnsth)ynyct5q zlLxLYST8G#c<(jiYfYVhd44!3vXMS4qe%_jo?PGy8K3{&h?lRvCO6r*SuD|q6-B|r zGp?>wyu{bklIJ~_8yN@37)cBe=#v;v6x=KioSHQutiy!*I`C2H=tK;uEqkGE?0mx9Ct>Ucr970@s}* zhx!vced@Q#w;=vWf>IP>q%D8c5A-a2Saqm7*-m22hR01X^?6ov@k!V>rMNNqq$}K^ zrC)7Seks;vG#JaFH?i7I#qtatydWNZq8G%a!$t^B7ut3)aK9Jz1!NxV6s;yWRG2u_ z01NdRn}8%^`KLTkW4LH&E(lRTulCo7zYD7WZCs$&z0n)|>eXMAbruy~;|r_rYxg|i zVQ4wVo32y5E_iRb2G(7HMjMhKx-G*85wXjkz(*VG%B8^kzP(gVNy_5=^`zAjH<*&r zNCzTkjMfn!mliDUX|t4`u{ZV%Gawi{9lbA-aRUNsWZTVePIox}wOBos6(@roSREW3SpW3eZU&=? z;sM;PAuaIRPLBBG6{Z<(#`e|zAew!prPY2F#}tB(2>_*09c(s9@TvF=-~SS3B z;#r3qskk^26#bYK;kS|QxCpOfqf57{+rTunt&^Z_%0X-l;9`>R7lWJp_xv7Q>YH|B zf<>*#r1IdUhttMvQ)cquiZouIW^zIt&f0$1jCga;>1}!8qkPI}!4tQW@*sa#LFEa8 ziZ(fg5RZx~dfsXe-dGsPR2H^h)XVx_a-#33!~k9`7m=SXj$a}=0?FB5Tbovw+G^11 zn~1ITG+noz0&9H4tD1wIg-;gb zD9LAQN>Zuz5fxZVrFoE>zr)MRfzmC8-mOEQ_;K&Y`NTfk{L3uf7TL&`VYOmdbu(9j zce2FcFS+7>BR;14Foe_28S^Hh+YgvnG=;l%8cK=HC+N5dE}fh(4J%yHK4cZ| zMy>ntfw1~PwsZMUaL7qKeu6qm?sFcB-&U@B!X1|mHxI;APoE2S+!1R3?`_I#f~0nyuddFZR33HsTOjM)mmB%VD?3|Lut0Qscm z1!X>r{`1l%=jCuDeib6S!P>Pd$LDVTSIYpE^j8$7ett@*y(*&nbjM+ za>PZ7J9<97xtE9m^-&CXUz%4WJ!S)IhbX#h$ZURCT}+$Y=8CSypxK|f5If&?OD=aL z0LMHslbRx>Cw^CvvvHigv9hc&rn?hMSn8fyj)IMZ`D@{m_KcaEV6l+S6x#z4uUe2+ zl`<7a`Uj_75&gu5hEJQ(R|2+%E`I44=EXagRkKTy(sRNkaEy=NG!b_wFEyIxMhv-7 z`PeG7qrxTJoBzp(QDD=T^gta3QWL?pdEtox;f#xw^ z$>bW_CN7u?^IZN^cs&1m2a_OMN$Ui!9>bv*K*ej!mtX!pDkU#uVgw zL*F02K&9{q*0j6$qNU!q4Y&SKcQ6;R_J5n0+gzz7r$wQ0EH;C`WKuY=!|@pZb<}yE zIoFu7j|?n6IQxoQAx`80i@)1h?@$ zW|b4_IV5?)aM(?;>Ju>Oba zdrMvJl0DFkopj8&lm1s;+#JL(eHH`JT zdR*b|{g!c0j&}({aDJ!7D1oOU!T`|Fn7SZ4Crm3fT*i9fse0JQD|9w)sI_b+_91a- z(5Ws^sy!Y451!`h1KDeo;wJUDF+Vz{(~F#xj0zuiA6i4QYF> zOs#E*ZD~aFOKB|gql>mdc8YB%O-hA~qZ=13G>gXvYOBR#1BVp7(Oo0b_3e(@8)BZxt+g= zMG=$)+aN`oZl1MK6q&R(6>a9!Nb^-&(5@f zMoFt$Bl+VRlANgBsaZJt&F9@q(|PXSYdf1Jr6ra35++Yppzn<~GeLMQA0S`Dz)>43 z_2$6ViW?(1$R98A5@!i+YNVeDK+cDh-d%5DAh!<6%2TCB!(SeS%Rjlke9@}MH$sV+ z*lj%3P>yrx9sukHC|X&$aTgan;d9(k2WPgLd6G_5^uxsZxVOJP*l=4{>gW0TYhsEV4K zIs|IISu}hRxXfk0pvFW&zLb3c+A<@WFDoq*dFb$NygX4Q=;G9)l&N2}zoUsd%lOCy3<>_kZ77ai-3L(1t&dkc7tt}y9KUA|>(T+}X75;BlVU`J zL?g!$0`rqV(|SYEPTMZU(1-eOjXK4Mb7>!IK1e56<2Piy(|OQNIKB3 zG!Oq=WaK%t*Fi{{!D~yf4)|?7xH{P@P;=2Ej3t{!^*3w1O2JmW$bj0j=NaxXz4P2U zsQDoT<}C*ItzX2c$Em#PfJgJ$1r`~Bw&&@1cX%^^57kAuxsl^v&sM&$$oeJ{+Oon~ zQmJ@YdO1Df{leF$3{f^n?917BuZ`kaib9l?1j*k{s=E)92oZI*$!?&MK1vGi8N%0p zXk<0Z|KJgUzA288_4mEDMBfEJ`>cDt8sIPirIA%qGDKQ_M?UQ48XfwZ!_(X-AA7Fu zHT(_^v;sdG<{IXF6gB1#E^%Y9Z0bfCw@&|AWJq_vKV@ovvc)s2v0MC&nXVzCJanAd ztKM>-g(+(DPa7#AUPZ@zSF__L9MqIXXRto6vd|bkr?we>b#U2cunD!Mf|n#F?4-jH z8*O>efd}0L1)0DDd3ADgN!Aqj9?a3;u3UK2@sJGzhxZlVP@NOVaZ%xP6{Fw9^=h7V zD($@167nhPmG;&T_27iYIl`n&?DL$bqv_p~K;X$G<1tNHo%yc%7RIto-Q1guvr?d5 zF9ZJVujiT5Tc@ap{`K;0|M8vdpFklN`-ms>_d>wniMtM|14IM)_e-@Sp9vInJt;c^ zx7N!qdk{mUF|{(xex)YJd_4^{INp%qnA0++UeTUDHQAqHJm5NAc{nngHAu=7EG!@R zC(KC4gV{|T+3WAd#!5$ti_6ZjG^BNgUDjGL$~>X9_m26qHo0cJmA?_P2=5o(_vg<_ zG0?u$Sf3Z`57x)A=~Lw5A*ysKty&o@m8!&+<{ZMAgc<1Sy(*WMcO$&43WY`oL#z_5 z?u=6_&=DT9JgUc>Zth#k^3g30$t11mZw z^0~QcrLbu!MKohWzoU1obMhYNwaS`0ck|LNoek7xmkQBH&?^brFsDa2b!O5y)|R7} zK+AccG+x`epJNcEh$<3>vyt;4N!ey0;o8(KkQ6{z|t-*RU7Mx9(JeiIl_(0po?2PICDqr!;T(> zNQGsYZVr0^{7g$jDffU%U4UokoUGD;CC_ICO^v*zM5o*4 zMGGGijtRgmbsP+p&4=Quss(r*w% zF`i}(h9O~5d!0g$(K}nUk>2H|54|skeGhuqsR(u}tH5GX+>_Y&8uj~3$721F@FltG z2l(BavW$?Q)R3J$4P$9ZKVvr=05zJ2sS+;8%YbH4^t*j6DEfU8&(_7~M{Y==Agqq^jp3#+>|FI2LH{{^Od^n**WKULP`waX=*I&gD6at;Dbe=meIXI#b-TYd&a zYHmMQO;wcv~j4;cmDze*v+?#NZ zxc3*nxiPtK@|>TaNlY0eOJ>_}6c+W<&>ibtUcSDt!+XnyTuqNvKdF*w%KU8_My5hq zP2Ag_eYijAtU#l*Z^db9q8igCu-2b)KZWz#6f`qLZ3q(9N@m&Ev*HsR(|h&TBXRO& zh46v>`I&!2`IfDXhQhI`NDuD)zKh54k*zPQ+@BsD3376i>S!t*1QaEfFelj>wMan? zh$g=;kMO0?u1!5#NHuiS8_5)GRP%xmg+0|f>%Y|a+0tH&gH>lNTR+Kv=HNW zijL!s3}K8^-x9FlvY;3zf+iN2D|4oDo>lYiC0xGoYlWz&Oh?wv6XPoP!;dF`+h-Zw zw5EYT(A`Z)4oOiMsFa)hyI;x{S$ZA9E4M4w%i%P0bvQ&k@0UEk&lW&9=8)_XKl-M$ z>5XW3YyrI4aomOxXLNDRjG>*jL~f(vJ(Jyx!m)%|qIUam5&@ArSF#yTl>SQC)9cnr z*oW~i*PDgcHzsZ5H{v9Hw-3V)`{CQTw3Fdz%83&H9szkF-OV;FA%*@mqw4;IHLw;8 zU5z@rOt+e*p!(cR(&;O^Mp)d<6_8CE{Kwdyhc#HsU!}oQ{0|W~Jdm4G-{{u-I^8ds zvHvP{K|XTq+nYE&iNWl|Lv##vVY8H}{V0HZLKg zq4s%?pXpUybLnii+6%Y}M^vXokZe|d`08D}NPO787G8TSfAW^jO)T~80Bu)Thoz)+ z0CSQSh50r{qk^jQkMy5ByD}@LLHs@A@iQkDaaCKS zx>jo`9Q&wuA*%PsiocXrb4@<{673ncXM-ImbcSiZy@;_wgSw%;cIGKL7GQ zcPht<-SRbnv50AsLtG6V5>jB1J0#sTa;3zmzsvGV%+^1{CpLdwA<8>+3UU|OLzJiYr$UF`kmzpn!t&iqW5O=Ho!-@ljrzX?RMH? z-6nyX<1pxgZI=WoGmiJzZQNUuxG}ZeLK$K@R~fnF6asHuo4@p7ZPAteE~@j#YacT1 z&@JGe1iEEh8P?BsNP7;4gWm7-Co||%8z_ej~vI{=N_&&QU!w;WROULCzf~g7wY1-mym4bSOW=scM{Nmg3>%A zwu=r?cs9mK%=71UIiH;0nTCWP?;4Ks@t_~qUi7s_AzNF&hGr`|P3sTI)Aecpbjl;0 znLU6w7sK>ZbjBB))668B(nQgZu+Mz zMhM2h1>@PXns-mWBC4wJ+R}G?PD)wnHNJ_`=WlmA-*YfI-Kw%x^wQf{QQ}C2gfE|d zOw9D)uh=|?&X9SBv6_nO8-?JS;E@Eu#Xho}iQpvS6oqE)?*4UL&u)C&b^6fgh-rix z{ez_RxyZ?dsH-21XQ!!m-l1VrszRqUqSK9Q0a#)PT{4iDrzHxK$#U#IvY#>3zD zm=Y+E(UXNji?B2!P-GqYhf6Em9d76PP<@wswawjiq0=uFh9ImX8T#(}ZzkwSfV(Giq69EQVOb)iiGm@DDaJCB&{Z7x3G|#82LBOvc0gZ{l+Ki|__>gD z-eVNJXNzOGcv1a8%l>X8vQJ@u7*9bVz2nxhEE)O{k{H2+c_$|pe%*#P6ZFjwjBUrO z5Ns>%Zugy)+MQeZ*+N_@ct--p;&d+<_nfvs9Dt`IlVxRYnsGtq;2$dy<4zM4*Mq@{u38 zicC#A;*uNOH_PYEh#@&^rjq(xmn{ z_IHi|uGZW?!_Tr-iExgLtZ9RzazfVDPIuk|E)DNaP|9vm+-3G`PSii+-K@s9zVOOV z@&k@v6kN+aVE*;>Snk>p9m$bN)=!fm3X1%SP!rNcR}{v%144uRszbrEDWDF0-<&}G z6?{5^bLn;3DL;?9CqFRx#qMn2Qyncg9InyW+TripaVB*ljmJunM zo15}%yezXM5D(Chz@ZavKf9*txUVKT-d~;pS+hFaVK`irhjVse zD;y&jS50)TsY6nX;1>E04_EJMyNIynh&wzr&y&_1t37yZrrn^jn;zGuNksdS(mPf) zbltC7!^S&rIOaGdWon+^JwKwYY4d4tMl8@|J<^d+{qI=HY|6Tum0}(1S%~5Kb1c;l zvAmI3w0kLB(Eu$~)enzHw2pS`XRLH?H$UBw{<$heo_`$tDTUIZiQT3PAVmwt7JLQQ zfBS8hCKUa{HrRsAGtM+%$3@PRR=W9~p^fe(lZB{r6V&QVQ#b|h7-!0NT*OB<)q*n& zAK@4~r;yfL1}gL*wL|wCuhPE@Qk3!jVC?#TnEJ}FIG3ecoWUWuL(t&vPLKqG1b4T< z;O_43?(XjHuE8CGyF;)$oW0Na?w@&hW?pKhtGlafty!+qre ziqE_=w0%U@k&Z3QJYML|DesP9NIijRVby{(WH5VX!S0SSf3zGwDZH(PXxu(XpDP;8 zkV$d>-Q9=7)d(fk_ygL3_zHNf#po;7(2%DxVO{gA#v04q5F1Me$}j(g|GU8@BT1}N zM==8_D-24nH175P$*rE3OX!xbU?FWX7P9iDZbL@-wbY#98k5&^;d*gDO{bov%_^aFzib1RjzreR7H?OZb#Y|Hod z$+l-=3>`WYOQ?aR!20SKi7rI|Ma7FhC$=i3{BFr+5@~3+(1v=>mB2l1J89yIky)eb z)KWgIq@q}zipOI38d&kE^2njXAagTzXk~L8wx4=39 zXvgl*-&xJxUeRr0tl(*Cc#UcFk&b74O;-%)*eXy@jyRne{%HmMVRfoJ-L$vcRki!( zS?5crq!7YnrtMG@_#5X|kC6-NbfA(+B79^KhV$Zw@RY^@bzRgOc9yYd$n&%8*+f@O zOksNg zAzB=86hGG&19bB1{lGHOaQ#Ccj}idrMT+D|71My#aJ=Kt=vLylX=G49fg??mN;bP% z!+T8KPDAhdLd*BAcz%SqrmoL!cV=buZNG+vu8y|N*BZvz7FXr+#|3ltT+iYcRTY~9 zJZp2yQ<}L{$4JX770YecTn^7H`ZLWP(3MU>qYyfkGDv?I@6jSpc>uh%jV287Iv(=M z<%)O#wI)M@z_zR1rkgK`uM90q=r6QBxW^OUwm)q^@DS08HoW~9AvRB$e}f;#(lnoBPBUmjUwAOaz5zh5`)tP} z2@1QvxY^i^k$~=c$oKAcVo|5VJs!hEee^VN8Vs|3aniV^%stLEGv6AMHj2grVFx!n z+H>N550>l~LfxTP`pZG_v|7ARAL-~n*$bnwN`nm<;@>xo(wZOal_@O%Y25xNVw1>M zAbLuZOP8MB#wzjS1qk%>_;BLd8xy7>8mdebK(vvQ~ks1GC|q1sAG& z-3f~yM-s8Yl+nIuV=hZ{z|Zu%1@18$i!&_f&B*v^dd{9Ed?OUj=&@EBuY!v@9yynq zUQ8(xd?NwQnP*K2P4ET?S^6|C$nsj>6Wy}EMr9mB)(Y>M_tL^F8C7)arE54@dGqJW zA>+Rr2;8JEWxB_Ld@Z1d)QM^GS~AloPSq=$ljskO0Vbf%16K(-7~fT7?_HkY)1>gc zad{NNXY~`zh~v?MsmEQz4}kabzANL9cW*+uR-yaGK9;d1iJC6x!9(|I2^VRx{EhiW zZ?v@PduEBVncc#rKO#s{Ac#%YEmRK4)g>Ev&g6Sxx~kf&IYYNz-i6z_+v$PMVP?sg z^Q2+*^NhXS6icP5fqkz0Nc`XnAz^@=Kio8M!SU^to<)`B{&6*H+(|KR{iS*fwHa4Z!(U<@QUr!h#upudTY_a``FfXX;F&U4Ya5AG%4e>+6EMq+4lrU{`KYa0i}b5? z0u9SRE9i#5yDe?PWX7zVY5X&|&AXew2b6^>1RtdyP#4(WDs9H9mk_d0rAtVPeUJ{uOV;)ja?2*6GSP#W2IUU}PJ1 zC5ghhW~p|g4~sc#ut3(JA2>77O8L=W-vR_uSfj58Hwj`IO}?xL;sS+^@o1Us4LqCngtp(rrLex*xQ*ns0m2PI$2&+;;@T^ zGco6)vYHdt1n*pK9lM+S(wJ7UK6Ngb?MY_e9p#IjU=>C##ie7C{l}K0(Xm*r3rpZ) z9`4zZsQbxp2<;PrzgtqJsm%ew=7hnXO|^rTta#zp=IO@kPhw`mZuHjBA+_F#HiB0C zR$p6N_9EiOQ^#{jE9+VtdjHp_zEkB)u<_j*UhwG?eAMeLgd%<8L6!#;fb?<_;fYuvcMGmR|`-y5KDXEe}L!FvjYsYB%+w03SZlMg=_Wu zTr$aXkvL2W9}Hn71{#q~pUc?(GGNMGo<$ZTtLbz;Ju?h__6UKn`u6c5`KjA%dG~`` zE$SB|oYTg11`o>LmJ4`9N3*uK(GV8Uzh4xh!Z?N;hx*9;C?NA;EbzR|**hA(8sl9t z_qP^0N;IO}kZ3iAL)9T}quowdY?rzx;|{Z*uyq+rHGR)7+|sPmr%keR{BaPg?+UaG zG*R-EmJKdc>$tmF!mEVjobL@Cjr@W_I*shQFO_)y47h$!nXc$gc^euT!!hM9 zq=`MwsB2jL?sR5c1qMmMV{?@)$Yn~joztV9#b;ty-h$hnV5CI`ykpa&yh#G9dAf0S z@@ybzE#uKbO~U!%C6Wft$C0P)D9tPXE`3*|Rrcx(-g<`wMo*Msa88DX@d?m14feG^ zc`makeiJICi2CyUBTaZnm5Q=b1>abj+zTHj;x5)U>RsRAT#I6(f+sJ4xGkzV^Ic_1 ze^7af{8LT$fw;~2;|46++gY+LZ#X0qm^)y`Tj3JM)UNE_%q9^n110NHlzcc%2o{Ak zjW`#52Y0j6g;NYh&Ir%8Q@H784<_LsZq2&SkK_$sBl90k-$u43&yvT|ndN8&ey>mF zkquX=gLfo;(ei0|>X{}S*qU%)YC-ybJ_xrAkWm_8c0f{F9r55>nvzv(eeK913D=xh zF0Ih)YjK-ME`RF-tK3;}Fz*WOQl7eF(Xk0HgKRv9Mm-pvL@MP#cYiCjJYd`q{$)TG z***WrwT)-O&%WzGV30Ny?)QQ%ebzdV#t-Fd2HC^;n|K>zm!7>XZlJ0HaTWpt#Mya^ z#eb3O#i9M`bsCZkU-E^Omck%G6r-9P`m=Pkzz*cD>J zwNR9>*1c#X_RA!2&7ysQZV3;}oVj0xfcsplKO`5I9GYF$`Bz?H5g)BA^BnKH3LT0x6(qjIfO z5%7)-*#a|uNDH-z8|?t8I}M!2eyA;-s(H((W|{FZg0`$-KRBEJHy$~G|9$F71%5f8 zv*Gq&g*`uRh3#ASk?L;}{3Jm0OLi$o&4RjOh6+C0)Jl6J2^Z3xr7PAql3U#ajKXLJ^bB*BT@oc}{C z@xk8u;o7?=a;nUf&0A#GjXlf$)m0jN=bgYnC|;-WXms9L zZ1OmlAs%2zmFu@B1f<0knvKjg|Hctzr(&&ha?B4xKh+}8JJ|y8N_?j_HcqYF)x}`)H#~l~Rw@1Wy%_vEJ}X zWh0LLF7t`*n=~sCmA8#Ugt3FMuE~S_UU`+(chhjfEW-)JRhy0@i?>DgnNRrx>{bFj zYv%~q#c#u5-3z8g9L&FCre`ZC^M)?UjDGW>_4bNf(e6KZ7FBDj5vVk$#cjYUc1^rlvSat=0tk%sBbsksLUfxOIk>wES2mY(ZdH`a9p{F zxVbNVrX*Mvv>$Pzzuvgc)$xvVT8!25aK`Iw{fgJ)juCzjRghkwWhAgjcY*iGoZ)J! zWxA}Ajn=u{iW|R|z09WEh4XWdxIfH@F{k@k>*J&4*$P*qQYMt^9OK@)^Y3>A)OSL6 za|U>*&HJlMLZ^p*r`$p@ysuva$-HArp#5RxBWz2SUnjk0@kp zVJrjl-g=grXWo|hs5hidu+}bRMDft_j=J%1UYu;nfN7k~T;0|Rv#IXpZi;0+fmg29 z&aN6^a^k-=j*sx7US~fvpw|VqS(EDJskwG{b6L^X@&wxI?rpAo`>4Sr(6lmEF$X^j zcL*&0ot$V*zl|nH?8uDr`S5;^Za;oTvwZ!_-$hNzccPDklZZYLQ4G{}kPAq}J|@fO zBz~74>fE|z@8*JVQw?}aPz#6ynxSFleysL(iFW3+wzyOPlWI=&xVv;cfo)mBNzDAY zI}70^V{ALiq)(dF8coYP6CTz&YnA~k?9*i`R2JOMP|pj%p!c{Ufb(~htRncGGeW}o zK_A@OggY(p_H&F%jaD5f>xdHc?xw*Bn;@70p6aw5eum-|3%efQ*y+G*mn^U$D|;LIPYG(2}xPl@iVYO$}-d1eRJM zHE3Xi#`mQ*EvUWPj8TZ^S(uVI)-SH=Urw4s&nUr)5I0gOGW9aG)<<$>qDR1{Y$h2j zEr;bvh!YSH$Syq#V=HPBG;#eW9IAE$Zx?K8yVs$@Bv~sM9VqKk6&7-bK*NG;6 z>4k)9)wxiPFZ=4#R0+yUHIh_${x>4uOXNcNi^$ppoNF0S2g0(-_$`j;GOO}qF^ zDnfH~#}+F^72xYH^aS8N!a!kvI%KxCMntp1k*w-44D_G9Ya|IbnXPF)>W zZ0NT*2%5o+_aQ9v8@oI8v6o7UB!!vFm4m;11jNJ-0vf{^<*2b)qlN1^f6P2x={ocs zkUA$`O(Da)WGO0kn=B9kHUP0pKa%gol={x|Ak6@V(?V)RAQ;uy|#@ckyKD!(iDfY^tgb)TiobGvzef)ETL z9R0d#Jj6X)8js@rZ{Y{zy5f-$Lv0P8lX&X~D5`Z(p5!bB@`;W-6Svks^H~T(GV%km z4=KelQ#C*Y6d#W$!Up9N1>U}AezDH%Zu3%Ia^s-Em9dor@x?np&?sr6cVBHXv7sMFC_Yg+3Yap+k;@)E&X1 z16wLK-!J-^^xIxj@Fa+H)WgdP++V|Q~1jwiH^B)p6`gBov+VAWk|{cncYj zRfbk+wf|ZLMahio1x@30XK1L#PgOY-4I~eK6cxs^<6>L9X7)+iV*jijUwxcPL8F8> zL4&6b6?y~8LJb#@Nmb1(w12P{!+eLh%E4O0-R4vZPwtfji@9*o;-x`6zLvoi{Xul} zr?l~NF39D!vi}KHA4~BUA<$xkQ9aBuz**Uy=1uQ61H-Z4KY%zviJqIAXPV9v-nA1P z!OBRgp3OJDU(6n-BuqbeF z)4<(N+&+VbfFCtZoj!(+J(VfJ1ym)!mt1>|UfS4ml>&{|)lbUu`yYP#ry*e<4GH^i zL*Qp(gx0siW>!vE#2J?&dlQcHM8p1ab=orp(yt-pHL#y%tZ$uLL=8`aJ;DZl4on~7 z|5+risER|Nsi}*J2BGsVqTV|!w=Q@PS$G{44SMHc|aLay)5=!#eDDL+@A#!kf zFk`mF({1V<6@}89C*8j<-t6k!y}SXV=hJzK5E2-qqTUZBAS@(FUJfMO-aA6vESf?! zGJ-{M;#^V{>zNutK{M8+Xl}5x4Qy+pMV#4o-ro%~T_R}+Vigf3+uk`2FGlrxgbp|n zsxkut4Pc#)S2yr3A3Q>%gK?mrA}fh5t!>2ZzmhaydaIgi{91*KbQFhr63nv^LzUL( z8<`-iMCJe>T}$W!8i3USCcikLo(0JG5v`>%U;sB_y7_3CmdF5P&YtxFu9shk7A5lIwMeSO#Hw>4C2K zjR@W0!X7nGYoNu01O3RIFrk$y ztH#&mwymBSC7inn9@MfvdMB}P!g<2U9?xp2vjB8jaf5{(YPxj6PkOR1F#>MNOVC<_ z(N%%lFS~M>ZbX;{VGLwcdGg>Ue36cUbq{E_M9lazEhh%O*~UUb80{=8`U8hO0O}?9 zjMBZY)SBC9Zb*Kv5rGaP95^eLco2TQTYA`mE$9+k(|L-??^<5vhpW(TnXP(Tr+2{{ z8~Aop#@(Z88CQ?OOxJ%#yqDVCW=w9y?O*=7{hmAslnPSGd*3>8M*VyIAk<6y$w`pB z(yC>Jq{fAlsZc=t?SKpe_y$guW zAZ_8pu9u~6Z0A(}>lHIKQY+N9bBy`<7x?%|3O;?>L(jV6e6{O_O7eOcJF+Hh3p4Va}?Tk^mrtDsPW#9qB2fIBznST3&x=sgyj5~6-Kw2 zU$+=*>Pz^2p3UCIdCECTr5>i-e*wxB#8J>08oKx`8&PWCQ(tbO3*QonG_V}{my8>( z+*Ss;sy*=rIq7}Yi$e}^K&O# zVSye@x_dM)0(l6D>F`2BBN}o8UK}e??;$VE6(fZF5J*7`!oazyLoOrM4kN|O_2~7< zx(v}U%T2HV9s`F>2-8_t08JCIH)XX6JFhEtpxgZ=%P)V2(=ny?|<1y`IO_(Gr=nc5sNxPz1S;yZ-qX|9&}M zh}B9%zrcI_qwAC7qPGfrVM(g)3QN zcFC)}eM&RIeMxQJW(FbfLg2c1Wrw2?8JMc3otEkfRuMLbJCq0oT+C2SKeJ_Zg z_eJ9->nK;s8Qp)v~ zyck}CgIZn1teA_#PELU*BM6Nw2o zlYh7=O*X@N+|0)juwgR^>cXa9?glcV|uPWAMEQfZAL&DAl`)j+!|Lvuq|d%-zF$Ox(QA z|4=2E-6d`OU)}`bAs%>R)Oc!`pg$pO%A*P0d2Z@Uo}D`1(xEyoP-;FoP+`&QglWk7 z#uO-$ji;`m$jf%baQH#)qg;f!v=JK|&vG}j9nhBZ;RiPwczq4<4mcEW!Pg%F63WZR zOO`_x-W3NJ@FwZ)&l1MtOa!lZ6lQxQBA9MEG3X0g1X1u`=lm$LF=e*pz{98>S})p` zOsE3LOq~Rb;LCnCDJfKC&J%2$I`@MUO!uy^Q@1B(M^a)D+r}L*4O(9ciHS?vf`j%r zC|-h52xRly)M^an?Pa}&Xhm8M|AGL!{cK5S-93e1fL-o)v10jXJVvqSNMtbX4QE$K z7N!ISkrzHJPmZ$hwTvMVzQ=6-m8xHE-^ndVl`e%1zA#qnQt9>O@*XLu=l!!dVitT* zZ3fd-nKT@Mj_C)u{p*B75q*imNY88sL!-UW{Uj{Pmpo&=50{?bW zCmTn_JJFciV&6&{QS#LUmorpWPrv+}4R18~%U#sRGQU}+X~qqL3mTK^qtgEpB42&F zK%J#wi7dZ0k10uKvAnuUW;ci!99~$ytE{;)_Pr$p|I1Y>O{`Jw>E?Y&w4emf<61}P zkZ^YDmXM(#MzcV3gU?uk7|GzMkG`IG+PmXvGFHrO+KMEH<*Xca50(`&h8Bjd6MWsQ&759Q&L!wFRQL|X5J z0zGKVQD25aWf|%ZKm1DaAgT{4 zb;y+a+IIYhNCZXNXhcwYA_EgfF6w@Pfx6^+kx2dxmi$39cGLe~{=@A7UZcy)`E(tn;68vTegdzBsIFLxhSJbkgy;XsJ^}<^| zu^@OUN_o5aCO+kh!&JLzjmAY*&oe)ewoTUoXLUY$ZUp;T-dQoP|_4;;ippP zxI(CPT*U#(8bq15aSGyk?;3dt={ z-^xW%TR9>?S6iD1TF6?+IX(#R^VtmDP@%7DNU7R0KfTdk*(n*ubotcb8a~v4ik|y} zPlgs}r+gM}u&Q#A{tfOgbJVi#G}SAo!M4pMjte5P%gNT^Ojh)MzafSd7a)oZRLa}I z7Nd;G{g@gvV~law|1izYD4?0)iGn2@7_AD8BLtMM84|I0-)BwN;YKEupzoby;&or~ zL^X~)^@}&fqM!~KlI*5OEFGS+& z(A;_-$7cR3?$w}WU7%@3Nx6H>MRcKN%7wfL&lgWgC|%cVyZ%pw0pbuEhq zuUq!c5T+iYXSk?@?B|t1!Ui71{^-hx=*f9BW;EeuM+;c-sEpvc9<^%S6B_qeddS%p z-ks$ARwXDAcv!5WPHxStuu%&R>m&PB}T4 zvMNx#ZbdZM#3*up-xhPQD{dY2NH~F4??>tc3@2DY7`QeGaIj}$$Xbd_VKvr!IO2sm z7dK?ohTR=P5?OXX+IBhsoeV1Ai=5XbUK$rCmsh-ErY`Gb8l(MIU_c|Qs7?o|9s(+#4pid3VknkLsk0y9@ znOB6`K1-+H+-u#LJ91;niNqFftctL~pX}R8 zL=ST$kT_X$nl83gdT|f&(X=~jbodcAAV@4c_vu`f4~Tfb#-_g&yiL7j3t55Z1KlD)&nn-vuItWX$clAW zhOCgx=*epjMdh^`0WG)=y3q1Op6M^LGNX=9QDe(=sg&E2mUh_jy!uYg;?R;gN+xnWc#RWFDEp^JPgbXr`p@v>6(DziE9<&t_%90us-5xcqQRRQ z^`uXiU*I5~uK`l#3Vhna$RLPy25XlUm<=|fns@PGOsWW|RT^<1-XD>gGR1ny47BOg z>#&|qEA!Nk@VIt?B28cLnaa$e5ntOsQ3Bh&t2$RhN_66TvZu=Q_Id8j&!*O74oHH4@=xdkRpyh zFdiF&H&IjksY#Y6_lQuTf5t*wwE#E9%XO;w>CMX(WnEa!Nh(wWKQMMpBn!e%p@46z zOFgt&u76&u$ww1uLVn$)<>>qTUaB)>Qol_Nux_h=EC<3WzUQ-q9!$YV)SeegC1L5w zPUX5Tk8<5j`=8Ho=o%+o<@T-9=6sbEuodr&tFKKDGGy13o z%C`QXlMJrl5}I7}wJWDEm5&TH|8%ACB+!PlYgH6^A2>jj%0kJu*o#w72+VpAeGCvU zVHDv_Qk2XZM0y^aAGl85R~4wm+`j{QpKn?gF@8fowObt8Hb~nVVcy(vWa!e#^%kQh zNwf-66$knHvI;&~KbKm#47`zJ;oY^;QN;c8a+0=?SM%4QWL;prvX}YmA{k}s^_aCM zLF?$zdFGHWP^Dwg}WVGBbG z6=N|Q7X&m)6=A0ng}QtGj+ZUhwD;#5A)?sCInT-8sCB(y*+-Qr9wSK~H;Vh5jHK6` zq3ZyhUFGSxn~^xac2Oc`sC#U{V}@c1bwWUIZ6EqYDwXLT9Vv3T-eJ4r zv?3M2butF+btm2w$@RVBl_tNQk zhd>%e;x?rVQy~p|V5J4UW_OlMwXFW^1+)(>$i&k}BLhyAw-6Hx#lkmIfpad&05Kh& zZD@w9Y}+w>OJi+v??D=)8UR`c|EY<9eG!6FRpQD}_6a~qI83nHnx6W-4F5SwibUqc zQVlMh#=Q{4^;2~x|pY48~49^^X3m6Miens(=p{a(Mqd2g|fJ7km?k0sCK#2 zSe&1W?HvPW-2Xa;o2DYKmn96u8f;t+Yaz8cRtR&PfHKavKirQ*8-*+lc9GupWczm| zk>Acr^$xE^gB$LI`jE9^ri5yKr+E$KYDvf`81Y&KY&@chh1ef+0xQS1 zPePMe95pvp&SX0QhiH|I5ZAWQGfW||6|2C0iYzjpq1k&8d{G(midu8Y@iF1D#NW>-rVb z0&bSWQ0&{uC1qMnQ&VGbS7Le zAHgf5{^m&9<+wI#iUO|n*^3$AVIw6T_WC)1hg&5$^{XF=7ac*dIXx7o+o!G=8zw)iVr|1y~7@V208PwSeFRL zmw2mpzODLUJWvF>_A?6`2Cm(Hz(oTYm+L)NKo6W}QN0^4#kk5AFGYFnz*NkGYDIL5 zCa;A$Kc?8>*xvnKm@|QKlrQn0AmDEWI>H%b50kUp#{+0pzCxsP;&pE$jmcb*8|30^ zJ!OCXXTk>B+Eo`sS80tZ{dS3_s!9?8EuUYHdM7B<+c@D7f^LGlxN*x%9IbuJ4Sza)hxcREsmdwTW<@(W$G8ZkM&LmJ&h8d&`msIi;yZ82}m zHQFOsYVzcs6tEL1!$R7^u|+yN;q1TP6s@@)hGwHbk5q8u)E_+T;WBxKo3O#EUHPlK zdJlQ|lKp8kPUCgojKAdT3e9iAC)WLkGVhBv73D;$^SMEKY|58r==Cw@o#BOfuD{*E z${D?rqcvnfq(j6GFE5Gb!lE~>|rONTeE+C`}@=Wd)ROuEBXHFj+d9A@0Slf zWqj={i|m+^P~9gtW5#e_Tp;RRd?R_yc77ZNV0`^1Rv8dNsyY=onK?7QiSNy5x= z98b9;nMRci?8kyv_Uv|=?4smyO&!--cl}NkBPdb@5bitu)6yw5D?Tq&kFL0+^Kf4MG}Tl z$(K3_Sv5h~`8^Li`iUWkTK8Ydqwx2Wb%lj(@uW&4OsoA1!BbsfK+M|&vZrkjOV-rT zF(DPT_9|4H;_`I4mW2CH8bQqpvJ&#eso+sX99*F2<=JA~Rgo86DaS=1v`~g9%v!WdF51ulhV#PDE*QJic0MCi9(;ma_V0>s0XUsU~ENF=JCCw#&81^jzK&TklXwV>$e>E;&Kyjl}Hil)UmM9 zqShYvV=UlH8)?-9p#{Gqc7Zv&uYw}jT5<2lz6Um%*uepfJQ8Lt81@BJ_wq7w)az$C znl`i(M{SXSzjxbsxWQ>uj-SajlrXH3d$l$JT+8CyJIi*L2w^@RrF6wgl=zkM&1qCb zJJU}=)Cx_|qlG9vp~Rkpbxi0k_iALaF}1_z;$9I2qlj5!ir4H;+{tfTA?XxhyTdCD z)-*p+)FPr{C^KO1E!KR8rH$m7CFmH|!o<;P-G>4nKQHuPVn>}00<$jPF~~ASE}&8z zSwIXBFD_#y;;R@mpc_eDGp-?mzWhs_guQeA3U>obe{a9Q=4tL^Qp$Urcd$}<>|bfY zAZ_ytxi*Z&{GGz_?QgD&`{R2rKkv*BpsLu+82ZI%xC27xaM>crNdHo z!YXtPOupJ1Vn{>nDHr0l!9A=jemG#vKzHvJoCxh;rxwbJi8P&PQ=` zZsYEr4Bs~Ux`mXFIW@tTg?&KrkP4!M$h|($>^t5l;?HJ?V=FMS?;h&Jjt{b1IikWC zSC>60MU}VfHwXVHX<7f#t z%et?Xw8e5&0t9`KTTVABYvB_HY8cnX*4=xsF~!1(7jxK|*>VE1 z>EvN9+dE?0rfgda1quMi5#*v^lVR0j9801Vq^8g8dd)64%q?TTF12#0Bg-{VihA#& zng3FrvS4=4Az%z96>#zSz6p8vK$FU5{S0?DYhD%Gx$Ws_cAsJlU~H7${0U+&8hb8@6&*5ik_LRs}W@PYDd3X$j#aUvjw-h#~{s9&I+)bjZ>{vJh0+}IH7D5 zE*wwUvhyUvV>|W_L-E^LpU|mgaPLU0`O5n#k{!9QL6+^L#l?<9SYzMZdCiNk%`sOw z@`qQZ?u*Su2X%TT;sD=N5~9||C+Pog?^P-FB?>&3Yre$!=@HuLLD1zi*itO44)YXX z&7AWrcKGYU#PyCUz#U2&iXRXuco>Ooij3;-i71 zU~BL>|ABm{Pl={XKquPlM9z{k&%a^X*`AZj|FIidv~lYaSbm#HmdW1^xoM5>`-E6c zI`&k-8?_ZpNn7i@(l^8jAbp!cJ=yuj5Zq}kv*%OvaM5#^34TBG24LgIlTsB+>3h!cPCyFfIE?5- zg5P;-h*NE_z-15scnA(s=7IE1J{TW0t--UICj1yvZth&Z_4Oknzq0V*zi;f`UQDa$kl=)@1F zP%YP#W;JmBa&;)Q4?3*-gB@!;+)EfK(1jk?GnxvhDA46MJkITYE(aNVZs%cX1PS93 zdV&>?Sjq6`+uGfBX)jpS zwBw?o-w2FTjX)=W2SfaSGOK^|j<_F!Aw+EYJ>+HhNQO#ll1@YbV*cM)#^2|z6nX$f z!uDy06&C4J)gKgKDN7{+;^jQK6vSR?8Vixd3qU?sMeCk%v{xGe4#C1Ge1DSzPQAx? zOhCa;E#MOL{geKWt3|^B z541ug82mp~ynrFj2>;C|oy+wd_D8c_aZQh{Dvi1)JO+7V646@Ejs^r*I_`iJB*a7c zHa^F%D*Yu|wAL5H7K(2cBrhdclum{+lCjn=#%D+v=#~2zoRoM~>^_W1?0L-W=Yp7I z>Pp?SGdeqI5k+v$CAUimeku!&8zj0~hbyX;!r~3X>!D2pDLPo)^;Q@Hrd&iZ?vZ%1 z?vzdrIp4!Y7E8h@)e9d~TQ?|ydKQANh!nZVxzaT}fDtXsvHb|Y_m+vnX%mPS5wg4c zdP92V-;Z|RG@H%v((W@kOy5$LkU|V?Hb+Usd<;RdJtr1ba@^d1xO;CgknRjPGnV#3 zX~MM9J2Qf2);>$R@=ogRM}~@rB`jz1qkv|1D-8*DI@cc)FNrP;k`n?I@2cG)dCJb( z-oMNZkBbZ}>a`aY3r{9Hc{*YR-Z4^!dd~6F{e(rBm|t4%W_zE#HuZ-f>tG823(M*3 zvb1%DPV65PKpMMV4cFPm$P=<05q_u~w%rCXd8!uB25XXQJ0}d^Spmo5p^#20!>idsIZ-R26jrU01=GwnuOeaANQKKz`e|D0$9;Nu}i zT8RMNg~;?duO9Ch`QGtTG9h&|olgufK@n>nfj+o8yLM)Q7))N)!C#SA)W&bQ>H7Fx z`SFj_;%Km#&z~Gne_X3l;THVcA0LuEV2gQLx$&UQ;5`HGv`fF@t(g+$`F*2dO=NeU zc@eY2ql&82JT7hIX@3#!`nIk)v>>q+LGlb<){mtsHI)SD#b7+bK;7Q#$l=r#HQ~zl zJi(gdw3y^-Q+yFjuR4VmUU8s6Xl6p~Pc11}{~#!Nt#RJN*>aA`rG%c}BYpA$UgAs9 z^L(Gl!Ja+S0|fdC`*=qawx0Vpd!3p+#O;Z>;WAFV5M@gn@eE>(9yBH~8IuaYZ+Dz}4VHddl$b-yx84X;z|H%^a{h zcolKD(!w~&AL5%ZLxkiO-aBkL5kuNQTb@g1eYOTZp2mh~UfE(Wma|Ju^n_5_pzWWc zv7gtRgr9*9)8$>1JY9mdPXrqnZSK07TCgQ^ex)ZoWv#y$g~RWPHz^3|DytO%-e9}+ zSdd1ooD20LTOl67({ah>!_KF+p3I^u-|hP$Gs+%_FZs6!Nd6Iy;`VCQRR`y21w}`cV$atL6 zLc_q?r3MpTP#zmd1Z>sS5mKg8t%Xvu73?(;8`a${5SlUA2eb*JfJ$fXL%I(ns`C!C*R)3 zW|6#s{+8s`laD(V-Dxj+YoUSyj?Iy+p5f?hm;o(##_b(Nz_>Ffo4R$nPSU*hgds6$ z<#X3r@L2x5XewaI9LPo=K}>l!IDXf))f-?ApfYb)re?*;TTCCgoVwQA>(@?h-gmOk zY6hzq!riq2+F}k< zcB}`6pjTQGgR4e`VWkc-7*BcVp{_GuJU`By&9#c;=|;BCFBke}qYYe+hS-VbKg@p$QPo1Ao}{;yk2{G!)tV)d-5>}?x(XOM1Vq_$Gv7Tw zJ$CPc3(zZrQxUBi%xoB#szDS#>B*mV5Z!9>)%1WijNSYRC?iEAr6fx~)tYwcb+@m~ zgnli4`j-;&ko+ zBI0XH%PyS)t#o?_Z*WvO@e{rH!K4~91EX{Ry72uIt5JG7`SdbpYETbpWpb?|_-pWa zND;1N*1C7rFD+&`$MqS3#|roVuf6MxYpQwHR6&%cfYK3OK|ny1A|O?Yg7hj~Izf6T zp^8$ZNmqLBAT>aMAP6YEw*V1QdT$B+9un^V-p}{zeff~zNisV-v(N0aGrK1TvzO2y zy_xEJi)k!p55{5Y8AW%8tNxL9+X~%%mzZO??-$RhPydE_w7sR7`{xD(mrMARet z7Mgdt8)wVSwTDTTfYW1#%hO{hb@kv*)sy-(1Dbs%5gKJX-ETwazruL;nk<_CP z)vv)NoLYbTDhy`VQ-l1psKDj1_r=KaMSdm;uKJ0P_=*b1hRGbwzs=D|9};Ubot+x5)A=d8I`4BK>l#2i)V-ua2noqApJ!suO>Du#?OYf1tl0d^`p`D zQR!%1lzUWYrTz+eG_bu9n{%t<*_O<=A4+<)E~I1(Vu8yL<*#pj?l3T_(`P83(xW9_ zC2kE^{eqeBWjjxc6`GV&dCW%0L<})D-&t?lmw)}J%AOPgewO+W8KU;%FG)k1@OMYy zvrotGI-mMFFtYmJTdNFmtb(BK_jnRjLHNWJ>G1~Iq2H!yHjO{;>~ILGm0M88SLoAs z?0K6`wbG!G(yBpQN1-CmqJDw@`N7UaglrMx$kr*bwSg@@?et#_q&1T48iz3u4CLE( z`#A`-A|`@u?L2aB-ZxYtM&fq;*q!~weYYyUGtt-JQ{M%H4>?^l$G6n)%7{6sR}Xm8 znxhVpZ#&TWB0FQ&8K&bZfm;?QN}Tx67nh{u^4e14>WKK~UpixYAjVmn;e$Ps&pYlA@r3oGyMh$F48@ZJ1RGOp9@W{;@C(X^}BxE zgIS@oRDIpjeTgd%MJmmc=+N)ZoF|Ey%3=YBih>j(FdY z_R$=%J#BL;yzPq`d>DSj6r8Au`i4>AW-g1qc9kl$nXQT@zZ;HMF2=93NxaAVG@V{tEc1CS}F&FHFi z@?lRmV`eUIV%X%ip`#k5`7`bdwV(pJih`KV0H7fmVA5%>c+Xs8B7Z7 zqYBMCT|@RAw6BWn+H|#+z+kugsgo@PsOY|Sj*Np48nL2)TNtgSR3_Y9CFvAf&q7A z1oqSubfd9`K44A4urg(%=UNSeDD#tRQ2A|U_;0E)5k8%AhV|12WKHJabphX?YVcw# z;^-fUnrmvXv+kO8M-MF--r+HTx<&0bPcDWv`eR{56;Etqa5_ZM*NTO zt3}R?-q4kf>ppTmLIXEoB$U=`Jx7QrI|zWraXKV>!#M7cn=kO`7S8B;qf;kOFAg`w zB#ODV7SNutgYi+@gCAK!1*AW*YiQ?k*?Hc`#;a0NkX5^G%8P6 zxxMyh?_}6|y1YEwAt&c_xVWZ#0l(jAZ3&LA)^m5?I4&(t>aK_n9?^f~8=`qu1hewu>>RY}p4#TA*lXQ2H_SCGG>9OG=W;%#I` z_E`b%xxQ!o&K~Sboklx&Q!Q`T(#>iDr0jK}X)o!fsD7a-=kK%bXM3UOyWfFQ6u<+g z-x}MOJ+W%6x6YFgKA$@YQkRY2VW|(9h7O5qJ81SRb=7(+M_Bb5o0S@=ZDc_7<>C%k zB;(+tFLM@ysObyWT%$|$x}AOb56sUzXC0`yTnnaaz*3$w`mZ?1*M~k(->CU@VjqsO z(A-#zF8pSHRD)hy(TAVZx2td>q+93kf*rxA=v7K799)8RJ}GpaKY3a;KGND9ytRG& z4itb;OD)@5863v_6gq^ceyHcBe?#*1k!LUGs&vU08&gOKgP(5`P48Ad63M0r?DXk{u6D0R-^Y^V@)Nu+8DcTPqg zq1gqayT25CI=N(Gu>yILpdN|4pkdei>CF2bc$Fj&u2tV{Xq!RFG`TuzLY2G8J-Zpv zb0&Sf>*qTqx_y1Ag(v?!`%id`FOTC5CSgUHRzYCcCu+V#vIYQV=xGH2`xTvPG=N3G zdn*!(mcCI7UIL0sOdJdYwtW|@A}+5fq*^_IhKSmTAPim%?7-uh^`1|WVH@h+W`Vf! zVp>rUSK!QxHJz76UAh?{^@4yHdGC!CC06HSDnRflR?sOBXC6VQZ1oY-cOo!4294rW zA(&*goJyu+oxPSIjN`cP5s(lDo7K+7k4OHGUxVgkSg z5lZZJux`LMqp`n^0>%NBfAE60Vjfi!V@;;L6lA~()=LF!Zv?Sd%VCUExMAr^?IKgBnJ6nNwN&MV@;{elBbBUaNcGP2rRZ z80E}k`5dEP2pAni>6>`4ePE%Xw^o)6;otCA>Sks^Dh%RJ9FwLe)O+98Kr&uJqk za;hwoVtJ21`|y2)2>wLN?h?FgK-f`B$UF9S0@WwYyl$$Ij=h&$>g!hah$iJbym=^M zfwSfVk$1!_rmBE{;wSQB7*qQxSs-EsN#y`V2P=3h=}rt%Rw#j?%N80Q)DL2GVM%`Z zJ0nS}GG^g?lld3BMAnXvRKQ~=(T1Q?Err<{aJp63TUAn|tt1MWMV8!!p7Rns2*#3rNdwHh@l35$}xjF4xgXH_E$)55+Bat_{$|VOOn^S zrh6#YrHuVvAq&^P_-wVsm-WffZK#TGvG~-UP{8sxhbV-1XTpRom)YOjq{v+l&4^zv zxsAi(^bUZCo?yWR8*#6IxJtR%?KXcqG<5&N7M+i)7PIooK`PBfY;Kicij658ZZjU5 zek^(zygR31c(5w0mbHF|s@ko{gE>qyJ^Sw%x}~u@?p8r<4~^~8H?LV^c##XkWaeah z(rBi$Idvaxfr*N2q0_Dk&*c12yE2#E-eFv^PFc1`nNex-q`2a)Y@z8&H%JfGSk=Wm z8r#w1j(!!iOT%0CA##;_war<(sUq)|j>=&2XM@OX`mAnLopuFWqQn(Jv)ulYnXARg zeXLwxg~(5@?C% zFQIVyh2SpJaQ>dXSMKJ<(-V-CKSg5g_Z{$n=jSkKu3bEC|itumDzQm7|}DZ=F|&eRClf|)zn+)Qqd`K zXm)qrU^rXm%v+WFEinJi8zgQT;nLNw28mSA`aP&vhICg{M$~B5@!S@Gys45W-zw4u z9`>fHcwO8{mok!;s!UUEwa_Gqs0OkLDSG>SjK@vZQB}WK5_Ois`_?!c|Bg$EJFHV* z*gm-Ps14dh+=D7!Qu1{J9TiL`8%mQZ8I3}3Of2`y^JqH_JS07_`20Jr2?b+ww~Lc3 zvMbruf4U?_T`{DWaC_YDE5Cn8R?eT-qAFW{4aQ?kelJy%X0oA+OxhKG&D53di4uBV zYDN(zQl-Zpwfd5JGDGcFMH7R@UxezT6W3o2bF-O@eb~XLGT9=meF)Yu@%NWHKuF}b z?{$HOQx6n{Hp};{7ZODlse+^if!NJlxf_ZlK~8`KHSd1@PJ*}6j@nOx(aoQfI#)l1 zrUR#FT+E-#qy36=Cz$y1ug6)fmU6&F-8M6oH6vqYPaTV6zp87(jZ1kXPjlG{*bZLp z+fYX%^1yWQV_%tkYvz+&L5LN1@npNO4?Hi%C$m&RFAA8ZArCW*Y58ApBk2qGYGKPo z1}M;P;Yy8k#nqY0hL+d$n$gIl=lCW^FtW}i9q6)+w@$P5%+cI$SXNqWSxjT3pDGa? zqGZXmQNor%I{4>eQ|+iR+UAt|VC;bJ?7-YGyfPZk=gs8ZzXrl8IR%}Crth!OiLGCc zTzz7A04CM_Gwiv)*-KhHUS5&TS*^^cs+Yw(ltabupM2g>86Y3MS)MGy4|4Z^NxCj1 zqb(Y(Io8a)JnQ~maJQjqRm3Ui7|w4fIgpmCtPrPN<3Lo)U8~JUdM35gi8%1KNugGG zD##Keg4^b~czQPy%jQwq;bzZZRZ>@p;jCo9kSdzf}Z zxwtTW!;!xYWgzOt4{cN+k2RYcxyXONwf=t0cOUMy{SjWWpVRENT&*i;xuOC*FgmUC zu%cjdfOJr`AQHYN)aF@m??P?UeaogdLYvFW&M1;;H+ODR_?5d)lty{-j?dEGSn+x2 zML(+Nwt2+%S^l#w^rdXuT_#$WvsT^NbJYj&t2V@eMH$hh4v12%W(y=V5~ zi4Rok7(}7|C5h!n($}cx5swQ}WhjV^ffcrikqwg*P&|4LWD_4)UG-#I>09<_{rAMp zMx{Db(sGT$j~$S&N#B_{NmfT{qZ&Wi(yO@#bVJ9DlRo9{C zy3=lHs|~<+9A}$cnuMs|W^wdn41QO=vpmNkT6_vT=kugrrh|jtQA{{J-p?R~Y4t*l z()V=!W`f;m{i>x&MT=vvR*tdb+Rs}=2R~;H8evoI-4}aHt9CO-n@_iu6A*$%<}Dvb zxSxyK{hdhw9Y|d#U6;@!;-l8tTE5o^bBphkMU7N3a*Q2zNP`TVLgbZS7tz^^6}4^- z2(FYQ1Uo9FI)qEH>;aU}OaB-jo3?xg7HDhv=*q-f+Y*(}tOI}hY-iDQGuuAvL!i$m z`NV2LW1@`W;Gx2?oX2DICCYJMy0Zw*zIuewluc(nuKlud?n9kG;VC0oZsPFF=50o? zfL+d8uzAhAUi>Dk;DdukDv1^-S3m6I{_4Ij2+GQOQX}e^@e0xp{7`bU>$=>a|%P2S;AV$icwyK z&v>DQ@`7W763yUBj+mfpr>>|Q`z-!I_HOaZwGemJj_gJXsEMmp|8W2FrFhsRBWS9$ z&gFjEFz>>~j(04|_HZ|i%MZ*bSZ1UmCTy=guSi`3+?A$XoUH3=%`>dbRUi)D1dkND#es`g7MpM?0V-d&b?460yf|rE{l!eRNSaQ`rID4t z>1b#`$TnbSu+Gk7QYpO@Y4B|hwr(YXd#Vp-spnNfE`cu&i~d+mcpKF^Q37eY1~9RH z)~Qil#z4SFKrJsw$e`I7S5@|V1t;Q8OkCX2%o@G51py!n}q%z*%H9VatFy2 zI8$IRQVyQ3U4IR5_lG{fg5$@J#jr62=a535i{JCZX6ym@fPOL?Rs&4l|Fss#WXCsh zys!&?xhhZ-_^KGb$MUBRkPTETCVFG%|JN8mR;DkL3L~ovB-ln%9zqzZ{Uvl+?uhpL zVI)g|>Y+|wp^ykO^nnj4fSAVR(!`V`EKc~B`CIF64Q!9=T!5_IQX&1NZ0qHUSl|Zy z$G*$zg~f>!w@tVUAFE{>=&yZkU=^Fv2g?G?bjylH8Vkj9KrjR=hs(!zzU)yZ+=O*5sHhK(HMv7;xhfNt?$8n0WbG1E?R~$a;!x z)(cGZl!YG;v33yvi58ho)RmQ!F93{ltkk(M7_$N0MZM)tk-@sE7O>qHhOOCHnt-9) zKCTwU;(QNK84~liGY!Mi*K4%LWtX)CW zED$2@t}83w{sW++Uj2X?gU%;Fi$Yz3@;wYX6c41(i?Ud^DU5-L^E!LYh{Y-fQ2D&A zmlf-r#igJVR`3@dfX9t5y)>9Wc?e9XIydlxtHRF}7_Y^rk8fb@`UW8IF2VfDN}*do zkyZFQKKv4cUoQYHY>4jsD;zJYPS&gI{}1KqRS_KtjF%9ICJ%$^Q-DM^e$-WQVsXR+ zq9&CXd);;!T@{igY*^fG0a(3AeocVI>Lwt_K!z1GWC6;4>9{G@O9TS)fNv5V$UCrb zn??cg%b;L&HRJREC0|`4u8L@RATsC$KWbo5W#9y~SQt!U=nMxh5cp07V6MvmmODM!)z*fRPy$`Qy?+<_=84*^H7vKz7=Fhj3n7|tbzEOgP{Ki83NCAl7D7NaW z&?^O$=!tY*S;+=OM&uW{B20HtKwyYfmAxgwx+(>*1P31W`d>Qvmrnkr6JY%ScDw$i zlYi;t|DK&xu|mXdg&gEX<*R+ z@OV$yYYZ*@&r9nD!2Qq+oI}jE`hTQZV*UcL`;fy5!{-0%1q$r$&idg^N@CX$Yz6`( zZHd6=)v3vZ*d^pY=FIQ{Yt_kh(~JKW#H4sQc&~xa`(4av{v(KO=LBoLz`vIDkKD~E S)=V7W@1>lIY`KhS(0>7{f}&KVOI4~6dWQf}IU=2dG?6A?K%_}0 z0TPrZARsNFC7}lhB!rR#0?FN|zdOGBj{Dtz?zrQVZc+1KroYWg0TMb^yuAb&epjpp`@<#@D6)y4-!yC!#$9(Ul?I5z3!c|b~Jd%r3zVSe+|-QWMdEp$xw&Cz4B zf6M8Mre=Nf?N`CkB5YBbB#1$@*6DwL&l<(l-gCjyRIr%0_j^?H2X`Ii47eOsM98k!I;#_t*wZ>yrax9c``&J$xNvm-P8b1_y|l>tp%Di+~#BC{qhhDfwk*h>CVl0K4KXRWesXZhI``!+E;h@6l`hFIc)2N{ubKY z#%OFX2R-s1*Mny8a;uZTR0d>6>wnuaa-b}-D4O>91~FeZGEjT-Ml3LSrb8coO<}wd z%oq&ot7@hu>NyG-uydoD7`!E)6s_A|kChFAPZi%ig%d|b-I+KQmQhdVE|Qb4NYQJo zK)!1>;JxebAA9TUoo+Xw~r>n}?a%nt*laW;svt*L{{Uf_#b0#*9DCWkg{X($&F3~O<{}z&zhGNnua)Y<|`=(y3AlEszbGOBFqIXbRyD|q8i~gdLmuoB{xAnj>SidX2 zEo>r)O2(*bRciq0Ms&jtd2c&Yf?JUO&B$&yU__g-n7`L+mMQ(#->CHr z)}T<_zbhcNNP^6L$`fVU>$0j=zXLPR?g-N<7^Xpa1OoM=B{ynj+CX*;Fjd}vak{Rk z;-O=~f_sy=FOn^J(eafC(_$Jfn3gO!DWj*@x}sQRg%=g_%w$nYye4;3WN5D&erxkh z`4ODkRwQWNyWgM;D=Jx|PUWglY(t<$#8a%9AQxvA39yaQ@or3tPmKgW=;E zULYmupIY)Ear60Ad-{PS-lsEBkQFZzPSlxV+;tVMjou+2>|f1q30k2j*y%N1eR_H@ zk-EMLu^Sujz^St(TjwdLGpFk`3GDiU6-XDM6;Zq0mlvl;6t5G4uBkWG%1C|FyCLJL zcLFpM^7V&By~`-(SfAd^m4WUhYi^(wJwn=nslF6skM7RIZLpE2Hiku>#A+8_7l?cm zIm`5VzVL^b$L|q5$D=Y%!Fkm@;c7gsu>p=+IiJ`;N%6m|bo=t8`K#P?=JsRqKx=pJ zL~l`ZWB6`W3123bT3{yhx-~$nVYVPw2DesjBW+|>NN~TW$;uJV3RthX>PkwScX5dg zSlXqf0gsJ4dCFuYy#@qIibDJ}A@x|81#2P`xy@m}H>`=d+9CN3JKmO>jrZk-0#~xl^UcxbmBkW<)Y? z-WYqlvIE^@%QRCA(yNLjbhBoLN3!o+Q-2sSv{e~FsCFH&ix{ad%bizq88SmL@^;wA zYT3(hyKJZ|c9cMP0O4_7@|=(Z(`qmwTUIwo~!aD`&P2Ld6e^@Yw4TS@M{O z?V`+R@1jpzm4fTJrLE3~7wcoeURPBk)3q_cq)={mz$j7ejiXw{5wY(rjO)j>rcUvT((e&h|Y2jGFqq`S|O zs5?ga=CRff1R}x+%Y9+@p7@X*qr!_pKC3@Xede3>UN$sv3f~GYjcH-6mPKws@CQBf zQO@^oRKfRJ1rhGCF)?bbi`~t4p{=|pK?6sA8N(7gj#e+j@)^PJFBzvquUTts$2Nv9 zhnAdzps2z2Smn!I&vVQwPKw5Bew=J2px3rF* z!r3ze?F2wd*4Oxeb)1oE_c%6#NBP9uicb)jo>J8BI1X~ZuYMujqS8|FT*KPaZTkyKhQQS&BQI}1@$-BA`{%NM zemcGn&(Ub}7YZ}w{~DH9TU$S3Ytj9svH|k)@*-R((Z4BKU*?J}E*3@qR(1RrmbyAC z;8}juC+L332qh#Z@MixnK;icH)1&m+-(CLmX948Q%q!kEcYdm8NvH3{v%di!ocMVj zn8tr6IWSxEgRI#2=s%@s18rY|^$-Mi#HgO|c`=3`a{?OC53YpZ+10Bff)BR%Tj5j# z3;XKZg5wD1shdn5jVXCW8@Q9-6o2sgxzd)FT9D6wrd?*#oYjy-eJQgqY`OGwX#pxR z(zBM0_wR?>k=27e_^{O;Ue%_i4Eteta7!4QYBWU(y zvMSD5fLtvkQm?X`38tj?{~(TyxOC! zjW>WlIDN5DVv2)8lz(Zc{z&Ok(!jubNPi8L+C&gB7RP4UW>CD~5jwM-v>>^%O2lqg zKY#4pJ^X{xR#y`mB9Pz(-=Q+tz7X6zyzJ6@LguyDrZXuYmKv6v?^JQ=1#Wu`xHPM< zy_Qs&j>~lSTCvGkcc&sZbNPi4j$07T@c!O3efD*}oPS~1?8-su(&j~?rr?zoQ-2-T zR~oMa?%2r|>I$%`yFBe6*naZFcxC6{Vhd~{uO2>EErjIGi-^_J7)Xx{)>${I{T81nksWdeVTQ$f1I}=NQV38qPCb%C+Xq0hU9Cfb|KuYntPcH z4pVDg;#+@O_-@9lSGuJG{fanXY+IPX#%-p<4AUF0LK)C(@omLG2$|$bi`V+JK<}yP zS(@kW(mIVic)um0T~#x@eX`$zy0*K7+c29hfFS8I9GWO8$<)@lj^trDHaL8-GD5jA z5Su6nuO@tH&_V5XlF2>rL~tdemF8(PG%_)+YW(lCe>0@}v^Qg=;dx6_1<{NCHIay} zu-;t0iN9ZkRc1N{(s;bF<6hAXxFBLH!;i}wzmdd&^C{3)wwOOT*c&gst3=%5y5anOx{LMtXXF8Sv?`E>8`ct`5Z3YDNu|4TaiQ8_Y9-|5#Ac{WG5fSzaCia zNbrkjh1}J>ds(y28*}sFwEmJv1ItMIn@hHH_#m2}%}+=uJq4S*CUCtpX^~&NWKYc~ zspTDuvXK1t!YW@+Y)n4i`Tp25I&632gywj4bh;yAVY0p{`wz%QNGKzB>iDKtO+_ul z%vI0ka#l}=Q9;5yJ=vhax%mQYywOp|ey7zF>hR$$ESJ7k4J)(Tq*MkBz24S;=roHc ztDJ1{x&v|lNW+n_fvieSe2jgM!5O=~GoTh5Aa(y?--{i!oco2Y`^#luIXG9QQT zcXt_=re(~13#i_Ui;Pqw+=pxr7zI$rhs|Vmn=Doh$@`60OB-z`{3-Iey!OI#guMo= zZ+AunH*$f|$n??M+K~zT17s)q%gL9~?-;$Oe>@YVgBiQyBuS~Kd3GLZLBStln5Zf^)9^Bw6m#5o*b{`N*AAFc_Tok$UEh#A- zJK>y*1!G)mv%QL{2CIhuYlL?LURszXzsJ}m4<7@cPp{nbg;sX2^dhdS} z&*B@eb;abVH&fU6s3yKp2ch5>Hp}VitGm;t{*Wm8Q4XAMcXGoHiLbXadx{9&7@r$@ zKGfor5$I}d%gLF$W{Dk{%^RLDK@Hn{AKluMR0u4&n>Ss(qk~875Q9m5dM+z*)U>9= zTw;&0ge1+4f30&;wQCGD@uD?(k#V2I zt;JqzV!QVo83I`O;Rv@uc0v8XwQ&op@3l`nOC*Q3qqy_ccO)a0KEFEH@wVe3Kbl4a z;{T}&@a{$5_ubgge)PUNqCdNGHMGYBv?2Q|=z>MZs)HQ6bEYEk+T?*$XHVk`lfL){ ze|+uA9N4SHX9j2OH4(<*4|eeiXY3hZoE2kZ=)$dBAZyd%#t?^hqjU)RiZNsF2j zZ7st?L%yPR=zb~Es>l5}af3gp9J%gd%aV}MQ~3o&A}h%p+k%nsWX)MetP{l5!dll) z_~2-f%mqQ;x!RIQSkKZxCDk<4;i=EUOY+RIk_|HE`}e=%pG^uKVpXL+fLq<_Ki@kE z8U;P#b5EK$aj0fMq2m8n^@kFX6Gwg`B)HUX8^k4oCTn*(TM-*DQlRz9@+{!{EP%AV zWW)_XWqi<(N5@7lKH}RT!YV6Cn|(6*kjv@1)l$H$N{Sv_0VeFa!XXp?>}}DjGlx?( z)Pot%8m+ZGDtU0lRDuWnoBXe|p#%&-LYEseQpVDmVq#(d2D|`dJ_89NdKvq(g3Q@$ zAooc6@k&WaDJUqg-=E{nXG|0J7!3Q(zo8UfD1{G2;j2~D-0d;)nriS|>`fQk{i=i8 zE>^s1k8D9AnKPfGAT&}dgVc@%A3@7R?JrhWU)KPNYaq_^e0*Sc z_rk0*Z&-i4JaUWAPCZTpWCvkwaIiLXpxZj#st{sDBeN%ezb76_WGyM8LPrb~`*AHK z1X00be8U2|VI~gQg#(`Z76n`fr0#F4+{&- z;e}>p=DCL0iI==~AvA1ozW;!7ce9pk)_xgkuZ+*DX|}>Ug6Kb}-c2|K0zD`-r8}yD z_Ej8F3N!U478W#b7S&tq^yKY$UKu1I4`TNhOnj&1_9*u;&w_@AhQSDue-#}IJnvx5 zRa5oWcLi|&TY1g>Sq`_%Lwx}~D`yW`4_}nDhtIq?<>I}xwQCf)nd%+V&bLY=Vk)d@ zL&=c=j~_p#uD$sE6q1tY{Vk%Yo+^@0JzO6=>i`d32ip^gM9Ak-S_?s)ot=FaldMi1 zKgyx@DUgWfohAUY4t?iNa`6nt23ml@#I^qRR~*naM?nadXlG$z5xfG+WbWp(LZvga z)ghmM=M7(y%bykgQ6<=adpJ+|8jpz@*ZhbeQi@{BEW1C=ggfQsDPAuuB9J7l#%tsA zxze`zOO^d6`|KDs##*g~eZ-F3pqd}dZV9-!ASmu&9a|s)aSBLn!ySuMX*2^q&wF2T02;cbJ)z!7(qLFV8Eb27qG-yNO z3F<75?|a;IqS z6=_~Le?AN1w7a=jHG@SyzWoKt@Mf)dPE{YQTA=o}OElFXwSbB9lS9}9Zyc`74CZ_- z=QGULu0%cpPR(bgEgP^kUi|v+*)_SrxX^CZK-K{b)#O(9;L6%~_553KWtMtP2xX32 zjU|qp0<1VQym2=?l4P)Y=q*4X)Y8{U;C406eM`6;YtEn}dYRJdxKcQztbgalk-7@A;x%rSo0Y>~=pl2J{2~Za=RRXXkUESSAdmng%W0A)JIsWnTwn}cEdQAj_>IV-W zX7j=$b2%;?esP1C0H|T&_Rfy2Uyn$wA{kD|J5<9hDpo+r=UqvOD|Lw%Mep>6GN!^~ z4!;4)Ij8=<4ZNU=-yN9F&Zl>Xp{wj!uW2m{ul4NwQsu$xr7hoM$>vgL?S0;tmacRL zHy==^2)O+z)WH;B7n$K-6j8hV;Y~ko_RkN=08&*}Qc|LQ1uVXnhNQLnCj+YWdp>KQ z(CCe4whJ<^W$7bz$xb05z@p_uu%H!j(f5Nn-^;?SUzf>99a(ksA%0sj)>;7|yMhq}A3*7QkprwHpL zg#&iQ=!WihPc#Ewc^}CjO#x%y*znQPYM(A_;fPq)Dk>^Elove)K&JnX`~sli^;@<1 z2WwG+`!lCbOFybv00Izddsxpks^NP*#tyR8uZX(fJ>Tj4^w05Px*+3#BD-obCgyVwl7Yh5 zK;%KJQTW_aw)X&GODtl5BYfs)Yinyb^6)8-0Jk%Jp9ET}2vEUJPWGzIm>u36-Qa}{ zJ9Id!Ci!8Xsh+jWbv)DaU~dPyn+e^0F)yE$_}AW+CTr`^vqeNi$S7%OXfVIY4SrMK z1Xjoq@Du^Q{V!yA}=|BOZ2y1F=Y-bRdV>rO60}nPaF%e36%>S(Rj!?=w1bY=% zCl|=|J0G6jH83zhrBY2LTS zHqI9v2dn`CftZ-2qGi_F<+}9s^%D{jLh`zAKhY5WL54oF$Pbe9=v!y+MolegVT9?%a2?rvgk?3dW{;Hy1+sm)NI*@sM{NlQWpCd8NKg831Y2>J%3j z10K}H#YOu)5*hjV#qU6%6)H@#`tLFag06B$V*t);Kq z_Dy1s9*t~KZVtk}B~^-4^xuaTk|`B5O*C(PCL(LCGg~nSGxR!+r{wewd7|1A^PneZ zCT+^Mhus^cRO?koTbE;xpi+<`@Bi2emTUT0anAvQ*AuGfL-DtD%g!&~IeMcrM@cYz^2ovP;Av5Ia=)d(*zl%>$ zWhSnvA6(VEtIju7Plx9;-k7RYu+XPmp9{G9sK&|byMnUv`Qx6z#5_Dbc~SsNOiD<& zsO)z+*U(iqYr`u`-(~j8%l7tmsY^?Izh=t4suG3{fWPLuAVAACCBd<+j;|UI0;X=- zO``)9!xy>$q;)kk;2pl-%W{e&FcHS6pivh)J*|Vs7IQma$DD1XG?n;iMMQ9CD+C2J zl!S@tLomZo%blp8|PEIvwdr@0kLKvV;tKIr} z*2Bw{*lRrtYQL@YT{>EarY{xHu;TGUp2o?vbg%vk(tXV!{Cpk|n+X5Q96i*f0}Z1_dM zmD#$TcO>qxM50dPx3nE7jkr+OT#rZH8gOzNU5*xeh&O+xf-fw^Mu_f*~78s*!aS!T1N#xM@3kb<8-Nv}571YM7`7cO)hw zp+pRMIy3XzFwc4^cPg5W=Ljd(b1yN9x38L142khWuh8U61B&klXuNL8}h!Q z!azIv)!{1wPg5gr%(m+!UCdIKCoT^ay}bQgz9YPy9Dg`)AD7+E>J+!0pcb#K;%SmE z7T5a3q`~mAjF1q8D({W>D2A(T3M3*=x~<^SDpKcWW@Bsa%~OnG?>V=S+diObYPI}Y z+3xyv1+#JdxvP#n1*0!Ke=d$!{KZqLd$V#)yOSc|`n2fy+Vjw5rcRJi%V^6{s0Y5N z`7T0c9X=aXn#9l0Jr$-&$;)Iedkb3tx`30SE0}iaMrvNYf_3J$)vA^qpoB|%j z3B;b$f*Rjep9uUQTR_j`q%e&;xL3`%t-U}@3nVv2vj#jhAe^m;j*p=iwFXC&i0qIg z6_7h!i9!x>!bV=LtnTC_Q*A>ZUF{A*&5h9*{KUgGGT*n@7|k)f;##n)^HV6kNk#~U zWRRQW{O8$;KWHaTicT0bq&tc&Np5UtfjS+G$w2c}S!H3jGs@}0$xJ7`c4rIc-F=_1 zgzJMEjJ3_hKG*q%&UoIEkrlwZE^UQ!x;=gR)YCKK*7u-|nOoqiWv@bG42}WtcR*Is zqSA@;Sttwu#b=G?UCssv)?GfJJZHAUdC$g+WUDq$nk>c^d`{ubQ~g|O5{Vticz@5$ z;S==fs*};I=oE0?7{IE6=dMy#ip=ZKdKpq~US1j$Y7_1A z766FL-wU*b0Q@#jX^KhfThu*7I!`ZjK6?JEGW$&!J$VRzhTbRCzIORhJOt8>xBpEg z+?l##x7vh2`x{686RNK+`eoe#0ae4>ze?U#0F4t5+Gsxoq+W*;ov8!ZDrU#&oIoH; zgc(2Kf8hV?N`$DGnA_c>144^_p#X&y*jDyy((aEvJQ7xcs^)_$X8>$u2~;(0G7j$r za(D3at9fwc{m6>8(5%wwQ%Al@-uf%8&)G_c;{FTBy#<7|e_a3+nfo76gZ^K3E;mX2 zc1`d~MfyD{0loLHSDbncIy&M`Cdi{NaG#qGP1l7xl-GAzf}<{-c=0UoN9p*n-QVD& z1Lt6-wh^|3xXOl3&#bO!QwcNtgZz(GMi@*pw4B{zwLzJI zg?PD_e(+_pmi^J~Z>E)N7A=5ANDnT!#C1B%FuE+yo<9`BGYl6%99oSekt`>xXW4nH zus%;rz>e4LKUra%WmlrROl?)t4aH1)OjS6OJ8ioIZ7jq^9PV@+LtD*iyew+W|;WI&13N-*R zQdnQ<{ncYSpa(Eqd0x9c700O3m6qyWgD$R~wCi`v?~9~nMTaRaxj)nuht;2k`qrI= z@mJKJtVBs%Pz>7+i#HZ_5VA|pp>F6Y5EAfX`k`;C6 zq$}%BVfDrmCthTQM>=?{O_Xq`QTn449Kp2k=;DW-6Jaj zLMc8MUyXs5(l4F(;_^-x_Qic>3`n?I;$D|J5o#*?s=~Gs6;aT|w_D*NoqnOkfPix@ z@@dFwggbdWb=v#Nlsx1L!6yYj$63X*&tei(A1$9i`E>*grROd>l64+ab zGE&^s0utW0s4dIWMUltZF6Q5a}1oY_RcdJGjtB_qY zZ)OFp1$;o13F4;MXk_*o0G=!P&(r)G-=XxjHhN0Y%M}~AB~>E5jds+r{JNE?Y%ZXk zlS8_tmH_Y8?FbAlUgR|;L};nYF^Sl89T2^8Wm$cVkd@o|)9$fJ-}-r_${|RGvvSv6-MgU4rDGAmzlgOZtf@VB`Z3y3t zDk>^swO<5+2L1qC2H+!px{MF4mQqxNp5k=K76a$A$YbDn6+S&mA7B1Dn?e!R(b;apeg6~8imIKg@x=�S{uL!m!#q=f8a1;fbRP*?MVQaOM~=ymZI&>M7nEjg8J1_~t3vGi<`b!pZ8J%c#hC>MQ8pK;>An&6N9ZFF&MuY4ulIi#^aw>`!E^prCVF(EV4528nDm&E07^#;en6 z!3#4RDXy=gIZpG3dOda6e)@N&43Dl|=~`%>Jz)CRp34LNlAovVhC+#4qL-9ceGU3p z*Rfk6`EBPU9qx$3_+b|pl^%9Km0D`LzTS~zIUOq!pjPR4Qta$Vb(7y**GC7DuZy~= zjwU1XCUDA1=}>h~N^I6jk1njd?(*x{uHvOdLZuQk!U$2|<+S{DlzvQ51oX`nP#>uy z*Q%Ukvn-{$0J5aWICeeYfuob>&3-A3l6e#Ry?j*Q2!ri3Rehw{e_^J8((b79Dk(|e z!g=)@vMS*LE@2;)Og^Ob<`F{e{sKn)yxt+9-h8gdDZ(FYtCboweY0Fv;Y1%c;p8dw z7x#vVqfZL5wHG}lKDyKj6>5Lkg;^;l1=+46dVRH3o$Xy*Buq?R?r(qlMjss=r*C)s zLts!$g|c)T>g(-4J+bYM8z_i6s*{{xrKKqj`et$nFh<75Kh(PbtWy$NC4aE?^oOf8 z3h$2B&F3^P?X&i?P-83O~M}lw>BMKadt%L%hkqV1%+syEYBvlpIch1R zNk#R;K)6XWF079kzZPJko2FgwXa8mKA;oI0w=XR2RdnU~jV zlw{DaZzOqjWe-7pxeoB|&h@L%y_+d+CqdT+4@;sza_2)80$?RjJ+8_z{^-9L$FWb* z;gzwfgAl3JglPQ<8J=GF%9qiFZ`<0HmJ*CS?}UfC)(>@6b-}QDzq+6tguYfWywlfF zR~7Ir^?nyC_`7}6%ylJ!h}dfdJ~9u?=Cp1$z1uCCMxC+FLeX&n?|_L&b=g5k{Ybo`NO3Z<@>wYL0fD< zAi^IOH)U!RMsxbOKvkBG{v!s0jE$PbzFt;Z71 zGMXme2wQ{-^{R@9Sq5{SjVK$~$bvSqQ+Kvve;^Vc2S6bt7n%kjteIdLZ1{wu=I+F| z!iuevK9u)Mm(RU zKKPG_$Lz*KN!^uCnWhQsFK)(qcTTpQ11D1M6keVBa`s_`*_#=+3T%j4hQ6qAU=IQj zB2;QR`qI7PN_Cf2S>ib&pY;uwagLT63+b~K)Bu@B$hFB}dq5gYa;BGh82v=P>JRWH zb`t<5w=-=*C)gEHWJ*4><;HcM;Q7UOYH}vucqKX=L{7Z;R9kzYAvT7KPdn>v&~RYj zivC@&;sx1{9+uc8NP1Rj&uwYfBlu%o(cGMM#)Tb2Pc+V=VX-`7XU$6D9sHGmE*LMO)}j=b$0KhMN2hkNtPo z(gjsjm3eBd?QIk{1t^7CJ%Mv(?7)YTXFIo zy9Kj+la+VntY6Z+QgzcGukt3BHD=HHh<@V1_YIzDH5SkFo8pzW3K)2uA}l<(uDQ(6 zz#ozT)%Jjvf3gRR(*dRMqsm_+ub_B9V9~0~bDH;;YuWmCjlI+q!=DB?I3R4O`j0)w zU%Qq0YZ~0xF^RuYZ77BQKAlrp#z7GHN40J@Pg71=SzSYbjx^Qb`CDCdn@boVHCx=i)#mbhbrz4W4gsvT@iDQO;Iwc;41 zS8?S!`d;VOsomEKqFK69HZ>tbHLyYci{}K+$#!jc0!a>0<+pn!m;$|DKLbHQ`mUL$8cvs~I24749f3eBz!?G?Lp`)a@REb1*w z^XKMnI&FBebjedUKt9k!_dXqLx^nhT$de6GheFYZoDYSp zv_HmXTRM8eY@~R%y5hKC^<{0-Sws|&eHL+ zd)JMJ*2R`!54Eh`y1I@z-%`Wd8?C+D^bqBI3!&aImEzog{7jOp$x0_-B7a~CFDQz| zeNQVYa_WEBdos1&J=Z3Lt)g8M_L!aZzs5|di!Q=Sl{_kDqz(Ccp~pMwhcIK~m}qmfiq`(LW_Est|Pc%rl}Trv=YlRPkB<`h8g+IkVfP zty*`7Gh4pv*xmB$&#x=|#aV5f?{*J877L&dT|UR+uI@NFWwE6u@%7@1VzV(<7Qtpi zT-=N9xo1!6H|=B(k4@Hnn32jcmY7|B>0_;Q@)h4X$Heird+$u&m0LbESLLE}(eKtR z`;b0d@8Sj*Mq9u-Br{98lIcjybc0fgz9dgW-f`o~Gp?hvT8>`&V#Ym5{+alVW<_-@ zV*vnP;Xn5*UgHI--=!b>M)5u)iJ3M*E1$*kBZJ7#wb(d}3=DwIjAMt0*6}Fd9N%2p zh-#ySSIt439glzwq*5$DHMJ*-nFe;(J4h?aDX(;yl@A1_CUFM`{xy>RMm8xmPPM0r z+n;}3>8@Lu!=x|2VupUx_3p&Zi|ZZJZ^~?S;Fa@AlfD+WD z`2Dpd!4>S<2|U8)X-{Fc53OQjkH3$r*9FoSn9a6CdWh^g;<~&TR?fT^R_JJ8E86-2 z>^4E8s_kk2bu8Qw=uJ*WC_F}HSp<6a03AZqv>t+FLhTVlpw$0Cd3Exc$ymBAGIAuk zz?Cfzf?)ZuzAkhGbe{Sm`Vd?puds0xd<4IBbnw&>&5OG4v?UjvE?7I10^t^b5mA?} z@cxmtbUgP=S!bZldUslrN@ZGEJ@L((v6ELF(!I@^9%dJ%SEAqjj^67!{=~=SPC2{& zU&m%uPbOTCe0=%4LxTCO+wn!^!gDbax(_Hv2IIJhS2$DNTp60|GA*SFZxu`_QCs-F(R6W}&m5F?(!JPwboQ1b|1#itBXLEoJdwAPt+>`QPi+qRGu@Ce z!CTq9_9aL>d0V3{FxVb{53a>knijNcf`YX{>Rxcfl2BU}XHuw6CSb;wj63W7r>p>8<#GSQGX3l9te=<4(#HVN^q$eNF_=l9MD!Gh3RoCqo0vlD+niA^r=bSt2U6H zI~<;H{JA}DK(`E~;T~IwWJF$3jn zV*y;_Z+LgZG^18sSy+f0&zcrP4I+-Vfq@ddk}_=c#mjZz{-pgCnXV+mGkVT=THb+=$v$|yYaJ))w-=OVK z{aVf)&x*vr(l^Atu0M?o*Qe{jpS7OSqMa3P{88^b6vM}rOCLR zsJ3&Cmp9Z*q?TM=Heun_mRA;B{Y>Ul9d){aMu;srx!v%BnKSL5PwK{wIh32BbvrEw zqo)+yEA%hTk~|dtoYKFhtifeee1TWWROr@UHx$v2V6D2oWNst*hPpS}Yx}1x$haX@ z-+%;fpvdzq)h8Q*Yf`q(oI1!=B~QuC0>uSx1_`C-s-p2p9P-4dJE`FL>zI3fl(&gQ zM6KRg1WZ_qjkZIYmP_O1OhF7t;+PFv{iLfL$-y?`BiJD!xE7=V&su(-V~+{#oWdh3 zYg_MVhvAsBFpH$Mrg>^EX{ixap`#f{PG+d!HygGVOFaiW5Ev(GiDvTdeW-%kaOT9P zzq2Khx7V>q&+dZp-o#A1@z%@2BT)vDuSm+RA=)&I+yI| zxz=o(|7GVzVe{FWi9iA#;%Sr9{{NbZ=x+yDt%dwX7gM}USrn+z1UffBx@+7hDLQVsq6`@fY{!H$Nu z#a_PF5XP6FZeN!_cB`w4A_l4a)4?-eXP;mK`MXbwWgQp2)^q8vvX1eZ`aGVi4rw3U z4YFfmEWrjd$;p3qrmg^)>CCR^wfI_o^xNkLIuJpeFYaX-@%4(oMX)CGyUh95fc5z} zcsW`GyXuMxtgBzUu88eX_h&UCCoxjovqSncc|{g=DM{P+z4s*yt~Rv4%K+RMxiw`? zHP|gQ>F3YQy-$1VyuR)`sQ2C&A=fN5kM(0DebH-uZzvxe5VS1Z6Y>#WR9jmO4>c2= zPvqeDDJpUI0^6ByOH`Zc3?BY-1OH3#!uE=g(xnW*RaUx?CGnxmvo5nmtJ&U4GN~yx z14hmn&Jc7yp1JPrHIbj{)V)NDq`yrU&$=+FsPwm9v!ZRjt#NQ42CDG@*ymxbxsSv& z^0G1Z{DM|P3+(6n4 zcs@cFm()5g+^k&A{}R{V>f@V@u?yaUC^Ud6{>t8N4X&P*Z|0`BZ(cpr6<(tbjIG~F zZ8PJKmozu4%mVapJyQ}`tPTcCTUy%htJs^IFfZ76PO;9^M=nzbShKY z3gP!C!f`8<5FiZ(>#0_9T}KP31uWYm57r?hBqPf;@4O)2seQu1j@6Bp8~bKp#k2nW zI^c@BpgLf`8^Bry<~Yet3=h}1?|kgfmTBJ8v}r9Tx?5pxI;3&N%OnoY_1)2N!Uarn;#`uYe4%jN3#kUG~S~$C?j4K-7-(Z zH$Du)@1_HrYR;$V)3)rs2EHQg&Y^&>$O>hVfF>UQW-`6kmf`0`MDS_)IS#(`Ope@& z$KzA|`7ky#2zjchu%xy+c%f5^hpQCW<-0qV%<${-w1;BZ@U6aE)(UF!A*^S@a6%9* zi62KD@jM#pYmLEfr0@alyNwG&&m$F^pZwo!yO~o!ZTk+r2Ks!n$Lp$#YSqV7pG-Dq zG{nT*2zJg+jp#J(t_i{UJ8e$=J-)5Jq%x_(t@p zmy-%0d4R*qvDpGr3nBGsAjkcj(^G_|BP}FCBSoeg4Ps-=3-3IFbw~g_g;0vFN+nUr zP%7n~;;77kwC(g5yv38E%%135apy8Ql*0?p>>P~n0y-X-ic9SM$Z`OLU0dtdU2Nih zU58Fq+x*IpZ=T=Z8e}c&Xzo#oc;u6Q;v{dKX3kzGuA4gEcI=7v(<6=v9p#y_z2}IM zJoU+O@`c*ku`xWba{1k?(v_ar;s&Z;scan!ehOb#fGW6tR*%dWGg;@4=i{xfm$ABc zxStX58&XSgF@*d}==+D8jXI%0I^*!q$T*VqmHY>RNhBX9XJxFE-WJaT5z%v zJQJ6W&C>5mPf0Dg1AH!~lc%^5;Qqn;vY1e$m(vX~EVFv;{-)ace3 zM$p>w;CZ0Zoi|PCnAww586dmkRD41{(8Ta$9!}p>PyPwgKt@x{fYV&1eXqe8?X#85 zs~@Ku#Hc&$R2-w#4hVJM^aOcR_P;;>Jl$nxYg^G1SyfwBptSK7x$qL3tH(DTyEKrL zpszL-{665Lq z@jKGHko0hV*Y1HhWaKBwG=9~#U#Qh+J)5>ft_#DB~>z{ z3=})kYlIxrH&N4+Dk#IA<*+gH8+d&MW#*_4lwQ+yfo@)z2B539p|N!x=)U$Iuy2*1 zEd7HHqZKv3(EaQEk-@E~HpQ+ng->~AU5$|eCv{(CWqZ)WR~F(|MB)bTk5C)w-gl?U)SUB+2I zyJX~*w_NWgeY@wXmKtzJe_K0`QdA|87Zal~7QFH0-C&4uB2JCcex4>~@iwpW8xl1f zGLV|&B)S-v-D_7D+Wyv~p;kEc15R0{GUh)!t1PHC;Rb|GObi{4^bDS^cE)#5k{G}i zEZPn)CJ#R`fiqrnS16ha+9^hap|27>1l?R z*0@@SP**}BLSH}4d!3mgjHhd|!lyD(A@mLZsxDPp1naPgcw=M3p1Ejm7um^E1)b+R ztScjD%zD$ECbnAJXc6mW+V9kP&hdGUojsVc5^-p6>(9`8nYB`CsWxlY64m^Fu=Un) zO}}s3IMOL4NQfdxgMh#&6_Iq30|ty9z0swBpdcV^upuoqazko#r*w}N5$RHCspswI z^Sz(@{yo2Yul>E(RXeZqJkH}du8hWSao2B5`L;yyQAp3?xTr`J?_Jme!ml zXJtL5u?2LPD>9R31oTsIVGVWg~F zu^w9yxc$e)Z;#HHKIkN{k-1xO=d?D2gybXxxN@-z?^D*fF19EZE-ym0Hu*j_E~f1zI^LsmPS>iVnvAPg$g8x4!%);mNeQL* zb%mn*+?bKLUE}Clq0f-At{Yr87;&?SRg#g38`rZlC$rtAEc1ri2h=kiu3P3u|GT2Dlg8@L z^FV;o^J!y~Q#el{kRbL{`{*d{M~q64O6Q-gIwM!Nl4f@af#2oE*yldh(&EYX^V3jc zRaF5+=#h_JC~;=qu{N1pl%WFG^N`)ZE;d^%0QGboHG(mASob)V!o#;PAjJ^jnGyCh z7hrv>_%Hf#*JP&2ZltZ!OU>@i$NF7Iv)#+Z2LS)aM;oT0+rqZ@BSANKk;bZ^_;d4_ zY>CNb7oBap25`P1wdMpCt4doVhOzI?nfs4mqMyI~vJ>UMzhIi2v2bRM z7>N%GU&)B$RAjzrd9C;-|7_}i6A=Q%%=6O}S&Iqg|5qZI>)QMs6R#U~&V>HeM3QsS zJ9xF{;3iuS`vTW}i62Kk;;8Ql6y$j?7=KxF`^- z?#}wb{au+FQsg$X?)_i2fZ76JVtuw48++CoQW({f{Nf>0IG`lwfiXqME@HE=Rt6xT zxm7>`;z=X8*1Uhxo+D0DCFu3%z&^g@m9FRaEQI^D;^OiXg#HplUnP9mu0N_WQ!i=Q zh^Cu9w12SOr>fd@~+)Mm-+t8?^=#9=w(r}`_%4W@9;&_ zub)cyt#+c5|9APMXdNq20aZZLtAv`h53*_XF7|HlqIW}q07pd_{W#08{}c^pAcbNf z!W?{=Xo$jDx34YT0B(ELXF^7re{*bmHEqwV*}I+WsRGygRdtQ#z3ttFlWq5-!-tTP z2EWVcA9XwK3;SQ2&*xUJ>fES1oxQBPG}euK8#i#x5sZe{8vYI%VijI=@Ui*o0Cf3G zk?2vL?8;v0%Dd)uqChpbG3p+?FcElj=HU38K8{QNN1cuZ|6Xza5i2!WlMT@~89+D% zX1$VR46t}Dzmm+^dCz`0WSvx+S$LVdpWR&IBNbDxVD^Cr6V-Z=Rp`GrnVh`y?Ck3R z=RwZG*}^lrJM{{zcK~Lol7ysVRbi^>+ytPc?xy%dziN5hlrWHPv0eDPWBA*by+N+s z<37{jkJSLfyRo8JjIZ|nMaakr%J#b!8wUrRQO^ueR|~u^ESBv`X^E5}kOF99GZX1@ z3r8`wTsSrl#Ucq$N4&zRDwg+cjtt9QRV zZQcv&4qU}Vg#PS{l%gW zf4U~-hAgXz!Cm7G17~2f|9+ZR3Xmi^JUd+gCF4EN-<1p@g*w|~jldm|6E@08CddO9 z`_$2q+qUUR-gf&=3***8vK6QAySvpjge^~E%?B?W4=+EzJgy(OT$J4~lna12$^uTM-!zKwX`=c0`WNf1eQE$;7HZ*|3XP4yR&q6C=GUP2PV_ij#tla2ky z|8`afli-))!5*6rd+2_c(){D<^-UFCRs)%d#uFkVWx9@mAu@`n7gaEz@SwDKZg6;~ z8?=behQMJfy!?Auih_P?{nL$`@-;_==E1%6p;BIIgc-%l<n-;MrGl zC(5fzoBBAA=PgHlm|u&$6gOYOz4q7ke>^WVl;)Q+xbAD`bbJvQTvg=gT7GxC4yc_n z2r#Zq!Rqb{R~(BBXKj?Bus!oJ9BusT=?UDzpv%)j9}GY^Q6~M0+gNRR;puC|W+)hH z+k7<0a-o0BmYz;$J6QqhP4Rb!TVDL7T7*dw$n`Is7>)^Sh2*X__>X7_BoiaD)1=su zSC|uuKM64wzV7IyK~KM$pWguBjQ0aq0>pwA7EU`#ya!G5%)6sH(S9fh42eOjdJ^{T zmi|%V;{j1>F+`e_5spFu3}5!9G1$}=tI3m*B-8{D+Ga-FdbOpyHdqC&e?|^kmRA*e zcRt)r=8by;GA|2WnH_t(u=o5MV>OV+16)`cfLYi9p+8qA}PZZ1NZdt$u0J-U8A>R-sq+}dnD2g^r$lH-XsG%2Q%8{0$4LBqiie-raeH`wtbNjPP~K`L6=_* zZ6VDt@y^Qu{d(c<^&-0%8SV!FI8LtkNI?v$yjPexo~Lwzs(50Z9u#}4-2hW=oR3=S zy0OisuioKn+2t-Iydt`7I^2{eR3@0{^lSsRG4#OEcF*T9%l+%Nh1_^mwuD1Ur@;~gBdfj& z^EDx~sy@wnos7Kcx;*H<>~>H4QsU%lF*R?lx$~(owuvW{Fz&Kg;)S6*p*_BZKw0D_C(wf#)XhSS+XBLzy z@6RHh7|n?^tdUAVOQlwsB7+uah^?G4l~9EPqg?>Pw9QaDXit(Fa zuURSq7N$V31;(hM)#AC$QgksZ-^>#KyIg0dr=Oif#b$%LmvkTea>AH{Pu9N&Z5N7| z&AT%HL|@0X#5L#>US#ZwW+o)uXjE80r;LN0P8&7ed>YefDD>BVx(Q!($}W|O{5&>K!+b#U=bbSJ^2oK3Wtl#8 z(Vc?6G0T5qWue|>Ibv_;&l#8Q!~OC7ss7}WYk$2eh#mpb7&%GXShgHno3%SkakP}( zq=Ndt8!TqC16AL+$f@7%U%1ijX#wQJdk==Te8Wi~zHF7@EdF5CsPw%im!xYEvv{Lj z9v(uH2Yaj}7&+-%nS+MFT^W)-x^WwQaMSf^C~+Q9)Ar?hGRe9^@APJ;Nl!|=5`E1Q6pA{RfN1AXh8pjq@l5uvOr%Xr zEJ+^SvhsxY{t+gepzf5PVuLHM7vo(Qb$p;eLP$H(#?!RsrOjZed|VtBlrxb&zcMO` zUe`?D`$Oi6+?anZ>aaO`hIYH_UE^+TSNc*xcBShB4Xa-sbDX4X7ODz_{lm=1(*@HF z6*8N-UNcsg)!k_QWIijTx55D7^F%+T_j~_+cGnKogJ3)`O)!b<0^ zZ1|H@xrKG}1Wn!bRsQ)bJ{?bIeWu#;`1(w*%q`utdb#?ObNAYxqcpos2ZMlizc&&B z2=`&sp)H;_{-;xk2NS=9pI_f4qSN@fx{zzO*r3B+fd?d1#^#p2i9jAovMZ{)GBOJB zV{kvhl?N<@!&3!XboR5Z31MQ4AzFrugFr~;= z_RZ0s52Bf}Shb>>pe%;8b+!_T~Zcz9r|fm;662d(+45eLR_ey%d$uBdwc!W?>Ufh(0GW#T#{ItdJ!t@wPB7{ zS)G-c30|O=9Q0+m%V53Is}j;1r`W6CJM!!KJ7}+XO7X<9u+x&J!i-$;qM}CdRTE||uq@nS+Fcnrz_)f+&F(qO$}Q!E<@PR@EEU(Mt9HQdC)#*J1@Il@l!`XB=BOv z&t1zbJwQY>IC{&H^&cylv`9!V8!r!F(+bvzLuIQbBiLB@jck5>oX{7@Ef2wWsa7bG z*!oJCow2IJ9H9(s3wvA`JQU)3&1hoaN0B$9i!XcpuQQ;H3=wiCSuiO^>B!i@22Crs z+V-H9{v&olP43Ti7qZSb*1dlA?@Q&JhJwF!F=^A$+&d5hBmw)6p?5?PV_+Ev7> z<@ptG;GMnR=-eK(Q0u-Lr1<93gYQxpz&@t|A&jQ>2SB#x$BRAkagnQ1DU?HRX6S}6>tU~g#T$o(Zv znPG9plje8HV2A6PKhdqe;n>tqnm8Hc7CSw!KFFycoV< z^3jNBRFQ06V8xQUu7{1kU1=u1KeGkUpOtfZ(Vez)9*|-9cf+`SRI~}0J!1j zh@PG&-JVQQq))G;vGgwg{#Wcl01)zU|$ljWZmjJ8fffI$gf76c-UkE{A}N?fu~lZApB0{*r+D9^Yz ziVbbP-I=&1d_zUJYes^cTI8Ecjcn3AeFOj%5hHs$Klrt6U<(YlXbr$d`R{~rD5yHS zKGazfw81msxjgRdOb7=V%jR;xIOY;ny$w`?6z0HzeUW!5l18*~*lf#_X)o>ncIFVjUhMC`!=GRS1pv?U(DyCZ=hIUXHn2lx;44 z{j_jmeVMV^z$D`a_=t7^8oG9eQB|H+JBW1?RcNO9-7$q|W6pne8fKf5et;g;|78Ch z3{XXKMpSi@Px1GdI^F)#eR+qt$_Zh7u6ws#D+uZ~S&@-tU{sD#rfP>LY8Jbc-n;EF z8uQ(9#4OEO{_}ZuI1MYiWN?{zFH7$bOP&L{aE4XM^N@sK z`R+}8*N!_ydm6CseTWOL#hGhr)2~v@eu(+_S!s7}GX2@~toXut-#q=-`U7M7Eg>z| z6%7M%BH&qoY)IkH?&n0uzUqG~-Q82BZDCfrCzMZ%J5so321OBEXhez~x*QxuS5Z}P zW3x8sG_L3{W$<+y$Ts%YF%`=sObDkI<%f2IB=0e=?^SAZHoHLLevuV(ya~RSvH769 z`0U%yP(CWzr4uGLMqK4mv>$G%D9LLRrQ@{3ZonuMg^MKRfptV0sbiVMY)09xa--!J zQ-Xp?1pu-o+{L7YABNH=Oi9dF0(T-3$B1b+9E%i-Qerx0t{ZiS6vMfYkXE>X3r&N* zB9^tg|Xtiy**f{;=_C~eE-t6T4gN_8Hi?4~@!H36-juDMa?SJ`4 zfM3{O`Vb@1Rg^VB@ScJC6O&{Iwb%j=kH>}${EJDXn076lzn50n7KigklQ7Lv4Usk);Le=8SC$Xle8JexJ! zP?$G)>|6%Jihxx+RVxdUSTv&CxAqcLT`TDXZhk4NrSYq}bwp-Z;{}-~(pBx)DBzk* z5lm0T(HKItOqN(9?}6CRXDH)=>wP9RVhD!O%kzzaRdW{!`8Vff?|D=j3Z7<&H(|a4?k2z`=Jhubw#lZ{*6^0g z`6ENMl!0I_RP}rpb^sOLxP=F|LA8;uTN2iua+(-uuMK|lWw#~9pyZgaDL#YAUI`_n zpaRW0d82CX47Vo$e?N}yKGkm?@Osh@hj@N1+q^6zbBrUiIMP*G)X*6dT5uot=kd(i zBc;z_+EGwMRjVH;B<7}sqT21br#fn4IfSB8k71Yy)JN_*sP}8po)w9tnr)x35)10; zap7Ir+P1iAg}m0aB)KQ4gL1x4WJ{Mx5>BtO{Neb38*p z?r5-Se(1-M?ux)~DQ2ngtTZ~!`Mt)`F}SC(lyxF}aa#Gpup z85_@2E0|P4Ahj{Dt9h9WaSWDwe9ggBO!y}0_i>rdv4OI>yf7U=kB6(I(|E1Wix>f- zoIF8_shWv-J95oKvO`_X5j>3u+$!tI%0`vXL~9!2SovK*GhW)2k^RZKMH!cPO`mS3 zw~8X58>!qC^^4(Ufbd?75M2(Aoyz_l15(=g_$Txjo^DcP8{?bJo2c0dD9j|g3!f{O zZN2>%p|Q0cp*R2bs1(Eo~W95G)n??;( z|91eS2@m4PVTZa$6@p|28}nI;+q{ZB1j;t{uP`EAtYf1d%gc!KzZYh49m}iSZpbwf z|Gg9!pD^6C%4utqlqyu#6)lpjTFE4qtp+sPiWDcNCA2D)lRkwzrv?O{Vpv8hl5?G? zC{(AWgEqDH<5e4LDqRN?!gp^+-n4I5##ERtxEPeM+UMN0GAMKC|C5mC^Jorg0YiYF zp0zP4H4ewwqr5sJ#ZW=E0>764efR?|UB}$o!mL^V=FXN{t#*w0%n4lS!tuYo|CyE? zA5bbhVPj_1Rtq;;Z2kchTobL7-NAI5lPKJvI)gsJBoMo=y??&|DFqO?#Iq}Np!=c< z@VCbR=~H=pk=@S~hG{b;w<*gg;~}sytHBr5G<*^8IDB0|U}90?S)sfPvg*&l-08*! z2{y8-x8E;OT`f$XqA1?dZ7@K@K3g`+A^&4EUg3`su_RgHwKyg7p52KAG4%7|`06zi z^-q5yHDCh=Vab-Ci{Q&gRrmFSX;4p;qFma}w)SeTMMKE>?YLLaae9zQTm|<1x zCG3U%hDe=w4{_4}e|9DmP$z#cKpd^PDB6v?IOog{sH!^a7p0ImW6)5LOSd#wWLdRc zVYNNj6-W(_yN;n`kb6bSccSqwGOG}E)ed#%WE0z1lN=x4`vsb8e&IGblKQ03?OiPN zOo&AXY1C_2anBw-p{`-}S3JZlmd(Va4hK7z^}-~3g^K~93Jc#WfG!HI6wK*hl!W>u zy_j)2M53-o<0p=C(WDjIEsH|>i{DIgu;n_L+eu5-U?)re%$85X=CS5@Whe9R~p+RoAB}dxXn)l)pJ^#FT?Iq$mb`##!T}CHN(D zGHv50glSvao*KsA3qhAsfo`(wKDpMATqHuajj%RI!fKg03ExTEbYn40H{ z*vQD*P{D+hdF<+T8tYDd9+r(|Idbt)_{M{kGY4k3B33tQfeDmWj1z#P+oFxsi@55% zGZf74GGBd#ukcSv32N@P)HLP%+O7|daw<~@&@YU?AE%xQD+6r>qkq0G0#!wu0MftH zCc%-r|JuiVGt{3XPm5*3;lpPC4Eeo^@Rl#Ock>o_KbWi{Oi1y#nvYlS#QJ83IX*N` zl&94C|K1d#9V(4;EEy4#9)=60X>_7EYfpbKt z&=046x}_%L)2+_m-;}jB;gad1cYcO4DYNX1>0F8^_$Q0;=>2=NC6uj+d5coS3K1=N zhQ1sQzI)o?L;tJOc0)+Hs-W8KkD#yhnt!&K|Ri`Qkxt zpfzk$Zi<+34EU<+)cd0CEyePRtQ7S1$*KEgZe_bfQ$CL{ZI#Hgcf59@AjTXdkIX=822knR~ z>mAQ$F5-xuc6us>L03U51-s)E>~owM5N>d`?Rf_@U2(6AG)rq({p330=5+@o&j{-E zG-%Li-p=nWh%;UZuW!3v7B{t`g-JS>378NZU@qJ_WF2rzO4u@5aH~PimL1)4<;}-N z;t5~2)P0~GzUg-NaMJ&EfdA%-jK@u0m4H}24hND#MDa%>SO^AD@pa&wRti{*i2;{2 z0&ilEj(0#5`46ih0Pd+fA7uxdRV4u)=iC0C7%Wrg!UGY@{l$OUA0CLm3r;D(8Ceb!8Ue4% zOG$ItUi2+LcytlDdVyr=k{b?wkdT59c}_@$a%AhP_SX?5u&M9 zWFL@?G8A53`?vr2ZCv8bH90Ci;klE(L3NORv%N1ve!sfBI*QdECkG2ZNx@HKJVAD{ z6<0!MzPyN>!5+l9cbHJQ$ct_&K#lV%fwGxp$&AaOBK;FI_WdJ(on>56Ua&c;PGa)* z!5eCoG7qp*rPhQg>7fZTLPjK2>eizFd^R`=uaF{M)TTpl3RXt73mMHfi@i`oqDG4y^Dr5To%4DwLjmfP8VE7QDx7nqnLz@h23~;*yI1XZ{+O%G7xOAk`+s0XgmxB z%{KBibeuvJ6wT*MOAg-K)m^xZk)n(oMh@XW@&<%QEBZlGx7qJ zd*?{6lO)Vk1DiZQ)LhqXESF`d;W_MbC*SwlL+7aPavGn0(ap9=7B0GwYOL36{$UwX zU`pH!Kg~!k-5xCi6tQp=iv@0TY|;MdxK43#OjfoPw%pGzIEVb^mVs-Gs53P4euou<&J(OxGc zv6N!;_+Z>rwlW2{@&Pm=FZ-q*BO}*#BWvRoU+jHX&_#LtuTd7=7XmlOoV)Ab=7o1U zi>1a69PZx~v`4Lq-W`8-<4Lb|Cu^wF;rd?0Jrl7R_0*L@C*s%X^+t1LHQOdig>mJe z5#h8#1a?F}>w8(oUseD>4FMdN0fi_!&Ux8+8NpIq6;b3-RbY5}osXkPC>s@D<>Bok zZQU}Gjq<|QfNNp?Aznp=bIGVfe+c#K9;Fg5jO9J? zu##PdA=NN9@^9m4#4fTr(GON{d|hDF#W@F9ST)X==>_ABrCkp2y+s8Z5?jJJXzg_E zK<;9Y8ap!Qm40%;{s020=8uk+4DlPE3;0(@{&$Yg88LUZ!A~Ev64uqkQtQPnn*vVO zMn>RG5^_?I!R52U$9g5C8SW%GFN#IFezgZkAmc{!IJ%qxNhuE)1E0Y&8GsyItvltu z7f9XsW`fkR#>~2-7p-Am%z9g zR+b_Y0wl|m(Pe~4Qm~J2O=uhpjAtpvvTUC6rQXdSJP=No>f|l_@#ty)vrdFQhyz}f zT_itQv0i2}rvGfQBC4?Jhr#MVtn}53AEEtue5;iYH;lS^M_z=jakO0mZG6@F92*XV z(fB^+0H4fa4Owy9C#s0;8WioRy989a#EO?^$ZN`eo*~jDgH1v z!P|W-K2P2^@Iz%)s+?=uIM_wLipeZq%`97Ngh?o>QuQ6FCJ||A$T^;nve)<$D?iyy zen+w@P4DL^4ed_jp}F^f%+c4_{Wbpu3L9#g(r_|S-oE-u+Qa7ec=SGid=9_VqWK*w1bUd^x1c%XqKbf{sDcY#mL1(0eYX07UGmh~OU5 zWFb{%`1c!TtWpVD3}oX8i-zF|K7nWPDsR4e9&sJrQVQ7jE18^p9++Hhl{=X1bMEdI zblB>IurhgTXiZgRsc7=a)e9kS!*JC)VngXs#Zyhzk@Rd2j)R~gNoBmJs#usWDThR< z5RU@Tj$}zj@zV+sS|*DZ!B83M6*rV-NcJ?^ zu(zN!KDjcZ>vUAviI~$(3v;FLl`_iz$b>AH7z$%2p_RK_Bqfx>J6Y|dkg3}JrPn{F zLZAKl`sc^IzS5lKrFxF9XQGK29dT`JD7Ixhzls%|Ppv5w{fm$f<2245d*D6Fz*K&|mk?Td@2fql+*3X3{z!x`izWytJOA_bXpAKA zzt~j{)3eF8Om%(BHLVo%VzG(&Xg+9_vmLru`*lLe|5ub$&ji}zRm9`hdK9n(PD%m6 zBua#>0&KW7NL8rf*ZDrn_>Hcsw;%M+w1l>-x$kk4yD|uIhk0rDTx%9eX%OLfJ3SR8 zYNkvlKmYiKlt8KEb9BNKKdqocOG}p>Z3Q17S?=PXHAo_Ib{Wmu?rwOfn&yE>kk+nO zamho$a{Z*@CSWfTT(wjGVC;ez1X>ddyNld>JCxrs{aGK!B`{axtKXQ}ZmR?x@Fa=7 zPslCr)$Zdqu}?Vv6;Qm;EdPXGYz;W-3$a1Ni;S>*MXF+Rb9jua` z#P_0U9RogTg96)^L#FGN4yVgxRoe-F{#3X9?7c#b>S=q*E>R+KQ;LK&OIeJsSa2lG z$sQ2GC+Iwf3pLDYrPboReK&dyG!kTKXL0T!%y(IW>*_|gJP$>^r`}5yOP=&ci0a8y zbeIxLuLop4=9~Vn9RLsjUmjTM&j+u0#!0j$a!8n$WC!}cdiK4yt-jUhzqmFhwq0=W z9ZmB#<6^A4BwbD7(QApk5o!rmcmsKAFfW%S!sS+p?oFz$yw~a$WE{Cq!u3?6t&K}D zj|_&t6y2(zsmri7#q)@~BflaX#*w2}+pi-y*{Jm9%2c)%D#)6jX;q82FY(niLaDuM zZL|#>#F48^iuJ%6G#TI>C99ki8tvHl*_NEra;T)+4e0_&%-Ty6UGA7|LtprL+}59A zYbOxvMQbuTV<_h;U(5QvslGGN&Q>WQz2-S;a3vBo>I)&C`G8|IO~OgfM~-dZQHH;R z-FXDQ`+W>{hpQt-Q#Q5FhNJSXnAp)FeH-Q!=KFvacP|&x@~&J@ixQqL$RuZRev)R)5ZtKbuckswZV<4Ue*sYd&6hG~k7R(&F;XVn&`zxj3`L zJ3k=j3gN+AA=P3mj6@xZov6Iy!B}MEQ)l`(u=Db8kIl2?67e{_^P2v|9s2u(l#fdA zv<|{r*pf>mc+5s*{F{>4VI)I+lh3k|N@di}W^&{fO}oPbQtObbvo`~XAm1MfsN_=d z>M88(1yonn|zo zcxQqxsg+QjxX1dap6r6v<(5cNL&2Lyo$bMcnDlUxrIE}GRVp&7^)N(`k%9EoWV75e z=jUVLC&^!3>6!!(mHrDYT_3-1dvC6c);>LV7yY@+uEwFF<)SLvI393!OEm5?S4~Cm zT1s}tfu)T22mfSOLn+=L6sE1@r5&an8}DqXS%}}y{C8;IRI3Ep=rXVWjPsT{S_s}7 zF`09iPr3e zd{CUV3*dSxN*KLec@=dvGxDA>M`UHTmYnxUIyE=s)o<})a;FwbDuYagLL%$TD;B)k z;U4OYg513`Z^$xV-D8ZS#6}Xo8~l7_^h=ohV3!j^`+mXXqTA!b2*0?t2k8J*LG(mb z*)Xn;h#!(%Nddn{tw1Wh&U(#2PUlIptcm43q`ifszSAr#&#%7B9pQpyQDfdXOkNMJ z@r`;@c!l=ryLI0A@&>gc8n!7>hn82$geR{^8LmEx)Az`rvn6UG-DkA*tB_%dANtCn z^f0GR`eDH{8%>O=O3+xq_OOJs)Zw&Z30Ak+I@>PJ^LA^8!+poeg$J!g8M&tr&V%+^ zowK!hp9^l<^=lNL#}#bjo>sd&kZn}(-ZS?B@o(0BW;8~ZixLr>J*IWc1bG;csnR$; zL4Lt~-y7q^&=0DBrQ(0C0dw(efDOV7L2Q+%R9~(gEu0gozxs{2zB%Gba@DOy3@{+% zVih^fM2wB^rUBbwe7ObqFv`|*-p+R>ogJ0{eQLjag8hEeQni9=+=hK7k6MUbk3UpW zknELc&ppM-PSZbk&pJA+$%yY>H>juV|BgTzp_smKemfIM$Q20D_K4AQM7)bmV$%xa zFnE;9&SBb9I6?G2I`bOimD`0x(T{R9Lmp#DoaAV3ia?e^uB6I{8ZeZ$wd7{zPP!*a z=pX$0rAcPpx;5X16^uWh+TcS_HAN+GKbFZBv<&Wh$HFfy1zMO>3i9Itw}x!G+W59Bx{E&HgSP3*oQoyYjh@mG1lZ6FU}S zRIN?moHoM_Ihn~(PQyAzypJqmaN7Sj0@diKBAE}l^@}}E=^K|dF261`9A%v5r6%CH z;mE-A)`>omR3K^r%br+bZeiZwvv@W-3g4Y6;^=tq;8tLnS0NM%;SPli3lWoPvl2-= z5kV;*3&vnC5`t1N%mdfH6#JG4qpr|+Jvd>P=;zMwB{O`=@EW(dy>d;KsEJ4_kapws z$1k1U3i+&NrDR0Z*6dXz@vTBr4)Y`5dX3t(Do7YB$sY^8WGB|I`4swWLSQqA9 zE>*H#TG9_^^ohfqvx3qw3Ub-ze! zMv6d+mp;FpH2(~b%YJ&f)(1RfE^^=#3dxwG?SgW0+V((vWNK}1%T4t8fE*YYSMyYA zA|cN$hCftX&6D{$Jmoio2Y2i~7P zTl6>CuX~Ngq48)uQbc63q{Om5z}MRsQ_<8kKRst+wdsaU-60}CD78}_cV3YgUc(HB z>1E~R=yivLgELRL>7bPCFclI#9eb6M8upjDr08Ih<%=^VXzFGAK4Jl@h@&&-NdEY+ z+&JKDSL+9yB)3%PIi(^IeXHbi%2c@#x-OBRFDP+6qEG`8AtGt!5~j=RH;!+mI!m|` z+qGTi_)<4PCp*sct7AQ+m35c|-a@{&!Fs}_+mJNM6zwhNAKlp7?eZred&oE)%$ zLHdhfv?u>7vi!00o@w<8+kIp5>yM}+AJM7}bF>DB9R#j-y6f!Aiazx9^$%|J+Z}f? z8)#nsx#GCm%%0&-v(6wiWL43A z&p7jWbBj%Lv)P%cEmwECfcfXcZ{M_E9Qw_0aqGw-XIKo_X5}D}V(`}{HU*(IzAt@- zK7Oc(q!_N9Qy;#4P1)4(Tef-2uN_dPp5q)N4SeBO2R3Nl|D;uaV}x_zq2`SXX=NQqR` zTN-RYguq7>Y{bqh$xk1}wXx@YbBhCm;fd!h(@*K^)T!EaOVkxds@!t^jqCD7H6yIV&(QNcT$SkkQDRHLZq0? z)0U}3Hy1*kZO=*9pE4DSlTPK8YTK2$HudS~IYom8Ppv7ppIxn_3H?zK-@Ol#nCFou zPA6`FQ|Eu;_hh(}Yui_4=b+Qn-IK-3#n1Es?Fm+Azh}@Qo5jUuo12Ze!OY3cXZ0YR zrA2GDqp>?>Pd;2_<`j@1CpCGe59HUZh059QB$xb)sZHj^(|!ldF|r!E$Uv|`=qwgXg6BadpswzOTQC=&A46~b|*;G zK1{6OF8|MoxQi@2-d3ss&5t8#t!o_3b%wx9XPRMFpEfym=vEE);p_7@HE@W7us{sc z^0VF)Nt@DJ5~Ora$Uv8T)Qj5xk(a0fdCBhZjaz}6fnVo$uQpvc3VgP#t7)vA-aYtk z^Kxo8-!qN>iM7#(E>DHZE-!?fOj@3`L;`S4%Mug?tb4`!UoLTYKtHlSoTYNaJtzQ!#V@Ey7 zJ$shOTV4gpR%7=^giYw4T1QBJW6Psa{8Ca{KMaL+sRmuV*>pG09%{Fnv33q8HQ^?U z_-go(m@4xc%8PC$jX=&8bB#Mxjgd~72-G_;=wi1iHaqs{^VQ z_t|oR#VdPa0P2D%R`wHMeWe5rlJ+fW?uc+WRI8ML*Qj`9W1^0Dzww3Ky=dMqaOo$$ z)!108`inY|{{cTTRGr95!dUsogwTt|m+M~T;kopvAXmN<2jE>KYy|2aPUNl8mtfi{ zg;dt^2_}!z{B?l~YGAX|%N}oCAguANvGv629 z4!m7^a{2x=PU03K6c#zn!E+Mu|NfD)w@%LKgH133&vzszk90yvvm; z>sQIs_skslt7wV!{amaK-~-9Sw(NgYy_sjc(xTL2qtAY-x%;zDgk;G0kP(AY} zk2ANJl2x=%DD}Tq&JR@XcFGa?`#anv_P62$Q%HGglM%H<853R%2-y=rd=?^9WFEH8b{#p`zKW#mKRJ{#_Y-Es!lAUO2c>-=r{PJ- znJ~Q%F?t1%L3BZqtIROO>@lll2NS5%!VRU4M98u{bgI z`}2PC!O!YjM-z?o=Kg)uohUjvq;@`$4!Tt?>+XWYf8l7Pi**b*?J3>@!8Q8oF!1&8GIjTB&YCTc<+?&7$&fZI zHFlogKg<|@k)eerWh9LLwn53ly)FJU);I*sO2{UdiHiyv5MFdT)ozWT-)HMBPZh&V z9YS%2g>~J%NXOdugU{?ZR~5E0OB+08Zr*;@Q@dcn7TT-U^+Efp;0HQ}SMo~l*=`rs zQS;*39s2czf`Iz zXo*fxAbYf8=Cey8`MZ%Ksij}_2f|M*gn4-QNmiO)4|n9dFS3At-GA2O-+ZK3qn44s zeTp_BjU(U8)5fAVgV{P+#u=VoF682{)kg8<*$%OQ^(z%e=GTLU?6U0MSs&%Wrr9Oy z#?ve6I!-DhH~JNuvBfCTBH^12!(D>ui(IC`4aSVEM9hX>hZmBsT~)oXE- zuq)BpxZ%kAJMsF6*Lw={JM^U=dm=4js^M+FP5Ekt4W_3y-)zy}Yq$GtbyFV(S<_40 zxKE&QB(P5->P)Am&l;g{tv>yNxqZG8zBeXntaonh>Y)biwV-_43{F+@9)G;E)}M2I zaNF#OAb!iR?k4Zx9i@VR9Oig!Yq>#6IY?T84}+kJT@)6%-=(Uhr$xl<>15P2hB`oa z7uoqEg#wM`&HNshl1I1B^c3oI%jEu#FaSVkrN$3?!AO3jyzD3YJPZWw2o<2FNe$;k z&E#Ksq%x7(dQ1)~7EUqV@&k2$Muj?j{MlV7?9Q@If#FqK0tpvs_f0OB_d2CZpyuvxMPYSHvzdmUg1yasTG*L2}1_H!*0MrU-_mwEQF{(8lJ_k0`+|*lFAi{Cn-CSe1mSo~c|? zbTnEMEZ9U<#GjVHD8u3BrD9CvPC50NsI=@QwUTf&!%NNStV;-Px&2 zh5?l%3TYD7$`sTe&B{o%RXL6ZsA_ZLtF6YXC}$-K20hgFcfxUYf-EFyD^8qdH0vU3 zA;xOLs7@RT&wWw|xht&f31ZnjJ2Qkz01T@+Wk9F;Nz zAwYt(&Jf{g(rx+JSI!muNPp5e_TcD^e6p%;xRAuw{9lf!kTbRkq{>5TW4o#m7E`sG zmadY8bd{~!&E;)yykC4*&!#=yPdc|bnHxBO7|RlMqdX#D@>@`Yve8wI*inv+M@MzTFe?D$Y&zCLweqa{iKR ztPu)d0tBN0GF<|0!;?Fj+43Btjys1k`1DNXpBd*v6-3SG;HfA#05j8$t}DxOyb5Ps zi8SHnm~p_A?!tBpRnF!VGJ|>w5)E8I$%0H9ITFo;zE;K5$9blkP+EcsShbpm8uOR4 zR4BTpm8tIcAtLor&=E3B%CKY?MD)Kg0LC1}6r9a}F=Vx5aP$FZryi)oSLZ8)xKQ0zj zU0PPj%0ULJM6FqcVXsHWlB*Rr(7f_9QcAF8ZNWzW1bAtIwz9BxxI$--j0iYgH#*ZP zLocQfuf3|+DjnceaX+ME8z68pB0ja;eBg$=9hHMsAR(!r!YPavg5`jsju8%=A~OpZ zw{nG2YvZ5^pfvbSM7;ourZR>s!w`H;_XG<+vT`f$%!O1QQp8QRri= z*YE$0LKs2E!jM#B64*dZ=60>%lTcgunq51_8iy*U&^~8|8bBLaL!HZZJq4)Z*&WeV zzaT&YG-&ZCAfY;6P4N*laRz<^MOcedirDie1$~7xs7`twO6olODXyoB-@4qt@XLTp z0Z+u(+jg$M@MYG4j%RC&L~-6rHE#7s_K}QWy%`NJD-MzM9Oe8R-#Z&1KGi84a6Q29 zbo57&KP6BCiAJw(TnT$Q779)!owiQ-SUYX)fJ;&L;TYr`EQ#LkK+W*zv8EMmNKI+2 z{H=V4(wzG9JH7uR4&GSbK&(5&uZX?XYfKD^+C$%%QsxFwDQRIV%X`@;p&I-cj)<=f z{b%Et-$%!2_j%Bu7a&j7CaWqun5l|G4mTUYS0`IhxFC|qSx81#m4 zbc&0u&rjl9=WW|oBF;Z8T}-_L1&mNOYd5Rf#Tfa?U3Hp??~vlah!E+G$K!~tPd;`hLT81Ej+avY$T7#sU6Fm zxP3I@;9Lc;2YB}g6jzg-L1A|hsut35Xp~{)oHa8}%@r$$%gvV0uw{ivE^sQx?MA50 zEJ=kb%{fIIinc6X2Al7mDb_p?=~uUf>)Hb+-v z1vV5Mw^Qc*%v>gs$l?ZmyhFj&NIJ&K?(}tDaI%3r3innL;fXRRN@Ec`$%rXufHvwM zq;11SiC`Z9cIyA15B?wAJ*Dx1hW6##FF{mInB!Xx+OPErO2yFWBOzo%Sk$|u32AMQ zi|M)X(Gv}w2H;w|;G=4<-Wg0m_p!r>-^R&8HK?WGmU-UG#bnp^93iA%m-|C9MYRNQ z*K>sY$fWA&L6{iOt@QO!jhf-NH|Xgjh3SivxaR@vbLD9kKPFu`pD2_2mY`B!{`8%! z$CpjPr$TU2aX~R5iKwlgb%fAIbChEDiVAd3xIk-q4vphk@uvN=R=1bCqz&#iA2+rG zK}Vx9UkOE^ji=HfV|Yf|pr+gQfCAl$PkKmBWAh2#5Hk zkC!Q7Vfe7{n8rK>*n_xGiQP&LE|F^6-JgF&(#GKc@Tx$+j;JH@6^XSa0oxMX&Z_L5 z7H)^7%OeA4C`C3XMVUle($>U%)u;xIU-Eql(1^OOaHb9dz1pD(&`=d9!aVKG#DChV zh9D7iSEm9sz-7X!xO!F4vu6$yp9cCFO!>w}l#^M3+u7grU~rhq(TG2Kp6##NhGm~4 zzw@#4ZO_!|Xm$qV=inIuQLXjp6@qmD7zu^-92|(0&lOL4x^s)0Dhwy{1h1)4NH7g{ zLPZRY6%CiY84YdEXj)O%3``p{^fn1}7HPKyg#hyq&fw!1waILxQRXYS|0;bY$|VGd zz#3YqmHnzGA)`L0y{0T%3vRTOE3%A_{>I_c?ry2b<%%eyg-lGXKC_nRuv>atN)&kd zgV~km6ntoBK2ErRH8*W`2Xo5RL6dr0iRsWy`T#92pM?ydq&aabE$+I-M1!SX41I_EH5(B!0EE9KsI%citNso% zQvR5KJk9rr={KbWo;jNlBYNb|Ngpx!{ulibvLA4YW+*PweBV!XzUw-p}1Ol>VIi@XHtS#h( z!T%VCoi?PUeu9lEF8@{Zx}vsyH=H5j&y>Og)$2?b3Kt~dH?6hv!2q9cS z$IIoqyYP_I{2KH~rk9(|(~LT@(&>bUcXv) z*BZ{c1p~tLp9{)-xeoihm5o-0er&Vkn6Y;b^z7W0$4Q@=?MivXY~`Q+e*lftYOa@> zj12Uy3nR!1hxw@705)c%4ZM%m#;O@_Y@oxI23qpTv3vr~t0xLJv?1%;#V7Iw_@lIx zvc^e$2Tj$y)&)i|i!l3JbFe}E8YDl?8Bb}J}0;mRT9x_54BW`#Gn40$j{xuo|mdY2Z+i&T0~RSDa==y zw(rvmjmvQBYJ&4#)d`AWa*}TG^iVt-2(%@GB}|vG<4ul8Jq1ZD^#sib%Jr%n^ug0x z%acx%6)TZA0qE?uuY*liAm58I@B+s{eKS`r35@Q(IksOpRzj>bsr{Ew{BaT<3GeVs>~sw-+xUsdXc&!*Rxk|ps8F?7@ZtKk_C3Q4uN#CJ(aOo@0& zEjmw!;DE~PX=7v7n&5R&D#L2US~n#ELVScz)>A6(*q`6= zNhI0~zl@9h`)_K8Si}UCE8#Fn+2mycS}FqWA01$Y%7F5p zd6Ez!CO6AcXd>@NhS@nu&X!v3O73ZXlH5l#69KaLkt7d= z;YgK@pwc`B-;#RBZsrN5v5@`Qd=Jv9WKrP9C6|;kfF9};0)Y>LWK)*xNCER4J!JqA zE#RFWv>uF!r!!$!hE?X7)dr{hbL{ZWkAXJLyJrH+N%Vt9A8&g(Uz2Q=(7s`)Vm})8 z@EJh4TBw!t2*+=^@d$aRipuyH>qHM=%9IMSKQ+RL3MjFBQn%awizyIN61uYVfiwxqJRJ(xJX6}wzQRvfCyRH+%HVUrytL}Ezv23XSwt5iFQ$zHJ z{QPMWXc=?gbK5eA$%NC4Fkhz!_OcWT2{p{rdGL#gGH)wr){vDsQE>TR(GHO%K~-B# zqB3=0>B1ESW7JeC zC3TmRCf|Q}Khz2vrnQ~h{%)>$!;a?n=^J}7oK-KQp`R(dTOr#QZ?q4FZq<=ZO&1fC zT^-Zs$zbKcsGg(j#V#7@&{o2-U!?r;?2UZSXJ6`kPZUJ%p*axsl$Og?P7sprvfAO8 zy27kF!ZGDpP2vloSk$1NVDH|h2No~ey*mDZzh;5n76gHtP1kWo?@dA9mzvRFw`nc6 zgWrOW3j-)w;Dht5Bd>doNV}c9qga!cKZCGrl}*OO4$pdvxAt?%`Y!nz^S56^E4Oae>XkJGw5O*bp+KHT10 zfxh>~g3eV?a;-?FQXdUoe)k|9FWW);Pn#A8|hN*E{LxM~_ zI}PyrVWrc6c!wRjbBxep7R{-_AcP$=qv!+&STEwLXd^uGDG8^%bQ#fNr%y5{AnF$D9rUE~!m!ULXbm7N zYDdGkMlxOwO)%R712pYzzFkr=)?z@nGYRzf0K*IHo3{N>Ai`wTAHhY8IZSptiS6&0 zM?o@EnpUu~r7)DJ@reW)##<|TYJ{LD>WTMwFP>7BW!eRLixr`WV>|b(Tmm7$k7le# z%j@ue7UWlw$}Vh<~mUMFuij>OG$?k}!B*Ri#T`2k^p z*N&lLRb2MQWKWIzYu_BfIngg$2vJ;~mQrcoJU6Weqd;uL;G?dxOzesF&5!q=dS`Gy z33jBm4{$vrXSJTE>un8bQ^_1`Y-bHT?#@Q@ukyHTftwh;4qpzVUeGAkxc^CMiM3Ao zt2!2q;%8%$4=d$t9P($DWK}KI(c={G$xYI@-vT`T7_eV+L#K)3Cpfd5Cpv_1D93Ij z0}FcE*@*QA6=_oz!|SD8>GV)a?}7uJ)#1y9{H0Jo!(8R6@gzDeLN0>!!FV>dMS1YN z>qW6%j-{M}egYmD^Q{J}i&sw$V#F|&-WD|2yhmeJ2no3EWXY~&K_>Dio8lhw!@C=~ zvvcNyZv^}a=v8fo8w(f^B83j57EKn`jL8k6H(kaRP)tNdn(yduR1gXOc#eZb4Umm7 zC-@2vQ1ib(W&5t7j#>p*WA>lofBU;{i!!f!g0EdKg;ssK&_bS1LodQ!l`X3g!&|?* zuIRF!90_Z5>?huzu5R4^ximRHq4M1YeW~R}-S^!|db1VuIq7L)_yXQKlmVZA-t5b; z?X0s-`t&yNnCZ=6%lR1bGWWS`UpC`#&Gqe)i`ZOHv6WBgLF$bT*a%!AOr{tok}MD~ zMP?RFYdk5C3?>H@ea03mlNTfir{@~a143AKxKj14Lj69w8>fAeB!n~|^Ss*v?DS}Do&v{8s==OR%sO@gC z;Y^bc$pQi8ehK=+hnm#t7e9pHrR9G5<>1jg)@tp3mIFW_9Q0&hlv^Y#*JVkrO_K5k zVH7a`#}F=JUNY*&J2jlmAye{Z6qADfuce|cVrT;jUs2!b2lCln$Z~ZRPDZ9wRC;y& zb7pSV<`Y?Nf52_g>tAqh5^;3ho-V7>HP+xUCf@#p3f@fI1y6c!#p|j|VoapFy@A|7 zHSBcE^@#h#FBhR3(>gCFwyzVzrPws-E!SX#4Tt+)t-LO$yUU^%OGA|NSBVy}E8~z~ z^5em-z7HbzToc}VO#+X~uCaUL5U1wrW@&g?m-UblFEu>M;FAzu;oI6zGeI3^116m)n$wY~p->s7scq&koN?}$` z<8cAKQbiH-v+}J=EKK<9#zOp}G?jf)C!wtG=JLfE7jYWCz#|{AXFj!@cT3%iaOyRB z``h5Tb~4gaglX1Gow#i0oM(gU5w`6e-6n)ClH=NugZ2lE{+gGUB;$S6B;dT~A+5Ts zy+kE=`#Asj{5tV6Ttv*b`fUJbqir?4%~t8WcbMtMqezwk9f~3?iP6d+hld06u$LJ_ zhGEUSK5RbTlu`S9d?T_*@U?$D&$i5FZX)<~u?W|veknyY#c?sMqtbP}=5Z#)arHi{ z`Snc1u!wKV>Vpm5zj$j;L|2g!Kl1B`O1gCm1{;C$pHVdPuahG;kUJ&PGjZ%HKgSpq z-my~;J1f~t%gzTY2e;P_47#^aw+*kywSV2&p@pWAgR#oNDu*{G0rcnLBa)wS(st~0 zc=Wh*2=Kw^1dAc&`;dwPesfR3!tb`72Y6=VbjvBxju(6}>W+vmaP2l0ul9slOUt7@ zHtbsa;!Os^Q1KJhoAtxTDGxVy2&=*p?fKd#nqlr<^bM080im~tUN=Jm6F}6v0Lrli zM`wt?^YT8Cd`emsha5i=!hkSyo*xi=4s8Y5b&nY`_`7&qw{kw9e{lnmcikOl@pfcd zRo<^$--A3SU&v+YD^dqu_^G1CCrR3$r}kxCc{j(bsbuKKn6gf9#DW^11s+fY-@4O< zXAUX2i23Ywi;~o{XgT7T1j~P(RxsLf?#ZsbHEu@>+#bwe0I!GcJ8t`Wd#+^}Dk!V! zAG9S|2lsGnbe6n2l^IILby}}G1byG6V<>J-6d8!xyvZJQ1)r82po305H{PTKv$VH_ zeb4#=2hY3S(6XN9ecvwJ`QD~L;9c~!`M#&EL)=BX(MtqDr~TL(-N$*sFCfM7l*i!U zl9UwBl~W_1`V)4p&F#sZ`7DcAFLs2H>GyCAY%sR%thkJBojx zm*QIhiBjp0KNPeY4)!+IWLMgk=1#~Pm+i${^yUUQZG*UgJoy|MhT30XV|R6G=9O7% zr{48kiS@u2r^UR}@27lS(>y3_uvppt1jXnE`=^90$fu2gsA^76zjx0Dj6|$8_zEy# zXkwmxIm6kD!+Nl+20=J5g(z)s>#$`XU0ClXSbW2=yl_2T$KE zf1bLBp{_?&$e$9jKJ)LoL?QMWeP?~l8w!dv6ME`a4FMTVuOF0&O-gI9^CzAU@wBuj)Sr8SWChr>(jVu# zUJrgxy2zz@{vq#r*?j)w0rD>LIYqL{6m-5i3TAo%=j}IPPHenw>VjLI&wY<$nKA{p zT?Cph_}*UfvUJO_L`zlqq=M73o%E!a^8HKZFk9$FBiusO1!wNq%M+2v&$p#`HscL53%r$vh$EobCRhY!-h!`s^nkFS@n7R_uyH& zkOR18FzX!Pcbfh>vb`Ug+;+W`Ls{M7w%7lzFzQo=HD?iSl+4|P@8wQhhEB6PnHA9& zUeLhNqr)_@-(HU)isC`W>x`i(AAnhl_x4~o13PVz2NlrB^u_(iYvzl`)QEeGk|FLMr)(5n$eS==BIZWb2Ir&o3U+o7Z@XP?XA&#PY?p1lm4 z-LCF^uk(mKZ(dxMzBJptWahDPWb;f{hW4k+GDN!&ulh99d6;(HEVV?z#nAKL7Q{1s z-h5dXFZ#WBW#a0CTDZUW?lCJZdMpyI3Uc4aC&mR-Y~^Hq*3$*<2|cq&fBXG*n)Uib zzF&5vXIPF;w!C&kxp-aU)gS56;#oefJ($kqT37W{xw}-~wGJ0xQg@s5sgV?sXX|ek zYNbZEf=P`WVoV0;8*>k!`c;cIA_Tkp2YN5HQjvS3=sTmO&hFJ@d23uVtFnvo5(A$! z4^5QeAVpun)i=%dqfheA?B{3VFx_{S8IIN7en0{&KVjw^cf41rVwJWtfw21&(*9r8 zgiY4khJ4*tKM>6@3;q1$$%BBFM4;r5!z41Y8G&Bw1F>&?V{ptUXnuONkz}Ax(K#;* z7^K(asnW=bqGfGfwELEHNY-EF5dGV2@bb>z-W6ptl>9m|V5RrFx^xX^_OcR%FzlDJOQAbx9{o68G-QvU#@Z%;@ zIg86DPs~L|p3ZDNLSB5o0f3HvMcGWx``&5KsE;pKdwu+a`%3#eA52w0)a$xKd=z_0 ze$tXvVm_Y);6BTt?$x~O8uu;9Rb`QV!D@abbOW4;AVb90$PB7{#BIb(+?RG43e|sJ zqRW~Gtr6|r&+4vAGlP=NLV7IS>i7gms}dqFSos2{xo&p3By(VbK3t2VbHyip0%uHi zdRZ4#jNQ?4J+l(tI=JGqR~k+vwJoc9FG}`(dva)_K=f7rmk5RYCZ$oXKzD{#*i#wB zYGRj?x`a)G*@D@yu5b>Jr3+}-i$xL6(>yLm8X90&oPwHN$oS>z zE`>usy>3Tbjlcg3*f%*S5Bq_0R(p|0zpIzaVFGmw02FEalj$IV8oTEj!{J!5{mbhl zMs}SwuZzY!h*L>J;w#EjCqmPdj>G$5(H~UI;fe{YbX4QKJ33UH?7Ck%z2E4l=5h3b zS0(m*37$Vz`|=(@JNCBBGXvTK-(-3}#Ou=k8quIgi@5B41`mXON?+Fb@<>JO`*hNB zouq*do&ot5ztUbeoO?9X^_t*4g*ecfaf&3@C%pu(ow&XTtvKhYgf1VK$qL>L&8*Ch z25L{7-5UTZ3cIdVA@W=)P9pD!;^{hdWe|rOuYr%b^Uy9K!L}j#`iy;tX#b@gj-&d6 z^N@NjJvL{V!)3mze)Cjq?c1^fcD}LU_g3=3?5Aq2h>=d0SgAVG*7qaZB@!P$4u7K# zfRe<|+ffvVsGa?y@24%r%Owp(pdk_r{HU(zyW)P&w`To#sz%aisl5uN9%1?(Us07rW1GlJ3mLxzz@l?Y4WoT(+pfN+=E{{dd zRzW;-$<5?h(em}w->dF_Qn5qbj_M^L&&>@!?MrQL$NdiR)dTug#@peiWwwZpz1|Mn zj*c4lv$5S%@YZra7?Q<$&-PS1o{dSR@lk$hYLC1-bp^Eu!UE>geP=taNjp3Aqc)EY zsU}=35YBx@J0P}ySQ5X_Rb_Z-Ud07VxfeabStm6{ly2^$`8=C$VFLjWM`4OZncU7# z3Nz)OEz3I0p8mkbU1vQ;f*`(JHdAM<{QG2su5)MgZK-KP^oHl6w2R>QZ&wf>ajxTL zug5uGyL#1gd*WH*RXS6b{DxSgH+W~C__cTVI#09#5aYzPz=~7$l0FHhk@<>eWL?q%;JJ(0dK=}=Zw2lfJzGNOn%94=7wpH9LT^`UU1??t;>9p-( z4el?EgltSJ)WGc=GKlxE^{9%JgqL!ilC)l|``oJlU4Q=6&Gfn+`cB9DW)VC;=qko@ zlf+1W|A||`_e5`d$KuN3+-mz5Cvq|4NkH4zRu6thpVjkJ&}a$y;JeTRt>)^5_%59w zLWIA4%>BGEy#g#2V*zH-gy$729o(Z8k7)&R8tP=3sQg@OJ|FK-Xi56*^s~3@|68t$jZwb?Y#8JPXd>mpDP zk|In@di?R(^RC+T{3PLyRj-`2?b zxLi)5cfP@#d+Oyx&Ql3I)-a`?dlzx7YQ9_*5ql$DpTBfZdhfhay^F#_OuN44zxabL zko@+=2{e6dcA}f%$O&OI(+ZFyyQPdQ7`>j%?t3PyH$O{UKM5puKb6Ryw#w(Bpj1BR zfj_oeM%fvFmttAUGrgbIvYzuO5kaC7e@lNStAf{pU|rukHsZJSiM4BO#CDVvgKc|R9=71Q$LrE+X z8?;$+o?>unwxm48pVl;EnWnKuv4UO&u5V}6bp>&%$Id`_^=ddmJ7gJs!(>J)^h0cF z6hiW_p5TjM2QgDHdo*2zzJ&*^(A7X70_V!8)Es}Vom`%b94cA8#CLr#0Eh8L#rIiL z)>Xxyv>S-n2V@UBpr$TXLyUOcq<{L58XGstOQIC=t7-J~7xdqm6@MW!i~>Z4*74v$ zbo%rPIPV$CHUge|qTkDi_*N;3F{F*sBzHK193e1*?Xn+dvNT(6W?+WLhabF$cPgB? zTiUNe-~MdwcirSRsC23akgO%I`8=Q2A_ZLVQdvzB^YhLEp30aqHMJlIgT4okw*&_V zez#)G5bRoemI;LdUN6bMUshEM7Ir;twe;sU`7UJ&dKeYP zR%X%>cVsT>T$WdR9~{KOpjk0w3PKk5x4xh>FP{&Hbv%VR+P<~uf``H$M!W8qe2x=r zp&wYeRt3PDz7G-T2ZKJRzK;(r1Ebb+mSFj=sC(XY_domK;ZWI|Pp@2WTideEJ5|`5 z140%O!TiD&3h{+QhKTKv49{KC9yGx|2Kn2mY-RQ(=o-s+{RKEy?))?^N(N8rdgi8K zrLL`~5)=%h*2N2zxlXxsP4u7HE)K4s;1mSH+5HH_EBu{493sobEmfzD*}VGRN=}20 zG;5=obe|wp!RRtmY*Kh=5(?Z}i)s`5hr6eoXY@*M8#jEMAF=(AU>KkyWLItWUYrkE z1)Ch2Uaxd@P(UG}>~vuSzMYKCKU)pcQJrP17oByI_}M~F(`nYQYZ5Ehh1+67$=CjJ zMaq?e>w3vvGY$PNl>hpLn7`}gBpmTSMRhN(Z@dwvG94idba5Lq%d=8dy{l4f`ed+jDEHv+^&qjGRSv)96KEKB|V>uyb_X3gv6=K{%!P+ zzQ;8wvs6`-i(IR8R&$nJy{g_-zXPexy6Tqso-dLn!lx+L)cyf>={OC`iUwF}GI;zu zjW8}YC~8s9y)CsCS4|#btTxp!2M(lq?#$=L@Y;Tb8>nbR;ez7_JlKsCbY9^Wej?Sx z1XsK5av3%NTsA=*dP8^$Sr6dNHbzCmbXSTrKj8biiT{f0n*j zVxv|hgan{#Q*$z*2gXs$ptUidy_EJo|L+f*>31Tx5Fe>Ua&DN@aPj6u5u6 z&f@86Xk-A<{A(|DiknY#9oxS2dfLA8-$((yos^Wtoi&Ru3tV6LJ}jD=T=3dBHG1#G zf?nn~3hE+6-1&kDQ6STb`~i?NghfLbEn7m_Q@ZKuBZsEJ&`LiHTl^X<$=N3OyxlDc zUml0{0zG3Q8PnDAm0QXVa!fK(%4S*^&W#5|4V%k{>gll+)H4acNleL+a{JZ%(U)J- zsB}j2tKl^m&{JEps@%mV>0jQZvrY4O&KZy*+;L(?qwel5T*A{kwqt(&J&SU@no;2P z<4fx*r9`ElMRp_ZhfTs77GSmCXKKdNPU7t?OqY40(MAC{)~WE{Rv0YFLmeH`((38L zd#qzpl1Or>08*~K;~wyzt)qd4)klOQwhx>g_)ROnDn_%qE-I>+G)Av7{u8D=6O3+$ z-|nVS^nD-u9i={EuH3P99J80)P6}St=z0^R?b}qpeaa|j%G5~$vTcfet;G!DhlvkR zK>nJDR!3So#I9tft7A%jU-n+FyFhRRuBfp&$~R`-IZ=k_baG&xr{_rYJPoldPqx zv4GBs8hmS?*Q+d_EhAe`5?!kQsFEwhS|>AkZ|CqaS76^_4;c78pXTZ!uEHSn(!Y~z z(cNG5@!}LxYQmrxDcGg7Wbo~@*Ve*FRI7&sTuAD=vA-{Cxdrg$&|B4%_L&)kmN(Yz zC+jkX!#k+^Hnroc4+pB;*wER)i9-9GYpDz$QxH312*b&dQad#Al`a@VSEG(%hgGem zPXOT8BR8vb1)TZLkjqGse{zeN5)!7K$VR>WsS&xJBQy0J4bX{K&M&K!WH(}u#9hHN z5=wD1_r|BuilWsdCed)&D$$Z6yaWumFY@KCktPk7i<0xf2U3qpabyz=fTmFQdUrSO zz-h;>4QXf=6KK(}8Mm`p0-n18ebLDOM@j?<{4G|)rWNK(lnMW!fkvwB15j_}x@v$^ z%hc)b&CBLAOa@qHuv&;EI zLD#R;+R)##P- zKNICXQJZgc?gtJ?G;Afx&b`w%#@X6Y*i9k@)CyT*rNYG+rBK)>xeY90 zFv{YLqkck7d@mz2Gugh?QSg4<+LT6e0Yb!@A~z;xAi?zKGVy&%ImbgJMlpXTpsuKy zzS6CV*91&t!f|hdE}ae2J-Wl@A$fp-8Dz63GKq-;awcIvtVwP9IgzGcHr36;`gcOR z(2zQD!mpPVmxLOWIf>Y^Ph|@8S0cJf357RZpKYpo8AcB#jVru zumFPfNK?&^Ob(3zZc^KcS?SHLoOsv!p7>@-x$?gD1_>O3v~NPn3_rz;8^|Kq1b3>` z5Y0Q=mCR${h2>z_-w^~VKMb>8?^Geb2UPS z=NrxP{E>Vd_6_J3>z)#=;dE?9Z}=Kkg8+b!_3suarBb!;J^UqkOhXm(y7y>VR9IiRLM^)G8^AWFXRAy`a5RUkEpi_5kaR_Fbh=^J_+1Y_uc3G zBq7v(MkK8Ha(S0!xT%YZwdQ(kcM9Q+$qC%mkg?PVO6Qgj6DHa#?X{*tq#QO?-`iUn z>>DC}kBx(O7CJQpm!+68UzY@51NS?ha=k+TCA$AQfaj1?a6ug~m_jAtJz=$yy^_aO zk{1V2U}I4u;crQXoP>uQb_zWH7q{RhfyT@Ed8e`jO%47uR~cDGPbfY%x$AgWqUy&W zb}~{E7%aGLk8-=v8m=Ar`YPv#s7ttFBt2rYT8D^TXM5*pxlU?5e}S&*_Qn-+jz>gt zSc{-m;YbXCQ4Ag)il^^QNEhFI=IULO+`V}bk{;gh`x`O~_|&q7w$Hn=EH^S4wL6QW z#I)zcMgay%>ZOv}=e14Rn8r;w*)CGtw~d##QtLf#YgMiUWs#b{Vai6Cz-NM<4<|{J z=V!rK|9!CFKXw_c2`8m;aLm^~(kA31wdz;sd;OhR!t-z+XVTW@JD0tZ{+B+rkBVsZmS*O2cniI-Se<$H z=i=|c-6#3Br-}LuW7tblHW94fV_vpTO5`OHR=+i&Lwp#GJxBa1bVvY0(tycKG2D-A zq&}-2Aaey3NT9KW_kb&|!tAp~-{r980$)Vd>!Pp6Q*QZa^b5IsZK zzgchON!6TRD!b&exPv||kmviZ3@74Mh4={_C7#3s*sumhoeyaKodzy2I z>ISfMO&+mwhEh6kMWx>T&2epskHNA^p_x94QC$tc(0f-^UZGWkG=|}Fu+IZnN8k+S zq0e?n=rpmME>LB7TD|n;_Pu(03?Vib`;DlN63KhyJZEWU28&}AyHI?YSK&JQ{RnhH z%v6CE1C3J+oHVEoA_>Z*V~lO^Hgrf*Y!RtWhj?r;tZD&g|7;i_A91?yT@)Mj`Kg#6 z2T6n;Z?cc8CtjNWX~jE64i&pe&9jz9=gXb9%elq3(Yn_Pe=pbnD#0T1U#%Ch_=&89 zd5mOIr1Yzvozcq>K(9<>2*{RH&pI)tyc+L)LA~dQdO7HP2J2d8K`D^X1?`Z*)j2T; z@*zV-We+``0gpv7E+>=_$d(z?P-G0;uZgNl@OFT=UDx_6l z0oXC#_X2pGQ*y}P6OQ<>C)CrCz%^dJ2|S0sUDpt2Arg`*p~(kHkm_Ol##4jQ6hE!v z@HM)&JLkGIRb50NdLBm8VTtNNFh`8O2fo&Lzi=S3l%2ap;d)6?~b z52<{WNMmI|h;Mby&0KPFGjpePK}(+drBh?W{QU|F>xr~alJlt6r zi>>L4l2JxS4IO`GOHP-HD$_@~IBUs$)tdiVC`@8cyK0BOs%-@*BW1MSl>Euj`}YUF z`r8uOP2C(c0Qe`3YsQ9)b%rMjAeNepYj>Nu$FME*JrFA)WTKY_t3E_w%9%Y1&Xvd} zQoDD=Va9&GMy7fd7Ek|!#$%h}grnL5eoJb3DL!V-#1B+x7_)M&X!^z6P8E0~e4GWp z57nF5700fkPXKEz?T;(BDXW8~g)3$Il^Ks!Oq~}O!I7hyR~4ABo41fbv3je&)dy)A z85wEmApPQm`T?9E!gmEqcp>8^ikAF%5^VUJZU2^MY>wOdj?SYbbu6eb?omKv%72Ok zs;_c3CbTvF$i{}Y7BOZGV^Aul`6`stFpmX|J-3QzS&j|;F-AZkZMhmr4`mun$w_Y& z-%U~pZ$oT^a~)6_?z*cse^ot04#!Ne`A{#}*0Imh9x@Ka_+E!h3)!w;FTMuN3CTNK z`~XV3mvf4$&+k@)P}%oB0g*G8 zRryeal;k8}pwgy_VKdp(7L69^(GNA1df@LUx1bZ*kB67MGcv7^(;?=Z$#~U&xIg-o znR3Ni85D%pAtzyb{M0`oSb$9aghWuxlTJ}N`7^@!!KH$$V13+kD&~GOo)s0%_Wx@B z9eM+E3MabI%S!(nvcrT@v@|y8#~J$hv+r1A+S7KI@2=&NSYuB$uok{8k|cyz?T2Nb zo-(q3fx-nfMvW>w671I${HW#kMSt*&)FMmvE(!K#bZQsU5$v0=Nd%z=1j4$9HZlY z`6>*z7LfVTd9RH;k;rRu_?R437?$1%w{OkDlped1VZqRxv~oyYUeMwoxYb7W12l1J zoHcYf$mU-g{q#|>;DM-fet;i-Q|KyfE#u4tt1I6_Cf_klE>P{|d56~`F9C%tRlk*D zIr*)W^Saq?PgH2^AMS`Q@-Y4;NVb+kwh)FBbrS7Vg{6ka6prA{$-#hvA}7JnuX8u5 z!Lj*puaAHV!(MDprqEPqV!>v0y|)}0;agkZ!PETk_-mAEaZ85`ge8P=2Y|HTg9sz3 z!zn2#jff%ED2f;Idvj_h3Qfo@^6xeRzBT7b!nWg#@mtFUf+QkI^`8Zn2?OLh42=b6 z=6a&`dY+`KskHT+s?w#H?=4`_J}`$O3n6|4?z^KXSy(iRn2+Y7a})n2xm8VbEnhb3 z_Vz_qm7?M?reAhr&;dy_t=r$3FcRMbjKT`EFLu3!Ry6fhA@HWSvcTk=`18hBlpebn3MTG^UY~kAPdueVBhr?UelC`_A%`W+ z^{#)*h~y%+f&=Z~Hu1PrY}KN%Xp_K4`a=UrYvo|e*7m4@AIMxZG!Y?NMlrdCbeotK zkB*VOyICV+1q#Pv8R~2;pRe|I1>4)Nb}Uqjq@pWyJxdKg(CL1Fd^UJUu=Z5*CWl0{RKxC#!ejLQ9 zEx#6S1shBPR1?Y84y@HO+s;rOj($Lt_r1l9oA*DRcV6JI3qtt5}-7LJg|59>*{MLfvA`i2%$59ZXGn zCDM4H0hSMztNR2E2Z<~G1aKq9_(r*DDsssF0X7CNU)?4z?@ko=yr`Br`!%7G1;$vF zKJb1G%pMA}r#+s7{|fw`Q<*c33T>u#gITz^rB_~5zSmQJIBBhWs=K7sQVZ^%-(@Pd z(m5_4NK@@v!_T~)$%O35%mn`RP}9lD$uZ2ZLT>!I2}dpkX>}I_kz&X>V&C%;#bYgkNP7`iEUn4s zGxAd4@lJhJB<0<*?XN#Jcu%5NMWwfkqy2bk)z{@o6r>#v_Ox0_OKb|)+(thL%ex**^$+3nuly?W=9nRBxwJR1(V$N5cax8 zOpBF68z@paM3^8+YpzD*F`0YXE20y%CLC+D_R)64h zpVia^stv&k;TrTC_mV7xG3++z6kloJy>64QHKK#q_J^a-Z$=K2JsSxsPpp_Oh#=e_ z)(8lnDu1r;0C$U9?STynKgBo{nl---*;jl)B6;&wgiuC*K#1XxKDvMaBV@8+Zy8m~T1mx1;cs(nqGvEX|)&02HFpv|eTc#x2xgfIi( zHC#hoyKXJe_ssPtIsp}?^B zY;$&)T_9di#EdKoLmmv-f&h6iWc>|EyAMSAZsU+&OMLWe&V&kWwe42rG<+@1aw{>! zu*kZE`<;#d4_j{;7iHJA4-ehlDV@>{(gV^t)X?2sibyvi(lCI)07G|&G%6+CB`GN& zAPxV~`?~Jud4BJE&U~3qv)8%TUU96ok0p~0u5Pm3fi5W|&8dL1&zp9Hig5RuB9wpZ;vpGandkq)0{yQ3t7S3z>FJe1CYa>R8OmVFgBcD6XR#4#x_lFP$ffg0 zWV2RbIvOJzazKVlMBo|$zih(W1&1IeELJXHORl|b?mTh++8X$k^VVDq9yjdus}kb| zg@t|(l)RsoA1F4-M*$sZ+clXeB!FT@Hrm#7R{()igs?Ss4CMq&#{=?(eVc2!-1y+V zfXrU;S>(n+O8?4h2K;ixN489a8#KBVhd;vCnE%yeL^vtJ zNg$*UeLEi2+j8WR%(?_cyMVZjSm&2K#()u(;4@||B@44p3<(yP!vR^NEfibNhkHg0 zO&(0^YH$2JtMzgaZB=p%hB@Z-EC9c;mVb1Yl0^%bbso&HSa?&)%*7{y5hmC3R;W^mgCV1>tidrqv$#0Ywp}ybKkx zu&T8TUMp%K>9wc_EqPq--z?{EE_^)#{2NcrNw_!k+t|JyvU^za;>jjUQ_&ZpPf4=L3kc|1pe#kcFa&P1!TG4#Z5RV8ClC4VY$0}v_=qtvLq+=vg+@6B zfpr`oiXaTXF+^kV4i>sZzF8#d32ej4M;c`BZ>LFAZ(lQg2wxjoK4?G-drKb~5t5Iw z#42jjp-DgMuG112e9W~jBGe$%+(_;tW`P?D)}J2cC6$cNoJ5)nW&W<(^MrPd?4j4* z0FS;UBd(W_Hx%In0`N#&0WQAt`#-dP8(&>p6lH7MeVB#V!(}JFi4ETKKP*{Pou}IJ z>*uShHyu<(o@J{kJdie|@mQ?)F2I?PndqMq%84^YVOzG+&?_g`3*taLKq|~9BEl{GmefVm07`N|whUS;`U~89)YFqtg|k1EVae$KUt6}~ zGZI*6*6p zGc9?%*DMy>;XLSlR}6ony(qZk@C}Dk-3z^hqrE2{+s%>s6-|w=CT+TeLrggZxA${3 z>VIi)+kNv^Dj?=`Wt2oe7Mfk2^DJE329HI}*)ob&sWXn&6Ckqb6~&9wl!G*khJIc! zfOjGT0d0IH;)oFJ&u(QjN0}ct8V!A5KWzsyDAA+$DmS+Aqp(Jdt6L}C+R2F)-qZTS zUPMOq3Dzb~W&&pr9ZLbk0A!V1B@u@9w38vk{n8hPYag0y&g&j;GDe3{R1zbqJe_QR z3jdmu$h(uFceE8OL~lQ}kSnQ{;0{IrrW-bshP-thl1=Wssm z-xDQb=y2jEcR}w>aG8;@*=AOB>QoE^aCDS?c>tG~(qGVxVs1~&gctNNAM`D&qd#s) zMc3<+^2JnBf@-@7d+E%OjnL^ty}HZjYZLZY94iKB=~Fm1IQ!2-#O)|ceesuvmr8vG zJ2mFk?dm=zIcbfdqf=^8asUw7j?Lf8&`%(trmbKc#TeCge3IOuTo8TOx)cb0(fS*7 zXM94{eG&~7q1Hi@pYh^L?j>!G?!^q4x0t>?KB?+{Ft;Ebt&H zBK-BmMaotQ?5rQ&N6-U`MJJ|0k~#D=Xm?zvm-$_U$fgK0zI}JPv|W__LO#2yJN;UPLC_#eDx%JYx@#?o@4J`v z1nBhnjHTjiK0GO?h#r9Q@D3R=CB@?57p$_!qSb(@33yg#I3YSA1ATP3n@TBrSp7V8 zNBMG%mPQM!BF7S7Jj-rgxj?Lt^0;(s#~(f6^uw<7M<9-%TvkCjfcUB%?#Mxg?- z35)gWU-Z05hHH6bY=b{*Q1AqUXUg7_FPAHqzLpASXnBzl*8>Pe(+H^e`0M`r)J;;p z4iUY>)|jt}lIeX|g_7;Fn4V%9z}NOK7KSo6+5lpFM?qqUjA3{jz!cqe(LEv`-67kxeh&Fo9QMd=)ktTQ3G=)D?-UJdT*(4BGf6rIIP7zq1x| z`{?55%eK;uuMt@G#6`!B!={jL*HjrX>~4?IVDZ`Qsf}e9c~0);*6`1okzAfPsuqJpR$=|w>hIpq*^gHnDdw>Trj48gpbN&y zy1THqC41!vVP0I-O9a3Fr3UXi%tJ!Mr55!7$RsmSQBmb;*z=O(Ygg%K!*j6A%+gsW zEG#TlRaH(-&U({6ocKQ;i(Y+-7gNA?jKu%;!{i4C4WmRV-s?_!U{1Kf#X#_sygbY~u!@noovgQK@d?F(j8Mlvk?k`nGh+oI* zNCuClhQ^xDw7R#q_h@H(J4ZIlO6H&L7MebADU!l#VL9%KG%k}hP5oFl3;PGFF!v$F zHFLY1x7f@-C^Ilwa#f<`kQiv|Z?@LjN}@A(ifBH3)Em>2s6E;e!y==(S?r`%!q!ib zZ72vUw&{-!N?#gjv&|rUR;fUpFBXete|FDYX;{ntnfQ^1yE*)x%Z|q`y$Rg`Ntcoc z;eZQyYl1#s2Dv_R0~gZ<;qV(hQjrDHENZdVXC6^NWIg~s4Kg9$S<811T|5G_Ku{@E zP{~yIf!TzAfKKm-Bbx{Iqxnu`}Xn?FZX`QR^UDn)7-(FPNza z$Ll+9yTf>QZsLvPuxFN9#Xd{iy|O`BMzyGo;x7*JJ<4uPn^&2@#+eBbwiNCOO7J7P zRF1$Y?P&@cX$GNKU}@y+DH;`*KNS!USYRob0kLH0L3=?J_~Id$GL$N^D0C>r5Kyq{ z@tiupxh792m(2H0Tyl$|>LSwD${bKY!G-fbL^$yF9G!#HjeY>PX}cgp-fBGHBQ5JeZVvGhnWVzqB*MB@Vn9GGBc`dLq@w&rv>PZCxK*=Q&eC@J<$``WzgJBA^uR(6|b}hxL&#W`#U$$Z3gc zF%CL8h39H{jn*#^mr90K(Sc4I7F|pFwS`zkRvG6%SF*zBjtG{Hg+rQ}nsRy4Xk5ic zJG;8Nf}bA!I=JB1(UAU7Q2O(h(O0P+d_Z(rT>9LFKRpW!2&UwVd#6(!u=Lt}OTx)%iX8tTu4Qt&V2Vl`=<-{qH*YFM~+rk@+{|t0J z&~kbq?7|XfYZbs z;HA2(kw{g4q4T?HwGvODSVh*M7?Xc~zVhUS;+j&%C&+xBK5?_0zc-xU$r&5j;b|ey zIy9AUhFq9WBtEa5L?lv!ZmTn7hM^Yy`N6v=vL)PE-s#UXOrPy1MMG{!vsuA)>lNSq8ko6jVgLU;3#tg-`R8oP6FOVE=XFB*e~vPt2u zTtpdcjhx}V$1ZVVwNVt;o1TCAN&41goN?%slXH3g99W}~W`g==H*MmfpBN%^e{PZC zDpL#mkm6L_Q9g^V;AQ@HL2ZXGV0(uCTB4ydGqsIa8lnkg#;G920Q;2^#LY}HoDd2dY*TH!ctoIVe7!g^XKOR_;sSLlIv z1Y_8uhse;oFi^@@MSUhdxGOl+>J|8eHD1=Uuuuc+7__kyA2uG`$-+3DEnGCU38R!H z$p2)lj#NIeq=Z1M&0BKtL*2+6=qPP^1~=B+%OUjvhFA+V(NySzY~26UQ{P}Rv_IyD zyV!_PXyU`~()Zv$y90fz! z9j&D2kRNgB9P*ytyq9Zr)``EzB_&NbI0U&=z6qrw;#6i22${(9Sr&|^SyAxcycaAD zmAJC}jhIdmSCHV{h!XN!dO|5%DO*bj?udL#DV2O($1h)xKuLbdY3oQ0kua~0VYzZ# z!PuomTgqRj;S5VN1D?7cmDktD5`CPq*A<_t2YAE165AoNss9sd|3+0#h8JSk;uPhS z%tJ>fN#VuNKdLHJ1P?@FiS(xW&;bGx@oD--9}qGmDr~>;Re!X8o8}-~G-EbKbA>ab zD6jD;KEZFBnb`4T=iu4-P?NgAb5qZk2CXKc40>r8Z*7^i2aOZ~sST?XbaqVi4ygXK z+DMe|APP1Fhy?h(ZOewe$TIrBjF4tc)E&4#l(pAfjRtvL^1jiV_pugU$zb;h@zaA2 z+cR!6K;C?x75NtVHMfq?%y7Fil%^*p$*-Z>`{xN)nEr>SFy?>vDJ-ZP&mu7J{#J7c z)t(izF9Dt;!sSsW(gA7=cs8Y13#OV5gj}^J=tqj@x|CRF4KqUvYxELz2j`oKSO5mo zRni9^+dfn$YDn-u?Rh?n`c9i#qa?M3P+gfu5fw^7?ZyBgmKX5R7lD&KAt;8D;J3<6 zn0)0ladcu5ZoKz_`JI0GqDhVYn}i{k1IK%?n9_vws2sfUbxY2t@_tq@B4Gra-Bc{1 z`%gF&F)w1o(bx6%uG;$rfx4z9(g%E1gkEh=)u3oVHC4utIr z!d#{%*q|Ons_x>gf4^#0P>=OZKaP2%d^#o&1Z2DRb0lG0`Fb){;Uc5{Zngkp;Av#b^6s$s_yiKf4G6OKN0+CVz8-VlI9{VE=Z^)QD6z zk@1*yUd|cgJ(F5Fxf(HD{u68@^^VzjySd@^491hyNUO@?KQa)w$JF}QDm$sE03m{H z!zy06y>W&UP|0k~i_u3q+Sdcy!=xhz*%En{+NrKxYD0T&Xl2%0?(j*_8j9WFuOs?m z77Q}?zh<<0v8VKwfuAhamxF6Pox6aBAzXxBRV!Me2OJe6EKKm2Ar%X6j8J2UHM-9r zr2bic;GM8t53!=G!?TclmAC6&{@L911gYc7JxT~=WQd%bEdGm?;^tHc5p*)dN*Mq3 zuoUppMS4a?nhrdGbZuFN$CF-OUY3@jG4Q}@=Gf16J%Wnp&qWa2ICE#oSXEuyF(~3bYP=*#e4Tv3bihMM>aqR9<4zhw zDjX8UKz>tW_)iC8?aS7HOAZ1WQIGHG#%{4&udJ=D;i>eWwCa9N?4s6FlZkXLN#d;#escak<3U!8*uu-m7nHyKT@mVa24S40o@XB0d_7y(#h7tmE}+Ej)CE#uORiC&VRkE+179x=O?ohShian z)WPrXW7Fdy+WG1XD!LRw^%v9+pM&(MlvO@9lwwrPdF$s`4yqPwP5wH`{h{lap1kd? zH2Z!QFNo3X=c25w5l;zb8l*px_@l!Lzv6BDCvQ(PGx5#SO|NGHYqpQSUa@J#)S*@) z=$7pY=8ct*);gnJ{r=4LROOEv!x@e>4ly|U1)Yft%EEFjpTJiRb)e6jQ+fK*+i+Df zA_I;M*D9Wl2b)n=eXzZY`E<|Z3fS|!e^DjRM;H%M`*-$0?fk;hlDPNo=)eH5W3_tz zFe{1c{Z>$ScT>~szE9E1Y>%zKWl8ixe2wNIa10+{ck;bc7O9OY>#b*2rJ~@b{}xT6 zH(x0eX0EzEnTRItXzee;Ej?;OHM%)K!*SA-LK19Tor}z?U7`SjDNo|MjIcm_Xw9Kl z#ZjwRfva8%LdLD-(pT^po0qY;bvIu3NLb(y$v=s+`3feDb=hlU8juEpX*tt{d0!VCizHwn(O=GPykgjgqzc_rkOsw9m<51W~2R|D6$e zq@MX2uA|o0^38Iua{q~Om6Ic~Vt;wPdwu=rP~lW-bh^jAQwHb<&wS>kwaS&X zENjX!&&0%cijX=4kP@ffJ1>TR&mD`jPjQw)LNFUGYMFOyv+DRUb znyi`ShV#1&l-DoxgRV%2OnCUN=`3s8i5XoePb@L~tEPV+c%?4as{DC%7?&uDXX2f` z17I*lFqM4yUqlff-nqnVOm{?4*)&S0)5VcmCG<72CHeW*u@*@&Y^t>?aADBDe)?_P zR@HzKzSUF;-?9FLbYzZtI#K>_`+bUwdvxi2tDgJY(; zo5nVbkpPheYh=|6%BCkzs8ufP>sZ2epcY#`SuWwE+SVAFMg9eK;_;D!ROwIo{NIJQ z68yz*4Vy3RIs^45w}z|6?%g>Y9fRJ7_yA=SKgBxF zh_@Uf@qmpKU1TYhiH2p0Lr}l~BuX%SV@T-Os57Qk@n9;;w%k;^O>Ay|!+9oBztc6ok&lh@&c2QQf4xR+m8FLOB++_U9nRPg9(e>ak1bw@RD zv)gUz^wjHS&q3XvbmmjEE&Ju%#_#Z_hzZr)i`<)^aEGoB%1WbnM3-jYPsB~;8EeXP|i+%`08C4fe#k%pl%B? zNJnDivH;kjCdZa52Ub8psXOKqrIUQ7*5rHMW`oj!4AcKfT@LAjn9kU(j;VN7fYQ%F z`*b9S&xPa4A2w7_#ku`$I7_y`g>{%{cWfM_`vl`F~3=qE#M{JCEaRlW4h%38VOB>`PY;%#2p9~`z~fT zIXAJ@!I74l-6PvV^;O;gC;Ei5oofz66dksC_1!u^&pWqf(0Tnnlb@kF9(k-e+ksq0 zazc|2XESO<>R4GX6!!cA03hpXsANcs<3*rRqtLKupUu>ztUG-h{A!OYAu^?(Y#fe! z??;(Cv5OI#RIRVj*O8Dh8_H;Jm{?bfua>rY=v#u(BYip`fto%S<54_jed03m8hIk~ zGTYWf9PU^a2)V9(SPNZB2Kh%7uO9w2FL2%t9;Cn0piT|!Y6d{{4HxAg?XP5<%cFy zs>xc#H%mK_d2LFf49YqLLy(M#UGJMuk8%O~FNGiP$fmI#NuIsc@~kk*i_Y)C7Ph!} zb;rW*FM`YP!Q(%YxDmhOgO_mW%*|xK!a0I#qb)Qx7mCuA2nYnG-7pX#h$Elb?M+%I z>wn}#$L(SiX$V`fDu~&ZF=^;QGU&%;C5g->iE4ThMrbTMl-+iGBB6TJy`*L36kL+< z=DwFwvy$0Mp;t)+nNJV9^HW}z#aA7+c!KP_*c9*ynXgWbhh}w5x%4XSdmJbaW6l!7 z&<^7jxCb_(7cv#L@KY*ff7n)_H_tMi6_0%fx z(kjr^M&drU*QE6cW?}U*TSNgJ7qtQHq9}}e6U(d`2Mo*AK9;N!xz{}}Wx)U5 zl@g0)uzfEgw>F(XYnpMiQL0+sJ125Sqs5H_0??b^%g~in1PgJ8_u4)~F2%LqpBwl9 zu^B|xV%N<3oE8N1L%M58>0-J6T9apM0?;*p`aZoE7-MkIMPWeOW)$?Pq;dwjScKVHexq zUwA`m*)_^}tuUE*pB619#jMJxPgUIbK*E*Uj>$>XF>0Eiv?|oDOp_%*sO|^U=lB3p zrOs=kCC;S(6iHf>78VvJ!1GQ*i7BX{B!8ML+#IA)wBYUUN}9yxZcBcCEy?xVYF17Qvgj zonyTSBdD;fM?FMSr?fXZ68>Oqp;_uVsMTRU07IU=IlS;rs z7CSqv={&zJaFoC}3&r{?M!t;ESs}_Y8QRF~8KW>?t8GHLY1T34Go=u&o9_$C;2m0z zon{AY{XntH*}`J!&a`*&AGC-oN}qGh&nw!Wwihs$j;L2`@S4r z1vAIa-dFw1GgPtMa;>jrPepNV>7TI3uU7a^;c4SD(|hZic{p|-abmk|t{*9h%qSE) z6=x#-pp)*v@&VqRM^cu)b1rKX0Z1&j9M;^#vz45QOBrb^4$u*LD%pQ_TlO1+Ze+S~ z&_ZXn_w=%$EvqusRfWyj-pr)GH1@gfK-@JV$nAY+W%`qih+Mf(xCE*0TFU)eTjl5t zRoza{M14+1$FiayPhNH)>kH#Wx7{kArfjz`*Wy815KU5|;KNhP)zg`_zW?LXQ+svR zkXjHglMLM?Pzg~eR*51`7}=PY>r|MyBHtHlwo1{zqV&PgWuBxN9N)Yg*?ugyT$Qj| zL%OQci-|&3s$IzfVlRxrAWfDbQl|@Lk`EdkKMZ`zT)#n(RirxgT>s?A?``@+{D)c} zPM+kC&UcxRD!`xT9kGpTYlwrDFzddZuHZ=AbLPX~0wuQZlY+5By{QB*NYvxwUonBE zK~}h)DW}}JBx{Lv+t z5$2$*PoV+r2yxoN>cB_0T^=v&XP*y2n8`2qA#U?k!efMM*JWRRxYbEWHcdziaXog5 zNjBPO4W{ejYeTppdLl2MMzuFSm8w|T=_rT{MST&_Z}@SreGF^MW{ORM@-f;n}pRYkqr9UFO^e1ltlEZhSWe<9i z(ZF|meT@^gd{>`|=Ng@MwP7~8Y!#S4{Oew}DGVp$&guL3sKiUmarsqcVWI^`0sX2- z!JkbX$C{k%2$Tt@)8=waruVe6>p}}DMcD}#C!C1ljYj!yAe6Oa2F%X847%xh4LHe3 z3MC9)@q~%R z4`^-3Pcg{d3FsA7%XSaiZis-?J{N6rhJ7xUBjlpxIMb8g`mNyfU_5DcG7D@p8Cgh9 zRehX!vt3#v>Bb6+la_ZY)w6>TPO@emx7pp%o4?68h<|2qPXoS)X>{waa0K(t{fhTo z@UI^^9e57Wg%0NN&36xk5>86l(!S9_Su#?{j-$c3^KF;o@VDXMUXSjX6M1;FyWK%0xm5nImXXJPUGmt_Qn?T6<`Odk zQdkYloMG3DCx1s(VRRG9CN)hZU5YDXkFBb(P*Qsvk|_@3KP_th8YX1w$ijEqr`ia* zsM+xr1^?<(`(^6R6_#w0|p9N}aRX<*9r}z4OD~@?!CE4@`Oq#j5qZ7<$d}P7ACfz%( zN%&mipE@8161pX)mY=YA9*k*ZGeq7|;KK%MF^Q~jh4 zHi`Kq|9y>CYH=!Tb2ATtN-4Y~HkOdXv=*j)5ukP zxE>ez4aM0CF1TJz5sNg6Z-E`mJR_33i-lLGdR_ud9j!C@b(}i>d9-T46u-QeQrcPttJs}1L9*!2QbP!0eBs8HZO8x3L%UeJ zd!spJF@tjjDu^VZlR$j{q_(fa7#Pi>GN6To>Frcd$&oDYScgK|cjbh1B$`VCrx|!af@T^LX-tIcTWwmQ}wQDPBoO{Nb%PzQ@l=eM=i3i!cH6LvT{dmK# zOMli2V8nf@i^Gc6**w1yG9@EmR+K@pky%v3sM5xY(gHutS|+{XYH#GYj+FW;S2ZCW zJ|9u7HutuC_Yeyh+00%P9ofamX+D4IbZBSzG$~oU!g?E1!Zwg`aR~w97 z_=0kkQl9Cbpaq}|WFBI&BYN5VAG<>dw>vVan8=7pRfP~12n&lk-WRi8vNV>d6O-Cj zIu0*k$kdd&;}#c1d%;Vh4y94z4hM~R5N?{yDvK2^t7ctjD(TzQgN(pfhvcFxZgt9F z?J06~A8lx?W005ZM={2L1kBaa0bXqP#>TL(Az#`3#!E=wnv~*)l5z{-dsii2Pp?~L z$Ko-D>lWa2O1-7PxO>^^$uUV%;q`aXjQB=W+|(*S z_Ts~U?Kj21#DoYY!yCHm*^nMiMc!#j_o1(CQ$jFF#0}TS6)V zil7id64Mxef4aBh6mrU5?^uq8rmAti{i%!!BA+?hbmIc!c;f`0{R7cpX8(*;9*u>VqrjLkES~JfrJm}ydh8Q@=IjKMx7a5?*HH7=MNEcuj0C513l4X0R@ABeQ>D_$Defr7%>k2TJ4)oGiH@(L9U+zk6%e3IuKad zUXm*V-;nm+`Uc}NsHLW*|AZfvx`G8drpDdszw&~wILh3>6NMs`o3I*zvVAD#=lgg2 zUN)?DG8E6QC6?|@6}ypEtup*^>dyq~TN>AO_+#BP^$5LR<;1xifC$OjDZqPq99|5@ z-G@!BdXAH5ksYi_y30P=8#Op2{%=Q1NThCEOUH@`=lfgJ0w9KJR(xjycz>2m?)V=^ zbMsaz#R!jV_TBS(oupCKloroB)ySP2OseA| zi4;|=@q1PgR60>?j7tz5hJd{c?$oz~Pl!>?xxcZttPojZYcMG#1=STe#RhPIR33iW zv?3bCgVgjTP?~rRpbI{QE`-jj2z;^m^;U@4>cV`0EO&N+iO)~Z(nh)r=%1`8lJNQG zb3F!?WVK`)D?Ii;E4C=2ckYjrXFt0Qge)>aVDW5RFi>t+MB+0gI8I>o6vNiri7 zeX3JdDy|&1*W%_!UU3@X!o4j9Gzb|={WGg2e#NR?zncf8onFw zncF~)+tZ2LRDfzK^B^@+(rm)0Z=Uf+vn32Wa?I6Q@<+qcBn=DdgY$~$D3*1;N_R9b zO5`|~!tnT*nkzPH^hT%qKj|P<8*s45fIJPNq)?by)Srv{D*fm5;rwXYkb?>mGz?Wb zwjTrw8@`e*#?+g9SGhD5_NA45(uX;qG$0JtcLU*PGK`+l@_c$WG>I6MDM;{Ct=m*U zsxZJSH}-{_C|jX7H+MY}OBE^dIERKLWC#cLfY)UQqQgduZ zk0_Yj%ZXUphIj#!Qd!4>PxVO(-jIP4_gN^~_+WJrmapi2k;U^e1r2-n;2Kfuhw-=5 zP!xvSx8j6Stz14mCQNQvtT9paERvL;9rah;g^8ul|7=1?Qe-6#8Lqlu%3|eyK&`Nx zOFrr1JMx48IoXsrQ&AGkenco0Va&F(3X?@d7cUTz(d5k9&s(JSviTpRBr)9FDVfo6l+V#p_h4WyaDiSbOM66rQ>I_oouUF! z@!R3lGqJ;g!mei8St?y7kkxx%UFbga-Kh(*xuD$sNBV+F-sXD;mx3uRY6|l>kgip! z)(T5Oq%Y~}i3l3;n}1Xi`>#U)^_&<)O{KzONryg#Rn+)kkka9}Q6^M*mW81ZrNRUW z#&`wgBj;);lJdv!y9x8)pZFN_SX%rR18jm6?so2W76$0cx#Y-m_E;ll(m;a@-2LMZ z*I?wN!X1Wn#Y0*pwx>9g!f3aOt546I#D#a`BTSM?(88-G7T-Y}0!H=6zBZ)ButbqQ z>v8ma0xcQ89aHc6hMT84ApI4kU<7f)OyQf)Gz<7MEsjt8tF1mD7e5AAt)+jO#ApeI z2t^q{kAcNo5}FeAJMd}5v}K(C6I0;8rK3|pd<;R>ywOo%mrso&W)y+9}o7gK<<}(&ZyEATUcY2Qeea2O^v~SqTpizl-j)LI%zQr~AYpEMO0u z3_njDec4~kH6NFF$~A#~y(y##pMjgW67k!L0jDIA#G!-Lwpfx3ES6J1LETr`C2`|N zK9hQ*IvuB!B9bNq%u~f$t+42|slJ9X$H`7LB7!Q(?`~H)*uKVz#JL|@i!@^$z}+RF z1^dng|Ju*f_+~gIFAwYY&a_Q0Vp=TFuqW@KH}Z$XNDS>PDnums@rs^ge{{7+N&Zh- zs-u$X0B(hp##LFDK@B1~e4Hi&5I018wOQoVqLlHj6GG?_Oar5?h0e&~(v=L@$0+xG zd7^@Tai7Ab(S+rm`nP^!SToap+&i3HO-c%%0ybv;LJ!ZmhQ-o~g{c!s+BrKhp-gja zrLfZack>JrnH7aW@4 z?fcNQ(Pzchu;?=7tF7`*DOa7O%!!?0!z&veXr@j9u?9VQIk9JdoZ!6bWJy^(jkBB^ zw2Cn%lcXax^DoS{=c8*Qs_gAdEGARLaNFzh8GWSfHsN;jFCWOEChM4cz6)&A z5+$cvj^w1;>mBq=$}K1;x%gUk`iYRXkf8fsy^lQ`$f}Z|mFlQ(l?lv(y58cPvDFLz z&u&HQ3?E(|u%ryxkYbR~;yg+a5>X7JAGZ>#E7P^EgW_}6V6o&X=V*f6)ps~4ng(kj z{QFR}f#+6}3V1dASPoVMXDE#HBpH#)q8w8|psMEZ5yr(0sD+#Z%+a{ster9l-KXuR zQYpI#(gXD`zmOlZ2QhyxQbtFduzByI#vB`6s?bXqOgguJo* za?48L2*t~saKjei`bWrrd_-~T{PEfAK;?8Mu0}CX*@Tm@yqtuJ{CbpiYiqGK_;f}< z8{9MTHfqs^EoD~(WuP+FfXth&aYLKJDif}u)D1bVAJVKCAX2kllf6B$zq_jU<}}m? zQN3AKUx*1w8%?htNV4@Fl=AZiVP5i>Z1u!QfrzvpMKm9nJ5TsukefpJj7@sT)HW}! z#j%rIG@jY3YVs|v9UfxZ8=tY3IYKf8>=xr67mT>9fZm@L`U=7Kmq~A743l-y8ifM! zZUj3xK_Q;grIA;o5JA4XLEd3%BL3_xTEZPl}wv|eSPhY;wp(z7J%CN;T(O*F`G zy8B$C%=oNy+FFGi)IX^+w3m8}O(@xsIZkg%IZ~&%nUBgfd_8{9uTz*S+lStu9Vw7B z42g^RPW7%`4V)^RH+^+gT2tGkeDSvsLOHL>VgXJqUmsTnKwTFn58T}+{JMa7Z_hm-hkkOHoAf{F)f;urDb z*}?C1=dGNgDB*w6Xja8J6CfxN&-Eey#`nqi(@9(mTkxo|eI09MS>~hTnQH$gPkOJg z`{(9~Co7C-^Nk+|44a7^qJCj={!PczOZ_N%TVzeKzzPwE2aXp5Rl7u{M8&}Q7eD>Z zUIFhtxsb_f;G5~g=WI2{tehbu6KID)zBy|X+|hXX3+aD?U0Kho-@c7`;PIRAkGEllb^N z8E(1(oYzsLmA?4q34%T~(!0Z<9WV7p4+9*K$_6q>k6T`;_i+uF5d|t}lJ3MB$&?J% zWXBs7vT{7$H|-&K@o9r?w(PfkN!Fu1Zds5LqlvnAoo5dEi%C$AKF~ z{`pYUHR9&)p+~>{U;jslv%81mulnPGGx*fc4FtF+yfYKem7o6m{{B{_eS z%m%COBadXZQ3#Zqo(R5vAE~L9qGhR7e4DpQn)O`rmr1NKq-4am^pn zSp^MzFsN1l?;B`?fIzYo^;CnfG-JlMQ&#f*y#Z71RVFLj5$1Tbu#&-XLQmMd8IOYm-K}_nfoB5xh~~V1}P!K5H=OHA%-N?!Rv7)spVBwt_}_s?SSuyg?uQjr-qfv zC@HL*EhV3tnDNn-*aCGnRG<*T;=#&gOgnQho9%R%wlQx7Jn%}X&hoLH8?0ncVT1pG zg?Sq7`I!>&0om0rPObYk41CUVrnanExpZzopzB(93fxke zzQ~O9n$)vzAA)7A4%@TI3#vOp`))F-K{E4UZ^YFhLq%CHhD(5Dr)D}N4S1kfmIp=R zhFs9RpuC(Uf1j_OUJ)zUfotP?@Ii#NVha2O6SS<16Ibt0K9_Tvg1Z&vj5*!<7WMbK zBnUmMtEud|naCCc5UIDfx&CWnqw&vz@6W=~@c1189`u%`RNOLBi7or?!P$bIP)W(c z!);}Gin_zazD4a<^bpt}lS}&_{2VP@#B|4tYOatd zfMp<&VCSsjIO)Rms&LB6FCxldSwT1(m9h1!mjG9)lfv&Vrve{UU5=o`azbs$f{)~& zjReW*OIrQ!dW)C^djY@{D zS$w&N`l#!2G}iM3ylqw8&@MaWO=U?gUrzQpACgI=-+!F}{|R@Rrm#~;CuKL%onO4?kG7V6BOZs)NuF~8+B?Xz!rH5_&QhT)lXVOhVg z-1=2w!<_3Pdfm&q8!X?n;LU2zzchVoCVv-wkAIBf-6d#$|HioGzIaT)OL}oM3`*^6 z{Py^+`n<5e=VdrNV}yOwU48kUcI@K^A#RDo?YgZ{8M=0$+90XGgrNGop!&40>9l(L zkV|tW7pZfykeCp&EeL$z@W#ujTx`fiqdqfbl%>Ha7V{cOrR@8zN^$D?Ar^V47Put! z%drq>&$t*nZ=TG=xMUv^vwL-m7)7ws>&Vu>_51&^_ulbrw(tLN=iN^SZdFxPw5S?I z)!z4gmkzU~q-I*P_6SllohU`E*xYKBAT>jfw6$s^DnvxY-XTFq1c_hT&-eK~ z=a0u(k7)+q?8k6I^r(K$2l65z27xFklnoZL-sT^k;g!5*Lm$^ z&ht+`($~-5I_LJ5(D43}-0oUd(>XIk0m(dr%M!+CZK@yUJhvfx;|?m0!hzh_4uAB%BQgEstSolVGDf1YMa{b7W=9ecAgF@$jq(Gt2VTaHmBcbN!L;)I)Yk0=2mLnd+$ca~L7VYPkg-LbZI z$|hcNg~TX*BTdhffT;tXd;RqWdtLGh;;ZlmhAd%{2?sB>g;y?q?OsgL4xn_=#rN=c zv<|^NA$;pldJ$JzZ@JQ{;z|p{Vcsh*2c~Bd@S~%{WZz4#o@2}2*HEO%KI+*D7ZVh& zUsv-T`8>o(f8<$=;}(o(Du+)z*>C=k{-~lU-8BvGT>B)r{sBSl`lr{i@7~p`cl^gt zF52tUvFJOGW%#X(g%+?_acyTa0XG@RKOfGR_R;7fsJ}J> zxcYC3#@s*n=38dm@N!Tb2@opvo-CNgsSX93z2DkK9)I=MtpS{2q!W6ImiE&eu&}bO za!#^2MroQE(Jt0;E8P-VlW-p1<02#3@Xn?L-g@sHVN#g$l0Z>@ZEd7Blz!rX^El%I zF`mKpb1SFovP) zwRs~|R^jouRo5E%96~bXOuq4_9>jy?jGs2c4~tH?8N$LUr`?CA6(3*EaX;~4jHgQO zlJ7|qnM-m9zMn%RFWY&3O1HebTbslGpG&U-9FLi$15X~~{CIiJ?F5Y{BWZ)x?gySP z5<`$~eRvpndgz!_;S`Ne-R)8zd6>etYxMp$_ii}s#xzsj>>PTAxfhPK2y35wIS8p- zdVG)c-YVbmhK_c4YXmnZ$$u;T(|K;PRdSoD9lY)a+k;L!E8nYB zf!-ZDSi+R%i|-mEJ4#oC`1$p&qqqB2uCQDdIwK(CC~rtB?L#s)V1o6g2P$Y=UFSot zPs%s2-R!7TuXWe1X_*=49wgxLf*0LR2V3}7nB~yFuEr0vqe&X>*a_K!OfKJWnjfc< zjW1lkg=r5AO`=pQWLT_2iGqTJjQOmbd?ilV)=7`tduv7sP;$f5(bDYE0{10qB09`( z@axCt({B;>q8byr1`A)$!kJFtZs^+1=ra&juG<%jpW&Mar)&VOC{De?s}_QjOE-083ff?VCDiG{n)0re!D^P87n(E#&p?A?KXR+)h|hK-T*BZE6x`2nb!)8g@@CqE};dQiy;(IE4bH&>4eb z2ZLnaS1MqoiN&hd=PcOvt>6Q{{sQLQVt9Eb}E$>)|1vNGxm_NQn|i@^NGX9hB`& zFHS`iD@ZsC=c_5BZy8W<)EY$qsneUnq$6&;d2O- zvWLSVLGmmvGD^YB?1r>Q`H%NyF)>g@^fIHu1QjxfC!&(d_5^zCg|ru;+=Im-HmJ!} zk%Mr4eqm;|2wHpP%_wy!^Mc?-b1};P;Nc|RRllQHuVxQ9zL`wav}BGm2o%cyUl0aLPx{sUgz5 z*QZ>*V|?_c*7bxdDra?f5W1Y`Ui3lmdZH}`OYn9q7VQ_yv+`+QpaStotm=#b*{?Sz z3-~bv#HH<>cw%?2C+f_hrv1%Xk!ILfj%`3o@%&aJsMFe>(#OK(gP=F%SXfa$4oZL9 z=0GNBQlmPeBSVEfZd5q+WdYtOR=YTW3LO&6j&SkHND$HD7Nb z5qRtKp7f}Fp8h2z``aE11b~n5t%f}2y7T!I(DLyBF>ai2H1Da7& ztXaU~7AWCGqWwIp0MtKN0Xi$ib%koZx?U z+r|886$NSQ>xm(;mwCnfJi`zDdG47vh=G|5{u(ZLmnRA&d;>%SrnZ*|eBAnbztAr9 z#O;b(8tXeXALQW$`Zdh2G!85XaL3=6DkP5znHy;qNk(&~4q2_?`xE|EGOOe41jymk zam71pN%owD!bL}`I-38fGc}xn=2vh6&F755Eqa3{c&*JfN77`H*tGIaI{ArWPQ;EN z5!In|@Pf^VaWV;AQJC7h*MkQvY9my)dBdZiadCOO^kME}-jJbzrGkfB$(iODaW;~M zQ_)2tqL&0RGBYqrAIS#$LvxMo&g_voxMSKdV}Ps?1p(Xtb$dx~k5o9x7zFMf%JOUN zwYH);9eSe97$D;$zlHAtxxcU~W0n-XIdYtrLPJIO&vDNNbzqM9LsZe7DJqH&18kuq z2F!LHG1B^N4{cP#^Pt#!rV_7I%wBl4$2~#jv%9xEOa{uQ&3hF@He@@uG$Akc<9R|9 z_qTNjY-SWa(`i4qvd8-kSC9W=sK46}1>^`h?!QZY?cwEpTLx$vnDflB!0$=rC7CLE^pC><1*i4G&7m%F6cUlzjMU z`+W35F2?<=FQ1@-mKG7}EbyrB&qt}y0{7dwZ`90HkDC|*NeZ0{F&~4I~!B>6l`QTtd`bWmA=J_EGWkCgnvuMbBnoD>oF;H1dhEMF{6@ETb&D1JCNNbGTM)AHxb?-&i&n;c zyKA-5gjaeHzh%LcNt>m@sr}gz6Bj=pgP@H!PQrSP8>y-Z-~$gKPRD|Tb8V8@`FK`i$kndMAXR3zI%7sJsgjHHAw zhSoZdYg!CVj_V02X{iQORoM7@ueVkQ&0)L?FEd+3;WQF`FD8)|5u-7)_^tc4oLeO0 zi3u&jUpsd1f^%a#DsTztC^1_}LWcMo^=`k;JLi4No1$@sKSh0M6hMKqw_c|n@a(i- z2Pq-cY2!0KJ1>r5s|WEykm#ZOsq8$Jnx~^nDy0N36?>HguAkG)&_&lb-7(a~z&Vj! zFbN6gc+VdDy6GTqdV+mkb;qjH&MfQWN{E*h$8`0HeF^VcraQL3yzO3;}Xs&?i#1!y&7#hV!z9RQm^-V z@$4QKL-Y)j2*bky8~eYddS1qDwhe+}#(cj3i0}sN*Fs0tr+c8IP)m#NC@~t;^Oqkkeghhqt(zuvc`1uz!SI7uEZ$9 zgfy;c{~j2=+o%$%GWSqGf9y%8b8XxVZRdprUDi-%lyZ6pLt9zhj3auf@Q~ME!a@ny zz3T`C8QIBU9YPAOEu_3&;VPp7Q4Ndyw{vpTVQMt80mb=z; zqD+(ep)G)&Pf-5W{dk4m`O8}_+6et4OG4ZX#2b}!9UHueZ4ZA7 z+DScO?k>y>o~#Y?bP>0H|)AEI@}(` zF`W|n!8VdxeE8BL|IG$bUq5>Dcy#-05|9vXD0N+>hw5o!yWOegp_Omb+Rh|T9Zd1d0)N)9gj1r{FR9tcHl*S9hrEqU$Js&`l^QUfYE zaY(OW{wU19Ck5shKqyTjeQ;Rwk~sXb&e&evWHBUq?(+r3W9c(5y)DA>~1~w?nmjJB1OFc z8qCMV(3f8>y~yp!S$GnF$(y|iqvR{t^WN`WXDZ0|HUQU}1G@y2PzSSo=&Yjr1=pmU zFoHmC^kFCXqF~93PI>jT7v_yj`*&(1Z~6K{mJ>CSxOV#R_tTuT_hYVuK(SX4Ps$Y| zmUA_rrV6%<{8(sI-`qim%~J1hD8afl!lT->{Tb0TVjU~mC@LXQ!<*UTqtra{=wtTE zZr}04Dcy(wPqTpdcr@oHdg8IAZV1Ph4<5B`56sPQ6XXxXpCYwIgVNvVYsLH*%NY4T`|Xv`fx-JQMT-w=?) zA4))rJpx3#m8jdu)G#1D-WtO-Dn+|h$Ca;FCmKXn;Z`nBzU8ajpRPHKy0*_y8gvSu z^4U~tYhx$QZxzK$HncZ?vppb}tJ@ptVw5-=5$MUeGjTh??41!bvLozX?-dxRhx$}^ zq2jP(FxsYx`f7pVA@Ob4$%CpK_sQ`~Q72KI{#oP?Nuq4&u#njF{HIT=ioqcU;0dkC5o30Y@ zci0~&zV2V$Mzt3?1wGVtVO9wV33)WH@~O4P5GZ^@r=}x2k-xLM_p{2%r1@EU1hjr$ zLb8}%xH%uaC1+CS=LpRxVupuF)&qe3rfT6`X{ma?laC{45j3@6o)id6JBK$^mFIA0 zIAqDts^k5MftlDB4dsoYgIWZ5uxJQXKb#>DeK}?j9~_`LQ`looi)`mOoSOE8k?UJS zKM%D7DUk+?5#Hv#nTvz@%tjVtj|UyKuzij2kWAn9rhib0o55O>W;U3vt-|WKU}ibS908SG_pcX+oPYWALY@bvwl@xd~wUx!-jrcW-jJn11ca zBS+rv`PvI~R@ND*E0o`5F4K8WZbAnJOkb-{>pIsHZ>y*%Ts&*_>aFDO6z)sV zZLbj->7&z`LjRHYpHIHWtG@&~U431}qp8yrXk?T&%%WfVEsJx8z9$@Zapg+whfTQc zXoEE>w);+Fh?=#ve)v_A(Bc=$;o*H$}U zWb^=8HhkC{rv3W|#pSt~@m(Jy6X;aEW>g%Qe5#=3Flm9p4CXB^TEm5vhPm_C3Ocs` zRHkNkFD8F#wM`n#SS(Fw)}eS+u8s@*bam>jTVM{!sfX8; zmDQ^7M|~;vFzb`YVxU%uji*-aS`Az!!>l~!v+cd6D!thO9^IvGT4hTQK>76h9>*1KL zv{{mQVdEZVI--(s&uzs$rOLLyaDp&I7_vmrO7lrhl@-2PrP_J9Hcn|C2@|uAqY_1+ zF^u|))nmk>^i`PMqx6fBT~Iaut{4Ng?VS+SHWtoAtx+K=ibqYvX7Wk8{@U1tP4kN# z=s3zsVW0E39bQ`u-z*J5Xzxu$ch}riYzt?>D=%yBX)@%svtu(yYE5sIhE^Bg3AK*iIXe^6I_=h|Q-)LOEvEyJgG_s|_+o#?V*_DRp z5v_!mHX&C_qhhrm1N%`JSf;tflE&`|`zXT|ohu036dZ#xHBU&0^|6B1g!y=C&R-7R z%xa}}VXVJdk%Ic51APfmO61xvk>MM1ON$Eo6SfQ91#mmC_u=s|?(T4EZx8R#<0WP9 zd&wii9CsLMCh&NkHlMKTCIACKE3NlFz=C8L%GwjssCKx(Q|FV`2Q_Gk>d+fXA_m0} zt?efP5bMS$$1Z%>CZJ5m&xwvp__piwA6qwAv|~$TrJ3PG1VORYcPBfPR`Bd0#c3im z=5I46?mGAN_RAL}0PLZ2dl@2Lm7|V@-0TtePwJShi2l&86_PidNlhAUZo3iXZkvK3 zHzU00aCyQZAtvXWaT1cxf9jxo+R@f6!M)4%>558?EI7-E`!o$-?W?8WYNtoe0{kmg zwh+R1;V>c#aI+2K;<7Q>HD%{iAc=EC%-EmJJQyC&!9JC&CZSt>dS|bjh)qn4DKzya z0Q4+VJTCHs$)h{T(G&*haD{4}>>nB$A2&~K3&rn*d7NAGvFi753(-c@07GbGnAntq zz~w+2mLw(f6d@sdI2LcsPnzG#NVa~vRlS&lNroe%R_aJ-bcHwdgG zEubg9Y*hyHr@YA!)PRpicSb3SJMUR1^aq*i$kb|~!kKlw5)wE^<^VV|$%{NKg8FYIn-%&Jk}8gz3C_t z-%t`nFEYa$$XjGqbs-d;=m&O7!n`j*goCFKSYVhoTcR#{-Kt+>-438{F6BE~*QGK_ zt606@DQp8E8xfR%>awa9U|_uu`_;6rZ;jvhLw0}HiZjTe^~>`6oE!!RgxbC*GOEyb zo?okuMTJiu4*bp3f_(J2oUWh;m$_i5t{-t2FYe>NlW>KL_^OBM*LB(;eD_D!L&(3) z_tzFlE~wetY%7>tB~Q7iOscz)3B}6wohkQ790d4juO*ob^ZGnN4~2DK`MhZ%(j@9+ zr)(<)3+`R2(-8LzPACC7Iq6#)8jiy>XkNklj4NvRJJI`}N?(_l)&KHry}rMn zCVM`mZ4lFE0uKre<%PjKiKTSoH+rF*a7@hd9dgJZyyl}BRRdNzdHG?}w>&4tbc`C} z;`_J;02u=6+CyjyY}6J6J|xdlsb^8Si055oB}5fz)o1-8GX(?lBM!iSx6fUD^<#YF zfpfn+I*j!-QwJEmO{MwKGS7uHsWzSS=(6_SSrnqkQDx8f$~iuUw%67T73#Y@3QMsy zED0gRRA%v{uDo+wNaz#7$}9AlBZ#-Rq&@dHgEv=dael19Ph&25aby$z8gL+Z0-XBgBc=^ z3tJ@{X5|$m$?gJyeC04@_6i6Li8K2*EP-Z+^dl6r!CBGGgMpXctVV|I)Y-d|CHwo! z|LAe+&v9yc5l)=d0UTC_?N{2%iAA+ob2szG=IzqNL8Tvq*|*fYW|_^%B*@QzNb-93AY|DFk9KmL8ji2~~V^ zo!r!3or<>Pm4xfFZt!Bi;L)aMh>kF4(4T*y#w|R zU}a@)<}}b22uyMC4eH-z^H+M-goSK%_^4rQ_zlH@E3~v*ccanpMllJ3#){a+O`v`^HUHwQ4@bf z6Tc8@1gMbf!%WQa0c>vC;gP}gCP=QEK<*qW1U7Z>oviE<7>hO@957D~%ky;zy*nN& z{`eetu4V^Jvs032df+C=S7Qr`?U0tR>hBj_ApzIsJ-GPP^ju1wjtgVpy=M;7b?zJT z&W?hfEb-m2`vtcfOIVrgaRy}HuI=t8F*oC;WN{Vg2bN~iDQ8t<_oP1XYZh{YiY2Tg z!W(2AVaw9&&1rl=Oqby2M}WBD|F<_^eVPKEy<#Avlw)(<9G%qVJ^r$v<)y_nl-`4a zLPmY3W*w|=_eR+JcprtPft8VRZWCI!f>BknI22ku6iKZZ5;Ie2VQ2aq-ZJ#*t^7jW?;m z_qrru@{1Um%LL1oh69dcHCG*4TC;}xx-@F!O@uaE$ybQnaBHKs_5&6j-1poJNnt*= z)(AdjSVH+(m|Pg_*gjpa%G+$sIDhb)J?$OgHDQ=@}u&eqgQXv;nE_@ z&70K3^)5vF1z|tH+)YhaKWyLfo&7*8#3~o+ZrEXpYD)5i0hk}kq6Qn8f3!UB>s;F| z`C5^7j~C?#naEWgxpee^%oX?PY5le+dVlqThI?VIN$zq z<2^O+CV#9wy)y>Wnipi$)z@PK7%&x*RmvTyi*mtdhkJnzC^2T9F!{p~i4_&7UUS{e zCxD_>_YTm$HrrXm4?s@g+#j6{8T9|LKU5Z#PyO)ydOy0JyBa#zBN^GNe99mTjBi-Q{VR`7sH-PP1*=#1?AT!`(rA^?n`8hp|e z`g<5n*_KsBrJiN;LoPiZ)K8{jkSC@@T}%nT}zndeq7)P%(rS)llVbZANEUgC`3Sfo5S)SByQ%eR4~!7AzX+&T6ORlRcK* zm%InpavK`f3PRkNo$U@gKjL>HbOtM7)GW@Jw2~96zbjAy#f@;1VKJ4om1x)&=ah+u zZi}jk6gvk`K`-2dlvEBYQQzc_>bJM86--yE+B-c6b9x`woNvM1f8h(b-a8GUPa{IY zS)PAfr*>nKtH%#ofC^at?8m6B-mQ#4Cc#?2Ieef0S6{))$-t*(X0#v ztW-8VDLeJfq4}!z?yAVCq=IE=`T-GeF-bi{JbdBM$pEMDV6HqPD)6q&OnLbgJx+nF z)=wgCWa7)=dQ20lB*A@P|9gY7(2@u3aE?Q^jsn%>M?JvxzJYTJ>CJ%7bf|$#T&Nuf zH=7uY)Arg>U*{pCxI6ShlJWz>3;;Iye7VUL5{?xrPgH7~ty>hJ)c(V%0BLg*6AJNg%X^31l-FO=ECC6&Gj|HL19f~=KDN7$%RYAX z+GXJ6m-T?%+|f#mQqPr&MSn79I`z82n3GT|mhyvPjhH~Ug#C4ggRSh5qeeF=2DK`b z%lPM+8EOOVTi5nl3A9SehjvtZ&FcGB^ey;o_8SlLgb4*}CYK#`!CU!WiD-rGp@o}? z82t2tv&S(0DWo6_RzKB`^`HTR`p1VyJp%}OtzIm+$eX#`opm+XqT9OyPX0UKu8o`7 zye(HoQ;v1>DV4m3D}OYuZofGnDE`?&-G8RC-23ue1iqzwivct7PtN{j+#}~rrPHL( z|L4Sru+qAp=0@lpd+^tfCACDNtVC3P`AwG_<~f?1pXO0%jz?351iDLJc1nZ7cl)i6L74i_!L7UI6=x|@q>jLkN+$(c@!_|OVb{T7d^>0tUhhR=Ae@=qiGt85^>G&y}!JrPOnbXbEqr|t*La$OtG&Y3I*qd zR8#9kN7f7NArW>3F5ysB!j2L!0P46tQ6Ehd6tT%j*S_s5F-!HCV3yT4MqEl;^qYvZ zM}?BE!U1~G5i1aKzV)(c%|=Ee`|$`&Fk zpBwv`hb}IcJoiz1{xW1d)Kmhsfq)i`t7fOBrW%&OVI%>&Ord41z_xpark);={ljF@ z%PB7`LKr8dFsZ3N7lpB#-{huw-con=k00ev>*f=s5lJUfvxPo&N!_2h1#g` z1(vqfZ~kRA_X@Op4_r)d?CuQ4PZ4*=8Qq=cX;b9zf6I0xFQvyd=Tf|KD7%kN967QZ zvB@aV9lGIy>vjdEbNu$-|Io*koE~-u+TQ9Tx54)?P>#mQWBUGo86uNWD?V{r3uea( z%m?2J(`$ZMKv7WUr0&Q__`%4sJZEa@#`qsmyDQ^b{PpbH3gGUwZ=`c4B453X%S!#j z(6J+||3X;5Yi&+2e_@ZvpQj0qiIbnRO(i!vj^8?0rSUsLiu|ybq;XJf(wVO38`@jm zeS@2DF)gOUo4vX_Ym0|JSe5^w6Er{yId}``ggOT`UeOEMUQSt@D<~OaG)VDVt$vo` z_a8>-`L~gNMt;vt)%Ti?*J6KIKXL5tyjPlDDvu1@c84|i%%7A`iGa5fgxxyG)l=Mt-l zT@wDET+!|&;mNtieO{;FkY{^YvZV`F?qRL1?Pci=u4!@Q3+rqiN7Q}ax1awa487Sg z(lW|cSyZ?(72IZltGnS=p52Cl_>t#Uw~gJm-hQ&M&}iH)F>PC`Qhx02sV`gSej+2GPw<L`f^#Y#C@)f#BFpUKoM576`_*6HJ%8ckz6tsXua_p8Tck`1YBqL@l_dMT~5Rv_wCeYkfOek$x!u~JI^ z;2*-0F$-__^q-#p_~ds+VoA78{a3g7aV*f)_r50M|2>J}UUo$2n7z$Vm9WtYj`&N_ z!AOH2B4;5I-GU3H2vsp^u*&aN&6mmiT$+IBdO<~}_R^+eE?VhDD#MVR!UNf}S44)l zP9GM@AYH6{O?=mjpivfzn7N+c0^LyN)|9b)9Eg?W8dVOD)5W5{vCSLn^D|5feVYDn zSbCE1?;9c`x%e>s$!JxniN_zA3L)AWHSoyVriJ@vE*b*#-bKHP@TQ=Mp{=^WM6TCm zOU8cq4UOsRyZUNEh_|H|+_xWq5e-a2o z(^b))9y_S+BvjJ4uR(Q|AUHhJcNA^Slr2s73M>0`fZ}NsjpFe~HTcr^O5Yu~7(r;E z*p?g4_=abjB}W}APq*9d4{rt2V^{9A&(lN$wX{!b8kj|kSJ?!^>Bg)sIkOP70Z z>i0?w*1eaXS8z6Gb#uqc6xkW|#l;oBFzMAhqEQO_(IGI&sK0b<={7#QR(F8FdmXt- z?T@WUI0E5e{j-Hcqm{)@eVJ?G6A!JzyC1!U=Q^Nfdskz4@dQgQFo8qe;X>SQQ;T?$ z@^X6rsb3SKsmD#TyzmJFvaRvh5J5ms=D(&&a_A+1wNj0&c-6xS-#(mLvVwx~*=UVr z=NsINK`!idEMy^FAv;5ez!-VAFzhQK;kUH71k+)Qm+^UM{7?aFns3c_c^5c1LIuOF zd5=a>2otuodxQ+ZVHfSRh0ia7hI8QEp(LANI&yX08|oy;bav{+;Ro^5h}*c>6S~XA ztZA&@g{EE;LVL3>rn-I$=R(5`rVVidkpjbh`1jpwpv5lsD8KKUAp90 z?}e#0;zqI$!wy|Y_7k|U&*OS6kqa(@M&HEO7jrz+{a}9Sp9U2ig667j@{=tw+*#S1j?s(1ix|5CY>yz$|4b&T7}&M@xg=gtaAH(j_rr~aa*Jo}1v6U3LM$QN zDe45ZlGSq)!;WBkfKJj!PygC=AJO&Hh4m0;kZEOrNs5`__-bX7Uk&9VH?|@5XPTYo zPZ`A^fb~^dFYOKI(W8Lq2rGPYAI>Nqg^ZjTtd!$p>`QWaZXFl;qp7-N@dj$QuLz=X z@=40|)R3K2TiaZbqb)`yLG>W39i{$ZBcC+)`BIXXHd&(S6NSd>m$g38=+%pB z3@OU0_iW3OHN0PybTUv)@yp0Cl+PF5$`&ml90-&j(Mn^DW@yfQN>L z-MhAlw$ItW(1)L{8S}0V4+puZx(8{X z+FFo~hMkKtO8KrPU*G5>`TTZ^HxgP~m3EybKM8`TmVX!v@CS+$+g71&%){yI%H#P5 zgHGJ`!mEXYgwfINW5UzAv!Sh|@$pD~ac(Zxh1-vI(=)~GLG^y#rl712B`+l3GD|Vl z>2bPm8gdMM<~RPl1i!nE&n<-8bJitNs&GbbL=kxrwry!bU&8C;iN>PUID4Fdt2nkV zKqGn&esYBvMjVY= z;{2OTeIr7Z@d^63ah2%dg+d0|FMuibc)Xf53E?-{0IQ*2X<{Ec^73r% z;F3<*mK2vU!HnZxc$SM~H&yGHLKG9TLITYm=r76!z2I*gqvV62R4R9+dC!S~i+X)HqP>aWA z0+d>fM)m62BE2^Lu^-*8>l*IAIMuQTz>olB%gyEf>Vr?eZDPznzi1LjWFmjOTdFVn z*i}%_-SA~Wu*cdsx7Q}@>3&R(brQ@s)!I&99$py{XuBc9enTp(@YEydce3wt*nZ!Wo|2&pFa?x+8DW8uZpBJ z`B&M6goGhoGqCdcc*n~Q_{GTR4%8^$aO{uCzU_gv?X0Q$q~^6BURC_J3MDXVBn@?5 zW&b8yN!Bk}Ik$*_tI-jJa4s}22YV5K$?O$GyElPzqsMdWsJzvE zD<}sKqn3U6mhM?)+BgX4?;BJ&tvL;K+Pf=zWWOYz-v;7bBA3eSYcr+5 z$+0Dvv{fNtn?UfL_{f|y+tdey7r2Q}DEQl~Qyd(iiq2Tri?XJ*$;uogbh|$@eXya0?W~fV&N4;2V;Gn) z?}D)}VVPDnpP#VCR^zi*Bo^G#?6|@ZBZ^Ply7%Zh6^jZ~aTj!d?^?atI!Iz3F?GJfuaFK^|SA!FM0w zTWr#T5jF3+{e(_b)JFCKvj!a6U-edBX6Dxbui=_mwbr=?OjwteL|Pv}-xhVdCIi`b z3gBeM9qC; zP}P`a`=VEFoT`3p$#xBo5jAa%yU5o2&9>|M;godHan{ z?xV4w_$!%0ZlsC)*h&~*aBAJrOIl^7+25tOul>Q))%R=cGx@5q?Jam;z2QNKcfSd3 z3g4S|>ilc+j=bc8%pTXt z+{G7_lKLNsb!(WI>A=x|-`A#({Wbc>xk3f_7nwVThT43D$LKcS4kdy?Jt8gaw-P$? zciyie#ejmDwqLLvzlq0h(ns#UZ?FEBc;U#A^W1jX-#>Tc{<;5>hH$m0^8c{q9eLUL z|G_VQ9NA>O%UpDqQvRJ|e+hDSKXc1cY606ypQMzRbfZ^w7@6e|_Q=RiE+REa%~#1s|L8+JS!)#oR`S zhu0J>trceGpf{koW!Vga!;z*pivJCHoKqT~b^cTkZeg_u?89$frhg+UsT=qGQ1~%u zf&FqW`vw_;`v?zqYmuOn6Dxo1K_I}oDj65~-v_1KbRaVw;LQ!6X(J5_~ z2V&eN5nnv7Wzi`-aA)-Af< zm-X-?qynLsD12Bl=;U?RCdN#gvzyy@SWW%UErVb8yaaI#5&c#BhCJBD;n`z@_Jt?k z@^INF1?F9&b`sF!MuWOWRnPAYT66=0`db>+tt;zf|6T0QaWXi%H|3fHh_;vfNm4C? zQZPAnt%6lbUmD0$*V3pcui%i|;cX7&fN{)AVJqV$CpFOc{Djn0Z5bO+3Vp1xBh?Ih zqx(I$n<05zHtUw1_GPE3CQtjFp@N4!^B99Rw|3{zhSSt2B@GL^03$ncS)o2_wRXC_ z!m0+%ELLEy;o&Lz_^?6bF*NKGd3PR)Ck z0z$S+3djPt^+BW#K8Heoisv|xkYXRst_nMAz&zlK-py@aeq;^5!&U_0QxNpJp1?d-yt4eaG<{7V-mo-`=1<^Om>?UbvW)e`}`i z!?~&281^d$Q^(R@F5g}qL=qw8Oh}~K1>h%eCLmr;%gU3drZ#^+d)ECn!o%J5{=HZY zwc;0coY2@JAp0G$m zKGpV)>7o*Y50^M{KoNhj*0fTAoBYE3shoWqG?PDkW=&pv^2HaAX(vF0`B3`zv_{XR z;fqgyt;etT-dFKRnp$$c(++y7xY*{T3;bX(XDP?fuv33#9*$y9i(d}6JPSW$bRf(M zwU{abp&A-tJ(#wY(Xf_RF-z#fjWo#0pZ3(Y2r(p+e%n>;B;nf9 z(zg|}%0s*c;h?DK##QG+^_}JKl(Qz~jt#JiZ}N=S*@eBC1#EcR&{~GFghbOw5=I`) z8sQ}UWl6G+om}~oTS8#%Phyv*!sk!W>V%vi6f>2cSdq<;Huiqs(&T%{ zY^UdNcLI~_2yY`@lQ_RT2HffUc9QjOxNM<}y8e-)aHWcFDx%cG*^S(OuTu#xZ2U4^ zcQDefCys(0N2>miJfjp15J$3q{Kbgr_E4in318Wgv0|+PfzI;>hdzL(qHrz zJBvN3^pz~!ZN)weCP~W8)9ko;m4&fLntN&zv@B^u7&w_!R>mu9DwYP7I=?*i{r%j! zr*!X=jh|L$XUA7+%S%`O_k7$febPAGFa^1a8xFh~su-oG50v_}>iM}s|AphTnT$d# z%cUnv-eWOGI~3h?m<9N5Ykx16B+^pb*l~kZA-qYt9=leqr{FRYa7tu_t2soFg+qRM zRNL|u*BnJMyIkL8TnJuhKp7rBLs#*c5jvjw^?b#z*L`{RlC209;sggs^+I!8&!4`l z(Cay5_}PV)#ywFijqRuG)`|GJF8IJWvFW4h1GC2W&8_XP{E?IKBCql zHCLBC{MuyDw1NeIE*5$UTfUe9q{eMWJ_Jr(6Mk1Z{EvuHnzSjma_VE!-dJ)OOQPx7b#A z?5+H+s*3!?EjN}l#l6iYSeGC_3Ev+a0&q6ESE&E1y(}# zYEg5fEj>yNEp3evMQNJG6hjGe)TyDAgPMu99F7`NlpqK-m&ielA<-C8l>s3U3HhQu z@B4j!z8~Me_r0#O|L(Qd-s@U>t@Yf`{XF-xQcs)Na2^?08%E&r?!ANh5w8Ev@;(_m zZZ3Xy7BERVn`W;AW#rFq#SDIhX(AzulwrRJ%}V!iQo58jRWm#DGwg}4`Nk#YE8Bx^ zxD^s_9)p}FpOv&k^QQ76$RuzSPYkV8Qf_KO$teYuLV-HJA#hpuR*>jVh{V?Qx-f3I zDeJ(D=|C)J!UfBb*DQbsmpze2l~*wnZmwxrs>)gBHNerT%Mxx>I;n?h-ID#+FicS75w%Qg#KJY&>*=f`=PNmeGvmSNKp^;=It zS)ot<#7KnOFj4~2V?+Qp);;WcV}OZ-CdXrz>R{LuH=w5C`pXuafL=A7M+G_S`&_+G zKoBn=$w4DCtU>-raBsinw~UjBYr+H^jl&jYjnA$(mIc<7G2G#VIH-am?%l&{xi>Kf?Fmx8mIWcpNaLm_13SV$2H}!-ZQOgH znM0P(^_kj;L2|Ey9^G%h4jH}+=8&pUZIc|9a45w|38nzwcTuRB&O=D8bgi`m2b7D$ zQbr5#)cqpzh3D-{F76Xfr=p~j^h!d;%T%zV&cX;QGx9;n9l?5g9X7Y4+D-?`g9P*b z!B7#2uoKduLV)H-J1c5ZX2-$>aZJHEY3GJ(ksYj2b;ZkVhTyH;{zOEUr+%@mDo)~4 z-c%GbN=(J_wqP%lED&EI@=U3-5eWu{%}$4KxjEe+PG&gWsgcguU$h zx5!2LSDwf1TesTIiBQY7w!)QvNVxtTrBik8ts>nk{?a4JV`))DI*KmVtOZv5Ask4dkTPD zI&+-N9opD05-YT>cVBn$O6J^@CgJ?fovW+O(kJl)Nv*zkH5353L!($No3kH6y{`rY zto}YXNZIF&u&FL;(5EWWMpg3r+}7|aQG)3vVhJ(l;OzQej(}}Pc$MR=G$lNm2}#d) zdXQ`-3171ir1my9G&~6p(6}w_uPh`ccdx@exdu>D{=k*(*pu~B2P{wE-DZ2I8d=*v zWIfPlL~KSku6^`#!{7_RX(P3BaT35K+HV78tdkjpoXf#AqeNGnPmdpp=)@F~3orB2 zpeNKf`AHNDgAiL5itMoScm$=J67LANtZG@k36~KKafrlcUakSv3qS)C?Cal&1`q+OM#V~l)d z|J+$8${|*q5wL|A;KbJ)t-wO+;zlfhmTqM7H zI9O4ZwUCrrKP8Lfj>Z-s#e+Rg`B~Sa3|+CIoJ=yaf*v2`bzlI^_a7y2g5u-723wic z$CXf(WS7-tXTq(>C{1eps6-?zq$FN#i{vNEr1L-H0Ij7j$dc~<-!>AFU-ZWkeei{l ztTEZkgONq#0QFplK>Be5EZL7Ce>8_~&~?cCo{f!@cS&g@n{e+4)O#}0mcLm~Ip(m9 za&~CvKPUvhf5@H-jaa4*URi|!!@fpOhCnK3wry%%O?)Ohl)9ua)2oTjJU-K8bx!(# z6$JuiS*hm;1XHf_&8s zsOb5L}&vF9F6aLYv_t>Q3(uMZTCuL8i* zoYn;1;$g>fN1b_d%idA-w5A1MXzoqM);RGw03nCl$c6egE|feQuZ*b1n_wwb(ESz4 z5CpVm%%?SUBnyr8 zlM9f?dF!G|l9dVyQeAK$SWSbPnYAqDBJ1t9GiqH6G=h6CSpy?xlycxF@O{rCg6Ryzt{3V0X!rllsocYlcM z%YOIsT}cuyudqW{o$)&cL}OIFUMLN69P7E0pJ4hc42Gz`Gm71#puo1pU+7C+1ZCh3 z#9nIIFcPjz`FAG?YC@?d-|fDS$0hvyLmcVcWP=CVfp%s;KX40NqDeVXwpiUSkcY@M z_o1+JHStQYBPPp)aY&~rl4y`mNp#&JhO6I45VZTr+5 z?E>bS(~g=4cw271IAn2C7N(a_UWs3jXjxo(=*zlsb#rX0z$hPMDC3ZI?D3<1wLE+G zN5m};YnJ=%yeC-W=viqw2ei4_xrVg4PX1(ty?gFrQsFP3 z*QMJ2{A0caw!=^7-FSE0mk*!ziZXZcsVzL{I6{^OOJ4`|g@p#yfCaT^U zGgs9k=axBg8@rLiY^mv4;+Jnjap7OHwRx&Xx}G3m`4{t7U7qgz;&644MM^3-cD%&Wa6B8%<{t z>JTK2l=$G607LCnmhk|l!h$_?UZF+9_KI1js)Dl1Ig{G7{UQnfoTluSCxa)SR}MFS zmaYXJU*#I<${k;RFA85Hyvz7AxVXOFnl{Ov8!RvaPdBo<3b15WlFfz=j#&e8{q4LQ zRZ_xavq;STS2bY?M%t#J>R&!>1Up|; zz4^7g-jKj}cdJ(rPwY`k=$ zb=`(wF7R1XXcMN@MR7Aq z0Xmkv+eShvtc%+&A&1_4a;7o>)yq7QP7lzx{OvQvPZ;?gOL||n!(Le3U2I;L zGyhqmD5SInI6K8k6qDyhwzPOnngX3M408#!kA9@B6?Iiq8B##V07f+3GpYL$Enn%v ziNSiykee3J?JiTHRRYo+8q?RM)ZfZ&D;S>ubNlA7yso>jL3M22^-j2ZPqJxMt?V7* zt&~G79p>a}cx`s4J;u|#a(R94YQA+p^;1h*834Cybo{|_b**{aRg|)`{Gv-1p&KD+ z|ELFQXA~?}nn!{CS{l42_2e7;AQs8EsAUPcifKt12ONTQ)%71_IW<|JIi!xvLfgDA@gL=o~p&r{JJ4n z*4Ti8c|h`vP@iC|u1meNX6k@U^3&VH_n1Mt2dzeEN@OnG9^=E{?pTK!gP7cRpws*z zdG9k+(%OpjzKwSHThdZRXxJb_{fGn0XmDywf~YCtld@}4&Ke5?-e-$gf*rCz`aZHZ z+fJ*tK+M^XzgPhGqJGSCc>H)}8cqO2*df6#7+*l({6APC2cQ4XqmrGB1||~K1b=(C zvyQ3~I=y{>>Le#bAM$$NV#-;<5)r@H9)^0aTA3%0-W4R*w!V1ro5$v7+TgQ%tq_`{@(&_*%5HV@Tf+e$adX2+`K6eOxzfnh10!@0zH%lS z?pLe`n>vZxgdnH}bw9bE69#|mo{h8oIfH;=_7(bPNt8qY8X}a2#q6*)w6)^u_?_N_ zfk7D<0K@qCw1p*Js0LuY70)|3%j_BW4jg|zw7hxK#|o>{&tU4Wk+4X>@R;ny2gj_i zpGZWCl>HM(CMjTkc4zyAN|(oFrJRbrX(~e9n)$M<^Qq3%9YxS>vYF|kF~@}j0`Yqrp8gj!Nd`gVv{?B0F0>lu<8ynNFC0T22!USg1V9tBaueaU!@U~(+1kW45MxegZ-juz6N6d zbFfZ*whAF<`+Vh+yQ@xSzWv(o*MHB--fC*DPt?Rl*bP^A;~KR!@{D}E?=v>NF4@8N zCnmxx+zNx=gP4GTH`|W=W$Oer8ZuGU+vRQ8x>A<4MW}2QfPzPD{H~d0^M1WC954CY z$Esi!5=zZdzfkaS$t29O(4Xs5njElAzY)4M5N*1WwEyz3+DY)ems#lr5c}v)`5!26 z68GRY{d7bFAb9HOTKQVKt88hSmS%yjfvMj5xluU9Oej}X?^{TT6Fv3%uL$K+ z=Z#@J@Kl7ED@-Hh{IVr4OS4}ty@sr$a8!SXoh%eF+>>e5^QOzeM*T^spbcxyPRKf5 z8ft(6fLYN!Iw4aZpy=$|w|G4oNA|s^&9u@B(iaoGK}fnzQOilZI|W+BZ=TV4+uyjr&6O}Nd7pn%g@{NRIe7L1k>5Rb z!zWOALZXxd4Qqc-nJ!tp6q3H&0?=$(bI1x?KZTh3Rdo?ba>k(-3v_M5_x`N)-Og?6 zy)UaB(0$y#hE_yBf8q#d=uh8@E4DoeLegW?RaRxDB!4KR7CDPQza({!m`%|nIUYVd zWK{+^5Ad`b04YSvW%bJ*PDN>CnWtGR3zqy+qn+}Ki+!>IvOQRUftQtClaz z{1Ln_NN>DVNkO6HQ+wRuBV?)aKAm?97De=_R?g0pN!a33q}q;$ACXKVg2($L#Qfd< z;@6W7mkih<@3#+pQbf2R7W`|iG{F3v6{FlfuYGPFHO}}q{GE2)+dnm>L>Np@{&`fa{7%conCeE<3yFk6;)-ZWzBjBFHYuKglDPWBzc*` z(H%Dytbfk8NMBP1hnE#So~}+mu{7uNFy=C`t3B_ zt)FB|d>xu{(yi{xn8&_`_Z3sm_&Gx{U&1=3cXsc5zGR*2CJm8sj6}oq_HlY6uCi`(?sxBaP zP?jwCh`MyZTl4K^Qv4Gaa@c~cpNvJIQ>#Aoc9)OY%jGX5Vd<)nCrxpuK0smtuNDAt zQ-!Kxas;wS@ch#JwsmHtVSSn9@E&?`t8?18No;RNW7<$~s!R zykxb<7|ciTFp68My^1YcH1_ldf8L+y2Q!Assz!=Vt}ttu#svits@VTJZgc&|>Q^(0 zDi-%#9IpQE`@8stYg^aMvq|Y+@VOw86!FcssZS8n3cH0V-$Z@)jEej%rt`Oi&^Orf ix5CnY?owD4h^@!ynEb|!f3s`(SzNa:3000` (or `http://localhost:3000` if using on same local machine) and select **Don't have an account?** to create a new user. + +![Onboarding Screen](/onboarding.png) + +Follow the prompts to sign up. + +![Sign Up Page](/sign-up.png) + +You will be prompted to enter verification code. Check the cluster logs using `sudo docker compose logs` and enter the same. + +![Verification Code](/otp.png) + +## Try the mobile app + + + +## What next? ## Queries? diff --git a/docs/docs/self-hosting/install/from-source.md b/docs/docs/self-hosting/install/from-source.md index 9d010190dc..3fe2ba712f 100644 --- a/docs/docs/self-hosting/install/from-source.md +++ b/docs/docs/self-hosting/install/from-source.md @@ -5,7 +5,8 @@ description: Getting started self hosting Ente Photos and/or Ente Auth # Ente from Source -> [!WARNING] NOTE The below documentation will cover instructions about +> [!WARNING] NOTE +> The below documentation will cover instructions about > self-hosting the web app manually. If you want to deploy Ente hassle free, use > the [one line](https://ente.io/blog/self-hosting-quickstart/) command to setup > Ente. This guide might be deprecated in the near future. @@ -188,42 +189,3 @@ to configure the endpoints. Make sure to setup up your DNS Records accordingly to the similar URL's you set up in `museum.yaml`. Next part is to configure the web server. - -# Web server configuration - -The last step ahead is configuring reverse_proxy for the ports on which the apps -are being served (you will have to make changes, if you have cusotmized the -ports). The web server of choice in this guide is -[Caddy](https://caddyserver.com) because with caddy you don't have to manually -configure/setup SSL ceritifcates as caddy will take care of that. - -```groovy -photos.yourdomain.com { - reverse_proxy http://localhost:3001 - # for logging - log { - level error - } -} - -auth.yourdomain.com { - reverse_proxy http://localhost:3002 -} -# and so on ... -``` - -Next, start the caddy server :). - -```sh -# If caddy service is not enabled -sudo systemctl enable caddy - -sudo systemctl daemon-reload - -sudo systemctl start caddy -``` - -## Contributing - -Please start a discussion on the Github Repo if you have any suggestions for the -Dockerfile, You can also share your setups on Github Discussions. diff --git a/docs/docs/self-hosting/install/requirements.md b/docs/docs/self-hosting/install/requirements.md index 37ac281eae..07d237751d 100644 --- a/docs/docs/self-hosting/install/requirements.md +++ b/docs/docs/self-hosting/install/requirements.md @@ -5,6 +5,8 @@ description: Requirements for self-hosting Ente # Requirements +## Hardware + The server is capable of running on minimal resource requirements as a lightweight Go binary, since most of the intensive computational tasks are done on the client. It performs well on small cloud instances, old laptops, and even @@ -21,4 +23,9 @@ experience with Docker and difficulty with troubleshooting and assistance. ### Docker Required for running Ente's server, web application and dependent services -(database and object storage) +(database and object storage). Ente also requires **Docker Compose plugin** to be installed. + +> [!NOTE] +> Ente requires **Docker Compose version 2.25 or higher**. +> +> Furthermore, Ente uses the command `docker compose`, `docker-compose` is no longer supported. \ No newline at end of file From f06403adc70aac3ba16ca2f973c2fdf0d0ce8bc7 Mon Sep 17 00:00:00 2001 From: Keerthana Date: Sat, 12 Jul 2025 12:56:45 +0530 Subject: [PATCH 038/302] [docs] refactor standalone and from source docs --- docs/docs/self-hosting/install/config.md | 25 ++++--- docs/docs/self-hosting/install/from-source.md | 11 +-- .../self-hosting/install/standalone-ente.md | 68 ++++++++++--------- 3 files changed, 52 insertions(+), 52 deletions(-) diff --git a/docs/docs/self-hosting/install/config.md b/docs/docs/self-hosting/install/config.md index 0fd4f8e468..99a20525ea 100644 --- a/docs/docs/self-hosting/install/config.md +++ b/docs/docs/self-hosting/install/config.md @@ -26,18 +26,23 @@ Here's the list of environment variables that need to be configured: ## Config File +Ente's server, Museum, uses a configuration file + ## Default Configuration ### Ports -The below format is according to how ports are mapped in Docker when using quickstart script. -The mapping is of the format `- :` in `ports`. +The below format is according to how ports are mapped in Docker when using +quickstart script. The mapping is of the format `- :` +in `ports`. -| Service | Type | Host Port | Container Port | -| ---------------------------------- | ------ | --------- | -------------- | -| Museum | Server | 8080 | 8080 | -| Ente Photos | Web | 3000 | 3000 | -| Ente Accounts | Web | 3001 | 3001 | -| Ente Albums | Web | 3002 | 3002 | -| [Ente Auth](https://ente.io/auth/) | Web | 3003 | 3003 | -| [Ente Cast](http://ente.io/cast) | Web | 3004 | 3004 | +| Service | Type | Host Port | Container Port | +| ---------------------------------- | -------- | --------- | -------------- | +| Museum | Server | 8080 | 8080 | +| Ente Photos | Web | 3000 | 3000 | +| Ente Accounts | Web | 3001 | 3001 | +| Ente Albums | Web | 3002 | 3002 | +| [Ente Auth](https://ente.io/auth/) | Web | 3003 | 3003 | +| [Ente Cast](http://ente.io/cast) | Web | 3004 | 3004 | +| MinIO | S3 | 3200 | 3200 | +| PostgreSQL | Database | | 5432 | diff --git a/docs/docs/self-hosting/install/from-source.md b/docs/docs/self-hosting/install/from-source.md index 3fe2ba712f..6b2c168ab2 100644 --- a/docs/docs/self-hosting/install/from-source.md +++ b/docs/docs/self-hosting/install/from-source.md @@ -5,16 +5,9 @@ description: Getting started self hosting Ente Photos and/or Ente Auth # Ente from Source -> [!WARNING] NOTE -> The below documentation will cover instructions about -> self-hosting the web app manually. If you want to deploy Ente hassle free, use -> the [one line](https://ente.io/blog/self-hosting-quickstart/) command to setup -> Ente. This guide might be deprecated in the near future. - ## Installing Docker -Refer to -[How to install Docker from the APT repository](https://docs.docker.com/engine/install/ubuntu/#install-using-the-repository) +Refer to [How to install Docker from the APT repository](https://docs.docker.com/engine/install/ubuntu/#install-using-the-repository) for detailed instructions. ## Start the server @@ -187,5 +180,3 @@ Albums Family and Cast in your `museum.yaml` configuration file. Checkout [`local.yaml`](https://github.com/ente-io/ente/blob/543411254b2bb55bd00a0e515dcafa12d12d3b35/server/configurations/local.yaml#L76-L89) to configure the endpoints. Make sure to setup up your DNS Records accordingly to the similar URL's you set up in `museum.yaml`. - -Next part is to configure the web server. diff --git a/docs/docs/self-hosting/install/standalone-ente.md b/docs/docs/self-hosting/install/standalone-ente.md index 96db394cd5..56c4f180d6 100644 --- a/docs/docs/self-hosting/install/standalone-ente.md +++ b/docs/docs/self-hosting/install/standalone-ente.md @@ -10,56 +10,60 @@ description: Installing and setting up Ente without Docker First, start by installing all the dependencies to get your machine ready for development. -```sh -# For MacOS -brew tap homebrew/core -brew update -brew install go - -# For Ubuntu based distros -sudo apt update && sudo apt upgrade -sudo apt install golang-go -``` +- For macOS + ```sh + brew tap homebrew/core + brew update + brew install go + ``` +- For Debian/Ubuntu-based distros + ``` sh + sudo apt update && sudo apt upgrade + sudo apt install golang-go + ``` Alternatively, you can also download the latest binaries from ['All Release'](https://go.dev/dl/) page from the official website. -```sh -brew install postgres@15 -# Link the postgres keg -brew link postgresql@15 - -brew install libsodium - -# For Ubuntu based distros -sudo apt install postgresql -sudo apt install libsodium23 libsodium-dev -``` +- For macOS + ```sh + brew install postgres@15 + # Link the postgres keg + brew link postgresql@15 + brew install libsodium + ``` +- For Debian/Ubuntu-based distros + ``` sh + sudo apt install postgresql + sudo apt install libsodium23 libsodium-dev + ``` The package `libsodium23` might be installed already in some cases. -Installing pkg-config +Install `pkg-config` -```sh -brew install pkg-config - -# For Ubuntu based distros -sudo apt install pkg-config -``` +- For macOS + ```sh + brew install pkg-config + ``` +- For Debian/Ubuntu-based distros + ``` sh + sudo apt install pkg-config + ``` ## Starting Postgres -### With pg_ctl +### With `pg_ctl` ```sh pg_ctl -D /usr/local/var/postgres -l logfile start ``` -Dependeing on the Operating System type the path for postgres binary or +Depending on the operating system type, the path for postgres binary or configuration file might be different, please check if the command keeps failing for you. -Ideally, if you are on a Linux system with systemd as the init. You can also +Ideally, if you are on a Linux system with `systemd` as the initialization ("init") system. You can also start postgres as a systemd service. After Installation execute the following commands: @@ -71,7 +75,7 @@ sudo systemctl daemon-reload && sudo systemctl start postgresql ### Create user ```sh -createuser -s postgres +sudo useradd postgres ``` ## Start Museum From 034eb69473a6d85ed5736e37159818cbcc7cd0d6 Mon Sep 17 00:00:00 2001 From: Keerthana Date: Mon, 14 Jul 2025 09:52:05 +0530 Subject: [PATCH 039/302] [docs] simplify S3 configuration --- .../self-hosting/guides/configuring-s3.md | 56 +------------------ docs/docs/self-hosting/index.md | 2 +- 2 files changed, 3 insertions(+), 55 deletions(-) diff --git a/docs/docs/self-hosting/guides/configuring-s3.md b/docs/docs/self-hosting/guides/configuring-s3.md index 55f2f3b356..c82de3fe25 100644 --- a/docs/docs/self-hosting/guides/configuring-s3.md +++ b/docs/docs/self-hosting/guides/configuring-s3.md @@ -5,68 +5,16 @@ description: from outside localhost --- -# Architecture - -![Client, Museum, S3](/client-museum-s3.png) - -There are three components involved in uploading a file: - -1. The client (e.g. the web app or the mobile app) -2. Ente's server (museum) -3. The S3-compatible object storage (e.g. MinIO in the default starter) - -For the uploads to work, all three of them need to be able to reach each other. -This is because the client uploads directly to the object storage. - -A file upload flows as follows: - -1. Client that wants to upload a file asks museum where it should upload the - file to -2. museum creates pre-signed URLs for the S3 bucket that was configured -3. Client directly uploads to the S3 buckets these URLs -4. Client finally informs museum that a file has been uploaded to this URL - -The upshot of this is that _both_ the client and museum should be able to reach -your S3 bucket. - -## Configuring S3 - -The URL for the S3 bucket is configured in -[scripts/compose/credentials.yaml](https://github.com/ente-io/ente/blob/main/server/scripts/compose/credentials.yaml#L10). - -You can edit this file directly while testing, though it is more robust to -create a `museum.yaml` (in the same folder as the Docker compose file) and to -setup your custom configuration there. - -> [!TIP] For more details about these configuration objects, see the -> documentation for the `s3` object in -> [configurations/local.yaml](https://github.com/ente-io/ente/blob/main/server/configurations/local.yaml). - -By default, you only need to configure the endpoint for the first bucket. - -The Docker compose file is shipped with MinIO as the self hosted S3 compatible -storage. By default, MinIO server is served on `localhost:3200` and the MinIO UI -on `localhost:3201`. - -For example, in a localhost network situation, the way this connection works is, -museum (`1`) and MinIO (`2`) run on the same Docker network and the web app -(`3`) will also be hosted on your localhost. This enables all the three -components of the setup to communicate with each other seamlessly. - -The same principle applies if you're deploying to your custom domain. +# Configuring S3 ## Replication -![Replication](/replication.png) - -

Community contributed diagram of Ente's replication process

- > [!IMPORTANT] > > As of now, replication works only if all the 3 storage type needs are > fulfilled (1 hot, 1 cold and 1 glacier storage). > -> [Reference](https://github.com/ente-io/ente/discussions/3167#discussioncomment-10585970) +> For more information, check this [discussion](https://github.com/ente-io/ente/discussions/3167#discussioncomment-10585970). If you're wondering why there are 3 buckets on the MinIO UI - that's because our production instance uses these to perform diff --git a/docs/docs/self-hosting/index.md b/docs/docs/self-hosting/index.md index ed17a17a54..d5c76eaa72 100644 --- a/docs/docs/self-hosting/index.md +++ b/docs/docs/self-hosting/index.md @@ -12,7 +12,7 @@ For a quick preview of running Ente on your server, make sure you have the follo ## Requirements -- A system with at least 2 GB of RAM and 1 CPU core +- A system with at least 1 GB of RAM and 1 CPU core - [Docker Compose v2](https://docs.docker.com/compose/) > For more details, check out [requirements page](/self-hosting/install/requirements) From b260648192fd0dac6595568ff8bf6c54d983c5c1 Mon Sep 17 00:00:00 2001 From: Keerthana Date: Mon, 14 Jul 2025 15:04:18 +0530 Subject: [PATCH 040/302] [docs] linting and complete get started --- docs/docs/.vitepress/sidebar.ts | 8 +-- docs/docs/index.md | 4 +- .../public/developer-settings-endpoint.png | Bin 0 -> 125335 bytes docs/docs/public/developer-settings.png | Bin 0 -> 157285 bytes .../self-hosting/guides/configuring-s3.md | 3 +- docs/docs/self-hosting/index.md | 53 ++++++++++++++++-- docs/docs/self-hosting/install/from-source.md | 3 +- docs/docs/self-hosting/install/quickstart.md | 9 ++- .../docs/self-hosting/install/requirements.md | 11 ++-- .../self-hosting/install/standalone-ente.md | 12 ++-- .../self-hosting/troubleshooting/docker.md | 19 +++++-- 11 files changed, 88 insertions(+), 34 deletions(-) create mode 100644 docs/docs/public/developer-settings-endpoint.png create mode 100644 docs/docs/public/developer-settings.png diff --git a/docs/docs/.vitepress/sidebar.ts b/docs/docs/.vitepress/sidebar.ts index e0ebb61296..7ca16798cf 100644 --- a/docs/docs/.vitepress/sidebar.ts +++ b/docs/docs/.vitepress/sidebar.ts @@ -276,8 +276,8 @@ export const sidebar = [ }, { text: "Connecting to Custom Server", - link: "/self-hosting/install/custom-server/" - } + link: "/self-hosting/install/custom-server/", + }, ], }, { @@ -314,7 +314,7 @@ export const sidebar = [ { text: "Configuring CLI for your instance", link: "/self-hosting/guides/selfhost-cli", - } + }, ], }, { @@ -373,7 +373,7 @@ export const sidebar = [ { text: "Backups", link: "/self-hosting/faq/backup", - } + }, ], }, ], diff --git a/docs/docs/index.md b/docs/docs/index.md index fc320f86b4..fa15f6be8b 100644 --- a/docs/docs/index.md +++ b/docs/docs/index.md @@ -19,8 +19,8 @@ have been developed and made available for mobile, web and desktop, namely: ## History -Ente was the founded by Vishnu Mohandas (Ente's CEO) in response to -privacy concerns with major tech companies. The underlying motivation was the +Ente was the founded by Vishnu Mohandas (Ente's CEO) in response to privacy +concerns with major tech companies. The underlying motivation was the understanding that big tech had no incentive to fix their act, but with end-to-end encrypted cross platform apps, there was a way for people to take back control over their own data without sacrificing on features. diff --git a/docs/docs/public/developer-settings-endpoint.png b/docs/docs/public/developer-settings-endpoint.png new file mode 100644 index 0000000000000000000000000000000000000000..11ab74d61e159fb035a2ba3bc3fa4a769d20cb1e GIT binary patch literal 125335 zcmeFZX*ibc`!#&ktr;$(uJ6 zNhFFZB+|}1lw0wWeg`TKe2O$smo&U}i^PhrDM=JtNTh%8)fVCxw`}>JuXo-dk-SVu z6vWT*PiV`*|MzQri;t}_3?$+unegv+0A2;3iQoM9L+{=_{VP0|x!4VOxwzOb8Qj%l zzpH1+#eVq`&t>j=_joQFUgE?{{C~YM@fv9|RDbYki?yPJC@Hm$b`;UHIy*Uq zx2f?w`(&KKo1PCcwTjk~-Mrt

UH@U8hm|ylvaz4hp^!;i09_>F!YLeO|TPKj&xL z-i9vK6!HzL&+|{;GP-z_xIxm70M^!2;tLY<0cGNo@jj7l`1ELq>c8LqpRR`NWm7d` z4S$fWhwHNMwR9J1`=`ZD~qdTB`MfMpIc?SwMiJqhpR`UtL8- zMRj$uQvCCf5H*wglq3>sa8_2sRfBUS(%PII z9R>d`G@U$ol0Q6ExrJS+3on&^Z^vG`P7!&Q2wdax@^VwWoR^nZL4Lm5@-Hv{c^l6| z=VZ+~GVs=d&VOk69>#=j_4M>Ks(Z`lw(fwJcXKPw&9tBHrJyE}BA8E|I<;dT?Z=pb z7|BtT<_k4;-YbQIW6KYH|tRpo>5eN7n_16vm9 zs+-;kVm>r6r=uxZX*iGWk(88FP*9NYKY2@9+PNk^?BR585m%nV6c$4V&@6XD-mQT|uYV6DTR>d0ot*ne)GpnLB zKr!tj-Bmk^?c29++ZI&3HE54WETxHw2`49K`E$C0hl5qWg^MbDLN*xVq>P74F`sYH|MH3UcP)u6I|l7I5r&VE@V9*LQukoPN-m-)7`TzU}yT zzY|>@9U6_Zhe;&mvyJspb#-;&{I*<5jUzK^kH37>DZe&*Tl;q~MAxw9_3ZN6qoBJ|2afXVwo?>S zGh3&~DaWG6NgzH9X&^>=baC}L-Bp^UKAguKwba`zMGFfHwEQ*+US1NR%KLFGS5{V5 zLPJCQ?R;q1rDjfSZv0&vWQn!t$+s+8RE-w*8!$M|W7huh?$_QT=gsx`dZYRXYJ0rP z;^+VTRGXlQ8crx!Y$6X`UT*dKQockeiFIJyg0?=+s0bCZQc5~v*bTP*eC02?>A z(nfb*fOOCGg)0-eJID=%q&he{Jy27WtO;oRI=f3nN%uf1?;F$N0l5cY-D+CSqdFh)}(K`_|0dye#|#kJ-BIy=wA3#(ns=%zy~7;AKS{-iOY`Oh!dT1&Co0v_=8M@m(-wKYZS>({SMO--?L=3Sp$5qW;8 z?XLp^&!mhI8-+7~AHR4(HCn>q!O)zj6t9-1grc4dj&@SBQlYVeDU)2>s;K!yX#)7D=RE@ zMUL}vS(8&!8|q_P0;)1Bde&qW3+;CYlrKr8wfUdmwHW#Fjz7F^8pa?AV7i zhvZ&qUvfWMj4Kz7*lpaOniKpQ=`MeNW<#lI5#)i z`rM~`1x>UBcfM%R;Ebib6d!n4M6AGuKRnU%xaX$1g4M%^yC^9iSX(D6M1RLV*F_2= z4&4&1)o$K=mXnj?vRblZ|4HW5)=Z=N;Rxqck;mJ&KmOGiE3K7dQRMbF-+`H*pP!3M zk+vKVik0p0mlxsT?0rhHQb9P+yyl%*hP9}Ey}rJ_E(;?s9gMNmh~&A2g}`0X`%ij| zMjbqM%*2f<@A2cuX=#>~o7)e42vfvg$XZKPQYo`0nKZ>Qoja#nV8?#>ayE8-Zj&+!jr{*B?Ju2c^U=$mM5T$N}`)%J@>JzAW0(j4iWHI`K+$!4rs z@}=U9TAbU~51|Wl6CIh2p9-zLTn=nw%W#r9Aj2E4UZh98m7O(66#=e&`*zHf)?6RY zz~(3?zk50Z<)=@daKm{{i%F|CB+|^c`yCkuE-r<+?DP+&`}-NqrR(?a!eXwDrW8sIMX-|IxFhP`aR7eEVt3A(K;x;1_{`3w2kg{|#kkdbu>ud=*NY zzez7LGBc+)=~r0&cFlDZ4G2mMn$}jeMP0VeZ}_8&BVd9G9v>6)me2a^rAy5+ee5Rv z9N5leekVsq$;var!kY`DO*Fkr2zsWZG|A(VEFKK{csF-ttlg9rXtiJyExVY=!V!(m>mSR>B=%uiWc8H&+F&wTWB+?m^k*gBrZ(Em57ov-UORZ`kRMN81fR8dXY2UlTocm5 z;OR)Ig^HJ_#j6EemS>h{e>X~(?OG^uUJCxi&Bf)mHp#0rf7qw7sj2OQhEhi7@z}qC z8O9Ba#NEm_qykssXbt1<=k`Utr(xH;DS28@&=mz^uCjWYNJULe_b2nPg$yLfIV%?1 zv1Uj7c5Fx(k9ok*jSveuTH5nP6AjT4FH4>Q_wGtTTsGS2>FF68C*;=vBgX37-Ft#Z zc@K?cbHd9)y0eUodS5)Y0ikd?6|}dvZ`(~1_)Dqaj}n=I5<$?KDk>)0#^IOmyfn4G zGGDg-b70`oz3+P*``DeG*WCWDN^TyvpXv^ci0Dnx%E3AdqWI!nfXH4fttqB?9jBst zFxJd6TXNak+q=(Y{uZ_>EKKX}-Cu*%AxJ>6>1;UL_$%f%VHy%iUHj|Py+uVuu@|Vv z+tTDDB}e;8N)WYxwYP8I*4K|IEcp(Y({kjPkc)$;sK;U1RGlJz=RXrjd5Ge+6fL#4 zrOQYIUi;~bQDN1;cXaTbKK<2riK<%VSs)|3$UnQ0@W;CItQFbHdkXA1bPC%OmCiZ- zr`UDv?AfzAxer8K9C0!d)e=fk(+3V&Jp<^Q?=($gMKyMjOl4ZFQVRV;?;tMSE%H zSO^+a9bTD}*#&6e{@aiD@RpsxjH(wdT(B(p`)M`t`j@sgd%%*o=O_|x3k?!;&-LTl zySn5;xx|V|(mRy{14XT+cK&$(UICS2v^#Ge5Qjo!W^qyF!yyiYvh&}?HWcvVG&D4H zbnKBAezdlJ0<1*vp}6o^hX6O!zqvgAYUtEcb-!35$*R)qxm+YTmZChE}I6& zeWGTHMfPuatGJcFjKR#<>&qP+`Q}lZIjfntfuW(exVWK#0p&!+vbwrdoWHrmS|4S3 z`3J*wbXLCt@e-|Rx_zZ$ZxH{nf#Kn-(d`nV6WgaovE4 zEG#TeMZIVQ(%Nv4^A?1k1}jOK^cJoFKC5L|pOby7-oLi7{M(;NC?});t};=_T}VZa zJUl#1%a&d-n%Vc~Sp2t;J|9B=kXjLZNIEw^Ke(K62X!p_w%9L60hdV1XJP`+QLq!8 zXu?IT)sZ7d;?+xI_XNfHNZq+}r}Cik%3nU};88|8R=fXsm}PIFqrAL4UrW5` zX;e})y0qW_*JlraKN6|-)PKJvR^`8|@qhhccw0rQ%*e?2L7QN^NK6VQkE=2as`>4w z3SCwnnyL}x*tK+(x~L3LAMSt0bv+nl!uf+f5DcO6m7t3WH(A7PsBU@GSb)%21GHRd zk^`5rQO!}}GV}94*`^evgaMoFkH2)Y8SNj_V%)>h^C{qp=7aLxsr<>q&0On>9-AkPdUB2 zz=NNkk;}&xSJ5szIyk5oD3TsYrRwdVj%JB<-`ptK+;9e~g(xV}6KdhEye zqJJz30_jHu zJI)kO&u_zg{`>^~5RFuk?YQdW?Rzz|j2qCDMhH6FP51VE|Nec%yP=_BERl>B6BW#G z$Zp%VZMAPMgBv5e3=`K@#g=xI-SXnmI{eMg&;NP$>>0OF-LqN=RAh^$xLWIa!Qts? zUHx-8*d4*eW~Dhnu#O=Yw7J}a87O%zy02iHaDQ@sh_|)fL292r&H{bhZVv(0EFJXXV3XB`b|t5v`pwtgZIzT zQ2ZLGd_~7^Lq&0lg=KW9&%F=-1Juw|ZxI`%sG*^u_qlcl0C<3meRTYX4;^|H5CF;# zom0}YY;&|qpi)r(6+g7>m!4f$oslZ-WEBRfg&bKF~FId3u(8`v$mI-qQmD zVCX;pegG6xS5s`;Hrbwj-K`aPuGV*h_voITJ9kPvr(MChOw%m^xLCx6Ac{YimBk|Q z;4Vkn(jqf6GY5kxNP%0fi_Q1g_a$zUgbA#GKwWS96z$S3Ys{Kl@@Ht zMqdxwW-yqw-LnXDvXX#+K#dv~)*0`6xzE0?rNtI~U`IzsS$=j&Nr{6of*~RzBJP5a z-9$SmulbaMoVJpxZfx7lDy~E>DG_EV z)08@-yl4AYFgb_g_n+XYky)7^uD2&Z@BEV(oY%_A$}ykw8W}efxR{wMTm+AtSC6`4 zfGZf&Ly+t~asl@ND24=f$+o^Z|jTU$Z5 z_1qQSCVBD5=n7-`4m45?(m@Ofw{su71G_<^ibaqUT0u+NSF^2pKw2@~qY8=1XMHF) zH}~*LEg$$rkh0_tD3taZ)wyVcx}yxxA^Ss?W?u+Z6U=f+%^2WI#n>;y!m*# zBXbyQ5Gz}m@POZLV&vz~2L$IOXJIjg4W#zJ>cP+rZWpN(8%X|(5`z}c7*vgu(`ujl zCVNRB10{HCSM(altQY77ehv<{;46e#rSwxz&%MXEz8Nz?ufeHh>HGcj=g;ZsH0Do8 z6t-G^43x-5V6>7nv&Zmmr%#`zmWaO<_6Mk7X|$<)B!zvpUU<`&?rQ7EJEDfAXe|-q zNPUC~ZNA;)n=4E$`LRmp!qGjbFBs{UV7Dttd$>4?i>iyGN5bYNiMz-e)2vfnXoan~ou&4~rW=WI?vC8;_s6R{!@wtBA52Qg=3h(O zUjPM+mh5x0vtSHAqXIR5z4taeyyfqQs&(s2ulKPcSDqiV+>4T?e4Aj{#idc5tGXB| zL_VgcD-4r~Rm-AR-ull!EwebG<;K!Kah#i{pE?N50KQy_O6u2{G2eoPJ;r~SGg*NU8BDUSi(_d)yrh<6S@jD9|x8GY_ z+_`U`YTz**v)Au^`Q48C3P$GT=d(sU;<%j~#XOIf3k%hd?%C5wFshbg;?v1)7iwy2 zRs5qa&TkA44<|c+xE0D3TOq7LMS+90yzHQ))|+P?zj}DlNcm)BbVF3egI}WDA=y7r zaME%oc>7%LB|R`U9{He=iCF#wYWw5IkL~U1Vq01KIlOP`B~kPLZ!f@a5%3gc&7_YD z3pR_!v776|!eqV1=Jtnx@SG|w2?@-$jv~~`zJIhYEqa5~tOuhB>MU6;4PXR`C%)GI z{y$iQTO7*{Sl@$t1jNeTPhDB~`Q@LoY7h?{wiq8aVHqJ~yr6bD;eNY2M#FaNqzr69D$C z>|5g`Lj7v?V+BssQdL!bx#YAqnNxdye71BqM}k)ew8fhn8E=IovatYfLcg>=B+F?~ zJwaP@Oy;~m3xXH0=oXaEiWjGlHeFEQ4$t4#7?;+w-CS)ek@0(+q!eEVz3}i=l=tZN z=w-&89zU=@w)R&gK|3~2D%=NNRD8%Rq5^aTS!up zO(JFG<-=%cvhCRAi)92?BxQj}3Gsp(Oew2MjjOG>xw)>xuWc(Q7c*snOD88M2c3ag zK!ijw#~poep0f1OmVXXA|C#RNa3B5o^GBwU9CynhiZA8m66q3xy+t?2_?n*XJz?l} zi{IVdy{wT5UDH@Y*Zr|~Hy-kb%NG5KW&9n~G@L*vsEi@rSx=mvCkk(_TZ8&3dvjG< zFNMRqC2?~X-{M&E=;$a}5EzCmm{#=X&C1I27UAm&qc;4uYxUo}50#xX5R2GHa@dn4 zG#=9a{{6DSfgo=^w{s#?hgW{}m-&#lLXT98jE!0@ny(4v-hWcyMg4UZWYCwVB>?|K zJFQpd2GI`!gG)P~6ma-xP))O9tNF<+@pV#eRMa(27J0}b^g>veU)Q-?lr{r(Jm{-i zN;ZUmbcf^`#uvA2*@7((b1?!l`tsbT`z=*2TUOT2lAk{ZMt-@`_;8iBg+PqDO`=@TP}MAiWd9*m`L{kM-{DWrGHsi}S;~6w zbmJiND|!QkGmFzr*`{s5C54bM-hY#U9V#>ZI-VxyivlaE`%X|Gi}Rluk06*C4(kA{w5 zE-tQ^_{q67TIy!)Pg37|d)=_DhtA5#Pt@1c+(wijmwyWZ>x+}+49eTZ#if}$$os=G zQ+hsH^)Nn7{p~m9?@FZ4o(HGiDaBT7fCE?~>aV0qt~^e2TwjM5RVEt@*c`#p9M z4ftG!_}A;ux3aX|BJZs@g8w~u@F3(hHg1E`($a6mk|<}tzx&~B->hfvK!O^ z%x={et2#RJDx&&-{)BPhDHO#}lO!owSsjp|z((6dK-!N(hS7CfF_3PZ-$Dx1@ib|O z5OU3TDy;hQcn2U+>Qs|2ndn*s$F4Qlmb)w+txi0*lAfJS$8G5AB8U30P@#x0ef_Gr zygVM{ub9p!{kge0vNL)0SY5z(3foY|zF)XXMh?>~t&;WOVQf@2>=jxc?|cE4td%*# zP>F5I(3eEEYkn1^F)OXukm%*N)8me$?8lFifX1x^G~?dpdE3EZ848K6%WN6i9OS^WyYC;4JjL}!HJgLqpH$g*Q;#UruNBhs3<+epAG5q5_FCbA|?70RcWv(9@ToZ(SU)y^laS z0q`~0wu2O?F1Cx+!}~)9nry(9K$Y@?0`J`t+zdymIBSg0;tMXM>lGp--Isj3!b z+LlVDuO@J^MS_~8eA+tm(Q$KXDk^!8vBW+y<7JC(_4IR)YAZ4kyA=`IXxh)u^|hg` zZMizwQ&Y8Qeclpfgrj)5e{QfEz1dp`g0!^j9Y&Gcwr_tUr8`|X|9oA-p3O~?l|QRP9c(?MZk7voVv#{=&o>DRB+S0h0sF;2(oRNPMe_)(s75Lz$URv|T#dle>Zfd1Ryp($)MAXCu@ZEmbhldq#}iEAC$LNZ7Y-TrSx zAn$@k@OfKGsd|K-o}P*-N~g#IhO)8j(?q#BssmTm{l&SKU0y)(4+m}{E4~!|0H`FM zeyIwHlDc-EQ&BMpk+{^TskYRko@sVSF*p#g>BPpw1Udvdf=HlthONoaZPL!R?;UcA z23O)Nu1bczlbx~@o7s{)$KoO7=>FW`0ypiP2%HFUtNpY;LG3&8c2HWSFS9h)92y7;Rg6Z zUJQRyesv2SN#LE-4>`@NzNuQmcRoK_TbkAaIYTDMnchwO_YF&AKmZq*CASfX3IX1bo|``3wEND$s6 zWo3DsG|KKTc`#hLdR5qA=9)r=fKWNuhZ|P4Xx78>qXq+By`m1u&dK3j{C<4T_QhwO zz?jv$1It5hpuS!xOX>P#ZaNmJ=v|*NvpZ3T%qb+)D|5M-?m)TUiTL7dC!Vdkx_tze z-8Mfzf9}?sGe-eA3>+nGy;41QA9<5xWM~+tlcp9Zck|}O`FP;7G|;w>y+3e)EUc-K zF;$!Nj@rkHO5Cwl@(D!>v>j@CHz$(zCH9P0$4+r&8` z2f&0l#>qo0V!R;t>7btOZUk@8+qbvn<%uR4o=Nl-ogP>g#y! zXWf2C!vMU7eo*-}I%TQP9UUtGheMVNeVZF#Ghpp_%5t%9=w)(PY@BAl0xZw2jTq}ys@zDQ+DiwfQTs`Dl}ed*DSy! zV4?Cw22rFzeu$4F!>lw)bNC(Q6y1o+%gck&j7^HwL(0M;)oD8)(iYsb;a98}A+55r zPohG&|6L4eu!ux7T%JcGP<6wA^51m>hcH%mj#(>qKP%h=LiSU)U-GgtGs`bLN$&>J zO)e~UdMQ*1?ws9`4Mb4ll)8cU=g*(tzNIZ|IlrG3&>sFVrrc>SdN<<*4{=MnBS(y~ zzDB@8_A2z`ErSidU|spj>S}KOQ`t=5)9x?4F<4`I=>pQpuBlNGlILCiQh8KS3bXZHs* zio%C+_=ggle;y4A2+$j2M8e7W_!Na;$URmS^0V&!`$?;c!HBLeMCyWvhJZO1`u95WAo31`%0{^z2pX2RujyIHqCKE=nU@pnKw2HMV-n#nUw7Nhho9!0rh*Wj^1LWckrfS)vcGt$AH`R!{(N1j&&e)Vid73BKNjEoQ3 z*;2{+B4w48Cf|LJp-hz(X@kW=SeyNlTSGbAyMKSqdjEB=eJZ*!3en=?UQDk8UcZKX za7{WXzHJ;Fn)#T0hu${a$%~+%*eP+#Kp&rKG+Z@%?($lXqbP)iGMd%A=EMbL4rsG} ztxvyAtT0e@BwSxii-#%R;W)!TC8m@4q4>;0I8Q++aXKAvc6L_kyIWn~C@K##GGI3S z#XFA@bE?05`GxJJD(RxxjyL@Xd;w3)>-@OVg6U!{ePKm{Z&gMRGbZn$7ZTv$sP9xs zetUi=E6O|cJ0t*SRCpjFS{fSFDxE`#iHU>@1)Ysdj}^`zkTUC(7d&g?i?KqhBhm2q zef&6s)%soT&)ZU24sd}UVu=1H`GoR~+1Xj>F3S5SXlzFt4MrPd#e@t)OKibuBBcPD z_Qu^h0XwU`{SrLWV$lm$~kveOC8i zHaG;gr5<~%yLoS69y($lA88c#lI8y0^Z)!g&nJDFNK=PtXvA;aaDm^4qj1Ipc@DHp zbuc?v1W>n)IA_vjhzcAWR9Hxy=$6tF>%kM7BT)p~C~hMKo(lgmG53JFA%ID`*KN(b z>}2#m&lMW9OWXuGIcI^MASJ*I(c4>$9svTBQq4c6?D!doIXIQ`;86r6hM$8YEGjJQ z?(R-fW+`X#otvNM(1wW97z-9Z!Q5!%tas|%xO(wJi5 z^9*_OCf|K?0}u;9r>mjC3JW?^ZP}3_mR=5T=%&T~RLpMJ%QxfCW+6s>Y64K?W+lROkB6nHi}H;}Dx zh4zBlkdmqb|F?VBE~1a6q4|^M{x=yHg#rrsXXwM^FGJ5D5~?{}PxZ;6XP zEh%xweeJAk8DB)M8Slt6(oow)lAkhG*g`VaMB9#94n|eG`w$G&sJIeRTOREqM{Onj z;K#v5xoOjJuANf?FtZz|I3ONRx>hD8zlEesg3%d`84zLxDqQXP?f389n};wyh0YQ2 zg45>y_A(k^cEY8?`WmKdlxjo(%9Eji0W}RxXJ;o5Bmj6f;TD&{F-p-EAzeGh@V{Iv z`ED>~{@2d&UpEU*!GEnyScLzBSnyz=M2VY#I+AHv+nTCvI+>5ZzxLzUp6#Y>zudbK zgP`v4Um?snpu>iE_6FJlS|Rkbu-#`%Q3t3P%uHm~6CN3=CrDUGuic$32mWp0X8`1x zEOhf8#v*uIQ{Za;d?@uzHrvc5Eb?I0Awca2;m{4X>&>@i4H#q0MQwN!IlpnJ`hbNz$utC4~8@6&iT{w&B33Gs`K%_t3rp(Wanito4mX^ z=r{142m{2RlEZEC7cK$n>N97~jBM1SH}};U29bx$p{aHuyir>Ly|5m1m@> z8-Nmg7MQ0Y3LT)#@uEA*%7G5q@T2VVfVNu%rE_(46=$n};xx0Ai@lnfng|s-p)A}v zC~eTsNw{d>aY8?Xh`ka9U54QLQ5Yl!THod_j~8#= ztU{MYxc~>$_Vw$%<^%;aHg)y&9CLEd$>deIFL8EtV4wl6fRPI}7_GPWYnVsFek7}L zD0$(sSt(1=M7gbw#={=;1%oZ{Mt~JU!K$jPRM=eU$F|oVTw4FrW!ZRS6fK3=27I$5 zxl50?fBXJjYOy2RRLwgr)1>Jv09>>?(agh8)Exf-RQ>sjkX$jBhelmGUM7s^7Hey~ z9KF?WAd8Z3uM;N28X*jOlcO=whG4j)nGU~9xUjp9s|d?&peHPCGC1-^7WA}bPFhmd zOBhue92oG$7@2Eoa`HIzP??@f0s^=9@a=+`>H;(K%%49rx@eGftll?U{Q0_H_;#T~ zLsOHI>r2FIAIvPxgfegiHvMS#G=zlPstE=ISI>`zK_|By`++ONMz!Le77hNcuUqsM zvIw)mexXc9A#%lWE+%mmqkNz5Tr_?!R`&I4G?0G(pL3Be4`J6hczXc8E*CiHz_^^# z&V)_`7P7w@5)Tge0*+9eY<)$=Yku3LcB!A3JQ^B`YZ{G-Zq%g5T$TK$-37{0w3KCj z5D!_8dxGS`1z^I3qu9pIZmK!)Rp2ww`Hi4|a&xb6yLZA>jxc1T6vcZ3R3@pW+>iSx z$}+8^uD%Sz8bD&>_wQ#J816tg0|M!P7ZVc$i}eXtT48k3kwUIu(qaS~HH6n^zT&W+ zPh0_y2i_*^_3M$TDIwU=@!LL`4|jTe#A*Nh`C4?OAzB{nFM+O2{C)oYSeSzdPH=%} z^7SR@4#Njc*p%U4K5`@kZ29776DB%+yhN{Ghi}{LMT%5R+c?3OVU`dW%EuXC_~{1y z_OCcohre`6j&9}`)hHY zt==!(%Ns$+7Qv$6z|705#(LI$Xdl?m+h;(!@6s$;pYvJ&LClK{H)E6&0z_%4DB7^d zNOwp?pxnH@oc>HCE{EziXr~~EvBEU2;gaJ?i-7u^X5)LtRb=5OZiOxuI(Q8lZ+E9VccL7sK<=dq9ml}Y$!w_93-vFB9}| zRdH?ZJF0Tlo@g!^zeBu%6x7pv4`**Y)|waIs4Gq=0xZot#kK_@V$#IKd^1IP zr^3&woUCe&28nQ9EQ~I2wI7FnaW zVPVcAKTbs-f!;@qNQEBX2V${Xy~NEG13K$JkPgcHLUf!YHx46Um@jNHQkHsb+Z|&_ zA&E*68%FrKnp02{PGioQ+m<`&!;}zM`}-{$M#smIvTwb zG^6OR++i6DZq`j}lf%6hZKmY(9=sYbI6TZIRExnleM7@t9zRD$u9&u-cN`WJp-NIt zoP$HeXIdYSR{6fNYri$h-0KjZ&W=nSi&D}0Rs!}AEP%-$!W!` zf2G(dMepAqv+r|lL*7{Gb>_Hwl?aKf=R?)na^-ze^J7VNfttic)i1r64*0-=$S zkwHOBlSIfs4*xcZ)W`DPBLVRe{P1+K#{c#LGz(w6_z`hG_7@7E;y;}b=h=nN+%mZc zT_$=M?A!wsa&l>~DXs^lx_K?^vguh1xB#h_2&d^qsp}$Q`bI{)X!4-^cLP9xy2Q@n z_fu?aAixqJK+modjX(JWGDKtO3@Ve4fuf?KZ?9T}k8cwC+DkDy_eBp-`~t1oFK=6< z!*OfhS!i}NyaYX&q({u%sf!<n_Z2x+jn6Y9w<^wr>c2$?m9V&@s_S(oRtiJ;Op1w z`mijM?y$FzFX)-~@83kx1UeZYz$axXl&e06-+L3aUM~2!p;dNqb*C)r&qdA{2FK~t+?>u9B3)dWscx+YD!o63oTnRKS^UbL08LVXh{Xds@;LP^NB4a5= zPeY$_C8pnO@T{q>mKLzV%!<;mlouFf@(1D(8Xv?CX_uUpiX5G>2de zBLZVi5ve(DADxhkdiM(gw%ab)_^o{kpZ&+N8CA5{*fga|_TZdtNi_$k0z()-Zs@d@HUSWXH-W z6NVyb)csIH9)SnAJrdkCBTZnEs7vuZ|@V}Aj1WnKj|rQH2mkE9Wg;0;=V^u z(Z8L6${?*_0LC0nGO{(W;wr4Ic32%4wi;RKneLgIvZdTy#>~JoHS32D#~Px&@*ltx z03!6X1tyxL1%Ii-zKGRyb#)~M;o&jQy+qwq*Atuf7z{q9^`fsh!2$pswX{^)l`z%H zadU83{+a0L|K#WAr*~5kIJxZ4TWBs;lVU3k(7Iu*k=&h`x>{(H&+mMHIE{Fg7@7a7p2CH7qjU{P5P^C!pSNW;6Uo{r_g@2R|r) z1DXoSTjEH*Cjj2FC~IDvy8iDT2{JP$-~#*qAYO`Lw+jr!a{ykvdIhoOmql4H19SL{J#j|IJ;JN<`ZKrH2s9Xh^OjU#@+BR|*e0q*}egHbBGpS}y zD1R(Uapy5cCy)@Iy{n4U_ zKU!_M-hJaV$I#eVC#LmQat{>gxX=6)Dbrw6{Xpfvy0)gJ-U8;a?C9)|AM)ITz&XtB z7l5r`ynp4g#aV=k=ECiSE7HYr`kI<=JZ+uL?0I#6qB@Y78QoW43Y0Q827jvdmhG~7 zEgp4I^#s_5T&7RhMMFaqQ`OzvHsCiHWWq0TOfxf6mYSv&slx1VrJ;uRT?L2t%2p7| zW3$pQ$cb|hLoP4RYAR!@Zf*`4k#M_(a`pE1f~h^qsrRHI8Y3(l_;(@O>yF1ssG9G#!8;~@2DY;tmP*3&2jjNSoi-fwvCxy&UfD9Fets_EBIS2smW z!u))^UrLvAvbzWZHj=fion7#sXY88)4$#Bjw&CDhc?yww&T{4*ilYlVC#9y28ezpb(T7WZznH;<(OeOs6>?vTF z!9`*Y{wPw%s@mj1u$%!)Ye@>xPgmwpsf00T|KPz4WFWN9L@NZZj8UX(YhRx`=JaDV zI?E2K<`ww+%h}j0z`+6!=dnYF5aV6Y;t8(~>T@uMTO-^qNYg}v1iBr=yYNAvA3MRN zUx6`FR9}m+58& z%_Nah`0!3@`Nl6~hiKb1XsT(x{VsOvRxQvMPDsw*KV52?G@_KJo|wr#5RXkKMuoy1heD6s ze(+`6k=qy1Do*H-6~}}(SL(OzL>#OeKIx{y*pXAGNj$tqINcV)%U|{fbLi@rcppCi z*NiMO-5(e-=0?~edEhT*eum7UM&!l{so;g5tG+%DN=g%JM z27tlSjRb#-u}RzjWqiNjg8ZrV&;RU)$s{Rb?h@+-ICXHos7o>K?f`y_m2Lm2Csd+5 zr$4o;l|+E#DD4uGN<>8?-ba3Z{1MS0#Q%p_5v)>MR zUQbVboo%R>dlk?hhEZ|khhq19S9oIz_-xYW_ zOXkC;m8DMpyIMMC>2yI5EtXRYrdXdKk7#B@bHT%~`$F#L2%doFWKKg^(mg@uEn>Po zB-{;?t9Y&v#}ognQ@NlS%`{hdwoB02Hbdy29Bq)G*A}_Uvkg`=ru?ZbJ7{0LdM<^L zVTb}XC4VO^J)4q}l2GYYRL}hT?&5fNYQ=qc`*-1Yul#y)=u@xL_{74MQJZE333Jg( zo|8yz+Ua^_;r6|WfyAS6G>pPkhz)`-dK&nA4XTMLCa^cAk#viedJ7s49>6Q>Xa0vS zNPMrIz;l7Qih$8`GOzD^4XYk;z@@ma|EAwuE*DPCV(@#3JO;(E7EWU8*lol%R18Vz z&@{aw&j4R^&WP-w3k-KaPWdC44y0ja^Oox0%jR!aFe&^1Nfnkc&lx;60T8EtVgb+a zX^oF`)1=&gj4Niq%XcU7ij*3b4|@~fP`E{LhY)A48rC{%IE-;2VDXSmW+$!^{kP)Uni`lSB-59$|zqyoU1?Y1^uSbU~O4psB(3GJsCZ70Opf-mOR>y76TF z(ZP=(H3(x3L?)sBXQ%BDhB!?VU~}Wc?K;hKdQ`dGI)z%R~K<+fO4AK+Ct3zl{e->O4RQXV`^M~CFoskaF{^-WT7~M0BXmZ?Yr{x5eixl zhECDUbv|%J5}?Z9yF2#<%2>+HlI1cEUrtnOw@!%!;&g-eOw-D#tA?S8X)uAHW4pAT z^9{WY809EhP)uVeT!mnI>>e@p4=z#6avB=jKl=sb8@Cc^sduS3lhZ z&V7ti?}qp=ZbAo7vNGo@-5laA@gBNkbaGcW;)luHt#s$P_5~;q^|FQVEn&e$`-#9} z?_f(S%;>S}3W~l7u+y|_k)N1~=mzVMX?+zl{vqcz4%V8Vwo^tX6u26nj$bXBDcwC- zLEL19E-|W9=5xe(#q6ep0m9l~wTnHcJEM1q%fMb4dio^j@W9jc02bW&xkOlZ1XTQ1 zD;XOfm+(D0TX`;$ITp-WF$TF*)zp9h*9bImwgBP14*(6cN!M#!tMJCGzvm2g`;M;4 zSXT~*Tc90GlNrCP>-ge7mQ}&0W0kWv%wO@ozu=#W7k1zhutI}qkAoBm*!1(!Kfo|E zcsH3hmv+AT`zNQQ2bac?HxO{q3!)34u>&9N%H{Kx9TQnivd6rG6qVv+z>?iM<$}PKXmUY5 zK)(8})=WI60%X6oT}LbmCw9Ue52Bc?Hbhm}ob`7HRlA?pGVlh33aQ|H+XYL=Lc;%x>%7^ICBXu=#?+D4y6g zThRBn?z^sSiwbDt3s21Z4gwJv$s!+hc50p=JnOJ#JCxJe-v-eMFu2~TW!WK(3v>in zM0PDSW9NASq2r`=4X5XD&s_MlixHe0Y01f92o${K-QNJ8qpy(RkY$W9yd8JQo2U?Z zQH_GJj8~rNM8OsX!YhsLY+6bRY*X)-43eNM#oSW*N#lUh#?JB?tgv>mhA20>*->Etq0w2DIHPTUjN&S9E9s_UtduEucs&8uV4tGtyudLRvosyCg}%Qy?Y`EC-qOe zu5c47sNp%D?>|#n2@BoZaW=7VV$(rc}`5KPY8Ls#(#`{2$TNP6;u-EdCScu_st{h=^}JN)fWnC z;<~X8g%L3Z4e!NvoOFn~*f8z#eWn>b`G3Ild2w8U<%uI z480Fa{97()T4pPLoOTs}$3rHLniD5(NhRL%7v#A*NN6Fb9tP)~z6&*CbH7qVaKE+s ze(V^NQ`pX@+q;?Rg4|KUc)XDC(9a8;=CnKR4-{qQxP8x2c{Q~owZ!B8K3lYd^o*{o znoe-Ry!}%jt-zfW{_=|7#B(WaZ8|$Iz>{>iOS3)*p-;VipFWlLG;xbG z;wOdWx`9xLtC}1`oqakQz(g3w2aL%f2p{ z0AHs`zFNKqeW@H>P>0gQg;aXt>4@6KHs6mK;cN*V^WHBob8XEk6NVTpgzG=j`$I3A z(&V>dZed1arrowpn?M21tDror!3CVq{9DMsx(!KiciUJbJ81WRh)v&KAYBbRVXxRH)| zXD)SMNUdP6<+3y2xoFQ!H$Gr#0qKm{7sJN?-zX0G@>i&N? zEZEgQ-ofsCsjEjuH5FD3e!8?Xd*UR+zs;Ea+_GbT7Vq6TNtlkM26r0 zbcd9b0@5u=gLIy`{PusGeXh>AK4afG7zpc~@0`!`tNAbw@U$~vtQWg8hXb@R3r7Wr zzy?Sa_xGdrSqp#RP(P(T`{%v7>-n${;F4G1k>)`G2Yhe^@^GzFm#krA6un!dsG*YF z<9+4;@+F&F5Ntj^J__fX(6L}ULU2%9IRto77u+q(1I7?l5(+2s$Ym-x4)sEro8~f2OIPbj(Ag3Q^A`$1V%7Cj1C8S z%P&hSD#UK~YA--u!pMEm_3p7B2(8#PZfx`ebqcr*$C8cU<9hE^%jpjRrOAY26UYUv z8}W)@M$C3w@|4=p6>ExsYtUaE3S`Hs4xm&t4*Bqy0VI;eWiCtIy8m@P$uP67q{}KN z9r*>^CB1w1h1r~o;@?)bz1*1zUGr^X%r7jo1ft6cY|E|SKVOOt$DsBloc|bXOc^bt*ChNIVQe+38DGG*zT`=H9!avlNN#uU92|;Um z-?(u?+igJ){6y?R9#Y-v+uQwsDnuF-EmQCl>@s+a1iaw87vfigK#F)M-29O%gK^8h z>%~Fqu&qK4pB#(je>1Nd{ZJN|nwcpwy8D~;5Ebdk zFC!hz;pk+(ULhBNbrQxWt=|Q(0Rtl9T>Z&Z&;<|hTM&AmCk|UkZObn;EXV! z2cu#a3kD8Nn}8zpj-L0g87yBDpKHl}e)?tg7f_KY`Q9ap0ba{EQw)DR1AYTLIpp~v zK$Y39n&TR(OaYDDOm2o4aF}n0xov9w&-e$SY`9#&+ zgDsL@P+nQte}-a{#lX{V2#&=jtB3^n-obf?7B(*%uuGV28lf*)9T7@*#PpczLK&IrnyZzi?5RX;d+ zXXzhCtBU}w z>p(!+&~4V@{1nJgO*^G!xiLFnV(TX?ickzqzssIy{B?q0HG}OeQ+(hiGRq{uMzsX% z^KS$eUEc712Uy-p^KWv;?Iw5x(kZyBn_f+C;T0fC0OvV#%o;ehZCU`qo>gfaU|~=%J#FCa6Z9bB1o&Ve<5aK# zDG5YDTgv%-*_RLGKkjz|kKHZ7sPVUMW_E(Wb-M=359(3hWB8T27{626vFG!4waO_( z!aX9N4 z0su%=h7v$ii1&Uy2rZb`+#IyPa!#KA!V=le4$8FwPc@DWs!2MpjfO-O2pf5ZgL>(^ zU{=%I>;;w>kfc6dU@slN+X1p0_Aop_!Uf*4Awgjm8!ec^^pruj#jWDvPZJo11cZa8 z%)VBfM5Fh8L}ar6z+_Sv@w|GqHz5tc4LSOYG%Lv_WYK+3wXIbK7hab zU;oJRVrp^u<2)*~W$3vH1rn8UMwP5l z+T45%erFTd*MK|bjxWPq8k4R-&MZatre4J+5bfbm9t8UCZ$N@k#V{agS zCZMtvWqQ3k-%om@B1CV8Jq-p|{+UEhzA0Q(0DIpC5G8Po0InfDrxt??Xh5EkD`1}GY6Km&Z2{bW3bED(I84XLRZE@{ zBONgDiSyIK?P3tA`1au=B7g%Ch0k~_m4qmu%mrQ-2X~+`%kVS-0NC0qn5Uba4i~q9 zrz}_k?E-a8FNORc?Ia!}ZjqH?as}k!GbtBM6u8@>z0MPJV@Qbk;qJHXw=?5XCAEx!J zJZ+-5-1Zf~3+oAZ7X#v>t!L8)A;8uO`f*+&&E9r82`Z9^eO?L}4F%7tfi;0C{9dpA z&Oa{-v@GDiC=G+@%rM`LIJu$OIng0Jxu*f#@Cyt#L z6(Cx(2g<7(=tiob!U9DIEL=JOxIn|lCgofKO4&RpNyCFL@Hx*zu6_Np2>eoc^KNAtx5W?$*xdspA>5+l2B-j-3Im@`4W~jtSK5*0M){UW$;fRKmwh+2F&3B8Sul#_0Jf~1CpP?%_#UXCmA>ZS*Q!R3x1&V z+J)VMM!XNQVP3Nq$1q!tBI zlK9;p)n(lYIGv=Xdto;S^TT`W{sS2E5Vtj;*|o&ygI>`%L-)^Ep@UHQU!dcLTS~#W@z{_*HiU2>0Ctw%)t_g+ zrxVIAF#r23^s73y(;g&pNBd~x%UrefuHUCM8Jpc-*W|TV2}RaUln2g?~Abu zU7!D7e!%~qzV$n^!7az~O~(-WtA9(68t!~YwWU?%Vjopva(tt7Yl^J+;=h&2KmMKL zUuN>h=j;GAS|FZ)BX9fPhuRyAn{zsIf$y_oRhu_xz=HK6yx3|Ofkvf$I=7}YBYIG7T7J+#h z`Zjq{+WN9Zg{t2*ZSe^4CJgLp1TDj!$!9VdmbR0s{}el0I>9WhXRmP7{BkPN+WhEm zqB>W}HF3QPpMs}#MKqWGla~ozQVZ1zH^%Q|OH`8HQQ~RME#FESs#^$YE7V)l`t)y~ zWb`M9#&wAL4s$v*Gygf~pswZh%ypbq1vvv={JP00WqrGu*8Ncf*M+i8l^e&!yA^FQ z7B8zT!=MN9F80*BXHD-(N3gRE05ScXQnp&%+{*)EMw-LX@iVXdF!LJd- z-KLi?=T?86G?lG7tjSwAJRwl(E&Xf6j3)%67UzU@DrIzlVE;FHvc*o?Pkq@JbXv=k zBttuo!xBE>ExGVJ5B$k$<*VxNmNo~)b9UlpiO^;%ss-{ zgUN%rs;z85_2cW9`~1bOQCr%OK+{2SYxUdntluwB7IfY)v!U8Nudy(tpul>zdj8?a zfUB$CgMV|R*aTaT2b2D+&w3)n)?^)@U246&bv9qqVh!yLMKTjj;Q$A%^r!rQXvNu- zP;4hO-#0R>%XHOBZ*~O=$cIxVBFZqPhnpKPDID^#otm-UWGzpQ8V$T$tkWCwZf@7@ zz}kC6Ao<$d;?=IP_>PBNW(&*Je(|l>x%mC{1OYTD@GZ?8K7~cF0e|>gq{>9xG|ONS zt!3-H)^hJ247^>wDv9Nz8P_3erEfP1f1>}?2%E$@i9u9PHXSc_Lkhh0Gg<7fv7L~F z=?X+T3yz_zWjmAJFD$mxQcE#?6w4vF0DC>R;-hsDYi2~5*Bl1Rrh=h zBTTX{bqQ~!+vLlpJxQL)=2(Yz>pFK(FLh!^9g)ojFtvzvln8VFxt8^1n7TKumQSH1 z1-TV}udfSN*X&k@>Qe=iftMSVc_-i?kbJ-FIdLs(eZb&K?{Q+EE`G~zt-xE$Je}>5 zEbxaMI)bec-fxwCcrCzKfV#p)Q6-C9u49SRd>W!WhrpiRD;#XG6op4|OpAqeZQT{> zli$T5cH=33u@QP@z}P+zdK_gXx=xnW+we}`_3tRjhJA)_yD&2cTPl~!kmIZ87yi^& z;+Fke^zFRH!}N2#th-RZMohM$8uDagE_#aOV}Vj1i`?9T7stjkXi6GMcmnq88b4)9 zy_f{7WMIp?^2o;m`8-cyDH_+7J5(5!*Gr+TX33Le?7%gxuQmOWfW?Fo`0x#C{yXJN zVVlLLFkSlnaRQn86=fA7CJ%hq7KPSNy1TT{>G(pQx@s=z-A^zjz>L}*v_OJrSEgDf zZt|(B{Iizw)qsE``5sFhjpVOkqUymY{EQaV#yrA*mstM@{N7Vw^38ie@3Q=>mc^v) zEZyi>wbks+>Gvu%{P~YxtNFf%!gQG4K%$6^bwb-cYIh@(rw~4Cx+aa~yI;N`9Cj%P z)AvItI0b}NBSKrb>|p7vRIF53M?aQEXr~zSer(Dxxh4eHrop=Y9&(3{4|SOLXh`zw zD~pnSOGcUE;qu$=RS$V0R;t8FVjR|S6dk;Y*M)DJ z-wOxOpMKwaTu7K6w}sMXMk1i*dF`eCg))UzYwf@DGSNf`;FiTi?dB+s%Y#fo0b_h} z#vgyNn`b=9-|-$)O+7xKk<8(TBumw4_xbCy+%mDU!se@70$$W;fI%?E98RrBI5@&eer~5u{TYoqcd;%34!pU zjI4?Rqr9h#fp18DrS*VjDnv7=On6zjyge5s_^^pl6;e?DA{tUMnh~;NJoV>jdsfXO zgFvsDVga*~?H0>_)HYbZ+scd`_v1^X1LDi5&zDhWuTP&A1y)5qG<5!ne7Ps~Y81cQ z3SaKX7bQjoQc`c3Vj4lhtcb`4_7(*IbK8+z%Glxb8u%Zd_DAS^@I*`(PQ^&!_3r~PFyfx zcb}_m{idkeXM;jHA{_llDa>8 zMC%G_2fB>ex`FCyPdAty@C9CY59{x9Sl1 zg5T!y!pyRtrp2kRZJ$CVb$w;{WR)4&*aH;)o?<1&6(X8;o@;oF(f25vMI{uXGso^^ zFR@K)uzx5=p-y+wyOR2bNEBU$w2EjW%Zi@ZXi)4`3{yCT(i=cxhw|EW&DGkh^?e8> zA;$!I6VOw#V>s)xK_y7~p5DIGqo5cU^m!;Kt8GQaX(Mv=J2R$Kp4~_E%*J+pt zKc!7lV36Z-uGqlRwiOt!$bTzo#F4}DVuVqBlA>Jo#O->h+PSP~3t#0if@bQeAR}%o zwxpTIGX_e-@eWwktJe$3zwwTERZuJ}tJ^M1%T*-F$7?hNC9 zLoFxmx>@p^K@xG@s~^w!xh-ZXi4oc}}3X zHT|L$#A2|iC2IsIxQVsa8TJe1hCoeCmezmYARtMGiyrm)aVZHt2bZN!_W zwoWKz;XoJSg+u1)h?HyZ%O`EEKDB#+w%F;QFyG;oDX%f@=y6XR*AZm~wHn92Mw#ZB zIAh*j=P78bCEJizPJIWS*5kmy8G7^}p?&1lF>Q#wJ?Z6# ziRB~Gp~Gh1IPCbp&yh8P+UI_B&yFsVxhts42fXk^yef1Rx+Y4xteT0t@O?SB1ZCCe z{7dzh%oNS)W2b$aG2cR7kRZexR4q`tdX9#!`C#QKTC;c0SZ;S_b|aTd${)SWGhLWi zQCuJFFtG``E84^3=Hh;H^R;z^YKF!`Ba8@raN?uS65G*^C~Hd91D79~N?oIwaaT5d zO;*XH&4%SNBhj3>+{$aKs^!xz(by5*$zJZb7@-x}N#&SKHy)Pt}yA z-G1WiyRB*FL{g*tyi(f#lBNWw_H^~={VCR`n1m|nW-=4?4~)!CzP@vIkY4-b(X-NNC@VeEyX* zEr{~nj4_JLl>}sj?Pc!XX^8mr*HCGS&EkH-cW2uR6K!gVsc$%r82t6`FO|tYXnh&E<(Rp`WDY?iZ?>+l#wRx)OUBNC)OZ~#Hj#cS*8Rkg0OnJfxIrG@S zig9jX4*BA)Q-PHxjlw@9!jn$v=l=a$X|84?2vlxvjnXJ^wa$K0UNu=kMKfBLV#Qto4)dOMgX5ai&6m(-_||I>H?%-Si}%v1wb#+l}6hx=rHGFvl5@ z*jJ5O`7gGb_!KPuoWj)s4YKs*uhn(@?$Cq6MBYpnXFr}0;?p72=RjjRMS`9}Ypiry zC84@`_*q7HwVs>bD|>}IB`jVy(VmDP4b0Mc>ao%}d!oo{n)owCpF23A92GtUei9lK z6Ha>@!aaRoeceYUQ#`v(n6{NTCr_1S1jMWO?rzs%W|mhWGsWeG4TUv`vC0xY(GkBA zx)|Mq)pA&3)CZBTxc%eX&|vgr(o60F#xy#JiFQ?wFP>4SKmG906Q}9vBMf3>hKE~7 zFWso6+3H7F1O%Zk?^b9^BO-(xUp@1n(%NRO*jfWpz4Su)oiYE?3_G~9+n zFs0d^U?{~eI4GA)6sx(YfyZi-*g3d+1#u@VOlZdN4T;z0Ehqj-5@SLrs3<)yGoE2M zC7%vZ;kdFInY!*amI8)E{;Cgs{5#D2x<27!LquwB(w7C?lIBb-mU~$`;Hl&%?(;Ad zn)7@t*ZF&`l&_UEJxzrnjJu=!Whhrl6E?x;qZ@by6TYNl9{oI-$EH5qyqa9htuaHR zs#&Fp8bi7w;WNRc9kc!4CQR`wT4&NZ<>`Da3#+rUiW;Zpb@DaIHuqRGB$p-YJeWpj zt5|c)Pm-I&!Uu#D-8tlAX=KJVEIG4VH2Qh0ZOV1YUJ|eg-bpUdS)j%ZKs1)evxX~7 z*o>Kaf1bDwOUinu;KUtkOOKE*Z zhpEet<4#5`@2!I-_cl*-u643>gQS!5N49#U`g5|MWVR@E__q8SHl^Th|GV3*fJ84gFe3W_YDp!%{_?Z*+CBd<2uA* zMSe%8$`EPr2g&D4EgFjjv4b-3$B_i-1zsg-Kt$hZ@tV!$T9t6HXEx1jk(GH`6~ zwg-Ycfr_fL>Pt)C3u3ky1D@7g-9>3I_z zf0ew}3a*bo$0oZ}FCimJe!B5_fTO(VI2@@hgI0GpK#)e=>xp1v*QPb$W!e$yfY?Oy zX(sbzoeIRCorOPWOZ@P1yRcHHNu_Hhq3{!AjJ_V4rDO4*i%Mcd2%Rk;YqfOYdc#Gb*8k(X zbM60R0luY5n+uap2;@v}>vly+uSJEA5&qVSSK1^gNuQpeDn-0`a=({IT)8 zHUwj*^KY|sU#f~FzSOc*>T9Gw3NnMr?A*u~SS186CeBd0gfJDSzx}o7F8!s=t(N7F z7-!!hOk!_|@r7m0!!Tdcq0zTSs-jop^#muNx#d9kLo6PA2UT#MsjvGR-Q6i5Ud|E5+S#m2$TT+$M17r z<{>^IBBHvCI`r8ld+*Laq%%M!W{Co^z9^CtJpi^6KaTUb`UIw9j%fu{doT&#P4P*E z)@sq-#9h#@x7&@e8Pgt0{ehd6XnouXCv9-T`Dym!Kwr1Zaf?bD{CK+tS|YqY`C4riCs}o7rQYg(qk-%{t7d=3JAhghMuY?hQQ#qYlY(5tG64 zWWVxE18ZMR9@e(Q=GfPck%67v8zr*q{Pd|fc zU7&balG`RQyNHkZfbHGMhcrR_MSBgyWW4a*I7w&SPm&Kod`KrRZxMBS>AD@N(js&m zXkyRJ-jMfB-^<&LZ=LKFx}0K|Ogr_@%s>f*5q<&{#$UDng++aB3N}WfkWEW@PqM6F zZY;yxAH}E;HzZ$LNe1syMsc)D^(*hv0Uw{M9Q|IB&Pm};^2aeR3G^seQdDaEDl$ZK zD%ynyUpfdLh9{gvP8Nt4xqa;W5hv_C02jSSoJcD%g*?t8?PgOp7$LC@a#sgJ!BMS? zs`0H04v7lWcCX4c&Pj2Gl22==%YN}Or&MOgaF}ItQ0-4XA|yywAIKWOcXn3fH`zpJ zpW|?l@jc#VBVeSm$0ust%hKmkVQhL#r#{BhT;au}u@Kz7hVMQ&qobM0TYE@Z6$o^; zD+Aq<_V*f^63OcA(fAUg0*DvATaS5ay3uBi%KC(pL==2w3Ma!%6nr{2?A^MOev&Lo z3lcP@z*-Nn+pVYTieXL{VQ+@)G^pMK)vt-+2_;nY6rXJAt*Hm~;vK;-PNKHLYM2LC zzP+|FJ{v?wwI&F!`chFs|;zF=4W(}Wd>v8yPFkG zG^OQS#K&hSk+fdfHtcotxH-$KC<(#{$X|JG+jsMcLaN_g5gn%E=M%_Ag~jlnQUzsq zC%!1;{mMwD^du(OO3;b^it!RBtBlTo$3&8G>M!}0*nd**w{9ry6PO=aXv2on&bQP$ zjsBM?=XA|Q3e;`tvP2i2A0^}QbdsgG-r(`}QyKAdKifaA4}D7NXZ|=1=gj-xxf>Gsn8TCET`p>*7wwCknABxN0%#<35Ill@ zMMyoFqpJ`qAgI_}!{<%^-fdz&H!9B#sqWp9q#ox5Vr_ zD|*5%%j8V)N1+Vs>SkmL;+Xc^a7P=+M#_^WaNyem_?SnnID-;r!=vkE``ogn<<&$j z$u-TT{>57dY4?g_m80IvaS4|}6=Yx4Q<~~5H8Q!8ZXl<%iRVI|nnI&3NoR>@Pb>e> zyP<#Mj(8y}@p3#Hlf0&w!}1aB0y!aW^lMFZUPdF8MrXv|P75?Q*}#mkpbNy&_slB+x(2*PbOe;FK6d`*-3{}?282nKzky}HT>@|5YWSpE^hUc|!bWOe5l58$$LnlZx#hk4+Jx8BK+S#!=zLUtw-CZnVbaW5@ zUP6wROKTg^EZKe>~jQim7=)Ul32O{8#t#jaUnhmjPH`^P-(Bo0?fkOB~dw%<{+qSJM&3w?~}{Fj9=v6 z$-I^~wa0o*tujZ39MbB#|M!?*VHoD zgWtP+IW~CZvqMfK-D6!TzE;-j;Y0l-t@l}6J(;I1zljTfyJqiio5Px2t*S@v6m%|f z1&O2Ox~!Ln&^Y zgDCt;b*|M|k$0bKS;DczZWMjj??Xw%cU9eK4x4wb}DGk)2Td54sBJY$%{B2xA($(XBnchAyEnEq1p=c zQVph@O+6?w)yP+M15GKf4oWmUEKp7^_8$q@w#XKY`!d?9LamdSFtR5c!gbph^KWzY zBd(kCUUbwO^k*_p-?uLs`kERwSy$<#qD8`XQ|gehboR)s_i+J;~oU0SP#u{Gr zr`ao|Oa3G$t7R)q#^7mw#2LXsJY;oVYsv?a{{Q-(#b8$%B>&h1T`unkvT8_{mni<& zK?=p;Q`Cxap2?9;?+^vy=TMSi-X&2PC&l=f`Gl?vX@#o5?(gT%O3}=`7~;g^3izVt z2lA>ErJYX`rEBSD?5>6egfNh3FeEbCONfFD?6MR4xJ4&?NM7R!3nlzk{fWgQh07RJ zlReXSDkFYmX%QhlP7UprniI$u9AhrX`Kz<6bf})Bv8e>CJ zh;D{`oTO4o)9or@q;h%2G`Xaiv?zUXf^gNh+=FnB_Q46KA=Pac5;8p=6M6Y#`MN2c z*UUSDgPN%w#SZvScwTGJ7(Ac;cqB%$`N#IjQ2{NwM0qSJaCB$W zs^!2^!n{!BhZ5eb<0#X`Wh5%*_bxae)ntF+vLW&lY8})hi+iY9$gCl4u&$Cl$CbEY z7W6HcPKDcDDXY&7g`AIel1&@&f+J~jIoUDHe=4wmL3xNX#bIJvN~^_$t)4jM73WK* zVp>reCyLr}Ig5Ig=__t8qgi$Ipstpb zfLyNWJ%7!8^z1sVCb?jS40h7P$IMXk2*ZcNB3fbOV&QK*Xw_YzU%X3$Z8fDSSFmhe zB9V0SF~?bHZ>N3jA6X=te?$MniqM1dLi3-FFp917`KgQM>-Da$yTG`nCnMJ8mJk9m zA}drw9*IMb2iJ|%rMmhVZ$`F+<@2nK%&Mx_^L!J+-q8^TBlwnNwrc3K?+SXi1xqu1 zdURW1j*iMkd1mNBfzw<)rZVU)LcY;fgiUq`@7OqV0STU{6Ht8q2XgFbG{R4c=HJpG~3;U`PHOR^k zGW!_+tSf`)jRl|zdl&gydgu3Q~sn zttZbl<(FOO`Liv8Fdf|TT4kf0BC(@VusQ>|6sss0sV$LiQCueZBb6UB(#xGff9Utr zB~Q)Oc38I;jW96faOlEPl=G1YcuaRR(D&JZwUmo{AbrqeTA$QX66PQwNUIs!d!0r) z5mUM*`oa($Q4GI?<0lMpH~ji+&+*JPf4>BOWJN}VvlvEz+Fk=~XL>tfH)(Y%_qY}N ztX>S`u*_G3>$V5)gH*__cCTpZ{Og~~gz@0G`K^!>g?2P?w#FWOcJ`FXsYr;5>z;gc ztRQUINiy|g$z4Ywe#xEWu=Yibm$w9K*hWL8jY7`cjUI-mO9`L_imk3$J86B)l)XAr`q>vW>EbwaMqzI!y*h{XgUcI`f= zOPr|T)KnMD{rkEICZeE~KQn7Vazf(zT(7H-_WqmK=N2>vY$6P*$gnrpTFms4^ya1B zliBUL4Aq<-(w#2y=$n*n%uX+N#3?{KwLU)5OITNDJXrfDAhySS(}{gLQcU>G&Xsyk z_KdWnudnE!BzH5mnKD{MFE4j56~XaTGwPL;oA9g=!bt$$vb2)-&ng%ydSbIIO?ub3 zL%Eo%D$(Xv5D%$fcXZyISxj89prpIKd%v2Q^l}zu71FUb*;u0>ceGphA@%xq&K2wC zA7U1&cw6?{n|Gc4F16F7_CsJ+w>Bh zh4gc#ZP8&#eEIAn3YwZV0^hbV+@M1=-!=m%dS-GR*=wP7gsc3^v?}T(>P*P^oR><{ zIAf#k`eT0>;k~jshi}+wI+owtLzrCi|9OzkIsW0xyJG z{V*`;@cn?8mX8g(0G%!WtFMxrWGn3GX$xq|T8^qjUux?SSnoS$T-R**MKSuPDL%G4 zXQ)nRGUwQ>g$6#ZjChr%;a&Qx`DnQQ+`WcjZAF%p{h3~edXB`hi7L_SFWfEhgsAtH z*%9R@OL(rQ$VB&cXH%o0?cy(NHCIT7AZm|xH9ayAvu2*BA!fxz1W*W5c%1D|UC@N6_|=OL7>9Pok+Q8nW2XXBd0u+9F|i6V#GCMqv;i38NEFk}qqo`M+7g@+34sh;=a1PIhD7J3`}f;f-e<-jj%9uyF)^U$Izu0GC(1q z5Y9yP!hmyg!&0*s)rB+CEHUlLYnASRr0%drzAR2Q&5*6fL+*&wF3-C|{m(EgHEHB~ z7gbWDZ>M0LUR{`(r(0q43u4`MHV*Ym;Fp*Gc&VQ)s#i`D5&jIuInE3ON1cwSlPJuW zhnY&NW0SA~iPh29B|_I}gK!*TIP0_tdUhY@!a#SS6Q@&f@UP4+4n6t_*%BvJD88*` zl??6qTSh7B2W}mxQ<{?tU1jL-viCKLwmUg1_-_Goo9h=@9X`5P^QLCsu)2%H>hJWR1g6P}I1Z&D z?wEV#-@Zmi;K)7!T`(f}skBS{>mA#K{Brfqxx`8*UK5Y`Yj?OaWak$8li1zr0R<0zI;PW`0o`xLbc`M(iziV%2bf`f@ z;fs}ZmQnnXnm-y1ENP-$tb8;HT-yuj`By$;%jw+K-Yj?#8@nu}gp?C^hJ#gx3~I}@pBmD`K<2>l@epo^HP#TFIvyA(TQQq>o*kbv;eMaq#$Cs(oH%f4<_7-HL(r}!LrU45fi zl}`tx7g%Ka@${Y)S5JxfJ~{*rg>_3hzQTi^3fodZi0C(@@;+{5BR=OQ zH5ShL+t#V8FuOe<4qFS6?+ocP$AIqi;=N2TllrND9d#sQE5)0^OLkc`f==~QDN9{{ zn+=oP^~*-^f4s%f2YCWYDL;4h=M7Xtfy@?Xy)CTkl1=DkX#WPgf_LPhef;a|5hZg8 zan<)_9(^n#?nr~t%)IdmP&M%9au8gS#<{NUROyQTP=M&i6z9Ofi*U`TR<$9_;(E!P zVQE5o2oo#x zSHFsO)1`mXO*EHi?F?n9^Tylgh|pL|pS-Y{UrDhnS~Nyv6)pf|!v4ndMh)H2yvezZ z;zQC03^KlDQ~nZ}bDU>FWNGH;T=RHp=n|21r*biHCEFeou_-&5x2Y=vE$gu6ByT+1 zyUOGBV3doCD$!V&3IzE&a9sYK4l}#2Y)Ao7Mae6_nUt^RBujZTfz9TzM%fW(#8~`^ z*2l=4$CR9=l>3pa=pPtZ3~egYun(M85GpQywOJ%netp;BnowHGU@%p3t>tRlUTnl| z_1y}_2BxRLAQdGr<^4w(Ekt7Ugv%FXqVIeVpUZ7A)a2oLNS%{(?xnIGFI?foLZWN_ zcVo=q=ju>w0vVAce%-QuU34_cXt6cyO7pembUEU0wSL@YMq1yA4`kP7yd%tEeiDCJ zLl(J-#jF;0<|{zVSYyO?{+osrS`8KiKN@n^9qNJROPeZ`6?e_wdw*=AZIrL7Ua)PT zv{Y&{tmt;Tl#TtwZobw2s}lrfa1RSfIM6-19BSrcnzZuC&mjc4!@X~sP*=I@ziG~n zg=iK#YnU2HL=3^PZ0SRz#lY0U|Ef*u@OU*}tjZ5-=rZJle0;+D4MlH>auEnmwn;7w zIFMmopRx)l1Wi5*Q<-Rp#~K>Q!1ALs7;2l7~AjiP9Mgu0Z|>A7RwZF zY+%h%zdf^6x;e3J(UH@S$1KYy6`KpwPBBax5;j$%{NUMDSBSZKKnyBQ6pMz`jQrdWBm(#aBRP{g$T3IB>)hoD_eeh;SiBPv={wf!RS@)Qri_v-Ri)8V;&>~5%+*@2p-&FQ7U(R?BTya0Hxiw> zx{*--d7`jw@N@33fGJfG2a1?hFw(nCl1JD~rI;V4^v~v+=fjLfbz{I}#ZuQFNgccA zJq}tT1K*TWdz(HI=ttmaacIeX3e(m-;(XEm{GRUh#i?&U?DZAnin&!x`}o>wkCnC; z7KrRPW~Q?izKABTUgtYVuc&)ErD92h&T&APuo5m3vAAja&6bjEg&&!EMR!1U9`Cq& z^fVV!5KrWDQH6TIX)a?9EN$thVDg&VQ@I4x#Z4+&mEFKs!p#FOnPatwI`6kN-077a z5}ifri?E^I*Tg3mn++oM6!h-8$y&(2rF|FGZL5bpZqGOu(vbGDzP7af)cNwZ$n6ha zO50z71y3U>jp{coRUK)4+}2X8Xs2zKML){Y>W&^4^PB;LnCtzY5gcv*bFKZ!{nUni z?WsRiZZ}Vt+_Eg2nF{yD%g?5aRGyu8Rp@@K_n*#JnY(8gwc1ch^iYZ%Q*`RmGX~o5 z$eUAv^?BT<7*U_kRW(oTGsCKkAwuA4a}5(*8oFOjTa_i6J|QZ}H!Xf7f~kK}2B`^{ zt;+cG!+4jOx6x%>g&0dAEhhA~;8rbc_{9e+FXW!C@B^-dxBk`46O-?-EY&10=1o`WN zSQJ-nf(O&E7aNq$nW1Nhc}c^5Womz6AGr9uAW=iW|73i4cuDrhT;K~f-`(q&gR@E7 zf|x@mwNfl|9Qn(Ueurq`7AvW%@;+t}rOiyfH1!c^>$|QeO#3*&kjxJP$L=GqQvU0$ zQa}^zii*%!YNS}FFcQTajL>OKykO%LIM4&8v;08xc8{IHbA4_WjnPbIMs7m$4+E)2 z6B>|_@4zG{N#8E>rO37EWAI%nc8%A>jv>AHAhhB>Uv8M)W5#$&q~%HsOgXVgAbw&0VF01RYj3GW@snjmX__{fdD3)+VXH&m z2=qf1MA)~xMnL(bb)_QjqOlNc2vdm!ospLpcWH0$gvIaf*tc-rJ=iOWyMGT{UvA^K zcPsd-Jx?`LdDvCaG38liKhHPc9OBU4>M%9gtmO#1x9*-4cxZE}DP~#DQXH)$v_)YF z`j^ed`@|xpBFvos-h5$#u;oaW>G19zsK3Y&6*#Rcp@>f3L*v?rt;b2`l0Zp8b^IF) z+CMd_l(VGK|6~Cyezdr6ulDhG*alteQ${x!BTs?sSXe&_{jUl^Qo}IU0&hyvMxs;X zRi`$D@@3o;jF#Cm=FG50%SXewXSRlHVb{p=>kOLrD-CS(%WsgCH+3>KN_MqeoVx@( z=dKxxHBB2*m}Q&zR3z@acD2SQ61hshyxUo<&UL6~*2hixZXChom4OaDeDgZyl==8Li1roohv z0q<;SpK&HLU1x~raU3r8 zF{Uw_eY?!Z*wP%HIX4+2pYc@^bMxZ^)^`$}5cE0XD;r8Eg^i%K8cNShpGkE=G0m{> zEgw!U^>&3$fDI8@6mM80mXGIY07`)Zis^Am9mO5OLT>Ni@4rkDLFG_i5zWWzwAVDxQq=J}V`09#-xz1_zp0;hFGzCv{}f1PW|r=0=%7h6CokBr`$+I@ zGbeGII^0d4GdFA7RwijETb8tX{$C6B%%tG}u%KDodT<%gnOp`N9O z^@!#vwZw#FMn3btbTXFTx<$B^iDA>tHp4B=kgwjuqh0la%B~5|+=btF&B2}-okkEH zt=D5L>+?B6gjAi?cH1%yMafRtsA8;ZW0JSz_#i4q#{p&dc~A{+P1knw8N~+2rS_*K zsf@nI*it)6caZj{9N$-T;>CupL$IB&?^XWY5z}D>x^q=ZChq>{s(`@hQjebswgr25 z|Lgk5eiE8|KmQx(Qw;if+5=kzad)&Kr!Qd{w5|4Z8_G@}G`S9+LedTu8%_=4gmBH8XJI78R9p=A_&U$ekb}DySgvyL&#@@B4?>#icjk z{eGYKIj{3NulpQnb1{S?JwlLu`51JvM+9Z*yL?U7kwI0+k7-KI;7q97^@q4FZH%T6 z@FhMdcunj;Dm~aT^U3h90LV-wuJJJ!+LT%DYN-!=$}~FMefz3>F)ri-W|R?b26Wnj zQN5^Mt-+-m`zM8|4oz=F9Cqb<(^M2z0S_@{B>B0`rx8Oc?Y-Sd8N z>v4k7MfK9<*E)%bsa1vso?0D_KsNs|UB)Bf@RPT-h6Y&TZUiVrk1}K7Kstgk0p(qi z`zm2ITCgj&%g=EC0oQO+`>omnaCvrt;k|#N{t{1sUv<9Xl@Rwsz1h&9x8Rev9=JLe zFBfKxnmOT7?Hf<&d(=K!a0Sg@?P|rXsEL8gERE1n=&+O+nLdRt1<)S&98i zh+ZPS5!gx3s1cu*x1FZ#MBgB2loM&OOP6~&zU zMP|Bu7E)niI{0*%lTCgWj=E*hml~US4sESW`X{_|xljuB5AtMOwm)D;>|^iyTzFlS z<_m(U_nuxRP~4fxoT*&FChlgVR0+s){7XAp>*EdYe(1QD_4`Hjz;`$QgP#EJ`ZQWJ z>_*!1z34XjDn@;uVzmAdU8J>BzwAHbJtipek7sV5>kS$_nU-McaYR_!VzmuYdNNDt7x%&$U zA*$dpLoQ&3UJE=Zn`++pOc+v?`ttBrFx{@o78!X6ID3!rypxDGo%)k(2&wwQ2ZZzb z@SF(4b5Xa*X0Yf(twx)i54Bskf9F>;QZd`vZNwA3I2;}V%%kUw?+}JF0@Iei+TLui zg)*{_FU79F_6Fxv6RPDqJpTw{<0)&ia`yo4!)Fzz^ws?wWo*WEa39=+^lR6tN8hi6 zoeud{7$Z}mj{r9zLWmk43&BU4bRNX@Glz)ugdOrugl=uGU(#&^%xdTN$ z{_#(<3jQfku#A$<4te~;uJ^q7V?*WFvisqcfA!t!$~{7A za{S61?TExvk*}TYSKNB(IXY}^lBBa0!M6SBaP>R@-?oPp^ube$3%c~6t`pGBn)iqC z`rl|KB)~XlVLLNjM@AJyvOmXPg8*owX(ni*D9@vHm0q^DmfWgod^_!x6MY^X64-vV ztkQgPp&Xh~^G(HzI+~a!NE&9TJ`n1-vfeVVWG%dx>x$p*#$89bEgm~whx)zVOjfxK2T{V5ML598LJ;&fIxiw3>id`sY znU&9_Ab#^o<=dG}!m8H87l^rR*`HT?ID68Js$PB*Vg8M&Z7C9(vNE{qqFcr32A;C| zoE>!t%1hbaU;gV!$R3XD4?FykT-7Rg$>#FE@e0cX39S*J!!>gdfbZ*B{bL?9pLe1t z%P2*k8X7MvsL7*@KZo6KzQd)B8jyX2&#$kx#0txY-*>t!ik{n-$yy|iC~O#c4p$qE z=@lc9JWe_Nfcgs@fju5-$2|M3fae&vxfTNHI=%FW^Jye3)YHY8z0m1J0GfD*j3iq+ z-mITXn4Nrs8)aix9DSP}<=Q9krDMOL9pA$Af~ib&gyM>3egvL0`Ky*L!e~qR@@e0V*yO(ruO?fUY=ND8 zFJY8o1*aSwTkBr9BGqnPIpp>)+p%J7?6uBsugJRC=JO(M$|o)V4ZLd5x?6BG*I@U^ z4mmzrgz`s3Wn*YUc_@1EwtE1? zEA;#9K%RSQCLXl4Nh(_&cr=+t{1mr#B3aGaXn3e>{W=VrSva>_Zb~Wt$+wc>^=qcw zC#A=Hc=BGg&`cbu$>{2oAb|c^a245USEDgx8{DGL2*C(fbgs;)j63cEu%G zxA?7z$k)bWN6$P(TVH33g95RrEQ9;$HcH)Or_&Bc4gY~WKRRQJQ*Ju(emX05Wq11# zzDaV<`N(Q5c;(mA@yUIYR_$e49ybZik$(jl_6$E@eonLSJ0E-sV)@hqSH1s7fyA9| zy3jytDL34#B*zm03%1jE~ zs52!d_DvR^J_e~8{VkzOfUJN%q!LrqHsqS`4x7Ew6f3{mlNIFovjS9QE1wB;GW_B& zwEwo`wDO0PCc6Af-ReG^ivu$#w>)oxK5FtNOAZX;AG3Zp;z+L^X7e#0jG&Z8-uX%K zcmLi=D1;W0-gDS}j`fh!K2H7p8*^o=BoSMghyE)DA8kE~&-)nbdv~?|>SyWOrl^67qrftaBv`sK0vb4Sd` zb9>MAQ)%HH#)=E4oJ9^H<(l&2tWDy8=Xs_TSS=n$hhF-IZ0!*pQ_{q3cC2k;N`i?y zy6hF5v5dK^N5hB__wW;-(#Ymrh`%o$*SqyX>foobx}*CZAB-IPCW5@Re^2tEbEm`( zOx8IU0%JN}$AUWU+~_bnY={16^zxA8{l8oGf4g_$yB?rS*mrWzi^#}oIl2+>iJohn z8iPFTo63vXc&-tSGR)X?>Fdw(?>EsU-LzZp{g|EJld7}b4rb4#hEJaYZ&YV8mgT-A z=TmmRNCuO^I~a8yoWOrU=^~;vu**kQwl)}BZDrfblR3!NhRfNN&Y@1-8y^@U!?^Gr zyEfF$yGh+Z7f$aYiS0>RM6$C-#S~}7^gm`-p!^WrP9$sFy&ApJIZ?l!5Mb@Q{ z#piQ+2ks0yPxuErK18Rf!^k_G-8;kQ|F(EhATe6jQSdPWvUNH|K~Y?I-S$u``y48C zm&1(x8~Wvys?LI|-;xJP-5`Q2W1XNryAQUkDrZwiA-DTBl^62f%lgG$A8k3^BUvUB zm6Q!vUE1og#RQhr4I3()%NuyvV_IVqNxvp*+-PNQP6@8az;>NOy|rm)eNp%!a^1zE z3xr|iB^;3zRkd*OBYJ^>A6SOZPEmgNx112Fq~POZ4h2e=QP*X{bQX!cD15VGqJ@Tu zVAg}bBv?JKNb>XQfl+SitQoGIOS z{O-PLMy_I>>O#UbQQCNjhidNk&V(q%#+VbApf*xwgE6VhgCS3EO+uU-Cwv{<6LeGl zws~~y`bYJy)SSe2O^E9ctLfhJO$@b9p~!ayG50{IM5Y!*)fC- z_5lVzCWiw8{k4WRk6;QAL@%mHBQdLjln<5)cG#x?`+y2 zgs!OjoC%QWt03-dgt_qgh+7{j40Q#GXZd9eK2p$@l|w>oc`!nt4dFK3*4+rn(1&?? z3Z6x@qk9uMp|sAw<#`Q}he^Cik!R<7fVl{3oj=y(RBnB~p2|j^>@1TqPeJx75Q5{4 zKBk;BEK1fke5By-VCa)PTOF`y*h)?8wDs4BxAvU1Nqo~&*(#Agc>T#kA8@M!>=U)w zST%L_wxvYXiP(s(16n6A=dee`Nf~z23$H174YVOcQM``2P zyhn|NmHF3+$oX;P0vg_YC3=euEEW{T0XA?R+vH8PVT8>pQsAR!r`}~dt-W;032e;1 z-si3W=2j~<%tvR=it>Nu;t729W&vDx3p?e(=1Z1H0>NNA;Q%>klm`o&E+t}NoaM=E z-PE=B;chc(P%K=bW285O6ABZ0DdfHK*Z4=c|Ea%y11fh5q@+uF* z##a`^zs|(19bsO7Ae!@mY`%a8 z#&&0^lg{krOih9xR3bUp9OUEyifT=8zGKW}%7aDU)@UTNS-tJfe0ow?w+DsYc$UPO z+N!rBb35z>H7;b%H@MCX-JQBZp5%x%CRK-N0E9U(1Z~d={~e}<_;(0N*?g8`jx5Ct z?P7`mt*|o%=h6rlItrB1>P-h<38f%I0&eZtQB_JF_sf-nKN5>`gv(H@11&Pl@_CKq zGVb@vqUtDiPCZ30PTjkxJyT8W^U-&(SqyxH*DgxJGa}ep$av(!c+IULB z4zVtzo?==o?yWE{O<5NN4)cL?8`rw`Qn6q$dz4LT>_sPs>2AEB)Cr&@L;l?1oizv@freezEf#s z^8>v@RFxsU!!;!lu!_!;HLTiTH-pZJSkvn$`-0F|PX}#Nx@k}KWI%%Y>9RKw5QC={ zox%F|H!qZJh-Nwp9~8f)>Hy*uor-xGP*vdq!GRp5s-31xg!qe$Z97^3%}IB<7~?De z4U>Zg<#XU+NUdLZ$!2wSy7biQ){2mM9W$j=;X(8AeMK3k2Jz(wpDDq=ps)tP=FDXC zRzES8z@OG<@ai|4YANlh!N~1qd_!sYw74Q?O}goEH%n4$#mc8)JuGKE!5qJRA7S2? z^@*PXAKy{`OkV*N0G6aKxTb^*{Og|ell29=_0A8uJxi0m5aleY3Ctmj;9~X(W5uLL zdLsL)u_{?3i5@kr=2LgHEXe(nY;?be$70a!OCKGH7b9O=H9{}+`{oa>T_lI@5!{iA zKJ`;$BiO(l=(G|0Y`FqMQ_O`LE!mxpphBF!goMs4Z&ePs7q2^pITd4uf)Nxi&{cUe z#J{S`m7KA&-0M+>(A-Fo$RHZmMaDgwvh{)zLProBDv3?A`;nX5f}bB?jhEGeK%`k% z-8La)MO}A(fp1HIZGDAx9*z*iFc{=jck|Hul>G~9?eK_xNyLmtio7TZn!OmpZx3gb z^%t*jS$zenpo#TUvH{6IvhpC{|N?oR5L; zQpB$O0D;o+sCl}XmBxCy?6&eWZj0@1MH2ry5Ut;6m0sH)dbPrAG$7uHXD^X{>T}mO z+>-5y{JWZl?s=!an6JcJEY&uZ$PC}Tf-Gd&J~ECBEm91qalq_|y|d4X3HEQAf8a|+evvyZEbXSPJ?AA8+f6(tr-asBq5@rQu=@35vHPA>b(^d9 zcI{y^`hn)$d+NcfAHRMSX9Ov6>0z!&C)P)L@Mvb==F2PdiV-seUKVl3YH?r1Vm@V^ zN?2QvOw8Qjc!V#3k?b50Vf}@$?pA-yN=S=P5^~KHzI^lG8c#Cx*SgClT~zU^JD+)$ z?~xNqQywiN0H{_lMk9FTXNn2@dxX>lAIy0xTfe^l)?bg&y`dXG6H1yiiH!I~7fkAg zE)t!Kh;x@B@ex_0Ub`ejT?7t_gqBj_)#0+P#%=m`(AwHo8NxOE{Hos#7i|gE+WIYH zb@Hc({Wp`;(~L4}<@3jH1YAlmDi|z(AI?@4+4lXYBAy2=K3EocJzuehv2TQD!jde?$z^{J1cUk5yn5d;HGgxc+I zb|h{`ZCR9BJZTPC>5b8d#k&!LZ*UlPx??H&kKgROIxoWD4kI`Eb7HlqT{>2J;6mgx z2x^fPL$O={8po$N@y|I%L;+rJVW9Z{F5C@3A;yQm2ZUSqG?Z;B>bfTi7Ay(g*)G4E zxdhyRn&G3o<5I|KNytwq<_iO_2>xsyCD#+s^qCjz7Gk;NSdy#B(JO0y4n8szcfx}k ztRFT+>=+yLLLkI4<=XL9g8VZv^qS9D{MRRqu30r~t457(`xs_EBhC1AjY^L>Mdn#x zbWvf=hcM8}9?+`p78ghi2=1G!yhyud#%S|2mVw-S#h_*QDy+kKBR$B)SByqqA>A+{ z;Ug{E$w+1%xN~znYa9WL1QrwyHxZ6StTdH*nVxU3ILm;Mfl)WBnF2b2{}q;Ve%5(G z5=oR3tT{zItr0}?>zE#S6!0^gPKpXUt8!U6uodW%TR)$aK5zH*`5km}TFv~rYYNg^ zF(<`Svy8-#$^p<=zI#z|P6G;~+ze%}POSZ$RmoOi^b0x%ORcUvv$we^pIL@A0lkA* z_#Z4TZ+L_m<6hBU-cIIQ7C3*ppuhFhd7|cy{jA^5qQ{;+^{z8&GjR~rHhFO{L+e}7 zk5Xk*8r1yas(qL!=}X5X^s1WY=rym#&KazhAM~sJ(#4I9Dp^kD{8YU$FpH8@wi7ps zB=%7F9~K{=im|XGb@J$0D9I(r|bxB z0*)NiDlaK38SzVBGMo~#BFGZvf6H7EH09KDRRwF!6z!U*@~w47@U)%o{1M&7+C|-Y zj5Il7wp4O!^#FzWD=Y$l6Z|eMFf-)<`5J18o4siY=J|n->++~!4302)gC~7S;6>zY z68KBt3#mK3H_NvBag94OB$d%Vadn+(O2c|PIJonTOE9hKkLSlxg1uzs|M)^-$p}Un z;ukz(nv7&2N$VMn{q$OVuR`!LY`x#~!Y+w0Y*2jnuGsF=*sJO4k_)M`6?cPf)$>~N zZhV?Dy%%&0sQ|nfvuvP^Qhj&g_i{=Ha_Rumma_)y#9L*P939Fc7R8emp0E9APSyV8 zj6$ljNWp^G_lgL{$wRBIs-yqxCR6&U?Gv;$2_TbAnrvD*`72`F9iFzE{{$FvN8VA* zAxzwHe?EDNxX=e9O1}TC#(9{|?mWBByyBLTU*9{}*bJnG+c&cEpM9)lNm5SR4vlD= zu7{_kxH;;UKI4XDbZc)8M(l-ZqMg)h@Q38I5uT>bO^0iFt#|1jgPqdY*DzV}Yc3!@7#rI^e3*}XRww)8ZAJSAEmqG^jM zDjZl1bTrb`N$*~Bey1ewB>FTTpML|S7NpIVKJ$Box5wY#$>Lt!j<#9yhwfr`Nvpwa=6Y-OqGQu{^KfQL<)&6zf zMELAe5061m=t6z6rabh*!rF|IsdU{Wb#{RLf?oyg;X$8MwYs%&o?(;Pl6Kv2N0x6P-Tx9l4pO7t0cVk+kRK42ejePqghBV=ZUJN#d zb_5?NAK8%R9NjfK0i3wUQOe)ORoN|J-p>1 zUbR(s?)MlWv3xDUhR5U9nAEQW^4Nx)dD!NrH}!~1Cbqc2@zVe_)U(k(qkQQc%x7py z7(zJ$9c0C>V(kUF?`n}t4FONdntdn~vNkBsMm#!toTi+qWl!FX5rY-9jybvI#J=dz zJgQ4aPed9&EG4$-wdtI~jRuV;9F~{!9Dn>@=pS^X_5w_qGc_KH6Ieu zbDCm_4A}?YMH}@E9~|)}^jE)3V(`qkx6nL z+dR+8v8xWh<~i)q{~FGXTAu;jvIDb2mM|qG>L|rxG(T<4w@q(;1TUmg9)JYR&^X*7IyQ@IdVXZ zxz#ARlQk)>e4LC|?N#%}U@ztz1g9bq%PNva1dVg(4pB_8tan~fzV^Pqn*tX%wpMn} zpEj=Ru5SpH8>~)0SRFkzVdzjA;3(|$yC-L4Q22RbW;XQ#rr}#@hn#EpkS(`X(;VHk z_wu8>=)J!I~HW%JMGf-N_V2DL2oEm&R>8D6v153{Yz_e z)&_#JA4X2yDfoR3b`JM5>aFdRIs~ktmD{H9A@k;t5zlE(A z6N6eXJ5_Xj<)M_B*Kbf`Zf2YO=u$@_j(QC76Ed2}#Mr6HNd=I#4W)*4ca4(&(5b6P z?}a`_ulXQfpQG0zNqk*qHYI60>S7j1Dyh>e(LWsHsR(|T zhACf=iM|#H(@nWSVioT{V^j|xEj#1YaIyw5S|-z(>E&t$KI9ds2}N8QGGFTVfQ|Im z!+9CTO?$2{ZrN3l?A|v#AFOpFI-mr-a>4F_`^yjwZ)7%bAK<*hO)G8iB22ivdtu@G zhWn6s=M`)I$w$4w+qv&S!J}p6F{UJCn@53+jh3D%mRDfm)qrWsB=wjypLN(>=}ePw!!B2)kb1o_cEUnUS@q z2`%oTrMLK7e=dK)aqiR*I}$jbM11|787*|+BDv3_s2A3?0i0oA!fqSEVt z(bx4luP*I7CF_3ptY^yNKtQH!u}9HWr~AU@o)wE8McxPlkChqH!5jNPu-wV)Ld%{U ztn`;)eaaExt$T_J#Oc^}I#u_k6}o5GvC-cv$|f}@zc$*9-fosI>gI8|bf;byr`fCZ z*m<6O4#mba3Zet)2((hWRtyh!MtL)R>p9B4ZFbOlKnD+@Jb?MBlHAj*qiPVX=TN)( zX8%EgyN~%)fMWWp(em>fdwiVTY-uD`YC#PM@mx8kW~6-u2F@oIU+sjWR*u3Q`*O8M zA@N4KV!%^Y{JmBw--+RvZcPWrT8TX_5yV-UnPHTSnfb9(_Q&WcEh&{EVaQ8ii`N~T zZoh%ccowusy`6u49jggr*U{ax-1A?;8F*R=~&seGijDDAj=oYTZz_kbSPbyDXq#Vf_OFht%FpD=%vNw8wTI?8m+dT zLK+L9m#l5<&I03c^j!Sjgcb_MPKV{TSz;ZV)l7NBwVole3qD}X<@d>YugEN^fReF) zT~Q>3ad^gvpf;%7=fK#`tre5PaKF@EW(RfL{%1e-hmHQ|Pjz^Uy}-df#pMr~E>Ad? z3eMe)Ef6!WFpb#`wjF!cLt7(Vll^(Re<4~KV|C#uslNzQmCrmH;AEjW3GBX)ut?!z zM80Jr_^d{vT~~e`O$B;6`(u-DeD@Tv)Wu9$RdUufS-%TLDmA;MNauNMKI^WqogG^i z4h!$^PfO4#w_Wn{gXFU(wM{RQ)kwaoG?Q0%-ES?m;2ZZM(uMm_O%5mRCGb+-#etD^foyT+I0jg0T^KlXOU)b4K@*Z=G! zR!|3Qv6~&l0;lQR<9t;r~}ez*t{SacZuKF^NHV$RbWY z`x%V#p`#;w9Of%$dZu=Jt1et@gnKj^={|qx;0J#e1QCFA8ry=eZto{r%UCUSt484> z%V=}3vg(5T;eo*ISF9i! zmt&EJTK`&o2wo+Ocp`lft6M5}^J*GZ*+y+ofk0z1UDgV`lCTzIn$MK2x55}gXuVCd z_OM0L?yGJ1sb*Svbm=v-!cl1AH78l@u!XGSl{S^({qp@I_jr7r8sR|bBVgLjdJ=lO z_}W)H!mrAO)&PYiigP|w#Wy2!wsY`^|3{$7lgO}V;b6jeE521u>#TfAVCull4mX=R z_Y9rJ8Ns%YTxHSHW3@0?)1}gxK?fD zaE12p?44Y7wI5M<&3TIVfm5L%xhKV3>?crayd2cYtSXlgcyZ|Nt1o>W34zQM4tvV1 z@Y+O-Wn(7d-x`ym_=)|Yw3&S2xrYtH$x>wdm?i1qfH=5Y4t+D>2c_Zg!N4(17}x5< z41M$DE{UeyCs8LV@2rpZ>{uHel2&Xbu=_UOgRh{?1{JrXw4EP1@R-KSot_$It@VSR zvQkJ?Q}bz^6Lu$cGYOw{(Kno!196UxfgeZ>ZgV8_H#q3S!xeDUn3_0MN8}3fQ?we& z)4!@B(OA$?o5hNQS7aFEwe~5$@6;CPX*>QecmpUS9a?>Xr1AbI?qMy{dwd7sXQ&%!nmn0n##Kba-#4_ypQtOR1|_g4y?h41_8%+OaUYe{l9`}@&zi`vWKsGB#f+}BUT?YYj~)fe(C zTbkliPPJYmD?Ryp41qD)YK~|Kv)2|EH&&@pY`9ugx_d_1CM8(dz-8Dec#tnn)U(QG zYUEz_p1NIpq&PB|cJGx<)BGD@=*{ViiiPAB?w|v29W#X69|}SeGRyKw}AfzQFpXkeG>H?N=XZ2mkK&DRpY3ammHR>H zxx1*gwN0Bb$p=ABE+GDIsxG$B2V#>kbV6S;!z|w75M9)$)}q5cMpSWF;2aU(y%s&3 zXbrCGRkqRdYY2U#?s-oVIuC}{)!rpkl(VI%JddJ}s)kav0banrzPoPENfE5Rf96Wo zwAmpO&9Dn?azl`nB?QJ-=e_Bxbhf^r+0PPFlC zmHG4lR*n)*X0+zfvY~L-u04-< zqrsU?9z`alm(2cAx<7`# z+X9cGUCzdP|BjY7G@i}zD;HE5m)s=U9@=Lua?>EWSh-TQy4;&eZce_Dv)C7uS3x8Ep^K@0WBs#Myrn+WnrPi1cT}dlzLrsKZPW$0+MZcC zN5S}q_tUMvF*e9I(lc<5Q)n(LJsh?e?pb7zr93n;0;nZ?s^;sML4k6Cv?-0+hM+@s zbCx`u=Cb<73p$(WBmR)>Q8#N&(gL{QnryCcr>=n5R1)japu+QZjDf$sjvcd+Q-li}Tp!$tMKsolx? zN%Gaaz|;#2CXCWQz7mA`wCpl{gF)?HGeZ8nRHA}-7R#CPC~EuKf=TJO&MYXy?dUxn zU&ms-U1kd1tXrxly(jG*5Q;KG$O}6^IsW3|AG(ogpq9gkGOz65K=%y2+m>%thc*K7 zeLdGa5A@mDnT@(i!f5M25CRpVbm>(H9Gx3pOj{jwXEppuIKhN#xU{ z_PFVd^a~;2-)F+M?!D0*)jNtV{rkWNBMbdEPG$gU6Jvn5J&CcBNt*m#qrDhx7v&Qr z>{QAkx6mPt0$(9aVBrs~X9fYxj+r(`Pu<)ZM+;79SCXE?Fmkk)rddR)y7^WrfS$lV za~2+0H#Cv^ms`F!+G*HT?uP@>x=U!JONnO%98+2Y);Oxs?j+tcrkJOVAV9_E1JQvNt7)0dg?*Ii-`3QByzL?mO%F$ z+CZE#Q1npNs2|%p$~Q^iq(Xp?q&UL zlHa@oI>Fif13GA2XXV*W)pa%>8s$(R6u#_8wY4)?+!fU`V8295fwFSqB-Devdxs71 zr5R5VirB~SD@IdRY6trACng&#ZTg#OcJ^+xe?cCH4X_rt;!mPZW??I~+oOGT-ZItZ z*dJ=7W5H>J^#7Ri@Bf!_Ue3r7{-9yfDmwe^?m6YR!g7m1ggoV@w)Wy@<$yMj|HzN8 zY?6}pC(LJY<)g02GPO3hmF3yP-$t0G+vl%O%gd0@u*{^Q6{)~ZC=dJX=bekKC+ie8 z>n5E&+!@g$Yt%*Dd*2|l$9ZJ$tF`j1Af>F%ziSF6V_Dun^7OQ3I4V{9>ZLp4T$4B) ziRle`8!}88@P1nEp4Bw0Yy&~MsINQg@rb#^0Qc|ATK)%aZv`J{0AUKDl;R^w+xFd9 zCi~?i?F`nA6sp;Exs~*P zfbTj2f-XYHexM%YGb9-r|Da`+QU#n%+xtaLVqMPM?`-*8JIR70>WYGPbu^%|yJ=i1 zut8#(5~Dv9SE$fo87Dea?eMNt*Z9Mu^=$D?pb`mfB+OOvYSM9X#%7?1 zC(_Ad?lXTqJ3yCJQL$SI&z#L`=)XY2+6KtEQN-a5zEq^^fj7CGd!P{y^Ph2l`2#s4 zh>GKS?v7$FO%}4+Mm9u263_2?J-_3A9mao0RK$sB9_zl*YYODdewg~Lp6gkFjw~4i zMK9IV&Z}tEEG4@XO)jbZAS;Qh+1Z`!XJh*Z6kZIc=?{rs92SbnVe5Syv0=$UGs)R> z-3R(KBxFc_>Vc>6G*tzA#hN~F1yR)&JgZ{;_%&RnB^hl<3v+&>9+)_0`ba6n&Hb>= zam_~s*%MiAIZOJ7ga(Q(vOb=>l@%?^2=(|KR@_}Axq`PQ`99qmlW{w1hB~L|CuinO zbq4AssjLMEG}8omQg67uJC6I3N_nK0>oeiGqeO65AAg!1WQ(@Z4kD=DGhIxsh$daWw0?LLdGliZ#V=E}Yx+s3m^OV*7QJ)^;+ zG&LBxahvAJXXUWgp8b(tT#u^nde);@5e~V#$4YD$;-^)0zE6VtgxGqyW^>k~i)+gP zWbv<<>TDUl>34z&^zu^M%6|B+NiCO5$a3M1RUAU|nv2xwE2*W`4Y863qo73VCD|L% z_)yH<(z=GY4HMM-RX7CSkfB79+wd!%KK5|wp=Pu?)LT}<#C-m<*7GRWJ5~k#%_J+N zf++CbNmU@LqqJPbBB*bspjWMJM^zsgSuFhon5PS~qg* zW=RBoW`sC>Kk7RwZC2j+M1TF>F{)z1e{n1oh+}W>?3XA6I@$hePQVGlskuSlMBZD=`LF)MmTgPD^qsJ5* zipt{1hP4XEE?yNcoqxH#?n<*Xt$da051Bnk{Oa*)9Ep59E z+o~@*AGqtWnJU$PJqM(zyrEXps&xA#d&*|pztMjTsXvsP51Xp<8D1Rp z=*K_)>#OG*C<>68x`MoNtKlV_6W3j&8xxA( z!h%EWRup#tV1+gwI;(3X6`>L^h2<~!X>^P$F>D1HTfCp-nASUX9iemcHsS0JsEMf6aCb5+4>8XT8f}g zwG8L{uz_zI{pWc@v=)w?$8Rrabk!D~Xzgi{ZS-9%j{Bk0xGkUu!4^nDPpzN!!>i$wJxbnQS$hMsbVdW|PX zu*uK;oLvY|65F(p|0Q&)mE6Fr0r6&27Lv(b@w9K%u(QL|E_iA@SCoI{Ag*Bs{c^jp z;pE{3;k++9W>y($MgYA}FTwa20 z8$(n*RSnT1Ps6SfO(9EkH(Bt1oQHS5Lch4Pee!Wpo77N%Y9VOspyWMqZD1FLc2Q}ot0@7@ z%Vkf;WAV9=X{yl$e-S*i;fttRR?x2m!`;6w?VZX#hkdtd63tfB-uSeU>P&TZ5yLF) zgFErWT)ZTIpNW+36e+>|j4Stc%@!6EmQ^o>hIM|00If?emb1$Q@g#6*f)BS^es3}6Wc{&E!Wu(j7o-cwqGvvHue)(pv%Y<$pkm+yZf75#wgQ51=N zi-#yYD{39qdZhTBCqFtpLW%Xc4Q%U=(k1ha^Scz>{ukRUh>}D{1!T1 zTY#EW@GLDeaj>D=2fb9{f5XesW8M4)dMYk_?5khHx^bLRwvx{a@x7X76a|rA_2#yv zfvTSdS!T%KVDRuRRrY*d#bK^IF11Cmus#LVDYz=+z%d-RKi)zuDz|+s*D{1beDfL% zEVY=Gr&YEAJ!CJnXKFp79;nfZsU0tDt*Z$?gXE?*&E>cIsH^e+uIma6}Y# zs~9}U>=|CK&^ZPUbOEHtJ5%$Wc)ciPG;qJ^6L)9RUW6YgXCpS}xtr)YWo(ZTjhcdr zW|S}z&VQG?;TCT+Ww_IAbVYDI+7&3LMAuC}RJEM9k8y&RIEsWi+?5IG{b~vGe~l1< zK|ed!9p?gcOG_x{4|{4WD7=u;zCLZNaWkX=~S{bYsC_f@O=dZgqSk&-#yK5O;9b6lcLHxQw*ZJ{2U9)6C zDeGCI-%aBoEx1w-{BgIuwXGZ|185^+g3S;GMfPsrvWz< zoWBIb;&z@7h##ojKh5a%)2i2-4A{Ji{u4)qZz3lXk`(QzaqD05byvFVoOVfAEx2E3 zR>)pxfPEUR-`*;mHAlEQEHUL){58x{6$gmh+)b^j82MDq(&8=ypR&%XUe`t=SxZTn z4CtY8qw6FcO!l>Rk0U@e?L6e21wTXFGRho=JYT~-QD>flcpu}&GA>2@qhKbAMfbBP zBAV8ZOPOx7{k&k*1OKpu)MAYeyo!-Rcx*94H1LpOV&w1H1k#56h;1q8K&hasPegM) zw9&}(ENv#b)qKS^Ftw<7x#8B8yV9(5&d>5m7E^)#6RKhDLp^zo{JXJmHhV3wWJb2&5XZ1|*f{JU!z$g90EieGS^oVDOW$}L5!^oc2Jqn$#< zEvIq7az-RY(+Q_mBl2Z*`OC|9C+n?UR^`vKoR?t5ekV8<8AUTvF)?hN*z8fMBO5FO$~ zL_6MPFe1q#t2dJ{w=>eks86;8s8&rV<#EH749h=s`L2%o1)X zC#y_J6Oe{i5AiN{^+Sh+H#R>^N-Tt^LZ!ZCWnzg<#a%# zW#c$w%JCv=(Uz~RBU=l58c)X}mc^{D2&T>`x~UBuJAc;1orP*yG3C1THeky)nocwP zCIEM1?)BaZz?nf=L(RFP?N62!T1$$272M;%GVxB5zhIa@_MVfCoR%jl0QPzb69xCv17o#|Q)bqon{W&M8V^YhumC8ds$W&l z-PS4z{df7*6`mSwnx1ZCjdI+yy^uV+6xX{{{_K2?Rk5r1>RQ-A)qnmW?Oy0tdNH4d z9dS9*90t~ChRvpnR_s(@jFvQSm;6ZCLGPyIx>^!FQ*|v596IDHUiB{H%4rof8+$*> z2>>=P0V}JEOSu6&5N3w!0b@LE=4`H)7qz0jHs*z0=}8uc5~`gW9XFqkt@jim{9o0q z4Qck`9b5!!(z(kC7E2c@|4NB50=kP`MRg)IXZ|57)D#s8eczT7XAIw7 z9g$|wlCI9|XZq|P5_bU4e5x=HRZN8A31}Vv+l|t0l#H9>0cS@A3zOWv%qkj^_bhe8 zWr(-gO|ZKx-RCe`iG+VS`ccSiSEC5FoAy;dI$C_u4mt2w6w37-e{ zIL*lC-sTuN)TSP8+DUoyHfoRQbRJ?h>aZgQ1ggf(xs2L*jEX<9O3r#P1F@BtnKBa4jSsK`^ySEAxCU=Y$?BA@j~AI(zN|6q*=0Rn zSuC!uXl6dPTi0hS;DS??xjDT%s7IQLrWAeC6q%;h_1V;E!J#%ZnwRXt*qSK5t-gE+ zvuZ2;=7wBSp}eaY zoZ5m=_nWEGT7IxvU8A(T&$>;smAHh^k=Cq)C`F%`j|d8>@#A@SVc!R}$sboaWa7|V z+OC|wP|I;?(dpgz=$WGn{L{UbJ65Q;x`QT68CrkVtefz1^SfU)8WODEY;ncNOXK3q z0dZ9Vt#bFM!b%qHs;nEmaq@78T-Uh4e*}ww9RBF1wrEkS3WeK%WQIQ{Xae-yg~G?8 zrGY4>-@g-3m0_%EsmWU%t!I~)&wBBZA2Q8W>LMq~x7xEftJ3my)4KkguI8V-PnAl*uA$ph}N5G@f^3+I+_}`LlLjr)xu4hg)HE4x#u-v1@2_=W1@royX5iKGw#Y z4*T}jn7=Kx(X9!r&LOa)yfKrMC=-hL!+K#hqw%T~+iFEH?OB*rS1LR`G|jaWJATEK z+*~VlqWaAj-tQ7f_u>Xh;ngr_- z`89hCO=!jLA?I@^tP{^!+GvGvjf<6JyXHDave|o7&Arv=@Y@PqVb}dN)vp|HY5f2;VE@i;tQ1Az2(+XXF- zcT3Ofxrxm`veVtp=+;BMhyL}O(7o9UpVDjo)!n=ez5Bzc z`Fzu+0q%fGY1}JNYq6Tr?>6&oqoT#RvW9-+Ero2*i0-aO)d|QQL^dB>e%ac86Or2g zzS?rx^)DoA|Mi`meOCSF7CHw{b#Zo@?La83M+|I#+W$dv2j8)KB`%gmVnfLKeprtR zr%-@=omO}J%H6u(qb_hNAAG(*%|lE(bF)1VM;_4`~OlHuBe(Fy;E@G`Co?5h$ zMU`y=zfp`koQcaJ2|}7_AI!cqAi6b$r7q&0e%xWY({ExUl`bba&3tNw|tb&=|b1jvxyrPX0^19wWgH_KP{eb?RiJAX%lV@3vlYMX6kFxRDa9~Y4$rh zd^!8y>n$lz)SgHJ3eu|bP377v@Zmm)R|! z>-lTJkmTC+h{Mr(3iFpO^#oXG&-+cwE2PB_K4`cyF(vMsb5kSa&t~gmdM4vllxu_G z=pmxWZMB$x=p~|*5Qzv8+_1!HJeS~Kkuj*MSB&P>j(o0W&HHtMA&7nQ&>M`f^rhda> z|9hpzOGy(RIzFX)e7PTpkQFA|DOvGH+?rN;{3L19iEk~6A#Yy%ty9#o_^smJC*p(9 z+Qv`$=5O%>ar-oFl>X}+WE(h$^kGgv9dB2=fEUD-1%AG8K1QN>4$};`%b9(*Srmdk z6wqZgHy`t(`7=B-bu(sJji{7b`AcAALR`LP^3I_$Ifa#$-+jtWrf{Him-`j(Xc~sI ziZ)?;hc*>tPUl5Wx;gT)DU9Jp3tgdpi*2E?oO79ezD5;e%Crn;gKqyify_X7$KRNB zmK;6P6tdjxH;QeZiMNYuiTIMov5)sXh^DU>L!g+PnbMg-bMs{uPRkl=n9k1mJHFMQ zqONoIeu-28vzU!RktZLJI_gbRV{i2rLZA=WENicUNIH*+Q`u9GoBG6mm4pkr-WW8E ziTfI=^5saH;G`yIk+ohxA1}73{Hl*yH+9%ozV}}3_8YtQtH}ptxc7h5+_$8Ri0o-W zW}Q%VmnPaZ^q=xId-j{d=|Yf2NQZUmBCrukY^Lc&^ zPLTzQ>Nub7bl9@$V_@xG)A#WH9T5{9iKalAFaJ^@XlZbgTnL|y;2%R}APCbg?RAM; z#}sa!miwInK7W%N%J!WuZauq$+q(EgFT)vHqz3>qV*8h)W;r5t^W{x@%OY2QY5qtK z)zm+4;niNM-Wb8>Pd#k!{y?o=D%*v9q(3gH^`7pZx}Ie25HB? z{o$T*T5mXa8)u4-rm*Qf9}d;J!U{Dch6ljueSDxE#~RF2F=xf6&%STtAQv$abqz|VKDn~eD4-O0hSi>DaQ1o=>?849=(?`q@TRqKkRA z!E*mzxoo1G|Ib7OsYma~k(chL_(4B-X8XCcgxX6C##ocXdv%$-k6Lw}$48ULm2y0`BWFa<4d8!IWTe9nwPc(#mr|JzH{NbI+Mp^PxTN-HUCH zTn@D~anH4b=sm@6ZyKzqSe#!{I_SK9 z|BqdoQmD!mMmhNLm$sV7@^%MyM$D&8r+RHF3#vna?;%VTphI>tG2?>$ocRDtF+h7aV*I91`Bt&+oD7N%mp^6#b1O5B{k2KauRaHr`0r4pt1IW~QM?;<3Da2x)m~ zhi^7SBEA{kH`+IlriA}cS-25AH$KtD4L`8{>m}Xhz{0+9XD6_Jhuis}uCtQbmEZ(9 z@GRz0Rg7ggnC(jQ4}{JtnY$Hnn;kvHFNG>;nngq_jFsA1CX-}1qOz9RRE9+rEGien zDAV$;Bkx>=xsJU1=2#iLKE`V4GR}_{>iBlgR4}=UG}&N<-Mn?y&C(}?=3CRx!fIOV z+N(2gquO2?AusB;6!*NprFFb;z4WGDu13nA7cWkZj9j|PJQZ@ntHrh&UTWJ|7Ia@0 z@29-DJ9x8x$(P(tZHWV(qZ*T4w)p{fu-CTP-OYkp@vdXBY`+|501sLwQ6_!1%9PI5 zmA?GgG}Tm|U7>E=w6bV(G9<$eee<1#kx*mFw*gNX1nQ86kY`}3|EV0mATkQe8D3s9 zgIQHyW<*r@(}baWCCLd>4ci6|6CTg|6u7fWS71iJEyH$-|08fB$UgLK zl5S9NP`m}iZSKq9y+NI$hcJocDSac~8!IE#6TYdP-G){E^kI?L$BvgIOE==524lwH zOHUk4Ld$|C%5uzR_yf!YbP?h?)w=P!3t&p0al{qOrE5`Xk#DfbUA+CM9@uO*%zWJg=wTr@cazS>{aX8UehuxJ5MN6fWhyxmG+yE(Q6JnI@6uhSi45Ev46EQ% zQbP_4B|?0=_G`NfFpj46&-EymE*=Rm)3j(Bhr+;f6w{6`dDqpu8s}Dh8=Erhw>tGi z_QoT3ZEdFb?Bm`t=0?0>7Uqy8;wgTk`u*3U6JX{JQ?t4P|Bd zUHqyssOabwW&70e=uJD@6gg;BO?FjDUq4n-kjMIor*6tbYpPgM?^vz>Tf2S?1{=u6 zm~s93J)KXjVLX9>)%TXX9Qf}cHmqD%kr>iy|8Tw3`AF>y>9|3R(L$%za?-jgTIO&%e!F=o-ezucw5)xgoz zGwJCw=?`pb3vzEC{OI~n;8@;v@yblvpWF~J>3k@frfC>1h{ivCTJE(~;ONNSyZG(p zkp;bCSj^Nf7}0-+UK(48&5gpmpK=x9lf^lTiSbC?z4l92|d=SL*PauJ<^sG|EA%-$YVS@{iuyXRx^R!s;`x02Pi%WM*D}fXFgv$#P}js_U~ha&VeU!gbV%61z zs+wHm4XP>djbdN&ui^eeG)j(M5uSf}+^eeQS4h7hmqNhgAR+OYy8eiHwP3P>f98rj zaHhghc)7>Q&L|}!B;++qFCw^=yft3$m|uu8g7Ev|>h^Qnu&fF3jg$?$uqZCK!5pb? zIQou_8f$NImb{Wrjfu7KbWNYTDbma-5=QzvNH=zgt~%# zr>neMCJ(~&aP;l7#8?I;{l`DRH)U+TOW9QBj&2XKTDneDBB3XuI1@K#rhF~#mw3~` zddH-tq0(?UsL)E4Hy5V^9@|A}_ow#U(n@i^gxJfg-dPOf&bw)vcb-!owzT8{CD$TT zuSoc5ucVPjPP;F^t_4X1-BD>8kRi&=0({_II!AnFmu= zRbsNgXO@Fhh51lWAc5=c71^Ciqx)jZ%BTao9$Srh^s46@2J3=Cs8z?wBP0)_CsBhdu=$Ksw=N8%$5FH#1xFZrYK{i><`x%jm$cEA+jY2^ZP%AP|Z+-@+RX zf%%0~WMygI(_SKn<`V>S0db-E_sBH(PQE2iJH>_M`#$Kd3`bv&9$rO-k?GvIbxQrD zyx$v!=z+eik?X_qyk~s*N_X+_^mcKWZUPDxI**hreNxi z_7nlWIG+4=YbsurB)=0v@`o<0R;}6JBWDjT$;;UIJ%09O>_wLX!nY)QWY&G3jDc5D zdhr_vzb>clO{E=<+Dix&K74f)6n^KJ&Wa}zG!cDhfjjyZ^cO@Uki8{^ouymVRUO7e zMH-3}zMf$`_2sUuzW(DkQ_uS$dfs9}inYxK26|ijAB^bx^_Ka|9=kIwvl$uPWiqSz zJgQl`q4`>bV394yU0|PSKhklixEPP$WZtI>&!0!KY~@c56C&vd+IgvzzBKvmgV6+J zBGNN8cq18IK&2Km%g!!9?&H0pH?Y#!o8ZJG5M@!O{cb~9*DXZIil>l_eD_^81ou?Ce)9_wiQ=ZwG}W1)FS^Z&Y5c7eq5e zaRl#0R)3b@;f5V9fJLIUn~U9Ufh!!UH{Lb5Yd6~HJ6Yf|5?GS$-PU{-Hh$>4Os5^t`OqgD51Z;;P45QA@BE7K z*c=gXYbq9to$#6&Sa0b%i|-pW&?e`+o~{C4f8cGsbz*6%S{Mha_U7qeOKJR}+X5j`kGGoZu%s2Z1zp8}!BK1B zlg!}#C9?07=Wu4NS48`w0vE_30v2#J>27Od*dDo>NA>;{My4QqRBgGfeR2Uw-fuTf za=HqL%XvUIs1PLRGWT;(2&Tlu6|r`QPbd)Is`c3>YcOyYT5j%!yDSHL1@Ml3nddDs_1Qt%`~XBF0kuHqY#zd=*slQMuYLFOy}( zd&Yyn!1>W<&f0LzVQh9}+56L{Sx`1djih{o1|Td@Zu0rQ6W;iIkh_!FiT) zr5GN>Lx|gG#Fw)NF!}I9^^dt49L;{y98j|N!&$xlg9XX{=C4pJ7kTtAU+Vgn0bx@k z90i|QlQj`z;g)t@0=?CbTN4;RM~DD6xVWme*=p~cuW+-@1lABatic7@Ddkp3F9PjT z+)C5vp~RqL#j`!D;I0}%7;9(6eO>p?Tg2Z7Dy&V$EXo_^xt15IXZwEX0p#9kJz z8Qzj&EF?3ciI6(9&_KuD>=-topZUbpUO-5)v!n(p&hN48Rg2VTsN^ORKHRKml?&|j zCcppAY3_Z@Y@-7wk|JC0X6F2|8UEKxxV`(=4z+3dO5TwU62FnLLGXM%(BqE#~Fy;e#pgH4Ft)rJrkerqF2duXrCvrosXQICLLi{kFq=X4a)Rrvc zHbvCOdwWprM&5%M9#!PQW6@OVa&#R0o{o<2hmq%j=Q(r}So@p%+T!(iqx2FggBg8DknCx0^Cs(za9g!k zM~|wprZj7pj}gH`eKuCiCjB%Aw)0%=ku>tHTV$<$Tryq%uoBy15|jOr%pq5~k4SuNB>YoAv_BoQo8<5I_6eGHwc) z2=g=TQYqohq`nE|^S;#=))!=;b^e#I9$CuUyRfLVPW=RPv%geh#GZ*JSsx~54&Lm; zrzw=)Q_iX$vWH=tj+Y~~oV;d6mO9^!y12;+Y<<5If3gww2Hj$6m6Zke#!YpX?Z^tw zTgTTG5w*s0^O-y7ZVQfN22}IfxP+va{B6{Z*m%G-lm5-2NnuC%rbl=ulz=ysSX;te z{44vY@btOC9@}E&PZB2>PVmXI5U!d=Ir1;IEP2aV`fm|a8iH(~4_ z8F6HAE{-WGzhPD~(nn>O9&@3Lq=IVjv5LwbmC8RaAdz%69Npcc!BUx+W`WXLVoggC zyDKg<*@Rz3j-<+uhL#C23$FO-RGvRAZa z!R(9UU15oKXg^1z1%x!7SZrxzI;^CkWKnh*n)dU{5jZ@j3znP9Zn{MB^m|H_4?qrE zZOtVK#e;GXU|cL}dSFvndtxKYe>-JMNG0}_%;1M`AL*_4xp%Boa%;xdzrUU&%ocxP zn8zkpbE?bd3U;(TrtfTY1h|KGlt?|2?I{mak50K`vh;z#8Q>uhDm?Ueyk!ELW5c5q zxLOR4G{^7q^Rj_K%d1!2%R0#6wH7P(kyFt)mb2;6bQ)r-iBt_+zvfi(99Gb`iJazHmjjC_iI^@YJI7DL^5 zTmK!DW=4=b2&?F*uXsk(fB@;^awg&2*>fAt(t#gxxW4bwqZ^Q`%~ZjGysS|)t97Tqw5N5spk&PoW5^d|9p7q z0$+(+l!dTy{8jdTcr`Sa_y)OSRrSoIKWp_obYJi7;L^dbtmvR}{}p5*HXrF}9PhQc z3BDkfYJse5Eb3wA&hHF3{N6~(DaN3K2yiF7DUg*KF7eNY)!{|#{w93(y^91T-F)_uh$$t zOr?T82V~Gk%PH4Xbpaevp*qjNbNfwLD3!Xqv@N3=<19e~^CBZ%x0++YZ$7=094aV zeS7Ais)e~IChK+jYjiqxr5WCD&Y%~~CwTz?ZTy7==2hX7ZU4~%^dI##2EX;-!OI~> zwMMP65ZVS-E|TqcHJiF`9Oj#|evjQwJyFc6nTT)tDX@ zbo2B9s@HYpga2FwT&<%{4WLW;v5Mjqgr&*bX_*|WkmXkFQ~xhUIxxmFWd zPw$&3X?FElxtC?O-LVuze4o4ZFC!H?C7WiowOQ2FswG?`oNC-W&z4bO^k5|V<#s@@ z=g_y=6Lx?SsUCAaA0{f<{LQIjZA=uk%*rcjKD z;MkSduaAM?&VKpAbWZOMfO{)nXO^!>IP1pig)%nz1We3NI)RuS#i8I$pVhaitZ4Wi z@=z%z`|H4;xBmM4IZhhUcbW9RwZvzA68Y8dFwBZ`*&11%S68~*xOD$_+R(di!H7F%0?Y}!< z&7J1ck+E|swbC4uqKS`3)W^XYbVcqFD+(Gj7%Te^M;u;`>+21#yyQ|B?GF7pC*i>yfUEV46 zZy_G-pH(SS9)+9zOO30v-DyyQb~B$!FH%wh$n=_a9TNK9#vr{|*_Y z9i7sH`l_f*sO0_Ts(A3OYhohs=gdRVT#ffp5!!XRotm|oWsVblQ`{)CaxdJg{qLFM zbuxv$i(h3qeCk`*z$N~+lMNJV*tZPmPI!Z3Z%dZS3W4x>;?zk%1;Y+(Ek!G}oV_LG z&fLs1!yMZ`Kx%NH1Wl8Y42$WDF%Vrti%+oUy1Z^8BE&nA50Abgs8<-*A}8waExJn; zh_^;m-F?1lFD_d=wO$-faiM7UYBajQnhVRM zJpy(S{;x~%|FWYzwDXjwS4Nx3=#}*;p4cVg3$gGr$KH}g1`taT=aFDL183;4>-_fW z?4nun6>i++*yT!P?b`9F8uzAvhx9Q5bVb6|bK_Uzpfe1hM5@t$jS@v$C4I+iRnE|h1Mc}ci9o46d%hFx8R)j$RinJ^th8{dtQSNDS z53I~6-EgD(H8!p!0|wNNzSCVuhf#Xzusq^xIhUcmJ4^0Tht;0YKurDo_h*hVJeATs zwLaIpunG3W(@bX(;w~S`Qj#s#$CAh{u7&^v$?9*`k8gdXsEicD@oZ7HOz*=>%FJ*B zHFIS6gmcwspnaK%WdKnFDwS^&&Qg=QRxCQ1AOEH)cw_+p8mmeb>jzL+K4?Lw( z;tULUHEl?;-qsT(@__5yAXXt{cUB=^0t6+S)0;9LCSr7Ac--7j@7CAf&nt_hNb+89 z(pousx&9P@<|VJ)o1K<*H88>*EDa-5Y3S7BVI#9rmq70b=xJ&fivBUq%f!D8+kx*( zc5^PRX4AW!k480a;p7?4=Wl#l_6C&QZx9?M=>|2=mQBFrrB>~5NNx9=6~X^nC?t(0 z{arPX=$k{g=wez#{FJ3<=&*uzYnaOHj{s=|kgEr_XbBr}K{4x!-1p)9x9{tkTT~uiC2ykJg1bl8 zYKgYcBC1xi84cx&L*+TUuDF$tRS~CY$#{CfAqnC~K}@syR+%S77C()tzqQVG)%v$=g`ZXvx{|>-_Z-2l|5hXt2UMg-X;IEv^+4fm}Sf9(J)*A z;qf=0?$$_$5MARmzX^dFc~a0_a$O(cE&A}hvVq0J*=R00W{OFk3g{#3mvLh8AVLoM zCg7L#+9yTjJDG?hO7rAAQ$vcg1^Qpdn z4`BE4P*csYa!@EfO9FqKC6aeuHBYBAojs?@CgXRw%I1}8$;`<%DBrJpsc|_&qONn! z-^;poZ~7+y)J2+ha(PrifWO}I@I117)Y{P_@`YFcWMfHD=fVXcAMxPLY?0=1_o|x5 zF+AmMn*c~R$GYXZ1Z%20rvlMFA z*X_`KQ?fg2(NPh3`Qq~AVQ!|Ya-F@+x5RjM@pMWS-l(BqvUj{97!M>O7w2h!>ICsx z6VK}CW*JP`Nk*z)!M~31e_$AHu47@$r#iI!`aAG{FTi4K^0HoLbrN|z_ac)U zzRO?%Cd%6pj_)H*H3yFk0m4YfkcmS&V5Ule7G+<-Uz<&y|vD}`*Rg~vbUM(g~@&RT6r_I?d2QTIBTJ!-`?NA zYDH-}%qwSsHYl7<)3JZDWuFR4n)Icj9l~?(?sXE*D`90*J?;MTCx$glYBS*~JLvlJ zmv4wk?Iv0(z`B~zdNekG(&BN4j(}#NegJzEY^kPJl`<`SKHS959+b+vV}MpM-QNXW zD12+zYTP454ULZG(317u_Op1H5#V@=ah<+k#Z)cnVg`yvhuGVBg+BEMW~vTZV}hy) z*#76gzGgHB@AH0|#k;AY%TnOEO9O-R%ZbJWr4Uqfe=Cl*7I~JnqBgAN%Mu=TaF%EQ z^|x6V+>QWJoN2ae~pZc8-auTGGuJJrECivS~?QUm2;0aH*$oNypndI69WT`kSZQtsF*ba){=Vf4CRGf@uxw z+inU6o>QPGHDwIMHe2owo!GK97q!7<+)NPc2f!zzCi^a6e7T;=FAh|EIL)}8CLcTw zD4IcwpS3mUmHdMr?T^97wQCW_eP@z|CbTLE=Im@2U?`7|X+X?opS?3Mh7Z zXfr%F`*%yEnOqjs^?m7y5e@|a_5MQwYdwW~-xgifqbEIH?JYC)wIzhbLNXBa0aIR- zDTL$TvNw*_$7!V!X;!;d$ZR||Uj0b%bwW>C{d(P4Q!CAM1~2VjDaKJ$6Z(cSQvN ztzHwoZif^_om9bEBNP*70Lx+f^+{on<}I36ufP$5~+9?5>se_sj| zb^shHPqQ}H@#sK)`4-m=1e*eU#d$@#Ykr_FQhM`tCoJ7`$Mcl1kfSm0I`>5c?J`r{=ra z1B=hU$egGBfG+ZQmSks_)#a9ySRjX$Lc@4>!X?>7P?3Hb#rZWAMWfa+JbXM-Qo<7B z^W_G0#*C7MIb{WP*+pi1JdfYJC2K8VXV0vv|4U{d_l$R{$c{-_H3sZ@{(=JV8s?H0 zR~{lDkL02E6XZO;Ux>WM``|gW2IlCfQF&X>OkLfL{$`uSZ66;pxql2w4t=|Y)VzXq zkzX{wmX}^Fllp0I`>ep{1;AG|Hf9yK%2#p&sp0gKpXradFTd+_trkGonEwpS^Z%h< z$rj8?{4La+iby{;+gY~X4vrx4Xv3LXM@;U&2F0cT8sN$|L(eVO9e_ur(=O;=OX)X6 zO_X{0`nXPuq#fwBcj*;Nc1k6Zfm|TNXU(k1S||D6uX)59qI~e$edPJur%%x^fI!~* zK|#p5I;(qUTcA({CDPv8yIre`I*;3<*axS*O;X31z>CyzKRoe0QNadeq=OX%onMiM zl?5RrC^NAbpQRTH*$H77Pri=PqXBvE1B%s%$f<&&Oi!}WRSDuxo9YSE=Bro!bO(Ai zz*aT=dXV||bAG$LY#*QujZ`();F3z$GK;Wysdn@AnK!mo&xSMr)Hc1NjkE;3qM&&Xp zRruvIj`Lv_D4^YzH~%>O<3*`HHVJH!2FB1MaC+xE_r}yCLH-273J@0AhJ)If_wF}{ zoL~`BZKOW2*VZ^52<5JBE4#TVd@PaX0K}M2W27dpzyC(ChkucwX;y7%#vlhf2gjc? zxZ$=73B9(yaI27q{TG5&L2fQ9DEJ);und3fswh3yc1S?GRwu+8iAhMXN45iQGyU7Q zRAC*`ytfRxTY$aC7Qu6ZfdND*=*+QX5iZpj9^`PMrQdCNQGt2u(VI-utQ?m{hHnu# z`&d{>^6pZivZjG?K)@G!-+8IXLGRe{V*y{C82{lX;}y*mmk-*~2+yW(;3Wm<=nYcyB1ng=yA zZ@E`riaY>Ig1Rz+%x=dy|BX%Qv%^gab`l2zJgMI82vXhVwojY^X2ORkortjVl^S6^ z*bh=U$1UMCehCg~<`Oh@)4>gVwd!xOTIMa1NT$A^zu8@})r=+$BN@()hKq@btxZp3l43jF#sP_-opBj&(u+5p zekX34bUud*EtLrEFP7|RYu|n{7H}fD_i&jYE{)tWZ8mT!m;hQ|!bSyY8s=pE*sq$k zn6-Rtbw$#Zu&ld%AIPEP&EE*T5k%9@bB;9yqIT-pmLw99WzElMaf-}3mu$;z=(8i+ zJ+ZjP`O&4$PA)!EH;<|s&|?~jCkY8z^os}v&_beF`w*fI9KKD$8JPuy5Uu7s@ydPM z{6e>%6~T6fnrr5gB3ooK)XU9iIqO>ifqe!qUKecsOUt288n8Z~oPkEB!?; zHPW;?R=4hwko&lvp~ax>Qynl?0HFrOVH};@jsuCzZ|xn>w^IX#&YQqk3&= zehY+AJ|*blYHj7!CMZ12Xr4LFYMIRvR+)iR8w|%_C4#l$CYkDm%OH z>R5uu>=g+N2AL)${d{$ai$8Z@^K8Gh4Zfi8I5V?t{}+}EETaSV({LWLHsRg^86?co z?TD`V4zl*Wz(gQ-21=Q2Z@vIF<9LkQrI41pzN6a`l35Q|Zxx$S3>Nb_pqPHF-LLiM zr#Ci$xJgHj)g`UEngYrrkJ5)W2AEOvz|RXu;LQN0tIIKK>`x5|8~L1xU18}-ln;7R z)@zINU0Q#2QzZ@yDB=!L&Gp8~R5uB?%4dBzupt6PlHgP6M-NsAE0Qh~iOH7f4Nb85 z-0Z{mptz7XQqKUgvWl_-6Jv=bGLWmV#iWdkSWf|tCcwq(hCuy{y3UJcKVKg|@spQb zvJ}0)l}0c-&Kp^B&relP6?v)S{>FZT|0!ZncH*eoe`fuIO zL6)VZ;pY6Yn30i1(07|&)StYL-mHsE79Qi{5CY=QylCatN3R_YaQ6V*?WouNYs1P; zE3G{zLKZ-^-2*Mc;1qw>WGPp{5Sa?R{+a{Se{^xE9Ba5V)K z)=uFbwYFRZ$(X>y_glM|?CM8EP(FwCN7|~fOFo|fuiP?{MIfxQVI#OjK@0co<;%9M zlERV_ovrClRt`WdSXi-~z@w_5Jiqk$IcSThQxnVA1N=A7oW(3$Xbp3a?Y+tvnh_F< z!6c23y9ybTE?nf0ld<`-NlM~lHVq=5=MvL4&%GX-e4bmrWZT?!qzMfm-E`rw&^OzE zsRp2Ob8~wqeDe#j7NTV8ifyc}TxL_oZ0ClzjWG%vc~v|UXx#;qdu>O>p0R%%(4x6+ zemhF=)HsJjyU3brrwh}5Bi^HOM?$Nst9`WNnUVGfn5u4qqe~WwCFGs`%DTR5N%-1v z6Qg;=dq58ZRc8bI5ya-_D-c)`_Al7`voYS&!3WNhoy3oYqTIHyq6rbi#QQB6#f!ui z^p}{myh0SNA{bdF2c6pmks!B@nkuC0ri0ASoB3cQIokL*f~z>V$9CwVnIXot zDVl%81_HscxP)3|CNp?`6*C6T3qXK`Nj&C?KDE7#?0q4iS~gz9YokPBx2^rLZ?H$n zgRvyuUDe}M$}{PJXyD=oC6_{u9klRD+t#3F;sbw?Jur)TK+TA8J%S>Frz>ba) zo89CIAW7q9HFeJj2FOa{uk1zMt=hdkf+tSF>{z9SthdHXOZ5Bbikq^s98t>Ui9aVz zf)%%JQfCaw%rkJE;v~W;{v{s+42D-c_(zyi(yJCu+i)AoVTdEcWq^7)-PTwdyhuI< z=2m#i%HkGIc-eb;`By}z0JMFi<~I!LI69$UuK-Ee9TPOu%sl3pbi+l zDxVotNPfqS?~mMSpP!a=6~>lEFmAm~?LDBjJGePyRXXLW^X~@5l{L`UKY>vGIU|JV zLu*o0**qKm8GG*JaetKjI4Np0q^jC}>MsY!8+jF@*{1`GNqrT5PZn&WJzk%Y1M?MR zoU7qg&i1y)OhXmnN`Zf?#NcW%Kr4Q=H`1|QBx{fc*xl@jmrek8!X{VUK_92_)~v;a zkE$o_{1}gCI#ZtG044x#<>a7QL{_Ig$?W5wZ>SEn7t5Ns=^2}E;j|$1LwVfkvkUG% z3B${iUNax-Wc=k?<;)%d&o8%ApQ!VS=26u|Hc(g26*f27ztlr$`mRK(P1c45LqD84 ztC!G!IYCS!>EIwaEmPle5n{hmD>N%)Qd`K7&Z(M4FJTjm^QE)_xl?gdvp?&cssrXRw&kcMKa;cLKLTC` zhIns2K9TAnC~rke4JHuw$3*?rNx2g9DO0n%+h}n~;W~w=#T!IfBeOF4Bjz2a+gcHf zc2ytHRrZI_6Luc}jRIy91e0V{dfWHj+9_C;H)U+>Ti3`^R=GuQyftMit~|xBdi)}g z;AM;1RX-EtMw#fjF9sDR>(%-Lf1ORLuX2AV%RBUIW4=b%yJN5-B66atnzGgnwG^@} z%d^DAE6zN)z{w_kEyEIEjy7a~c>u}s^{xZvP{1j3urti;Hc;DAQh*xbr3RZp1|(47S=s@mL08ru9o-zR}HG3(?dl8S~-B8O{z zTC2Oyp+3%}gE1_!_xpex;Ktxcj4is&$FQaislrb8($uVdDDGkPxA1i zOpB|4gq1i}cG`(Pd()Bfa`2{Zw*Wuz;yd&T&L91k5MW_5Ew;Y}w}zRCT~Rjnx6z7w zY%P>}Kc7$O0^5a>;3_jio$D><0?$iOG}%O7_=UH;9x#c;)LDp%E&^4RYxDBSh1}T? z$|TSaeymFjR}p^qA)$|adE|JL=%&PT|qV461rA7Y{=fQ=NiTDg~>$K zcO+V82!*r1Qx0MIS3%(xc|%owNfI{FS<#~oO+IApN1l$0F0EBcnVK%MYMffD@w3X3 zrSasY&jSlX_JeX{zL^24T}V!OpgqGs)Y&&^-XxBT{8k+iHUWrP5e!wa zfyUKwaIuWeh1V#Bv=WloUw=3Yln_9!o+wsQ`>;q5o$t^)d@EloZ{YQgN!y6yJA7z+ zICZZA=83ue`ix9oUGC0-7R1Qy&(P36aL_Fc*Twn56hSoH1PIei+kkGBJMO+&{VN~Y z&U4THqXih}Q;lh8=!6OF?d~p-Wst*-4;2TZhWAc@ZCxw~ChRN^eszq0B7p+1cy!TY z&9vtpqf*+>E6_1p(4WOQ;nh535aS!+K$Kfw>E5VaoG(m#yj8pc3fS78SNKDk_M9GZ z9#^z+nA5R9uFCt>G|UA}V87%&NzJR^<-h;PT*5R7pfD97llEGnhp;BsTpMsJnN3Zz zzi(yY&FXqwTD=^swG?Ha!?HX@(3@L-L9)voI>7 z+lbd;%4>aK^H%tX@35w|W1#xIncZ7JK~*sQ^3=K0nwl@}3s>9QO%{k_7FbgUE!2^A zwhoeu7aD0rh7)TC3_hz%d1ar-eM* zrv=~cjdw9jcIiy#L1-p?imL=;6;Sl&>xw3lj3F<8Jk(KJRn}t&jdt4nAMCwlRFqNM zKZ;T+5=tqlBA|44h!WCW5(84w-7yFX(jwhCbV>}3iiosycjpj84GeQO&-4Dzw{yOq zvtE~Lxe(@_n?3v9`?`L$8>&Gi56TE?xPzvk;^s_fT#hY8#G1*ry1P3lmDvlh<$M7l z`zUIDo8cdTqB10Xbzb|mbZq_Y8JKHwg*RCM@!A2G1IXC6EfF;^oc$m`nG|nfX=U4- zsGPzTol<6$#^8PEarkgDus10DvQwN+yXM&CXi!)z(7V&-> zqAox%_%)ZW&2EG0+r6gXOnS>F6ey|Ux?<*_LfZPu;+dH~Eo)cF^Tx&z8-shNxhFhw z(S@Z+)ARGjX0rD^TgA1&%3o8UtW7*GTeH?1!Tdt&O49d?oN_D!1HHQc2Ju8W^~skn zM%A8Csg_D}$;w7?{RJO<-YY3_GpUb6bQgGzD346O4>OXMe)W||Ln|El7!S|#nsRqx z!HLL1&2s(zv5&;*GrwflQ&JwT4gUf73$kCkTUQ*Oc~uSPa7nnrj+q=$mY{9O#bq@I zxFuB;W!q+j(VY{p_bvc^_$EKYatKfyJ@S6Nubtf`LhXpXA}k~{i;CF^YBKDb?;TmG zml5RJCtzCJ*zw(oqGjvy&WxxTk*sY0<79F-e|<3Xv164_@t2yo73B#dd!c_s8tm-s zp)uDBe5fIYkce>~*$JkYm@F}gwg}1>2|b^a`eVW$nbaqu?o(23lyYW4*RC4xqqY-+ zgVDLRlqk3BSZ=OoS4ZBik&;hUwXk{*kO${y_JZ`1v6*gSC&($D4#$(@Lpt&IUf^M5 zQ^DfBLrByHWLBi#zQw@uGqb#y?gW7wJZN|dM7w8Bo^TUi9jP2OLvF;kpTW7r&uN6U z4PCA+qvP^c4jLu_gHlB%1qTq~eUNG^Tg~De(+_;l9%{&(-+7I=pEo?&$#8ylb_#?4 z0mi?_$T5cKXriU3Po0C!LjDkWn0HI$dHZ_L`FFA7KYSRcp+Sg0aN*^v97!+gv3fwq zPFz}4RyD}bleUeZf?k<0}~!BHdsMDsP?2taKK0eNJz{|v|w%j`7_<* zQ?9eKyt})z(jUIZ)t;D`nA+6zM>gtpj+3kV;px$`=ag4eR1}MQUR+#Wa~icIJR)ae zr?kXY%cd?P=imQghExB|F#1aS|Nf;%0RWV_LS>`YOA*j{ z-vcLme}AtJe+daH)A`-M!_scAMi9~i@V0LW=mc8K1|>Rrj(h1I3;M*vP`AvZb07d@ zWzq#!dxe)lPp*)cOc8w8dbl_58Q86@l^I77p`g&eaMy%A83Z+eO!I7%9ojQ@8QXKA zSnUPdFmWKk`o;z;dkD^%Ae1?BqF~St<(N*28BS!3MYd|1>PIbLKwoW@aA70rFcZ(FeQ4_8o4($x_VupztmIjvMNyB)e3c%YVIzncfJlit;q#Y^7o4qP;u2o|QH7zQv7zmU*K+bNtwR#<_l?DXUWb7gZe!Kk3*W!;?aK5Y z_UUnf1J@3s-(XJ>ui{gN?P5_a$U(YuKOIdi2 zYep-RkI8RF-h%#Ak*PljTSX`#JEgnjJIlHhY3ZItG@o67HgWCXt+ndu#|qkV^KAEARB2iGFSk%DQo zpDZ!s$I$GZbEQGkhqE<2la-|N>A7rzA=(BjduxxmpX};gHnTv{t!G&iMss=iZurs9 z!voGAESc8FY2ZkGu(6>)<7h=iiHij5%sdkbCWcbalsc-NTqq{ZYik;u^{Z0X?_U`# zTw8w9atJVW2w0ksv^(z_BcL!ASokSLk<_rxjOMqy{H|Y$cIa@V7I4@{9jzm$zN@xf zpKeHAx12%XzyUO0+e-EG$V?Zk&Pig2ZWAv%)pQ)@gL|`ty;eUM`3K8W#|48=J2$2q zg{N(*9u^x)ub{MDKb#VzDN}NqB;g#4{}{vfN5R5!WBzhdlNyd5JE^SB0qEyE=J!a7 za3hm_8S#g48*2Vk3(l5VYlR0mpG|f^Xolr!?aN#RnYG5US+SMD?6G>s!g1 z8VcL~F`NtE%{<{R*TfRup)cT)Vpm94#=^nmT0vF~$by=tLG#t;G0E%tp})Op0FxVY zEWbpiAtEu|X6sF6`dVKzzrVHt!$|kMDLxTubC-hMMGc0HJN@x?5wajM%UXt#Nq2F(@iJ> zq5ABi^H_3L)pRmQ_hiBHNTF^EvIloo9c?j^2tJT;GWN%V-v&Eb2DHn4_WIY?i7L{_ z?{$7@c*;G5?cdV!?wtXka_@zQYpR&16MOiy&dbh2&EyC%79*A&3NALNU%l&|z9ufy zVHENX4mLI_{X)VH$iEK6s=`mB-{fI1SX~lZn}?%G^InA=qWB#l_oJgDkvkh;wgbJV zisgm^bS5n|Rk!tYy{V4#r2axzbsv3ZEQ`7+!8k^T1O`}Mm{oX7WNW*-}Ww6AnT?env zB+$7Xj-T<)=!N+>xPB}Q4M~+duu1r%^b}J028%|wH^y5|k9bvyqN91dn~&-(x*XIy zJLc@2+~O-^;Bj$4QTWDK%G8QDJ7A{8-sE?n@JL~5TYt1ZPm$lz37l3!v2pjCzMzqB z9Wto0px&W3+DP*1G*oBieIlO4Q*hT{FJChI8jrkRUJsl3nG_lm9?D%S|5jw&Ud`Ix zURi#StL)s%mym|U!LWC{a21&X=2culd@o0ed&e)_kJkai6VR(MR9=@RVFchSvMMmw zVX(8*`iZt*z`g}slGqG*UOo+?LP8(-QjdBRC^VYaLTqIcdP+)W5Wa7<3@>Ljugat? zl{47xv5;?+e0Mo|AC(NOLp#LJzsNlwNabl1yu>!CT^=4m1RSN*(g_N!4;WB%59_|@I)__fUxRxH5`(=O~ z#7GbrCtELmcI84L`1qHF^xjo9(v(!Qm_}wg@10;(kNr7Ey#-*91;7@#TVB)V@xk^i z1TCh;8I^z6&?b*EiiToiZ;dhawGY=}5w{d$daWcWyw9YcL=1vXM5C)j_gEyfq=%vEkh%DgQJCj5&Z^_Ze(^=TYE3AEMzUKE_ zuO;H#c#XnmN1rX9t1~QIA-Zy3_M8xwoKOd}ZbTdOk6DXSG^?E-U1sHXa%l8;|CExd z6l;Gb^x_|%e|N0g(y!V`hl1k#jK272&~O>(W~Geu(~Kbd?9?rGiyj!!zi;)}oytm? zb9j;TI!EvNAJEE)PEAdTpJ$1}DlZ&55UmUE>3M`iw)>O7bHo!CA2bisVzE*smBgNM zU995fl_HIciD1bKAv`%TeZ*{X3u-r)X`uFkW!|NuP7nfB4h2ggC{@;o*&j1JE(qY_ zmgl?u3-2XaxD}nR6W9!m7ThvHzcvyh@x;Hsz+QAf`@{>+v9hYK?zKZej+@G!cGAF( z0Ic@#@YH8}3C6UkSdbt0CR*OIJAy|3VGP{i%&7Z=U2Hrl2v=fB=vi{E2EP;xte%z7 z*(WR!An(eCM$+-~NDs!$a~DAM`cOA=iuJDkZh4I>+{+<<(WM6@G$9$v5T;8Jtho z76x^Zh_u**@@>BvoK|B_)NJeFcIo~0_y87a8*6KMd(3Z3FT*mWQ}mX5Xf#t;NUe`g z!-89eI+O%g>JH()r02Sux-%l@)4X-XU?ZkNbkYg0fK;68byMNd$AP2{2iJnKmh7U* zs$4CWs7CEu*%N!JLeHkHrsn6b!5#7h95kk-?JTD`l92;vOjM)QP^eM+;=L7!-&%`e zevPZ=?gL0uS}1N%xN#-s^2by4!|+DemR28+EcelaoYsl>S!KI+`WE9##QT)S-Igmb ze~%%uA))Loer-#f7h5$Jg$fFyqGIrDwc1b4^z%{Im2f>KtXw6dZL>*8xPeMMQxw$Fy#7E%5P^Vx0;R-m!Ewh?>lUD2A2 z9R!%!jl6|n;b66?n;L?EJxE;K{QcF3Ejf>XB+;CdFJMI7Ji?O-@kdI#f-X~=*6bL}Rl_DvKq_@)BeUF?tJSEk-jYe}UvOAFTxVp$d>%mueKq|HQTty{1 zcF8m(0kj)4`Uyl|6J9~vP2b=}gb%-PF*fq|eVVH=RLVJ zBq8)$@jelTRtB6~Q;<7D4R% zNklgoYiIl9t5Itx3D6jX%>Xh_Mi|Y^Chc6$%MW5=ZQ%5s(rDsTr%kETK`9 z7ft-;acHF@C}4agk7bDEDF~NeSvjkN_#qZ!rLEO~s8M1#pgt2kxqnRsYLy6{unrTi z{lLNyNEp1uJW+=o%{CH9q!E6T_-6Bg1o9*8BQBnyyrV#KQ&Vy~VJWEJ$wiCiD0+tp zBTGt33G==*r_Fr*iGhDapL6d~AQV&-ldj<;%4z_oZ-~>(YJFhr_#M(1GC&!FXJS+H zyg7S!>jP5PMmA*g))7*kl!lf@X@(|H<*j7=9LF+B&8JMJqNY5_jl>Q_#a+x)y;8GQ zi&%KUF`%;U*g+MRc$cHHOiWY9K~LTe>gfcmGN*V1!@!|Swcj;7J)N39?y&L~Oz0sT zat1j5cMWA_WhRlDdVSkmUhK{B%?BMay{~n~M$_XXx0SxyMcS?wbYLk-xvjh+!P$sN z=33u=Hjhze5SDCOTz+=FBxu984jCPNcv-ah8yiJ_&vKaBBGNqe{g4lT=yVJ`abI7+ zUZXkZeP|3F?-dVodo~Q#S;gZc4WYvwn(le_>lOX#<|3DEiI=?Q&@==@ZfOB{g^I%W zBd_NzL$TH;jS^%We(IM*|BRSD~$f@}=+f`AqhN8$X<36mWdIFHu-nm{y>x|0wkjg6h`fvY!+>?Rd-xa_U^ezv$I>ZtE_4VU0$R;|sO zC@YThsb!`LoL_sP?+QD7RzW-#wQQD={-}Kfdziir6p|O1x9^@5c{Magu=I%ud;@jL zBT1i~f%ZY&XjlO-gx1H*uhx==5X?nV^J|E-aXk}b6MAuQ#X%oM)gRW^cYG-v&Qzon ziKrnUg*&^E5z9gjH-r7Xge`w~+z$&Qx_=-zE7xd`ocK41QJzs$lHd@LZW6eQWK7C=zPX zH6LgueyeZ*ilQp!IT|t2R9q~ahc;F`%tP(|`fcALCN51rqFjk@qH^!^`~66w`T_~e zV6L(wHX1$Y`KYQ4tDCASfwG#;!5iik#fb?(bDY}=6qU&OIqy3#NOcZQ$Z5S~V-dJ{ z-{1e9hM(r)shV5fyIIm6;gNrS{WP3!L)lK!*#i3d{mhpR(DQZR^9&3OR0oSpdSr9P z64{Ar_Zd9cWXR`TIinF96(FrG%GavR`?YJWNk&Wf7tcgs822;G;1e|`tDvgZT_Q5X zKqN;x3&#WP+gEH~kzmyTxnI%=z>nvV$Iz#akl#MO z-X2~dQtGh*ZEYLvWhE5@-JB%PMT>sNP&o(eD?s?4D7B=-en=$3+99W!g&@D?18xSS zNIkhD7gPAfSnRViBZ4ElR1fDrzK4{#U^5O_QzQ8 zoIaD1xsojt($#h<`FoY2SA1wT!~QruH8uxyy4LLj>+y$&8MGB@FQng8&rtBIsMrch zS@>lcCpRc7#h>ePR35~CU@*WMw;ezh=PJx>R$|}X8^63qOc-{bm=|K;!kAIdOuI&$ ztdjn7z|sC*L^#a5<56f_bQlZWzQb_&_)y9pS>`YtTbH8!TjQiuu=Eb$ z<_T)A`Bblj9;?;1=abivW)KKt)YZx)MK`AL`iFa8etRjXdzhL&R_87*@&;_2XPmc1 z9&92gpEg=lfrpDgXl$SrUphg4<&Q_hXd(OG1TpF@9Sxh*5AFA)NbqF!7GvWruG9Jx z{aCK5EeupAJpR^?-7>>|{pR-7w6f48KrljFGoN*IpzuBF%A95wr9zJX0)!I?wI*!1 zq!?M=zmn|M%5CfV`ST`EFn9Tny(s8xMg9CIs2F$5u&US`IV%s%ruX6uj5IH|PzV{$ zG_ip6$7$byX~Iz*R#ns>x6^T5ZQ)z#fs@AT2#Ufrc>jzvYnUf1qc{WmN`8@$Ez220 zB%mk-uMP`~gq~Y|MREr})?+GqOW!pyCU`X;C+U>(O+3WD=hL|deQU18=Vn^FaxIp^ zT8zo{;&J6n7NkYf9OAx}o|3B&tZ?#k19E~C>$Yaz*E_2E(4oAz{Blo3ueMFUlpo5h zV>3P~pWD;+=57cCw8Qs^-iMbzapOw>dZ8?#l&Pf%7_eYdR`C&W43t^NWy~Nvay3dP zFvy5Qs}I)J7ppr6>CRiGIUOtSeRCvB8K)QOXDAiv@eH5o%MFRKk!rmTzRZI3UALS_ zqQ8C1H0@h*KRKyvxoo?O`c8G2*F-hN-`494v1f|jVF{0<9qOWFlHg>rSrqEFOGn=g zTd+UxKaVqCUu`>|o&n%kL}ferB!)UUAl&$QhQO0MukDHPS0}$8n#qbPdc^ba*`|6C z`=+h!uT#)bJ!5g0Z0JmGE#g;Jwq5WZ( ztsp-g+^MWSv_Q{$Ve*cBH{JJ?^e;df2@}io%#0`Z#Z*3HE|?lk;sWjEz@ll>9{hS1LL|=_XopYETkLebZm}pEQEcKS!Ge z9FK5jm1B%c$%+4w0WW-7{hnU^k%h9Rroq}JBmlZJ2LH>l$qpdLVaQnC%VG-aKUBiP z!UJC;55!b+)T+8lb6%4E&RZPjQMpEKBv!!*qvd5WjH^lXoZ#mpJwDJm;9R z9OoLFclu__#sbdQ1ZO-E35&whY#RBdujT;#5iBf}+W64FFOddA488FF9c>%RP1m=3>NZG-|I~30*u~MA|c2 z{(_<|veABVbMfC)*YP=bUVIOcY#LHK=O-G`Vi8;0X1cPDpD5|d##ml68mp_;aFif; zeR-jqd)Er!L-kXSeYtSA6v80>7}uGSWv)McFPDcP8&Nb=R~Q?0RVr3MqQ%btgo?e#>cDU(t3aTKtku@4Cz_g&%a7I~7g8*u*`4 ze51CQZQBg_y&7M#ZPSqpdaCst*Q?1PU}G_+qbnByDAAjMrQ+YKWC`!=iyhW1 zXOm;Yy1QT}cg^G!BWP2_BmyQR4!=JNdJ@U|epQdY#^ieTSME3a=4*;Eu%u+^qf6jP zHzhF&9~UqntYr5R-WeJCtn1mlQ#Z+^wh2K3@X{MbtX=qeJQ%=g^#A0X6TK_$hq z_W%ALEr6U{7hsW)Dc=VqV)qhynCT54zL+|gx2&tJ^+WZ0E?m_<1!9S!zqcfejZaTc zSrVG68iby{Y^+K6w0|*Co)Ptv8(R^NoKrPsgAVF7MZjtMe5yh{58x92fd7(hI9Yr1 zAS@h|xFp>?s~L~^{fdHvTR*tPz0P^W%~wH*s$l^oL${IVfA$Dby|jjcdXJG)+CS-5 z0NII|Wo{$JG0fN3WUj<)>2|nZ;7I-3IoV2?+Q6Urgm(s)wjKXDFtGpau_pA&KCh@k zi-mc*@7L2m23LbJ-PT*=2^-Sx<@IZN+hJzK%uPZ9KL%sUi~g}v7>dBb7#}-AzXt4p zEt*^PfQDu_NwW4g#pye)khIdB3tu$Y-vDDMGxN^Pa;T1gT~uQH7q(U|zHC{*y1e6H z^qCqW@^#MnAT3;}ZZGN+U>0CWOn`W<6Z9EPjHs#ku%seI@*ZEtvmWNZU}($Nh!MI9eF zLAP^Y!{XXa{M-S3C53c?GKy8o6A<^#IO2Jz>Ddt)jcPrb4ZmyFNc!|n5DD$$!{rfG z07RZ3e^6JpZ6{J!@XILvskwTKN-p|{s4%j)a>@hs?ARb%`}VLm(_RnDTLkVY($nR; zxlhU=Ll=tf^Xuw^ql=yKHX%#tu4AYOaAH=kPZc^eF1<@joxyf(xc3hj8BQY+?G~C{t$%t7&qP4v!bD;MYOCH037ef$m`n8_!P0EP$Q>~Vebz>jxDOlS z-h?FF?NCpc<^2!xSbVWXLI9xDC+AF|ZE;$1nX16eCO zD-3sn^78T?`+ibBINO1PU&H%zVf`NJ5`i76RiYvpkM{HD1lmjx5Tm59^|cay2H>{j z%#>E^83;aUTt4+6{O}an;&ROhF1NF^Z@Eq+nqO4b_Eot-xv-#KfPuBJ0qLe}Z&Xu1 zHS}|6rk7Xf1s9Wu0&>6rJ>CQy4Ucs88&}40lLq)5+c$gP85j^mD1y=sSSPlrwff(c zmqyftHa8cB`g(o%prmDP6(Nny1d@GtzPq>_5r74BEQ*R*4j)2~__w(Db4Z=?KyRVo z%C?&!WQ5sLDFyj^*q41WhWuq|QD5JHuz|WdWZ_@Y5P*6CB!-W7PE12WM@RMRStu7Z zP@h2bwDb)9>dRWB%ExW$qKTq2GwIOS*tyT}z*DQS3x7|d~ zdh~oOxLALI zVG8^o%)&hUlrdc())|6jf(x?m1KaF6{zwwGBSBkAM`>GZiG}s&Cd?jH<{$bnnogC! z%uv{o$bjxvpf(`Mu}}p7{)a#@Z#u&B@>XE3minM5eiifA!TUWH7Kdz}Y+OcCyZuBa zuyBO6x%aOneP6ndrAGjW`5)Wl6y%(cy6MhNm=tW=4q*cZTX!20ezEGO<89>2=x-sjvMgoFX2abm2+JF_r1LQ-I-}R6zVXQ83{}xtYgtof(zLxyf)OQzq#Rzy|Aw+UvQfi2Z zNXJi-2+NMt`s`J>j&=s_dut=|8sQH|9%Mu1?zuD<3Hzk{eN;YOd2%Z!upy4 zxHz!&fO;GtDSZ6=jZF<+UJaqR_{8Di_X+nMxAw8Hs_x>DXUF)WTZujQL{0Sc{f=`% z!S7HUu&PvQ4-R5ja7=?Irb~=05&X|8+&@c>3dxTjwbE_3)C1WtV5=uc+{PDBMCsfo zxO=^L!k@TZi10S=?70C-dNheSGk8qXVW?^wa7-Er4uI&{eB9@tpjd78iV96jn?l{f z`tb)Gnehrl!25Wd*aCjA0n>~y!0rSsu5a6f1Yj8k4)a=Nd0!+Xj_XK~0P^{aMo7zNy)TVZ!qKX$ zNh+}JSrJy1JAJ^Rd$0myxhU9;=_J^G3=U3B$>&*@hJcG&D8n<+EamYx}I1)q2&p7?Rv! z`R_YfH=ph$QGnv^6Zt!=o#7?yK`cqhW6#^!a4sj(KxM_ZA{-@ssRAkSxAihu*ZZq= zSqND{H^30ud9yfE#$@0A;ZZ!g4U{Cg%UAlm>_Y^B5f1@3*;$zNh>Ch;(FC!-E?~R8 zx{>LnHzm=8RmE{1ecPnDhjlOv)V9wY4xRvU)#5Y480w>*V^+2~+(6?FaO_RJVmW9$ z{aRWZaS5;jX}|(F$pJ(lT8BqY@VCss1N#ZQamW_?99Ri9asKb+^7{7J==j>|28d`F z6)XZf`{}6yAknef1Ad}|0mQMp`!;aSR;~E^@jW15rq(LKOHe4*Y7!E?JUh0(d^|mK zyuPad_L+nDexVDtUxNI_w6bbLZkP*7Cl z=0`%1#NlC7e~nWpW#=Z7GtwX~O?z@B?m+YA_?OzsY6GB216jPT ztN(;PzcyVbvf$ulK09NdA*K_a9v*&%uFxn>ehK2yz0k zo(?i7D0evxQ={dx*gpYry_lUUupcPNx3WZ6TU;*Xb%EIkThM+%M!M2vD2(`~-hqL? zY*2u;UB+4fwbgYAYenO-hAYyBF}e`uINi4Lw|b?V7X3CsVXa|^q0+z!w{+OO08DwH z#*pdcT=0#XF>WmahykUszvfuLe2&iFxP-Eg-zWd%Ob)o?D!bo>`NdAHRq9kaL!o z3+XbJEC9V;K3Vb|hWN= zH)5~A9Uq&3J_t{shF@DW{V9_H^cJz$h0=|Z==E?ltT(fp^#z}WW|c4~rV}}Q3wGk) zZvrU__{KnAx4l}i(sc5P!dnI7qu(P&g=B9;&-S4}a-*#L+$vdHTlt3gF4(Cs_PX$k zsKqgOrM5MXFsLv0zHBA9j0Z|jW7<%Eq}gw2oSYC2wq0!lVm22AIQ1KW2mA0tJDfM|P1Wuj z3-tbt#_x1l62RI+7(u(cwzajqt7QOzsO!5Q{2jVkfpoV|P!kK6PIIiBfK5z>Sxf=E z$#x;2eNihGX&^CgydoQeJUKi>I_Z{DvzC^`X^x1r(A?l0fCSZKj^y=k|DNYyXL!*= z4KygU0fL~$W?})N@S5V{#-;)$cy?9OItEX&Xw(Ma9~CO)KR{(&H;qY~88P+Rck)q{ zOrw_u?nIxZF+mYuQFpY&=m)+m=w)7`NF5cBPF9v*zCvb8@Q9T`)v_z$@Dg<+ZSA;B z;99b)Ef>XP3RwRtGJVrO#%7n)RDIZ3S4l}m9Q4w40&8mx8f^{W9Pjc3uJW z8x8B>z1P(T3dG%ioFW|C4u5x-c}k$P+$M6=^Dd5>vl7L<+O202N@;yhX(gZ1jgioh zc_Ef(N&T) zUw>~cg~));B_Zu>1Oa7wPRpwsJZ?UA)J51XmYH~sRJ0{z1!S*nrjf&ZL0N~Oq{G)} z6p09w-g0Bzaq@gaDh--BTX%fCzPGmr7K#g?N5sR&ecbkHZqf^Ub}?=5DmB6wmgxpUM#^Ja`8{4&?R;k4J~tPLCx)Szo#N1>@CqVashb|^A@Al?7yY~I0}Xuqed%n^ z)m6%?iwPC=A>(307u`Zc$7J$mA-(@WN*CSxX-{}A1H*W^|6x6KB_)hZip0>!5UlHa zbNrkrAK!?!gs*O8g&k5K>8!1-^)Cl}i?^1U2lGOR{r$FDPZeM?O+m^}i`+_<4YhAJ z@$$x65YIEW%8L1oQXtqs8dq3I2k2?KlIC}oXUB}`qobpVL5dF_!hY_= zv(od0D+GN|<90VR^xAa-^iuBrivV{s_Op3R|9q2t;i^FjCE>Ry>1pgCFNo*}J2W#6 zK*{sCQUVO8rS`r4#LgQ$)TOu^!f4pX#wVm36;wX5jz+j zefJysar{qkfnR|&N!+sU%Xl?|+;8a!#M~aM9a1QX~==sAl_bPwz|Jy2UAR;uZR4;TGwVvtOY@lgE-I1qWBz ziv;n%?$-fm>4fR&CgTsi)06T6AO3Lu1~T%B_U-Va9@h{VYqzbA>**R*twxt?!xc_j z94V6m299|E9|EZgXUf{jp2gK;Af<*%E)Z=j&ot24$1&5=c~mI)G2dzM+JRo5!21nk zWFU@+BptDzOux8zgA@vPcX#tOTcb9%mY$Y;NKFNagylv;sEcq+5hJat^|%c!Els5G z6{@s?PfBwrHn%4tm|Kif={ncdD%w*$9 z?psFe%k#7zUte#+@bKL&?|8~s_{S?vnOsRj2ZxH`g&l{fX>lquH}Q|gJyI^v zLjB%rFG(R-p3}ItTY6Dw3hi4>R#nFF)&A5=_T=!F`;4j z^YS+hbqgottBO+-%Zty;ThqaKvMl<_6@o%W$R>FKuVaFOxH!ncv@iXaZ~*5HiXVP) zdy4-<>=DZSDJUjo7-67RQ^^u9)er=SZ6!2SuVD}~V+9TI!qFI4u&~nUS8E_Yrlvv8 zcef`1E25kx6aX}A!FhR2##NJe83~b>R3w(WA~>%ci-kN@w8HKX)PQPMX~R(agrKse z7>HE1RmEG(fB$pvu)tCZ%^t?yC@CRkqC;Q)$m!cPR6KjH{5}_N9+XBv@c9~54g}uq zcGE|_1?&K$1ETD|rp_Jj@rlD8|0Z${dZINp`i12h{hO5!tDrz5LQtCcV8j0o@+FJ= z3ZRwP(f=OcJk5tfkI%5v<exZS0aU`m zqN0$1?%h(3w2g(q2|NEDxf&f-a9L6Pe9}ptgy&q~`gU@FiBO$@dM+%_u+QDGBa?zr z8+h&;pLJ7a80q1kUwrUec%J5*cGWEVf;D){G|+{XNzCcLIhkj{zp;@TnYd@Ti)55o2s@TPrykaIw8J)J|XGY;y*-~BJ3>} zrwK|Ruzk24M#35!FG}eHR21ZW*Q-PAY~XVEzK4~ChrSlKTRZ#vwY98=55O>%4RwTC zm|F?**BM-(z*!hk;gNTU?$v7PR_Ws;s1$2$!zIq8wU9_B=xST@jRzn$5%o}1w7KDD zFrc)Wz>3R~AR;O$Dat7c`qi+=zQkyz+b}CjAfT=TI5#{a_Im}#athY4K5JlcV{;gS zsEEIX_+#5viQ>kb|7AZEA^H4WVS{?!&0bYm;rHinf9l8iU!+$m_EU|ex!>oS(gBbL zz7Y~XyfZs%2sk&7l`-8`B=WnXWB{W25)l^u=!w5R(7wZ|19+jniOV~z0mc(k=5jyW zW*Jqr2DA^subHj5(bojZ9H7kxwChHH>Qj^hP~KbZw8P(;Rat;v6@79hp}tmO;CPP^ z1pJP;xVnS%&ZC)9h}YtNClS#yb3i+~5%f7}DeV5Tm_RJ`H7(~b8Ig~GH3&D-`+Z5W zX=|yP=7Pz9XDw)+OM1>en`^WMTp7{x=c%pylYBu6U4Z#bN|!Lx18r`hYUYRH06Sn? zN|y9pKMGC!vdvyz4ooTVw~FhOfNU)>-yqim)A9SqZ(V7PxJJq>*d|eQO&c5?xF6F& zf`Z>cfSlZ+-VR*y3Tfxv=xq?J%uwXEi=3*-RWJ!`cN@TJ8qd}k8y};-u7t_7?ATK> zMbeT23kAzM#bi&X5Aw%bbr?8NN=x2ab#P=Uo&LvLZ2V7I?cLJ_O$7q&2U@Cw9ZXt* zcDQ)wtc*K0A)z5`jmJdl>M)&3{|)~wywkuiu9P-2LYBjdmntgaGa|28r*Jy(#NnqW zU@7V7F;m=60d}ZEE6^~;Z{7#_ysabYySS)JAa}}?FtF5967sPNT$NXxIHePtE%pCd z-_Rfgfb7f(i4+8ACaj`}n>(2rSerUx!1 z$^Ky~J6csO5vHc#7k6HR(^6w(MS&0jr~%9quKYTw`6(#K&o=L8?$hOlx0(;lODKtC z9G>;hQ1Mf(4F0gUGi=cxDfq$y+?a?Vx(1Pq=%M$4{7oAWc*tj*i12p%d7tx5?g%8d z!5g)$oC~w6l_2GM1Tn0*k*pMsegVJ0f(#55)hLwNRr?z6)p%;xoUDTw=Z7QReGMYgHVO)4E=;dv)_us!0zNQi%Nq3rSAu5HJzy;Bj>77#}^&q$0__75UPCyexMlOk7Z(e}AK{@MTb?$&WkMJM@lb$(} zb}o&*XTDs}m@{>yXktgVy^({vF>P!R9365#n>z8>G1%C-mvBO1A(XTI!U0}-uqPg0 zwY*l>LVT-Kz!R8YzCFzbpx#aGDTDgB_oT>eyXPY5ZGq z-8ObHzEygHN-}b7o0DVPg>!@zB<%FLy`~GQFAak}uXCq&sw8M-1V04|7!q<|k4dO> zJCOkAyA6)Fq3H;4Zu$T4k8n(KV1%2lSk6rGVo{jBIsWEr^ZqJ%$@vXva>KV@ZaoHn zfhGa)G602o_wHRUE30Z2JMVg;sfD&Scz&%>3B`X8ssQAN9Mav9Ir)@tc2~aZHujYq zAvF~h&Fa$r{B#L`ng$Y+=oRI6oK{N#skJ9KXOdX4wifc4fQX4n-qUxs*1xM@PZW@S zvNHD%+|E8&+ZPv?_YU-Oa){f&4S z)0a>J;9ad~^6B`~KkNvO-nE-KfparEySf`4P6pSX3c;e{;#OS25lNFZrGPlkU+5p` z2M;x3R}bv|z=n*N_xu-6_=`zMR9O7%H$#kMa|wXUP;(Uvp`eF}iSZ02HpbG603+m! zai0OY5=%WhwPIuMv-Z*~BL~i@Fx&>O`{?cPc1U}YuGrQ>B``;TZpOf&;q+P*@#Q`- zr9Uh4f{p+y*$w9Fd+ol1iy;R`ju@eLj{yJHI+H*SVlN?=S0g{AK8lO~8G>&CiVJ+JyZbPui$0S~a$MTz7FXIujg^Ano8G@Y|53(o;rr8p!eJ@r zsbg!4OV1}~*)|Eb=jSl;UO+`&l3MuluW}!lbj42& zhHE4H7T|WGF1ub9C2WWYk!6?RUs`X_Zt6L=q6)OBZ!T?QUt>*{sA@G&VPidtk(q`cu%o1^svByEBv{ zfRtwyZ2u}$g7qMLM3va{xIRo`0QiNbg3lllo&zCKP&)C<>8VSn4|aV)7p@>_*UHL@ z88{ikclJK|$p}hs<67ezZ;6-ZUWA`{p65%JQqknVj{`+o+kLaMnw>D< z(@ZU3qO`IC0i2SMEZ~j+SY6`&Kx%D$J=hs2vm{(^m{Qm z0s)CZlbn8OX{G95pM=s%ls$2%!9gMi372cOJ5RZbgs|tL2QgY}eiWl_y-M7cX7v?ja zU0rEKU4Bo--ZyK|Q-JZX@H}JT`86D+#|n%iKzOG@)ztvi`vy-cj74^(n1F zLm)Qr3O_BmPyKLbeS4Z(`4(nmNkh=X#3nG@`Nfx)#7u#+ zWbQEl;@G7-i)AY>h#nP7!5(Vw?(HS8ap3Fm-sCGb<&132pCjaeKm;Vl?1>^UZ59Sr zr4J+0**T#XQJylK9-gjg;{M^*BA@qIgtXa8aL!L|`V$|58+tbiU@z?;{HPu}zHhsJ$-FWh7!&ukDSto2zjc{<-=QUGnjb>7THgs`uUHsT0a9{ zb)dsJ>dP6wf|81`kC^*avO36epb-)JQ<>#BgO}&i+SYP38y1%W;sE6b`@Ute0H8rT z>AU|upE!l`YdbXYRO3Z13Rw3jw(ws$-k8Cgoc9uvk`i>o*MIMvpg!fVe#$qOB1uoD zX%!PY@iDUZe*;Wb05(6{IUDUzOc4l-a08z(*inLlZyOn#z-~?>@%(g7Rf3c4;o!Ud@xGUF`$m4$%|m&*Zq12r z)L#9#*$y%-v663yU6V3^aJbt-l-?>_Z^bC5Of~+Y;j#Q(1vP9n5vsv8;Q$aNYnET6 z)_vqHFj-y^zaR?-s15K$zpN}%0s|Twn_{5mg|bUovIPn9dC%}8sU+M0WBn8z%r?ei z7X`MTU%eab$&!QJ-9y8zSev-vJ=^aT&j88h(ErXpSOFx;?E*phHi&auHQ$Q<*9AzF z8$Wo0F2FnS@qOtzE33XPg1nLXu?;LFA-DgjQ+ELAJb_)O*CZ`;aT1r9Ii6d?=h z@tTE1fs)eo?8%T|aJWh#D{G}tVk+3l%Cslm8ETZ&YDPa6o^6Lnii-AP{()Nx6aa4s zkgRA}K8UjzxhtYrH&kR@R$eJ-0Kyw|h-qn7c6ZH-RR#d`^XO)k^On(2u-QtfDQ~*r ztli2#%gA(Tj)2GxH<214mH)VswGGVdsiPP;Ll#P zi9{WR_vF2_X2eLsYOROrC@3gtmF3GzDu%Y$u9(0zuyCZ*1Z_a|otRZx>!o0wM~MU^ zjK23pqJuOEN>2?$hXc+OI6%mgG99e#ANa!?WqeDD&VhDR*(hWFiUD(T5p2+;gM~r_g&yN@I`FyRU-w10a`P4?H1$JU1ew3gT6$SHsFv8cJ3zK-L1%^S{ey@5I8Kl|S&pypzJe6j(8w-n@0(aEU-apsYR;?eGl9m*k0@D!u z_MaD7zO#2Vbyjz_F4o~OxV3TeIUA_WdB1*AO?vF+>+gwDMzQ3A!F|{VIilzAm@`G2F@js9OI?TfhE<(-!=MOb_&Ehiv z6M;DGqaGF`RXqQfIG;0?Uvtdu;fRXvw5-E>3I<2`_+eRneSdqj1xtKIS`bkEHFHZ# z6^EMo%UfpP3O{6k;}gVtq(ijw_gvo9eaSG{0Nv{go9xn>($@>Yd%d*rL?E2ZH0S9+ zbmGE~>cTQFE0k;$h#$U`*73-b^*6QpN8pp7kdc^~Q(HqV_M)eIsM=E$=Lr-jNkNwa z=Kp}Ut}UN(&=UajU4jY@?=0p%v8T)O;O#!?|74S7vTy(eo0g!!y`aVI<%f?J=^s!~ zQ9LYDLoPP`PAsOT1_yfqbhfy>($QhOsj&$dh`>eY$;h{M&HZ()3)Fnp?M&63^<_RQ z%z@*u#AfHj#KoTBf07FcotkooV%`;wkW(b2v%D-W5-W7D(_%>geh<3+eSo?U-yz^% zzh6{QE}oJx^Dmp{nyLA<8mI%p==piLxPHv=it>x+4K-*t?vi|$kWwb86*oQ z#Lc{~>d(H?w*}5P2Z@x7w8YqA9f-+)r#B&C*NDoC1P^X?Y+4!`pVBvXf)0jv9IebZ zjQbuVLHT0T`s5B^JA$6f`l0!g1~cYF`@4-@U6129%Q#Al_}D~5gj!C2@dEK=q*ynQ zqO{mg(5WAS%6;CeU%Pb#Hf967_iq)zDf6l>+hK|0(HNT>MG3X|_IE|g8@+jNQWzj5 zp9r(hRk@t39XslIS*Q*kgUXmjIPtw+BhX?`7<*53o?4+n6L>w_=6YEnuFcO++qQ_Q z_FQmwFtWHlA8gcZjRdhzS%+k2#%5j4c7>s@?tJ`eeCHFPMSJt7`dvp;{X|>}y*ngN zo|9tfMRVx=#DX{P(>F zj?JlfE2f+;#%ADKCrv_w$|8Ux$7~3;6VoS(`mo!VmBO^NO2JZ}$nUh!(Im#$x4*mQ)WX#B;ol<01O4bw!j*eb1mL{>2%TyP` zluhJGOP^b0FP~i+OpDs=P^VYC2pa0fF-xeaJ7Ix+FRFUQq1e+-YW-dG|Kjeg-=gfk z@KID$K1JpI96F>WM?gBId&nV&ZU#7y@8^8apKz}094>zt zWt`d1-fOS8*S*#<(aqvubRqQ5^GW?ttj>IR-K7G1Jb4U@mAss)gWWDXOKkh#r*|c3 z>LXrJZ(^!?i8*U5Jg)?gOty7+K>nFrZV%9+hF{!bQ3-n<_t)$VKF411)3bBc@GoNG zchKd8c^#|o^yl8cEWp$jGd+61j=%ONMq*T(*08@gQ?e;w?r3zl!XIm2y-@W4k&_8L zBIdWvd^ak&mIL=ME3-BP#1&3nA}y$yI~VoC5*~s(zfuPvhr`$0N#5hcWea(1{wYO( zoga$*jxv*@ArJ3pkk$RpOkv*&u1~XCa|73`dz#_Ll-lxNA2xiu-I9XfNf%lzBAI!eSGKf~9vl0*`M+ z{cK!5YBmN=5B@A~Sqaqgv(?jf0ky#W=NMFd6kJ{32fl`b>)T9WYJnGvl9DIqQyPOL zt=%_6lE~dPIcnmb&0k&VPNvmh9MJjZ?n~<1hbaxklJ=Kafk%CkvByVZ^FCsxUng%u z^N`4z;@lh&MN%Lzqz}5k>yDR@5cpWL@UZn#(igcKq)Z8kv50BEzBPJ0k$l|mem)&e zV)>yPeuk;C@~wR8#R(`ws_Hwforhtp@87PnaKbIJhKM9|BBb!3HR)Ty3KN5bJmSpw zz9H{Q*<@+qrwT+Rs855d4p-b7E^ORlvNpacQ;<-J1RVOu4}^`OB*e9Lc)Qui`p&H$ zQTx&1{F0x)0G2%?z!#1gc$>*atf$ul3RLLXzqmiPh5EZ)t=P4t@m%(A1O)+${o}7Y zQLI}oP;Evm;0?%9$;#$<4Za1vDCZ(?p&f&85X~_R8hCwtlKi*h7~yqwe>oO!hWzF8 zd*gyq$p2h2=wu&_tFw=fuL-#u$z*G%o5U-`hirdD?q-}N%DP&v1bV?7T0QZlUVQxu zz3+as-`|P3q*R^G4mudHEex1mf`4w=%gmHxPb)F)L8~*68=IcKI={U6AaUzKHc|kj zx1ydKI$f{$3UiGOjT$uB$OJl%&f#}fh4OFjXBsX_)7o*mC$o&O;Gnr*WdM5XtDG!J zY(Sx`?A+?{afX`*$TTf0ITq6bFU2}r$kh{T(w@%@`nW=kyc+xPvennuENFXq%-C<* zs=9WOGRWsN<7a1fMa81?!$HL`FDY=1&b~f=zFoRGQ5&$TO;sWW6A~By*kR5m%Brk^ zTo{{lUtg3EoBDO9=Mtq6@K75!`b@4od-*}`GRXTnZ7fiv3w(!s_{j!R+=X8_SPDSj zOwBJ(&M)JObe;Ko$TaiN)5}z!-5>*sf+OHI(4Y__ywnP6f`W}a7pUvQO}roZPhaD+9l3}rJqeqP8?n%Z3U}LDktqf^et131%HrxxE+@4 zeH4*=ICsmMsZ>zn|KpmOgnv6rmpmZhch4`{=sY?!fG*y<<5;VZoaYFQzQ0g0V)UyxWl?X~su%GV{4$iZp;7%?6ZJ%7~)_0JU zA3Gk=<>e%n4HvOg)!^-$?1PG}Xkz%*<}s2S0RewE_7cpAd}u}0Nftp&I&YjTfd0^avJqSed7K}S$5EbPbYphvEX z7Cq0RlRlW=r?Uu;sK~*4JN`^S0Jp4dsYL@A`6#umDym_8FabU{3S07qS$=`9SVhGU z4ikOKfgv;h`^vP-xbZ|INiRz~tM{Wzd;H$64%94}H!$5tCRSeiGojQKY-Cb%DG`2l%oA-7D@zBR{2>I;3$C}RHO^}a) z!U-fx!2k30C;j@RMHtj_pD0HF$tZKWw{u9EXQ_Y&95(V;^bs@?H#DiG)hFp7uVBz* zFJtYqdzXy-_QIsa^*$)@$OzIS!)tI&vSn|XwbJPs zsILkfqM_*Y!SaJ!^yF?7E4|%)S?Xl2Q^lLks9>6?fcql+Vuu%BBWy(#(eX0oYx=i&srf^XJokhiK$tMn-~xk7Ljf!|SzQP{BfPnuzS-!&p zsy=|4k)-aB+N8(ZCKqD(wu-AVARk%SOM-!IKx3>KI0GR@__`$3Ejap6)wmVZ)84eq zds8frH#lgbKjz+n= zyN|tS&6B?nA=}zbDgqj~pWpYzQj`Vc;zo4 z&rcF~jR?Y2%E%hu+ZtjeP6@|sY?N!46Wd+#TI3*Zr^j~(?qA=mGi_LjcA1O+O^1A- zI@{3DOf{C-mcu9K*v-~4;G#!Q&&*Bnc6S8jwb5F1+nm)T+qU@mJ_}Zxu_XWj!}IK% zodu{*xwcNc$7cDb1o)c859emSN0BSMWG!IMN&Q$cR=Qq;Yv*~vb3a?$ysXlVLZN%4G)Nn?QT;K1mPl>%akDg zMqzs8N)oMgSzT9COyV-VOC_&Gz;UxbQtRxPs5h>1&7*~m#gP9Y-6>13$5D0QpwsUt zX^39MmV=9>!+kR1XQ$WI*GI=OLF^STy)s&cuF$^i8uu$1jUq7xlNu+7Fu6hRz%Kla z3%$c{{(@6LP}41IC@MndkI3Ex`R$Qqy@>c~Ny79^nu3H(#HXmJ_$Wlgd?{S;Z8qoC z{6b6SnTPWgpJ1?B?2mW z^>NPJ)uIy&bd9GyOQdO6y;}`fLpKM!@QLxC!q?X|OnI0}U8B5YM=e`$p%Jwt5=)n( zWom)zX7Z|N`#S>}1G~8hjPenI>k}X~S7W^-Gd!h$2*c4Jz@}=ZIT}hRFq3fcLu9 zqhEg4BVk`%TIsNVaLQOu+Pt`J=WJJA>EPb`X#|VWs%9bZG7I)~nM|9N5Oxm_J!=+S z^Cq9Ez-T2$T-;IxoRUh(t2o_X=MTetY_m5Zm8V)K&_kk51_Pva~rnbPQc)DF{$C1f0$u6{_AUd%lhy7nj$c-JD%osCdU$5Hx zZaE-7lmkJz*f>0?-SSD2W^-fjPGODAQkSEm;@h70mh|FQq5U*>$G3vM4U3qOMTg>o z5V6VC@7-H%*ZCUj!YiMK`-cXo%y3dQGc)a(**HN$InFMiKGvjH+9Z~RSbdR`{2We* zjxXAyG*t1$9W{|WjUNX-R?3RI1i@?ufH?SGTg98aqrA~fz(q2kIIUnd=wd}Q=(HRb zf%P!U6@=e-ot2Roc*T(ye>C-@q`85^@l96%#9~k>s_%+A{i{HQDFb*&N=c~gaV>Ey z=vE7#YM4Y6u&+DvrmCJYKD!61JPOB?hPtdA7|^EWC87s>i6CWf9m-Unj&3GrxZ8J4 zP3=!qH8cGDBW;^{%()wGwY-3?NKek;UmK7v*WfbM=iv41=;+)yVRX3!Z)!rtOkGr* z0+bxG+zSY#(CCK|7gK@))BFOr{*m+CZ}otR7Rei=l0_&)Cj1KKY9s|uCg3!H3RLJG zToX)J!-9_ZW-#Ho!TD=H6Ol{V=<#9lpBgep_PONsj}8uZ4|BZbKuUgc`XNhkz+A?~ z{nYgSAxth!G3+bF_hPZt(U=;4OQv735nGYR@_8<=3U^tPzn!hnH%;(*&+zf2tKX#qDma1g13BRs4j^CE7H|#xCbno_e zBDE~&jRe93ErUx)CcDe~B2oiipeW?06hR=mI%$1-Gqem->4`PY7g1dy$Z>d<1hl%j zp&c6Z4$TgwM3V)~Y5MC|i)N)}AGc-{QztfFb`tmpLM1K@}( z(l0A8zS1BFI%$>b5?H{K>Ii%k#})XMKBkEoQN7}}9i~P)IeGLzm((Hgk-90~O~MN+ zHqv$)iT{7N0E9}! z4C*Jh{u~Izg$f5JSZR>Mj>N*VxUQ`w`IgNpPq2@ zCWnK3w)&rGzt%hK5Kp?aJ^OR*8-O8mZK?*0tJvm(ffRP+fw%#P9_B14O_tm5i^dZX z-~!qSY*`t@E=&Z>z`~p2e zyc6LgwRPsm<*<|K_PAUz%3Fr9Ga!V?ShgE^hHq-MYD@8MT_|p7a9Cg6Py~U>4a9c? zqlOKR3eKvR`YBx`qz$6>dcLL(a~whFGfWY3DjWG@2HA-elJ&9}XAhd#@84h!tMi(`RjUymzU zSf{-@PSoZy@tXT`eVx6ntdQ43E{A0fj&YCvKkSf!1?9 zxQ`r`%LpydEx9rAi)7V)4L?Omq5}^pMPWq0!tmzYiwXjn=7O{8K)dU0OB4^u%;B*M zi0ysy{j97HMh&Qc-a+kFH+S8{@9!;r@>3=V+MQiJrYFLu$#i(Pz91iGnu2H-q*P09R3c2f>3|1K^~by z!1Xz5YYOTrCb5JDZjM3kcjIv{aHV>|6bYxCzuwfI)pEp3-pAK)0Wr7l?QLHHI2UMm zTy;3U(dW|n)sEzGvRs?hYNLf2z<;Lb&of;y{{#$m8|b~83T`)VEa{(wOq&$fx( zQp9pCRhd(fK&G|3(>0rUm{~nPjAU|Bv6rwoey2eJKT)y&Emu3)40jw3Xqiy7(NS9X zyS#8t6%4t{rA0Bm=;C{N13qj=ymHM-vV!b%JtHi4a_^$2Wi=9TM#I!bqm@(5ZrRnE zeL+nv>cM!ifW;(SPE7GQ-`6GD;4hX5L=(MsbY-;zn}@3{p5@<|@7Pdd?` zqU6_7?rlWTt$7OX-y-zH$k6T&a&dVp@8khQNWU>12M16;cpf-O(tE@ZjV-@`Q?ucx z;k&9Rm`@5k;KqozTpf4WoH2C}8j5O_MC7=krf4l~q zB`F);J}X-?FsC7j2%h2HekeWhW`K$3z>A8b9%(N#@1acPLLS<;PrleC3|Q${L$(-t z5}Cg6bU7AYPV#R9M;B^TC{A_M+;Z#YfvMW$7FD@Scf+i^d$>=Gn#dy{VlN3=w{q~? ze(jdHu7DSeF^o@7G&B}O-oYaw>XH@K^;|{TkYP>l8N6! z;rUv&qaIfm85}do{M(sEi>PT73TE$<&hWX|oo zvQpm^OZ``KMFX$v%pxT2Cdge}3|os@K<|xhSr`DAJA$CyX-Yz1{o;0XTCl>jgT3s^ z2f$ZnJrP)xH}gTrMKNq`cSA%`L-~hRkq*G!A+K(Qhj#Z#VK3HrxP2N3N^b?F!dxRE0Nn6ZeD1DEfWh|Z;85)mk)I~Pe=XKC5)*t6F&t|9~4=Z zWuN((pPgXX9N~1u^@bxre6DOMLaZ{}iI%l;iI@0ofCPer%8K(6jyuFf_3&Zt zyKdplrC>){LZO`Z4`b)6$9o>JU5DvYh{g28A#`Krr^yf?18Pu`6(cv(=8ud26OMmy z+l?rNh-Vj{5Q&JUNezn0do)_W=l;9TSu*hegFZOzfEi@MAw83&r9#w5zySyO(N!WR zSEeZqt7twU#{^K`Jde|~lr@wwC{>N_3ebB0{b?OgXqP96l>fA@GA=233;__{Fl82n z`-|P6utQ1OuzsuBmw-t>_zA!&lzC7V$K#$^nEfZ`jO7~zeL%fjOIPRJ!?8Em+Eq)& ztZut4)xt1MTiyH|8Nr*Ip!voTV)nAI``V+q7KVLH*9F6A#L~L`)>_FS;#K z<(VNy0_F`EGzJ4(QR`hHT_Iw^@v$VyQo!Q&0X&j4X#e)@tZ9QQVh^y<3OT}NcktYH zi_oSe?+>P z+;0UT$Px0Hp1`yLyL|@oB5$Is@uJ3~)qLuEq@F6+A<9y=Vut#DT@P5N#YSF>{r2_V zB1(dEJ(XJZ0YdHDwP7vxxZ3U&j(K^0At_!JI)cE$c6f z;%v=)FY>5v1NDc<6nAGk+~bYo$jzxs4b>$K);a(vdqeTIKsCGc2KZn1q1|!;9mhuK zfkEbvKnme<9GX+@^4gD8rn+^jZcTCmCBYbQPX-1ns@U~PwIg$tgi# zAlJR(W2lezcJGnx*vfZK&`TipTj+3lai%B{6ac3N5L1g#v-aK{U3JY)5v%bGPVo4KgAC6Js&8Ztuofo)J`v$eg3rTThGM8 zUmxW8JbK|e7tCX^pe)LJLIB#=xlrSuehl85u$*zb5i#W^qI!{ZU!Djl#Zg z2RdL#mlriY#4aC2V48Xk^a75u+I^R(ME{kDJZS1 z%->BOu>{hFoAa4Krjzq_LCwrf}qTZa;U@!oAfO2;1 zBdIhT`TM5{oK1^o`;ro50wubohwb-i(H*+gv&&w0#N97i{qEpyPt#S)?+2g(w!W>5 z+KO9E(1+=<<qN;w9!NI;3)4y--pNAUm|3PkUWp{K! z&rsggeowI>o77`B%1*W0#0#)iMW5bxk0#b7hAS1E3+rm5{MdIH6PM%`A`tMtB9_d{ z%_JKbYI0hsw|xxGTzC~l+IGB8|8p^AMM(fF5kMb*OG302+ zy$Z)#hPfrMgGC+=RZx)aR!FV4Di^6qt@DV>BT|2-e-NUC$Di@z`|Lg%Ek-kPl*`|_ zZ-%3~<6?9L$SWw<(lY?}=rW2DPy)75RLg!SaK>h3-2`w}s@?gmzw$S~AX!;7+LUbq zP_q>0wvR*=ECA#_ho`{=wAc|Iu&?89YPh=08m8Bc@B6@_Q$B6b8-2KLoxb3 z`v&=t));qLRnFhDA6ddtK$V+aR6}?!YW-r;Xa~K|Ht4$K^f?zB>V400tG7T ze=lf+(f$#i0FoOB2jHOsKVLTgpLYW~{l9-o3VrvlNec?fo0q}B^dR6z9_#6Uv`Liz zZ+wtdWbSWmX^q!tPc7Ix&%SH-o>6@L4$zf>I9T-uc?q}FFnyY3@#yul;6J0%oXM3& z4PBpxzenZ(^Ope5P#f*?yKrv!iLc+CiUd@$24ACp3&`(q%Q8#-w+Uao6Fz^JLZc1C z?ZV5sP2Cv=+9(10==1W9^WO_#Yu~gNNU@}zwDq4w=0wD7vm|x=_ltG;mSBv3$vvYQ zt3(=%$Q<;s6W<)Hn*a9r-O{*4G{;}JbOK9df}SuJ-2AZ56kq>$5H!v|S_`Dm@>5PD zNALbSqc7LpHopIT=>IoP-if0i!uEHWadO-h%_osT!)CXCfJ5T98q_ zeGL8pD_F&SYWn^-^5d7tPC^SQG&vTzl9;qBLb?ird$Ez>j^Oqz

??{ftU5qnlQLJhKw5cMB?_}P-cnQTY|}m$ znb)8+gKP9Nk}oB0cXtnjL_J*!3K~%ZM3Yd$t!krv3(FNu?W%jf282IRwT^Ys5ze?a z&?#21@V74lF8x6vJ(mZh6%Z($R%D(CM+G^17M!kiJrs=*doYC(%^dphAVwo-ukN&2 zn9K2Gx6KjnGI^WpS&!ia6I`+i6LJ0f3=CuFPBRjHzyQX0L)yI1y+iCgE>QOpBx_^X zz;eWz6ij&NesrAoa*|G3#w}4F-l=$AfhKPYaUL0fHNEH8@$juz>$R*oL)YEM*vA_~ zZl(#%u-Gblqs9-Eg7!T#gu=VLT)=f4#)@rz6t1XDy+O9IwsNn?_?t{%uUvnx^N5J5 zSWtx#07YlIl8j|HHGzQI`#}l{saEcl0vYRo^#dugbF0iCQCSg*tlB4&`21wPj3i<* z5t9xpQ&PvwgWJyIv*H51FHbvNSJhXQ1%X~c%vG|=ez975TMb`^5I5V6hP$cbqKNroJu>!zvlbYa8ujNAMEfSf{j$|rhKE;@CbC^Kr(3v*m;jW=-Ru0~ZYvu6HKHFICuoBUMz zwnXjSe`7da>4K-gzm{tooI>z06&snZUxfx(j(`Yb1}5O)Ofy>4zw8CgyZ@=mJq?pw zI%@H-SnuEWbh0B|I3sRFgpzjeVrx?GH%k>yIA9iNT}7K+03tq)OGNR(AQCshN)k$7 zKk#Jq9Z{eBiIxIgw`PBqf4fq`{>f;K z0*$dfEO+dbxJK}Fdpac_NFD>x!UX;l zYwXI(%J(8rn8*{oKky?~J88qa@J(!!7{Pm-k6!a?24<9^?Orp|5AGTdeaW{69_O!sY+~ literal 0 HcmV?d00001 diff --git a/docs/docs/public/developer-settings.png b/docs/docs/public/developer-settings.png new file mode 100644 index 0000000000000000000000000000000000000000..6774f855984fb57eb73b6078de28cc693bee33e7 GIT binary patch literal 157285 zcmeFZcOaF0{5O6`85I&~m}Q0R>^*MTjuEnwkgROsAQ72mZz9=bXBQ!x>@Bj#A>-J7 z@6-K!pZ|V;J^ww=eePS1>s;r$KI1)Juh;v1&Rca=`O8E%i4X|HWrYW_8VCfQAOb=7 zm;e`!%({{K!mm^_T?KO$6$C3hCqUrgAQ0!^84mVD9Grij6Fx>D0xS`D*yHdcjzjjp zpTnQVPm-zp?G4>i4@9|xLUpS5$^3sUHZmMPY zl&NRJ%C_aZTV%+bGMQb=b?43yrGfAEa*g)`zn{M}<`a1NHs6n*ll&^K+Q~=q@hLa? zmsg%2t}dX?erOIl*E@<|Q#d5{ee8dPTU{r$A=V4XD)ZvKl z9W6LKL-2q3;mGA>LRbctp+Z9u``Pa$Yq|CHUVZ6uN5@Mtw1>U>TXP)_QR2$ka1OZ~ z91mVuUG1P?MUoE=564>R1kiubNFN#+dh_N@gyxsvri(Xk-E!TSc*&)|w>oUMzxfNl z)J$K0d~ba`F(F}WZ0rItm7wj!m%>g`#F8QQ+_e#VE`4HJ@!C(H7El7?bsm_N!MxR# z6_@of?R`b2$QuH-6MgcuV(vRjf?+j$lO>PJp7qT(2PZEP1gI}38F1(r8=s9?6&2_f zKN-kIrk?I(k<4$39seTnb~{|oA~EmKR27=PLwoQ8hyTaow$)Jn%lT-Xp?tl_F7u1V zNkWdF)Ny>8+J9y$#c~+BbLo4{UQHETh%+Vr{4M65e#*;*_`y6KW`&Ygd8^?<)Iz*P zZeE_6$a>jmsYRBCSi|#b^}F+9gWs(Ck+Sl%s50R(<_`|)5e$~ko@M9d>DPO{G&P;0 zr>U3d>gqBZRg;lv(o_>Ghsl+!T}CX`wf_lKj9_RunnYjYFmRjcdZe$P3b(ATt`6p` zciWu#W+-9X)~gA%8?Wn!>2+Y1ma4v)dwIpMhDoJ}sYf2t&0?QW5X?(gj zZby6g3th8ai2hwZY~(TX3jfc6=dkN}#EuL8%gJG!r=_F#w4R>}3peO0r^_t+)x7>h z<`q^yU+Vo}DC%TMyj2y2dQ|IHtUj8kF7(d$WJRZ__K%|4WpCr=v#8^?)MEuRv-#7C zwdsa4@dhIu9oK0ThQfP(#56ov^yQyyWCkqI(eA2FVGb^$PP#Q*Du9^U{dlXD_HhS_ z!&@cdcm2_ZeyO?27G=1^={{_ZS#O%uIeg-f^k=I>1x59TD+LjVyTL=fXq^ zOV4cV#w*sp;nS|UiMXtdl=g^w>@4+}#nT{qS78NWVqzLsGs1*({Zh9iFcXf=(Hi>t zBHpLR@9)T8v*Ug8J@Cq%f0A6rEJ;K+zpfTF812t~Qb~;AFcby@;!tkrZ`Z%u%+YZC zM=U0J!fh_J*^ZK3m(+Pdqqs@4htqI{;*)YbkKI)5YGKXBPQRMOP7}s*xX_R~Zz|yO zt)Wpxg^1rdSt%3-c<3q6XVUb>*~Lvssl(3uXgsX)&OaevR&w+9 zvZIK#wY6gn9NNGYCbyz3Qc*5wGt6Yx5vy5hD{E~WuZ8L_e@9OIrW?`cZoq_ZSR`?q zH2O8hx66pu78l#EkCod~sU`4Pe)Yle@EqGZ7tRv&=F*Lyqsha=!$ptEb2r`LmBmzV zFK1_G!bm*CVaTldT@&Y{2u7u`@$rjAY;0^WPVbo`%B=q7ZCL7xaa*?9u6c*?N;?TY zHtp&fjUdWAavH@ea(!u1uXA&AiHtqhid#KbckBJyUv(x56lJ|ZPgHGZNt{^z8tamJ zeZdeM(IcPtE^##c;p}qez28JDY}6Can^hKti#Uv!RbRH|`n`QXY2@}{Ze3_G$&qV1 z^%Ax4P6%)JgRFk=ww?F#G%ueGWmEY&-aQgEaahU8a;fF`coCmT3wQT$wa7J}YrM*F zG10ERs@1n**5fKA&mDz`PoF;R?d=5x1tlaTD4REUf4O(>9(CR^Z+vHQE6puAq=&~5 zc>WX$GszNkh(Sv@{Qhxn4F|F0QBB4Q7HVZ>#a64DsllA|qEU)i^t)?~aFmWGMP6ZH zijd=ilz7G)-08O$o`;vdqGl!%Ax}k)mRk)s`d`$^*Xt{-RR}-p`xwTcbewY+Iw35zgxqjAk08EEU3q+y@0mJPD{M@|*$H~MK%Y{s z&j-#Tp#gvU9jPj8nM(PDd|Kw&pWkgJUT3|U(PVOcU;ur0TGt1qk40q3y0?!3Nq*9BhB@2YcfxE;vOUa)2-@5k&)Xxq-RUH3cx<^f+9DW+ zuHEh~(68Jm4p>-N$Vzd4-j#4ab^kl_MAmf#F+R1LI0RLRlV!Ew29syD*vHgolO{+L z-Qq`UH+aq0xGUz&KO)KfUwWj_Qw>@3xN_5>DwP>}k?eTxs{J{YM zYXI>f$+7$H=`3u4uo3P4OJxXsBofD)jIjn}ty|wzs1Qp9!rj??_wTQxMM6Er&mi!W zmzAyAw>{jFTlSd7%WmC$oGGiC6{VQ%#}+nsB9_g4SoDGCS#KJIY+C#8SE8e%VaM%i zw^|%~#D?wdhqrqqBw!_H9eJ8#Ln)FR+V3)_dj9GCAQQ>(a~^ zw5;$F_4MPle%QKCYNws>!n|!^O7-d%SrN8fELFQBAI9#HyukTpC8!}4PgFUA_w_Z7 zLvCz1+Nhykv~WRB8P?j{XOi!rr@gzAgfP?I-oMtXomU~rgUfUrTm;Ohsi!Ao+7hzd zpVhE8W);b-R+yj9e(D6#7Gj%1YvjP{>MGy_;cG)WT3SxlRhaTyVwtUMX5owdJxM~P zFI>!)e`czQZpo6UJrrM!GYz}zrC&=^xW7onoZ>bs9-x*aSiHYJmA8)LBYrnp zk=pxs%R@`?8vvPLJC;LiRH)^s|B~TWr%1B0rTBKwTR5|od5BFg_c~^(*9Y zY3QuC``*j5S(YG(WnqG|f#5k5Q`b_8a1m4sOsYv=yiN`qSHqeyNb<{oUgn%zF(e*w z0(MhV;Z0MuFSpga5BnX|cmowj=bRJ+09|YpQw5^PSW$XgHvYk>?=@=wIYWf|+^Zkg z-69e~%zW0aeV)1B*%rrbDr{7wSIQLIvA*TxcY?LRcELJdQdWo!fU+Q%2?eF|b_-^> ziJ=G_S1Ak*2ieLiD(a8qo6na77}mHr!~7h|_Vr4ed(tLlwiM#(QUwVSJB*{&E*&xV zAb;sqSdZcqeq^clsol>Bn`;SOWr?)rKLQX%{o5YG6!NDhhV7l=+w|<+@Suhzr}l4- z|77a8pB^kiQkuSI)Dy=&H{sYb>5&M)Z`Pl&*#a3v+f-&dSq%Yj?IbP=dw9Fz;m>oD z(|f%#Bz1=?dH%x`6cn__Gx(S)y{-O{pa!w*>})}ZNim$pMs7#HBh|cS&e4u6O2<9{ zN0}GPAXCj;Q=93(7{tq3_Y*>ju+i|~;QIE*b}*@+>9CvkbLVzpPer`&N+4;5-V)dl z^MueuT?BFb$NM`q{ALKcXU&ylsDt@fOqGg$Sghf6w+Q2!I_ulg z(gJq<@%!?I(tfnVVzR4nvcsmI;ukPmWB29ESYxl3XnhMRuy*Q9h~H&T+ahKYW95+p zKYx}y>q`%-Y^8QJ*z%2hbq-%OS-5;|JyK0v&-1_U=ubT@+cZW)x-G2z(>`le`TY5F^R9%!E#oN(aALFNZ0sRH;=H#u3P9`mujz!#xA-TVhYcMUI)xyT5UG9g z28b&>RH&t`?cB=y1ji>W#yUDWo^>q{ z5HM41kfTe%Ey4sx0aw~oPVxiNZ;NCmxyhIP;^G|S4@zUttuBFSc57azrQUz@aG`R& zj+SEUoo9j%q#4zV8cy9?d#+<=w~%N@1HRjQt25!gRnwcx)MrNQ#`U#xxxHeY$s(2e z|4^L=)L09_(CeVX_*!?H?Nsf-^y&Kap3rdy?a8yPSr0^7k??AM>6GVoSD3lmRx|eY z%_v)J2!b5EcCy>v-j0R8u9MC>TW_OwSBG6E`rJt3l@}tEI1ZXQz51fnmnovjgpz;0 z zJj9N6Qvk`?Z)S;u`pUy3ew(pTi`2RXHCVv2*0X)uX3B_lH5HYv%vhsG$A}oRoft)X z;Y_^lY`o{~QFpNzgZ6YYfF%gfCqDqXy2_lw!qfd$39s3=%=J4zmGT}Iuo@LTgxvzL z)g8y3;dc3Cib*BGX;53|dyYq?EZJQsLV zUjj=4r!U56?Eh*C!1^|-h_EO(H$lStG_R<>+HGrg)~YW!*=_bMKrq!U-f6{NeO9x< zTy4m)bW@9pcctGkC@3i@QMER&&S0_%3Tz;M)wrU==Dt){yZ?Ac-(1P>ZCqtw+Zsmg zkDs*zybuoJAG~8iq^Ui(u`#T2m z@$(iD{@A|^L4sm>_c}r_Nn1xJcHUMP^4wZj0M$;6<6S5J`=F-mFtN^a{R#o`rLJYH z+zL_=#?4RZhVwjGG&bCp`L5I(s}`Au!U<8WfN+FsY`w7g`LH*j+ETnO;jd_5ihY@s z>I0}Nc=AA+5#O%Br6phZ{df4kHTlmV{_}?aLcxFG@&AF`kff}phCuB70@8S}AkZ+H zL%+SyRrBl3El8CJswdt5XQ}b;)#(I9TsJ&{9)Th~4FCWT(*3`W^@*y|s;a6A?89Z| z>#Oqeav(V(E7=(>Vbmh#opB(ZQ2D+EP0R{}5BvrcYjkcwf!HQLU=)DdtHVX`@IKic zuC$#T8yWe6I@+Taak&IyBPf+{F@TRk*o%eJN&qCYpKEEhpC~t$pN?f{1AdJaCyk98 z;7TByTsysHGhJU-SBHYPzP@nzrr?X2nQyNzHh^Rh229$?%*;$pjf##=`aE4wI!kI# zkx`vHmg9=;4g^uK?N#c5Vl3VuZUKziaX~p%{3JUgY^5GOcXl#;b`qm+E406!rINTe zM|Tovk+{JN;A$ zG9v+~<^_^?47=W+{kd?vk_wK@!znd|1qJJ%Kp!o7pDqITgHZ$Y#uB|Sp@le3&tDfod09Io_Q+sR z07c9mU561rT*@$;SO*D@5;Xcw?$+bc)RR$AWL6`%W;PkLe43CT*iO1mpTI5%CU&{B zo`T^V0tZ=2@z|)^s9puRw3gJ1PuT1LM@gm7*){OABc?Ybx z4aB5vBQJ^=%RKWM4)f5Siz1-uqBl%&@Z_=)0q;R8)wiqLO|UA|D}O#nFR}!xnJcgh zuu#o_wZP_*(Y0`|oeZpCJ&8)giuEgbSSxmRrOj>y<39n(n&WWC(`Ey4M3opdeL;ba@yx=yAISvDgmk_PGUzDo{KQV4B9n zUB7PLya_KBt!>9VL}4+y1g5Iz-lMXmUfRRmVdDnS89aXXBE+O&-2Na57b^Bu6SQ!*}JSb~O%j2j+*^96D$^RicF0RtMV@yVbub$h?P z$1`i|eSd z7JYRa;6I=@RApHpRiW5a2Y1nb^vK=)Hu_*}xE?F-?d-54s$rfwle1N zDTj`GN-^xq%X&^lXcXEbz)eaO1I5h_Wts=~vpGOkwI>Sz<+T zsGiX56YS`L9D4eV#7q6pCeUb**;Bj@m*uIQ2bTIWu=O8p?Lp9iKqY|y1mOXsNYSnD zS2M*1y&xE4l?mG~zupLjDW#aqVC79HlGIh6;nI5T|0t{0|I-PzgD#4CG){2(U(HsGCi~|BT1Zbs%C#4 zkdz0^Oa-fXgAplScZ0eg>eoeMkYT=mvo`p*Oy$@uv`BllMT@RM*LTybf&oHFvY(ZW zO+=!rFc&0(kydej2m&w=Dv-S6JH1b*rNFmxwe!G4Prsfc85kaRooDHhI6HnNV+OGp zYCosq64hs?M`)OiD)j~=n(Fx&ePV|>NL+Pj{px!`NbsJ+qTn}c#7+GArnTx1KF{JP_7 zNH95?Ss=M#6A45;JKMV5p@`UicB9&T&D6sI9RBOVPD@i+1w^2R42(9RHeb_H3D_D~ z$glUn@Q;@=!d+YjK#Z?HS+|3=uPHqTiv7O#Y0ufghHHbz*$Kw=`3z)IN6_U%sYNPE z;+*q%S_ zY#5!p%}^EPtX@j@KFsn?5VU_{8Q}5DpVA$joP#y~ZsMH${90IT#q20w(3`R0AI!ww z0{?VHr-5}n@UKZ5_YV!Zz+yYQ48YwEExh+E3`KW9YsSids+aZZJrAsk>V}%5WN&0qc)_O~KZn$%cB*x~7l2268lO9453_cQav5 z1Da~<1KCID25&giP>4g)$B(FYxE655Eq?2zfp>iw^4=gD-R(HZDXd<}1%1!;`432r zHC_`KXHccE!Tj8XODra9Pz#2jqdsO2C461DrFNrX0T!EJ(}kgg6Zl_j!}0vAwhY<| z6r&Gf>;!46*n357qRyan4Vhd&CS!PDz;mxOb$#GnE3J2JP0?xlQyzhd7cx3tp%zK@ zEwFg{jb9O|l7H$Uw#$%+4U8g(4IEXfHkw62kYg+SlCCLp*rI8L2qL6NQ?s7XDlCCd_c3%QS{~x3Q*B z1*M=+T8a7)$1h9i!NTPyFm=Z&gB#3<-Z>b2R=!@TIi!f>n+~wQ8z&!w3!zqdR5QPE znh#~xkgFpyOp$jxcyZK(=A+1L@0CLqFQh#r#dZo<1bD8Q(z2nc{t2f!`2gkpnM%87 z&z7tWaPU;K5hz7NLqm%IY#PEhCP|~0=DoGiy}sdJ%B5Q@yhFmCX|UJ~8j+nnWy>(_FQ_LX>M>GYOG z=_odaCo(y18liRv85G*f$vsG5(>$wO?gLKlCT=q?wXw08ulrJ{zdllI3ZOFi<{zkz z$G#}cS%bA}70kfhp;m~XDzS)&(t!vI!lmolODIgsQ`yVjz&vcsw&vF_B&5Qvvq!3Y z1B@`)uZdt`hHy!Zu0OH`4N|QqT^7{+$>MS70^o>d9hcb6G@Kcz;W&A2ZN0X9H|iPC z5HYdyJ`QA%BDTOk_jbq?hgBju=a!?g2h^7htCt6c=zB-mh7j1uRi6RrBP&b2+O}Fe z7X<4NkJSNcT=$%*qsnY}r6!e%=miTH7J6xrq;~aF8zd>$R@u}9zMj5L}%=BIZF*(eF=+s zKZzKe+abVC?*!yq7`-j985n(fw!oPb6;$N@_e}a4yw8l>jnYBy#CUm6v|a+q9fq9_ zT?{)r}{9RBKFmb~Koioir>0j#nE_t4cB5M-N$YF`ZYx8w7b%}Y`&8!7PyAswHgp;AZTq+{6 z0@(QE1noUdz5U@Sqo`Xk5I^>S6fP5K!r)}vs`(gTAX)5J5p>x7c7)nS4A)A_ExQS@ z>``V-9i2*W=MwbZ3-v~sp=tNkf)Xm>usJy9?4kwC3saA&1CxspBKH8GVW@L~>J1Ea zI0=YTE0v?Ng*-NM8y}4gL$#)Pt$|1#5&!EzBzhX-XfDvck zT)tH;9$?My0T=}v6K$-mJ%PAkaTN5k6r%S&^FUdJ>>ohH+3fNXe}3HItlys{yD$Za z{cP3yq^RWBUVxw9YgK>x5K05Ia(w_lT*qxHqphwGOBT^VqQ+vLn-X50gy)RC4(1z< zI~tC|&-TNi%j!=bfWw#T<-?~l_!3L|?bwc*xln;>_bg4ti_xhkYZmj5SpH-|e#^Y< zx%mzMFEodG&2O2-?E~l=SivUcJK>@~x0a4h?OIL59%171bFWUU@3}+#Hk&W`@q*rEqXY9nLnfkTvHEt zO!aa+6j`9T=Fy)kn9l&Cv4kg?+8Gw=;lqb6E?NyF|v{xYlT+DR7JsK+9-&F)AcYqN;g*wa8_#!q{X|X!D-_45R&s^fV7%doP z4CDsN@2)O0khW3*Cc${apyMLE+uGXNpw?{*uHXb{Arz|rC_5QXAg-bZzav#tRFacr zq<~ohv;GVVmMr4>4-(3K+J=U8u4T|~1GB|4;tv5dhcyjHHNdISz*45B#j(|2Y)KCA zJDZInqV7R06f#p%&Pi5|00@D`o@IxE!or-KcpfuF2=r&CCv$?f@C25*)VvE?07c4E zi%{!U*jm4(;}<~PcHp3@m#d(~2}^}zT)xynv1c7>%j;{|K(~pnbEWw;iS5t4_Qtq+ z>ok7#1s((WHS{`nIy|7S3FI2i+D+-!thv_k2F#SlG=}L1wwn&xuBsyzKLIi zeRc}U(1E8HKpIHS`sL5Ht*lnRp+7>?AuvNRASNC6*?hR14>@)bbi5cvP{5El zI;I{ydW01S3ek(+XXrDrr$64Eolc*547(04c0s|7tqCeuv>t24C#XlziU^Gsb!d9? zo)qYb@jk@z)@q(eVxUj!?n0GiWu9=&`rRRYz?!--dN_V5j2?H!aYJQxx&DNf&NS$x+4xxQ24^Z;FbGRVpij~Co!ha&Qc7{4!6@ik zTw2yUrX022!%`tA-Hr8MT|QsE+p_^0jd+~=1ONh0*h2B;kCD}OOpI>ZT>{v8Yxok* zAr~YW`(>xYqO-#yiM`_R-5uG}V30?!c1IJuRS)x-j2A zaLx_b!r6}686VW!X_8vxC=GX-XiwEMo!V2+4pNO@d^J~$k1I2|nV z+C`zQCJM09LpFI@&sEm1zviPfRjZ)8ukg!kkc{^d*k!{(VuK#s4a}b8q|c*VnW+?X z1=~l@c4l6aY)sW1%~XcZ?PJXY-X;!k+_lw{*cy5QfYO9RZ(RdsP9Ep*`dKGPJKtX8 zdjsXex(FzLFMkjVLoXq4i6fX%8Am1`uptn)1SGcOd!kT1U|c9*5rF;x=ue+)xY|`O zf0EgIw-37jgkTSAt|B&LWipPkJ}L9B!oQlVK-1JoU$|EpI4~gnGw9Al*PlcEhBn!L ziIaYy(^W^r_Hlq*y|*a6?IG+;IQ6RlW1b&d|6)G}O}x5|Uj@Ukonin9ZJ>P(?B=Zc zNpp~ciY3Y5;9#tw%P6cZABe5C!gyE;@nT;wQv}v@k7DOiy9SS>hM*z%VV1_%;zIIF4=~>ktVXr;`h0il+eoH-?SS$n> z#3XE0*-SA<>-pghw0x*F{3{Vv!2&}dE7U9fn9_IjAltAbVAT@(jWh_#p)8jgjIEpoRd%;KtDTK!t6I1~L|U^FFNd z+pEkl@x7f15|Ju{4G_bOL4(A~A0Pr_g>gPUJ^=x2tJZ6L5*nVT4}N(wE5~sGEQexy z_$`4#xN?m}G(#IiX#p@5;MmX&0g0);xVU(;@)^*I(9lrOm*K|P&R-C-p+V6R(j|1_ zJclayRVHOYy#8|pseh~BbA`tL6}|tf`2Sb&|F7cze_HWp?(e^fm`P($C<*8M2T3ls zb=vZM%S!^+=QAON59xfQ=T0kE+q~nbL4~uc6-Q!+d1---4Kjj3flPjjR)+Cyh89(8 zjuvaO0`#q~wC8@=6c4*t6``2P6R*tbtj_%NJZK`IuK3-48{sLg06(dA9Th-X7*c<4 zS6Oomr`XupOh$JtjFpZW+7uuoz9Y$7b6DO+u&~yuHrrFR#w#-=D`4_+y*M>BmbJ)R z?a8w=qA8-6cf1J!q|dR0Wi%?pV~oDrCk1JGcP3$We%KKp0(d{*_BKT{9=vC0XB_?H zn&?uwZfk96J5rM4>^fc;6SENG>Ig&V$>NE3VoGj*s1PcBMTPJxV3 zp`t)cA%Y>6K|x$KUGVLkQ|@Of?l8?|7F9+hl{_*+78#|O#cR(>ot4YVI_Jcy+Po|X z2XX`f>fcZMe5LE(P&6Muku5JTNL&9t!QjWo4#F1s!dj%%3^X z<*tW(A2cVJte7>m>K7Kx>~9`8C)mcU5Cy~QU_S8Nkf5ApMxKfxE9%5je@8I1GaoP{ zhNm+mcFj8?Bf1y2k%eN33TsiE1K~{ z`c|T)?3ULzJ~?A91`T+OYw**xR!{8n3BXpQ`6h?UElg&`!F+_qccSL(_Bo zOKUpXhQI+w5*^tQPKN)(>}YlNTO@AHmnf8oSlV@!&qq9U^*Ab=tO5T>>@ag2WuawM zD6E6E>6v#pupZxN)O(k((k>VsG^a(yjI1Z6Z1Y&1)I{HZKqYTa-i%D@{-|j$tk?`I zA00HEm!JiPy7hCPg>@wnGsX9iH4GJII0s9X+9Ev5#h){=h*qt^r z#{+AQ)bLqPayfg}FinN1p2f($iV6ddih_cBH6E_yj7YN9QEPhX2o~cJ9V%x3i}kZk ztgI7%R>Mu+=VZH~S@WGfy)e}MU@^-=VKG$`J4{wg~OEvl#KM%n7$ z@^)4*5~ilL)7sg#xV^r^7Y*b!zyEN~%Y8FpU<9Vwa%(@7c zP;j+tZ5|!-krgb7N`FQLhf^4;7}^+-9vt2C8P-w19Y(ET!DCz#UHQ#j(YBV>mJ=0X z<3sf|nfHfNLjNcv{mx*yn}o^E&sDbI!J776_VaHu255_R6y@xbR5NGWS8}so-1_Xq zq}mFu|6ZYWS(!Ci(d?%`FQvMzr5hq*DX8a1p`phQF)jT&I#osGA@sMe(%$0K<=MKG9(U=XcCcXJ zl`FK;!>$-tjNR14_Vq$ljzZNQwTH~B^JC^cpi;LzJzanLA)@Um&onPG-R<#(8&cOL zC0{RH7v&|HB0D#6%*1GfzX-mfO=ZTmu`;jw}sEC-#UU>4D`-bUd zJ0C@aePjz) zTSP=jQ$!_WE^S(rCsp1?YdeLES<*cvT2_k!M>G2F=JTA=uk8^s5A&UG6Zy=2%?KlV zG(9Kjt1e6#`|Y$uA_L5&?U?0<`5`F;9^s)xbOYlA%YYN%nHT+S6G&o|k8< zK9tke?#N}Q9MW6OFTd7D%ETlPwLSfTEu>sn^c!tzM@1D%W>&a2zNoMF9X_H3?(MrB0 zxGP4=EK|pLRiHJ5`@z$K;vqeYJh|oeM&Z@=pE2Fqa!88c!4h5eT(fd<5w^Ua6#nJc z-V=1Wmm6taB>rHzs<+*T$(BWv|C74e;cb%SkHH?QDPTxnBTD6+2jeB`lZq=b{ z3hl;7sTVUSuMko(-?C3nC(XqBcoET}t4SU^%$Z;MJD>hm0FCSg;?QseGF90y)Y9Y< z#ZO_%Y!(Ea$%@k33)g$y#1J1}hUErkf9Lz1?WPs?8sjr_>6+XxB4{=!H;B?kK9sA< z4$5`XMiyQR9!!69PsbvwBhtA%zrCcS`vwmIORl(IK$lEqPQk2ND$27$*pXlUI(%YO zc|rfj)oAQ?XsW9tZN8wNl3K~ke4yR1H5N$h>fJLH;CJRFHl4n-UbxpZ!f#kJe$+=| zh?eJM?aY65UJI8kuw}^oL0HsBO-VwPBrn+mpJF@4x*#qR4JLih6^jrn11<{Tf94}L zn%_NaT6p4~J~ID+U;DwQNA7W91&A$1-xgCsX%R(<3fbiQx)05e)#&yf^nmieVaM#hE}!Oempsng!55|r+>LFOJK!PSz7Sa;~;*2~8J zYPg|IK|w+lRY%|<;e?uYwwc^f5rNSk71OqwP{H`UsQ#G_pK3Ldy=IQo9=hAF#7N_m zknuICl|rBL?T@$-9uguV?&9l`+DLncQpDHeNzeAP9|0tm)wq_k>GJJ#p8}7(VegM*{l{#h(u;5Dy-GYZP3AD=_eUGSC{jCRd*QkS(Om z0546`oKiW@c$s@yT6nruUXg+IqFYs4Ug9vA`zWP=a&>TYcYd^4uH1lJ&Lm$(nxY;x5@N`?yBSQGT97NJttGo7 zcJ>wQh-rI{K}`#5P~nV+Lc$V!qC=u?eMjT2Bmx4vlQv6Y_zz?1*IT{TJf;T=Xg#Mf zsBwJs>%|$F5bA3W)z!a$F^yLlA&d-Z#45GjFp`jRG-9BA@<19WpfQ$GwZ7nTo^OaCwAOS7=hM;!b_qX_W3GX64 z7RpJR2IZCv>FHdzqAikH7BCtXuniF>6OEy1#R#Uv9^Xy%?Pj7(7*L%c?teBSpXAc6 zliAwPinZTU5P3nZ%h%lm$OWj@_=9JiE)u2}9$dCHmLEY5&2| zawhn&b;9JNGQBQPGkw}LP2!v(?&A~q;GM}O8HteB=)?-U08n3F$&i|uhh}ZdUZBWu zq#2a#oD6zRn4X)P&(=QwQ(If>X27dA-9_gcluW7Yo{Lpq{KPCobmSTvj4a2Z15vYo!GT0b(17W1(6s-ry}gYt$_9_4=Gc0h zXvRmq=Nt)sx|&|vy?NLdPS3@QZ}z^;D+TW@H-S&?gX=}|(x&TA%5!5@NAM)XxR(ap zaj!F~P#H1IzxTWy8TTL~AtR78u5Pbis9{AE9mf#ZiFQ165bXB+V%K*`IP^{WnD1|+ zx2o=1=3hrRbFQFVq z_IB8vcv^r(VQO*ge{GzEj#cU<`NpxXz){!w`o>0mcxjXZnIEa|BG&~8_>Z`goi+Wo zaPtujZsn8D4;?ZPxYtedODk9kO1FNCzr_nFHVPyv{&t1?P)2JPlhU}lbw0W5@>h02 za(dy#en-@*RM_5kn$eZ4mmR-e$*(>Q67CArkVLSglU=;yvmzK`Gim?WRJkfUuDR+b zq_L!OIXwc$TZb-7iu%_$TCYK1@4U)*@o!v5v1G^ghMX|%xRPM(jO!1(rcZ~xrdNK* z`uU`PWuL-F%S`W@N?f27e5oNDZoT{fFT8F!&M&As*Fg?>@7mLQ3{vN~2ID`zeM8zA z{Dg=u;*(Hr-(X=*+LeW*tF~ct7 zriMD{(A`^fQ)=W_q8aE)!%XR9YM|0};$F8lzIVV(tJ49|Dn+7!2KA+?&L3a5dZoG9 zxlk7y&$AS+v0?*Da$qjywBMGCwVmBY{ptFm@kyn(B_?#=2N$=Iood8m>y-?Fse~V? z;Pdm*g6)!gh_qa%iB5ud-78n#D{J4&XZtatpfWSTQWVMfRO9MbRyu^=1r0(aExBAO z+>1(U?{&0Exn%8SBUN{=5RkSZaOoLu@O1cC#yIkcONj+Z56!V~e;>&Abz4FSd4_ga zCd5pTMkYzCYg7Dl+nn$fZTq@;DZ1Lrxw`svX>|FZs&p^IVi-OQyVl}P(9|PwXt|e% z%}Q4p{@o9kC;bXNA9hX0D@ZCUkB*LtZ!vH^5FLNGwL2^j5f6YGVU$Y-a4!%D*>9t-xsS&V~IIHn~ zCLnSHmoU)xv#f|B!K{ojz4`l$pvaHH=}5z@&c|^R%v(=s-~EX8&r{^#4|;_+OWyCl z{nq=@EZKPq^Q{xQ#@pX8=XiqyUmz52Dw;V&e5AZDG@r##Ty_|(h(zGLyF`{L)Pu~q zLw3Wef7Ab6;Jd(l3RBW6Z++5_r9`i>_iN}qBGN>>k24HOV}UOUVx@oZ7+DY_BH@N8 zhzX7?-OlUi=sR*1KpRap=*4!V8q~e0suqVxnnLz(Ag!cht=spQ-V>i_s5zOXJ$-5Y zh?McRI)N7zz69}<2QmAUhr+_UGV1%xXSiRfQtl`A+VfQ0xnZhO{)k>rInNNcc*vfp zFX3vfmaLz@%yb!5TpdYg8W9~U4|T#6z^e8lxp&Q1Hll3#6gXuFxA z^Q-x}{chjpab$R4Csh7zr|NGFj(cn`@5^8|< zcUPwi(ZmT|2>PmQ9S8@`yfp3ZzzmiFB znoewMypNl5{%!fewC5;k_&g$z?sg!N+p|KQZ~L8b-QX1xz9~mp$0-OTfV}8YZP4zbQhtNNBhSuGjyx{ zPSeauzSi$ADpyFxji>J#5WMSsT&{a_u`@#}55tk2{a|JWH9SBi?a-E|`byu8iYvtD zaGzcLerwjz4M8&HIO%3dsi;uj=VXRN_U;)(={~->JPq{8p1Zl7mk>BiXN2$B^3wBz zuuxP`X^0FLw>hMgPgCJTN06^yny+Fm;`&F*I@FQ+Lse~Sli0lZ=H1=V(Pgd>R}6;v zsJYs}C?zFv)D4@l<4I!w^_(l|JPyz9TPIG|a5h}Bd7WO!-qOq4(Hm|fc4_XqXJAUy zbtzG_D?Os6O?LJ@uWaO;?E5tK4u>i_o^YM`u*7*e-NR3NQ{g9RjoXh#t*z906b0|g zZ6x`!5)2tKQ^ONscS!6Z^oETW7bDp?dLAy2>lRzW4|Mgr%L~| z6lt*dUh(Ih!_x=nHP78f;9dc`$@b)M=y*-OkeJ+zn5v~O{9Hg{<=`0FRlBS-7S-xYx9R|`7BC0F>=~?y@`h=Rl1LG z)AO~lKvjn6Z$wsL@$qq=NeDpISz(-)YTRDq(Nur1J1o4>(#IQI^8J3cUX(JcVCdMLaPQ<24sB(raYk!(wC4DAwViBOwe=oS4c28iqg1QL2}>am5c*5BioQ| zrX_ECqp0$8+s33FHz-+J_c^sSD0tqS%i!{Pu6#+7f-b4#+=4P^+-?BwXM&C&CV=tn zC_9{y_d1#zb>$!M3H*5Wla&S8^1;U!-(-!PW&>j=Kqp;pP&kygy_y%<-*0lg-pkDu zqlHhiCpsH#ZIc0;>itJ*?7|`5nRd6%S`GDQyv2h z#u1Dt#oMY6QG)FZs?qOT%kSPbTzmXWZ5SDJUQ&(`hyR*30jYmoE^9~93s0>bL9w?q z_decbdA3DlfcdJiD3-o`vAnyU6DgLUvdw4dPX63HT@tRB`yA0U>ud=tS?)_r49IUnz!MbhUriFgQ#vopu_JdTfs79}p? z-M523J0UwuRp#93=m0#m@c2U2PqA}RTmyn-$n)yA@6aJ04KaU_qfVaDI+87!-I_w*&?vL@CS zXN;D2H6QYk{A+vvqB9(Xx=)%YE{WGOSA81KrIX&huEGLWoBlExi3{crDc&=vMu_&k zbbsNLB7RSbx&vR9VJ^4*Q80JqiaL_a`1K_e?LX*o4#QUnrXW%VMGkU4Cv~|?xpbOo z50k1{5M(}`d5<-j72SnOYY|cV)l5xoT2r`b_Owcf%O8mD;(jIyl4gH$C3KLDYx#Ck z%Y#-T6${Exyye%lq1k?!K1S zys~B;T)Ta5eM42pDl+l!%+CGK%t!}`r6qO@hxeTO*Am@Jrzb?MZ3S#5oef(%+0&CA zX-e+c&(}~fu_?45zVhj*YoD)S!HShQEk{|!|A_WnyCy-5n#>OL(O6SvpbM5nTnM4( zdLX+Lp*Z_cibD78W10x6vheu(8YLrHI?M!k*M}>@u6=jfE0v^bCe3}KEX{=Edrqo{ zz>!uzug;+Ggy}6sf-xuPAdF8S(};I=I#JY7<&VC;a521Y=dt0hponMfONs*YK0yTd z5>Cl4)V1+sUrS0}=(~L#@%q`j*@`$87GFAFmfHzU8`qxw8B*&CdQrBN*{7bqoiMU< z_GOWRvVImxS5fp`*#xOgrg8OrV8Zn_c6P~ZvQ(lhy%1c4vN)xn*I9ot#rGp*93df} z7yJ2^$^!esbk;trqIUKa(I?}V)+;V(>yYaN6J1d@v8%v*4GhHlO?o+v@pB;J8Mp0&E2Q{Ra$2&|A2GhZS(oNs zHYqUn8a1}jInXdt2vMDP$~q;idAGmM>xukr`Rk=#ZZoJ{^y9b1c{C?x4F zu9P4mosISOZ7by64Ii9z-&_`7f^+!D%lDQxOlUnN(<8S_pFMn8Q)Bw8zd4t^-5X=< zhh_K2&hN2l>*Wf|62XMON#(RPdSf+Ua?ho-Zu0)oC)))3olf?Ap5!HYd$OL7+D|nY z$;QX~AIPP9-(e+S@J)X-)_B7zi;)GPfv2I3wB7R{l#`MV z@7+F93=G;@k{6Kim$~DtF*_q;B$oHsiN$H^Jk&{}pH2*0{zG2$*6uR7WG@SWnx%2z z51(s(^o310h+gFQ$Do;~v+tXDalTRsFg31wSy|s{?AVRxz83g1FhJc;>b({Y^1R33 zQH|krI8n)?dwIJnJ1ezsKHnOvByp8^d3sw%(j2T4{~s)hT2RPH%NHiX%zYlWPB1h? zuegtwsf@b<(-34tSvq}C=8Y1fWJ_reCi)?&pU1b>%LY7n@a6~UZTc%0aLPaYlSjT|L6rF7zHq9Z`KW=o*H!ZPrd4N*chUrF zTUU{fWWOH)bL-{IW#lECt7J$S1|Nb;jRZJR(WH1d5&7{`*KtYdiPBhG=PR0+i7ops zA?V&D?sld0eo1Gc%qt83l--xgnahqV%aUQScA@5#dkubX32ShpJ0ZHFl9MAg*3GJGR=D_9Kl=;@WqgX}jyq;>MRh-H(d-wmX~!MSqf3gSH(-fR2BcEojQ`Dcr6 zvoHJLJDjd)Zi~=YM_u}qQ1T}7(F2#LrKHrW{*gpV8W+eP$SF{e<2^`Ez@cC?4UtAX zCe_k9Z>I5%PdP!EV>|Edn}jdKE+Zl$vgtV4JS3>sPo=X%*z%nf{N);gf>>V#620+B zGZL~!^EX;wtgNr5y3k0SDm|M_Lz|3}kR zI5gdM(NQu&U`Q$w10|J~5E$LkqohG8>F$Qn4T6+(r*yZ3q?D9&jP4qIQ{V4D*t6&N zoO|!N=bkG^q~e+k;{fDJmy1zo=orO+HX)hmp4dz-W(q(pVq(P3%4RCo7Dk12XZRBO z5^zUlxbj!~@sgvUvjGdKVV*JcJGCG{7WSFd^F9>f8B+k~Xr&-UtFF7bKlo15RYmd!UE zhOh@xbJUNHzSTc9(m0zAXA2(`&_&_B`nA>(5W!eH0VP(!rH~XB4{Lt^eTn(|uA^?c z8h|5$mJm$f&%RC&)t~>d7?IMr|5vVeG-Bq0pQ2C#Xy@DIyT7^}(Ezf* z6hUFtJ+<74GXCUh%F4=;5r(~mz8x@Z11LF)bPB*fJ33n$D#BN%M3_aV5AmO%^$_&+ z&vo`7#_Fv9vBYm0o~^?YKcXCgMuo0Shs^tS>*y^>UFK`xIF-|64jK?%OICIIa0_H) zvHDXp3}>eNi7ZG4r%{#nn{It$>+-_V;epF}9XXN~%a9O9ccd&}DC~LSiV+Hy2$aw? z!pK%Y(UK|40u$1ZTZT`NV1OkMzA!sXToj@neiwHqNj!giT!VKaCcsh$407X02{F6m zh!pyub=93vCW1H-Q&`M*0zT1rCe8eMEc?&E0g(dnfH0VXBnYZRf`^(#;Yw&k#EBLd z6hxz-O|34W4FIHO$B2j!Bg;MsH3JfwfqK!MbGou@0@6VxdhR?9`+1i1LbE5?U+Oi3p?K_g_H40v z#%8(Iv$?f(dFk*=(P4EF@8;SHyAY4QT!AYrv`>jwJIFM z*YlkdYuHaKP>foVgguxKz)3>@=wUGu_sx15i#f%7ALhBw^I}J*1dsyiYgkn4guot{6q~WJE#(e!5bt5~yFR%1YB}$& ze_Qt^xHMTF|vx3XPYQT0&| zuklt#7x#Ej1-hLH%~FGDl#cu~Kd)Ue6vjLqDiS8dK=G-g?bv(r8@76Qy? zm@trgpA(dUt*i z5ci>eg}JX-G|tXA)y`e#Gs$Ws9qg_4XlZCR7m`Gka*t@I4sO1%{Y@tIhNsmRCJLO4 z5!VtIPZTQ-vw=@XXQUw5g2y>S?8rjAk8%#1Mr!aW?sy47ApoKCYJ!rKcPGHCL1Aj_ zE=DPNB0Lfo`JL}Dhb?T1OBL+GV8iYHuP(*XeM)zsD1}cgi$COni<2U}8s^E26-Gva z8EBxF?^?CXYyNiF@qOXxFBj&P_~GuaioJpBLn1SkB^VOba0dY;kf49 z{rtFpR6i~Az1WMm&~yfNlF!1OWf_U*1MUvh>lY?k(2{feT1|2~oJXpD*r-gDn?zEE zoq*4)ZFr&jstUegs163iqeAiyWK^EOuVr7F%5U42A)hYh-S=+G&F7JQIFNY+`(PlM z0JxyVL|GUJqz3-hy0(3#BrB?#P~`Zc$%?Z5BL>#jIcptgdLOJw z0$xQlR~T2H4ovag{`R_BgjYb^F2*gYzR&+{sTtG%O$mq$r`)%xtSKq2DVyr3`a6bM zSir?nPZHOaL7)|a&jG`2M4ttp*sZ{0E{I>9ju4lZBDE0&p|I};6g8zI)8X+Oz2T-_ zoZu8i@8h{qpPQZP;t`FKJO`MWfsp1+HUOhbORIbsqg?S_+Q8?Zh4zlJ8G4fo-%zDK zFu(LFk?L0va;Cv4UM>Et%#vL^T)gu0_P5j_yspioVSfLj-exJ~_MM_2O5}QEC=Cj> z(2af%87dpLFSW0@SOg@P%g660*v-`{8eO7#nzn=YqL_m#lCMfU5W9=QbK7};s$les z?sLydi7A)05>}*8e;`Z@=;YyH*RIV{F~Uj;J@>kM_cxa4NBoT?@nTS|2J+y=ZfBqN zb0M~Z7-qiI9Qnm4)$PPUB1wTCssID*!!R`BvRlSq48q$B@7BPFy!tcH`)vT*J^Dg}_2X!|) z@E0lh#CvWlt(xlf+uA&CM=)0iPFsl3^OacqcxAEtf?l}d`9Txhgho8wBcBFT_)a_` zk#vz&P8#Qm7B?Btw8XC0WYxdBlc?49Uo~yN`lJQT)YD=45qqaZ49LKyU4u;GsiYvN zP9GgVbLsA{Uv*hdEl)Y{2Lu+vrst;4vmsRF6&c7W`19`l{rO~@H!fdD-u~2d$1f6n zF@TQ(Wd{T?6$S^$j&pJQxw)e9J559E%NQKY;QL0cbrL&;;!|ulh;D0&NAG8mCV8_< zR$bfkSv(a>OulTNAWKU`Jj9Kr8Z$n_rbzQxj+A!ozl}6S9O!1^Vw6BB2K93b}0@pulHN;JmPMP*1Z9htwe3!?A6QWbK zHSzqq!x(7DMC8z^*>U;!&7&}6O11fL)i>oB#TqSl{R8aqf&hMK%dJg(jl9iw>nY4k z8n_aT4Q>ud04{IwL5!df_k{r|Ns%MXNKo(pSFD(SEj9+~F3&VKS@JJO7lnJhw#p=J z7dHu`Q6Se3iL9Wd4ARJZ%x1|#{=}5gcOcWK)DBw3udh+Ek*%HadWL?g3oNUHrb()iQ=e=RG&TAKXc-x_| z-f8CX+TUk(`L|cKIWYch(OF};wGnHLVVEV3Us5xFnkck2q|473A#j?YTI$=sbe&U{ zhYlv!fSTmr5Cxch*L=@Xyy5PJh>so_8Bu@uHN5eEEr7)NCns$JLTW(e?suK&wJrTN zmWW2}GR2Y6hZ{$v#vYY7tERWf{a9;d0iImpYkPX|M+!7M8%o}rk;POjgYj9Nn>zP- zRiO-l2!8elXT+Kzvph;)8(NTE)i=v$YwbxovE^S15IWb*B>TIpG z+M3;5yuIzboiCDavi>r@hkyH5r{4@>n{Pv0>Rs?{Y+CTmQ!MSB;OmAO${Td*CKjIP zzH5lwOA~R&AN`)J?}ZyN>PHuE>Pw6*AEs!v0uxt{NTJ*;cK;dwyR zQ|aqwu#~{VIkVe$%U*~U>s;?l^^=r=VWx(g1c6!+l~2@Z47syq3(*HOsrnz53>IYd%{QMn*oKAMz^gIWP_>4FtT5tWn-@UnFsCsw-FV!qV_$YcxrHU@Q}c>-AxP+r9dQ5 zC4$&0s?>M7>gAe55-XopV%TI->n!V#fA_l?XYh&X71!U35R0MzTiJhI<8AZsIK4P; z_HHL#nVl7a<^u~E3bFgOi8px_t}o&jxzIbXgoPt8j{BN4#iL<;WR{U7gF~bL0|MtZv67Ro3x`CNd1i#4#Yej zCh|p(D6Wk2XUHiALD6NrZ~BcB#i%?UawmP7C^96G=i^*;XCtDmu05y!A z-6!LHr_uH-ZL}iin{e&)Q#evRiOlqohtO3nBi$n1+A=kjTf?QhlI2c72e2!cKSf3tMTZZ%z$Dpt@X)AWI*3A-{MN&7OK;8&6?q$&}eIs zh=T-8aw=WszBwahXm~LTb~smN=nSHAZXek$PMXdrO`@lVQ-#a&^${ZJ|DBzkxs5ra zTE`ED5$t9_*rwJKK<)-Fz`cE2qW$zscWp6JZa}aK)>~MG&r_jQ8~#6CCL*tbK+ z=MNxrD16Dx`_#C!N*X3@7AI>LezLc_=b3l{TeDXMAXYa@SdoSer@a~vI}qfC1fNr? z;^Lceti-};ruTZfI*7BH%yciuT7mbZQ1h}{v*%<;@2_kTR8dj72+@sa#L@9DBdD%& zG;7Z~qrJ95^j^rzOjI|zk%icKwY?@uWR|mhUI?qSon2UJ^*~%8=OG{NQ~oNZ?k)aG zrZ%x?vTvL4a<)1Eygd2h=QQAW_Z3Zf2&*>@16bh)6(&_f-&}`)fC$)lKpPfx<_j}R zFDc$VnVV`VWU>bq0!pv6dct{5g0lK(Yt}K&?k}y_*ZLJN(BS(vXv@#|x-7&U{CGEr3T0A1PEbm!pNf7f; zulsm?iA5vjtpYTqaSmC*w&}7Y0UjnZ;qiYN<4c*0KLR!SK-f2{tyabN`VKua35Yx} zlV`3TC8FzLUgjlnWDSO_)pm_D3SISx`UmsKJVqy%Bk$&l`pajO{pS|YS0oUy%V50` zj7g(hae62|kr`)=g@%xtaYXy|B60M6+La{Nv4GL|HJ-8``r#Ix@$&8OfZ_zGR#Ff% z_Gga#xsY;eD$0YLvpbO`2V~uC;w}9zmjHs0{sHGS(h)bPP-22mA73U;hlN{}6or`R z+g($+Awy+z{x9kPVRWwGQjsi~BC@r#S7GP&AI$Y`;=C!mPvNZAZSHecbv~y&?F>T` zWT(lu2KTK!Kvv7)@GUA`NV8BQe@!0eNLkIyDeJ-;>N zVRwDCf%64hZ3lnd@2^9K46Tf^@LrBV8f3ywd2pzIe^63qE(-K%8wLOQte2ns|FeGM zL@ScL@ziOMOrc1h<*B%4(BvlRt^lQu4Z07$>ZO+@!;xZ4lQ=9Gw7G8a(;L?I zo8pnAzcORc-=3+PC=7O)kzzXkrbqu*KadSX42|Kk^mB!yQ{G?l=IyrTRqhCQG)aq_ zU;$BKn1*A{6!4~Up7(Me8+BMTn6s%6?S0C&Wa3-c8i^8GWR{`0y`tp85vZ()>;AGS zL7_I(9;*1l;bRP%z_y*T+PYu0KpMRdjLP zBEh@Ukien@YT^&FC!>m%y0)_-VO#C&2BfN4$A%ls=M!i`BTG;WWLw`Ph9CDW4By;dqQ;IY)kZPn7=C&N!GX%2mS9Fic3L@nMxq@Da5r&H5=hJVQi zeZe1$Ef6K5Sz}|X+2#^T@sY!S8p+J~k<7^ZAcrt`C-Ixuj?E69+oX zY2M1^IY2%9ME~KseYw?J!{!b0>EEB^L}xtl2DWpC4cTP*1N%~UO`vLd?9*8^9KoN* zse_5wkmTfzl-mM61Vb%sUf-LHfS?r3mq1jb-XxM)r;#DNnh+VWkyJkQic99h1=2@O zOIzzW-gdbucH@Nsyl{WUO9y`Km*Q z*X7~j<3lC+O`EpbRCX7YDbq2J2nMQ}GBJ%W6}tPj+g687saX9}sH>y2 zFE3KG-gRUf&(u@ykwnnNd+~1a5dIbJ38`kIVIc`GF7@uXyfei_!FjJHkyn~!flPF$ zBTf^xmpcb~Pa}z&bEw(IE*~-PTwDp0C_hqW+i{1uV%SQE^ihwef${+~l~i|ZXOQ3X z_m8ldijBA5>htKhOhi+p5;*JDQ^DKJ?lJE+SbvNreY9eK2;oIO{NgI%S&X7$azWtRRLj%h#sLi-!{!1 zgtVP{qpMl&ySM6F)AhwFb`m(r9|N5}kTB1|SQszYD@#$rABY5x;?Yh$0%3J|Fm*H) z1y}cEWYx3MYopM+AL`wD2*1rt57Jj_7uO#1P_{$<`|&8g|JV)i)20FK)_S&$V86ic6*P1Jv<&?8b3y? zAf9}`R7l%;n=RRW_Om?>TRUGlk_mGYDWSs^H?KVHG>l*zGEz$GWn$K;1pUG(ks2}B73Vq!#7+ZqB zMA!Qgk6rSq;*a>m_#Xgto9=k0M@Ab;>e`|UYt`~B)U={#c7+TpFR<&36oBt7YY$XU*n8<^e^>1Ct&=>>K36{iDAD!RP#DflJ#b7x$vYcLLyLP~!XNVbjO| zZ96eh_bu1;k7HF=`W7?M>mxc1A6%ns@bRMa>oCWc7HXpQzA2z@6<-l6dNiyN(cL1yRI z_o^8A(fmuH{aM4l24(DhG3;UJpWocvd|f_lGyOW@ybnPPL6CN)GY=OREBj&&QgV5+ z`%(?=hBF1E8uXCHY5l4CbNHywW%Q8G&0uTL1|C5NN&?`D6L9y|wIONwe$d-FR4000 zf)~7;r>n`#9{`bG;$2&~m?nMnT#tk;dPvxFgssY;X6F zTTkNuQNC(Gnm_`8K@?5Y4&O4eUx_3I4nPBj!VsN8pZasO~T^RTt?L*wD9`JwnlhjwzobW$C% zo!#3Dy>^&PTzh|icldyl`SVQ6$Ije)q(J`)Bf=6$T!{7!03^7_5#XZ87$2F{r;eEc zh&=wBryvDw|=}Ao3L!Hvv8dfxv=M9(|W-jN@QO zrLf84D6TaV>@e$_ZFiA%0yQ#F#0xr9fOt+v%<$RQ!yATA_aX6yC*@*>i|V}`Ze7uxRrQG+URYG6k+d~$r6()%sj z6(A1qE7Sn*Q{^0*M-H98e?=ZNIZZX1ehj?TbGN+&jtUe! z?Z`5H%G;kzT+BgB3#O&bHuUJ#wmj^uU+7o7dqUqPp^h}urDS=kjC5deB_MzmySpT) zWpL1aC~K}ORcB56a1%adlmhkrHJkvx*i{iL;3&YLewXerf~=|c@Ij1t>#h7w#zHHN zoa}>iiF0U4{O%hypJmop4t9B*SlJZ9>9mf-4M_Ug?sI&iQXbn~?#!|J zoa|OC>md7nr@ikQ!npi+_es4SetCWCiobdxMz5ks`kj)9C!L|iF5N==hhBW*dIC%0PFxKK_?kA_4(GWlVxb*AS6~k;$BGSex z#P7^ZKV6=G(5_@P_p9`Q#nAicb1cuPntg#okdsu^*+|4AyD;!@3@TWXAL^oLsRXjy zZE?t>I_BC3ZJ@4i%W^k<{K!a@l4elT|Juv(N+XzkUl|%_9p47b#Wo`m>o8fqEfe9G zZNOE(`_0hxW?QraN4zY;#CoEUf-6m>LFHb?lkifP7Gk-*$N?~fu-SJzRp>^OX#Ke< zn3;GU@_=7E_?#3ZoMd^_@GqcrM#Yf@OAU$AacqqAQ?~eKzZm4u1eoZJ*}^*;7itD! zX{hv~5ywkT2wCauFjXk1Q1+>Hc6OZX0lzx_?*<={@zP?l!DCVb`yVoH@SjDOyHIHS zcL^XCiP+p>pGrr^(N44e-HhVH&=+`eX4~x!nb22fD+vQx?12PESM=Al%UmyyEuLO}Mib0BVo7@O_K4U-ab-%f#VM=P#?rP`dHbVCE_Cx#b?T6)xChH<4^r}}~&vJ^wn*{t` zqX*2Uw2Mvg>C$5@g-lIK-B&66(h)=Y40=h? zGCh9$7#|~bZ6WokGRo(kSW(sdtt+=DqMtpr?Pr-T)jwsUs}IK97N^^pyFtU&-L}5{ zR72+PlIJ0zj@73v31}D+*6|T{6%;3l*P;m}s-drCCgY0u-j9Fh0x3^bs~AbK)hut) z6$DRo_SN&)c;9Ry>9&^Z@$mN9pmd3xq6rtx@}qS%NGBet&4>_UK661wcdxtxi+8KZ zyJ|_`0C~<=r|i!fqKbxiwQCaK9+ZtJa>5rv3fh>MHfxF zZBqHdo%4M|V#wtx@#Q4@EYf;fDd)d?ggT9E)TvHVxMO6Q69^UrtAe|lR*rNCM$s`p zlgmaHQ*0$%lkjeRlP9YBB(cgHW!MrD76x-Y{MpF&ilY{;A_`E3y~w1Xmv#A+D%aQK zMq>(=q0Q;tK@H@J?;C!5nC`OM6Dm$9+Gj^m*Sv2d29)u(JHDPrdaGX_KGY{`=SS@Ar^4rXUu-UayB6etv}DRXXZJ-sJL3&`gBb3@ zVYW}fL8A~tuinA#`KNPHZ@1?oJfKm@vm`46YPzn~2TGq4w9*Hu>njM$!+D?Wb3H4U z8D=e?maA!5o*$2<$Hr_A$6>O_`$j_zHKh1Xp(tbg?&aI*(r*i?3Yl#6FN9zU6raC; zre%=8VaQQ6iWo0VMWDpc1d<)lD9gn3$ZZ}WH7OMl6d3#htZvZ8wWq%gYOiZIuA|u} zB0d;|=h`vT1ly6dS?K>JaBjA{ozcJZK|a^(>x;dO>#do!$3GUvSP}7hGnQ^`K74u$ zEe)=Sjb@&TV8drtj!Pc(ny(dZHh#UW*u{_-E(+-)BQOvapp_C+dx+gFD(t_k7oa-V z5V7Mo0#(6mK`^DRx^@#C<(bY*qf@KPuOaj7eVrLQm^d>Pj+0OQk%m(X#$4GGV`E3u zY}e&|1OqCV1xr1cocwH4pG)7cRG^?lNN6|0W1Tamm6vE#lLcbh9K{rbUgnF$T!IF6 z^QY!YBAh=2RVO$Y>QCY`+7In}_i{+=Pnr&hNcm~)K0uuWAF*fyR}}bOfCgv|Se*|? zTugmVS6O|oH%2Q$N)VN*yc^j#@I(Oz!||Ya7gk7fqks=`sh58w;OF%c^368t3EF$H zW*3ql^jHp!8Vk43NX2ct@3(vpH4dcuA$6TX0J42VmJk#3)E`l1XXP3Eqx$`;vS(wF zcD85CuWL_n&QN0|HIPyCfc9S$Wsu$vr}h=Ke_Q^Rc3#Fy=27Lqj|BAz z4m^$x8ciE%PR`+g(~G zneT7K1s9TPx4m|k``z=6sf}pw8&czi3EVL2s=Yh=R=0`Uys$5u+iK~kOusBs%83*( zJS?59+_Q%cch;htLA*9sq&=sY3=-u9ypZPyiVq${cu!iz!aXM#6}ALM5-oNN&+cZhSTDpE{Vli z2|7+BPAKC+K=Z>$fM0;q18K#^x^%aG-aC}(b$w~`THoq&p3Q(f)4f#P(pv-U+1R>#yh?Bs?topokos} z!}Vm3PL9<9O8Q5UF@{PHPky}|EIHaGL?~Db#U7TL$k0>@R8mz@7*21(C}N%kELxVU zR73ioPfobS#-XR8K{i_6#q;8KpM}J%7jY(yV4@Fn32rdZsf6oviUJLR-K3`N_XFYW zUUv8J(NRdvIGIHE#A(lb_1eIBZ*RkVyW8=cw-0jVTlp!@;qAsr?qPDaLRRJO%akr& zDUDj|j*b%-Uvk%vN=~$QDoLwpJh+q~{XLVTU~6F;zG^UU|JC=`7e}C#pO7dvOw7Ke zJDB0V0zbD%!K(KR&J+^2kN$s1>CwGZBJP9^w z&RH5FI)`}vOmg`s#g6PCJKRflc?chJxm*=(EK@}&oiwy8WU?nd>?!4hXtv`faiU@U zscr?1-{xyzF&S1C!bmcl((P>Q=MYe=w;aqL3bm{1vf5FVCELs zWbAEqM|f+@XUnH>`ula`GZCu8y&H}D0*&X>piyVd1Hh$2NP%+XOXuU7#buT%_k1ev zexC}d`uNIu8=h*n-AuuqjM_jiBzz-;{|nbe?#>D{iOBt#dxEW>Q*iP0TQ5=C0gO>G z6ms$@USN+*S(jDKjQx0AngzLR{{)~tI1Fs_lV9~5%t`!FTP69TepE2GN$=w~!&$;j z9ZGja;k0~(F_|F{P_4zK9A39(+t}LnwA}k{E?Q5&g?G8l18!raR&_pb#h?>u2thWc z>$|;eX!e3F{o78%r*e9Y)_&evucRsR-4lf|3K9c^&jdeRZhIGru?)Xqdm2Fo;q;(C zkbFbcI5klwVHb32dAX^5>?y3sa`Eu^K=F6G<*pTsOR|PQy~%r5C`;(+xdqH{=u2X$ z!rhwQt+prd2x=FRjBz_#vzi0eCOX?Sbe_o@$JFI*5T4; zjJVyj({u-KWXI(7n{4Yi#z2R)H%VOb2YbC@{vM{T8%d0hLFlWAc7PT*C8I#DgQ8S9 zSu#py8CVn@7zv@x_@bYRx>lPaEQ#DP-RhWg4HMS>xm~6K3yV+awfJ*zTJeAP4g{}y z(PyVP!NRr^Qa(?sh**oJEp3@DH|`EUE}~Z5S};N(B!HRV8k{RzkZek*g^OXKM^N;$ zMXl&f5XCW#yu~-^Q&Hh30x=Lw>ho?_zj1k82&URu4y89yP3a{wq7Y|~68vHRgpH7C zx1~_-_V&L0e)153?{k5qK<=ZF+X3uvd%rAxp<)$UTN0kXI~zYbFlt%4zq_L+`GHH| z+J4mbc1~cYIg&qF?A=aD!F#aot&D_>P5g3n;B$v~+T2W0fcok=h;9`)-+PtR6no!% zGVVg!>A;EmWz-RVRr0O_lUC=-A@pJ3ja)26>C@W;n}sMVx}`y)l5l)7qPxK z16A4LO;2X|!p&uC8Zv!-yo~-|AOzAxA!m@-J`##1Np?AK<5DtFuwc2bTi2h`pO*|w zC%g|%1b;#0)ULE^F6gc1AEF5&J1jV74%JZ5<*NeK`yGVzVe4Z5+SYCjvK)MB z)j-+i>GdRJ+&^W!QDPYhjj@+FTP-fSQOz*Z2v@LH_>qOpMBrfslu^!7UW_EdXxc+j|)7@GiUf$o^WJ-%Z zjt_c0v+l^rQZ4RjpDYP(zs$d z4y{yE6n|b)e=8szy>&8Wbh8_9zRuisp+~(TwtI;sp!34zSw`}dX>Q%GD%n628SJcB z6Zx{3P#|W#3we2xHTz`HJ@6b7X#+bJqYu?bu0RydY z#3@~$f94g5^`d{I8qF+6vqN2rj>ol{EQ z2)Ybr%C!ugLy z_&$|lG2>FKfFCTx5xL4h6aW@K@cv@V1Z@-)oGB2-Z~OYKQFe5e{#_8sr1v-6FI=0} znkDBJje3iG>(Wb@bFNmr8)gLJsW4Ul-LOapyT_vEL zqRPPS)EZy3?vy`ek(`xV@;W;UC0D*I)<%EJ9DlMb;m-2WqX>_H?kn)?wzVeJ>#LCP z@VsZQteu;1=#*_4@%G|vcis-q$4IvKO?poe1*Q_(%wa3q1kF-S`n%E#OLfyJ` z`o{zhr{Pqh9ylA0ua@hRhdD-2=kYWZ!@Y- z9G+XU(MBeyc*>Pq8{^Uh-|}3u4?NQnE9NE!!SX+0@;&}!8hUE0Ud)k~vaeheK&qyO zj)O`6t0c{F!SUG6<(z)y6n{xC4R5PJ!`H9wruKp1_uHIi?>U?0#XZ(Kn?j1q)fy@XsFUVR%_jQS{qHgD%+QwnD6BkSQ@9k^ENJ`8nAUAHSWBx zVrGGiZ>aD@-(j#wJ_{zp+;i#qLB{&y@>fNz$9hp#->3^@ze;Ck^ZH~h=zS?-Rfo0Q zZEbB%MqqCH>y*4R^pa9t;((NA+nXn9 zpNs7k9HzB;NME9!Iz9A3C`_s~G8Zg}j9+lBpQdP1oRSg0vh;{GQMXr6n|iBNczXjymdZQu-g($w~ze}?az>3|x<*}n2> z#17tj_hdPoqJxo+1<`e>jeE%J=IbZE5JyY1O~vP|(${K^=*Du>SVZ348+dCBLPv{+&_~{j>tDq~kWF z^F1&8kJI;UZV=v(J(t5aPnR~Ti)NHg#-)!!*L|<*6c9W+_4RKO25Ia;NMl#Xl z6LzT|`+P2qm4A2gG3|BZ56kLb&-P331Ht(>zYpJ)MY#*dZbxr@w zrTXI8Pv>T2#vBX*{HqInvzSJh^Buz&iq)%44sL?LQR{(ks+mit6|IAMPM`J_6=_V5gF6S*ph|NM6|fbONdJss~+N|ON4@R+r|h|i9+RS16=K%IZ}n5 zWz$bU&Ix`kCE;k@{J=zRG`kH@Y`NUkr9gA}XiQP(fphz1Wpn=rPR{rzGJjAkx_hj3 zBY!Ld8%j`UW}K*B)e(sA=)=GQrnS1~N!$eBV7eB<;rQGu>064UOP=4^sc$;}B1d{| zQO&t{#*lVhKm=}Q-7Ph9gXzh-hoDCkeTx?QGXj@B=G~>PNW860(qCm$ncGPkIeXS4 zuam87&%PWAT$`*kx4~^p+PC1G9`pM*7$oUuinm+lo|}ix1J95})IHYNU#6hj-=e%D zDu70%y=n5R19F=8Mrp&1C1rlN`!Pz7+3n&I%Sq*H?(lDyg6$7E{dO}IyJ*ymI!c(l z!V((U&(F{gLI+WAq;IyO#=G)layf65Njmv>*{4K|v-V#t^&rR8$?E5y%LGJ@1N}O# z719a|i>dt|p~ZQFlXf0i<>v#6aj|zL`rG~L^_Qzw_Tyt4WLIiaN`AhdW=w2xTxE*G zASaYO=`vvjPe3r#QCUYU>&Op8Vmem=C{rRH?4j@@La`X2hcZT2@QuKN7rRa&LsTQQxoS@p7Z{~;s=&@}X5g`gxhR0Sr z8H^NC;dLQlEDCo!ml`WC_0nuEGY?#vS(o)%-Rw?E+TOp`c%~`U6~`wluGVutP`{qA zLl-V8nES-8OPa<69ZV2pxElaK{oeG;@I>Es%ulMx(017yzo zAUpx>2w?ESmUwP@0AI|%z)kKUUL)`48BaI6eC2hI$iSJ!x}f(%sY6>bq99+2?Ec`` zx~+2i1c!a0VJKX~M!n>Rd*gi#{=>!utNTvb`ne|)(gwnSqZ%n*G%9Jm?|Inxq;{W3>r#zmdkOKGCD-MndHbLq3Zgj3PsD<=NT@fxI zQhw@8ppJ5m#Tjxs#3x$eKOjISY?GZ3G(bCubzZfD4QN1%zoXvO*d-l#1?7^M?*vMA z5O7gr6Wla}IOy%DrTo?0vFrG-iOL5@@^T!ft}6;_nvcr42i7uet`k+g${Hp!lk^A3!e}xzsn9#{xsB(gVD4kf>k>d&PwWCafYyeCCZ?N@u*=( zt35%%T2zK5&mw#{^vj5VUlt4|L<%jx*SlI>S3XGDMQ(@n|L3{#n~BQ2NzU6<~Yz?8r#zIg5Ab%8Nzq1*{tzKHX3V$SFJBtNNh*@@%HuZeCF z+S?ur;fwu&imzZ2{uVlNAnX+2Qaaj8d1~I_7kA7iA%FJ@%~!!c%61reu_3M|jnw=b zHVrm+z&q}P%4PgDTm2MSuBh?PY5KBu+nI$v2a1`ciV*D!%VirKGJlEiPBrB|x|dr? zn&>pEU%M8T<%nfLU7@_N$?U+;VJqA)_Gp3t@i7!kR80usrd~)u9o6LmH$K1Q#vX`B!VFjFOf!GDe)(}+6PM(bHO&^Gp2Uv0hvTx{ zqUwxbrxVa{o8N&evjH7x7!EfmD|?hC7vUeWocK_^`RP{f~K zLRp1a>xGaE8^^tmg`IZW_Z-I+oN{Th$c0CSGE3fg5`7t zpRQ`4`o;N%aUxIS{KkvV6|Tx^QH>HyGrDKlLLJuG>0N=Ju~FmF1b9FqG|UMyU0h{RAftjqmvztY zG{?3Ae2;~QYWjoyvkBy#+Mxd*^H0@|d^K`al*DWDyLQ)D{9!~h??%i_zbGqf*gNV) z^)G37$S}GmDR0xU1sme7LAopMC9@P-UGl<{U;z#a66G$p0*d)Rr`4qG41c_Sojz6G zGF&|@5hIGmIOYZz6uH(Pca}|zr7t2TvlAwXGG2~5nKekC!L zg2KYT@T!TEYW3SSO^O1K-u>~1CvhL#%`L{15|Bc-tl7I~eEA2?xM;Q{D~-1cX$6j} z(@cWD{fK{xy)Di3I5c>4yRg^Tiy@{+)?)%$@T7EEI-{^j&iwSV7rydIXD?@I{!1g0 zIC&=WAJ>L{+5G&mFObNA4MljcRx!VVZ&`<)*qZpWzs|UQzEJLW9l#Sh+z76Te9Ate zak5u^9`olzq3%w3t_2bqy88P1hgjjL06aDfw&oi27e+`!MgQHcj1KN*nF7b`mno8j zsk+7n*)PybuTH4rZ{bNdy(#b3ncDSUoQ^NYyfJ*IKS*e}!I)-4C8Fi|Teqa$S88H; zos9+QPxdWeaOx%3Kn-h9Tme*D`<+1`3d+J4MsczcECBY7YCf>p8eNzp&OY0_b8#1KcJL_f zFNR-gI(H2OFeFMnP7qbnZ1PP^-?+V=7NM;7cnQx(9fmYCkoVieE%@UJNo|v3K)kfH z5gn8fz9MP+8R#%wgc;d`E|<^YoXekFk@;V)C{5tH70=0l#hACw9F^JlQlhLep-k@i z_iF@EnKTM9)T!9*5{#YFYEX-O}@&%##Pi-9sFSTODxZ4 z!$#F&l@6u*S+{Uc^~;qcA-!0(Tf%Oq*~4z#g8V<96xIKmQs_zram*ukSqOtOEVg;` zsCvOdCk!Z`J6s}8p*Uo5_(vb!(5}GIaR&JKiNeQ*qO#L;ZCPEbEsk{buLJvBAEXYh zG6KRL%F&7#;ZoS(4nT36MqS+i!f3Qw#wCL0{iofMun z^Kt~dv&3{u9dduwygePmO7EU!XbC}#r&Sxh*vUGGTcAY7yV!!L|3ex>{uc-hiG`-p zk!>X%Ar1w3&;*vvEOnW68ShN;O88&F0269ws9AGX$<6X0;(q2VhA3mmr$-{zDI?gF zks_R=>jJqd>QF~0J_}8F+NNK6g(&JvPsxP+n!fHcPcsCj`8#?2J))!~#$!T3GEZZ_ z&6w~+U*F+v2@$&Vm#|Twxbg-@n94z36~Bh}AQtM!NP*CP|4Q+ay7C_*Od0HyG?$b< z+$O(MdyrQ^IPr&P)Itq#H-D)q=sZGl;QQ#X*b=f*2q$jCkqnX>^n|5so)IiHQhuJn@pOT_F|| zDa`s;9F%C9HduhV2uvciB#bOr9Nj9XNKG9;2~J6MH?)_e)F#a_A=h0`t}qv5tYk7W zkp`!%G$I}$U-@UQzCwlUFU4{aT4KL*>>m}n9y}J-k`%qaZsg$N2B+gZ)m)WQ50}*2 z7yz+eA`2~YzogI6h2M}ytSmxNy@(;+f4=`m`MYO~et_ zTZIUlwjXkiT#+q*lM-smKKty;4r&^_*MnSI&4$zuu30$$xG_s_zMSA?u4LlXs$+_G zo6;kl+_@I$clmPS|BkPatxGk=W7b(Zl9Oa^;I_N1z+U z_K-=8fYb4@aSZX>4H?sH&U78;^q#s&dZu2br@HdwWtH`#FVjPRmGOyqCMo7*Q_ZC2 z9Cvfo*TQZZOLRu>f%hQ@tCe}#DX!D_I3AU^l4^L+{(;#TnM}o)<_vW7$hGVYxwT#c zAQf|2qXfxVbYs9t$FzIxT13P@WdmjE^}8Xv?j>wuba)oPTOv6l30z^4PPacM7|4&N zaXyYlCkaMW`zobDwC6PP)M-wKD7eE~D8m!^*<2tMW#m zJ6Ye#yn}~XZ_>RnruqZzuS4T$A42giQw*qalWB%x@WO01_l`#10O{%MZD|NYJJ5kVDH0WzB{3Tq&#NXG?2 z%Ckx<3`6QF`geA`_--+WlTecLA@&5EulS3L)~;*JvLc-=AOxbKsw~p^NT~LDWTSS7 zqLMT)07}*pLTR-k0EKcDWh6kdtRgs4Dnl|Hei~SM&GV%L8K*4m_6UuVc<4YS-hW(E zbq258RUh7ixmtGpnteV~k~2Lyqdw@4WoWg{#g5}nQ3cgRDX;>rbU$Y(JE3vr=wLdq zGJs-?p8W3~fHU#$qPo%d07iIVCGbBL0=Hu#Md!FSYCmQiYwRGZc zB>O5|f(~&aGq(6x8RJrvY(-RQju~811Y!^lqncJ@yCv!4?o{snwC53gBChhDcdLh| zw6UKXXUjv?Q>*uIEWQ+ppg*ooV5AqT+H#?-uWZ2>S_|()Twji!YtB1$}c_$y&&N^ zN-B)0ND}o4C4jZQd7XoC%i0J z+zLVP3uMW^l<9u*sfOyiUhmOBuKIi1$Wqlrqyl`5t!EWTfIw$Iqf9mznAw77m5-a4%Aa%#>lWpklG^Q3?bS$@{c|3 zf{?%*gf#@0+=dDoHqYx2+u;P?@d56l&VyKQuG_?j~ake-C~N2H^5 zh(TLQ8^CYMtol4yZWqN*S09D1>!4uHdj~50KP|u(FC~TM#Q6D`$V`b`f7W}LGCpbP zudqE(n()&1Db1qv5Y6dOHS;(F=9XmVaYb?%o$hUzkujPQ8YYCwDj(o6L|Ma-k2-=7 zvyboL{xjDc>c5iVU}j1@N?4MPXfqhOC3G2TI1`_uY?^)&0@y=^{`W!M+e7y?E|q#n z5CH?GVa%(uUU7<39jPSJM?tN5Dd=5ezPG!ClTI^e4SguoG3w-N=ZT$n1d2PnOL9_( z(*c{6MK48!3ttC~oXAD3@tcgLn#cgh#t$cs1>0&L;kJc}5TF)k-VH5>5pf9m;fOBW zP^F4Q<_S?HTL?_VSlb1slxTFi1a#prrY)|h?}|P8e852;?dbaH7}8;d zKDpq&`F2aUJ^gF(#`l4uuV2#32Z)L3o|C*C8rvx%77obBswIJtlkyg+{*Cdq|cxC ziKsiIWhro6i9B>uQx}|OiR0T@_%R^^IR$A^e@JFtI0Bk7suOUwr8whvcE!oTu|+s# z9kZZ<1vG-NQ(ov)y?L9SGKet}$q*6)Pt9{te(5uCPDXfvour*8B^Si6rmKR>jdy-7 zUZpu&ok_iyb*ucckKV&2A#I{V6o{CsJQQ5mRp(CADhLN6SK@eBWQ`Jt5`^o%@}Tfu zNerE8{|5*9ApBRr>lALGp|ZX<@QImLnqNMuvsF*t#+?Q|)SEVpDAR*>QK<~= zuEx1bPdlZ{T}!qJ1OuOGGZr0Jj!touQa|=cf6Bm*ftVRD0S%?`$pFh;TKFkduNY~F za{hE+yf~pO@YVVHS}se!erG{|1Rjrali~j|$Xr7QFT!zLt7>0@&P+GDb5@E-_g6Qu zBo7M)MW;@y5pFu8M8s!j1^6w_!&gM$KL0CiS(|14SAh&gJk7o6U2teJxWVT}y#zlh zd2u)1mvSp#@jQSn`t_Uant)4Wi8I(wC}48tP&B`d?#fAO zOxSk?7b75XLl3*UUZnDJnPD#eOBB@G2v<^9UNhAqk7; z`JJZw;KP$oBOHa7p0;-RBqrQ(YKELDxPio`ApCC+Y+%~PZ-y~FDd!m0hLnG{7XI(a zepdyrl_|0u6oq_fY*yD?wBj@p;?t4ig~|y(^lBr&lmk{EQAnae zJN;_?xjl~I!PhdsS@(x6?ph{4@Z)<@{rl$IxO(F7;d>bCR0D=FKJs0GOP3K{P>4$C7%kKVY;5jbl7a0WQ;OO*sUzC)FPN``8TZc(MuBkRgm6}{}= zqVa0vir}`WR1pl(h-~Xu9lJ=0=@G_n92FzgTMHpP za25Lh)k01RXc^T@mFW^JJmzE*2aR*!StVR~gz8GUp#~t>q_NN3R}>IpT74ie5fLEb zVN5#gE1P`=N=nwWVxkAJKZf)9^uY@OS>}@1qt;8~G%$H>s5w7lRDymRK}iyEr$snW z_9Z>ojwFr?wdqa~n9lwzzo?#?u{VHl4C57wJ(grR&C3%JB_)2>bD}^N zag7ti3=dmZu@LiS4gdNJNK)yC8HeNk_}q@iVIjLIWk60(H)9sCJbfL?*!o6}tnWVm zi%L{h6$ig8W*m5_T|O!J1xyfw7=&4jYL$BqKA} zAvZ(=x*Cn%hs2upM|MPaWTxG3dS{;9J?-o1Em7QdakIA@_csb=iG6}H%SCu}kue=_ z3dO=7Bx6cx_>-)i7}e6V1ob9llmsJrW3^oKcr!#8!zg13hd&=@uyfzYK05C|JwKRm zP(@jaWDKz!SdoSgv#lSuM^r2~3@4Rbosbe~n;U#f9B~_}aWt?T;#d+Nn=}jM)$Qqf zyl~#B5<|VQd%1A5zmzqJVeS648^>x6Odzi2n{Ey`%!B zDa)2>|1{D}Ev8z|<-i#sk(ehVRfwo_tiLWo(HPWJ;fM2KFts4*VYl(Z%qghK2`@W* zZ0BW4^VQ4CcpcRBO|4EG!W%-M&wUm5N4+ce?Pi!A>)-k?Y1d7Dajf*tIYZ)8bF{53 z6JlW(O3CD&Le0kG!FnEZr%N}4e*|t{9RKEaJAT2qApdZ1kvKo5wEk}?c>^OD52+Z= zC}mxkz~F{BJ3qtGZo}c;b!|02#AcyL$vhSneocCpM3aa}nctj&7|WVxuEiIV@cbyI zqJ#@PnS&bgcLg2us z^@}ag`LPD|br@b!rU(?7M?tJk>c@p-y)gDA0%+H9hKx>Kb8K7el=wGRl1brINbWNTOBMb1qWyY`%T+*IPF_Sfax zMC8b~H4P+N$j#KH7yBjFh#kuxpE`*KgE@f=!DvPa)@Z6L!mM$=Kt}fm7EdI_uzqgZ zEElQSaK~jBQSLc8^CWo8c(cX@svigeoxXMj)11zluEdy=0g57mR4j7L8c|x{j21ZM zjcWcNXm-Vl$-++LW~8z*OOoLkfbuR(5dqT(kZ=E1AjJS9q4;@RT5oZO*WZ`}Qc0a+ z+3NDk{DoLzmPy4grE|WR`^@JX<_zqYW^L^!OQydsC}_`mHTLN8aoVm+wotcp@$aYmBqrj=|^Ms;F@ z;9&BfJBB2pcvE{37M)X-V3#i|MWlAh!Zp_1ObnBogxphEr|q($A-GSjC_rmu2f_I)!IO;y}qf@DVr-kS3W zTlybF(EgujhJYywee9x@fG!GM?}|Ym;Ygj$3!7nU>{4u)VE48uMlt%=7m%wq{nykf z3GIrsW~B8aB=2M^OGi9M=azoG3wnRr}ivT)&RIiV-;tJSlkzzUf9z1r& zG?c#g!uLjo>Hdq!y}dq+yC!SaQqSu-Y;D!-K96}-&rC_5(+Ab z)eH~&-Dhgws%Z1)?EmB_1XxjG#Qj2zo2~0H9X%co4HyG2tF4<4kM{@mJsN!6FFQf| zes0+EGj$z;&k$`sXf3wZUoVdgJx3`p&eHY;)W9GvVVKnXq4=JD*+F z-6UtqPQGK`h8GB&Xf6KweYQo~`P#j7yPmD^H5ekzmywdf=!1q%BCWl6s<3S+dNBO%ylRg5IHrPI5t}gEv$uO=yROnH5Ag zr9b4!6-j`q+=`WuYYKz#Sd*CF3ph8QXnj(!gouizWgp321Q{vllHh{5PQNY#V)`Hg zMvNcMERxPHS(U)LrdM0K1T{1>3}YuJdfwbKzQ{QqL-2Bq!0TUKQuBF?@6fw9^xuP< zP#Rk#l99@#?emIZ%G`2L5;L@rFhk_;jegzKr^WZ(p;y0YKxpaZoc;E{x$)KFxuEaO zwT*9+n)0E(5xdpZaYVo!vY8K{ts=$H5!IfLsgk-~+z?IM(3@^!iXm$DkNsz0O7Sld z|6B+p3H)=ta)te;{x62F&&?y=KJ(_&*QM8e@mTP`#WuArskXKHImRubZuz^($d-1V z=6=_X;WMIm+((U}9A%+OTqvXs>Hyceu=&pv!kxSslN&ngoYB*e8|XerG`F(A47(s8 z*53eUL)jB)dkE}Eo$Db1l>`44%-9N_^(WX4H? z0P*`h(iuzn*wb%Lk_+Ler1TCv7@#54Mce5HmYkxah?iZ+ylc7ywCO}Hk z3IdEsSjdz>jvTLD3uFXZNks}Uj*42hLo$J}tvtG%%dL48pUyQpuMLqN#)wUQD~8EQ zc)*hMX%_N?k5+T6D9@-#TPYOCj?0@Nq9m}poqk}q>^&mD=@hK_tVMYld?ARE{%{gV z%eHpND$eDUEYAHVa#gs-<`$>82}K{{HNlY4oTr_28!@eU8k4_U2-bJK|1c^7wpj|7 zt8VNYQ%nb@o?e%?{lnwboX@2B&FLe&<9qoz-Z zWqIrz{ZwAQWWq-R7mGWh=oPE%WWc?C@pJW0rK1SF$UY=Ka9^Mw0bCLJivrjY|eN%#>F7FITlDD{-?@v7d>Cf z5cnq8(-AAhUY@kmjOl8)#~f>yLVnCzc&z2G)oOejwwvGU48wI-D-;#HCfZU5%%XgP z73{?u#ei&kQ)7NT-qmQDKZzpXunsqossJ~k7Em3dUvj*IFx+7%_Q1{sW2LATNU&kr z#)QOm6w$2asF-os6pUX~GGjuxVmS06F#Eq&I}&5rHbbZB40Zq5^Pgk1>a_2OCIjG@ zb(PRLNj51G-Hc35(Ne6vB?k)016XTwR7xRx)S=#Iopbq5>%xv9oYZ?#hVBqjC~8Gr zMps{-?1D&AS9YQ3k3QM!QB_dQJrqk)BLX#}m`c=8rat~5)0_T--25Dj>ak+C4n3P8 zA5*PgR}7!KOAjw+7cWC@n{U&eUt^)$p55-R=D%0%pYJy@YHPdS8EiiB|@}LlV0S95MtFx@a0>g!hCWfB ze)#vy$g<=gfD_S0Oj8zNSV%<_3FbjpwaM z-J#p#cQ30c;Ank}=uzYS*Z}?}Uh9wUt8No@8nza>A$4pM+E93g?d+H%pHHgo z*9L#j;v@1eqE0`}LazM3NJ~}~v2Ja79#9>N*gu?09}&JPeLtrkUz%;{-_F)chilsD z=!b;+Do*o@L3J}kpad}ul2MMFpR6~}QvJ~EAnM`^{kh}1LV9ABbpe`wnD_AZqL$$) z_VjC9+wRVK1g>3o(6z_H-}guLjI3B@?yC-?DUAV0t7 zLw!g<0BQtvZ4#*hhQJ zO7oH*On?X`s)V3GZWx*@|_65p9FPDiDq&i{qmX6_$3c6v08W z^$NgCCd7hDod}A(ekpY_Ug2goXV6RKQgxNgeV=e^@y4fI&$72n_Q`io=vH51#XjYm z^Y>CKGcCj14yXlw7S|4bKo)jG@R33?e$2FOEo?QnkMyq{JJ3%lZj)3|H+9#bK{7wu z0q8~09AywZ;Q$5Jy%`Y?RW}S_vvBdc=i6{;OQkdO(e8x-Z^XA#|Cs}qs~Y_5J4KR3 zwyw1csJ3ElYWKK+AXbf-m%4jF7GaSJG4Cdp()HKJ%lpfvu?l_FZf3nsMW*RH)5wye zLysjd7j-rmovKk5AWNkAy101<<39^04S!$Owd?%Ye7_!VHZA(X5_$fB6eWIRkWD5GLFnRb&ITEX=& z{Z`p+(SF#z?&EQDP}Szs$m!YMWp~PT;~H~Sr6xXdmdGA^RdZh7+;q17eN2$zr##>L z{mS}24e*%icN<0)z;y*j8(j1(F{PONxsJR!5A@LfO*1-dxQC#So-oq<7F5zr5a zBd3<7guy_Tz=UeyS(XfX*=`K}_Vt;aZmxJXoKeCF8CXx@gEH{2sy>>7K^hp_E`XBn&-FYKQ} zLpxzuk?nZo$LvDN^pQ_-2@PE7tllXHt_5xkRru3hZd9BgA1JuZU}Ty}c|O7Q>7BNj zvB?BV$w{CAlQUBFRsP|O9go6d(L*vTU^X6(+QvjhL_%0~xiD>cIe$HeK=5^#)8T9P z*{aZ1i!Ai`*wWVL)vJez<@tPWXb|UL=Mm-@tU-k9 z!p%3+00+!4LYtNK+a*c00RvY3pt?V1&wIgjLNzpP85w$EH9+sGj-RceQh*bQmJb$z z%leVA07)l;jnhWNi5s29Ng4$r7IB4FmgmHOGLcZy?OCg<#&(eeiK$~++z%S?9;k4Y zG2vHt8rX%{z%vJTtHZhjI`Dl0FH3JJ*(p&~=>^{i6)T0qlzL7Hw~zq{_6iUfF|WMu z+TZfg>9&hzi}q>mi|nwlh=8PYYt!YkHB4pokUlAa;EpR~1}A43xJnR@A{~N!6k>2t z(0-=l6bA%r<6~gIMhFjc1j1l&8kyYjAJZbD`))T4yDkts{aq;-Qjyv!U9oWc?=Luy z8r7}^Dx8>P`{BI5DfSgxL=5VCZCt(UUtY!tfwwh!c z)_8b-@p;}Q$_7S;+I>CCKUj)l&;gmzOOn29JzJ=xa zG2B(aDo+p;f|D`r_pO66fC@rc=4IVxgAYikiElO7nOfV(4DI1nybeWArF}nGX`}yg za&*4)=H21z$PE9-)&N1vmUH({BeT2Wj;k%+wuXw7N)KmGZzU|NRctn5V&ZRe;9T#= zow5B9{?}`Wqs+*OL+p7mUQxJ3*h&QuB#r0@s6vAPOw924bk)TXyHr9To<<1IItZk& z9Ht{iDKKDV%!N=BAm!066aOFPNCg&13`VH5&>0|P6+*3saYW>PtY#LqVK&fT$?l>m zv53W#9Z5gvWT*<5;LI#E4_U!}=l972mE)jy|w^Y7)duA>t1Ltbli2I*+jz!?!1A_ z^;Z-7PL10e?v7X*9%2KVoMpTqBEj&`H5T{w%?xeshMG~e2omp4wY$50tCmk#HtIz_ zHLr7^*bZ$k?VN7G=W*x>?EY5J=75l$tAf{kf<1@LkB^p<6Q)jo06eI`ao6{O0OPxb zLVOsAh0oEPuhmS~W37j(Qp}Td2k5yXM`<~g;H~4jOA&}_9SuSEG|}wDSIP@^o+R@UnZkpF8A%?0Sm1q(57#ez?(Y zxummhs*7A(BV>E9*>3B;dZUQN=l8hY*&TqG$>m#hmc8;Mrw}wi2uP+BQbPvw0F!3@ zFbY7lhP4cHR?|fVbMCOz}y-)Sh7M0f~ew$ z-AJz0OBz|V=nmU1?Yx){o2~ZkJ3wfzMy#0shgMOFECFn>XpE{gE~F^Ve-ac9;bK<9 zNI=_J1eM2y@^5l}mS6%gh2*^5V-%5?%g(fMNyK8H%2K#hF~yRWq>9Hw7gs>V&r{iA zBbo}!Z=oHADw&vv6P;c8^Y=bIwH167u{#0KI;y@EV-AkqR5y@rtK>)!7-Uc=leZKC zFHVHBKxE?OpMt&MKl_^t*CUQlZV1We!P}f-wzy$Kj3CnY;;-k;u2y+m;JPuBzd>if zeE%u{`NC&;EP})B@X+qM`TvFX>FV+F29)9OF@tkQjt_9;S^P4j5>Z#Y zVP4DW3CmuIHia_UskW3@E|(%SdH}afN;AL|QGVF?&c|l&&}rfSBxav#g{AB>hKw_W z9G~|O3Vvt5-;e88-j&S{?Rq&i^52K$wbRYlW6c)sr=7ih?R|c4>e#Yp=K4Ix&gAm) zaeH=mb>E+AdQF|eW&w2ut7}Ar=zXvGz*V3D15hv{Lv8)v%BKQ@vk2ey^MbR$` zcY9!0$R1b6`?x)JK3!T10Xf^fULo85J+se>oTLRm%z?CMxaRT8fM785fK|iigYcnD zjHd^ZP+Zq=p>+++#+KP`Y<+M4Oz zKL5+k0^ZwQGA}=o?e~dG`^JqMc7kd?o>L%%dw#Em4{zhGR)hP5?OJqY-mrN!TS~U& zRw}D7&kKyTrBkfsP}d5XgOt70yo|2+oX)#nhyQ?JH`V`z)f+M1X8UvMCx4sERIyXf z)AUMp6HJE&-M86fsIpsfx3hX?wc~W#=j~pB&6>+f7Qc7%rj8AJrg-e7ZEdYztwggQR}Od~LWjk5p;jN3fy!8B1Odvj6xh0eVK1=`)! zL9WM^Q4KjM98mi0hHr_2aP)1w?lZ zo+=eolL&bvy=tII3Pw)gjCXYKtQw+RDJNr+!Yl=)7*G^6Xv?d4bd7p z4VLOs97i|FAzm$d9CUO21iHF<>-!VDIf|lW)q!${D5OX=GTu*sLRdacp(e_Zf=;12 z`uWN=NlMX%B@sVXwG9H#$oIXfIOB#(_tjrkewdA*uc$Pze*Kz|AG`M6wH3AmstBqC z^`5`91dKP#jgFDa1Ss+xcaShOfY9rDvG83ux`umrUT(P~on@E(JQh^N3HV-y`K@zu z+k4(p9>neXP+^AWPJ)MO`U4bRru9C|+uj#EM-JCgx9%+{WSi&ArIUC(TJsbwnCzri zYj&dP-^#>M&d$J$P0N_I615&`R!;bG|IM(-|I4sYdPVk|?hS1YHV8jdz2BY}>&s@y4&9QL2SQ&Jc=#8=j5_RBcWJXqqW=_DeUZ2DeQVGdi8+Ot?lB&*;(N5?qQ zjNe-j&B~43pt}8i9xN2zcwmS;&Is)O!(mmxwh^zo7#J_*V*U}_uNuwS7q7kv5eR?m z9+ub-Xmx+QN`0BuVxeQ?H1C%=BlaFv9Z-xQG!HmX--{O*CEw*7H_;E63gP3UbuU}* zTc?%W4prj}GJDvyVWCA7Ef6&ggbM}L52Unkr_P1?Uqyd@Fhu5!kx&k({-G;wk|GE7 z_NzR01JVZx;fbWUVG3LSCyjOjPl}ihM`88Amz}CMbXmLdb9vf1d8}Y}R9R7mm$~|^ zT)uYOW*naGRa~_pFY(5MXpRLtgG-t|g|FBuVtYOeyd718eAv8x0OVYqp z69gvH2r%v)3G^n@2vMZ$L)6HJ7WNBNwSz$9kjMfjOiPlrhsIV6@SjwOhc@lEgMM-A z=}Qo-dr@EN`Wne~T@%!4a}&)JTt#NVB<_$Vh=X-p$VehRIh3&3%Y%k9{Eceo7YMy5 z%q#R~r|JL;TZRP}GdugX{op89W(Cmidh*O`^;vhT(Q>YM1VwiGTfl*h$oi$9#j^b^ ze83wBJ1-h!a{9iGF07Y)*pl8^JP=wiVNTs+Jj^(tSb_{d^4mw9Z3 zuh)n-naKdENs~do&w_QT_`uZMRsSbLtqEyhCW*V(sp5%f>T@TNa+~voE?MqjJ0?bYi*yUNAlP=rKPrUObV>BEvweATR+ynBUo^@wrSSU)q391Y?E>E z&~)ap(lqt!C=2B~vX0(II@`857hqc!h!(%se}k)bj{i!X+kDg~>gXxTD*6$cDmxnV_ZX1ZUl=@$;f*dC-DZ zN3W+nB#v*E^JreutYRH`c`AE;7rV5Z$p6|5w~ON;+x8Nqt323y*_DoNn~t-I$eJ_P z%?LZM<1K%R%2Fb(wM+2xi1oF+sUZW|4&4d!eM~X;G zoQy==`wd$H!J}t$@K(y4>V~LjJ0v1oJKjXdo-(W3fI*<_(@}7sUQr%SO5|7i{B@xt zb^ug+$QbbOB*7uku147Xz4mej8atk&F@&Jxl(R+3Z$%%1AdArOn#x}J67lya?aT?2 zEyEFh^KQ0btl1$D*EI zIrT?x=5+2kwTg_nV4yV2kKUHnZJxFcHX1851vYELRK!c%D7qxAbMsxyY{83O{Kd0` zHjLslG1h3u&SW2ZN}yyTDh-KAB`80rWFKygt>$arN50`m4*a=1TWSq!Z)lRd28|jDv!Buag6# zEZEY8Q2|*=DJ(&qtQUqy092k4w+*_YrS9G3qL zX{lw>u?&M`Y5@JJA6QBqUFnbZv>LJ2NgQj<5U%=$RCN zAdP0L?0?rGR5d-o!?(CvBn{DzZ>i)c0EO&+Kp-P0lq@y$+T`_pePXu6_%((i*bN~v2d)mGW}h^mS=dZPJ6Uy@0`iPggk*y1V6 zD*y@J$3V4&0T@mgvBfXjIUheN&^H1RtNWvhI27Sgg>ExIO7sUqo$vtZwQJnII$ggD zP8l)~3XTba44Zw2ue`dt&xpRv-i*yrl*$n1?UpA+&S6eol;d$pwhxowyPdLQl}b_3 zP;8-O#1dh8GLnpP2vL{Bcg4Mu7K(!}jjS|trY4w~qbCY8s^niaKjvJ|vt4OneD6o` zG)Cuu&2N6oV<+RH(z&npHqU_tPdt$NDUcv98XSvC&ZvnsKv$#z!TXSA4-6m&qKTLh zaR3}DFZ;M5K84E5$|jpb*uOx(iLGTQd>;NPZr^zL^Y zU0xhow#79c)dW_`kf<*wn%n*fDmEZHd##56W>V4c3FmUR zU1(99l?G!q5g;=Fs`BGHsZHx`1s}}koHq_=GW(Yy`9Hv}hk>dPUvkAR+p&5+oy)te zXPd+C?&1Bp!MXCoW`&h_i+ja6+U;iRZL2&YjH3?YC>zDzKc(zRkrII*un3K|MOy3{FKoAnJP?Bhb!Cz z?F0$L0qyF?S4r14W<#~tHlS>a{# zbN}dbsFgZEC+r1A>)zgp&Dyv*cunTm$A$4AV%UQt`^X94J&oBlCLXT7fe{1@k9>aK_~jQCL@Yz~I4NE9eO90dZpBo#8;R}@Ghq~;(2Jr$~O0ZK~M z0#ywM1<6n9Zh6U9KviGq*T-DTXTck0yZ^SIFuA7`7rF>UNT7dIg7JWGm&Y+SqF_5x zF45EC1=|KCfFjsby}2#_B-`jCWV^Vil|rmkdiQv6(h}T>BQeZz8j@mQ47B#28Y|Fwtv_lV3 zS)?b&0%Mw@eV}TLf~OpUi7BRVJOc=*UoSVAi`t6j^47JZad$SNG>l+IV*wRp93bFP zU+E|4%d~Kb3#}N?raDDZsJ5|-F2Tdrvy(%bmh(_Zum+qj`zXCMMqq2kw-NY`i?#m% zF6RH04j8$Elb4r~T%X7D_ZJBM=k=fR_%7ZnKV-LE_qyC}x#WE z>hnp_xzk93#seFPz*kIl2!kHFeEcT+4|EN}qJk^0J_tN+QnbA;4#sxi`2F#f8V)w7 zx@T*GfIJEG)$qla<4kfhszk9oOkf>6mZKZ(-`z=pDJ?^q+Uve;i&ygXeb$!&edZ#aAo- zZcNYuk&rBd#zsTH^y{!u-PT>*0PTooWL`0m!lKVF1e+7{`@lU9*L zm3fSK&Et~zhJTaV+g7Y1KBHoAR5DYl(>7G0&MK*FltNm>1+q6vLZd{Pha1gY6l!E^ zROC4()OcgR=O7>V5>9-tR+5bMfZ7q_5b(R$cG9ITfJ+a}n|$B=DL8;M`CS)kUjHBk zCkt7EjZ7r0-xs4ABRcE(-6)(}67aw81QL8+EIll(Hc;qx zpfK!piP*X^1W1S{9Fj(C53Ksyy@j!oYE>Q>pVLy(1dntLFW!gS8qC&H3W#5&@B8}P zW)qADA{=19Vs0+P-oN^`o#tZ@#&WfiD60S?f@`7}L&ZYZpfXHKY%G76>%N&7f0>Q> zntS{_#sfKm`eH$A3~kSMP2%6D2d_=G1`!ip-6^(zl{*U&pe9Rro>Zw6)14pvuQ)3JNkZ(FuVQTgVME<_`u!a@30-T1B{ zz`d4@go7~{@}eb`XCX2d3``tI+s|YluD;{ucSWc(uDntco@P$(anDntP< zSVZ=sDtkYx;svSXMq&0$pKoBZ|9{_^4l%yO;`5T=>$C48HlyUkg?r_x0$a$<)SmM> zBDFn%HUOf~hhM{iit)f!Vv~^EOJ-J3jLfe`ujfO#-H!{BZmg!9@9@D!vpf6}3UzPC z<o8(f(iezBgy8f2R1Ay<(Y5=OsEc?EfJ5HX~dprn$NBt%;8*2Rs*jY0?ImgICp zezX(6^UBpZ-&=SNe7HaJjWelczD)}YdDQ6r+u#KUYC@G7H>A!7|Q)=?iC%^|xE zAl^yQ(2K26IYCBhl0DiY4ZhSR0;n`H!_o>i49f&A<_{Yo=9J~V)4B(CT$BOhHtS%U{iP*1b-yQa(ErQKb@*{X|8t{CHB{KYpg-0SOHX zF*zb*%jK+LN@YH$^a9W*$aOj%)?eF^aF+gxv<=VPF0x|-V>MK7MWT^s3WOSxXw3A( zq9r4L0?T~L`fgN0(Z$Fj2jdeXOsxhIdHa!y?}WM$2=+5feoQoOnKLyab|YX1CW8t9 zVzq|vI?6BkkZ9hfFo?wNd~Q>4PxDluM1Dw|_~wQ|4|h=l82b=W($cXslpmr3+M^w z<+Wlz#4@Yi$LE~J$-1z*LNN!45t9SFsr|jgfvqH}&^l_D{u=?o|3^?-_5F-f6< zbm@5TuHC9cQB4oa5zPptY$Msi0(BP#h3ivv1g$7QBU_5&CnIl^J`E?ekxq^Bg46?o z5Tr(AmbGidz&s-Bp#~dZkpAoM}AzT~$_#S~I z%xcA5)Z8dQ2(*38kH;TGs*Lf(hsIEqdt=a?05O9_Z927NN^kpNhUk7w;_AWx--DL8 zM+VX%t=V_Z7pK0KgXH`WQB#+af7sm0ejm)yf1aBg*dMkjmzD=_hAk_|OEM-FV;KwP zlmLWqwt>DMaIOaeeMJC?WN5)_fdP-5eREWH$*)jqd`t)I+U~jol}CAAWHFXcT-+=J zw}Mcq;z}>X+@E+bq!so9Q+lw0oqr_+PeEXIh#|Ztb&r4~tLY|NU}7`&iI_JA3>}zZ>IT>KYXF_h5R`a|(0GFBm`43%eIj#1v4097+ncZu zR}iTfVq~_sV4+ znSRoa7Yq;2wN2Ldr&*y=muT`YTfKbmO|fRi62yX z1rKO+bvnBkc#bpXZ-ijpyP-pB3|pcfI|@5FtE;O-04pIpit+ z8G-wIp=DTcYVJjN9OakDpFC7fzNX(AYAf0J%V_6R({KHJeu|Krk{RY{V<%gGpdM?V z)hoHBsv@JL)^2GRMGs3!!mo99mGVIM}G&2vzSW%Q8Fg1MOxlJi#*j^H2Zs2YKu9RRTVHe8co5%l!4Xgp-$kmFSfc0;z-nUmh>>xO)KV4QBv+-VvSiNP*DYJ6 z?#_Q#iFSNJ(vE8V7*!Ic4c%<=h$u!?qf}urDltCb?N!ryYoduok{|6S3H-(LKds6C zqDItL9&wYu`05Yr3yhCwgfxs%C&SWuDH^e;f|r?8Wb@_^#b&EOO9>#<{P4q2`^veV zlAscxUOR!3e)_Uozw__S@$Z+8zvy-p5N#157_2JQFz22>6*>Q3cYWM@MhvoQ)rx{S zIrQ+$HC4q1xBwHKl95AiX0kCuzF>FSum{?}J1 z$^S)}bNw*^^(tGAc)olIq~UI%Cuc||VBN}&(|gE@WFY&zru2^JTQB`sxe!-)T`K98 z64uUu&yl#vw3RluHZ22X2&8mS6qQ4ZO2^1-ZYGZ`A33h2UhN zprXHIeF(L1^2dC4yFtU9?I4!}J;3^}9NzrDEu4T=o-Gc(Npqb98zv&FHb*f^2G0GQ zyNj+HFmLC=ELnO+@GBVnPNvlQob7H?GVj)J7&7u9X+LGN2(-HWmsZf zGv_Cht|_a1=zyb`jqYMoz8O01Whe7jVbj0AGl7fd;P-D1lfk5DAOG8}W6qt2A6 zWs^9Po9aU`hAbP3H~G5ghjGsTodrNZtm_dWNajJqz4lq$aFy+p7E2+H2_7J>mPQ$s zdCb~*6PAbOg8Gb{7jjEWc6u$pBX=51wH5JXpAaKU;OgFkLnGe49@wP+PWycdRUZ3U zU!F}vay3UIS_qcTM$!Wwxe6{+B$2Lh>e_b%3)f-%>$z#Wfgrpk3<3NKeG>l57gzTD z&wQn!nX`@#5rZ`(uijpC5J@ar9E)CqZ%RQk!Gf_09Ad9t!1xkXUv$Gan$GzU`$^nd z#~t^f5&bviA4m^)Pu&$SMO=5v4?!2V1-I>s0UVU z=JLq*4JFJIW>tGKC8bL9I)heC?SldXgp$KCN<}e=9%Q;e5_-KgTfvLQnDf|)<1%Ua zKM8cfLw6#7Q>0{jkd{!!?i(5YEey(V(((qCA#s}ZASkM%%ay4~VY?;&RO%hU=*gZD zjrL{yu$4c85$Q0ET-z<Y`6zwJC-{+%D<1S;$O}$q(t5m^a!lvyqS>Ia@4)_Z)3w`Vlp5+Hz`|Tl>!9e1XGA~iCa08$oKHf%b?y;D!LS*k@RH}O-Aw}1!@RKf=RFZGjua%TR`>1G=2mE3&A81f{$g@r{ zN`Ry9x>x&^+Q$|U3=jTjWBuP`$YJ?EBs^D{lg_g2N1dc%VfyLs_xuDf%<|k4ToW7_ z8UyKQ1Nz24nf(In%Olj_opqlt))$vPqTjq6d-cKeMXD0i-zPreqnPrpa-t= z^OySB`W?vZLSCE#=%9xp=TDARs;od=VW+7dCAa%$=MDYs4W!SGlsZuo!pmES00d6D zhd4s0S%_jUfT)S&5TOfs9vUMYUY07KjWfq#T(L9P6eZ-WogcTRsXtJ5X{8&Vi)A=I z6N)p|(tW=?#6H9;TIDap^Ca@;Qr9dFQKPmI{GUmNTCB#SrT_FJm=&Xo&DNFxmrGyU z7gCxO+sZ(!l#dsAS?bV{UC)~*RWuDQ*giU1LE&X0%cI==4^ofpF675q@q>~<({T6N zNVk+{OhNorGS+3%j#4CYk)+Vswcs!iQ_p4|hq~m9B7TqVkn1Hgl9tKby=;GPY&2Fx z6Tg=o&R!wN6(Kl;sE$GrW6SL<|9CUch`5f2_!|Ah8~bUjk~k1QUCL`wofI`VCy)BO z6ei~)EgE@Q50eZ?>avn8?C)g=&v+F;N80pGuf)0f(W$Ha^dY+BdG;^t-SRRcm-$a_ z6uWw?!kbP5OCQ2Bs@W=n@LMImH|zzIl}npY>;H6Pfh7M+hSc#oO_=!XOv%!@qs}CP zIhoMHy9_{!_}B^&KeUAoQw2X6dw4lYhuwa^Iivqg=H{wcrWaC|{c7RYopHL?Q$gwDc9(nN|G3neUuewDMm5&?3GtpC6sP5e>pl5-~?*=Y~?dhzP7 zEWrpzM|hYU(4!gq%@T-y_hn`4SI24StOb?0xGgJ9UGoaJ@_SYpb~D5`)8@bG;(pon z(zVz}nhfq@|K5whH|;=Q))tBW^2SZ9MS$WR5_ZBrvtus-^*rs9MC_K(7mxZHJguIr zEoVJv_e(qy$9wW|$=O7NIwajDtQ)sb=U6|;!@EK_TIB0eOvBSfX=6Bp1>0%td#nTkX#;eQhRkDWebdFw^2L}QL+Pd% zXaxjF{rD(IXS7dQXYT*GJ$U>Ye?RtA+2&rLhKDx}&SRrga>MkG=yW{tlZ zV4#h5(G)jZu=VxgiF4=dL`L8<9(fZjroD@h_v9qC!EM)HxSz=7)PXy1kdnrwamQ3q zL`;Ab*xLg=b7e^wZmZFums&h({RQzo0|FL91eFp{74z@=Zlq<$#`#xEc#eVyG&FS1 z*&%u!SM6P^J%xQ%SlymEZK^;Ifwq;FM&1CwS>gHz$|WB2Pa6XFG%=MyjjMTAZjL-s zp<6lRRYcT(0EiF7I~rvAm?=O!XEAJ*W8h!bcLbX2W1dy#l5ft~yyeO;?toTiYj;bj zLAS+5`-V66=()P4A#uuw2smzYe~Kyex$OVa>S{@9VBAoOxe*{L-gF|VBYRd2Rf)am zWL(H1JQa{Xk(r8(gZ5exuDb8}11a#IrPaOiO5=ltzLt18Gl3*vJF!YhPgiv3=1h{y zlwgfdcY7;8G`)5EC>`8|^h=Ub)LhfBaRh4o6Wo_?dmkgvdCtydHiew?U9`Pdp3_X= z&mV*ZB2r;KDWBNT<=!G#xh_ZaiL(fdPi!!1+om*ZF4;-6eaKd*pwy*3R%?*VVPhh3 zh+f;J=pnRw-?WSz&e7d&tIGar2Fca8MErT9)|&>_$DL0Za1jQkyPxBbBji4(1 zPvP)xGj>S`E>@pfZkKRA?Hor4No~rynwz>0-SQkLO&|Gk@tTCVS#3P{c3Y_y4INb` zD^%Yf{2E?-U%@VAAE(yS7$b|w#i`$*fD35nY{EyK+L@Y)>%}P_$)m={W5}fQ?ExAb zvq<{}<0e=-lr;H`HVb{A{-jharBacM`)tZtN|Hz!m0c5LxHhj*9#5OWq!j)1_0!@G zP=ZHRYTm`l8T=e?!I?2$@1(pbUe$`^+`*ro65HLH9fpdvg-PHM*9eJaE~R0c=aiSB z?|I*IHjje{q=8tpTj1kzRQpN=haO<@x}oS#%hmgNy!@5m=6=38Yvo)8DCaR9-$nm* z{rztpw>2~9<&;!Y3d0KRL5h4qF=iX1z|QCzfv|!JtA~0p%wIAOg-9OvK}fX@nHu?< ze_Q8`TFyp=-?u}@%49Eni9bOv&5m`F-@3mCJX0@i{;c`;uQ%c^PC4s$;5ilIuUl1T}KGW7jMTyJ$qpY7`LpiRAi+Q7hsWPXKPhq~7ihRPzArwP{w9BRSQ{?#=Q`aU%}=2jHJ>x-`=0sy zWF7~nRt2EhVweHH-h1kp^rXwrC!QWu=jIuIN&F4pkZ-%9^x-%9Q2ePtLsY=G6aqkn z2-TukWAd;9jmIWLsdE$|Vb^QIR7 zmuB>h=IMA#;J|E$jhYprb#HlZDUVxwSjp|0!Z9>9Ij_kJg&CyzedyqEeSMy|bG2;MoWJ7jR~>TT6B$nkvd?6&xhZ z>DX&GSNP-540rJFbUpjOMQu`dKK0@CpgR`ogMQjaY=7HA=h|n&pbxWUZ~@`>xb`BD z&f8)<#lmfsT9cjFYZa7Th!5*?u+$RfN`7eBR>_?kPn;gRnteM?sayU97{H$9-!rFC zjze>;|0m2f<1-gj3d=uMZG}9j!S6n`I?Q9-nP!|UEa?Z343pzk$x^qYu@r`e@KAcX zZrJ;5*V%FWUiPUFX~}tQ=%nGn=)p-&O0LF6I$|bw)6}nyfxkEPxfM{Or#4Qty2zPx zg@JoH14R@Cid5sL82-WXjgzY`9(wE)rtGmC^0OB6}({r-N&5ehYL-ZH#&lGyD zL#M12W|8q2p?B@9RY-wZ3W?K(P2i3d|B{@l%E}yhD5^R=DrP)*k}#|JP1{YLAvJ~R zN#icsq2bH*&X}o5u6vi|c`@b9pK1gtDTQ;n9z0O(7R%ocxSO4A@61UF+0}v(>mebV z2?Zs7uN{2g>k_Efu37({NqfXXBBbx3SsAd#5o52c zVZw=k;>fvC$wyW6J6hPc5*@X#=Oi*CUvh*dFBmm|$m?^{#)s)G?ze&eU_pK`su0p9 z$tU8?XFZnlm)KS;Rq7ruT3F3#lJQg_8mwm<{YNY+agTJij($QBl2y3aH3K!xwGhH^ z;`*f?HRm=v6f!h5aoccQw-r(qeP{o$Y;+>fvlAp)PNpz(F5ow7yHq0ij9S4?+ie|G zpEvLd`2W>dr0fJfr3tdvQq@|jO>HKUb)%XUm_6JmWl1sZmb(GOh>C{#nG>Tf=!C_L zS!!4$gwWBYZvWURNxz~UqwGWHe|VaMjuw_qt6(V(?emPnmftVSmw!L6ep3%E62f-JL7FYwgJtB-E9G&32PB1ameI~g z*btbw;26S14s?>sg&Wf!-%VlXb+~V!qi3FiOuuNAa1>m0d!TEia|((nI*Nz?mRaV* zX40YSiZ78KNc%xJbx*&eb0lL!^3Rmz^=|rI0AA{IUe+Rr+@mOs;?|LPe5v`nyl^gc z+#`mdaK-}Qn>FrdI)6jmHvkk6X#*x=-HrZhE1{pEbkBiK)%7o- z8f?Tp@TVg&o{4E-q^^f4nh`I=z>EkS$sATOM#{7D@r>A2$Mwpoigyw9(z4@hAcWJ-7M5Q0#PCX5mkSPf~R9vLmjHHI>pI z=5b&>THh=~5uy9LCy0E*9`%2QFKPV0$_;dmvOI?Rq!=g-CHz1sSO2Q~ckuoJ^`ArC zXLfXh3Vi`$3L<%>rp?PJ1I6EE%8B%aHC63z@j!rG1kB_)O*q< z>Ww)Ne^@B3-Q{vz0!Pf!>joJ#-5#nfr!D&rdH3iMFX@5To9oZVMz_~M$I!Puu5%;Z z#@#QEw>#f%)Lzc^aXJXSl!E7sG)o=5ul#VB2A^8FsH(MK4UX25J0tuG|FkMEzV`Bj_-@4Z_e!BCyiZRT2txnVH@B8 z?}d|@I(16V@_8mNMW&Z^68~dIv1Df957diO1~(W}ox!@v4IL0edTE`>EUD}Dxr_uv6=eA2RIjbE%b@RRO@qDx=dWq4D)hD?xa*QZW72? z2SL!C1L>|LCOS;6LeS*+$A-kZQEHG>-5aUt$TBEJ3e<6-0*ZR9dF{N=a{H-Nvst%# z(eS3)P#w62ms}yQ!x#!+Er8M*{lqpJmTvJs&$^2>_?^!0$&&bM;}=r*`H)(c|8Gv) zl(?($W$k9L4m(m+%<5oUifTX8$Kgm%NjDd2li_eMDDn!!76jNWa#LXvq9)K3wD=Ar~f`5?Gn(7Pj7P3Gzj?wK$kbamX#efM} z&VGkj(+SNun!#t=|8A@RG^&sl<8d3&^u1GRA%%v!awC=c)~2d4Is|w)zXCOFwCMi| zob7G<#QMIip?BKOATr`gtFEg3sU_crHU3>0+#PeTDx{HgE6Yl*;q-}lmTZ_LmsP$< zjvm{F)~fPpT7FeUF=lyr?G&NLwe}6mTkBP(L&6%mqmRQs`lb8(`ak#U!3cC_5}QE= zMu7%()>ik2lqtOmms)MID<5eO8 zhA>`B0Skyc!@xT_ES6-8_RfDlkqv1}sHc&}Jd=2z6~XQ;R&qHv`$}X zL`}~@E3aju%D)wXBo~IhVLrbYy2)a>ztKp$dNEF1TbyZh0~fyq4d`zIB(kji%5Q%( zYbtf%fcncD@?C7zi{sqBWd|)+hZ%kY5XheK%Nm*vKv|^$u~X}0-S{z%_!24Y3~$A# zFPxk2(Xya?unzoW!dk(YVVDJo_u+H+_X&f$L@e@zh0op-mJbnHvaRP zWTl<&Py+K=wQuyd>44%rys{>Fb_ZGYIiv`*!6ZpZogY$_*JD+}`&q7=6X17#+Ll;X z)~7>;QjLZet5H@DQEnyYp==fkI)_UxkFxlys0tiEG3RxCmBlPN3B~xMLf5{0<2>zU zisNfdSd1TqDLc}RnuTBi$cwF>E-_H;-&>4mt(AJ==tic|)c1jSBOk$4JDs3DxquAwVE)cC{*FrI~1%l)==aZ6E$fwjTR<09R8v_?q^j7 z(vQ-M(8~{@mcNU*9lAY>nr%T_c?}Fb2%o;1&_2B%>NzMpKx!X3C^(ChQD6ru@}R~9 zw-so}W6ndu1VgH*P^)yKHzi$AbT6_1pGTFGkcs)h=6-pF>R+r7R|Cx8P@iC}ID4u5 z%I_BxMF|NyWsvVxo1fr|?O}_EiDi-}e+=#wTqYFw`-uA4xxyuj|7HN`e5$e{4^i_b z$`NHXlJZ{H+k71?+?V0}esSY-p{je4{;ihH#RAAm){5;5fo+Ogbt^^Wfp4j zO`eTs>HPuIeC8Ri$4TXOhNmi=A`FhN(f`F~XGjy~0po+};8h9`+&m3HM~@oWAF8rg zK{7I4R%leoQm6oH!ae-GvU#22XF7*1;5Kkin`rrCsfG+^C0z#o!n{cILcf0a+%wwV zYT7KGR{6W#pA%=H%^_Qpl6g7tgV%<@o&M9QERL&Ne&SeRh$z>%%DFV1Y8EOfZX7Y= zC@f+0>`sSj*waJkkyq2*s?D|5Y^t9O(GFR~`Dw4Tq_}(=V3C|6nK!Ha%n-2;VI7GK zMOXnGWbs0HAxE{5klM6r@1Ae#sjM0ZlDBsQ(!x3X$>7tpn z@foeoLYI|XtuU4Tol1V$oPg;kH6eriTv31P4}BupXX~G9OQ%O=mu6&%nWE@se*QN1 z=GQ%!yQ;7TT)q$i*V?@T{|CZB#tsr;Nr1A~n=XaqCw%_zySlFKN20A)z&;&0?XtVK zwxGWtkT#n{UlEdBsN49Yixk*IKpb1Ro3uv*pF&Fc%sq}r9V@qn|F<#)R#Ci{M{^f%>i=+ zdDqC)31q2g4zYv*X#)r1XKJa3KUyDlx*Ft^XN%lW>lGX6)a_$ZKJzJDC*S4pj(ng5 zS=7JwqdLeHeL&k@O;==Q#uW~ZDvQdQtftob)62hhE}$Pe)=8u!N(h) z^%(UpsZm81$o#GO5!udNJEc9ploOkzcW9#tdHF%^Z2F>0E$7DLzMUtXSBjA=Riurj zo{fVr40GJiS&{r5aaXxMgG7z2x#fFaOe&rJIA3Ttx=fU zQPBVXy?5pz-^$#LrTuu8J)=}xNh})pBlHt96Sy z!gB3AO*!y7^1Lc9v$g$}_JqA-(UU5dyvD-6xp5ewY^WD)X^krOyvEP0lW-&c$~Ol4 zJN=i&hlW-;=<(v}p&Bz**IDm57;a>lorbSP%Lrco5s0pUhXpeJNKUH>_Fka?=z7`77{K43QA|by&d@Ltoff@FcBtMJYq;%+*VR(PD<$qgs@c<*z>o>AvLDNhk=QgVx>z%P5S%-H_JqyKbh^NzdL8MDN zVK@{JsiU~H*D11gL8W75!x{ZvQuWcl6&ut)hmAz$PG=yF7&(-c?O+DYbfYibE>1OX zJ}LOYgz0O!X_ia|w(&cln}bktyN_qjD{i6u1Ppi=ePy8Z*Nw9OHs{#|*uwdvjTR_8 zHmZmEyL3UO5&q#081zAqG)2zLfj+SU4}hG)%(y8%y{7!wWU)HuAit$fHou5B#%JZG zpx}Lb1q>Dqv#k&AiUrUCQDdp91o}7H86`{_k^J=vQkWvkKYAes&N~xGz@=fiD_URf z#do^CnajJB^@?Ft1V)`{E|WamR1>5$<5@3L4p=r%2ZlwC(ps#JK(m)_mIqwah5Q6# z&K~u_eLKbYV@LW@Iwr|asNM~EZra~JWv|Dxxu4-;dWl>=T^h6uGUyL|-NT&>R8?k} zgxVLu)bi9P=r-OEq?|Q>1{;3CQP}^v*lzIe+KFWpRt_h%_d5r!5(DB#1-S;B@gSj! zuU1F@jzZpTm;QjAJWylz7&D}R{*w=ZQhBo|6E$mp2n+79EdL##ZFdfXje116H`6K~wx#%> zYGuC1=d+=$eKxnNFlH>Cg*UG@AG*v$jg+pVmNkUuyys%3d=WTv;~2K%m^M!4-Ot7} z@xl1GajV(~zXg?clJQ1(i_^>SWy_l!er&0`Y^pDmlDCiB{PueUc3~6Xx9Z&X4?usu z)x6x*v0D6>b1@hw%@h+z7_BtA8@*Z80bF3;;isP%hnrltx`Z!}M)O)!kdgk%}mEhI8`rPvUo2L2uYKpyzA~B3I(iix7PVK0`kDA}=6z#9P^W-MepUNc7UMY>y5FWV3EWogJ zK#TE^ABO?23cJ3C8eJr~c^&u~#ui)rmRcwPECK0jczK10MRN7g6RD}5eD%>wD`{iiR z?fh#(!mo^$@&?H2+rDzB98d3b(X~nE?I<we;`d-(w}dy>@9l^W9<#fHo7$Ksu_5Aeq4J`oQ6;F@E&!8;_BB@koIF5x-(A4oRp}KtVG#V~n>Tb?w;JlS#WxrbYof6!2)@J!~z=QENv0kesu$r%4SlZljWi#Pvl~2iwg5h z{sVvn3dl4fr+R(_G45s)hI7Q_XsZI^$<=k3%G86kkTHIso%nn~66fH2{S9y^uZ>EC zc`VI1Urv3CcGo;%#*D^iVTxlrUH3V-NgH0%A(K+O$-rpGlcm@jUeim@uJ&l2 z{0RMbNdVYBhnSpu`s%krp_ckHMQBx3tY(fglVR6*MI1qgP^sH58z2rq0?1X4 zprno1&t{+0&0|gqSV;5v7$DH0D)Z4cvVHmHcjII<@nrk@WV|)#miu~)plJ&$DpRw5 zQZ{p@FCd<2-n!ajNfj43Um*x!kGKP{4}t3kN{m)49HZ5p)+NkIv8gNcZZgQfx3Jq* zCh1OCRKA{3W3;pv07_NOvZAn?Bv2F!d|IA*ezGOXOLnhuf7&#w{~BIoU9WxO^EF+6 z{EpsQivJWU7gy?W{Y{XCkJh_XPX45@oM0Rh=&fhtgJ)xMK%uT zX&Hsm>DtqwuwyjyC|+pA&vv?@M)z*z;q4mlX5rf#&%wPpib&dau$PN5PR@Ga(hk9> zuUbc~=%{ejFme&~KE zKEq-%!S7O7K{MSBn$Vs4(?-H5$4Hd=NOTl-g}I_Pj4=18sagcXbZNMIB#69i+0rP; z-4V=YfnwHdYJTxf4=%K10VLYMUERE2d3OCB>FIdN&LGdD^gsvUCAP!k&?F@sowlJN z3P4}0_)-UGVC?p2AxJYY+^es!+ap;)q*pbZzn?T%*t%WfH%Upt9a?W`*r>{cXmMy{ z_=|t9k8@ea-lb4A#J+enXz(U$9bNZRNs@MmoA(AT%NDf`HGKS382t7rJJ~|a-I{|X zgO_mU-)Qw&qg}2vu=pcfgkwI0jL6832!PK9lJc~b0xttTVa<+G(nI=(7z2f(<;xjN zl#;A*Z~K`%LwMz1cP~mvCJ{zRrNlZU`J`W z0IHpSZ3_S|^)KUvq4(a@xs(ULee|6K3evbno_pMDmN3!S=7syo1O@uvg);zWUuj@e zR$|&38^Q2Z^v1A$zNX>4KWcs`ymTKZulq>{KN$ct#C8Z#s1;sW65)SK#XcbBjY?n6 zZ#F%mRCzbOF#=0peKLk2&H`Nx(v8)p(W1lzE@Om2e5NCwM~>8{b(5;5n~{5M%ThySjTYeE zb%*1^?yLjg%hZ%Fj7;HLFZ0B6Jk{1(6Q_`immYFUNW`N_7BAdJlAdhx5X6qpOKc_u z5a_1}R(PFs(5ecZSDsn}2+xh@h4SAK{n`(*iL@AG@f#o9iwN7HgA#SQt)@P_2;nd7 zbQM*JGY#Tyw;8vU%*vPt3OMMst$uE}f9KaqUZTlkw9rOuzjZ?wt^G6)oF%odDov3x zo)c=;>my6TFW`B8kbLmeExm^;7lC3ch+>(|7n!FS-)OH19&H-G(8*m9XZ@ARLqbO! zgz}cWah)NKDL<)aG#u>ed*$pkkE^Vx@S1rnV*-8)9RV zGlY2ju(yiEVUb6Hde6~cD#<|BsF9*eC+}0t&|U|jqXOYBLhGg-a|n&fUO%+QomkGnRkZv|sIxgpK%wr)Qgmg^%s>3?vyt2Heyc9hY`nh$^=iB<9FSdVIKGtk%5jFH2?zrCp8wo17dj&F(8uMsZd zWdH-`xY`Blnx%c}Xn&4rzgbx5aVo}^A==*>3^ zo#vY)Dh5GG^1?D{>`s>Qbw1G`gL-MYK$X&Z^HH~Od4!|48bpd$#KT;{@hRCfy|}Le zz-%Auz@ufslhPRM5_!5s=pYNqJ8+tKN=i6l)>XrtD*cvZDJu0Yx_M8pSJ%r77psl< z9KWXY*jmuV8@3IysnX48H!ocjq_&vi1ErR$n^ICMI}83 zB6K+S-abaB8dRr6q|ams*5*nVkqgT1h&vTKPbD}Mj15B^;vTv(ed=6^owvY#AO?tr zJU)2Jkc$4%A&A_6HPfl1Da;hpLD_OW>Jkd&>hL5s3W_! z$MHcv1&4j1SpLV-NJNXApz*yLLjc^_<@I%<&8-MUz5p=jR0!iG(bgZR7DkrIYXQ*W zPm+vTnZ~P*m32(FfvZmtMK(}pWGG2ZHd7J<_)?lzJ?Bzn$!l9=f3__ddUlxnFMrjN6$jW>98wsqaFB^ysF=S#-NB zi|pg=$j^M8+@291S1#cC&iT5+y?v*5N?+dK4)KS?i`FB}T^bulD#o0ypB_qBWljT{ zk$TVil>^){voaGjq^$RO-VFFG)QL5)4~hG7mFZ-uipwBlCTjknX8;~5Ozsz+YzMyu zfMkUa#%6_Ue{J1mQXI+3@1bqdjeR45hi~6xS}0b41!m_*B7$&$vOHDt)B1>#_0do} zP`*_Ni*|3Qfk3>CsHr{|7NDkxc_)kQ`+j;0J*KxPvspV~E+d7F%QRa)$x&Tuo!?6w zfkVYcz0gbs>l5CDK?S;|?wask z$puTJ_PUjt4dfsbb(-70LRetHfr;kb*BrjNZ|;LpgFNlqLM`0+OLM0Sz9IuSZ9{QDJ4@YY=m zd^LAr^}fUu25dH5cP( zXCbT`*GjcTX7DBi4QSb*_rt7*7)uP6k!>%*noyUlPB?UC5c%dw+AG-Z8`!^~pJ+5P zp(3tAEyRuz9Hjwo#DYLIbVWxeaQB0T8eK}f~vIL zRc}X}FqNSfPVulO_BQc%i?zWvXfzq5)<@2N;Q2ob#(i!D9b5c7X(E@Y;jnJY#R-Aq z7}C^C+7)Wq-3Y}ZO`cTi7Tm9x(h@bBT`e+QDMWMtO~&cBC12^|#SPZ^lm2v!(oCND zXdajiA>fLtQqy7>W3sbx4fzkTXws*ExYqx~!&t4~dXLXr14n_|iLzRQN? zu+P%0{rr{uaG_T|L9}Mcv@ru!G@h7 z34>*-g$VJ3tat^ICTZ*pAjHP)Oh*vVkrqIpwOi;PPoynBr4b5ce=Z_L3?3UHUy@1- z9(V{qGKIq-Ipvy{UiI8G-vnsC~RCG{s+1WXX5?J(JDejZGF9_c6v!M`i%Kgmw`n@I!&= zP}r=RV?;EVd9oJo$9;t4z@TmY21B5o<{oTHo_Pkp>k5vCx}vKbWna(A@~Y1&n~&d? z7;+wFKrAY;hT$arEuU^sJ@54%-}kBO7@u?YME8+J$uWQ~WZbUY9zxsr-a8r=VYv-C zdJufqb2_jbYxYdXcodlG`KSAa?z(X{JbHIe)qQHeh8`V?(?+$xD;7+;As?TQpMO+p zb+bA{5nSHibT8~7mzTh*h|e8!MR5FxL15j)5~-#S-7SbybEyVqIx}Bzkvu_H)QFTDTUj578~VhaW1OUL=k@#^)}1CEJFyg z%bV~OxOVUs<*;qrf$L&mK(9}9XD5@q9janlP>4XE@cS|4ECH9KjsX^-=gVcM z8B5{`Vc}yPCy1!6bJR^pJdcxOC-C>rP|+7c@{u%DkWospDfbd|pgn_sY^}Ydnk*~b zhFGe2A3XWQ(~8+U!rm&<;xSgx{JmbTQ6r1@Pb#?RRfZDMV7~A(`m-nIF06#pf&ga) zYnv*(D(Mx`XG<0Q4Srvj7kyA{zvhjvv}KMDKtKfq18HfM6jZt!lu{`X0V!z^0|Z2*M7p~~Kte)6B&1Wi zr391)i95FEJ@0-0h5Py3{loWo*n2;*)?9OrG3Hp$jy#sr$+6nwHlTG{$%3QUO20v6 zvY(mm)~!2+FKaz{#t(!XK2{Uj^3qS|W@;iUB~gYjo0@Sbxu?hj6BA};=I^z&_{WlP z`TFFhqKtK-rjYhYEukx+E~joplZ?|VSg>BD$SiQbn3?wCM$9$mb?d1%MqJ^ZabhC8 zX7OFyx&9L4)IM?&xhVPj ziSWg9LhX##!W?fgc2pG?7suT6aIY95jU=3zC|8(=iki>*zK#y{Mb@^$<$cF4=e;+6{RUAy0G-zV<~Re=L8)clfCH4DEj@Y(vo?hfgV+S`v^da`uO)M_peK1zG5%w;n? zfxnZX@|KoJTl1lPD*hJ~D``%Sj*p)tCCydb`|r*~4;(l!zpzl*60sDNlXM`LYA0D4 zh3UNs?T8y9C5|g{iv5IxMU(M(TlEJq$?enIxEVcM9v2g1OBQKj8lB+$cR8h&gYcPn zoxjU72|FWKO=HVrqF8sO)c*N$$W4lbc8ZT}swF}C?6LcOPK0v`bMD#c#;RQ;;o09e z9n*z@Z;5}btLBxgSM@rj{``NAg~$?QQr(wP=1=VA6-*~6mMNdQ$0~{NCe==X12+8$ z*E^R2{NiqsQ(UN_aK0C>=H9=l#B%!dX~tT1!l!aWU%h%IQYrfFU0xk;r_j{FVfju| z!BW15F=7e(Z<8#=K0AO`^Z zlHQmIohZ6?R^iY0rLLWX?>vE_uSIE}HsRk#m|eVF8P0#~9imL8%{C7ZcNEFpu?uhT zEZPPBiML)%GXGd%ZI}19cV48&(!-GE-w}=+XgD7=ZOw2ggl_D8#J#cK8H$AS5k1L$ z0nd+u5#d9RPR;A?6S2s?cq}=dD%6eeKGnTY^`Z)f53)~%6OQ-GE5$XQrWPT5?WX^> zWpv}Mv)7*rS4OPt7Q9BoBH)TQh&5@xI9BxUgWUUf1_j;>{C9OP zukXkrJFDuhAP;Sf#=8gqd+@UglIOnG6As|PPP(jgz>P3t2(&Z1 znTSff3*PvlHP*iIe~LL;r@G$e7qoN-8?y6#o4A?#?}B=xzUdqiOd`ncKuW z$^Ly@g8%Z! z6$c)uL?@j0tA2Y)^W(#=5BDm)I(1#Oz~`aYV51s2#Z z{Jc_g2p6iR@bY=!J1(P!(?;QnT3W@AXSzQ&9Q=GPIX71&)ti5|U}WQ=-E>C26lFsM zf2ZDNcz8ITG$r9V9&RPKkb_$tJi3!iB4(xE(R`vQCaZW}O4DdJQRrND6*Z-R-TS3K z={XHWcuaFQyAT%IJK!K}{Pn=31`ebc=UY6BSs z9TrbrHPbRNI6>sk$j?t%R)!F*J(euoiWH7t|LO89&B)4f{X3ISV>jqV#;hixt8G<( zS=V*bCQGM8Df~Ji{&+~EeGkwo^H6QAHM*AC{TZIlD$`j{EiT?@;GcUKphXDR&)11B zGre&N2?>$EwiX}Du)Q%ZRJnLk*XhsCFmqNWrum!zl(QEHPreNdbXpq=Mv$;FGZX6n z_SUAa(AKJAoLGcqEhCbz=f?>4yX6Pjiq9tY+Ku?g3;cP$a$MJL=*9jMbT1iEEH=0P z&OQ5bCsy{OY0t+yU!Jm+t`4VVm3C+AiQCvL9T%tKxZe~#RN)cjvOZbiepv6-8gJLn zTO|%l2((9HD=TYh5ypx8azO0V)KmgyNUPv?n0aXzF4x#NC6>V<(%Z{Rj(;Zi zguFm@O3CHhcE_=`nag#{sWYo|b6N9`Jun^LqroSo#gB$=_^zF1EB<}s&&Wcf(DrxT zEhU-4zq6m_KFwX@Fj)T86|DU@B$sCVLD&^jCKeXj^9^fBQ7(Mu{lyoh-#+~D{v3r5 zIXOAC>&BlrabH$e)`q$|nZT>+)16ta;}Nz}Qc_rsVOYAP*Zb zm3BguQ8VAnd3DHRduydkdXkKc%%n53eLR47EKqs2XgV{ef$#fBbo~MbTrTWNJ#Xqm zd;7Ji_OzwAqcqnxGC$2Sv9g-!yw5f3E21=kt@Y%^CA+Rs8)qMvcxZee|3C8Cr#w zW3@q9CCj((-W?(wJSS>1J%v}Ma%L~lleagK3WAVsHiwS7z9GT$K@>GLr?cA$qxLhz zsNZ2aL+P&E2Lz!>R>{YL0y_Yl26J&=>Wt3)8nv~xNOeE6E9U3t^ZOm7r3B`R7qry3 z8eO-zoK_zh1)gVQWaRz(E64S3&p=0eyM5NAE(^KiM2v?!;$CoN&v8Pc>@Bb;TW`-| zVrC9=2wa-(jIwIrRSGi&VMRT zURx={!pFspSJAizwpdwOe)FYayND>+Ui#6FkY{>vLR3`rru!j_OkR_Y^x@&*4<9(A zLYy}KRME?Zl6s0bWzL-=_wKX&en~d8e7JBt^3$llbnW-=o90UD>Q^m>zsiPPvCjgn zqLU3>Y>{TO&w88gICU3X@2J4bzgz2_We(|02Tq<7Z13!p z59OXj=Du%TUlTwd92jVq{@%EiF6uc9F#9mWPY89rZ|N8KqwWrkiQ($CJkWII7lFe*yA#yIFCM7xfSebU-gLXF8wePn5 z_TmrtUB2u&DPgXo>o}7~m>NZX2BS~ggrrzFKV0dZ;KEV_)E{Lx>8spXvUd0dO`M*7dzGq%0icPsWXW@D|Q09c?b#WhcS^Px0q zjMP?Dy_oq3>xfW$aL!^YkD8Kw2oFP)0ng+QA1v1wCx_L~@L3nk*D`1L-lLC2k=<_G z-taBeQc^m9xK>?D%W2e4{5H+s#mNx?@1OQlDM{q4S`$`d14t6yC)pm){B3J$Vz-|k zZE0x{>Dl}2`n0yNs%m>ie*Y9#o%A|krP1Dq-kEY4%K|QtMTaG%=Rloca#B)(#ipCV zx-Rx|a<3zml$94S8~uoodt_fQWkSyDi1V%4*B?xi>{O|=go*5zI1PmIS* zPfzPQFR3y%ceRuh6|HxhWCcx$xgR<`KltqEYihynsd^DKqj)^)yyUO7olyTl={z*1JW9y7pU)Iim_kG*h(+wbatld|q9Jb-7< zNv)(|+`2PbTHZH!e-R zy}g>|B}=_ljWYmoEaW}!?^d8bM0Bosvz2P(-uE*}+V09R;vd-t$HFOBQ1O4^Ud|q4 zU}n~Qf9Fe|?Ldja_qTvijq=M%7N2$yo%L*5JgAhWTjrwVWfJ|tda?ySV5lZD*_P6Z zP!h18*U$d?25Y7Ma;Fn&#!PqK33WosNyuaydbEnUeEZseVr&*;n-IAR_3!adCq$bP z$7Y+de7ol4OXt~7){~s3-P}fDf2*h+>y{?2$wu(0N=-J$Rbl>Jk#{slL>Rs1TcftD zu^5fQE!=bGx3}iD)zsDh3aCMzAis2b(L-n>2GnSijQ7IetXod@0t zX49SRm28Veub4$yyBX2`%R25f4?>nU0K}=lf3plIMJRM*O!vp62Ca#*z(#M>tmNWNOB{lE@=J!jnBxPX z0Hxdyf+m6W^7;&a(X7?*SI+=CSrTRZhD^3;&y~&~$~=dqDPF6e5}u8ME8+bIB>aPe z2>~FX?g9aT`b_9WdBLSXlbp938ymnB(l3n9I{+bsGbas4(#>OK0gTvRqB-OMh@~VI zduV)gR3_}o%xnJH)heN_KkL(3NV!g%OPvjVFEkf0N(hvWJPIoy;$SUH&p?L50vXJV zj24e&?J=N0m?Gn~7~uuoX1~Rr!$d?iFNF6feLtPd!~a-aU0wPxyBrV)0M~$CJ|R8e ztd*ojx@#l8LOM+6oPh@$6t1^&kF#GVtkb{`PHUDatP=pf%VzaL2DPM&l}j(OX&Mq) z2oY2DxeBMU`gp=|#OLY;mC5Swp_AIyim~R7%fBY6>SmCqhQqxX8H7AgL z3nYmUw6D%MpPQUKG5?)S-nt2MJb-oX@*%jFaG#PMxKHWUT(QnIERP2d9()b_&iYA4 zv6z|w3>n`(dTU53YVmPveKbHmK2SAHO;T^Swq?yl+(3Yu<_CSxKqW1$Uw${wQ*hr` z2xis(N}6K+#I>PwD${vWv|;BT{<-3jr0m*ub=?`kkhmNn0I-d-qE86-R_whcI~;!O zH{Oc?=Gxl)8fpd@@fa~-e)F3aaP>#0Tk_s_k#d7ZtAlY=2JrWI}$N@ zE-!rZeEbe?&+4wsIEY&q!_-)CBTu@xv+uM~!=Ck#xq_Vb=pS3OYY0q0eZn3#E z=7fZ+Bn8|=S+9ThZVbT10_=Lp`3Q^d@l27`xEzNCD5&qX^@+-px&rsUzP$cy z@8MJIpSxD;RZVoBFIs;+E^g-(7932Uz{5ZK^&W?jynoczVp4zA67K_1%YV!643^!c z@rTbEgbfyc)+^P%IH~jFm0nPAu=H3V6u;M0yh;xrT{db6_wqWBJ$lYYtERTr(o`wW zu%3cZl&ZO%emrCyWtY`R_T_@Xd)iZn$jQi@e}5sqH@rO4LwOj#r#UrN@-#IS>2d=Z zjg3w!U@T!alJBAg$qEv7igJ<;0EChQ$|Z7jhT=y;+$-ZhnEz{&@d5EEqN0R23&=4I zs{Ujtsjj0l>$FO_+0M+sFaZV{7m!K2@^}}Ka7)bO$@sT9>5u9-sw5bFO7)f{9~j03 zOv!@+eeL$F54*~CJ6A$$$cs7i(Is!5zkOFKkjO%_gL2eTqodC0eKw z`dyLtybt+$p@Cms#vUqm2FWN$*4Heoh`{?B$?@E4FDviW|EN7}9{Bcc5&0l(gJ1Nf z)&rr|42i=f)qXXB{jDl`uLw(W0HKYq5>kd(PdQeAY$$gPuT{f!=i@EUO-49`RAshI z*aB<_b#xK}z=4uK-zb%)g8{Kg$;c$rc$3cGDtL6xya-`iXgC7wc|r&^PI)d;Q%C2T z?X1?Hv_B(N^h{cOjt|vURJbpD)Th0zX>7EmTW9p({VTx}_K-K|?OTVeV?JWRmo(`v zN@@ElIm>HaH#GbSaF6BdYSx`=j3xk3K?fo5fyqVWtLv{0upGW^vrp^!mGSP{X+-8? zKNE#dre=PoB=Li_|DCrF03>D5MwEsxcWRA1^dI^~!TdU~-4d$HYwITDl{YUzU*p9t zH@MkeYKT!uxSOSv6dnD!i?x#XKuCOgdL1u?Wt_QpO-5d%etW8FL(QXjVb=DQ+{=t! zE#QO}Bj5T^g+ZDcP_)3cE*Vwc!8$++yO2mFbuuPnbaZrax>H_i19ZDMzq`OfFNc5M z<-h;J{hWeZ;7hT%{9a3M?wjY2%f4g(QaF!X!kpl=++`$LCxeueaNL8St27k0v1G_c zU8AmuIxkvH1uNJ$Ku2FG8VY+_m@68^cJ+ zB|+1h05+6Y&3d6`jE0}ygcw6EL|uL|=CaQzjvG?;kSdC=`tAK>vVZ%(QAevQDq4vu zujBMbl+hVWC(}m*xSc`v&o#Yohm5ul)RaS+Vbdu#>*Ev3l4C0zCHXT_8^o-huJH$T z!OOEhr`iX(N6H=;rNC(1&E4IdAn<&Ddx`ndCDWnLvJJ-rw*UCL+7(B3a?jwt14sx5 z5!zLrsZ-+cvo6H5w6DNo1RB=)i;=EdYf47zY6VFt3aYAkklg@h9(;MaC&#ef-#wFj zY;24-&dm7zbG6caE`|%VRqu&KpeS_4@5%+3lo`-4H-FL1aqE;V9>=6(uY2Q~q)PlFC4!a^ABn8W>d??4WJy4%~PjiXMgb2Boa-BL+0!mm}SxF!M z=tk5vXQU^Tpv^k2M!WR6p>V5)$?m+gcS?$i95z#JA|(q1@rnTDrHb)2XX@F+Ff$VR zsB8kS#w|9}9W(I(awN*Bsi|g#W8~vxbg@t? z_@~puWr>w-k86#$gz#7lKizW>bOpEg$!1!u^Ke8?r4R&T*Uf3&GH7NkElT6;`%N>U z$X)HXiwi8c-y9pY`O65hVajSxK6;r*ctV?ttuBwly#ArW%9ai7+g=5w&7>!m446e} z9K~f$o($)f4N&^_`b^J(@gQp&r{728yg$`$G_}W`fQ=|oGa;LVPVnAzV~8!LgOtkM0Hnd#XO2sKeBp1?`XI$jnEc` z$-hM&1sRuhl!BXqjm;dSIUyl|uyFQXql*P}dk6_o>E5kdAu5l4wI=yazp~8B%S(!M zNL@Jj`1jzKkt*LglDFUf~>s4+5~^#5?1cV+v2|EBly}wO7B%3n0vB@v>!NiU=~aW z6C*DZBIx*$`(5OAI}600mK13Hg|A<&0B)mNSwp&Q$XZ{XaqP9IdQmZi7Vhmh@kIz0 zrKLI#C<_6N%gb*tIuauP(Ytq7%_CzOWX?L19``Fa>q4rW9>L!;K_?|Jdik0uxv=!; z&z}w9yse*9gUpZ@k3`%J2jtLwnVd|DT7IqcasuFIwmq#A@|srJ(g{h>muN8F}TZ+aX- z!g#D4=CnA|vw~tB*#GlN1xFPXL7x`7c}Vl=mqF&N;$e3>`AQljbNSuO(XuHW|bMh_{FBqis;tYz9wh8?yJ>Vw|MDz*MANPBE z=o*lLppATQqzc7SlDDwPj&e>MCRAGzRNK*md!MQ6*c(Vn)=-)k4~0vW-^A&W&o@CI z*2DL1B?)a#;=l=po75yPWYo1RUJS61EKM})L56l+t)Owr-1gSp7zVC2&fWD&9%7;N zTb4gvm$pzl2s-EHN=!Z#s2x_co49l#K(GO3#^u03N@ z4K#d|ww_A1$IYPIgm4*2?YcC9_7enBt^BFhq(i#cFK?#BL7TaLXCx40!+$@K05Plcx-sgXEs&`%<<$ng&j#k=XKdOCVwmgJ z23B~6M)o}fq?_PBai0BKX7PM25Fr6pfSmmKVDNqMn@<&$Rb92;1;J3CrC(hO zNPz2ob1ql^)6Gan^9HG1yU6;eI4(+wFvO?i_40@j= zKmGeYcM&k659QU_fwHoXAFqHI&@AMlnSiE6yLeV+rVeZ@KkLKb!Qma}<>f_j7s46& zttSSpjxx@K%`$Dyr7%$VynXw2Y9&80QA{xqlnbitbOrHM$9&>WQJzx-;6V}d3EdLt zIQ^Ol6OVU&jv}yXs!v(KH`(uc4TUq z_VcGMJfn4T=nkz9?{yKE_564ogGhJ*9Xzx)xq$)Z_#~d(hbF6Zun_`}iYNYTP3Tz* z-|j(uN0@G53Zm?PhV0q1$F|qPV`aTXL|BB-puPI3j2w+0GVaZtL{Ap;0C@oJJOkDQ zwpK^L;fnyMv^5`s*j4k2*MkIycWdn=5Trz!k@yWAh z5M857@*$jK1tYIbD(Vn7@npN1nyAnLJRV1S{&w~~QG0v)>({Sq8tgxN27oS0BfET^ z2O$Y3+?6_cX_i|bXvw`NzrT3#0-5z;&&KDNb7W-~JX+??5WR%DVD(RY{R#^Cn&NV5 z`@+sQVu0#~4dKSl0J;Kp2W7GVg&}Dzj-_Q5!IeWR%H$$`Bw>J`=va*J0q$G0B)1?h za&3YFjfCgBxDaA{u<4obp3q-ttNkc*E#pF4*%}U#j3^qyn>>s7!F0O6Nc+8`3w{IU8Z;WJc9O(E2whR_B4Bt&%8 zRF{6}`DUb~*pCINF9w2;VG%>ii*DWo+S72R@r4TnU9n?|Xc0s4*_z28Fhe^qG0_m9 zh5(@Y2v!d8rfzgSfE$r^X%6j0ccBFo3s-ma6#LmzhpznHy)rl83R-lF2KoTMSuf9= zEHy9(Annw5pymSTLZ|gIP0+qxLbtRB6dIra1qOyqsADP`8g|gv7Uu?pj@=(!QKYJU z+!8NI;H0sagIR8Ig4;Xuk{%HJ^Yui(qgfl;Fa#=u(vQ+K*OSji;t3PT%0%-BI^0wc zaM8aYF=gnVfaqSfF~&wMUO1T;MnOTbI7V<@aJ-)-bl7manQXccoQxuD$dAu}GeZ~G zEpf29b?X)j`KPJWv~bGXMt-qXh5%YtKkFT9HQcRpPbCV#no!`7GfoVeu2@MV}fBA$ks@Yj*dpb5vR5v{p_|2BRO2u z4$o|wVd`Yrs%Y$Gh(H9?ShG$bWvIV>j^pPi&&!}+3rJ|Ky#NDJ7{6`i5_FCY zJ&-xAPN!i{dbNz(32a9xul!OkTUU*ZyE=Eb$+N7SAh70j>PU-(CT5^WqDf3pY(CkV ztEs7hzxeY0d>0!VE8-|UJ10T1(p4_LkBHz+r;B;F39sciy)8n$9*>1DV z+nSd?-tI{?NozY;tRP($OTI@$csA^b9~YHnwcp0pyMcz0oB;iO$Eq2!#&tvF-S7I> z(MGL|+qt&1wocXq$bigPPpOP_&os~KEJ%Yj2nerh?@T~3lq~6NE5Y`sB2TEZrK(}xBtb_7hg`z zei!qGu@|dppt<==phSXFic09)w~v80FPn6%{{3r3bDb^#czPBzF@65^>(`;76zk-X zz|Z~{rDbGfa$UA+-6ta-n41eh>a?`voIYW0YMPOrUhJ@xnw|Xzum}O!ZhqqPzW2Zk z%gd|`4AEE7{%+gDgr?f4A)Gw5!U=J47leeOx)v7}l2ATS2 ziI!hV>+0&j1D}&6yeC8+64IYPe=G}~o{aOqB7A#w_~01Bi?+_r;CJr|&_lXjHuUUm zWMqSvk_tu0cQNMK{*q6y?{G?;tI_|!R<_~qNT+e@7NKjOuEk+c2=<9=qR-hi*l2S$ z*F|13q2&z!V=V2E5iV1Vqszu>q@W{4fc>{}$F=zv7=$!|g^wRU4iDe^@cfmS1ROP^ z$9wzwf>uty_KwNPv4U$&Kd{{Y&6`Jy6N+0#Pn<~E&OK4w=d+ugNME(5y1KfjC(K3W z%Ae)M#oiJ}b#1*EDQ9QrlW6|``Ze0`lgWMc$`#Iwd-v|WcI_J0nPuSyQl38Z!v_yi zC1`JddYn;o`~sDelhdI?hl+}dChCie1&oZ0Z1|C2!t8&|%wz~q)6vt@v$DQs;o#<8 zTwKh3|9)a>3TBwJtSqBQM5O|U23@fVy@OG`_IHS@Nv?lvq={uZy@+}z5_%CJ7%+^#Dtw<4mk z>?e|FNotzo#F1en9-Co~n%SPmCc_ZGapBL6n>V$!wL|*$@==R@T2Z-qvjPJ1msE{b z$J#MVPmvp};^;`7Jb5x7t#(**4o!sTHMF({*!OmKJIwV9jwKiajNiJ5usw6;jF^~M z`n74V6XN4(f6mxo#c*?{W0ai9VKdUv(b3;Uo{-@9+@Pt-N#x%w zx*fPL#Ttx=ovSkx5!t2 z{e3sFC?zYa47C&ODgUy8rKKh0`@4ISw98!js;WGe^iuZYwos1Q>)%XHPC^36tqnDi zmOjWO79PtmrhX})<_NWb#M`f5zrvULEW}v&=+ZTZ#rrpJ?$Wkgn>VnvT^Sr4bc_7h zVPI(JU)DkJ`+<{JUv(NPe<1{piaIn|j~2dM)U^o5;!otwOC)|0++d-DgLgDFH3bC) z)goNJvQpaG+7?M_G6ngQCE{xCm&y&pxg}3C1p&~)$|_DgOu%WCouB_N!RwTfv1o>j z(3z#H3opd{@!^q?8m~#{7iUhNmdtd@$L+4J+Wou$>mL&%<2mN0D_5@g`S~r5Ky>4D z^UBX(0gLB$I#-)(Ctou*51GbKwGPtPrQ5kL!x=96N#KAXks)Bzxb1iE-d&F>Qv+G) z@9qvQq>z@D4$3;rxe<-AR8>=B@=dzPpRekoeQ5KZf>@Fhsdpv8qZ`PmEF&w+=;i-? z3@RM57Siv%WjIoYk-%%-i!-n6`#$)3Z9)gx>zKQXTOtz^6UuAV!@Ya<_%-_9wF(BK}+c+=o z-@pGEWlhDa2XPFkMMbxnf>L{ZsN&9(cm~oR)hc-8Mzs%gy9m+aw-AG!EM;Ze;NCTR z=b^d2xgMJNM*HyA))wggq3Odk@V=y~rU?iLOvqv_1Bm(w+`Moh4m!sLKECd*uCD58 z30>WRy1G~CUOvAKxU8|v;BdLf#f(9wV_|s+U2uJUz0M5bReRHff|3%;J)|C{0yKA` z3^E!`_4RWh^AQshCq8!+i6u9lj;yV&KD$DwKHYgHwt?(pFYnT`R+5W0l=^S6TP^N#vrIJb9O)^ywmS;JAH1ebR_YoDk|NXk=*tMxf8AGW}XigFz@ z&vWF+kvcm{FM@T|($aFTMR&I->-6NrMDl#=aqmhv>+GRL3c)>sN~3>lQ~hSP!_tGG zn+wJlT)PhWm6mQ{;8l*Wg|Oe<+1h+vF;Im`HL}UT)U*W6T$GFAt@UYU^~`YKs-o>1 zSD4>q9IcRIULl?4%FEC9_4HKayLt9`D(Ug^yEfc4-_g%lZo4p&m27Is% z-&~&c4%+jAy8Fw+esuDL1IlZb9~uBa7%{#6`SWLQ-dzO9@86FMl?yqPPTb3WcZlho zqG>$wQEG?|9$kkHA2yhI6BQ*d*9vwN4XMOWkF5H_^ns8)Xo*N@(^p`T_x1Lo1n=cI zbDsfnUiGrE0bx)SH8kGUhR}1X-KMw6alFLBf{KJDN4;OtOXGt{3|`?ST;WuS`Obfr?Jo^IUM>UPM*?GU0 zj`w!0Sw^0)oW@csTIyDuQuV2rh_ouJP=ySOzi0WRJhL-Nx=33pF)$FQbBuW!IrSD-zBh_@BlmUq5=}*Tlrxztduz z5zS3=j2-!2^G8_pt;Oj_&kQn}g!uU#4|y8iZc$bD=a_dT?8&1~Sm$5lh`l__dPczX z*vVa0>%5EQB6WskYl_yxie=A<#3*GFiGAMGN6E>_ouHFZ=&x#RZSCz1Kka8Z-f*Vl zH@gi|SfO(Ln`arVumiTVaPt{^#kx1$`Gw3lIQaS1R|W=#JDWEG^i;|#Dryo%D0rj0 zIy>_Rwk3|pOwG=|th()#*(IL-0jOP4NjhWrBiyLj)BeYM&-Uwo)GQYwQK%wPC>!D5Dr~+ zb@9@pRB<$tw+l}p#tPI)&&^5c7~D1z*o(xF{8V_)dS`dH6uo223lER9u*_rB)D7u{ z1pN|?-Uk<>^vb5w9-aCc%gT+MaQyfe7Dp!-uOM4OhEmp$jmUzcg zlbM;BqQfcx$~vIL(60O=jKM}^xZdaG*$4|i$;z5L7HmU9$5;5!{f4HZF0#wx$5%>z zT*-1DIJ6mgPbo@~)Id+KbxU*ih`a2uNg_nwrh{p{H@4-euT1?%hAcW_a@JJcSie6VRdSZhcw;15~)E#lsrEMl*GeCi=*le6h) zDJUqYsHi9?2pjH-gEJWoK;83x0!Y~#o~qV1T@zkftlNL8XhQbfJw=c%9zVuF5?=7! z@IQViCgz?wm3Xr-DS3NKrbhHe8#XrTALOH1-`u_P`lCneCz2tFH0k=wlxwYX#nNyU zmN9xUv9ZzMtLElxyw_j!x-Cj*9pd|QN((sQ0NaBbpN#95E)3<>kj8_J?0CvJ}p>vv9Dtzer2l3WapE+FQ~}|&j)`u z?=AT95LAocU+Hy?RbaTbwW{~?`z8=Cq>=Sw^3Svy(m`fYQ>E}=i6yI_K-y!0mqKU9xdTJG`u{8@M`h7G(3_;gY41M@S{ z7=`;JCl5y`Fog4386sDlh$8GzSzLUxgN*l2;-^oa3JY)bDV@8m+pgmgTwkq>7$sZA zj)hT)s@^s{tdu^X8w<399zJUx2xqUi;i;<mwo){5TWgmJ3pqd> zm+ld?j7B*b(+wm`ii;-%dwP1(($X;NAxUis9nQ~L-Tji5r1ufIlR2n7k(QL)kLMog zrLegRpFMlBfti)n@Pprx?$tjdHBki1Pf(nVR*V96XbG{h5_%R8ny4KjZ&|kU7AXeE zSW90ynzOpP`sSeXKk{5g02o>;&$I&F@0yy{3&=@JD|Zrw2M1qWlu`xVaB*>wlBxyY z$IMsz8Miez`}OMk@ag#kDs)zK^z=xxp3ERCDtUPSLWfo#7ElAp&+0zVZ0Ciava+uw zKX#a`yg0NT3B`r#RF}sn{{(;_bg>+sZ4x zd)?~Pbrck^(O6n&d1VDWn{LJ0%1V!V0N46zqB=>U!h+*a)KGyq&+C-`49rfl!5fAL z$vj0uS@zywZ0B+>tu6xSHM)_Mn8+KLmTA%tR~gWuU{H#_2}b?n?>^3Nbx>GX%n;<-fd5n z(Ntql;jmU~LUH5-R<7mmlA|g>~9Epsi<~($#w%yaq>-_jv z8pu!()AVH}Sc74ec0xOMl<3vFcc+4;8{fZ;h8jB$tr6-WHO33f8|n~PBj9=N$B##x zcaS@nUYoDW`S3v_N)J6zCntf^_3*9-UA|vMpiGW{>T|t?3m`h2A?f+~`FVMlnVGTq zLmL}*vLT_^9d3nPH4LaqU%X8NOieXal z^!ARsimxqWljp?5#L&=PGqWws8j^T=I?D%=I}qPYI#|YT)<^IMQ)RV4$(d+6H`WI) zO30fx3d(pMSF7RaweMo`@^eU$`tECx?x30=_j!xNqNK9vmO8!6dP&%>QIlqkwF$ix zlFnk#Qoc>N_)Gg*t?1^_4Pig=h8AWOD)F^oT21e8H5q2yu6&7cQ9TuAh5z6vjExB#p>dc z3ByWYM#cUhgn|7Dr{gd(WPf zy5TX@{GvD{Jzh>Lg^EWU_d6f;Uf9K#_?VD_t|0|o4v~2q5>oRJE8Ir7!ZJN0qsDJP zGN``Iqb8&oG;PQsQOPN(U%?hDKxT_WKBpM6HDnC;-P!VXcZG^D4_BFGmh5Z#=kV(DwS{r>?p)8yjn74CNnpV#!R}KkJ-tY{ z53o@-)zKJQ9IRvQzcWaA%Yz}G*JHy{pwJ7b_m>h2REsLR^%>z z!n>04%0q>&va5@)v(EJ^Bl;Y%dlkKaifms$KSddtI!Hx@Rq0-p!#{p#*rY^35Wc6U z7oy6TS6x%%8MHg&?8g6k0kpLB-nhB#nC{VoKWwv~4KyUzglE>zjau0|_!!Y4nnRmA z+cg4`h?~1*6A9I&uCbA3QRxXS_u&S!6SZ)LpACsxEF$X8-2e2&UHiYv0e9L>vuNXk=5~*z< zyfTxM-_+>S(b0h}gEwMPGSTNB5(O#q^_7>Dl)QWQE{+EcSW`31)6)~It)!$RI5^nD z!=va`#i1Al9yocRe?sm?;)9yp->(DcCokU!h!JqG;ZVTw(ubJ$ewV+deBuEj=Z){* zM_(d>$Krg5w=qu>?+U&Kr4KLE#G5ytm6l#Bp?11|pTU-^nDfMmfFD18pu_j;*Dv@Q zii-H4oZc5F8%paQ(b-M%H`9N zX-nSMKe>-kpPt~zv)jMpGy8FdqmO6~s~9p~JUCe;;|WY4T`e0lYRQ|X54rck@1i@a zi_6P|ZP0ah*3omg8(~iL`$vV~9wOgNu)`PyhO_UlNRo>B9j%uA@SL}xmbG<=()P2_ zsr5b4e&|qgTxNQppe;irT#m00^}?2M|M@S+-0bY;4sPcsiU(InvFRV~lcut7-^47n zr|2W?o;u#XLiC7m3Zl(&eFvg;%mM_a7dL?aX8bOQS0_-fYX=-53LJ`rb!7)!Akp2} zErGIu9n>awN1zfw(bJ9~`yBW0@Q3!{c@bp#oVP42I7AfzW%LW77b7d#SSu0vviB+z z5wR=aaT6*GmoBNYhGXL#nz7ZFf9?>zS&&3TbSD}YoqU$W6B9d8c^FbPge+t^Br!1~ za;qmX|E_cwwnz!TK;S?G*N)ord1M#i&JK~boFF_FgNSJEe;&_4)c;@CN-?_k|K74A z{-39C{QmEQEd~jX;~=~~|MxK%Pi+6k(DHu{)ZDtXpGe@|ZB0#netulm(&BodGpZgu zz6%QrloS-`v_NXX8r0I(#x7rO&ZGlG#qFriKYrZD%g``!+G+>UAR|r|s>DDFDkv)< z5zSEB)nyOgB$n6I6S}3Xw6yoUG8Sq# z|CpPxnVAbR6VGFI)X&S8^FDl_5OOI-Zv~4pFK_8(1a%aoKThAP4}Y*@8`+u2LjrrT zlT=EakyI4f`2qITA>kJZUOeM~K8b~e1=0qD*)VURb2cM}tfi-|ed*-b2e zB@!bXouFaxqEj@x30V1tP$^KXQz=_727j-)piBy5w-DbhvKKe}LPAc{&S!{uJ|=5wf@+6wFkyYvwzsR&l7Q;dxh+sG+E6v9W6LQxmg5*pZE9QpcCV zoljfaTjpOjedTHiHijbE27meE?Rl>Y@czmxKO2MtU@D7ZH96 zXluV7{*DqenxEk9{rz8y;_^j${1h$mom|4YXWI9o{K=Ci&?G9lxbYChU$unn+x_7B%ZWr zy{4zjFa_ZR@U$Ss0*u(9(%IV|PR@xfDG@|#2qqKYw1k98D8>E#*Vx(FX=%Sgji`8* zEUnzr+L~j(U>LL=xDkK|+J>7ph6W8}0;acrfRXPF@kXv0z}6u{rfuxSLUeKq%v{GU z^}~EY*pq=7EE)yb`SRrp#P+{O`T6+%v)conp0LnR%s${2VLt}&D1i_*!IdFdU=5+Eh*}D)h=74qKs7ydNKQ{r z&&*QU5^FHuf4DQ6ps& zp4Bj#1J++x=Xmg-H|Xg5Ev@r@Z^VD(7#-cTQ3pT*7=W}1;Qdc1LxT?wYZ#rK&0Je~ z05k~?0G=#?b_CghJ8r}yAjU}Ry@ zk0ter1=@07+1RQ8N(;0BU4@Bd_*h0Sn{jq-h4@I`>C0}H0_uE)ucI+0`UW!n+_ zTH_6>rF(IJYT<>ujukB*GQS>^)~V3!ZZ)&B($B@&%AadTUWG8ET` zP-y>@akusNyMU38j_S`>#4@Df6CXaz!*he>2q^y!?a(LXgx1Sk*>+@|Q4Swa&C~Z(p_U7312S&F3sgUJq;PEngoA7ND_c(=P=mfWD3>a=KAaaI z)6E;T#XxPa7QEYY_dae400LqGfHNA&VD|}@<~7Lp)rJ(W-H*=ayT>vFd6MrKXniNI1}21@Rf|MiX&2CgWu0Ab+?e<>@IN} z85tR~?Jml(Y=!hIOK^n)PQ4ya$g2xMazI=J-3i?*)Iq)pgi%Wq%%j0)^ zPRY-f;Trv}?+I}VNq_)_ojkmjqc4jL^clRSCMP9jWP0;VPMVDE_KKyGc_%FP3gXI7 zo;1{r++1!$E&&0pLL-?Ng>XSff`dMtkNG=ND)t&&*DbkuE=UUhvVbo_4L{xRe|flD;#3)M!Di{Z*9ec1@;&1H8eLjH!uLILAq)D)zsO!f=R(+ zn9g6j7Rj28(ag(3BGcP^hiK?4vN6FfRHki3BseWCs$2K&-=CQLf7pBTXe|5pZS+nh zl~N)qQ6h!RGodnMDznH;nL;T<#x$5BWKO2Ym^t%MGKWf(xxthSWys7vuIKyxy=(3L z?zQ)R_j>nQd#(3-|MNU@yYBn?T%XT59OrQ!=T9pWlMe_&w6*2dJFw4A((DKt62%FD z$_J~G408woW|$g)ui&krn2O2+dp8vd)D8oVx|N7KJUt7Cgb1MvLa&mHX|0Thn za3(F0+#SL238;s4o?7ne?pC<48xNJfDMI$2^73yS6xUgBI`KxGmzR-v5U`=SG-hoE z2M5EHU*b%aKj-M|+(A$<042|(*~P@%{Otti9tvh==BP|oc&(x$ErVxyNUu;zyQ(pq zkb~`y){qCBH&DyFbqlo-I~1BuoUpXBOKs`x=|PLfEELsT-n-jiw-b*``S`J&@FR$v zk)z5mAI)q7{TJ~hVhQw$P%fCjQQ_eH%pF8V1Zxiie>^NiwEKiV2$#so4#;14{_Qpg zyt~KRyv~%nz=!_+!*q1=9!m6w4n4eoA4>;y6k$QZlov1fO(tQ;sHv$xv2J5pZVB}D zO%SJq{{x?<=?TBEh^*RBBd@Tq@NznuEchOyfs0WibEVt$;VYJ7fT99!#_Su0wXQk%$f;G%#Svnf?nR{pCdUshg@ zM*`6DTqGVRA%6ygBpDrj?i{Qk;=OmN)nFLc9>+mPh%YdY4TYlnw{Lk+4+9sLVhh>* zvufJfPT;AfK2TFrJ45vfsktlKc#tWNjb8&F2>@Tz*0vM=We&ss&C;^R!ww@_=ERlbxUIXt-{8vWqUX==F(}IXlV*T<619mMH;XS{y*jh=w3jW< z^iEkd8djPe$BrHQ*#MijT@x|_8ZY0W+q9JY@^cdC6 znKKW5W+znd163U17?Hnla?Y2_g(gWv@wlVZwH11~bEQ@c;}7uz$*s-bl>F%P z^gl<1hQ67Ic=}WVAa(fB*M9rh8jmxwvAqD0!_QBSS^)Uo_(!zo{!|J&hX~>9S+WA) zTxh@JCLrh)utWTi}LY0EvN{UyadIslaW*x)4E8o~9yD>&KN*k}nr1Y`#@MKtf~X1{?C9@0PT zSi9kh%HUio0)I32yRaI!1Y?BI7X!U4-bgN$ix;^$IVUc9F7LbP4THLyEBip4@ZIjG z|7JpQ$5(MT`U$|lV$-fM_Mu>b$QfxLYq=5XK1s>RO;^{es;VGUb7EsDw~7|97NW{n zL7Rxm$~AamV09qVEKeRcCE^{%m6a7KbSj%aIji;wzXcn+u5b=!8kpCkp_U;ZP~Y$j zLcT=7I`mCYMJKqI^T{@E_742LT^u$}X#A@ou)zDd$S~;L$8urLLC-nGX34#AAD@-)*0{t2;tQ?Md0wEd>1zG+SU?DChiv ztJ19vY6kBJe&d;hODLy)uCe#as-#WQ#e34cQVEm$;axKX;4a#+7r*=fsIgIHxce_s zq8R77ZJ=fq2@fxG*_?=Mj(4dCv+ebtiQhM1{^;1%qUnkX3!gkaCjO*Uz^8tPYSRr% z8d(4%`LBf0)-t8)&(NA8AvoCH9-Q6**B;V3NjdY#0hIv*?@yjaREU>{?S8N|?1FY! zT1$CCkS6;nZf*-9I?hW8NSW*`4jqa`?S>~7Hn{IpD-!f^@@kmyJrvJ8maX#d2|C|D z*jCJpfQ%zLuIWM>^q(E=8$liWsk?_g=Vi$1TloQ0VLJOYK%6vZd+zX@9VpB8Ib_`I zbf*%#dwbi#Xk9VC)VhDD?jkkC7640N?8OA9fH#0TvIW2z4M5woP(sxoWP3?D+cFt}lA>TyL)$8%uK?&!#?*9}yW@ASnXVuKi-iulAMY z<;MNr0eNV%%3*&MTxnEQWknU;!HRD9mU&+z$D^bZj{6?bn>&pDi;^D{2b$?SgHgmS zLc+opLb_&259YJS7Ay}YjoyAwgcryOQShW1qd2ze7c4QweQxG~siU(h4a}qb)o;I? zAH+Iru(V(Wo4A(%f(-(5>b%V>BDJx~zodKb{{2eym(%~*$`fP4ciK{M_Qt4>-7<5- zFB?A1808PW{rw;dH=dyw8rr7fF%FzrgnD{66Q6WOc6RuA7IVSO;^Ih#g%pYJSIl$E zsxQ%PjutJ>%(Q{gh+!(l1Fx)%%d*y>p#_sN(60<>^qo86y1W@_X-91Mn+=rV>dadw zU==>Bx}ESpXu0BQU~qW$%ZCqngOnLrH}nyWF`VjKd-?PPwI94*)O}rDzgG|Ev+2k5 zX&ldw{8{Y=YL<7sA=}s3;5b3XJq(44MPU}3La(CDd8=oU?w+! z-H#nPwOh4VyT-4gR%D)VcDI{OF^!l)nEL}C+(vvn6Mw`>SgS0BCy|l-f;`A$g2MMd zq_uG;?_zjxc$vWa&rGgnRA_a9r;rVR4)YeI8*K14NVh7hpf^|PU?s|yAZE&_MY z-mv#HHTTUE5BPrj&5z8LpLl+J@E$;|D(7iN(b^1n3}n=x#e?z1LhS;>x3mOU*iZ0# z#f=g`_qF!^yXVaWd-CM=ggDx$#4L!6&{7IJJlAk_6)XLE zQ1pNqs_V_VJLJf1Zc}pzeKo8qFlx4~K`6$sSN>H2J5`B}WWvbOeE|t3JM)B;rfn>H zC>jmvrV2Wrzmyx`%o1CmsHXK9`G;#JG9b$VBumAWT7yuGRK@`q!_P*4EPq&d>$7i2j!h<=<(66Pu}a?(ATZ+2+;2 z7{lSkjgSB(t9_Yim%luFn-P|mK|q7bM)w>dGCYEXLXpKs9d`m46b@-SI)~Dy3=6V< z*#mhTs(?P7%4`jH8wD*DW@Fo}>)~c8fCHk;%aKAF=9z9iyjfFAi}zeMjG@-07bs30Nb7GzscBE(Rm#a6?WG z?GgkRlDY}5qNQ0}d8&RiQgr5$ZUth^lE{GYmf;wE$Fqq%Ky?HJ3IVG?i#9h`by!^! z9B~AdU-GXgRV#Eh1z$G!zMn*I3nV!hAuHc@xu%$>Vp+WWS@qYDRvcG7+K`i(tj}?f z7d8|%-gn~;@C>&S)U~wgls9)S5^48w~9=J4FL?yy46K^~r{e+d#`w_%4} zNUhFHOH=J0Ji9y_zp*;+`FJULld%BGWfEtvob-9}EuphdO>)A7=2|abz71ImDqr=0z!7$9>blyilD71?>L7wv1Lyx@r zcY(hz^D5sv`wgWCi`JOBCt#$7R;mX#v@je;C1_}jduB!>Jt4t(Y~xc~n;pmk=G*(l zo6j8CL$R?rGnGWz<-Oy#Z*VZxl8-CUmY_Hy9TgJd`20h+=nJ}Pf|BzNTFO7eK`wo1 zggbF`6rAmt0%tkowbLRR#r{DG9$kkhMRRQ#klaQ$5~L+Z7*7)l!-N6}x-<}WWKC@i z1-KoiQw9cGTAFW`nXHV=^+1-RbOGm;lzuF7)5t=^WR+NM6tUFR)qzAl(OLY4ZUqrO zZBg*U8v3RXdjY8+kfW#N$yqO6i~>L$e+F_hdKr%?HCo0Ch1%C0DJ&`)9vuZ^f&kpW zz+sr}(T$GLJ<0H3<;w24Y&ZYQFFi(*!Lji5rUMBSUp2R z5Avv>c#wMz=$#F6LXQc{wrbokrF&O{7i?BPVoIa|Y_skF(9$oT3SvkFr|!`92cPWqnz;sU(BtfzOdl;4@I1B8r5HyN~_`jj>6A}s}c zh!`8D99Xd%G&{VjI?23`@bQIq135<59Xm%KGI{wRhNFYgAlNM2S-p2}%kccjNq>|f z0oJhPgds{A{<-bgk~ZZVq#l6y9l^vx7W6zdH6wG8on{B0G8nmLS8_fsx0q*F4@^%S z>sp!DmQRW0nBp3FahQxCa)mo2#$YOQq*dxedL%|XHT;!K zghE`Y3woRho^*@{94azn;DDEHs~)@t`e2sYJv2NVclu6*OU7VPQc)6sGZ@ywLPDr& z1IaBqd*$1P5Z<9Fwy5mr0fc>sp|1#mPP&(l4v@aWgcO8`dz9Fb2p+~M2iQcPS9ZI`lB2Daq{{|d%Tpd2^*~a zkZ%caAMLeyxCLo zjeVVTX-UcBr3AE(MIj*GF$+Tq;1-%6txuFefOE9d^Nh}VJPimOce&&KS+2;;tYH*# zLgUPEGN6r?vazzKfQ_mj8wTlpR4W<>pcm|%rHYR`Eb4G?VoKxTyX}VHgMgx?t$YHg z(CjS4sl-!djEv&N>CU6vg{bf6?w5#a92T-S)r_G+S;LK@1&RZMD1>M@pbCsNM23oQ z=j`Z+qI2H3C)i};R}ITbOHW_hVsYb$6vt}yLz>&r$-Ng{pX|btT6L`(V$A% z-ty5GRYf%B?ThEx9&=hkV!3rfl;R=wiNg>@LAvS*kqixVbZ}SBQ7 zu*VGbnaN38YiojaVqnl3lfejb@KwS0PtUWsLi_`If1bR8Lau+rQHnvWu2i2Z8qMmcELz;1AB*euY`s{_p3 zwT}NszY`0;u@-wch77!bqYbKu^_6_@EEfP<3>ab_)|5{dzU96T!00~3ug3(e+Cr6?@oqUXD}s4pSX`We zhDNdiJryY!Gf8U15e6grLXE-PLj!!kPrE4mAamm9_bsgeGX`?AvmXhL#|YXF^z{)0 zu|A(3c{#Yv?vS&`9!gn-jAT~;CpOA8K2!bcEd=DQf+q#B)WgyDh<-bRgFa(pmf@W$ z`@_APv3r--&Us7cLOau2TKdAp&?a*PALV79g}~3wP&t91#&X8G;a}#H0Xoo?x;nBPXq4*jWBV8(v2;r*-6qS zV|2eY&Yy3D#zM>Kfu`55j|vI>vxA4#5n(p&j~NaV!>XG5UrL#xvXao} zoAz|~?YGd;+D9nA0XY^-SJ$AqVrn`Avk7)+X!-o7?(QYf-Gcr7Kbo6|pxM^OUBT1S zGyInc$G#o+K`X?l2GiEstH8XC5a&aHNWd+6JPbd_?d~BSplTzhcA~vgDC8N;sfwJ1_`0w;o%g!hu8;%m{`n~G`Ls$ia+EFDHqf} zp)iZv&S;98LQ&_!4%B`}+a7E~yb1dI3#3>JxLa*4EregNK46ogqza50^%9&%RA*4B z-1V6@@n$R-S{7HXfF+A00$u@b9T1ujTCj*p_Uit)Jrr9|%{L#sfW{J=1NXj}!G6H= zpk47r9zOJQ1z#%&lf-}unB1T9b?D_p3WeeX@=O#jp2o$2?*c*U*@(dS4ZO@_MMwKPdIPQe~5Qf?skYNA@PR~ z0yPiT8WADLIrzAP13UHHqT!kF|A=_oT3V8;@BgdnkJ8nPnS)La4z5H&0`Sekl!2ej z$M^5Se-OLzT}GwLm1z?^rsr};ynjFdh8~OwjM2z;gR)Utip(XwWg(mTW;!BPLNS;n z6dwz-`cJcG3s7s=7aYy&+%t{n+Cm`=!`LirtgVp^qDv_28xvX04;5*yPdu(^`YXYl z&zbmHcig|rc~n>n4ZvB{U0HS{N3_loeI8edfg9SQjawMaV1VBJz%HZ|;Mq(M510r2 z-K+dULfZY!8Kh(obeJngsCc8aoA?oQ*66qL~ zne?XHC}cd$VhvRGxJ0^Lar*Y}BWSWlgo=b3HUTbID{|`lx7vs1lFslU&sYv_^7^nH z=U%L_odUGSKo{Vhl@JK$ zdt20ZkrF6zg)+q9e=$9Po}QkkMVt>f@LhH?5@p=K=yoV5oVQm@`3MKu3nQ?+3@Q$Y z9S9W&*+4{Np0o@M1Ovw4DL1KR16thDkz@09;mJ?H=mYW5;OSnH!~;O$C;d%LY5(cL zZLCw!ML!TS;9!Q=q=d_hyUE_Cym@nW_zh&KxG&`z4_zcDG3tPdf$#_j5g3!{FJF#) z>8P*2`saHcwjJOO>CxYUTN0G8F|h|h8G!+v%W%T)`U0#slPE6$9g2@PLfuJCEkuSn zG4c(@Wx$~VBbu|00_F6)0wqbpdn=O`o#|_Ng0-i*eWzp)rE=%L=zah52!H?6n1lbh z5b>D)ui2IVS)>2|uhHBsce3A>=*~h#7|u))qZp8=-f|biSO4w1*G~rEKe%P68{t(Z zdHD7gw32!V2nZlJ*@i&2V;*vUq?+VxWMnXq2nteAJA|BLHQEFW;`jbO2mmP(SQ|KR zGAHrY1X<8kh)FYW@{aDzH8x{vn~K`vr7(Sm46I+gL*g0Y0R7@IawUHV6E#quJ`^zv+PmsqFx-tb z7a`nC5M4u2;74eb*1G|q9<0k_O5lhg+LqEE-G+@nNPLmN9mt&tMQYvq&;|zD=RMPg z&L?*$i#3LVg$gZbOZs*yh~HHo#k@=UQ@epM0WQpc+u1n}MKZHVtZ4YYJsZfBC&$KA zT`q0j>;nQOh*^le(TWFT791eN+XfIK#zeO3*RQ`{r6d}P0b_uU0Dfj6!WD=e6&BLa z(Zz!k1}qJsV+<3H6Qko@)cXwLeRk*aIkMAz434ID{YlDy>Xx9)6bk{;9%39Ui7+~1@|^L+4r$H%QxhoGsxGjo=p)qu07;ZlPoA;$9{kQiV80rRz+ zLF6}d%+dpHTEc4e7Td@3UD?qf38FDE%@H(>21yvVWk?7U6*YtS`>E9X_CfN+tEPuV zjYd}Th;S42$XE7EljH)s2aL2NFEy59$9{laZH{giR?$odQT;&>$m$H4C^yjUH5n%f z5p>LJ6D8=9gs1_AULYbvpr6(|3YA$gml+mkFbbad_|#&g*%}1jeC}W@&TR>zse#@= z61x>GNcrYKT2YFf`#~snLs`e|FFqCgl;#Fv9G;QuPu5+BmQc65@JzzW-2D0KC-e?f z!k|KE$A&@B~8Q%(NGKY2?uP)!!cl2fE=s5xbhZaxm+ zUwC*YsKBfy~+xv zrr&`l>TdiY^m{>;ZOlnU_Rq%3YPIgV$!nBH{=TTlNE*-F@*w;Pqc~1eIXd7v!jJBu zAOMA~gd7|Qbl}m*LPym*P#s_=j$UbCAZ3>wI4`$Qc;z-QH8-Dwr0`>Y!+#i$cr*69 z?2;6?n4XZ80_u-S0a&zvtBzT0Aek`RPS_30C!wJZz%x-%+xn5;cmT zzP>8=I|S+64is|e{}8iF`!>v`+iHi>#_KlX6|YkJ9eqo&>Fz|V(HV*)3LT+vFW(ts zl6P!c8YeRyw=Y%jjuMF@>_>c?JvK4*?WyeJI6`*!`^*nT7U?7TtkTR|sHx9V*Iz66 zG#xyZvFz5SZqUykCdohRk#Y*{3K!zC8w&S96{OwDGhTaJ!egT(ZUepZkR ziTPWe9~IaRU$5CzK9R2^|8QgD8Pxt)FwevTqc&cV&uu0>V8X&m@9P`fS_S<}kNHfa zd8uI(XiNTD<^Y6Q#mU8vs2p5sg9t+dqeiN7Uf1fFyp$`Z`Wd*-cdiYdBpuP~Ti!~t ze4}yk^c4f@ZrkF1awj?vl$X$E;DR}a44962*|w+?<4wQqe!c`OT{2gEE9os^HQqmk zD4%{6Mp>Ry(kA4z(6BMu-ZkC2sLo(9)^;r1ZMjR^;jM&{pLkExQ+BSkXYM7C9cw;%4zp$l<4EQ z|7-e|O00H%C&n|0fGJpNjwS}ePXO|L#tm^S5$JwjX?}?jqhB$r%vNxkdFl`WXafK+al1R1Wu%>~x960an1hEch86Y12i~q<7(A~xvc~A|-o4jrMTiAbp zF?o2nCl2evbN3pK>|`5R63XAf3)q49e-erQ%wOzxCyPxVFa@CjoPyqe-mLESbu-f! z5OI6sb`tB#_>j?c3}TCeQ~DTEzV{p27VVw)?>R?d&lZ- z$;GeO2ZjBmcqFymunPpt{7Rh8m&SX?-8Sd}PJ1krPqyKk(LW<(?}$Ozr|eyn%K7h} z-l`bDC_U_%54pmwYz@eatPIgW@hREqHLb ztN4|;IPx%xSTxQyK-5@6n*xV@AIwy;~aK|a0=lEwJaxCi=?|L=F3SWnz0N?xm&SK`>$#^)77pZDw5 zsGd!@s|b!PG7dnS#8#JXk%P>z>)cpS(C)kY1!S-g_&sW)Ajsj%<5>>@hQkX?f9G4b zK>beb?>_U1LQ|EHw!!OP4@G72!XtDbIaqByN|`FZM-A~gy#!(i#Ops^I@|;IG{>ny zryMP=qz46nRG~Lf{IBP?N|2mt$lrrqg4dM(5jpI%vB}9Ra}p%d7akzP*m7@uv2C7y z!O|U424;Uu>npRW_qIrM3)eh&`>)OUH5iZo%VUwhUIG6L9$j~%U62|-LQ;@9Lp;>~ zF)K!F6_OW*txq$d5DvD*D2SmF7?1-WuM2>M*t?kZ2+M2-X|8tfZHyvTAD=r}+@u%# z5y)>>@uz-ulCJ9aeIk;veMdzKGzUVyCj>n`sNKvGQ=&kTo>zl4hgLC8ucX;KC=E!i z{k$0O)MJH&$6Y*sJEDE&8-8;|<|Fj5d}(Z{x>shQdv76ouXXv>Z@0EX5cHnVy(%<=>uP2|l}H(4l>bd1jf26ftFV)Lsfh@QCQ6J_=8bh`cbM9G&-F;6$Ta zy%1vWL=lk~u!5!2NhAy8J+9J$UDD^du?FnpH&&(;6uMKdzL-KYzW++3!EVu^$Ao7< zSI~|5=TH=J2hxFoSu2P{4D-#Kj>lfh$EK?MWiX9U%V#$NIT#Ra|mjX ztTAX7#HvCQn0W60o*oRXR*FX-n@%HyB0dBpH;>X>aBRVIBI;gTKt2yUeffqX8 zLW~kZi;RPUy?sv65`VkIO>9%NkX0z&B|aA>f!MeB{DN=IgDV3IXx-4LYNPV_?Slw@ z8e!_3$1+Cy4Bd>!RC=Vg#H|rCI$=RvJ7NchJX||egx4B8SLN%T+f^-HHG4;7K8~~` z-vh+iYeo8JbE+F*cc%UNtK!N@Tl+hgn|4^mcp&n7mGlIW{vR+)(Z-xjG`YhUZxD_d z@qCmgCY|=!yZ^e3(Aj3`5cjWU2mumpAgf0gnF-a^!Kk}7wF?D@jWgla2PmkV$5yNIFcjGa4Q%J&3@HGjG!6> zPJ=ePLQs>5(NXn>>{l^+`AN=ojB#Z`Mn=qDHZ+9T#v$Z1(!IpYwV6p2tDO-=ZBq6G zOF(<*H}SAA&Y^XXFcHM0X@FG3vvT`J*ixhuHxR{gDU|L{c?wHuw9@k#5Q6IEMT|E4 zLkuK)%O;s;-N_#PkO)lpBOV%SPnC&*SCI2e#ts@Ijc zTre&1O5gY6MK}z^AaFj#bmTFM%{o;M7=JXX1fcIWEL%9u9$1cl_H~F3V<0c_?Y9Z7 zK`EyE;lxXvg#(y68Bnfr zuE(zlv_x0Bl|$qDiTNEozz}=zH?{KlNC}lCNn|8jvwq#11mTj zIwM^-gJXpNPuNXjCn@0+0>cE`tk@@5+AokQ$gS119%+laLs)if(k>JCmS(D{7Vcdb zvGqnTA9^&!5s&<(%JoelhD^AAHee2xu^9EPR%KA-wuCK|i%m)Ol?$+)2Lg2A)zWXf znksYNtyn(k3bl@yZ!sfz-3I0?-CM%j1k=1Q?yZOs433VbNbMfenS%u&;l6xp+Ux)x z&nh+%0TB%1>k!dChO;>VkWsl>EjxAE40mOBDjf;;C8hOQsg0XJ9HuTJ4GbYX^Q&%9 z+#p9h1Jg08M2tKH{9W~ZUq?>KcYmanCp^Ug$r3)9PqlO`DIn{_a5B@{7@O2m6Jc}# z2G|}bw-1aKxsg;f1k+`8DqTgW`>ozg`bBqZWEi%m1WD4Gi=EuKeSpZwjn8mFXggwc zt&bWkG^v&D_MuQJxaXPW8p1KcRWAX*C&e@Ff$4aJCwR(_4teX8YCP^oWc-9iCsi^^bIvkZp|HNdW$%W`DFj;t=+|R~!};o&V~J^aqbu^D1z4u4Ps0x)Ts|mMiy;ljuF5=?| zvx<Opk2l$gN3a@mhG{O?FvI{EDrE(B0%=FsAzeCziNY&{r$ikDO^hYK z;R2p00gQM^kY`zel_a=PDnW~%aG_Y^`u?9r>obw|m>E_d1(|nZI4=xhc0~XsY0n|@ zj?L1sXyy1x>>8Nf9*8JJZeZrWf2(JnB zqq(;hMq%lZz1t5Trd8v~Ghx6wn~BJe_`pM7&xA#=C~%d0z3a1E>^v9YSBQ!MfsyoH zD`>^8B3vXf2CR$fE)ffBOArm87@Bz)Fx^rpq96xEVg#}%wfLF}Dl{p@#m)#}2+#gV zc;Ey#gDt)W;Sj$*p(62+2xGAJ7ZJzCQv3!wgzF)tGVW0Zb(zqI4a6`uV$5-Q1r#4Y zX+w|nBseq}AKO_Yc_lxIh)M9!GfQTG zS^mK?ADN>e!kt<1!KDjz&*5Z$BVNc)&mbpVyG>ZM063;4BLBgJ9nNhAw~1MM@F7v4 zd$CFW@e6H8tia6KJU32D1JID0HJi3wL*SxC{glV#4gBnKce@9{1zJT!EQV%w_(0TsT;L2` zH&zBc;RMQqjrwW^W}hvr{w=O{M+uBzM7JSYhd0(kv<@ia70Ajs4^s$=QQNuGa(O_V zH=Q^`h$)u9(U*W44?4@abn~AlC!4jLD()lfGad{=@wdw#cu3NPp)(EFcIgZ-tv%Uk zGrJTjpfXIo)P(^i?RpNF6nf3eVHb_f96OTwgzNSzJa>I!6M!>`MKjs-X%rwI9pulZ_!bpH2jw|8}O> z%P5ou3LsX_TzFE~g@7Hw)j5rlg)pn0d5;f4Xx@U5p2S0s`ZY0q7@!VPx)c0(r*P#@ zl|E6RL*(!AS@>m3<)IS|n@$`|>)#9w3UrO)6`N`mlRDW(0}RPEl!bt`an&VvHO(_X zuR>W6{eAt2OW<4DVca8$wC6BfAYOnS@!kJ#evEm{qEKGI!@MVraz`0A?ttR8_u!HL z?l05*16*;fF}B?&GmoiS?Tw?vPrGis|HAiw{H$=kwNlN7E0RF|OoD6cUjKLdkk7Z| zDT?Ymfj4r6)BYR0oFdv<-}<&2SFNRfc;DyIe*>+^4}ajt*W#(&G(aw$kbm@jIBv=- z^;V(y=DiA`EGivcLWL295xeo1-$xl&ScAM3U08nj6AR)swkK^aQuz1eMV4LoDUtcs zr-nr1jlF4$y6%~Og^VucjeaLrtFYi6+6z`dr9l2&7X7Se#QpOv+^&PBs z`TX2=xDu@;#!*(2r1mm}ZNnu=AH~ED5R0X`cI0tw-8xZh#!AQSb^WE&60Cf(JK{w; z{vl9+Ha_8Fyb{N;zxnSdpvu2tN^3K#H+@6nP+ldzq48~w?Mhk0YZ6Boni|6TmOG7( zl`ar}C#|)6LqujmiYz>1F`OL#V(fENRgK;71;>)s1iSD_JZ5A16H>o9JiSWFcRvh@ z2oaY{Df3U(tvIGNb{+4pRaP)p|I;1Bz^u)il#@pJ=}Rg*-9><$%LRDIq_+v*&csRZ znX|Zi298Om=&t?b0JU&))IR*KaO*b5LzLeB*(L&}{YGO0mSaW8CC@bT;CDh%7s5`bQdcqG@AuF&6@2=cMx2XGZQ>R%NLJOtB^%r2Z>RKAko-W)Oi14mI zp24zt?W#Hbbfr9d3x&>@Xzi5I85z`dsnhELSnts_v{pD1jzQXuyyd zQ@CK!h*C9&%=Xq%CFP>p^JJlW$k3$e-ZCCA9Jh#CmO-`08hI=5JCa^LN?<_c3l)8- zcU+*5)jOARozieQ<22Tao?L z7cR>@oAK=)FB#Z*zp}Ctym`Hn>n0H7kjh6r(rZ%(W_UoL0aI|me~FQP^8Hzq&}L`R z`^KrqUEp|o;~t)PZl!m{WxXrrWOSK*KPw0V?kl~6Roz!(KXBvIdstOE;K3yk!2w<` zIJ?*0S6y;{O{G6|**nv3UbzpXQ&d^CZ;WQjaPBe-@41CK8R4d{#@fF6Aa`ij*(Kcc zS7L}EE>Z35}5tXS!U&+b(^q5X4op#SO6QB@nias@00<@SMdkq?Ruv<{emoG5ht zs~RMo@}7t6q^@1IDlgxGFD0^E0{YZ=I>4sQE5>=lCv4_=O3{(#J)k>yealQg=3&38%1dEYqBmw+>!!`w)+m!;YIFO~ zb2mW^(OZAyIJI8Bygj|h-lY7@!6hGSa_(%nPYMQeNT;mY&gVXt;6J5*^*|nlW{m0@ zdG2_muC*S8j$WhN(heCuL@(rPQah}LRC!xvI1`Hpq8}VMx1EeO*ndGcypJ@})>vLW z^NE~C^5@1QL${kSB&s^BXHRU`RF*OgeIV@4E0ChQg?;U#X4dz%+sQ;_sqkt7S@?SU z6LWIfy=em3=DGgDM|hcO^6WO>l$vRyzY81gwS#@&X6Lo6(Duk}EUaofwmF0sHTs#)sV*uEBh_)z&3kUSlKy#ZQgJ1Q;PP~ExPg_ zC2Wn2YHj!fdnGPzUns)?@81A$fKQJ zVzP83q9;(8=49zhQ}(w<-3Z_3tM2hzgSW==uVK!nrb95}T18FKb!mv{p2UeoxYJ>Zav>@k^>K5*1lYkpeFKUwLVOSclF>8gvTF`>y>i!gs2@s39+s zU3aw8`Smw#8wyQ5%{Av5Y{S5g#LU1SSOjTWpBrXhys{|$q*EMK)~?==G7G)B4O|RT z;PuUdjUKrjG8Ep5)dDMS;i1>-^j>_ko?0IEwZNDB&66v?;UnC5??g&Gh30bReTy^N z+jW$~oISPrKyIy}C^mWNe|@ae6J9T&+vZ5NZC$?+u1h;Fb>WDll{i_r_osH>l>4@o z|8RPB*F+P(8(-r=bms3b>>PgWa%~DV?(=oW%bnb5ccriFDdKUfQ#l&XW{LY6tKLL; z%2%D7*1P%ZxMvn~So7$1JzPAa_cv9kJmMb8vey(mi>COeYquGEY|n3DKcwkdkCRPG zFrZKqk{}BgvYc#qjh}P9_r@3Q^;Q($n}?rdd>2{Bx3H^Suco}mg`W?RnpwX)T#lz!xUi#qK2aTVo{iZh$T<30AyM}F4oxcneMeIuci zQR`Jf{+jj|rRwpD^VN0xxs@EGm)&mrM7-Mlyd!v5(%39%PvmZX*VQp$+n&6pUNPbR zpDG&lfd?fYF4QKnWV&igPpNbc^=)5`E)C6@nw+EIQR@7z9L)jK zl#!Lo9anDAiO+Z4V&a<7KlyNN`OWQpA5Utoj8iJ_CmApHxF=5z@Owlq*jDt`Ckrj? zoUr{bE`YVO;WEd+!^*D8ioZo0?!)cX1~bJ@7F$fbH-G;ce(%h7W0@VaZOd%k3ah{W zScGSVYsu8sB_6&csBO}5hQc`Ja^Lq4uKPB<``T4%@#=$JwwQfxL2BlUvl59_Mq1Qb z4HwDNMGV|MlQ{!c0fx)LLEA%49P6NUyk& zR8;15agF;_F;Z2h#NS&z)+=bxX=U^i=CT*Lof#U=zAf_6EYpB|3J0Z%<~jCdh50Xa z&gMNiVmfQtKQraReFjEM1um}7>$GMFUzFBjmH*ysQ7~+qBG5H3DWRj+H@@(MAnSQ- zX=gfZwGn(#>^-H*IX>0sjT~8>s_VT42HZvB$1Fp|_E_DLO_{jVxN)XPCDZUk`ilfA z!&r8+ls-Wn!yQ))zSX7{>wQN=0eZ8qU7 zt&$f)pO!&K+E5SRu%l=4B?T~=vd#jP(Y`n)s8WaA!)~@@JdE6&$y!X{@16CfxBt4hdaxs(a z57XB4g}m(HGe0&GdOB&<%v$vg(yheiihfB+$fZ~_aqZ~tqvgM76+_)J)8YNiph*qp;Pox5*@ zKL1<2{1h~Zne;`AnRE}0Sf%`QUa|W!lO01GzTMY~=Of=mV?t&j>peBXVfj@&bnICK_bbEv&80;QJ*AfP5d}|&Ihm|lay;hSbT?e< zDG#3;@o&D{8Bi^=Ezs{*dpV4z!r*O@&c@>ZBFlS{hnZDByjjq)gpv!8`bn z`R4(lOZKl-VoS=tKM_{V9oaA3DPh;NZAAWHMmAGg_**IcbTyaE{Utxg({t7Ncyx5$ zeCFAfoHr?EZ<-LLCCBxWEEd6z9OF(&3q z1Pv<)ox1RA#KL=4V55kt0nfiwi?qhHkLye(zirFkFweVr zwI_XZ(Vfw2m2TZz^9$_UI9$e6v>#jhkq?Kb+-T-#OB=O#)yX)Kx$D`h4@F5CuNPCD zZpEgeqUg8|oLaE&5_>t)I6(6`HqKUDYVk`7^E< za_fF3hhL6Qz`>C4t~BDriWQ4#he#Rhs*>7accAjlR~5ydQfijk7g1U7@2e>gvsOg-5(~0;vNB7EnULecHZG>x-~H?*5yqzntnl54pHSQ!pzj=oEq>H54cV4^ae+)|T9 z>wuHo722{pj>`%{j*8DBb+Rmnlg`M+{cR42?8@MDY{_i7lq1opo$>3-=~fY!KgFpx zgjDN7jS?#U4n?Zmn!Wz9&bm%mTj<^km4KNHF{)c*M~d6lXeZN!|IDizu;tj0yxKc# z3|Cu!QGo^+PU$Uu<%;uXZo{(b+uZHJyiCJxH+F04t0@e1>$#JO#P8!?nJ95QRk!#u zjb1Q2=W6_6;rck&_BK6>gvr_W1G9DP?M@;7_v^Y%f1PXZ{xczvcSn|0(=fy=a~Ih# ztkig&r1;COmM}U67yl$`9_`dg=Aq1oFOz6A%G*x2j(k$JiYwoxt1rDbl9o*8k*2dl z49B#XU$cYm#^dmzIpM*`hARJ1?oS2-7sT@N<5?fi?=P<|txQ;DkH}%bk=PNT;wanl zU_rP%{By<2%JM73WE=}gUO+cFnXWpqV~-?NJtVi&y|wWp^O?Of7tbDQGj*Go zC~wAO>b`I`?^hdSQR^jVTq=8oX2p#aJnPe*jPx~mGPk7&zkFbQca5dOJBL4fq{8G5 z>-ylIU4Ml$*)!*bFaG5S=PhiO4pPf=y1X2hJ$LGwX0EiXPG6`+2FdH9eUC7^!hopV zij&22?=LxN&yTP5XHpRsPhDNPu5w!L=}_y7<7yj$A#4@_!VcC(I=pSVcYYx}>GF2^S7#`?6zj1Oj-fh+YcTQk_AUcaXgcT4bNfYzc@ z*7!d6)GA%~P&$LrvyQfdboD3CNGBXOmpxQ;WO_@+0DUqUNo84QuxDfXktfdZuD6V7 z?_AeTn$1Ovj67_tI4yZLSS@7q^nACj%h^{Vwb|_vhklg4QXM+`j9J@;_Jv31$?Gef zIUMZFFPJyR8E)Qq^<_D?#Mn4aeSgk_VOqiG^5o%>ItEH7Pm534lBQ{CGkLnU)yaQ1 zSY-Ft?{8DnHhgi2bv=%Dl673)Bcc8pO+iLrhO|~gnr2y&sY>OcM(*Gje?NVGDH&c_ zYsaiL@b+X`Z>o#SW+VC+TkaMoIK7^k_ATDW;yRkY?sVR;9n{=N6gXm@d~dst6H}__UnCJYyB}iTzW$a9nc5r*8f1iuv>+ z4z<=K9@(NEw$^>8B@)w~3Gg1zzNjMEDH~GyF5~Df!E*PP70Q(lpDz^}s>f}FW^{`0 zE{rTQe({mkFJmrXSC;jjVHM?=R6h;-*P;FgZhd@6!six>Nx+A<)Tuy>R{V0l~9>f z;}@3J4>{_}(l2FJsjEx*7VNfD58u!`+oc))!BEOd;(dQQ#fyqzDko0G=u6W9GyWgm zD&*B_uF*V^+EB2Ke>SsU;dznO{iMe9W{+2w^IYAxd7BN$K=dfG?z~>s&CDM$pT^I1 zTU2q`=Zi?weehLO&bqZaJXe^`l@z-o^EV>vu~_+1(PL(Dxm(McTln)c`~xA@@#y`< zA-ej@qZd>}m|VvD)`aK`xIazUO@>eGC&|4EuiS7=xw8}z7lueGAQEtCRJ^URAyD#@m}G{+jy78usKvL7uzp_O^Y!tm-*8+LJL z>wQI1Y8MmRSomYK8!ZiKm-w}^{^rJVl}jWZRCG)*j{GxkVqd#F{ysbD(|XU9(wiSS z^IycLhte9**7v9kG`w+Se?!AN}j^QFpe6AhLkzIxKSqYLin{C#{BiT0U4IwPf;kzb2Ma%96oWQV1h80PTObZ{q--;AFnc% z6ZVMMs`5AN+Bl5C+YI({uCtCWm5w=2(a|2^kp^#vG+Mms)Y%}YQah4&pj#8EU zhO&JthKHo~NNi;O-HW&RQE9pi3vibYs6SFWsd%_Kq|8boP)*IExzjG-4|O8%A?v3X z!+F^Uvi!srUa4vu{&*sM>$n8By|%TWN3G6iSI}lhI}3sK*sSxqhFbJ$_SUNpF0md+ z;AJ<>=q()M|10~DxwVF0i)>9MLdEW}?}hZL7p@lhzgY)W+a){6)XWrwp%-#Kto_1mHLj`7y-&dHMcIzp7{Hm1CDf2W=pdcY1Pr~X2uQC1={+QY zfbz@dVj}z?;G#W`^A7U&KT^y&suZMIoH{Xr#AXmvcW(*wzIk3pSrV> zYQgbM1lZ)=UaKV46osb0T9p^erkEtZ!$7=rLYX? zwc}k1su_z8hya_N0`mn_m<=poWnKY65{yd=c&(-E{W6(*tk_qKO)t7D*Wnq`rtw$n z-+qw0Zq4B->&=clI0)~`da%!EbnagI z6Lwr;N%#PEA!}q@v+#f2S114)Cots3b(S||ytzE`?O$PuN3w<>=g5a#n#7n0bNumn zBoopM9K!3_-(zq#oHD^EDr&+mpo`MGBC@WqckV~4wUG=0AS+VzB24Q>jIb|OQU=V5iZZaslf3_>i8R3YoliMHgr)8xXj#D5C z>PRVi7_#%13>%)B(s66C)|q+vbOk$)t*=VjZ|Lx;>GcE2+jpLi^3)|tkx=bVYx85Z zKshsH?&@I8au*Wb0KDZ#vuC8z5^+1AGyL{_W4_qyR zp=8!t87>b(^iHmm{AaoGHQ%`zM=iH{O{H()daui1C!h zeX$Ym(eEe6R!!{`2y#LwK-us4A*^4e_7@QPeleeG;!QHzbSF7E2jy=g)>cAX#IjY+ zp5fxF9a3a>UO6SQ)>v_43e56841L<4H@fJ;N4%%F-z zHG@(d6oNh8Mt7Do&kK8^!%!C6N(FPwxpAXODY!^!?pjH=)u}$r=2P~U#IsgDHNWYc z^F61vOq+}C^{)7Aht+`;ovdR|+G>XRKnS(-ez^Z^1O<;ajUh&aXo_FVz*1vw)N3oO zac)lRA7_9lF45$i_s{{s@2Yl4V~t?o@dZ6}{5x!|<}m|vNg48TzE(bOfA z06(4H?%K|BQF&byPUMbIT(x!)yrv=NBR))JIz8Xp&sj+)M^Oi(?+mf5Tq(|V+u$Qx zcFZtKF?z1@@}k?C%Vg3H?#FlkOD3<15VoY5F%3el9p@jr`1o=4V}ZrNFdCCY&Kko@ zbc26ag3QuRJB$0yvLo-(b3nC z0MiVU{(_OauwpqI8)7?qDEr0n0)Gsy{pJFZ)-s)06j9&GS5hphW3mRERAcuih2XfC z5HRk$AxWXH5Lk#l_P*#751ZL;4HYFF!g0u1G7+4c6 z4Lu$ynRUp#z5j(ZY-cY%WtOH~%+!(EVrV^emOfYehs)`LUiSIS!n+LjJe%DWL5mBD0-U?HOu0C;E8S0HNUo$403%JxkNf^ z#RCIKNvkLe*Y1rD zt2SpGtu3;vk0@K1HY?EOvD;RoJu6*yZXcbI%da$;sD71`iOtal5X17m7q$8Zo3V=S zt^RAeUg0ARxiXt!=U35&ONpRY{t zoC8f9PaLggfW1(YUqB(pYM88q-ylzmENE{PdH1BYblcljUwWRSc$Orv`Z8baKIG1Ntgna;j9*u^Pqz;yNYTN&#|rlSnyZ>CQ&4&9wHwcNYcx)fTz z(|=FhY#X~Ge)%Qp6*094c_MSx(4dPg_l7R?$;4IWy79@xb%o~@xr!8Bs~7V^{Wl`; z6WYctxE;<3RhVvb29_Pi`{gQENnM^sK#wc_+{(1r_Y?U1Rh$h$Lqe-_wy{`i{PocT zE953mh;vXY=!?!^n|Xb#R9}YBlq2Nbf639So+|V#zQs~F_LN<@#;Xp#Bq ziEwMVDP68i>}-^+>)O=$j}wWIsni1c@RX8K!>9Dsq;)nCZ@4SZf7kg>k8}W^1vN5@ z`sN|^-akDd{jM&SajbMiN&));->-Lxs~wO{&)`;B|8FvsjIby zUY6;dcD9<>(p&lDE&h^}?sO}P1rW`4B7fn%Gn44?n7u?g2&olLQiz1zSdvwVXm(`K z2|QTK$j{1XoKsg(i>xd?X|FDSna(AVTj!I%N9Od(grJ<%NFDQpREmOwb-R)((%{&1l#FWW63}1>S5e~L-!*qj;}0t;uTD_ z=3E}RIhkze(ngVErq~v$CZ@gta2pAA#FQxe<9yOPUCoqh_t>(Oz39K+n)nW00<0TcS=t^R#a#k<-Z0VJ3vl^bm@2mX_0m^lrC63EA+NWal2dN8Re;<&aTQu-eHy}?bV@@h9d7L zv4HHHy+h1tSmmbI_u5G5_s}g&JSI3r%t}@AXa7}DP(|0chRMwus6zL9g_Gjl-GTir(sL@`~(Wa|!tD)Yeb~hY{d?3tNI<88?oeC@obSNR0_A$Mn z(&I0Jl_UHUs+k>{5h~E?g0AszbhIk_rCK*Oh8{Q~Jo1aw%l+fjr2|VX8yBk0M>5db z32-$c`orXP=-_afjKyee36m3^23oznaZD+aUOkR?Vi}xK0#G#L=#Fg3Oe^Q=%OIc6 zAp$-TVN6WF{yna|=u&=R$(r9r(f=XZA04J4Q12sisD_%LqZJpnYPmjtWPp6~v)SLw z>{YCxO~WUnSJKdYJ;ekCltF_gwZ5q9`YZMVl?-(+%Oq*aymPeeZ9wS(H`%7Xg{(7$ zi`J1DfUM(&R2->AJom6cts3bR2`jZVa>n9yGOx8O5J$-gqEB7Wx>U$iYm0AF!cdpr z`Tn7DTp)%a#4wPk6f(OEN*b6pm7DmZhp)FygkBUbiulB#ZeP+mz7W}X_?Pc!N<|!X zU^*#aUkEf%0r(p2amxh7CVtJXO0g8;my&*epo+Jh#WGbQ74w~0@m#@GgUt_G|NMg# zZtpC=svTpwpx)?n7xr>a0Hp6#PP`nMZP?qd1^h-rTwnj@jRnU7&|*vJz&)Lu&RSnU zg!Zl}62OQgIIPGcB5d=elg;*?$vFDsdcPv{aJ7$~iL=ZsUth@bS29Q<1Sd@x zp&Oom__z`_vcQWNfZ4iVq8raSw+HI9oPIUN#SmfxATDyu@*SR%JeHJB3~nA1YK0A2 z#scZp&b#;d`Fv>kjn712^`-k%5|V`?4^%KeJ}2=Rl;XL;yf_8xj>hmAJ*dv^ zORo(8mYC-SKpN04z(+CooTSFBMS3}>ZzwcwQg&;}etbbko?BsGasT64->}d0i(~Y8 ziN-lC<1gS5E?#fdTnT>nmFt907~8WBc0&iEVURW42X*WIe^c{$&so5o-2Vqb$1$Hi zEy#O&9g+^rht~sJKbKNq1<0g>KXkNR@fd;MHb$6qI9+a>V=677D zs;Cx_tGqF}d53Ri{(NCd)?jaE`Pb=`5+y46A>)g~yb{U==h=?I+>BXp^yQQ?GBHh` zyyHx)MJX1LhRhLRWHbpZpy)4G&x;q;R8dD*sjCr#B7X|%$n7QO?Ztwg%s?wki8f{A zZWr}3zcXiWQ&8EE6}@8Q!ptzDYhJ%7e9Lihyjhn1-Hm=;t&UWA}(TWQsS3 z;Adc`BzOsIl9UuCRRfF6&tRK#C-bn0g3}&0aKKZ# z6SpB&V(siT?Fu_1TZYH`9@ve%32$rf!t}~%tNmm4Z}{<+8Nfo@nCG$sh8zs)=cF^O z-HwbG+AYKF-R%4dk9jU0sS4F|Pj}iir5gwvzQPxZs_$UC%WC9F6Yet-CxwYvYJnFF=Jq@s))7pT%ym zB`?z@4Sgnh>^d9JR{{&uUX0j38T(Kq%6^N)rxhnWjUqhk{H*rSR4i7~^z7jgP&H!u z%5n@BP>u}COMpiH@oEo`1Z@|lQqijC$HOOA-^cQ;HV6L&oLat%Wbeh0KfW#j{w}!< zHMdNrbes@Sm)yqKl39hfF3Js3hKT8OCxTG3?V}NpD;mA8N;+|pg4%1g!4~zGOdHA3 z9~V$M?B!5xlX#kV2Snv7pcJS!Tw9^_R;(2hOc}%HWNI`2I~*!m-F_ zl6fS2d;fC5hsOL;&szxE9E|PwpL6SK+!KDRM>U|RN$otgAzdhoJ%G#{>!fY}P1!edDdOCDI5#Td4lRTBdTw zq>5#q>>u^%E$OSwONKh$XfTH4iN5()LyKFQmW>q%mC*XV`J3tofGIZ5!RB!e5nu!v zAU6n2=@3~GDFKM=<+=RU+av%L1GYp$A-SCE=|rBk{?z!#_IA8U`d$lj8m)KNC^AAz z8bVoeXBV4gl-k5~t6#7^n7^}Jcnt#WivWx&gPyYCxTgE6D&-rf-5r1@Rg*xJ@zdW| zck9$!EMTj`nKYG4ThYhklCE5y8SZ+YmF2v27j(Ck8gF9;47{a#*6jTa2 zs_GxTyIAHkv(UnPxq5uEg&mLtNy{$x+Qkm?xi&M1MLt{gHKMYUZ_GD(CqmY%&5KYRBee2)lbmwd7yT-TsrZE$)E$o{CpXvtkSSHzD^#MF8YL(ldP-z_>SJC~*QkN?5RGa=tdY~(c zS!cD?J99~IrtY!(TA^tA1yH#ysri=bm;+jxOPRLGo%3|V$9z-Xg&Q2)i&A$++*~vM-^*^nQPRve3JrdZ#FZT;R5sh%7)o_(^ELMH^m{5&nz{IK(y%U^uow=A^J;!iYUZ2j(e8sRhL<#o zc$@0d)Cip*ccnCcZM6-Yx}tQDM11NX8R#0|%D~30TE5FA@(lPd>@DmH6(&kEe}}7U zl$HhH_FH8KF?U5z5LfD(y(U`lZq9b#8l;oQv;XAXs{S>GOG-JIi_1#P7#f>ehV)n) z|JMWIJ~QE1K=rgpXD;cZEilFF6rIdQx;RBv56C~%jJ;Pq2&mC7m@5O#m&~ONo4D5U zHBC<3l1dgWCpg->hixvG{B_&oDl4>snTcD=;vMHoN)T!=Pa*q^k(o1?5Z zmqJ~Sofhfq5JriXJ2!v-cqEzVa2VW2I+X1Bk7d!YbQa+GA4#B1pYJanTVLF3+?w^Z zHCIas2qcS=Y;c4Tey5>>bXPv@x6O&G$&~xgKRKj)_L;e|R6&&aXaVD>EfrKiH-XL7 zM6~4nivUx4rxRzXi(PYb?G65Nt-G)T^LbBx0Cpn^vTdzS@cJ4Q(J%M4;lDyq{c7rxQ{PfN)e_00V7_l3c z^yKI{?K1@@s>7(YeM(E%M$=f;3V>2ny89j@&jD2IrCjqm7%=}EBsI>SdG|WF&Ve)9 zix3D^F`&!UmSw4`zBhR-(}k^ETyFr@^#B!}^fpA2Ln)!U8^|bIXU*7W-G*xEr%QW_ ziK2$qkr0=1^97LB9aldH32@nu5r55>%@u|mMJw`)@X%#_MOKm3WDrSh9smvK9^^c; zvjg*G9g*S$H5DnZ=@`D{>(>tddF`qjMR#X2TQ+}Mw<~q8%%$6=kPBis0Cr8kW7&Dp z05-SNa8-ss2EP7?Y!xVP$cYR4bU!}x_dat^{@#6T`%c6yFSM=^gi62oqN9!>rrRR_ ztyj6up4YLQ$W(?`X8Hk#+@q$!^~jAVLmMvanVcej4Ww;*m{ zcplqZuJ)tbqUqz=8DX=;z)?zlZL;(t)4(f!gGc76 zjP_o>iBr%7vbcw_+s!L|jgw%U7hnMkTMuPPs5#j=cr!Sic4yV9?|ghOG2p0m^m!U4 zHfXo6&M_qkUY$|e1ZwO5*ZCEG%W%-7F7q?uUSD=u%xI-Yb-VtD|5o^e#Liw!)Z`^EhIYxQskpt37pJH$6Pwy2D7&73XqQsR9LMj|_HW4}1h z2S0t~CnBt$ZiA$=-EU~t-+PdCT;b-zXFpt&Ifg2HkzN3w3QHbo)>o2-wv7vI@s1p* zMt0pW4%$gM;+}W7=$)RF-(><&m2n9l^?#5i6|6!u$bnc5%|F@b>-Aaq&7cN!! z>P48eFhhws3Lc%BSiQ;Nnu1cY(UM`6r>uHQPLr6^0f(E9rh3jj!?E^9Q4`T^?vxJJs$HxO7$G+Q$$oi_~ zoXgH;&{8&kb$5|g)_1-U!82T|<%nxGxI@7)ek}3hb!YIt0m?yAbCC zmm&YCYrE3Sb;)+((J7Hp%!L93>F}gus#Ge8hH&?vTiXn$Uvb&GcO^C^MUZn>6}OP;!?dNXzv{{SSp;7YrA(%!c)@d3O^o;`^>!gGWqW=+}9)=99t@ z-+5by{xQw72p>q%6YOF5bFn#{yJLsxb4ro1sw`)tZos$Nv-kD}MJ!-nqOJd0K3L6# zv)#7N8@V#iIWt#9$t|-Z@BHBP-d5ARGmT^HKD4Z%&kQA>yCN_{+h+nI~>=@h*)Q|-v z;*Ka>W@vg)m8` zD#*DsorDLT@oh8bwO@ZF@X00%0I3)0I)Te9=-pkLSK&}K~%QY#xO_B~oh?W9h+o9`dPo72?SZhW4+zDJA7 z$@DC9;=P%W)pYVwRrE=Hj(LFQ^z{F4Wp`oM=1ktSYOs9OWzN-3lZW$ENGY{3n8tXI zfP2jV6}A8_Luxt8S`Ywv`K1!1wRy-KfceuMkTbIkK;fA`8a%kJ_%$&J?w%eq$HjVD zjnYK!6}d;LwIEHlY?|7Ofga}N@C-tE0d|ZS12;F%pBu<8P%jq`fR|-phn^}u|L&g+ z&~M|DW5Zd-dviPuC7%&nBw?q3vkPmawEfc1u+CcKuJ%Ehw`O_y?Mshe5d!vr+;MIB zn&oY7I{_UFUTTZ5?b{y!E(#a}YGML+03}Ya$u$q`@)pX9{B@4|0yGYE4d#1TECsTM z25YKSui~GU+_vxyal$p&H5ncm+PL~gRRXPB<`G~qZywfM^AcvB;_{I=FQGB5))vWkxH18v$wlN0Vw63jv|h(ngkO zWKIyfwEcl4+$^Hzv2=h{t(N?Y2uKSnHLCfTMXnxoql8GOw3{qUfxH8V9^=_n53FZM2lymppn!z5FkPT(lN877(lNLNLTCvUn zJ0co$T~d?Ors*MnEut<#9R zjngq1*MynihiZZZyjXYfsAaN5<&wSoUOIAUhv+ceBdtjPb65XwJ3_-zvud`iHiV8H z4qN3qiJS248CWy(I_+VMhLmblg$gduV?){L{+lM!d6clp!hSb6ta-3{kVZv}4|qhZF5z$ri(1$gt~4 zTfmU!&(8BA%Z;$C>FBi#U%W_aEI+Qwh#dCi`W}(eC&9(?+~oi}=aDvblo%=59;qU6 zPOPsgbnZJ9<{vN--s0zBt(JU+P>b6XahkkUB@5YHYeT9Iqy^}ha2+|9G5)4A2)1Zri z^~%82sSb}7{61M(D|Jej&>7f)rT1VL#F2OW=$+g=)`EJRXORrt6V}&7qfaKr$iLZ! zjomtHIUByZjPr}i=IPykzNnqs9h|1+vzyReDi5a6eMm`{rF!6AE$mV02zCs}^&;}9 z_Z+xac6!~{Og)&%UZmTFgy!Gqv#lj&ET*w>WxzeCBfV^wR4Lbe*}@24hd#I=&@51| z)}KQYt2tp$!}i^)i!~h$D?E+_Bb~#ha$cXEEUR`T5JR4M5j)G(4^fRI@bD?aEM8NhzoG(bZ!M%RL{HidVr@!!`9(qla^_%G{Lql!-LXa}* zj=0^ggz`1b)47m==84@5-QLq4gArl(O2PwpN}*B$QHLg}+P#2A)5~Gw-;^V^1$pJf zyQGOyRXs1)Hoa1-j@2rB270R&$-bc@!fvKW0k&&ZkJ44`aUbG%*4-9$)_5c;uQ|dSLGLbF%r1XJ#bwk>6#jEhw(p93XOn5 ztG=_zOw-gKJyHK$lFsFlJ!Pd2H91DD%dm`Xjg8ZiA7YBn3Vol;4-H=KS#RHq zWWR4^-S){CFQ%LIS#if83)#JH5#)aBZGgnSdu7-cU`H8X1}%=S)!7kU+|TYZ>B_9n zMAhu>vXv|FD?YDlIA0xH%8*=-F9z8gRR2uKuk&pU<2Yvd1Q$&+r80V|4?^(IDk$P@Ia7Ow4uZ1?eqyRAz5O-_+w``zAhZd* z*n?0}?W)iQM`AG--^VUIVB_~piQuq=rmXXMx8U@r6<*EA+}B>PHnyUbr+5^DsSD<{ zNUdwp^0(R_Q44XgW1cVA#B$}Loc^ieSP;MIm;R5*0@csn&(DL#LeyRawZ2K#<~H(6 zJ`+rg!1LUCw4_GOCo7OB&A%3mp%uDfC*nly;rUd1)x+?C!fC5YAet#X1AWg*QlTp5 zkPb_&v#Xig&!BCvhTe**gHAI$HRv9%XJ;~rnsE@f`_PmMWdaK=ipWU%=f0lfX0Z;w z3)vbAh4MWifIT~n-&!}0FAcTj+FvXUxW$;%H&e-R=CTk_Vs-X$T6J;Dpv>$bt~v!i z%n3C#I;#Agxg(?JQHYUljO+UyQm+jdMEzev z#^E6u2F0p&GS?pi+g#gn&N`MCW6O$S;Z3?maZjRrMQQ%nz?0%ijci~)6T8n3f6)#j z8Bl4*)xO@af){g@UK`k)h1h%-{*hRiN+*WsKL%B_N2GRoH9Da6nz=&4hOVhxXzD7Z zwOdmSo+&jzrGDI|8tAt8krmx-AK7y;Qgb>s5uN;n-FTN6o7v>O;H(#9m3hQ2(rk9v zr3~CgKT_p)xLlQF>gdf+oEFD9bQY|k1JF*^;`+3@Cb0ed-&v~g zR8T5zWAER{MI;mFrc;V}i>1)sQ-(h9)ce9uXj@b%289X@t3i-qjmMp1>dFQyAyv(m z8X015%a%Q*s@5tM)qDKfL-}yBj+kK^!%W0sPZZqL-hlKVKR9tDL+b5>4FxODh?aVZ z1i9k7U?!3x(a3XmCm-c4Oz@nf_FRxw6gN*P&M(I_jsVzviwzfDa0x z6c@^IvioXNyk4G5J&T0()h?8;)vvkwhr9@XS=dyYyk;Rc?p|z(Xo;`yK~6q?EeyFG zyYN_6&~|Z~$eQcTqAfBX@v8j1VyDdkxJcnW$Drn9=q6^@wpK{&eU{*Zbw6GAK#B@d0Xc)6hnM3E|J~R5FzRs~{clELQ$K#<_SHgJ?-U+9o1#1xznjm5P>gVeHVi9Uq zV=vEG>z#SvGlCZ#!KHE)>Hpq1hwm4|gS~ci=7FDpmF2nM<;QaQi zr8TerPvs#0S#$yR-g=nKE+l*Or@ekfq4RGU&?`T;6HF^sI_@Ab`X;TxA*S!_o8K(synt@P(l6NLE?1Yc7M+Ld34JJJ-B) zuXgYw>}p3m>oF89vW@Ro+-)yf@QO49YIKC6%CsIK8$ENB$w#EU z-l;~@8fr@hWv$#Yoj5Cg?W@p+`D}T-XtIKKRcO0z(UMG54obsy+@&)yG_s2js7rI4 z8l0LwcHd#puFpg3FF+WT^1OZBzpBgh3x#ot3tr;i^zu;dU~%h-Q@YnUb_g{2QYs$X z=_r4lOwp+#GozYuH@`R9G_G$TEP~oT0EvV>-)o1l2gLCtv|xqnZj7_KXYn>(>-Y(8 zp~7s}mD#%M^FTfPm}UFa!;Uooe83N+f=?2@z7;pNDV!Rrlx^GIoSR<|IR&e#6*UdCzD)LUWIBiPYbq?1jWQNXea7nJ@$gO&- zRO1`nnFH%!cfq%Q@|NUH-Rb6;<58#cdf(G;UBmVr9r{P)pK8|m#G0^J_O4VPIDL!$ zt4dvP^JIgr*c(<|8MRpM0$MzyhsS3AjrPRo=OSqaeG-bA8>gu^l2&Im32M)efFdpe zZ8TknO69VF<_!6)zvP)2!=h`*0NSxH6sm6}(`!{(G!7YHt5d8x9GC`28$b9dv#e5W z-dQSRtK@w*P`A~<#}7h<-n9JjUVa5F0mg1(PEhCrxs_3I<0gUMXA=Kh`qm+Hp0H_3 zy^$ODw`#qJ*@o^1^H$|n>4Lzl$h_R%!FEu-T-4pD0`T!`S6JAFJ8P`PH9Sn=RP->0 z|0pMNPHYE4x!My1eB8ckfbA^5DhU#TbWxnJ&NNvXR;n7oVu%wJ! z5mT9JqfXE*Dk1ro%YU4eXxcKw!x?8xYiw3RuSAP10fiP&h|M65vs95++ljd~Y>50E zDl7SGWTYt=TNjrSfRPk|`6?6ii}8|3N0od`9T9Jc9v#C!zst>vcqSX$3-|ppu}3Iw zPS>@8Q>bGlPD|=%w7_?`u~eJuJcgcgL%>Ld|IP>yl|X`{V2u%HcJ|w2Y|^HsZ)O{rX<>!3XJ+HdKxnSe&25L#j734=ksdNZV+Qd@{bE{cQuJG!4!X(JzXv5M$DJHzIQg(Yt@2WWev(!9$Lbj~{1FFh zWnJEzeiwczjK_>9%@nQvrkO^>k`-{y;UVcM)o*b>im26koyC4!f1I}b_8-{*zn3{l z{OnihW_iyu6@k z@dWd)wb|#SxVc>FLwM;!KbRWheRZ&#Ul9GNxK--a4M*^Pt(_l-`Q=M@IjGOdW0#}C z0(@^VC5-*{kl5r=R_}}bdCUiD8J}ipBaAdm)l487vm|Qm}zv=#Ze?KnD7L@iJ&$?umZl$Bsh7%mj>*U>BTi@3jP=u%e z*H_-tt#Z=Nkl15hxy>XRt87_tM^s#9!K#j<*hlb|4bDIjd?UamALc=5#9LH5W}}7w zod7N zC^tGpAu<}A*DD}H+jga!vq#J#C9oHQmGgz!_N(~=-($#tgqqi7KxJlyg?}KwYk#`9 zm(Y@TA#4mv)>#r3&k7@<#k-Ijw^2~;M(fv^oQdS~MMR&QHn_3!An>7kv!Kl%0ijfW zLgsRF3eYW5Fh%6o9$eVEa8*{0$J}Oaj(l}wlJiKdIR`n{o3g#Qp1mN?r4xna!3zke z9u%vF59Q|^7>cAwvqu++&3`3lBcF)mgSWC~9mmhn9KNvA;3(7jhp7tO`GgFO+9-Q1 zl}dJxPqklgoP2iS+F+yK_JUDkY__QpOPiLA{jRnA<-SlJt5xaxg!$_JJm=NK#wH*i zT{N7FX77GhmYSt%j@}MBtMi-Rji*Pw)(>xQ@&7EVH~ToBCLKa$Ka(GQGxHt9@{NS% zk3_W3B0YP4E8M5{X(Ee-zWmkB7nYI(2{=qdHd6gMx1i zjww$`LB2&Pc)NujXE}y@_KdvGDcins_szzq972ujk?Rs3JH0D|Oc5<{C{(|`#PS9o zJyS40*B44E_)Q&@UGt2MK7E(fefcecfg?=Pj+tf)E?QGlOZ5Y+p$&>$@w>QgIIrEj3BX?tY?sj(Y!-j{R#Zj`n##p4I z>qVI6T?vDchw-6$DGaTLR!=L@jy+L#Mc{5Pk~hXvCMv5MzgvK=c=wJ077Zy3%>EcE@X z{ZI}UysvAd!JxY=vu7>8HJp~e`Pf+~AZB$lPe8G5nec&?GN0nodq3-di?18^yEZW# zb{{l6SrRjmVYi#J845Xy+!&ake>*F;=b z7z2=QPYTrOwM~6kYlr#zBf@?rb<6MNC)ym>S#xqvefKqFD12{(>+F@9J-)-BIrdYI zaN%HDQ)UGhrUT>aPt}(vHrC zlJ1U=_>X8Mlk+^ZwnwnSsDjAx)DFp9ZEe`ILTPO<7T}WM37Je{`Bj(~@evh?uN4Ig zxgr=J*}zD)=Z}hM#d&CdKIY0Zmb}xG`0LB}KF%2*k&x#RL+s7NzN#LR6dS3E^Vlmk zgrvLOaVM=|EqwI*$$qhvm)_nh*KBq=NmcNGt-luBSZDLq3Z8qVE|HMBfHyVR{zqT( zg=X+f2HNg2}X0kv+D`;nKNt;IKzBy7neAciNR9 z6ym!JK&hiG<|JkqG?9C=I@=>AU6l2WQ7(UV(hzv2d~b!x@L!1_>C(B%#7*~5R2^CW$(^Hu{%irZ$=Ka8T998dCr|_pb95^KYP#LS7#|*KtN51i&qmHcsgwT}O zB|_32GCEUdr?gNh&2RPF$^|Sy>8a)?DkZw#W@0CrcBb*RHr|pS6(xPHvnIR|v3S)X zU#T4{&fsjd#kaSz8yl7|ltJa34{I%lGBGR0N~bt@-ksR|#>~*SAI_vPz#rwC!);^l zabJBef38za@Nq2X)mHysmQv!b>(+abpKmX|Q`p&FWgI_S$?fIaGZ|#M;{rY5B6Tl_v1c2cx1Cj$<-Y1QTmFd$E zWY_yH9SdushD6i8g_UAH80&IH$wbzBQ*-3(jmHv6&1ZPu@3QKC@iF-ibc$?P4-K$4 z(y;nmVKP*)%DNhbykEc!V^U|Xj}4ngGGJdTN+4DdR4kGOcT!3lEe2Lcc#UyBW-1Fq zi^vs;X+o0)WSD#(!8P1EjEg$#S}u{Q+Nm7f=hH-b+~&h(2>$spyk=c%@^Z(6pUvZe z9q(+g%kCfDy>D?ifrY(R3_8fuAu9o~JT*Kt&JuK<9|hy^e|RcONd_^HCW)Ym^WASN zk`k#hwv$8ob%4~w?`UkV!RuhKKmMVErL7vnYOH%PEYI)lKETK?+E~rEmmNlkiJP!P zDfi+sp68SQyvtn6o8XQOb8`0V<+%b>S`lAmnGWHCYycnE9=rZP>?@n*&G|cKvHcCp zJpNA4d-{?6qVE;w2h(gyV7~+uI-JY8um7%s;P*Qizj?x8VkIqJ} z-shoYgn!o+KrPS4Q>aUN{jAu;NYWw`AEN4lq6+D}$iM8O9el)x;}WL7`x#G$OiD6L zr*FZloE)Mhf^Ms(z=b9JZqNc4Ec#E0-PV=rsF_PuSiciCtMxsjE2_9A8FIusPbi|J z8b0GR@kjd34wo*I$R|}9r*ECkQ4)oQirCGle-y1`vI(hutWuS0&Kl_{RWCp7FaQ3% zUUz?>c&D+B_ghJoOxf3!Ml<)6Gxo7XUjA6Lb5s4yZ+d2%Ga1#6v#a@iXrmyu~o1H=bzE{rJ))z5j_vCsmwuOnM6Y zwn?4w9yDFVWBfQ=_3}x7$r9w*_91V{dhN@jdC{#yGc@n|0r#-{AJg zA9YhNtmT?3S{zSkzBV<~n|P*n-bob&2usS=25hKNWyPDkcffnJy7uc1{%;M(3Nyeg zg_9%G+l6;1Mf3JOOP&rXUJ2`NFwRws>|q_>FVl{__auFb0-sUP>ybK2y{(=bnpo|b z7>0M4p0A+vvYa{UIBlG$kg|>0ZFU%;L%^3vGros4dUulqf`+n9x)%vik}|$>waC@R zH)XnSqp9{iG`H%byK@@HpRLF|DN+Y|W+tK8(mG&dDUc-bITY?q?@j(nY2HW5l^!bZ zl&{Kwu1}g-CkR(ZhxPXsw8}4YBu3y0lsi`hps(FCBRy@2<@?fe$gK6W4`^2Cm#2YM zZZ~^=EUlZ%a%l4$m9FTsvuns4Q{QqaWc0hzRyJxFl&(4--XbK3k2m=8A?+vUIvvc- zul7}f_9~V++^FEKPbEeqAEnDUS$+0)qd|vv=tNv0FK5Z4dC!^gTyj1)C&3#qNqlrB zf&z~*c~)=zj#1iMLM1K}AyQ>q6&jzTyTg4*{)JvhJx2A&>;!L%EnKRI%(7Dm>b~&yr=gOrDary956t0A=&5JO;S-X0BXF(BoEChwTyNCuPbu0l|l_@0Y34 z&`)!5eH6THUiDprXN*bx!|8@nSmT(=12a{?k$d6Y6ON*D=WO}44N;SiDcR?Ls`1*? zDnWZ{sI?bnYN6{A1-rz`{gAVqRz-)6)#94KFO5{{j>2cd28sw$VnN$AZZbkwFAui+ z=A_>qelZG+g?ESB#8;cO1n)aGPyG4A`+wN`%CIP-u3bzN0|5s_5R_&}0SRg89AfB_ z7U_^4LILSUVhHJ$ZWxsA?v!qj8XC?<-}k%DpY!kh{GK0PIPuK0_g-t=_qzAmdlQi+ z+lM_;$)*gVYxV}38b_%)-Xoq1r?Oq%-RB<5KSnB$qt*BU8$K@M*Jzkp@E>^7%MhlWE@>Bb#$l00Pk|a-5=~nLq z(%yX3dcyGi$b<$K_Y&}itAaT{h-X#s0gFPIHtnHu=lTZwIXbq5Lt*-bTF1I_|G>y6 z{)vOHtqx3k%L`GMyVvBpPA6P61p$Bef)5pUa~D&JCm?{uIBoV$jVkh-(0iK`?Lf4Bq5QTm$MGkI*2KUx zsv`H3ZEJ8v+-U7oWoc3FxTYBvWtoZV&vW)2kq@1J67Ag|V8v-kl%$sIURl(x*nSC4 zkpDE4Rs3pLq==FmIb(71(r&n?CxiQWqN~9uU8@Q#Uh}oR@Y?V7`5RHywXEwOgA^XU za8a(Xbjmha^JjNA20H}ry?4K;Mq@dHv#<~hLZSR-s#dcZ^n9vS5#8oSddPFoJ^93Ym2Tz~G9suQm+x_Y&^@pgUYFI7%NTH+ks$2E`!rq_#`)5yk|Hud-Mc7ZiiAwpjf>IWvoi*cmH3tRPrUKmM>Z4dxir#{<%!sxA)t&-_Q}uiy+@g~#)mghcG2~3_g_&3qlxX*?@Rep6+NO(bpOHLbgy7cFZqD-t_rn5w_wa?U7Daxi% zw(M4{iTbIwRirG^6b1>SEfREd$&sV|Vp`5t7CHRZ?D>zfO+j4bgVblpny9Tq+Ig9v zAMseni_D}D3-(F-n-+4xi9i_9`M$ubly+$5+-i|1y|u@zlW@Atlv`lyUC@2|=_8GX z8S>p7-)sT>t3UZvD}`XIYSM^Rog!hTi;fc`h*cFsPkvL zJTh!kx2JsYD}P>EZ;bORWXq2HIId0j!?AGZV2QG|nQ~ z7KnXe)Qix=8_uEf%BLh2_j0!739BHEJGVfG!1p}Q*W2IM~s`H0xQ{!}f@U~(sO z+B;Z$0P)8qVCsBxc^AD3X_7Sfv2?2L4*5|~_G)xA_}v3i$VQ?7OUfnmTtylF&dkSG zwM%0wCBa}=g>Iq$smZ9?FH4e<7MuG}X+4GG4Z7)j4SY~ES!UgmM-+isV|iI2eXNA< z^cXG^vTZo}fgsS&#B}EGFUvFLcCWpb3mU4R{;duvM{cNOc# zN`xgQLVKDMm)+^S` zo-$@(t^b=+jh|F4vO7$(bv<%cJ&}DO+sOu+7Bg8r&AthDXhEk=^13&dU3wxvr! ziO{LiSQ`V;jN2(sBB1Z@=4QgbE=d++uMwGU zbqkHfKaG`NMA|q)HC29$?IWRBpQj9 zplGdPO`U#)kl?$4coXXwUXvXY=2DgEub9b$u!2D}wmPPTS~81FUfJL?GJG3iG1zxS z!*$KaKIWStaZV=F8ZOgfj|LKN3hG%h~=bRIV^m0;-QD%w1inauv= zy)j+kPeh;TdY#FPU3g35g4xt#vFID$V^;1sWQS*jFub)5gqh+J zCHeDUFG+f%;jd=Pro~10m<$z6qGl7J>Lj;LZDOlJ9!YIIYv`}AB8B7@tjfQ>(LVCh zq6q!ESA%fG;^59LQAikH0HIl#;_R23uJHJ~zc%^`bS;qkiOObe(%VyU3OsA64c(#> z$V}|j!I8;g1i^=eTNz{`-CcA(O7h>ej@RMr&U8`3(aI%aCm#NSNX2BcQhP=2BU;}1 zSy~K%E2{o_Jy4yu6gYPCcc=x0d>Yx(q@sv5=0jZn)um10rr@=ysN+JZEqcL72_lgx z?=O)8jA_jSi%zR_2H&VR`zao*cjDq8vJW@YZw%+(#Nn5$F|>I~zImet%hM(oms#j1 z&HO@ldsR&7V|@x3I(S*_c3DfY*a(())sZd?0wov>!!?tPtyf)Dm3AQ`BlBWWf=dj@ zuF7k_XRtJ1ReG&a^`kps8Aj$+<=Y@V@*Q>U&f>tGQ@Ek_Y5w-;C!#T43A{>O6AtDh zC_28kiTA67R(9_f6DORhhhh`mC{MiAb>SIbOj&qym6q%K=IRCxS+1>*4VF=V%aOo3 zU9i6n6pp>xiC~C9?b3dH!N^q?V*o3jS8g}I>n>xu3)E%c0t|VEi~D1>9;ald=!QgS z1E+Qb=d!iBdOYK|xQk|v=v}$j)bnRQ+u<6!`Qdz|5C-Y={n9EJ((GH|k;pQQJG}v= zlW?0&Z?SmL-yEzx2>aZT${PUpJRelPC34Mh!1~!Prjx5SAM`fbhpZgU3qbrvQV^#! zYgzVKA~rh_A7gGiC~A(z5}`j5r%h-S6S>3mO+wlaM+W{q1gqxTiFlJb_i07|Wx8=` zIoPrG2=2F%Qo47l&Z+du74G#~lQgO=x2QYOF(*wUU?UYbvej}wlvPGRXZ=Uhb7eHI z(tHb~P(w~fUR<=9^Vxl(>U<6hpC*e~Ua&u@8s!%}oN}B(_Qr|(`D#}LCJ=W7SASP3 zy=};1kErd+^L`&SHLSnsP{gyH6BDUxe*o15aR~zFzh1x+rQ3{b4PX#Y<=A{>GQ;3y zua#s?zDvhe7;A5GA}^!(=P@ynucYNHSG~kSlp-BUQZ(dP-^485MbNl4rB!`cp?Npu z?lB=lmr{UULpt5<85i_R!en$r%T!{EtyYJ!&T#@cv}&0c0#n0vAq`SfRDpiHYtxWOHe2bK zQJyB~EnI|h8q8fX5K4{9vn`E9$grcM+((fL@ zfs&sU{~jq%a?ZYzQ@Bh;7YfJ3`=vUr@$xTX>@{8{b*F`bq4=M&VmNql6eaT1kbR#vKtHtFFXX?+`sb*6r87F$)6WpnLjjJ1B zny(QrYVMR8&4S=T1}n1L<->`ckl93=+myKEcx^;>tUKJoxg;u2@bZ}(znM8!K+6!y zYh&o@E#Db%kcJxLL@7i4r@o1Pxj_oSnyzRqNFItFG0CEB-lC9=)Q3em(q@>@RH5O! zmM0_x;_6__iX;-ay^|f??Diy{6L>w%p`$SodJTr|5BL8`GI>XLypvfUob#eEXMTM# zGo4-dN^$wS@d%CsWCH8C17;R%3-mMNxu@T|YR_;F5lPW&klm>=;xV~oiYmSi&daVXp_$mLSp@umDG97P1jw>x5nik>1BW9lj}e8 zM46aqCuK=PLr_o^IvkPR2YK(BFs1PYmQ$KE$>j%TXh2DtPAY*-L3cy&O4R1rpsMPBDF~^+a-njj!%nBJ@1aMBo<{Uf!SwsvKH5?VIX%(K+H{ z9&m3nyCJYa#_+kICQ1jn*eWcH()O;r_3{_5-(0S6Jp^m?lCiCteks_y@nv_?m1|_1{cl3hWsmmEDT%ow8+QX*|^W}u?g~6{EG&8Clx76aH$tl=T~#tXs6YV zNe4Jc1V;VOu#ZI)!Nb5ata2^cgUrze^2CFq#uP;F&KA3P^g~CZymDgUl|NyS@t`j_Ltx73gktvu9p;C>z0| ze(poswOV6O{ljmLXKlLVIKtGr_jlp_^DcSLd@gMtl2A<+MvNZDsrgqvdY&7#5eJaC56vjr|t^d{$VE!xqp#z|BG-}0WHYx zi-?PV1~wv2;}tV|5ZPX_2#$wm^PRtxq+@($$eU8Tl)p>Eg!{^QEW!Dfp**-3w*N(n zMV#i=1AhnGKp|Hpr_&JE5SCG>?PufXwCRqI!y?)!$OYH=`Ff)t8Khh@dRePA#;u&ic#!^S zeS*i-kUL!pdG_!{j@7ti7C1umJAc@!&X4O^&3p0gdDyyMCvw$yP{M=IAwO4qTuoe{(h7M_}9rUtK2xVAy=USNk*v=M* zqQ&Xgf3D{y=tT|a9bqMgrn8RQ((*d_e>7lUgvKb0w<06-)hi~jN~$z;MkGGpiOtw7 z9&?oaG@cGbLQK^8vx93iFc)O@(rz<=Qf04#3sFn{Z{nEMUz};8sb%#|@`{lDA_5QN|_P7FrOIGwS*c;Bhd&mdl>EF#* zWB@z`X8NPK1#Ta~U$xjzYOtG&@X0Fr(|H|d(HxZ)YBVVe4%jys4T@_|?2I-Yb`!ry z=H;k;8cgE!YdNPD0L6IstPkWb29h;y_o`hd<<0zW?+B2rI+k!Pr-oa|FPl*D3EG=5 zXOcM`@LW1-WTB6<#^PC*b~s2OjP=xY-^8?I%2AjWXm#R*on_rP6PbfyP~_vZojTu9 zAR|gLeiPjv%-c+WW=?Q{K@zdo4o>M{WBET%2lN1t^+?>qIq;i*)JARiBqz03tCKB> z2LWfvZ=`J+clkpivN9>yf!2F;H;v>W42KLmX=ZCVdo^_IM;b-dFKPc55S66+tNOB+9 z;n2vbbMrR6pz%-fq_MhBER_8pqp4uW^_Re{sX*2IAFzf*;DOYYFEJm~EV*uAH`Q_Z zh984^uR+1$^{N}@Liep2EhLP|*xQd~wN7AHr)$xe)K=2f%=w$IZ-j_W^I^BvtENOpZYBGm^}jljf@XmxGw>ZGqB zSVVjf@~Ih|3r^A(Ars3JiXwSg9aWic6e(dRQg^q4}E5czub&5DANo7a0O)5hvMwPZJYEOR33i;@4oNRIWCnS zh)`gfg|FJrvFU7n-1fyRk(btY84|7|cu{hfyyF3bJBeU<*bwt-55 zGgmXm_JJo;6g@&!xbvoQL&kTiMq2$P&XsBp)8Q>*&6x%4YK6Q?rR1P=`H!B2&AQ+3 z2?i}+_T=BUtaaHP)Rm{Klqe?TTzhn^jbISUh|uwaLI?gH4%FxZ|YzamH zuG9d;GbNBlm{BOb3beYRTa4!A8&LXVd-59k4x|Z zQx!KKzDfB`))vS$Z@!KNF{+aRu?ilWZFsoE2cJBi-L<^5Y?w>;3wSS19*KjU1007~RsjFb`t6u8M zvK{sW1xdPuNioV7TRh%IEwH+Gw~s0d@1udI@zfJv;-VDG@dix!plPaGMaX>v^QTKr zP1X%!-jFSoHq*O|4JbgJlO#%xr5uyuvwcP7X4+O0p~=hNcIDfNO)f{iozx4C_V>Gc zGPa3%`{T(CsATfJmZ@)@GMx9hzdEPL*2)|H4JL|Nocwk@-W%A@^$bN8@LXIA?$8fp zE{nkK4Kd5Q7b>~qUo1SNZGFYn^U=0cjAg!aB!3cqXDfT&b$4TfC^>V1vgP(nKf-W8 ziX&0g6e|2DjH6I?c334wZGz!D57PW4R{sJ0=QzQ%z`?Im@_Xw)?2JnXP9|j|Ymolj;rPt3KR0LTG%1thca1xY1h=LIx$97Gm)I*Z z_cwzL6}yHA%AEQv;9h+*Vj%o8<6a6yffa58DV3xm`M%5zPF}oxQ1#QS59ymU1;)wT zI)1$b`I$+$WtE@Bb#V=PLd$l#HeP;HamxEjn}@M`mRd`0bgy6 zpIC-5RL>**ri;En=!&pwe@m+VL82z| zJSM=CoqGHe4);eH+fXj3p(}i>1fTZhR+a9#k{1!91Svi3fz|SK>K976#9?XaS=V!= zcc*Wq9N2hUCOGdZ6=7mIlz%@px?8=J9t<6NIAF2(pqKhH<=)GZoZA=gqf#?f=_7ae$a$%zt@wg)+Q=49hu_qD0-a!Q5_6L4_dtD zZz_^wLC@HFRVL=UscHik4LZlwBRGfhsiX&SmRkjX)kPm43&3o68QQCV0H zz17rplK3{VG2gZWm#)4!Sn;fW>$CY-dBA5hyj``;MBoObgr*UaDwFtZ;@j_B`|+10 zggD^j^u)%FuZLy##zAmO|B;6dy&)7epZXrGS#alM9eIvDKX7<3V*9QLPcoMLDy7Y# zI|Qno(8Fic78CSpKZIALg+?4t)qG#&C(J?uIxbI1sXYtp^%+Lke1%I<#Sh|&y!)foeK$HEicS!* zmY54BQ!U^?O^E{1?Kef)MdfSvZkco9$7@L*EOl5Z8t$9!eH40t&J~N}f6d{CPnyER zZN&6%!h5HIymS37flBV}2rxjB*(SF_CWgur9*F^HyqxQL!a$gszL2b*O#?Pm4Z#A* zwIpejg8#AEpIvx_JOzsq73QfZ6;*~Zv;)i_dq#zUO#=j19y+sC+m7Eny-P7){2HVWxC^!Wv!&$u{C#I5%L%vsejanUP!F$CW&0S#Q^mlM zY#9nPyeQUWEj1hggJ@?eu#vqtE9y&xQt-<}+JQ|gXB@P1p71ocd+Yt;mSFh4YaheJlANi@> zyU3plXRGxk+#KUCp%XP?P5|Wm$-I zEQ~{%sYPN?)_H{T(NVe^!|hof;}EeAr|z@0SSHl$TyG%5qo%f$1&_z#mD8yF2}|z1 zaAGe~Dt$7`7FTPe;`%9W>*g8trjZ4gJrVAGVaQUV)*NmJs0+NiXv(ThEahm*oj4ca z;H@|OOZffUn-~J0kA)A9QTVSgC3do0U4P4`&Sl?3hjoc(?n=J~s+ycLvud+Ym7x1w zmz4LU5Z31w16ZVxw+ljGYJ-Io;(W02e@$-4zX;U4VIA|iWm#A!X*veg!iYobAGQ1` z?*7nC4jTUt#IT>iuc+K9o5<6G3oH%f=f?#NhO5#m5XpZ_D=npuUk^ zH-aXekJ}ZW=#J2{xton$Vw8Lz->TF36pz2Gw2WcnOr3ubl<_6UHEm=89(uHz_w1!T zd6^hth@FjU43%!`0+c8B`wMI0Th9=@V2U7a9OEN_0)3Jj86G5YEfm$a^mf)kO_3t0#vO{~6W_%uZ`^l_Cceb;MuTq)q+TGu z9=t&x6&zwmMbJ&CY&pfTB=Cg1*!Z%y*iQxuaTsPbHuI|mioC%oU^+xS6=kc(kd}it zO-}db>cz0K2XDrG!aqq*-WS)ZY`=l=-u*RL9L^->o?npOCc_^iFE5EW=~FymCB29R zHC_9DAxU&ySqwyr!{|0ysLK!)o($H2KX!!?mR|ugslD2EzeQY#ahmdenEJ_>zQ_V; zY9MF#L10L5A4S@WH3+{Xg0_}rjq%f_tBD;5X|UZR`1=5|LnNYL2o)c-n^(EHJ7m2?- z<{-rPpvgk^Mled6Foo%8Ul+yH#QjT!kV@e>HS+3iyU%zl))wv0Y-YUzk8CoxGA%XWG;dG>Ch7h=jGqNI^#`jNl>_R8O9^%w6?{DSf4B7W)P2 zrmn1vrIvP@5j475mZCO3o^*?EzOZEazP0$V9f(!uu|d=(v72jx zz(Ee;!FlzcytVxeS2u&GtCX(&xt{t?WS8C;a`(KzvnOYTcFed6-;@{0P*^euEb?ZH zVP`*@VZOmj{MkQt8Ma8?Uu$J_bF{-B^Y4T)f5V^3J)G!AXMyX~Pj%c*mOxFK_S3Z# z+On_p#inYeDlR&mHy;a^Duh)9Z4u!4f0lShSTy*{bu7JQ)`PgjS5tM5{*G}(t?}q` zCKK~SjNjxbKhl;#wf~&MYy>xfZK_cZhmZ!UCM`p0CHB&)>dT*Y1$fXr+ z3YHTMw&A*F=vf%uQR5V!L0E4i<#b^IGh*MR(ja=-?Ux6~+0Dd1wnx@`AE;*n5}2IQ zddWTzZyY6I8z;arD}J+YMkhIh-n6GH6w<4H?d{;~(g(S(N(Lq;m=d%xFvfNs(q`8= zFODyCh@s0~-s$Uo3zf|7HlMWAK50EdavYSs{CZ=3fZ4FX;r*ThT_G!ik24|E)v|-c zWTBI$;ITA54l_7^auqL_p7byXCy7)|eRTBmQ_-u9th6dbcWQ|HvHvp^2)OaOdvD=q zzO?O!k)sh`ZQ``vi}N@XIfZXI<$uL)_1=(T>PfbY^FUQmG8y>1LI(5rsrD(!VN->u zeJ9>Cs8Qyb!n7gS>ek5QbvMK2ufWtE*A&oI=PF>>zL0(IMri2QlPnn$_pk>4uO9Bg zbR9Ao3GL(7zaESR`zw6x|8aC#X#Fc^IcQnui^1lo=W$x=*)EUjhbXYv+B0@wEDsx$ zhiduZK{6~`EY==iRk0zJY}Sy&DYACK>TOaV;xu`_6TF}J{`BO{QK(V>w2CpkC5l7TJ^okY&$sxn($B5>mO!KRYI^hZ6^br2LnQ<)?$?1 zC6nKHhW|_qWRxKo?yXW68VB;QZ_@qo`41@&qrO-!oEi zUMvXLp@tSbmYC~p_hu}jtCTItg(PaVb6kxnrc=L2`&_nb_;gjkh?YI%BUpuW(c$GU z1j~+fQ`qW9FtqXY?{Gs+lq<~KKCKjU9OY@E9E4PchDYZ;+{Ax-R{kN3s(s7sx$ppNnoA1pM-j{e#PrnJtUZp^24h{u=UYThP1tZ)vMshd1KJ{Lba)WiB#URR4 z&=RYNh{B@@jhD!uv0iUH+5F5BFg$K~;c96rX}&H^L-!RYBN(KZ6bD9c9`L2oZHTFi z9F;xA_n#)1%1~Y$@^gdTIT?AB{XH z!#E4r-rh#x-}u`p9v8Cm{hnM$R=@4w)q2%6HK{b~rq=&D?AW(Yod5!Xv>udk)(O?` zWZ5}5IM`obdRSn+DY%H^h2y1Kf#Nl!;d$H1^3d;}8%*;$rYiVoGj21tYzS5{1nV9egs~!GcP6Pe@{Sy-tqY6)@ z`8Tpk%gZwoy#Bp~;WRKjJiK!Xy~s`-7#Z>T?^k%g=jP_-=L7CT*;n}atet8p1%NiMlQam4vdfAAN`LBJA425@xyISp&$D#)RFM@zfabQ*E{}{brwsnsUaGq z{rB1dnUrHPcY9s#nkH8h>|Lc{14}kGlwom@w&tgzKwuArYRli#= zApiapm=_THPfvw%{_jWsKlT94nkne`-xvn_%iTxQ4zuBuQcyZNhfl1mLY;@Xhftu<98sLm{ zbQ`9$pWln#!RQNdT220HQFl0kXrBwvIiDXzq045%sk`T!15B7iXb;c#dv#oQn^VO? zwx>Tkw|v3oqtU~sSM|7#!yajW!|?%&%hC2HawHOYq~o_STHt=RRbkTQi$iYI6TgI+a7P0^bWLTD`sxCk8N|S_dimOVzRA*cfryeaHthQ=Aswmsmkl@`<00|Nu(!JK-(e|jPq z!VH^yaq3Tp3zYNK%Rp03Pfx*n?@Xsh-(C9(?zNv_J_S8+Ib7ft<$k)iw|7C&4%#Og z_^c?2Wmc@CqhmGgI%0(iTw4sWTp$T=HHZnY>gPEg4L%vd=HJ{efqkULh5BkMO z5eM@7hwao!d0AQFU)}eSvs3O@7i_zSqdM-OtNLOJ+%GmdzcH}tP)o=BLC&62z0d|H z+Rt91E5IiZgBdcD6_y1B1^nw-sTr^&w*d)iC1qu!{{Ft1nadU;OM1;ptF4JLA`XkZ zoSf%eHj8Nz5we_fUa7%vC20>E9x$E%#^nDV&GYByt;55^69bFNKMi2nk`7G&^0<}X z2Y*2eBnx!PdEZ|}+hV$8%pBeIDf&6eKb0HUPJvmW@|cSASlOE@~yg zvvjGsKu-cY85$lg`_P{PPJA?4>WJDH$yelMc?k@K>)Jj&2Gn)z`bAPw_oi%n5pxf8 ztaPT&Ml>w_w1IXsAjPyb-m=fYz<>>!bnO)E>LwqqFV$j$_N2>$%$%H@D%%w|@IB^) zppck@5jq(e8Q}OytBZMRB}UzGZ}wMu>(91p3Tn2iO$IXzd)Gl@>zBT148VF#?6;?? zbQ^s{0`R+$96JwmjvFYWHNzJXTICkg&fqS+N&GrZ92^{$6Qw3|4c?O3{i$N^hq*eu zz?f`N>AykTsM`2ZGvm51^L%`0sMPszT}20RnCP+{%Vsi=9IlYo@w`0V2yWv?! zW@cTi7kDrp>rRFWNA73xPcJ~!z1*^NM}jp>)1O93FaLaXRhY5qWa#C;swE1!-WiSm zbGiUlJ(cMN1W}{y91jc+fz(B z9g3t?ghHYAn`65mIu~eGg(qqO^C!JJZtY~Ok)~BrQ8@yg!|~$k_ZRFR+I8v%hCR^q z;$yDG`v?IhCZ>>-Hg2s#w~JF1ZKox0zewNN>QAQMv?Z04l+ax1e3_}K3*R&>0Po2R z121JJ*iQh5EFD3zo5%6HU!u1rO+L4hxR{|g$4iWR@vFL%_^*<`lGsSm($Z!Z6wKCw zUBuV_Mle`X;(q!-vXX6cbMrXUZ48gwpRaL4RhIW~sQ!G3X{Y`Q<);Ro-L{w4VZtPn zHa*dKowmqq&6hm*cxr`j^vmbCxHuBGW8LS9+S-?cNtbplfrM1cpxO0DGcG%IN7`|l zzc5L8j;3reA3cYIhGSp-!Cq_2$$`!x+(y)lV@v9qzYBh0tXd2Q4?8+MEFxcOK3QIW zd05~u`EenO3QxS5X4?P z;AhY%b(HH#t<%02t=q+h&aC~U`5ht{G+vp5TZBW)%*I(%_Ch=~Eb9&n8y`!3EgNb4ik-ymVBz3U5o74Q5X4bkUA_9` zGWZ3zW__?CjQ4Oow}5>lH!m-q%XWDvThS7AvK%k_l9X2}ni29EJR$8?I!*eu8y)6b z)}bd%0mY`;>*kmRNROFd>#|wYs;;iS>aCa|eNy3mRsn+H!Dw-DF+lPe$AzHTtIH!3 z9mBPO^y?Aih45b< zH)8Y0yPZVMrA5fTMUUybDErq4uY?LcwvK=h5Rkf`?~)b6G}oDGHdzLxlG9e=XlfjG z@Fy5FD?|Be=+b>2652FFR4Ng*;Bl@QMBOV(Ch{C@+9kxGH3D$~TuXSd+LjT(gw(Q2Ls{9U!tDmeDS6B_wH7^9 zYGy(mlOf7cz(Td61Ho4+TYKHNzkudS)diHH4$_$t+%HeqGGOPA07TxlbVVQ#T3XXR z3EUDO_KQl zoWO9Gw~7!0o=CO~aIpq}(R8#V=*4L3@a1Q`W@F4aLgo;Wu(P`}v8=}14n@w83a0A- zN3UA=a|`v2OYSNZv=Nr(VBGakL_`Gm&G**;!^cXDVfb7d>+8%;H!(QhUsImn0_44~ zPBuf%t|?dqjE`1(-ryOFf$x|LN^X5)ga2&2mv6TTk8KY)^#ySAgLask4Zt=r01z>+ z^_`b7_Hh=}!!7s*hlVIdazJ(p>|!}JH17z!>k~8e!NLNy+d>4mQV+0L={UBvHu4aj z#ZVy|dtBu_)mM5TSkAru`K*bZPcnPD#sQm{lQ|OAYKn6Mj$A|f z3t;xi-U{tvd3FktFYL#3$GP7NeSQ4s6V91GxOQAuxJNZ@gXA)kljl4!NyNX31wDTQ zz6#wa}Te^{-3!FYMH#aBCNV2b{f+f1{cXJrWK9~UU z2RM-H;joJPNvF;wuwv33KGy48fzN+#B4U6k<2Oi&VSf`Jek6w_eoaQ2T7^Y|gA|H{ z*`O`-n%ZzoSqY&Xdde#*W&wxPxd7Ax&~I(pqtqs?+9CIAhT(p>;;wDo3>l|p1bo14 zH$cbrI_8y{L~ur3wV+?sYE0k4_<7_0b=v#;m48aj4vO0j4anPe{z`L7N(%7pwem@e znuTC)#+uDyz>mBY0M5Hzoz3nzAfh@tByl2s%B&*e;`XG~)YP2NTY0=0HdysL$1d9`U*b|=UnsW%kz_z#uC7l07qI7<3A1aBjj_fbS(S1 zRWX~`OA-unnkSzLL6#7jrjX6OQ_JcS2mT%0@G9IH8XA&DvTp$jT?-f;h&<5h2VWIF zo}stwD)tr?H8kila6mq2nV-=4`RwM8i_#A{D3lw(W))5A<{kH|vyxsujri*<)1ZR^XrMPRu6zHb(_TBZO1`>?K9y`djXkkW*~ciyDyvI2c6L+~&d#NzqO!7m z3!$;5O*4QFs*kYoK&it+)p#zZH`2e z2lal?0zA*Y)gA=&31=Mo3lPs+K$vqso1FD;yAF(LX^Vi$rG;ISehKOX0N^SgZ~##T zea0Jf0vLcp_nT2iJXj)+T9bkMj$$0pm)@mMxD(rUy$1X_^EEc#@o!_keZrla8`X9J^rDJ3z~4VZ28jm0*(Y9ok-oYOP5;KI zbqav<0ysMY|Hic&?S{C!uJ$F5F9E`G>tWZm47m{Ee!j3hU1QP(I1m4>A51!l4*^h` z4Fz@-ygb|45xmX@pI|2d2i9zR-S{cVszy}LDMsNVAZ@%)%=oR(cUvEXM1nkK#_eni zz$KZXhQ_3M#qgS$*{Ak&O4tZ?_PCeqkD2@imGN zXhqsPUguoR*_foRa`d>JU+3rbc1tG)25bP)u0(_n=c@D~Ibg!Ur2N`V51+G%H(e8L z!0SGOtj64Yx=3FvM1}Vd3&fr6!IK35#f_wwRsht17Ex2<0^sri0pod(0}7lm*?SrEoYcDD*DN$BS1H1@cRb}Vk&~aLda+tDiT_4UJ?EINRGf|}93M|`YSV<-QOdg<) zfX*EZt3ppesR4n`vmU7fF7?M2u3t@KpPx}DMKoOFQ1nMb$5Ykhqks2GeoD9yYW z1xcAWwswTX5J1&wvTFqe@T)g3w)a(}x)ZpM#*LF8ib_n^42`KiFA``y8;2ZtuICG+ z1-ZF+H3mIN{QTwv;o-OreAHeer+|inRJ&e=oD^h41YnCMU|b-M&@wU20;C2RKhS>Y zfADVPl{8^hfTp_v7XqXVDbfK@dk1y44Ky98dcr`)XHxsX9{CT46m3^}x)sepPPg+{ zDJKMEKg#<7!9WbqFPIQ(Qf$kgA22!sBLi@@s#H+B*KwaZUQSL83@~t)ts~SC?`dVc zWcq)g?ya4Yq2W@Linf}jCjC6nSYg~-rSt@7E+LW z{W|TqCSpe!CC7Y<=_B*5uI=Zu2WJcTIL}I_&b5d`-H`5Ryo&wPp4J7u-(0f^`^#Oo zW>-!UcaHXxu4+M2Z(QpDHlC>f>Gd`1R%i_l40Hu9uyUNg)ENysy;7_IP?F?!YI3wa zt+?}?hzMyXvp#51y_Rv^jaRYHzmK^dKKKs8`X%Va>}ZPZtu1p?)3YN6V99G+TM4D( zAbv6Zu2BMN!6X=mAxrZF8B@~@kVTfep6s#C)PU^5mIvNovs^J{(|K*7GukN_2jVT~5)B__j*66NN&qp5~@?IPa0!@Qp zX)O+k)By=Fh*yc`U)1wQMn{i8(p6Djo_N&Xv9xy!$R0i1I|l~`@h+XfI4x&Ub@laE z#Ml~)(K}Tui69nFgE+V1R;rY%yfs#|05WF<+MnqyD)ktWsi~=oy=t?7WfSsG)NdAd zUaJ7tx#%p%_C(nRhy;mGnFpb8y^ip}4P8J)1`-??(0ER3J+RvekobYutAgYa zC=nUjW)3-EPU0Fz0InQ^djRnPgt8d`P9r1bK>sMY)3sRxQk7Yd>;3xm3ur~Bt)%Y6 zBqS){qS1_66N7`cAQKu{iFbDV2oAE#Fqx@!0-_g4XZJz!_36*=UvqPF{8#5Csj2!P z>;VG+0cB&|z4*=peChog07HjoXWc=N2K3Ptbh%gvNq*AZ5+E?4(P$vn{ZKFa2=H?- z&>y64fPKu(eI?~{{PWxM7N#3O=hNYr;90>4sT61fTbLdmKDil{ zAUB)?!p(KW4$OWnO#@I>R(-r1p`BddU7xV9u>aTCF!$n029Gr0ghtv);DFLspy5C#{027dp5J%_Y*JPOhr6w; zt<$sh8oWb(SZO)2Hbk15nUw*P7pNFLF;Uss*%_EZft6WKc6Ri(oXFb9@4yIjJI_(z zDWE0p2W$=;;Nj#KeGY0D6axLoAOOskgM_)rd1;KEc@+x-!;IO7%C{|cUK-RX$Irmf zrCpP5UA5!G31)_dM_l)B_VEGd?u71DGB5Uc$l_9`^11a01C8BB9_s8e~TO{XC0$ZsCj9lBTV`qTW0$m!R4;WF zC6V4sgMx!E|M~g3`>POe{Es&!6khG4lNQ?Z<2VEyb^a3qtm+x|-!^|3d%C zySl#@t^#v~F)-F&U0LbY51b+>eD!*%$Wy8KU{RxxSHQ9l2#y~+<~PsA($MhY3*Zc@ zf)mg)VXIvu^`GW&$!L{sjanPFy0^c7K5$~CrY2@1(21F=LbQNQS72@|SiX2p;6vx7 z>sGE@`S1IT88a+^O`N~!i`#+0CmF6cU3;n*ke9x5#xsu3=KV}SsOe;ha)@P)&myuz8WRRK77*I?nqs?h-Kya3xJ#qH)I0URLyym|9b_`rF0 zUTHIvDy|vaW;r(!G({H(tXa$?av11>+qZA){@@Tl*3|FtaLV`h_wT=u1h#knwXX*b f-w%$a+&^yJOs3CoUW?}f9me44>gTe~DWM4fx3plj literal 0 HcmV?d00001 diff --git a/docs/docs/self-hosting/guides/configuring-s3.md b/docs/docs/self-hosting/guides/configuring-s3.md index c82de3fe25..744760ed7e 100644 --- a/docs/docs/self-hosting/guides/configuring-s3.md +++ b/docs/docs/self-hosting/guides/configuring-s3.md @@ -14,7 +14,8 @@ description: > As of now, replication works only if all the 3 storage type needs are > fulfilled (1 hot, 1 cold and 1 glacier storage). > -> For more information, check this [discussion](https://github.com/ente-io/ente/discussions/3167#discussioncomment-10585970). +> For more information, check this +> [discussion](https://github.com/ente-io/ente/discussions/3167#discussioncomment-10585970). If you're wondering why there are 3 buckets on the MinIO UI - that's because our production instance uses these to perform diff --git a/docs/docs/self-hosting/index.md b/docs/docs/self-hosting/index.md index d5c76eaa72..13fadbaa6c 100644 --- a/docs/docs/self-hosting/index.md +++ b/docs/docs/self-hosting/index.md @@ -6,16 +6,20 @@ description: Getting started with self-hosting Ente # Get Started The entire source code for Ente is open source, -[including the servers](https://ente.io/blog/open-sourcing-our-server/). This is the same code we use for our own cloud service. +[including the server](https://ente.io/blog/open-sourcing-our-server/). This is +the same code we use for our own cloud service. -For a quick preview of running Ente on your server, make sure you have the following installed on your system and meets the requirements mentioned below: +For a quick preview of Ente on your server, make sure your system meets the +requirements mentioned below. After trying the preview, you can explore other +ways of self-hosting Ente on your server as described in the documentation. ## Requirements - A system with at least 1 GB of RAM and 1 CPU core - [Docker Compose v2](https://docs.docker.com/compose/) -> For more details, check out [requirements page](/self-hosting/install/requirements) +> For more details, check out the +> [requirements page](/self-hosting/install/requirements). ## Set up the server @@ -25,7 +29,9 @@ Run this command on your terminal to setup Ente. sh -c "$(curl -fsSL https://raw.githubusercontent.com/ente-io/ente/main/server/quickstart.sh)" ``` -The above command creates a directory `my-ente` in the current working directory, prompts to start the cluster after pulling the images and starts all the containers required to run Ente. +The above command creates a directory `my-ente` in the current working +directory, prompts to start the cluster with needed containers after pulling the +images required to run Ente. ![quickstart](/quickstart.png) @@ -33,7 +39,9 @@ The above command creates a directory `my-ente` in the current working directory The first user to be registered will be treated as the admin user. -Open the web app at `http://:3000` (or `http://localhost:3000` if using on same local machine) and select **Don't have an account?** to create a new user. +Open Ente Photos web app at `http://:3000` (or `http://localhost:3000` if +using on same local machine) and select **Don't have an account?** to create a +new user. ![Onboarding Screen](/onboarding.png) @@ -41,16 +49,49 @@ Follow the prompts to sign up. ![Sign Up Page](/sign-up.png) -You will be prompted to enter verification code. Check the cluster logs using `sudo docker compose logs` and enter the same. +You will be prompted to enter verification code. Check the cluster logs using +`sudo docker compose logs` and enter the same. ![Verification Code](/otp.png) +Upload a picture via the web user interface. + +Alternatively, if using Ente Auth, get started by adding an account (assuming you are running Ente Auth at `http://:3002` or `http://localhost:3002`). + ## Try the mobile app +### Install the Mobile App +You can install Ente Photos by following the [installation section](/photos/faq/installing). + +Alternatively, you can install Ente Auth (if you are planning to use Auth) by following the [installation section](/auth/faq/installing). + +### Login to the Mobile App + +Tap the onboarding screen 7 times to modify developer settings. + +

+Developer Settings +
+ +
+Enter your Ente server's endpoint. +
+ +
+Developer Settings - Server Endpoint +
+ +You should be able to access the uploaded picture from the web user interface. ## What next? +Now that you have spinned up a cluster in quick manner, you may wish to install using a different way for your needs. Check the "Install" section for information regarding that. + +You can import your pictures from Google Takeout or from other services to Ente Photos. For more information, check out our [migration guide](/photos/migration/). + +You can import your codes from other authenticator providers to Ente Auth. Check out the [migration guide](/auth/migration/) for more information. + ## Queries? diff --git a/docs/docs/self-hosting/install/from-source.md b/docs/docs/self-hosting/install/from-source.md index 6b2c168ab2..b3f1ebc5d2 100644 --- a/docs/docs/self-hosting/install/from-source.md +++ b/docs/docs/self-hosting/install/from-source.md @@ -7,7 +7,8 @@ description: Getting started self hosting Ente Photos and/or Ente Auth ## Installing Docker -Refer to [How to install Docker from the APT repository](https://docs.docker.com/engine/install/ubuntu/#install-using-the-repository) +Refer to +[How to install Docker from the APT repository](https://docs.docker.com/engine/install/ubuntu/#install-using-the-repository) for detailed instructions. ## Start the server diff --git a/docs/docs/self-hosting/install/quickstart.md b/docs/docs/self-hosting/install/quickstart.md index 00d3de1373..e7311f5cc7 100644 --- a/docs/docs/self-hosting/install/quickstart.md +++ b/docs/docs/self-hosting/install/quickstart.md @@ -5,11 +5,13 @@ description: Self-hosting Ente with quickstart script # Quickstart -We provide a quickstart script which can be used for self-hosting Ente on your machine. +We provide a quickstart script which can be used for self-hosting Ente on your +machine. ## Requirements -Check out the [requirements](/self-hosting/install/requirements) page to get started. +Check out the [requirements](/self-hosting/install/requirements) page to get +started. ## Getting started @@ -20,7 +22,8 @@ sh -c "$(curl -fsSL https://raw.githubusercontent.com/ente-io/ente/main/server/q ``` The above `curl` command pulls the Docker image, creates a directory `my-ente` -in the current working directory, prompts to start the cluster and starts all the containers required to run Ente. +in the current working directory, prompts to start the cluster and starts all +the containers required to run Ente. ![quickstart](/quickstart.png) diff --git a/docs/docs/self-hosting/install/requirements.md b/docs/docs/self-hosting/install/requirements.md index 07d237751d..95b4699e8f 100644 --- a/docs/docs/self-hosting/install/requirements.md +++ b/docs/docs/self-hosting/install/requirements.md @@ -23,9 +23,10 @@ experience with Docker and difficulty with troubleshooting and assistance. ### Docker Required for running Ente's server, web application and dependent services -(database and object storage). Ente also requires **Docker Compose plugin** to be installed. +(database and object storage). Ente also requires **Docker Compose plugin** to +be installed. -> [!NOTE] -> Ente requires **Docker Compose version 2.25 or higher**. -> -> Furthermore, Ente uses the command `docker compose`, `docker-compose` is no longer supported. \ No newline at end of file +> [!NOTE] Ente requires **Docker Compose version 2.25 or higher**. +> +> Furthermore, Ente uses the command `docker compose`, `docker-compose` is no +> longer supported. diff --git a/docs/docs/self-hosting/install/standalone-ente.md b/docs/docs/self-hosting/install/standalone-ente.md index 56c4f180d6..adaf444594 100644 --- a/docs/docs/self-hosting/install/standalone-ente.md +++ b/docs/docs/self-hosting/install/standalone-ente.md @@ -17,7 +17,7 @@ development. brew install go ``` - For Debian/Ubuntu-based distros - ``` sh + ```sh sudo apt update && sudo apt upgrade sudo apt install golang-go ``` @@ -33,7 +33,7 @@ Alternatively, you can also download the latest binaries from brew install libsodium ``` - For Debian/Ubuntu-based distros - ``` sh + ```sh sudo apt install postgresql sudo apt install libsodium23 libsodium-dev ``` @@ -47,7 +47,7 @@ Install `pkg-config` brew install pkg-config ``` - For Debian/Ubuntu-based distros - ``` sh + ```sh sudo apt install pkg-config ``` @@ -63,9 +63,9 @@ Depending on the operating system type, the path for postgres binary or configuration file might be different, please check if the command keeps failing for you. -Ideally, if you are on a Linux system with `systemd` as the initialization ("init") system. You can also -start postgres as a systemd service. After Installation execute the following -commands: +Ideally, if you are on a Linux system with `systemd` as the initialization +("init") system. You can also start postgres as a systemd service. After +Installation execute the following commands: ```sh sudo systemctl enable postgresql diff --git a/docs/docs/self-hosting/troubleshooting/docker.md b/docs/docs/self-hosting/troubleshooting/docker.md index 158b8a63fc..840504ca65 100644 --- a/docs/docs/self-hosting/troubleshooting/docker.md +++ b/docs/docs/self-hosting/troubleshooting/docker.md @@ -138,7 +138,10 @@ afresh for it. ## MinIO provisioning error -If you have used our quickstart script for self-hosting Ente (new users will be unaffected) and are using the default MinIO container for object storage, you may run into issues while starting the cluster after pulling latest images with provisioning MinIO and creating buckets. +If you have used our quickstart script for self-hosting Ente (new users will be +unaffected) and are using the default MinIO container for object storage, you +may run into issues while starting the cluster after pulling latest images with +provisioning MinIO and creating buckets. You may encounter similar logs while trying to start the cluster: @@ -148,14 +151,18 @@ my-ente-minio-1 -> | Waiting for minio... my-ente-minio-1 -> | Waiting for minio... ``` -MinIO has deprecated the `mc config` command in favor of `mc alias set` resulting in failure in execution of the command for creating bucket using `post_start` hook. +MinIO has deprecated the `mc config` command in favor of `mc alias set` +resulting in failure in execution of the command for creating bucket using +`post_start` hook. -This can be resolved by changing `mc config host h0 add http://minio:3200 $minio_user $minio_pass` to `mc alias set h0 http://minio:3200 $minio_user $minio_pass` +This can be resolved by changing +`mc config host h0 add http://minio:3200 $minio_user $minio_pass` to +`mc alias set h0 http://minio:3200 $minio_user $minio_pass` Thus the updated `post_start` will look as follows for `minio` service: -``` yaml - minio: +```yaml + minio: ... post_start: - command: | @@ -174,4 +181,4 @@ Thus the updated `post_start` will look as follows for `minio` service: mc mb -p wasabi-eu-central-2-v3 mc mb -p scw-eu-fr-v3 ' -``` \ No newline at end of file +``` From a475cc9933e2fca69add2b2043b7b37de42d680d Mon Sep 17 00:00:00 2001 From: ashilkn Date: Mon, 14 Jul 2025 15:18:28 +0530 Subject: [PATCH 041/302] Create a new scrollbar tha works like a normal scrollbar but intended to also show scroll positions of different years. UI works, need to next show the actual values at positions --- .../photos/lib/ui/viewer/gallery/gallery.dart | 5 +- ...upertino_scroll_bar_with_use_notifier.dart | 234 ++++++++++ .../scrollbar/custom_scroll_bar_2.dart | 102 +++++ .../scroll_bar_with_use_notifier.dart | 433 ++++++++++++++++++ 4 files changed, 771 insertions(+), 3 deletions(-) create mode 100644 mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/cupertino_scroll_bar_with_use_notifier.dart create mode 100644 mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart create mode 100644 mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/scroll_bar_with_use_notifier.dart diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 55141f12ba..8d4364573d 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -17,8 +17,8 @@ import 'package:photos/ui/common/loading_widget.dart'; import "package:photos/ui/viewer/gallery/component/group/group_header_widget.dart"; import "package:photos/ui/viewer/gallery/component/group/type.dart"; import "package:photos/ui/viewer/gallery/component/sectioned_sliver_list.dart"; -import "package:photos/ui/viewer/gallery/custom_scroll_bar.dart"; import 'package:photos/ui/viewer/gallery/empty_state.dart'; +import "package:photos/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart"; import "package:photos/ui/viewer/gallery/state/gallery_context_state.dart"; import "package:photos/ui/viewer/gallery/state/gallery_files_inherited_widget.dart"; import "package:photos/ui/viewer/gallery/state/inherited_search_filter_data.dart"; @@ -477,9 +477,8 @@ class GalleryState extends State { // widget.showSelectAllByDefault && widget.groupType.showGroupHeader(), // isScrollablePositionedList: widget.isScrollablePositionedList, // ), - child: CustomScrollBar( + child: CustomScrollBar2( scrollController: _scrollController, - galleryGroups: galleryGroups, child: Stack( key: _stackKey, clipBehavior: Clip.none, diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/cupertino_scroll_bar_with_use_notifier.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/cupertino_scroll_bar_with_use_notifier.dart new file mode 100644 index 0000000000..c6a944f325 --- /dev/null +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/cupertino_scroll_bar_with_use_notifier.dart @@ -0,0 +1,234 @@ +// Modified CupertinoScrollbar that accepts a ValueNotifier to indicate +// if the scrollbar is in use. In flutter CupertinoScrollbar is in a different +// file where as MaterialScrollbar is in the same file as ScrollBar. So +// following the same convention by create a separate file for +// CupertinoScrollbarWithUseNotifier. + +// Copyright 2014 The Flutter Authors. All rights reserved. +// Use of this source code is governed by a BSD-style license that can be +// found in the LICENSE file. + +import "package:flutter/cupertino.dart"; +import 'package:flutter/services.dart'; + +// All values eyeballed. +const double _kScrollbarMinLength = 36.0; +const double _kScrollbarMinOverscrollLength = 8.0; +const Duration _kScrollbarTimeToFade = Duration(milliseconds: 1200); +const Duration _kScrollbarFadeDuration = Duration(milliseconds: 250); +const Duration _kScrollbarResizeDuration = Duration(milliseconds: 100); + +// Extracted from iOS 13.1 beta using Debug View Hierarchy. +const Color _kScrollbarColor = CupertinoDynamicColor.withBrightness( + color: Color(0x59000000), + darkColor: Color(0x80FFFFFF), +); + +// This is the amount of space from the top of a vertical scrollbar to the +// top edge of the scrollable, measured when the vertical scrollbar overscrolls +// to the top. +// TODO(LongCatIsLooong): fix https://github.com/flutter/flutter/issues/32175 +const double _kScrollbarMainAxisMargin = 3.0; +const double _kScrollbarCrossAxisMargin = 3.0; + +/// An iOS style scrollbar. +/// +/// To add a scrollbar to a [ScrollView], wrap the scroll view widget in +/// a [CupertinoScrollbarWithUseNotifier] widget. +/// +/// {@youtube 560 315 https://www.youtube.com/watch?v=DbkIQSvwnZc} +/// +/// {@macro flutter.widgets.Scrollbar} +/// +/// When dragging a [CupertinoScrollbarWithUseNotifier] thumb, the thickness and radius will +/// animate from [thickness] and [radius] to [thicknessWhileDragging] and +/// [radiusWhileDragging], respectively. +/// +/// {@tool dartpad} +/// This sample shows a [CupertinoScrollbarWithUseNotifier] that fades in and out of view as scrolling occurs. +/// The scrollbar will fade into view as the user scrolls, and fade out when scrolling stops. +/// The `thickness` of the scrollbar will animate from 6 pixels to the `thicknessWhileDragging` of 10 +/// when it is dragged by the user. The `radius` of the scrollbar thumb corners will animate from 34 +/// to the `radiusWhileDragging` of 0 when the scrollbar is being dragged by the user. +/// +/// ** See code in examples/api/lib/cupertino/scrollbar/cupertino_scrollbar.0.dart ** +/// {@end-tool} +/// +/// {@tool dartpad} +/// When [thumbVisibility] is true, the scrollbar thumb will remain visible without the +/// fade animation. This requires that a [ScrollController] is provided to controller, +/// or that the [PrimaryScrollController] is available. +/// +/// ** See code in examples/api/lib/cupertino/scrollbar/cupertino_scrollbar.1.dart ** +/// {@end-tool} +/// +/// See also: +/// +/// * [ListView], which displays a linear, scrollable list of children. +/// * [GridView], which displays a 2 dimensional, scrollable array of children. +/// * [Scrollbar], a Material Design scrollbar. +/// * [RawScrollbar], a basic scrollbar that fades in and out, extended +/// by this class to add more animations and behaviors. +class CupertinoScrollbarWithUseNotifier extends RawScrollbar { + /// Creates an iOS style scrollbar that wraps the given [child]. + /// + /// The [child] should be a source of [ScrollNotification] notifications, + /// typically a [Scrollable] widget. + + final ValueNotifier inUseNotifier; + const CupertinoScrollbarWithUseNotifier({ + super.key, + required super.child, + required this.inUseNotifier, + super.controller, + bool? thumbVisibility, + double super.thickness = defaultThickness, + this.thicknessWhileDragging = defaultThicknessWhileDragging, + Radius super.radius = defaultRadius, + this.radiusWhileDragging = defaultRadiusWhileDragging, + ScrollNotificationPredicate? notificationPredicate, + super.scrollbarOrientation, + }) : assert(thickness < double.infinity), + assert(thicknessWhileDragging < double.infinity), + super( + thumbVisibility: thumbVisibility ?? false, + fadeDuration: _kScrollbarFadeDuration, + timeToFade: _kScrollbarTimeToFade, + pressDuration: const Duration(milliseconds: 100), + notificationPredicate: + notificationPredicate ?? defaultScrollNotificationPredicate, + ); + + /// Default value for [thickness] if it's not specified in [CupertinoScrollbarWithUseNotifier]. + static const double defaultThickness = 3; + + /// Default value for [thicknessWhileDragging] if it's not specified in + /// [CupertinoScrollbarWithUseNotifier]. + static const double defaultThicknessWhileDragging = 8.0; + + /// Default value for [radius] if it's not specified in [CupertinoScrollbarWithUseNotifier]. + static const Radius defaultRadius = Radius.circular(1.5); + + /// Default value for [radiusWhileDragging] if it's not specified in + /// [CupertinoScrollbarWithUseNotifier]. + static const Radius defaultRadiusWhileDragging = Radius.circular(4.0); + + /// The thickness of the scrollbar when it's being dragged by the user. + /// + /// When the user starts dragging the scrollbar, the thickness will animate + /// from [thickness] to this value, then animate back when the user stops + /// dragging the scrollbar. + final double thicknessWhileDragging; + + /// The radius of the scrollbar edges when the scrollbar is being dragged by + /// the user. + /// + /// When the user starts dragging the scrollbar, the radius will animate + /// from [radius] to this value, then animate back when the user stops + /// dragging the scrollbar. + final Radius radiusWhileDragging; + + @override + RawScrollbarState createState() => + _CupertinoScrollbarState(); +} + +class _CupertinoScrollbarState + extends RawScrollbarState { + late AnimationController _thicknessAnimationController; + + double get _thickness { + return widget.thickness! + + _thicknessAnimationController.value * + (widget.thicknessWhileDragging - widget.thickness!); + } + + Radius get _radius { + return Radius.lerp( + widget.radius, + widget.radiusWhileDragging, + _thicknessAnimationController.value, + )!; + } + + @override + void initState() { + super.initState(); + _thicknessAnimationController = AnimationController( + vsync: this, + duration: _kScrollbarResizeDuration, + ); + _thicknessAnimationController.addListener(() { + updateScrollbarPainter(); + }); + } + + @override + void updateScrollbarPainter() { + scrollbarPainter + ..color = CupertinoDynamicColor.resolve(_kScrollbarColor, context) + ..textDirection = Directionality.of(context) + ..thickness = _thickness + ..mainAxisMargin = _kScrollbarMainAxisMargin + ..crossAxisMargin = _kScrollbarCrossAxisMargin + ..radius = _radius + ..padding = MediaQuery.paddingOf(context) + ..minLength = _kScrollbarMinLength + ..minOverscrollLength = _kScrollbarMinOverscrollLength + ..scrollbarOrientation = widget.scrollbarOrientation; + } + + double _pressStartAxisPosition = 0.0; + + // Long press event callbacks handle the gesture where the user long presses + // on the scrollbar thumb and then drags the scrollbar without releasing. + + @override + void handleThumbPressStart(Offset localPosition) { + super.handleThumbPressStart(localPosition); + widget.inUseNotifier.value = true; + final Axis? direction = getScrollbarDirection(); + if (direction == null) { + return; + } + _pressStartAxisPosition = switch (direction) { + Axis.vertical => localPosition.dy, + Axis.horizontal => localPosition.dx, + }; + } + + @override + void handleThumbPress() { + if (getScrollbarDirection() == null) { + return; + } + super.handleThumbPress(); + _thicknessAnimationController.forward().then( + (_) => HapticFeedback.mediumImpact(), + ); + } + + @override + void handleThumbPressEnd(Offset localPosition, Velocity velocity) { + widget.inUseNotifier.value = false; + final Axis? direction = getScrollbarDirection(); + if (direction == null) { + return; + } + _thicknessAnimationController.reverse(); + super.handleThumbPressEnd(localPosition, velocity); + final (double axisPosition, double axisVelocity) = switch (direction) { + Axis.horizontal => (localPosition.dx, velocity.pixelsPerSecond.dx), + Axis.vertical => (localPosition.dy, velocity.pixelsPerSecond.dy), + }; + if (axisPosition != _pressStartAxisPosition && axisVelocity.abs() < 10) { + HapticFeedback.mediumImpact(); + } + } + + @override + void dispose() { + _thicknessAnimationController.dispose(); + super.dispose(); + } +} diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart new file mode 100644 index 0000000000..968196013d --- /dev/null +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart @@ -0,0 +1,102 @@ +import "package:flutter/material.dart"; +import "package:photos/ui/viewer/gallery/scrollbar/scroll_bar_with_use_notifier.dart"; + +class CustomScrollBar2 extends StatefulWidget { + final Widget child; + final ScrollController scrollController; + const CustomScrollBar2({ + super.key, + required this.child, + required this.scrollController, + }); + + @override + State createState() => _CustomScrollBar2State(); +} + +class _CustomScrollBar2State extends State { + final inUseNotifier = ValueNotifier(false); + @override + Widget build(BuildContext context) { + return Stack( + clipBehavior: Clip.none, + alignment: Alignment.centerLeft, + children: [ + ScrollbarWithUseNotifer( + controller: widget.scrollController, + interactive: true, + inUseNotifier: inUseNotifier, + child: widget.child, + ), + ValueListenableBuilder( + valueListenable: inUseNotifier, + builder: (context, inUse, _) { + return AnimatedSwitcher( + duration: const Duration(milliseconds: 250), + switchInCurve: Curves.easeInOut, + switchOutCurve: Curves.easeInOut, + child: !inUse + ? const SizedBox.shrink() + : Stack( + children: [ + Positioned( + top: 50, + right: 24, + child: Container( + color: Colors.teal, + child: const Center( + child: Text( + 'Item 1', + style: TextStyle(color: Colors.white), + ), + ), + ), + ), + Positioned( + top: 100, + right: 24, + child: Container( + color: Colors.teal, + child: const Center( + child: Text( + 'Item 2', + style: TextStyle(color: Colors.white), + ), + ), + ), + ), + Positioned( + top: 250, + right: 24, + child: Container( + color: Colors.teal, + child: const Center( + child: Text( + 'Item 3', + style: TextStyle(color: Colors.white), + ), + ), + ), + ), + Positioned( + top: 400, + right: 24, + child: Container( + color: Colors.teal, + child: const Center( + child: Text( + 'Item 4', + style: TextStyle(color: Colors.white), + ), + ), + ), + ), + ], + ), + ); + }, + ), + ], + ); + } +} diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/scroll_bar_with_use_notifier.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/scroll_bar_with_use_notifier.dart new file mode 100644 index 0000000000..282e331510 --- /dev/null +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/scroll_bar_with_use_notifier.dart @@ -0,0 +1,433 @@ +// Modified Scrollbar that accepts a ValueNotifier to indicate if the +// scrollbar is in use + +// Copyright 2014 The Flutter Authors. All rights reserved. +// Use of this source code is governed by a BSD-style license that can be +// found in the LICENSE file. + +import 'package:flutter/cupertino.dart'; +import 'package:flutter/gestures.dart'; +import "package:flutter/material.dart"; +import "package:photos/ui/viewer/gallery/scrollbar/cupertino_scroll_bar_with_use_notifier.dart"; + +const double _kScrollbarThickness = 8.0; +const double _kScrollbarThicknessWithTrack = 12.0; +const double _kScrollbarMargin = 2.0; +const double _kScrollbarMinLength = 48.0; +const Radius _kScrollbarRadius = Radius.circular(8.0); +const Duration _kScrollbarFadeDuration = Duration(milliseconds: 300); +const Duration _kScrollbarTimeToFade = Duration(milliseconds: 600); + +/// A Material Design scrollbar. +/// +/// To add a scrollbar to a [ScrollView], wrap the scroll view +/// widget in a [ScrollbarWithUseNotifer] widget. +/// +/// {@youtube 560 315 https://www.youtube.com/watch?v=DbkIQSvwnZc} +/// +/// {@macro flutter.widgets.Scrollbar} +/// +/// Dynamically changes to a [CupertinoScrollbar], an iOS style scrollbar, by +/// default on the iOS platform. +/// +/// The color of the Scrollbar thumb will change when [MaterialState.dragged], +/// or [MaterialState.hovered] on desktop and web platforms. These stateful +/// color choices can be changed using [ScrollbarThemeData.thumbColor]. +/// +/// {@tool dartpad} +/// This sample shows a [ScrollbarWithUseNotifer] that executes a fade animation as scrolling +/// occurs. The Scrollbar will fade into view as the user scrolls, and fade out +/// when scrolling stops. +/// +/// ** See code in examples/api/lib/material/scrollbar/scrollbar.0.dart ** +/// {@end-tool} +/// +/// {@tool dartpad} +/// When [thumbVisibility] is true, the scrollbar thumb will remain visible +/// without the fade animation. This requires that a [ScrollController] is +/// provided to controller, or that the [PrimaryScrollController] is available. +/// +/// When a [ScrollView.scrollDirection] is [Axis.horizontal], it is recommended +/// that the [ScrollbarWithUseNotifer] is always visible, since scrolling in the horizontal +/// axis is less discoverable. +/// +/// ** See code in examples/api/lib/material/scrollbar/scrollbar.1.dart ** +/// {@end-tool} +/// +/// A scrollbar track can be added using [trackVisibility]. This can also be +/// drawn when triggered by a hover event, or based on any [MaterialState] by +/// using [ScrollbarThemeData.trackVisibility]. +/// +/// The [thickness] of the track and scrollbar thumb can be changed dynamically +/// in response to [MaterialState]s using [ScrollbarThemeData.thickness]. +/// +/// See also: +/// +/// * [RawScrollbar], a basic scrollbar that fades in and out, extended +/// by this class to add more animations and behaviors. +/// * [ScrollbarTheme], which configures the Scrollbar's appearance. +/// * [CupertinoScrollbar], an iOS style scrollbar. +/// * [ListView], which displays a linear, scrollable list of children. +/// * [GridView], which displays a 2 dimensional, scrollable array of children. +class ScrollbarWithUseNotifer extends StatelessWidget { + /// Creates a Material Design scrollbar that by default will connect to the + /// closest Scrollable descendant of [child]. + /// + /// The [child] should be a source of [ScrollNotification] notifications, + /// typically a [Scrollable] widget. + /// + /// If the [controller] is null, the default behavior is to + /// enable scrollbar dragging using the [PrimaryScrollController]. + /// + /// When null, [thickness] defaults to 8.0 pixels on desktop and web, and 4.0 + /// pixels when on mobile platforms. A null [radius] will result in a default + /// of an 8.0 pixel circular radius about the corners of the scrollbar thumb, + /// except for when executing on [TargetPlatform.android], which will render the + /// thumb without a radius. + const ScrollbarWithUseNotifer({ + super.key, + required this.child, + required this.inUseNotifier, + this.controller, + this.thumbVisibility, + this.trackVisibility, + this.thickness, + this.radius, + this.notificationPredicate, + this.interactive, + this.scrollbarOrientation, + }); + + /// {@macro flutter.widgets.Scrollbar.child} + final Widget child; + + /// {@macro flutter.widgets.Scrollbar.controller} + final ScrollController? controller; + + /// {@macro flutter.widgets.Scrollbar.thumbVisibility} + /// + /// If this property is null, then [ScrollbarThemeData.thumbVisibility] of + /// [ThemeData.scrollbarTheme] is used. If that is also null, the default value + /// is false. + /// + /// If the thumb visibility is related to the scrollbar's material state, + /// use the global [ScrollbarThemeData.thumbVisibility] or override the + /// sub-tree's theme data. + final bool? thumbVisibility; + + /// {@macro flutter.widgets.Scrollbar.trackVisibility} + /// + /// If this property is null, then [ScrollbarThemeData.trackVisibility] of + /// [ThemeData.scrollbarTheme] is used. If that is also null, the default value + /// is false. + /// + /// If the track visibility is related to the scrollbar's material state, + /// use the global [ScrollbarThemeData.trackVisibility] or override the + /// sub-tree's theme data. + final bool? trackVisibility; + + /// The thickness of the scrollbar in the cross axis of the scrollable. + /// + /// If null, the default value is platform dependent. On [TargetPlatform.android], + /// the default thickness is 4.0 pixels. On [TargetPlatform.iOS], + /// [CupertinoScrollbar.defaultThickness] is used. The remaining platforms have a + /// default thickness of 8.0 pixels. + final double? thickness; + + /// The [Radius] of the scrollbar thumb's rounded rectangle corners. + /// + /// If null, the default value is platform dependent. On [TargetPlatform.android], + /// no radius is applied to the scrollbar thumb. On [TargetPlatform.iOS], + /// [CupertinoScrollbar.defaultRadius] is used. The remaining platforms have a + /// default [Radius.circular] of 8.0 pixels. + final Radius? radius; + + /// {@macro flutter.widgets.Scrollbar.interactive} + final bool? interactive; + + /// {@macro flutter.widgets.Scrollbar.notificationPredicate} + final ScrollNotificationPredicate? notificationPredicate; + + /// {@macro flutter.widgets.Scrollbar.scrollbarOrientation} + final ScrollbarOrientation? scrollbarOrientation; + + final ValueNotifier inUseNotifier; + + @override + Widget build(BuildContext context) { + if (Theme.of(context).platform == TargetPlatform.iOS) { + return CupertinoScrollbarWithUseNotifier( + thumbVisibility: thumbVisibility ?? false, + thickness: thickness ?? CupertinoScrollbar.defaultThickness, + thicknessWhileDragging: + thickness ?? CupertinoScrollbar.defaultThicknessWhileDragging, + radius: radius ?? CupertinoScrollbar.defaultRadius, + radiusWhileDragging: + radius ?? CupertinoScrollbar.defaultRadiusWhileDragging, + controller: controller, + notificationPredicate: notificationPredicate, + scrollbarOrientation: scrollbarOrientation, + inUseNotifier: inUseNotifier, + child: child, + ); + } + return _MaterialScrollbar( + controller: controller, + thumbVisibility: thumbVisibility, + trackVisibility: trackVisibility, + thickness: thickness, + radius: radius, + notificationPredicate: notificationPredicate, + interactive: interactive, + scrollbarOrientation: scrollbarOrientation, + inUseNotifier: inUseNotifier, + child: child, + ); + } +} + +class _MaterialScrollbar extends RawScrollbar { + final ValueNotifier inUseNotifier; + const _MaterialScrollbar({ + required super.child, + required this.inUseNotifier, + super.controller, + super.thumbVisibility, + super.trackVisibility, + super.thickness, + super.radius, + ScrollNotificationPredicate? notificationPredicate, + super.interactive, + super.scrollbarOrientation, + }) : super( + fadeDuration: _kScrollbarFadeDuration, + timeToFade: _kScrollbarTimeToFade, + pressDuration: Duration.zero, + notificationPredicate: + notificationPredicate ?? defaultScrollNotificationPredicate, + ); + + @override + _MaterialScrollbarState createState() => _MaterialScrollbarState(); +} + +class _MaterialScrollbarState extends RawScrollbarState<_MaterialScrollbar> { + late AnimationController _hoverAnimationController; + bool _dragIsActive = false; + bool _hoverIsActive = false; + late ColorScheme _colorScheme; + late ScrollbarThemeData _scrollbarTheme; + // On Android, scrollbars should match native appearance. + late bool _useAndroidScrollbar; + + @override + bool get showScrollbar => + widget.thumbVisibility ?? + _scrollbarTheme.thumbVisibility?.resolve(_states) ?? + false; + + @override + bool get enableGestures => + widget.interactive ?? + _scrollbarTheme.interactive ?? + !_useAndroidScrollbar; + + MaterialStateProperty get _trackVisibility => + MaterialStateProperty.resolveWith((Set states) { + return widget.trackVisibility ?? + _scrollbarTheme.trackVisibility?.resolve(states) ?? + false; + }); + + Set get _states => { + if (_dragIsActive) MaterialState.dragged, + if (_hoverIsActive) MaterialState.hovered, + }; + + MaterialStateProperty get _thumbColor { + final Color onSurface = _colorScheme.onSurface; + final Brightness brightness = _colorScheme.brightness; + late Color dragColor; + late Color hoverColor; + late Color idleColor; + switch (brightness) { + case Brightness.light: + dragColor = onSurface.withOpacity(0.6); + hoverColor = onSurface.withOpacity(0.5); + idleColor = _useAndroidScrollbar + ? Theme.of(context).highlightColor.withOpacity(1.0) + : onSurface.withOpacity(0.1); + case Brightness.dark: + dragColor = onSurface.withOpacity(0.75); + hoverColor = onSurface.withOpacity(0.65); + idleColor = _useAndroidScrollbar + ? Theme.of(context).highlightColor.withOpacity(1.0) + : onSurface.withOpacity(0.3); + } + + return MaterialStateProperty.resolveWith((Set states) { + if (states.contains(MaterialState.dragged)) { + return _scrollbarTheme.thumbColor?.resolve(states) ?? dragColor; + } + + // If the track is visible, the thumb color hover animation is ignored and + // changes immediately. + if (_trackVisibility.resolve(states)) { + return _scrollbarTheme.thumbColor?.resolve(states) ?? hoverColor; + } + + return Color.lerp( + _scrollbarTheme.thumbColor?.resolve(states) ?? idleColor, + _scrollbarTheme.thumbColor?.resolve(states) ?? hoverColor, + _hoverAnimationController.value, + )!; + }); + } + + MaterialStateProperty get _trackColor { + final Color onSurface = _colorScheme.onSurface; + final Brightness brightness = _colorScheme.brightness; + return MaterialStateProperty.resolveWith((Set states) { + if (showScrollbar && _trackVisibility.resolve(states)) { + return _scrollbarTheme.trackColor?.resolve(states) ?? + switch (brightness) { + Brightness.light => onSurface.withOpacity(0.03), + Brightness.dark => onSurface.withOpacity(0.05), + }; + } + return const Color(0x00000000); + }); + } + + MaterialStateProperty get _trackBorderColor { + final Color onSurface = _colorScheme.onSurface; + final Brightness brightness = _colorScheme.brightness; + return MaterialStateProperty.resolveWith((Set states) { + if (showScrollbar && _trackVisibility.resolve(states)) { + return _scrollbarTheme.trackBorderColor?.resolve(states) ?? + switch (brightness) { + Brightness.light => onSurface.withOpacity(0.1), + Brightness.dark => onSurface.withOpacity(0.25), + }; + } + return const Color(0x00000000); + }); + } + + MaterialStateProperty get _thickness { + return MaterialStateProperty.resolveWith((Set states) { + if (states.contains(MaterialState.hovered) && + _trackVisibility.resolve(states)) { + return widget.thickness ?? + _scrollbarTheme.thickness?.resolve(states) ?? + _kScrollbarThicknessWithTrack; + } + // The default scrollbar thickness is smaller on mobile. + return widget.thickness ?? + _scrollbarTheme.thickness?.resolve(states) ?? + (_kScrollbarThickness / (_useAndroidScrollbar ? 2 : 1)); + }); + } + + @override + void initState() { + super.initState(); + _hoverAnimationController = AnimationController( + vsync: this, + duration: const Duration(milliseconds: 200), + ); + _hoverAnimationController.addListener(() { + updateScrollbarPainter(); + }); + } + + @override + void didChangeDependencies() { + final ThemeData theme = Theme.of(context); + _colorScheme = theme.colorScheme; + _scrollbarTheme = ScrollbarTheme.of(context); + switch (theme.platform) { + case TargetPlatform.android: + _useAndroidScrollbar = true; + case TargetPlatform.iOS: + case TargetPlatform.linux: + case TargetPlatform.fuchsia: + case TargetPlatform.macOS: + case TargetPlatform.windows: + _useAndroidScrollbar = false; + } + super.didChangeDependencies(); + } + + @override + void updateScrollbarPainter() { + scrollbarPainter + ..color = _thumbColor.resolve(_states) + ..trackColor = _trackColor.resolve(_states) + ..trackBorderColor = _trackBorderColor.resolve(_states) + ..textDirection = Directionality.of(context) + ..thickness = _thickness.resolve(_states) + ..radius = widget.radius ?? + _scrollbarTheme.radius ?? + (_useAndroidScrollbar ? null : _kScrollbarRadius) + ..crossAxisMargin = _scrollbarTheme.crossAxisMargin ?? + (_useAndroidScrollbar ? 0.0 : _kScrollbarMargin) + ..mainAxisMargin = _scrollbarTheme.mainAxisMargin ?? 0.0 + ..minLength = _scrollbarTheme.minThumbLength ?? _kScrollbarMinLength + ..padding = MediaQuery.paddingOf(context) + ..scrollbarOrientation = widget.scrollbarOrientation + ..ignorePointer = !enableGestures; + } + + @override + void handleThumbPressStart(Offset localPosition) { + super.handleThumbPressStart(localPosition); + setState(() { + _dragIsActive = true; + widget.inUseNotifier.value = true; + }); + } + + @override + void handleThumbPressEnd(Offset localPosition, Velocity velocity) { + super.handleThumbPressEnd(localPosition, velocity); + setState(() { + _dragIsActive = false; + widget.inUseNotifier.value = false; + }); + } + + @override + void handleHover(PointerHoverEvent event) { + super.handleHover(event); + // Check if the position of the pointer falls over the painted scrollbar + if (isPointerOverScrollbar(event.position, event.kind, forHover: true)) { + // Pointer is hovering over the scrollbar + setState(() { + _hoverIsActive = true; + }); + _hoverAnimationController.forward(); + } else if (_hoverIsActive) { + // Pointer was, but is no longer over painted scrollbar. + setState(() { + _hoverIsActive = false; + }); + _hoverAnimationController.reverse(); + } + } + + @override + void handleHoverExit(PointerExitEvent event) { + super.handleHoverExit(event); + setState(() { + _hoverIsActive = false; + }); + _hoverAnimationController.reverse(); + } + + @override + void dispose() { + _hoverAnimationController.dispose(); + super.dispose(); + } +} From 880594398db60e7081b22aa1bc1574cc098d56a5 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Mon, 14 Jul 2025 18:27:52 +0530 Subject: [PATCH 042/302] Make the scrollbar divisions meant for years actually show years --- .../lib/models/gallery/gallery_sections.dart | 28 ++- .../photos/lib/ui/viewer/gallery/gallery.dart | 1 + .../scrollbar/custom_scroll_bar_2.dart | 191 ++++++++++++------ 3 files changed, 151 insertions(+), 69 deletions(-) diff --git a/mobile/apps/photos/lib/models/gallery/gallery_sections.dart b/mobile/apps/photos/lib/models/gallery/gallery_sections.dart index 9438fe685e..5b418d4365 100644 --- a/mobile/apps/photos/lib/models/gallery/gallery_sections.dart +++ b/mobile/apps/photos/lib/models/gallery/gallery_sections.dart @@ -11,6 +11,7 @@ import "package:photos/service_locator.dart"; import "package:photos/ui/viewer/gallery/component/gallery_file_widget.dart"; import "package:photos/ui/viewer/gallery/component/group/group_header_widget.dart"; import "package:photos/ui/viewer/gallery/component/group/type.dart"; +import "package:photos/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart"; import "package:uuid/uuid.dart"; class GalleryGroups { @@ -49,7 +50,9 @@ class GalleryGroups { final Map> _groupIdToFilesMap = {}; final Map _groupIdToHeaderDataMap = {}; final Map _scrollOffsetToGroupIdMap = {}; + final Map _groupIdToScrollOffsetMap = {}; final List _groupScrollOffsets = []; + final List _scrollbarDivisions = []; final currentUserID = Configuration.instance.getUserID(); final _uuid = const Uuid(); @@ -58,8 +61,10 @@ class GalleryGroups { Map get groupIdToheaderDataMap => _groupIdToHeaderDataMap; Map get scrollOffsetToGroupIdMap => _scrollOffsetToGroupIdMap; + Map get groupIdToScrollOffsetMap => _groupIdToScrollOffsetMap; List get groupLayouts => _groupLayouts; List get groupScrollOffsets => _groupScrollOffsets; + List get scrollbarDivisions => _scrollbarDivisions; void init() { _buildGroups(); @@ -70,6 +75,9 @@ class GalleryGroups { assert( groupIDs.length == _scrollOffsetToGroupIdMap.length, ); + assert( + groupIDs.length == _groupIdToScrollOffsetMap.length, + ); assert(groupIDs.length == _groupScrollOffsets.length); } @@ -179,6 +187,7 @@ class GalleryGroups { ); _scrollOffsetToGroupIdMap[currentOffset] = groupID; + _groupIdToScrollOffsetMap[groupID] = currentOffset; _groupScrollOffsets.add(currentOffset); currentIndex = lastIndex; @@ -199,17 +208,18 @@ class GalleryGroups { // TODO: compute this in isolate void _buildGroups() { final stopwatch = Stopwatch()..start(); + final years = {}; List groupFiles = []; for (int index = 0; index < allFiles.length; index++) { if (index > 0 && !groupType.areFromSameGroup(allFiles[index - 1], allFiles[index])) { - _createNewGroup(groupFiles); + _createNewGroup(groupFiles, years); groupFiles = []; } groupFiles.add(allFiles[index]); } if (groupFiles.isNotEmpty) { - _createNewGroup(groupFiles); + _createNewGroup(groupFiles, years); } _logger.info( "Built ${_groupIds.length} groups in ${stopwatch.elapsedMilliseconds} ms", @@ -222,6 +232,7 @@ class GalleryGroups { void _createNewGroup( List groupFiles, + Set years, ) { final uuid = _uuid.v1(); _groupIds.add(uuid); @@ -229,6 +240,19 @@ class GalleryGroups { _groupIdToHeaderDataMap[uuid] = GroupHeaderData( groupType: groupType, ); + + final yearOfGroup = DateTime.fromMicrosecondsSinceEpoch( + groupFiles.first.creationTime!, + ).year; + if (!years.contains(yearOfGroup)) { + years.add(yearOfGroup); + _scrollbarDivisions.add( + ScrollbarDivision( + groupID: uuid, + title: yearOfGroup.toString(), + ), + ); + } } } diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 8d4364573d..8536b24617 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -479,6 +479,7 @@ class GalleryState extends State { // ), child: CustomScrollBar2( scrollController: _scrollController, + galleryGroups: galleryGroups, child: Stack( key: _stackKey, clipBehavior: Clip.none, diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart index 968196013d..06ea9ca698 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart @@ -1,21 +1,102 @@ +import "dart:async"; import "package:flutter/material.dart"; +import "package:logging/logging.dart"; +import "package:photos/models/gallery/gallery_sections.dart"; import "package:photos/ui/viewer/gallery/scrollbar/scroll_bar_with_use_notifier.dart"; +import "package:photos/utils/misc_util.dart"; class CustomScrollBar2 extends StatefulWidget { final Widget child; final ScrollController scrollController; + final GalleryGroups galleryGroups; const CustomScrollBar2({ super.key, required this.child, required this.scrollController, + required this.galleryGroups, }); @override State createState() => _CustomScrollBar2State(); } +/* +Create a new variable that stores Position to title mapping which will be used +to show scrollbar divisions. + +List of scrollbar divisions can be obtained from galleryGroups.scrollbarDivisions. +And the scroll positions of each division can be obtained from +galleryGroups.groupIdToScrollOffsetMap[groupID] where groupID. + +Can ignore adding the top offset of the header for accuracy. + +Get the height of the scrollbar and create a normalized position for each +division and populate position to title mapping. +*/ + class _CustomScrollBar2State extends State { + final _logger = Logger("CustomScrollBar2"); + final _key = GlobalKey(); final inUseNotifier = ValueNotifier(false); + List<({double position, String title})>? positionToTitleMap; + + @override + void initState() { + super.initState(); + WidgetsBinding.instance.addPostFrameCallback((_) { + _computePositionToTitleMap(); + }); + } + + @override + void didUpdateWidget(covariant CustomScrollBar2 oldWidget) { + super.didUpdateWidget(oldWidget); + _computePositionToTitleMap(); + } + + @override + void dispose() { + inUseNotifier.dispose(); + super.dispose(); + } + + Future _computePositionToTitleMap() async { + _logger.info("computing postition to title map"); + final result = <({double position, String title})>[]; + final heightOfScrollTrack = await _getHeightOfScrollTrack(); + final maxScrollExtent = widget.scrollController.position.maxScrollExtent; + + for (ScrollbarDivision scrollbarDivision + in widget.galleryGroups.scrollbarDivisions) { + final scrollOffsetOfGroup = widget + .galleryGroups.groupIdToScrollOffsetMap[scrollbarDivision.groupID]!; + + final groupScrollOffsetToUse = scrollOffsetOfGroup - heightOfScrollTrack; + if (groupScrollOffsetToUse < 0) { + result.add((position: 0, title: scrollbarDivision.title)); + } else { + final normalizedPosition = + (groupScrollOffsetToUse / maxScrollExtent) * heightOfScrollTrack; + result.add( + (position: normalizedPosition, title: scrollbarDivision.title), + ); + } + } + setState(() { + positionToTitleMap = result; + }); + } + + Future _getHeightOfScrollTrack() { + final renderBox = _key.currentContext?.findRenderObject() as RenderBox?; + assert(renderBox != null, "RenderBox is null"); + // Retry for : https://github.com/flutter/flutter/issues/25827 + return MiscUtil().getNonZeroDoubleWithRetry( + () => renderBox!.size.height, + id: "getHeightOfScrollTrack", + ); + } + @override Widget build(BuildContext context) { return Stack( @@ -23,80 +104,56 @@ class _CustomScrollBar2State extends State { alignment: Alignment.centerLeft, children: [ ScrollbarWithUseNotifer( + key: _key, controller: widget.scrollController, interactive: true, inUseNotifier: inUseNotifier, child: widget.child, ), - ValueListenableBuilder( - valueListenable: inUseNotifier, - builder: (context, inUse, _) { - return AnimatedSwitcher( - duration: const Duration(milliseconds: 250), - switchInCurve: Curves.easeInOut, - switchOutCurve: Curves.easeInOut, - child: !inUse - ? const SizedBox.shrink() - : Stack( - children: [ - Positioned( - top: 50, - right: 24, - child: Container( - color: Colors.teal, - child: const Center( - child: Text( - 'Item 1', - style: TextStyle(color: Colors.white), - ), - ), + positionToTitleMap == null + ? const SizedBox.shrink() + : ValueListenableBuilder( + valueListenable: inUseNotifier, + builder: (context, inUse, _) { + return AnimatedSwitcher( + duration: const Duration(milliseconds: 250), + switchInCurve: Curves.easeInOut, + switchOutCurve: Curves.easeInOut, + child: !inUse + ? const SizedBox.shrink() + : Stack( + children: positionToTitleMap!.map((record) { + return Positioned( + top: record.position, + right: 24, + child: Container( + color: Colors.teal, + child: Center( + child: Text( + record.title, + style: const TextStyle( + color: Colors.white, + ), + ), + ), + ), + ); + }).toList(), ), - ), - Positioned( - top: 100, - right: 24, - child: Container( - color: Colors.teal, - child: const Center( - child: Text( - 'Item 2', - style: TextStyle(color: Colors.white), - ), - ), - ), - ), - Positioned( - top: 250, - right: 24, - child: Container( - color: Colors.teal, - child: const Center( - child: Text( - 'Item 3', - style: TextStyle(color: Colors.white), - ), - ), - ), - ), - Positioned( - top: 400, - right: 24, - child: Container( - color: Colors.teal, - child: const Center( - child: Text( - 'Item 4', - style: TextStyle(color: Colors.white), - ), - ), - ), - ), - ], - ), - ); - }, - ), + ); + }, + ), ], ); } } + +class ScrollbarDivision { + final String groupID; + final String title; + + ScrollbarDivision({ + required this.groupID, + required this.title, + }); +} From d319b244ee963e5331849e69e54afad42bbad099 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Tue, 15 Jul 2025 11:45:28 +0530 Subject: [PATCH 043/302] Filter out scroll position divisions that are too close to each other --- .../gallery/scrollbar/custom_scroll_bar_2.dart | 14 +++++++++++++- 1 file changed, 13 insertions(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart index 06ea9ca698..57a82cc6d1 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart @@ -82,8 +82,20 @@ class _CustomScrollBar2State extends State { ); } } + final filteredResult = <({double position, String title})>[]; + + // Filter out positions that are too close to each other + if (result.isNotEmpty) { + filteredResult.add(result.first); + for (int i = 1; i < result.length; i++) { + if ((result[i].position - filteredResult.last.position).abs() >= 60) { + filteredResult.add(result[i]); + } + } + } + setState(() { - positionToTitleMap = result; + positionToTitleMap = filteredResult; }); } From 1b1e82ebbd642da90ee251002b9cfc74e1abd7c6 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Tue, 15 Jul 2025 12:07:38 +0530 Subject: [PATCH 044/302] Add bottom padding to new gallery scrollbar --- .../scrollbar/custom_scroll_bar_2.dart | 29 ++++++++++++------- 1 file changed, 19 insertions(+), 10 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart index 57a82cc6d1..c5b868cdd4 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart @@ -39,6 +39,7 @@ class _CustomScrollBar2State extends State { final _key = GlobalKey(); final inUseNotifier = ValueNotifier(false); List<({double position, String title})>? positionToTitleMap; + static const _bottomPadding = 92.0; @override void initState() { @@ -103,10 +104,12 @@ class _CustomScrollBar2State extends State { final renderBox = _key.currentContext?.findRenderObject() as RenderBox?; assert(renderBox != null, "RenderBox is null"); // Retry for : https://github.com/flutter/flutter/issues/25827 - return MiscUtil().getNonZeroDoubleWithRetry( - () => renderBox!.size.height, - id: "getHeightOfScrollTrack", - ); + return MiscUtil() + .getNonZeroDoubleWithRetry( + () => renderBox!.size.height, + id: "getHeightOfScrollTrack", + ) + .then((value) => value - _bottomPadding); } @override @@ -115,12 +118,18 @@ class _CustomScrollBar2State extends State { clipBehavior: Clip.none, alignment: Alignment.centerLeft, children: [ - ScrollbarWithUseNotifer( - key: _key, - controller: widget.scrollController, - interactive: true, - inUseNotifier: inUseNotifier, - child: widget.child, + // This media query is used to adjust the bottom padding of the scrollbar + MediaQuery( + data: MediaQuery.of(context).copyWith( + padding: const EdgeInsets.only(bottom: _bottomPadding), + ), + child: ScrollbarWithUseNotifer( + key: _key, + controller: widget.scrollController, + interactive: true, + inUseNotifier: inUseNotifier, + child: widget.child, + ), ), positionToTitleMap == null ? const SizedBox.shrink() From 2bee2fe71ce6caae580559af2a104e6305fd4795 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Tue, 15 Jul 2025 12:11:42 +0530 Subject: [PATCH 045/302] Remove first scrollbar division since it doesn't add value in terms of UX --- .../lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart | 3 +++ 1 file changed, 3 insertions(+) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart index c5b868cdd4..7fd03af65d 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart @@ -85,6 +85,9 @@ class _CustomScrollBar2State extends State { } final filteredResult = <({double position, String title})>[]; + // Remove first scrollbar division since it doesn't add value in terms of UX + result.removeAt(0); + // Filter out positions that are too close to each other if (result.isNotEmpty) { filteredResult.add(result.first); From 76e30fe9594d180d7b655203277f2dc7a564df7e Mon Sep 17 00:00:00 2001 From: Keerthana Date: Tue, 15 Jul 2025 12:22:49 +0530 Subject: [PATCH 046/302] [docs] refine requirements --- docs/docs/.vitepress/config.ts | 4 ++++ docs/docs/self-hosting/index.md | 2 +- .../docs/self-hosting/install/requirements.md | 24 +++++++++---------- 3 files changed, 16 insertions(+), 14 deletions(-) diff --git a/docs/docs/.vitepress/config.ts b/docs/docs/.vitepress/config.ts index 4914ab6251..a1196f4c9e 100644 --- a/docs/docs/.vitepress/config.ts +++ b/docs/docs/.vitepress/config.ts @@ -1,6 +1,7 @@ import { defineConfig } from "vitepress"; import { sidebar } from "./sidebar"; + // https://vitepress.dev/reference/site-config export default defineConfig({ title: "Ente Help", @@ -26,6 +27,9 @@ export default defineConfig({ }, }, sidebar: sidebar, + outline: { + level: [2, 3] + }, socialLinks: [ { icon: "github", link: "https://github.com/ente-io/ente/" }, { icon: "twitter", link: "https://twitter.com/enteio" }, diff --git a/docs/docs/self-hosting/index.md b/docs/docs/self-hosting/index.md index 13fadbaa6c..4ea0156d60 100644 --- a/docs/docs/self-hosting/index.md +++ b/docs/docs/self-hosting/index.md @@ -16,7 +16,7 @@ ways of self-hosting Ente on your server as described in the documentation. ## Requirements - A system with at least 1 GB of RAM and 1 CPU core -- [Docker Compose v2](https://docs.docker.com/compose/) +- [Docker Compose](https://docs.docker.com/compose/) > For more details, check out the > [requirements page](/self-hosting/install/requirements). diff --git a/docs/docs/self-hosting/install/requirements.md b/docs/docs/self-hosting/install/requirements.md index 95b4699e8f..d0ac50b18b 100644 --- a/docs/docs/self-hosting/install/requirements.md +++ b/docs/docs/self-hosting/install/requirements.md @@ -8,25 +8,23 @@ description: Requirements for self-hosting Ente ## Hardware The server is capable of running on minimal resource requirements as a -lightweight Go binary, since most of the intensive computational tasks are done -on the client. It performs well on small cloud instances, old laptops, and even +lightweight Go binary, since most of the intensive computational tasks are done on the client. It performs well on small cloud instances, old laptops, and even [low-end embedded devices](https://github.com/ente-io/ente/discussions/594). +- **Storage:** An Unix-compatible filesystem such as ZFS, EXT4, BTRFS, etc. if using PostgreSQL container as it requires a filesystem that supports user/group permissions. +- **RAM:** A minimum of 1 GB of RAM is required for running the cluster (if using quickstart script). +- **CPU:** A minimum of 1 CPU core is required. + ## Software -### Operating System +- **Operating System:** Any Linux or \*nix operating system, Ubuntu or Debian is recommended to have a good Docker experience. Non-Linux operating systems tend to provide poor experience with Docker and difficulty with troubleshooting and assistance. -Any Linux or \*nix operating system, Ubuntu or Debian is recommended to have a -good Docker experience. Non-Linux operating systems tend to provide poor -experience with Docker and difficulty with troubleshooting and assistance. +- **Docker:** Required for running Ente's server, web application and dependent services +(database and object storage). Ente also requires **Docker Compose plugin** to be installed. -### Docker - -Required for running Ente's server, web application and dependent services -(database and object storage). Ente also requires **Docker Compose plugin** to -be installed. - -> [!NOTE] Ente requires **Docker Compose version 2.25 or higher**. +> [!NOTE] +> +> Ente requires **Docker Compose version 2.25 or higher**. > > Furthermore, Ente uses the command `docker compose`, `docker-compose` is no > longer supported. From 60485e98c244f0bf4b0089ef8619831c9468e43b Mon Sep 17 00:00:00 2001 From: ashilkn Date: Tue, 15 Jul 2025 12:38:08 +0530 Subject: [PATCH 047/302] UI for elements depicting scroll bar divisions --- .../scrollbar/custom_scroll_bar_2.dart | 30 ++++++++++++++++--- 1 file changed, 26 insertions(+), 4 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart index 7fd03af65d..666c61b8a8 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart @@ -2,6 +2,7 @@ import "dart:async"; import "package:flutter/material.dart"; import "package:logging/logging.dart"; import "package:photos/models/gallery/gallery_sections.dart"; +import "package:photos/theme/ente_theme.dart"; import "package:photos/ui/viewer/gallery/scrollbar/scroll_bar_with_use_notifier.dart"; import "package:photos/utils/misc_util.dart"; @@ -117,6 +118,8 @@ class _CustomScrollBar2State extends State { @override Widget build(BuildContext context) { + final textTheme = getEnteTextTheme(context); + final colorScheme = getEnteColorScheme(context); return Stack( clipBehavior: Clip.none, alignment: Alignment.centerLeft, @@ -146,18 +149,37 @@ class _CustomScrollBar2State extends State { child: !inUse ? const SizedBox.shrink() : Stack( + clipBehavior: Clip.none, children: positionToTitleMap!.map((record) { return Positioned( top: record.position, right: 24, child: Container( - color: Colors.teal, + decoration: BoxDecoration( + color: colorScheme.backgroundElevated2, + borderRadius: BorderRadius.circular(6), + border: Border.all( + color: colorScheme.strokeFaint, + width: 0.5, + ), + // TODO: Remove shadow if scrolling perf + // is affected. + boxShadow: [ + BoxShadow( + color: Colors.black.withOpacity(0.1), + blurRadius: 3, + offset: const Offset(0, 2), + ), + ], + ), + padding: const EdgeInsets.symmetric( + horizontal: 8, + vertical: 4, + ), child: Center( child: Text( record.title, - style: const TextStyle( - color: Colors.white, - ), + style: textTheme.miniMuted, ), ), ), From c318162feb649bf64d3f71f78d3c42fadf704cef Mon Sep 17 00:00:00 2001 From: ashilkn Date: Tue, 15 Jul 2025 12:48:07 +0530 Subject: [PATCH 048/302] Add solid color for background of PinnedGroupHeader --- .../photos/lib/ui/viewer/gallery/gallery.dart | 28 +++++++++++-------- 1 file changed, 16 insertions(+), 12 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 8536b24617..6b77429441 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -13,6 +13,7 @@ import 'package:photos/models/file_load_result.dart'; import "package:photos/models/gallery/gallery_sections.dart"; import 'package:photos/models/selected_files.dart'; import "package:photos/service_locator.dart"; +import "package:photos/theme/ente_theme.dart"; import 'package:photos/ui/common/loading_widget.dart'; import "package:photos/ui/viewer/gallery/component/group/group_header_widget.dart"; import "package:photos/ui/viewer/gallery/component/group/type.dart"; @@ -668,19 +669,22 @@ class _PinnedGroupHeaderState extends State { @override Widget build(BuildContext context) { return currentGroupId != null - ? GroupHeaderWidget( - title: widget.galleryGroups.groupIdToheaderDataMap[currentGroupId!]! - .groupType - .getTitle( - context, - widget.galleryGroups.groupIDToFilesMap[currentGroupId]!.first, + ? ColoredBox( + color: getEnteColorScheme(context).backgroundBase, + child: GroupHeaderWidget( + title: widget.galleryGroups + .groupIdToheaderDataMap[currentGroupId!]!.groupType + .getTitle( + context, + widget.galleryGroups.groupIDToFilesMap[currentGroupId]!.first, + ), + gridSize: localSettings.getPhotoGridSize(), + height: widget.galleryGroups.headerExtent, + filesInGroup: + widget.galleryGroups.groupIDToFilesMap[currentGroupId!]!, + selectedFiles: widget.selectedFiles, + showSelectAllByDefault: widget.showSelectAllByDefault, ), - gridSize: localSettings.getPhotoGridSize(), - height: widget.galleryGroups.headerExtent, - filesInGroup: - widget.galleryGroups.groupIDToFilesMap[currentGroupId!]!, - selectedFiles: widget.selectedFiles, - showSelectAllByDefault: widget.showSelectAllByDefault, ) : const SizedBox.shrink(); } From 03c116c2badaa7b48013ecaa4673f5fca1cbbc37 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Tue, 15 Jul 2025 15:52:42 +0530 Subject: [PATCH 049/302] Avoid redundant setState call --- mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 6b77429441..18dcdbe681 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -627,6 +627,8 @@ class _PinnedGroupHeaderState extends State { widget .getSectionedListSliverRenderBoxYOffsetRelativeToStackRenderBox()!; if (normalizedScrollOffset < 0) { + // No change in group ID, no need to call setState + if (currentGroupId == null) return; currentGroupId = null; } else { final groupScrollOffsets = widget.galleryGroups.groupScrollOffsets; @@ -659,6 +661,12 @@ class _PinnedGroupHeaderState extends State { high = mid - 1; } } + if (currentGroupId == + widget.galleryGroups + .scrollOffsetToGroupIdMap[groupScrollOffsets[floorIndex]]) { + // No change in group ID, no need to call setState + return; + } currentGroupId = widget.galleryGroups .scrollOffsetToGroupIdMap[groupScrollOffsets[floorIndex]]; } From e4f10d0e693796f04b56e34fd6d09c03597f45ad Mon Sep 17 00:00:00 2001 From: ashilkn Date: Tue, 15 Jul 2025 15:53:37 +0530 Subject: [PATCH 050/302] Add haptic feedback when going through sections when using the scrollbar --- mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart | 10 ++++++++++ .../viewer/gallery/scrollbar/custom_scroll_bar_2.dart | 8 ++++---- 2 files changed, 14 insertions(+), 4 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 18dcdbe681..84c2bce479 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -2,6 +2,7 @@ import 'dart:async'; import 'package:flutter/foundation.dart'; import 'package:flutter/material.dart'; +import "package:flutter/services.dart"; import 'package:logging/logging.dart'; import 'package:photos/core/constants.dart'; import 'package:photos/core/event_bus.dart'; @@ -136,6 +137,7 @@ class GalleryState extends State { } final miscUtil = MiscUtil(); + final scrollBarInUseNotifier = ValueNotifier(false); @override void initState() { @@ -429,6 +431,7 @@ class GalleryState extends State { } _debouncer.cancelDebounceTimer(); _scrollController.dispose(); + scrollBarInUseNotifier.dispose(); super.dispose(); } @@ -481,6 +484,7 @@ class GalleryState extends State { child: CustomScrollBar2( scrollController: _scrollController, galleryGroups: galleryGroups, + inUseNotifier: scrollBarInUseNotifier, child: Stack( key: _stackKey, clipBehavior: Clip.none, @@ -512,6 +516,7 @@ class GalleryState extends State { _sectionedListSliverRenderBoxYOffsetRelativeToStackRenderBox, selectedFiles: widget.selectedFiles, showSelectAllByDefault: widget.showSelectAllByDefault, + scrollbarInUseNotifier: scrollBarInUseNotifier, ), ], ), @@ -588,6 +593,7 @@ class PinnedGroupHeader extends StatefulWidget { getSectionedListSliverRenderBoxYOffsetRelativeToStackRenderBox; final SelectedFiles? selectedFiles; final bool showSelectAllByDefault; + final ValueNotifier scrollbarInUseNotifier; const PinnedGroupHeader({ required this.scrollController, @@ -595,6 +601,7 @@ class PinnedGroupHeader extends StatefulWidget { required this.getSectionedListSliverRenderBoxYOffsetRelativeToStackRenderBox, required this.selectedFiles, required this.showSelectAllByDefault, + required this.scrollbarInUseNotifier, super.key, }); @@ -672,6 +679,9 @@ class _PinnedGroupHeaderState extends State { } setState(() {}); + if (widget.scrollbarInUseNotifier.value) { + HapticFeedback.selectionClick(); + } } @override diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart index 666c61b8a8..d4649ab870 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart @@ -10,11 +10,13 @@ class CustomScrollBar2 extends StatefulWidget { final Widget child; final ScrollController scrollController; final GalleryGroups galleryGroups; + final ValueNotifier inUseNotifier; const CustomScrollBar2({ super.key, required this.child, required this.scrollController, required this.galleryGroups, + required this.inUseNotifier, }); @override @@ -38,7 +40,6 @@ division and populate position to title mapping. class _CustomScrollBar2State extends State { final _logger = Logger("CustomScrollBar2"); final _key = GlobalKey(); - final inUseNotifier = ValueNotifier(false); List<({double position, String title})>? positionToTitleMap; static const _bottomPadding = 92.0; @@ -58,7 +59,6 @@ class _CustomScrollBar2State extends State { @override void dispose() { - inUseNotifier.dispose(); super.dispose(); } @@ -133,14 +133,14 @@ class _CustomScrollBar2State extends State { key: _key, controller: widget.scrollController, interactive: true, - inUseNotifier: inUseNotifier, + inUseNotifier: widget.inUseNotifier, child: widget.child, ), ), positionToTitleMap == null ? const SizedBox.shrink() : ValueListenableBuilder( - valueListenable: inUseNotifier, + valueListenable: widget.inUseNotifier, builder: (context, inUse, _) { return AnimatedSwitcher( duration: const Duration(milliseconds: 250), From e3a5cd060d5767a800ac008f4f2d14a20b6b261e Mon Sep 17 00:00:00 2001 From: ashilkn Date: Tue, 15 Jul 2025 19:01:50 +0530 Subject: [PATCH 051/302] Update haptic feedback type --- mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 84c2bce479..de551d0da7 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -680,7 +680,7 @@ class _PinnedGroupHeaderState extends State { setState(() {}); if (widget.scrollbarInUseNotifier.value) { - HapticFeedback.selectionClick(); + HapticFeedback.vibrate(); } } From 56d0acc5010f8b67d2af15e15b6a78816be18d2f Mon Sep 17 00:00:00 2001 From: ashilkn Date: Tue, 15 Jul 2025 19:20:39 +0530 Subject: [PATCH 052/302] Add corrections to where the scroll dividers are placed --- ...upertino_scroll_bar_with_use_notifier.dart | 6 +- .../scrollbar/custom_scroll_bar_2.dart | 177 ++++++++++++------ .../scroll_bar_with_use_notifier.dart | 10 +- 3 files changed, 130 insertions(+), 63 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/cupertino_scroll_bar_with_use_notifier.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/cupertino_scroll_bar_with_use_notifier.dart index c6a944f325..fc97d03f52 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/cupertino_scroll_bar_with_use_notifier.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/cupertino_scroll_bar_with_use_notifier.dart @@ -12,7 +12,6 @@ import "package:flutter/cupertino.dart"; import 'package:flutter/services.dart'; // All values eyeballed. -const double _kScrollbarMinLength = 36.0; const double _kScrollbarMinOverscrollLength = 8.0; const Duration _kScrollbarTimeToFade = Duration(milliseconds: 1200); const Duration _kScrollbarFadeDuration = Duration(milliseconds: 250); @@ -76,10 +75,13 @@ class CupertinoScrollbarWithUseNotifier extends RawScrollbar { /// typically a [Scrollable] widget. final ValueNotifier inUseNotifier; + final double minScrollbarLength; + const CupertinoScrollbarWithUseNotifier({ super.key, required super.child, required this.inUseNotifier, + required this.minScrollbarLength, super.controller, bool? thumbVisibility, double super.thickness = defaultThickness, @@ -173,7 +175,7 @@ class _CupertinoScrollbarState ..crossAxisMargin = _kScrollbarCrossAxisMargin ..radius = _radius ..padding = MediaQuery.paddingOf(context) - ..minLength = _kScrollbarMinLength + ..minLength = widget.minScrollbarLength ..minOverscrollLength = _kScrollbarMinOverscrollLength ..scrollbarOrientation = widget.scrollbarOrientation; } diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart index d4649ab870..938504a02e 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart @@ -5,6 +5,17 @@ import "package:photos/models/gallery/gallery_sections.dart"; import "package:photos/theme/ente_theme.dart"; import "package:photos/ui/viewer/gallery/scrollbar/scroll_bar_with_use_notifier.dart"; import "package:photos/utils/misc_util.dart"; +import "package:photos/utils/widget_util.dart"; + +class ScrollbarDivision { + final String groupID; + final String title; + + ScrollbarDivision({ + required this.groupID, + required this.title, + }); +} class CustomScrollBar2 extends StatefulWidget { final Widget child; @@ -39,15 +50,30 @@ division and populate position to title mapping. class _CustomScrollBar2State extends State { final _logger = Logger("CustomScrollBar2"); - final _key = GlobalKey(); + final _scrollbarKey = GlobalKey(); List<({double position, String title})>? positionToTitleMap; static const _bottomPadding = 92.0; + double? heightOfScrollbarDivider; + double? heightOfScrollTrack; + static const _kScrollbarMinLength = 36.0; @override void initState() { super.initState(); - WidgetsBinding.instance.addPostFrameCallback((_) { - _computePositionToTitleMap(); + + getIntrinsicSizeOfWidget(const ScrollBarDivider(title: "Temp"), context) + .then((size) { + if (mounted) { + setState(() { + heightOfScrollbarDivider = size.height; + }); + } + + // Reason for calling _computePositionToTileMap here is, it needs + // heightOfScrollbarDivider to be set. + WidgetsBinding.instance.addPostFrameCallback((_) { + _computePositionToTitleMap(); + }); }); } @@ -57,15 +83,10 @@ class _CustomScrollBar2State extends State { _computePositionToTitleMap(); } - @override - void dispose() { - super.dispose(); - } - Future _computePositionToTitleMap() async { _logger.info("computing postition to title map"); final result = <({double position, String title})>[]; - final heightOfScrollTrack = await _getHeightOfScrollTrack(); + heightOfScrollTrack = await _getHeightOfScrollTrack(); final maxScrollExtent = widget.scrollController.position.maxScrollExtent; for (ScrollbarDivision scrollbarDivision @@ -73,14 +94,48 @@ class _CustomScrollBar2State extends State { final scrollOffsetOfGroup = widget .galleryGroups.groupIdToScrollOffsetMap[scrollbarDivision.groupID]!; - final groupScrollOffsetToUse = scrollOffsetOfGroup - heightOfScrollTrack; + final groupScrollOffsetToUse = scrollOffsetOfGroup - heightOfScrollTrack!; if (groupScrollOffsetToUse < 0) { result.add((position: 0, title: scrollbarDivision.title)); } else { - final normalizedPosition = - (groupScrollOffsetToUse / maxScrollExtent) * heightOfScrollTrack; + // By default, the exact scroll position of the scrollable isn't tied + // to the center or one constant point of it's scrollbar. This point of + // the scrollbar moves from top to bottom across it when the scrollable + // is scolled from top to bottom. + + // This correction is to ensure that the scrollbar division elements + // appear at the same point of the scrollbar everytime and are + // accurate in terms of UX (that is, when scrollbar's is dragged to a + // particular scrollbar division (start of the division in gallery), + // the division element is always at the same point of the scrollbar). + // Ideally this point should be the mid of the scrollbar, but it's + // slightly off, not sure why. But this is fine enough. + final fractionOfGroupScrollOffsetWrtMaxExtent = + groupScrollOffsetToUse / maxScrollExtent; + late final double positionCorrection; + + // This value is the distance from the mid of the scrollbar to the mid + // of the scrollbar divider element when both pinned to the top, that + // is, their top edges are overlapping. + final value = (_kScrollbarMinLength - heightOfScrollbarDivider!) / 2; + + if (fractionOfGroupScrollOffsetWrtMaxExtent < 0.5) { + positionCorrection = value * fractionOfGroupScrollOffsetWrtMaxExtent - + (heightOfScrollbarDivider! * + fractionOfGroupScrollOffsetWrtMaxExtent); + } else { + positionCorrection = + -value * fractionOfGroupScrollOffsetWrtMaxExtent - + (heightOfScrollbarDivider! * + fractionOfGroupScrollOffsetWrtMaxExtent); + } + + final adaptedPosition = + heightOfScrollTrack! * fractionOfGroupScrollOffsetWrtMaxExtent + + positionCorrection; + result.add( - (position: normalizedPosition, title: scrollbarDivision.title), + (position: adaptedPosition, title: scrollbarDivision.title), ); } } @@ -93,19 +148,21 @@ class _CustomScrollBar2State extends State { if (result.isNotEmpty) { filteredResult.add(result.first); for (int i = 1; i < result.length; i++) { - if ((result[i].position - filteredResult.last.position).abs() >= 60) { + if ((result[i].position - filteredResult.last.position).abs() >= 48) { filteredResult.add(result[i]); } } } - - setState(() { - positionToTitleMap = filteredResult; - }); + if (mounted) { + setState(() { + positionToTitleMap = filteredResult; + }); + } } Future _getHeightOfScrollTrack() { - final renderBox = _key.currentContext?.findRenderObject() as RenderBox?; + final renderBox = + _scrollbarKey.currentContext?.findRenderObject() as RenderBox?; assert(renderBox != null, "RenderBox is null"); // Retry for : https://github.com/flutter/flutter/issues/25827 return MiscUtil() @@ -118,8 +175,6 @@ class _CustomScrollBar2State extends State { @override Widget build(BuildContext context) { - final textTheme = getEnteTextTheme(context); - final colorScheme = getEnteColorScheme(context); return Stack( clipBehavior: Clip.none, alignment: Alignment.centerLeft, @@ -130,14 +185,15 @@ class _CustomScrollBar2State extends State { padding: const EdgeInsets.only(bottom: _bottomPadding), ), child: ScrollbarWithUseNotifer( - key: _key, + key: _scrollbarKey, controller: widget.scrollController, interactive: true, inUseNotifier: widget.inUseNotifier, + minScrollbarLength: _kScrollbarMinLength, child: widget.child, ), ), - positionToTitleMap == null + positionToTitleMap == null || heightOfScrollbarDivider == null ? const SizedBox.shrink() : ValueListenableBuilder( valueListenable: widget.inUseNotifier, @@ -153,36 +209,8 @@ class _CustomScrollBar2State extends State { children: positionToTitleMap!.map((record) { return Positioned( top: record.position, - right: 24, - child: Container( - decoration: BoxDecoration( - color: colorScheme.backgroundElevated2, - borderRadius: BorderRadius.circular(6), - border: Border.all( - color: colorScheme.strokeFaint, - width: 0.5, - ), - // TODO: Remove shadow if scrolling perf - // is affected. - boxShadow: [ - BoxShadow( - color: Colors.black.withOpacity(0.1), - blurRadius: 3, - offset: const Offset(0, 2), - ), - ], - ), - padding: const EdgeInsets.symmetric( - horizontal: 8, - vertical: 4, - ), - child: Center( - child: Text( - record.title, - style: textTheme.miniMuted, - ), - ), - ), + right: 32, + child: ScrollBarDivider(title: record.title), ); }).toList(), ), @@ -194,12 +222,43 @@ class _CustomScrollBar2State extends State { } } -class ScrollbarDivision { - final String groupID; +class ScrollBarDivider extends StatelessWidget { final String title; + const ScrollBarDivider({super.key, required this.title}); - ScrollbarDivision({ - required this.groupID, - required this.title, - }); + @override + Widget build(BuildContext context) { + final colorScheme = getEnteColorScheme(context); + final textTheme = getEnteTextTheme(context); + return Container( + decoration: BoxDecoration( + color: colorScheme.backgroundElevated2, + borderRadius: BorderRadius.circular(6), + border: Border.all( + color: colorScheme.strokeFaint, + width: 0.5, + ), + // TODO: Remove shadow if scrolling perf + // is affected. + boxShadow: [ + BoxShadow( + color: Colors.black.withOpacity(0.1), + blurRadius: 3, + offset: const Offset(0, 2), + ), + ], + ), + padding: const EdgeInsets.symmetric( + horizontal: 8, + vertical: 4, + ), + child: Center( + child: Text( + title, + style: textTheme.miniMuted, + maxLines: 1, + ), + ), + ); + } } diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/scroll_bar_with_use_notifier.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/scroll_bar_with_use_notifier.dart index 282e331510..75551b6d54 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/scroll_bar_with_use_notifier.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/scroll_bar_with_use_notifier.dart @@ -13,7 +13,6 @@ import "package:photos/ui/viewer/gallery/scrollbar/cupertino_scroll_bar_with_use const double _kScrollbarThickness = 8.0; const double _kScrollbarThicknessWithTrack = 12.0; const double _kScrollbarMargin = 2.0; -const double _kScrollbarMinLength = 48.0; const Radius _kScrollbarRadius = Radius.circular(8.0); const Duration _kScrollbarFadeDuration = Duration(milliseconds: 300); const Duration _kScrollbarTimeToFade = Duration(milliseconds: 600); @@ -88,6 +87,7 @@ class ScrollbarWithUseNotifer extends StatelessWidget { super.key, required this.child, required this.inUseNotifier, + required this.minScrollbarLength, this.controller, this.thumbVisibility, this.trackVisibility, @@ -153,6 +153,8 @@ class ScrollbarWithUseNotifer extends StatelessWidget { final ValueNotifier inUseNotifier; + final double minScrollbarLength; + @override Widget build(BuildContext context) { if (Theme.of(context).platform == TargetPlatform.iOS) { @@ -168,6 +170,7 @@ class ScrollbarWithUseNotifer extends StatelessWidget { notificationPredicate: notificationPredicate, scrollbarOrientation: scrollbarOrientation, inUseNotifier: inUseNotifier, + minScrollbarLength: minScrollbarLength, child: child, ); } @@ -181,6 +184,7 @@ class ScrollbarWithUseNotifer extends StatelessWidget { interactive: interactive, scrollbarOrientation: scrollbarOrientation, inUseNotifier: inUseNotifier, + minScrollbarLength: minScrollbarLength, child: child, ); } @@ -188,9 +192,11 @@ class ScrollbarWithUseNotifer extends StatelessWidget { class _MaterialScrollbar extends RawScrollbar { final ValueNotifier inUseNotifier; + final double minScrollbarLength; const _MaterialScrollbar({ required super.child, required this.inUseNotifier, + required this.minScrollbarLength, super.controller, super.thumbVisibility, super.trackVisibility, @@ -373,7 +379,7 @@ class _MaterialScrollbarState extends RawScrollbarState<_MaterialScrollbar> { ..crossAxisMargin = _scrollbarTheme.crossAxisMargin ?? (_useAndroidScrollbar ? 0.0 : _kScrollbarMargin) ..mainAxisMargin = _scrollbarTheme.mainAxisMargin ?? 0.0 - ..minLength = _scrollbarTheme.minThumbLength ?? _kScrollbarMinLength + ..minLength = widget.minScrollbarLength ..padding = MediaQuery.paddingOf(context) ..scrollbarOrientation = widget.scrollbarOrientation ..ignorePointer = !enableGestures; From 776c3158a7738b81c9474e4d2c3a16b064a5c6cd Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 16 Jul 2025 10:34:30 +0530 Subject: [PATCH 053/302] Do not show scrollbar divisions if gallery isn't long enough --- .../photos/lib/ui/viewer/gallery/gallery.dart | 1 + .../scrollbar/custom_scroll_bar_2.dart | 45 +++++++++++++------ 2 files changed, 33 insertions(+), 13 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index de551d0da7..ec044915f8 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -485,6 +485,7 @@ class GalleryState extends State { scrollController: _scrollController, galleryGroups: galleryGroups, inUseNotifier: scrollBarInUseNotifier, + heighOfViewport: MediaQuery.sizeOf(context).height, child: Stack( key: _stackKey, clipBehavior: Clip.none, diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart index 938504a02e..bb863eecd5 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart @@ -22,12 +22,14 @@ class CustomScrollBar2 extends StatefulWidget { final ScrollController scrollController; final GalleryGroups galleryGroups; final ValueNotifier inUseNotifier; + final double heighOfViewport; const CustomScrollBar2({ super.key, required this.child, required this.scrollController, required this.galleryGroups, required this.inUseNotifier, + required this.heighOfViewport, }); @override @@ -55,32 +57,49 @@ class _CustomScrollBar2State extends State { static const _bottomPadding = 92.0; double? heightOfScrollbarDivider; double? heightOfScrollTrack; + late final bool _showScrollbarDivisions; + + // Scrollbar's heigh is not fixed by default. If the scrollable is short + // enough, the scrollbar's height can go above the minimum length. + // In our case, we only depend on this value for showing scrollbar divisions, + // which we do not show unless scrollable is long enough. So we can safely + // assume that the scrollbar's height will always this minimum value. static const _kScrollbarMinLength = 36.0; @override void initState() { super.initState(); + if (widget.galleryGroups.groupLayouts.last.maxOffset < + widget.heighOfViewport * 5) { + _showScrollbarDivisions = true; + } else { + _showScrollbarDivisions = false; + } - getIntrinsicSizeOfWidget(const ScrollBarDivider(title: "Temp"), context) - .then((size) { - if (mounted) { - setState(() { - heightOfScrollbarDivider = size.height; + if (_showScrollbarDivisions) { + getIntrinsicSizeOfWidget(const ScrollBarDivider(title: "Temp"), context) + .then((size) { + if (mounted) { + setState(() { + heightOfScrollbarDivider = size.height; + }); + } + + // Reason for calling _computePositionToTileMap here is, it needs + // heightOfScrollbarDivider to be set. + WidgetsBinding.instance.addPostFrameCallback((_) { + _computePositionToTitleMap(); }); - } - - // Reason for calling _computePositionToTileMap here is, it needs - // heightOfScrollbarDivider to be set. - WidgetsBinding.instance.addPostFrameCallback((_) { - _computePositionToTitleMap(); }); - }); + } } @override void didUpdateWidget(covariant CustomScrollBar2 oldWidget) { super.didUpdateWidget(oldWidget); - _computePositionToTitleMap(); + if (_showScrollbarDivisions) { + _computePositionToTitleMap(); + } } Future _computePositionToTitleMap() async { From ef08c4bd96c3b257bcd66682bdf73a03484c4388 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 16 Jul 2025 10:47:25 +0530 Subject: [PATCH 054/302] Remove shadow under GalleryAppBar to fix UI issue when group header is pinned to top --- .../photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart | 2 -- 1 file changed, 2 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart index 38c02c08b9..a4234b13f3 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart @@ -176,8 +176,6 @@ class _GalleryAppBarWidgetState extends State { actions: isSearching ? null : _getDefaultActions(context), bottom: child as PreferredSizeWidget, surfaceTintColor: Colors.transparent, - scrolledUnderElevation: 4, - shadowColor: Colors.black.withOpacity(0.15), ); }, ) From 30f8162ee4c4042df18166f8f982d234638e25b3 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 16 Jul 2025 10:57:16 +0530 Subject: [PATCH 055/302] Fix logic --- .../lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart index bb863eecd5..5b2046c507 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart @@ -69,7 +69,7 @@ class _CustomScrollBar2State extends State { @override void initState() { super.initState(); - if (widget.galleryGroups.groupLayouts.last.maxOffset < + if (widget.galleryGroups.groupLayouts.last.maxOffset > widget.heighOfViewport * 5) { _showScrollbarDivisions = true; } else { From 7340e5a10027c8b3f8659003dd98856da77b3c32 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 16 Jul 2025 11:14:29 +0530 Subject: [PATCH 056/302] Fix scroll bar divisions not appearing --- .../scrollbar/custom_scroll_bar_2.dart | 22 ++++++++++--------- 1 file changed, 12 insertions(+), 10 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart index 5b2046c507..929be0b726 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart @@ -57,7 +57,7 @@ class _CustomScrollBar2State extends State { static const _bottomPadding = 92.0; double? heightOfScrollbarDivider; double? heightOfScrollTrack; - late final bool _showScrollbarDivisions; + late bool _showScrollbarDivisions; // Scrollbar's heigh is not fixed by default. If the scrollable is short // enough, the scrollbar's height can go above the minimum length. @@ -69,6 +69,17 @@ class _CustomScrollBar2State extends State { @override void initState() { super.initState(); + _init(); + } + + @override + void didUpdateWidget(covariant CustomScrollBar2 oldWidget) { + super.didUpdateWidget(oldWidget); + _init(); + } + + void _init() { + _logger.info("Initializing CustomScrollBar2"); if (widget.galleryGroups.groupLayouts.last.maxOffset > widget.heighOfViewport * 5) { _showScrollbarDivisions = true; @@ -94,16 +105,7 @@ class _CustomScrollBar2State extends State { } } - @override - void didUpdateWidget(covariant CustomScrollBar2 oldWidget) { - super.didUpdateWidget(oldWidget); - if (_showScrollbarDivisions) { - _computePositionToTitleMap(); - } - } - Future _computePositionToTitleMap() async { - _logger.info("computing postition to title map"); final result = <({double position, String title})>[]; heightOfScrollTrack = await _getHeightOfScrollTrack(); final maxScrollExtent = widget.scrollController.position.maxScrollExtent; From 8541657ee0a3dad82e5f4ea926ff8ed9d20a482b Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 16 Jul 2025 12:39:11 +0530 Subject: [PATCH 057/302] Enlarge PinnedGroupHeader when using scrollbar for better UX --- .../photos/lib/ui/viewer/gallery/gallery.dart | 61 ++++++++++++++----- 1 file changed, 45 insertions(+), 16 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index ec044915f8..d5037b4d36 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -612,9 +612,12 @@ class PinnedGroupHeader extends StatefulWidget { class _PinnedGroupHeaderState extends State { String? currentGroupId; + final _enlargeHeader = ValueNotifier(false); + Timer? _enlargeHeaderTimer; @override void initState() { super.initState(); + widget.scrollbarInUseNotifier.addListener(scrollbarInUseListener); widget.scrollController.addListener(_setCurrentGroupID); } @@ -627,6 +630,9 @@ class _PinnedGroupHeaderState extends State { @override void dispose() { widget.scrollController.removeListener(_setCurrentGroupID); + widget.scrollbarInUseNotifier.removeListener(scrollbarInUseListener); + _enlargeHeaderTimer?.cancel(); + _enlargeHeader.dispose(); super.dispose(); } @@ -685,25 +691,48 @@ class _PinnedGroupHeaderState extends State { } } + void scrollbarInUseListener() { + _enlargeHeaderTimer?.cancel(); + if (widget.scrollbarInUseNotifier.value) { + _enlargeHeader.value = true; + } else { + _enlargeHeaderTimer = Timer(const Duration(milliseconds: 250), () { + _enlargeHeader.value = false; + }); + } + } + @override Widget build(BuildContext context) { return currentGroupId != null - ? ColoredBox( - color: getEnteColorScheme(context).backgroundBase, - child: GroupHeaderWidget( - title: widget.galleryGroups - .groupIdToheaderDataMap[currentGroupId!]!.groupType - .getTitle( - context, - widget.galleryGroups.groupIDToFilesMap[currentGroupId]!.first, - ), - gridSize: localSettings.getPhotoGridSize(), - height: widget.galleryGroups.headerExtent, - filesInGroup: - widget.galleryGroups.groupIDToFilesMap[currentGroupId!]!, - selectedFiles: widget.selectedFiles, - showSelectAllByDefault: widget.showSelectAllByDefault, - ), + ? ValueListenableBuilder( + valueListenable: _enlargeHeader, + builder: (context, inUse, _) { + return AnimatedScale( + scale: inUse ? 1.3 : 1.0, + alignment: Alignment.topLeft, + duration: const Duration(milliseconds: 300), + curve: Curves.easeInOutSine, + child: ColoredBox( + color: getEnteColorScheme(context).backgroundBase, + child: GroupHeaderWidget( + title: widget.galleryGroups + .groupIdToheaderDataMap[currentGroupId!]!.groupType + .getTitle( + context, + widget.galleryGroups.groupIDToFilesMap[currentGroupId]! + .first, + ), + gridSize: localSettings.getPhotoGridSize(), + height: widget.galleryGroups.headerExtent, + filesInGroup: widget + .galleryGroups.groupIDToFilesMap[currentGroupId!]!, + selectedFiles: widget.selectedFiles, + showSelectAllByDefault: widget.showSelectAllByDefault, + ), + ), + ); + }, ) : const SizedBox.shrink(); } From 8a4ef26a6e86f37e6bbfb8199421fc6291fcf07f Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 16 Jul 2025 14:14:45 +0530 Subject: [PATCH 058/302] Update animation duration --- mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index d5037b4d36..fbe6597236 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -711,7 +711,7 @@ class _PinnedGroupHeaderState extends State { return AnimatedScale( scale: inUse ? 1.3 : 1.0, alignment: Alignment.topLeft, - duration: const Duration(milliseconds: 300), + duration: const Duration(milliseconds: 200), curve: Curves.easeInOutSine, child: ColoredBox( color: getEnteColorScheme(context).backgroundBase, From 576f85055eff9138164efe9071f72f2f1adc9071 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 16 Jul 2025 14:33:46 +0530 Subject: [PATCH 059/302] Add top padding for gallery scrollbar --- .../scrollbar/custom_scroll_bar_2.dart | 54 +++++++++++-------- 1 file changed, 31 insertions(+), 23 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart index 929be0b726..0f8e249862 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart @@ -55,6 +55,7 @@ class _CustomScrollBar2State extends State { final _scrollbarKey = GlobalKey(); List<({double position, String title})>? positionToTitleMap; static const _bottomPadding = 92.0; + static const _topPadding = 20.0; double? heightOfScrollbarDivider; double? heightOfScrollTrack; late bool _showScrollbarDivisions; @@ -191,7 +192,7 @@ class _CustomScrollBar2State extends State { () => renderBox!.size.height, id: "getHeightOfScrollTrack", ) - .then((value) => value - _bottomPadding); + .then((value) => value - _bottomPadding - _topPadding); } @override @@ -203,7 +204,8 @@ class _CustomScrollBar2State extends State { // This media query is used to adjust the bottom padding of the scrollbar MediaQuery( data: MediaQuery.of(context).copyWith( - padding: const EdgeInsets.only(bottom: _bottomPadding), + padding: + const EdgeInsets.only(bottom: _bottomPadding, top: _topPadding), ), child: ScrollbarWithUseNotifer( key: _scrollbarKey, @@ -216,27 +218,33 @@ class _CustomScrollBar2State extends State { ), positionToTitleMap == null || heightOfScrollbarDivider == null ? const SizedBox.shrink() - : ValueListenableBuilder( - valueListenable: widget.inUseNotifier, - builder: (context, inUse, _) { - return AnimatedSwitcher( - duration: const Duration(milliseconds: 250), - switchInCurve: Curves.easeInOut, - switchOutCurve: Curves.easeInOut, - child: !inUse - ? const SizedBox.shrink() - : Stack( - clipBehavior: Clip.none, - children: positionToTitleMap!.map((record) { - return Positioned( - top: record.position, - right: 32, - child: ScrollBarDivider(title: record.title), - ); - }).toList(), - ), - ); - }, + : Padding( + padding: const EdgeInsets.only( + top: _topPadding, + bottom: _bottomPadding, + ), + child: ValueListenableBuilder( + valueListenable: widget.inUseNotifier, + builder: (context, inUse, _) { + return AnimatedSwitcher( + duration: const Duration(milliseconds: 250), + switchInCurve: Curves.easeInOut, + switchOutCurve: Curves.easeInOut, + child: !inUse + ? const SizedBox.shrink() + : Stack( + clipBehavior: Clip.none, + children: positionToTitleMap!.map((record) { + return Positioned( + top: record.position, + right: 32, + child: ScrollBarDivider(title: record.title), + ); + }).toList(), + ), + ); + }, + ), ), ], ); From 4672b44d48c9f99d98df6958808a038806fa0330 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 16 Jul 2025 15:09:30 +0530 Subject: [PATCH 060/302] Do not show shadow on PinnedGroupHeader if scroll offset of gallery is zero. This is to give the illusion that the header is only pinned when gallery is scrolled from 0 offset --- .../photos/lib/ui/viewer/gallery/gallery.dart | 68 ++++++++++++++----- 1 file changed, 52 insertions(+), 16 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index fbe6597236..fdb7c20a34 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -614,11 +614,18 @@ class _PinnedGroupHeaderState extends State { String? currentGroupId; final _enlargeHeader = ValueNotifier(false); Timer? _enlargeHeaderTimer; + late final ValueNotifier _atZeroScrollNotifier; @override void initState() { super.initState(); widget.scrollbarInUseNotifier.addListener(scrollbarInUseListener); widget.scrollController.addListener(_setCurrentGroupID); + _atZeroScrollNotifier = ValueNotifier( + widget.scrollController.offset == 0, + ); + widget.scrollController.addListener( + _scrollControllerListenerForZeroScrollNotifier, + ); } @override @@ -631,8 +638,12 @@ class _PinnedGroupHeaderState extends State { void dispose() { widget.scrollController.removeListener(_setCurrentGroupID); widget.scrollbarInUseNotifier.removeListener(scrollbarInUseListener); - _enlargeHeaderTimer?.cancel(); + _atZeroScrollNotifier.removeListener( + _scrollControllerListenerForZeroScrollNotifier, + ); _enlargeHeader.dispose(); + _atZeroScrollNotifier.dispose(); + _enlargeHeaderTimer?.cancel(); super.dispose(); } @@ -691,6 +702,10 @@ class _PinnedGroupHeaderState extends State { } } + void _scrollControllerListenerForZeroScrollNotifier() { + _atZeroScrollNotifier.value = widget.scrollController.offset == 0; + } + void scrollbarInUseListener() { _enlargeHeaderTimer?.cancel(); if (widget.scrollbarInUseNotifier.value) { @@ -713,22 +728,43 @@ class _PinnedGroupHeaderState extends State { alignment: Alignment.topLeft, duration: const Duration(milliseconds: 200), curve: Curves.easeInOutSine, - child: ColoredBox( - color: getEnteColorScheme(context).backgroundBase, - child: GroupHeaderWidget( - title: widget.galleryGroups - .groupIdToheaderDataMap[currentGroupId!]!.groupType - .getTitle( - context, - widget.galleryGroups.groupIDToFilesMap[currentGroupId]! - .first, + child: ValueListenableBuilder( + valueListenable: _atZeroScrollNotifier, + builder: (context, atZeroScroll, child) { + return AnimatedContainer( + duration: const Duration(milliseconds: 250), + curve: Curves.easeOut, + decoration: BoxDecoration( + boxShadow: atZeroScroll + ? [] + : [ + BoxShadow( + color: Colors.black.withOpacity(0.15), + blurRadius: 4, + offset: const Offset(0, 2), + ), + ], + ), + child: child, + ); + }, + child: ColoredBox( + color: getEnteColorScheme(context).backgroundBase, + child: GroupHeaderWidget( + title: widget.galleryGroups + .groupIdToheaderDataMap[currentGroupId!]!.groupType + .getTitle( + context, + widget.galleryGroups.groupIDToFilesMap[currentGroupId]! + .first, + ), + gridSize: localSettings.getPhotoGridSize(), + height: widget.galleryGroups.headerExtent, + filesInGroup: widget + .galleryGroups.groupIDToFilesMap[currentGroupId!]!, + selectedFiles: widget.selectedFiles, + showSelectAllByDefault: widget.showSelectAllByDefault, ), - gridSize: localSettings.getPhotoGridSize(), - height: widget.galleryGroups.headerExtent, - filesInGroup: widget - .galleryGroups.groupIDToFilesMap[currentGroupId!]!, - selectedFiles: widget.selectedFiles, - showSelectAllByDefault: widget.showSelectAllByDefault, ), ), ); From 64239011650bf0bdf206387fea51091c260c97b5 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 16 Jul 2025 15:37:50 +0530 Subject: [PATCH 061/302] Remove shadow of PeopleAppBar --- mobile/apps/photos/lib/ui/viewer/people/people_app_bar.dart | 2 -- 1 file changed, 2 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/people/people_app_bar.dart b/mobile/apps/photos/lib/ui/viewer/people/people_app_bar.dart index 7f733b02ad..fe59a7d601 100644 --- a/mobile/apps/photos/lib/ui/viewer/people/people_app_bar.dart +++ b/mobile/apps/photos/lib/ui/viewer/people/people_app_bar.dart @@ -169,8 +169,6 @@ class _AppBarWidgetState extends State { bottom: child as PreferredSizeWidget, actions: isSearching ? null : _getDefaultActions(context), surfaceTintColor: Colors.transparent, - scrolledUnderElevation: 4, - shadowColor: Colors.black.withOpacity(0.15), ); }, ) From 5b4d4b86f7673f0ebbe6cfb1aea500f178fc46c1 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 16 Jul 2025 16:48:40 +0530 Subject: [PATCH 062/302] Add docs --- .../lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart index 0f8e249862..4a16a40441 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart @@ -106,6 +106,11 @@ class _CustomScrollBar2State extends State { } } + // Galleries where this scrollbar is used can gave different extents of headers + // and footers. These extents are not taken into account while computing + // the position of scrollbar divisions since we only show scrollbar divisions + // if the scrollable is long enough, where the header and footer extents + // are negligible compared to max extent of the scrollable. Future _computePositionToTitleMap() async { final result = <({double position, String title})>[]; heightOfScrollTrack = await _getHeightOfScrollTrack(); From dc6221c977f18a152b1b7f4cdc1414d5d292363d Mon Sep 17 00:00:00 2001 From: ashilkn Date: Thu, 17 Jul 2025 14:01:41 +0530 Subject: [PATCH 063/302] Simplify figuring out where to pin PinnedGroupHeader and change it when height of gallery's header changes --- .../photos/lib/ui/viewer/gallery/gallery.dart | 135 ++++++++++-------- 1 file changed, 74 insertions(+), 61 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index fdb7c20a34..fb9c5f9387 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -126,15 +126,8 @@ class GalleryState extends State { final _scrollController = ScrollController(); final _sectionedListSliverKey = GlobalKey(); final _stackKey = GlobalKey(); - double? _stackRenderBoxYOffset; - double? _sectionedListSliverRenderBoxYOffset; - double? get _sectionedListSliverRenderBoxYOffsetRelativeToStackRenderBox { - if (_sectionedListSliverRenderBoxYOffset != null && - _stackRenderBoxYOffset != null) { - return _sectionedListSliverRenderBoxYOffset! - _stackRenderBoxYOffset!; - } - return null; - } + final _headerKey = GlobalKey(); + final _headerHeightNotifier = ValueNotifier(null); final miscUtil = MiscUtil(); final scrollBarInUseNotifier = ValueNotifier(false); @@ -241,24 +234,15 @@ class GalleryState extends State { WidgetsBinding.instance.addPostFrameCallback((_) async { try { - final sectionedListSliverRenderBox = await miscUtil + final headerRenderBox = await miscUtil .getNonNullValueWithRetry( - () => _sectionedListSliverKey.currentContext?.findRenderObject(), + () => _headerKey.currentContext?.findRenderObject(), retryInterval: const Duration(milliseconds: 750), - id: "sectionedListSliverRenderBox", - ) - .then((value) => value as RenderBox); - final stackRenderBox = await miscUtil - .getNonNullValueWithRetry( - () => _stackKey.currentContext?.findRenderObject(), - retryInterval: const Duration(milliseconds: 750), - id: "stackRenderBox", + id: "headerRenderBox", ) .then((value) => value as RenderBox); - _sectionedListSliverRenderBoxYOffset = - sectionedListSliverRenderBox.localToGlobal(Offset.zero).dy; - _stackRenderBoxYOffset = stackRenderBox.localToGlobal(Offset.zero).dy; + _headerHeightNotifier.value = headerRenderBox.size.height; } catch (e, s) { _logger.warning("Error getting renderBox offset", e, s); } @@ -432,6 +416,7 @@ class GalleryState extends State { _debouncer.cancelDebounceTimer(); _scrollController.dispose(); scrollBarInUseNotifier.dispose(); + _headerHeightNotifier.dispose(); super.dispose(); } @@ -486,40 +471,59 @@ class GalleryState extends State { galleryGroups: galleryGroups, inUseNotifier: scrollBarInUseNotifier, heighOfViewport: MediaQuery.sizeOf(context).height, - child: Stack( - key: _stackKey, - clipBehavior: Clip.none, - children: [ - CustomScrollView( - physics: const BouncingScrollPhysics(), - controller: _scrollController, - slivers: [ - SliverToBoxAdapter( - child: widget.header ?? const SizedBox.shrink(), - ), - SliverToBoxAdapter( - child: SizedBox.shrink( - key: _sectionedListSliverKey, + child: NotificationListener( + onNotification: (notification) { + final renderBox = + _headerKey.currentContext?.findRenderObject() as RenderBox?; + if (renderBox != null) { + _headerHeightNotifier.value = renderBox.size.height; + } else { + _logger.info( + "Header render box is null, cannot get height", + ); + } + + return true; + }, + child: Stack( + key: _stackKey, + clipBehavior: Clip.none, + children: [ + CustomScrollView( + physics: const BouncingScrollPhysics(), + controller: _scrollController, + slivers: [ + SliverToBoxAdapter( + child: SizeChangedLayoutNotifier( + child: SizedBox( + key: _headerKey, + child: widget.header ?? const SizedBox.shrink(), + ), + ), ), - ), - SectionedListSliver( - sectionLayouts: galleryGroups.groupLayouts, - ), - SliverToBoxAdapter( - child: widget.footer, - ), - ], - ), - PinnedGroupHeader( - scrollController: _scrollController, - galleryGroups: galleryGroups, - getSectionedListSliverRenderBoxYOffsetRelativeToStackRenderBox: () => - _sectionedListSliverRenderBoxYOffsetRelativeToStackRenderBox, - selectedFiles: widget.selectedFiles, - showSelectAllByDefault: widget.showSelectAllByDefault, - scrollbarInUseNotifier: scrollBarInUseNotifier, - ), - ], + SliverToBoxAdapter( + child: SizedBox.shrink( + key: _sectionedListSliverKey, + ), + ), + SectionedListSliver( + sectionLayouts: galleryGroups.groupLayouts, + ), + SliverToBoxAdapter( + child: widget.footer, + ), + ], + ), + PinnedGroupHeader( + scrollController: _scrollController, + galleryGroups: galleryGroups, + headerHeightNotifier: _headerHeightNotifier, + selectedFiles: widget.selectedFiles, + showSelectAllByDefault: widget.showSelectAllByDefault, + scrollbarInUseNotifier: scrollBarInUseNotifier, + ), + ], + ), ), ), ); @@ -590,8 +594,7 @@ class GalleryState extends State { class PinnedGroupHeader extends StatefulWidget { final ScrollController scrollController; final GalleryGroups galleryGroups; - final double? Function() - getSectionedListSliverRenderBoxYOffsetRelativeToStackRenderBox; + final ValueNotifier headerHeightNotifier; final SelectedFiles? selectedFiles; final bool showSelectAllByDefault; final ValueNotifier scrollbarInUseNotifier; @@ -599,7 +602,7 @@ class PinnedGroupHeader extends StatefulWidget { const PinnedGroupHeader({ required this.scrollController, required this.galleryGroups, - required this.getSectionedListSliverRenderBoxYOffsetRelativeToStackRenderBox, + required this.headerHeightNotifier, required this.selectedFiles, required this.showSelectAllByDefault, required this.scrollbarInUseNotifier, @@ -615,6 +618,7 @@ class _PinnedGroupHeaderState extends State { final _enlargeHeader = ValueNotifier(false); Timer? _enlargeHeaderTimer; late final ValueNotifier _atZeroScrollNotifier; + Timer? _timer; @override void initState() { super.initState(); @@ -626,6 +630,7 @@ class _PinnedGroupHeaderState extends State { widget.scrollController.addListener( _scrollControllerListenerForZeroScrollNotifier, ); + widget.headerHeightNotifier.addListener(_headerHeightNotifierListener); } @override @@ -641,16 +646,17 @@ class _PinnedGroupHeaderState extends State { _atZeroScrollNotifier.removeListener( _scrollControllerListenerForZeroScrollNotifier, ); + widget.headerHeightNotifier.removeListener(_headerHeightNotifierListener); _enlargeHeader.dispose(); _atZeroScrollNotifier.dispose(); _enlargeHeaderTimer?.cancel(); + _timer?.cancel(); super.dispose(); } void _setCurrentGroupID() { - final normalizedScrollOffset = widget.scrollController.offset - - widget - .getSectionedListSliverRenderBoxYOffsetRelativeToStackRenderBox()!; + final normalizedScrollOffset = + widget.scrollController.offset - widget.headerHeightNotifier.value!; if (normalizedScrollOffset < 0) { // No change in group ID, no need to call setState if (currentGroupId == null) return; @@ -717,6 +723,13 @@ class _PinnedGroupHeaderState extends State { } } + void _headerHeightNotifierListener() { + _timer?.cancel(); + _timer = Timer(const Duration(milliseconds: 500), () { + _setCurrentGroupID(); + }); + } + @override Widget build(BuildContext context) { return currentGroupId != null From c2374ed14e4453d21f6fabffa26d0bd31fa65ec4 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Thu, 17 Jul 2025 14:43:15 +0530 Subject: [PATCH 064/302] Double tap home button to animate to start of home gallery --- mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart | 7 ++++--- 1 file changed, 4 insertions(+), 3 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index fb9c5f9387..c96989942a 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -185,9 +185,10 @@ class GalleryState extends State { // todo: Assign ID to Gallery and fire generic event with ID & // target index/date if (mounted && event.selectedIndex == 0) { - await _itemScroller.scrollTo( - index: 0, - duration: const Duration(milliseconds: 150), + await _scrollController.animateTo( + 0, + duration: const Duration(milliseconds: 250), + curve: Curves.easeOutExpo, ); } }); From 401c8e160ae9904bd1a2721e6972117b392a0360 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Thu, 17 Jul 2025 14:43:53 +0530 Subject: [PATCH 065/302] Custom ScrollPhysics to avoid extreme overscroll when using scrollbar --- .../photos/lib/ui/viewer/gallery/gallery.dart | 40 ++++++++++++++++++- 1 file changed, 39 insertions(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index c96989942a..e46324246c 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -1,4 +1,5 @@ import 'dart:async'; +import 'dart:math' as math; import 'package:flutter/foundation.dart'; import 'package:flutter/material.dart'; @@ -491,7 +492,7 @@ class GalleryState extends State { clipBehavior: Clip.none, children: [ CustomScrollView( - physics: const BouncingScrollPhysics(), + physics: const ExponentialBouncingScrollPhysics(), controller: _scrollController, slivers: [ SliverToBoxAdapter( @@ -794,3 +795,40 @@ class GalleryIndexUpdatedEvent { GalleryIndexUpdatedEvent(this.tag, this.index); } + +/// Scroll physics similar to [BouncingScrollPhysics] but with exponentially +/// increasing friction when scrolling out of bounds. +/// +/// This creates a stronger resistance to overscrolling the further you go +/// past the scroll boundary. +class ExponentialBouncingScrollPhysics extends BouncingScrollPhysics { + const ExponentialBouncingScrollPhysics({ + this.frictionExponent = 7.0, + super.decelerationRate, + super.parent, + }); + + /// The exponent used in the friction calculation. + /// + /// A higher value will result in a more rapid increase in friction as the + /// user overscrolls. Defaults to 7.0. + final double frictionExponent; + + @override + ExponentialBouncingScrollPhysics applyTo(ScrollPhysics? ancestor) { + return ExponentialBouncingScrollPhysics( + parent: buildParent(ancestor), + decelerationRate: decelerationRate, + frictionExponent: frictionExponent, + ); + } + + @override + double frictionFactor(double overscrollFraction) { + final double baseFactor = switch (decelerationRate) { + ScrollDecelerationRate.fast => 0.26, + ScrollDecelerationRate.normal => 0.52, + }; + return baseFactor * math.exp(-overscrollFraction * frictionExponent); + } +} From 21a843fb3b31725cfdf4cb68caa0247628bb9b8f Mon Sep 17 00:00:00 2001 From: ashilkn Date: Thu, 17 Jul 2025 16:34:29 +0530 Subject: [PATCH 066/302] Remove stale code --- mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart | 4 ---- 1 file changed, 4 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index e46324246c..031f807bcf 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -30,7 +30,6 @@ import "package:photos/utils/misc_util.dart"; import "package:photos/utils/standalone/date_time.dart"; import "package:photos/utils/standalone/debouncer.dart"; import "package:photos/utils/widget_util.dart"; -import 'package:scrollable_positioned_list/scrollable_positioned_list.dart'; typedef GalleryLoader = Future Function( int creationStartTime, @@ -117,7 +116,6 @@ class GalleryState extends State { late Logger _logger; List> currentGroupedFiles = []; bool _hasLoadedFiles = false; - late ItemScrollController _itemScroller; StreamSubscription? _reloadEventSubscription; StreamSubscription? _tabDoubleTapEvent; final _forceReloadEventSubscriptions = >[]; @@ -147,7 +145,6 @@ class GalleryState extends State { leading: true, ); _sortOrderAsc = widget.sortAsyncFn != null ? widget.sortAsyncFn!() : false; - _itemScroller = ItemScrollController(); if (widget.reloadEvent != null) { _reloadEventSubscription = widget.reloadEvent!.listen((event) async { bool shouldReloadFromDB = true; @@ -447,7 +444,6 @@ class GalleryState extends State { type: widget.groupType, // Replace this with the new gallery and use `_allGalleryFiles` // child: MultipleGroupsGalleryView( - // itemScroller: _itemScroller, // groupedFiles: currentGroupedFiles, // disableScroll: widget.disableScroll, // emptyState: widget.emptyState, From 9b289d784510bf2765d9406247c41ea895b6f2ae Mon Sep 17 00:00:00 2001 From: ashilkn Date: Thu, 17 Jul 2025 16:37:38 +0530 Subject: [PATCH 067/302] Minor UI change --- mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 031f807bcf..64da0c82b2 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -735,7 +735,7 @@ class _PinnedGroupHeaderState extends State { valueListenable: _enlargeHeader, builder: (context, inUse, _) { return AnimatedScale( - scale: inUse ? 1.3 : 1.0, + scale: inUse ? 1.2 : 1.0, alignment: Alignment.topLeft, duration: const Duration(milliseconds: 200), curve: Curves.easeInOutSine, From 552003600aa9184dcf70c038549b348a643e20a7 Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Fri, 18 Jul 2025 13:47:58 +0530 Subject: [PATCH 068/302] Add pro_image_editor package --- mobile/apps/photos/pubspec.lock | 90 ++++++++++++++++++++++----------- mobile/apps/photos/pubspec.yaml | 1 + 2 files changed, 62 insertions(+), 29 deletions(-) diff --git a/mobile/apps/photos/pubspec.lock b/mobile/apps/photos/pubspec.lock index 58284d5f09..5aab6b5201 100644 --- a/mobile/apps/photos/pubspec.lock +++ b/mobile/apps/photos/pubspec.lock @@ -5,10 +5,10 @@ packages: dependency: transitive description: name: _fe_analyzer_shared - sha256: f256b0c0ba6c7577c15e2e4e114755640a875e885099367bf6e012b19314c834 + sha256: "16e298750b6d0af7ce8a3ba7c18c69c3785d11b15ec83f6dcd0ad2a0009b3cab" url: "https://pub.dev" source: hosted - version: "72.0.0" + version: "76.0.0" _flutterfire_internals: dependency: transitive description: @@ -21,7 +21,7 @@ packages: dependency: transitive description: dart source: sdk - version: "0.3.2" + version: "0.3.3" adaptive_theme: dependency: "direct main" description: @@ -34,10 +34,10 @@ packages: dependency: transitive description: name: analyzer - sha256: b652861553cd3990d8ed361f7979dc6d7053a9ac8843fa73820ab68ce5410139 + sha256: "1f14db053a8c23e260789e9b0980fa27f2680dd640932cae5e1137cce0e46e1e" url: "https://pub.dev" source: hosted - version: "6.7.0" + version: "6.11.0" android_intent_plus: dependency: "direct main" description: @@ -317,10 +317,10 @@ packages: dependency: "direct main" description: name: collection - sha256: ee67cb0715911d28db6bf4af1026078bd6f0128b07a5f66fb2ed94ec6783c09a + sha256: a1ace0a119f20aabc852d165077c036cd864315bd99b7eaa10a60100341941bf url: "https://pub.dev" source: hosted - version: "1.18.0" + version: "1.19.0" computer: dependency: "direct main" description: @@ -514,6 +514,14 @@ packages: url: "https://pub.dev" source: hosted version: "2.1.17" + emoji_picker_flutter: + dependency: transitive + description: + name: emoji_picker_flutter + sha256: "08567e6f914d36c32091a96cf2f51d2558c47aa2bd47a590dc4f50e42e0965f6" + url: "https://pub.dev" + source: hosted + version: "3.1.0" encrypt: dependency: "direct main" description: @@ -1416,18 +1424,18 @@ packages: dependency: transitive description: name: leak_tracker - sha256: "3f87a60e8c63aecc975dda1ceedbc8f24de75f09e4856ea27daf8958f2f0ce05" + sha256: "7bb2830ebd849694d1ec25bf1f44582d6ac531a57a365a803a6034ff751d2d06" url: "https://pub.dev" source: hosted - version: "10.0.5" + version: "10.0.7" leak_tracker_flutter_testing: dependency: transitive description: name: leak_tracker_flutter_testing - sha256: "932549fb305594d82d7183ecd9fa93463e9914e1b67cacc34bc40906594a1806" + sha256: "9491a714cca3667b60b5c420da8217e6de0d1ba7a5ec322fab01758f6998f379" url: "https://pub.dev" source: hosted - version: "3.0.5" + version: "3.0.8" leak_tracker_testing: dependency: transitive description: @@ -1536,10 +1544,10 @@ packages: dependency: transitive description: name: macros - sha256: "0acaed5d6b7eab89f63350bccd82119e6c602df0f391260d0e32b5e23db79536" + sha256: "1d9e801cd66f7ea3663c45fc708450db1fa57f988142c64289142c9b7ee80656" url: "https://pub.dev" source: hosted - version: "0.1.2-main.4" + version: "0.1.3-main.0" maps_launcher: dependency: "direct main" description: @@ -2064,6 +2072,14 @@ packages: url: "https://github.com/eddyuan/privacy_screen.git" source: git version: "0.0.6" + pro_image_editor: + dependency: "direct main" + description: + name: pro_image_editor + sha256: "1df9d15d514d958c740fc6aeacc41cc94b77cdcd8d72dac13c8f3a781c5680da" + url: "https://pub.dev" + source: hosted + version: "7.2.0" process: dependency: transitive description: @@ -2309,7 +2325,7 @@ packages: dependency: transitive description: flutter source: sdk - version: "0.0.99" + version: "0.0.0" source_gen: dependency: transitive description: @@ -2434,10 +2450,10 @@ packages: dependency: transitive description: name: stack_trace - sha256: "73713990125a6d93122541237550ee3352a2d84baad52d375a4cad2eb9b7ce0b" + sha256: "9f47fd3630d76be3ab26f0ee06d213679aa425996925ff3feffdec504931c377" url: "https://pub.dev" source: hosted - version: "1.11.1" + version: "1.12.0" step_progress_indicator: dependency: "direct main" description: @@ -2466,10 +2482,10 @@ packages: dependency: transitive description: name: string_scanner - sha256: "556692adab6cfa87322a115640c11f13cb77b3f076ddcc5d6ae3c20242bedcde" + sha256: "688af5ed3402a4bde5b3a6c15fd768dbf2621a614950b17f04626c431ab3c4c3" url: "https://pub.dev" source: hosted - version: "1.2.0" + version: "1.3.0" styled_text: dependency: "direct main" description: @@ -2530,26 +2546,26 @@ packages: dependency: "direct dev" description: name: test - sha256: "7ee44229615f8f642b68120165ae4c2a75fe77ae2065b1e55ae4711f6cf0899e" + sha256: "713a8789d62f3233c46b4a90b174737b2c04cb6ae4500f2aa8b1be8f03f5e67f" url: "https://pub.dev" source: hosted - version: "1.25.7" + version: "1.25.8" test_api: dependency: transitive description: name: test_api - sha256: "5b8a98dafc4d5c4c9c72d8b31ab2b23fc13422348d2997120294d3bac86b4ddb" + sha256: "664d3a9a64782fcdeb83ce9c6b39e78fd2971d4e37827b9b06c3aa1edc5e760c" url: "https://pub.dev" source: hosted - version: "0.7.2" + version: "0.7.3" test_core: dependency: transitive description: name: test_core - sha256: "55ea5a652e38a1dfb32943a7973f3681a60f872f8c3a05a14664ad54ef9c6696" + sha256: "12391302411737c176b0b5d6491f466b0dd56d4763e347b6714efbaa74d7953d" url: "https://pub.dev" source: hosted - version: "0.6.4" + version: "0.6.5" thermal: dependency: "direct main" description: @@ -2742,6 +2758,22 @@ packages: url: "https://pub.dev" source: hosted version: "2.1.4" + vibration: + dependency: transitive + description: + name: vibration + sha256: "3b08a0579c2f9c18d5d78cb5c74f1005f731e02eeca6d72561a2e8059bf98ec3" + url: "https://pub.dev" + source: hosted + version: "2.1.0" + vibration_platform_interface: + dependency: transitive + description: + name: vibration_platform_interface + sha256: "6ffeee63547562a6fef53c05a41d4fdcae2c0595b83ef59a4813b0612cd2bc36" + url: "https://pub.dev" + source: hosted + version: "0.0.3" video_editor: dependency: "direct main" description: @@ -2813,10 +2845,10 @@ packages: dependency: transitive description: name: vm_service - sha256: "5c5f338a667b4c644744b661f309fb8080bb94b18a7e91ef1dbd343bed00ed6d" + sha256: f6be3ed8bd01289b34d679c2b62226f63c0e69f9fd2e50a6b3c1c729a961041b url: "https://pub.dev" source: hosted - version: "14.2.5" + version: "14.3.0" volume_controller: dependency: transitive description: @@ -2877,10 +2909,10 @@ packages: dependency: transitive description: name: webdriver - sha256: "003d7da9519e1e5f329422b36c4dcdf18d7d2978d1ba099ea4e45ba490ed845e" + sha256: "3d773670966f02a646319410766d3b5e1037efb7f07cc68f844d5e06cd4d61c8" url: "https://pub.dev" source: hosted - version: "3.0.3" + version: "3.0.4" webkit_inspection_protocol: dependency: transitive description: @@ -2979,4 +3011,4 @@ packages: version: "3.1.3" sdks: dart: ">=3.5.0 <4.0.0" - flutter: ">=3.24.0" + flutter: ">=3.27.0" diff --git a/mobile/apps/photos/pubspec.yaml b/mobile/apps/photos/pubspec.yaml index 19bf6b4b0c..41c26fe860 100644 --- a/mobile/apps/photos/pubspec.yaml +++ b/mobile/apps/photos/pubspec.yaml @@ -173,6 +173,7 @@ dependencies: git: url: https://github.com/eddyuan/privacy_screen.git ref: 855418e + pro_image_editor: ^7.2.0 receive_sharing_intent: # pub.dev is behind git: url: https://github.com/KasemJaffer/receive_sharing_intent.git From a10dcd01b00d2a9a6ced70d99a7d3b28e93d8b89 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Fri, 18 Jul 2025 14:36:42 +0530 Subject: [PATCH 069/302] Add support for GroupType.none --- .../lib/models/gallery/gallery_sections.dart | 112 ++++++++++++------ .../viewer/gallery/component/group/type.dart | 9 +- .../photos/lib/ui/viewer/gallery/gallery.dart | 80 ++++++++----- .../scrollbar/custom_scroll_bar_2.dart | 6 +- 4 files changed, 132 insertions(+), 75 deletions(-) diff --git a/mobile/apps/photos/lib/models/gallery/gallery_sections.dart b/mobile/apps/photos/lib/models/gallery/gallery_sections.dart index 5b418d4365..34d8fa79c6 100644 --- a/mobile/apps/photos/lib/models/gallery/gallery_sections.dart +++ b/mobile/apps/photos/lib/models/gallery/gallery_sections.dart @@ -14,6 +14,9 @@ import "package:photos/ui/viewer/gallery/component/group/type.dart"; import "package:photos/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart"; import "package:uuid/uuid.dart"; +/// In order to make the gallery performant when GroupTypes do not show group +/// headers, groups are still created here but with the group header replaced by +/// the grid's main axis spacing. class GalleryGroups { final List allFiles; final GroupType groupType; @@ -26,7 +29,7 @@ class GalleryGroups { //TODO: Add support for sort order final bool sortOrderAsc; final double widthAvailable; - final double headerExtent; + final double groupHeaderExtent; GalleryGroups({ required this.allFiles, required this.groupType, @@ -34,11 +37,20 @@ class GalleryGroups { required this.selectedFiles, required this.tagPrefix, this.sortOrderAsc = true, - required this.headerExtent, + + /// Should be GroupGallery.spacing if GroupType.showGroupHeader() is false. + required this.groupHeaderExtent, required this.showSelectAllByDefault, this.limitSelectionToOne = false, }) { init(); + if (!groupType.showGroupHeader()) { + assert( + groupHeaderExtent == spacing, + '''groupHeaderExtent should be equal to spacing when group header is not + shown since the header is just replaced by the grid's main axis spacing''', + ); + } } static const double spacing = 2.0; @@ -67,8 +79,8 @@ class GalleryGroups { List get scrollbarDivisions => _scrollbarDivisions; void init() { - _buildGroups(); crossAxisCount = localSettings.getPhotoGridSize(); + _buildGroups(); _groupLayouts = _computeGroupLayouts(); assert(groupIDs.length == _groupIdToFilesMap.length); assert(groupIDs.length == _groupIdToHeaderDataMap.length); @@ -83,6 +95,7 @@ class GalleryGroups { List _computeGroupLayouts() { final stopwatch = Stopwatch()..start(); + final showGroupHeader = groupType.showGroupHeader(); int currentIndex = 0; double currentOffset = 0.0; final tileHeight = @@ -100,7 +113,7 @@ class GalleryGroups { final maxOffset = minOffset + (numberOfGridRows * tileHeight) + (numberOfGridRows - 1) * spacing + - headerExtent; + groupHeaderExtent; final bodyFirstIndex = firstIndex + 1; groupLayouts.add( @@ -109,20 +122,24 @@ class GalleryGroups { lastIndex: lastIndex, minOffset: minOffset, maxOffset: maxOffset, - headerExtent: headerExtent, + headerExtent: groupHeaderExtent, tileHeight: tileHeight, spacing: spacing, builder: (context, rowIndex) { if (rowIndex == firstIndex) { - return GroupHeaderWidget( - title: _groupIdToHeaderDataMap[groupID]! - .groupType - .getTitle(context, groupIDToFilesMap[groupID]!.first), - gridSize: crossAxisCount, - filesInGroup: groupIDToFilesMap[groupID]!, - selectedFiles: selectedFiles, - showSelectAllByDefault: showSelectAllByDefault, - ); + if (showGroupHeader) { + return GroupHeaderWidget( + title: _groupIdToHeaderDataMap[groupID]! + .groupType + .getTitle(context, groupIDToFilesMap[groupID]!.first), + gridSize: crossAxisCount, + filesInGroup: groupIDToFilesMap[groupID]!, + selectedFiles: selectedFiles, + showSelectAllByDefault: showSelectAllByDefault, + ); + } else { + return const SizedBox(height: spacing); + } } else { final gridRowChildren = []; final firstIndexOfRowWrtFilesInGroup = @@ -208,31 +225,47 @@ class GalleryGroups { // TODO: compute this in isolate void _buildGroups() { final stopwatch = Stopwatch()..start(); - final years = {}; + + final yearsInGroups = {}; //Only relevant for time grouping List groupFiles = []; - for (int index = 0; index < allFiles.length; index++) { - if (index > 0 && - !groupType.areFromSameGroup(allFiles[index - 1], allFiles[index])) { - _createNewGroup(groupFiles, years); - groupFiles = []; + final allFilesLength = allFiles.length; + + if (groupType.showGroupHeader()) { + for (int index = 0; index < allFilesLength; index++) { + if (index > 0 && + !groupType.areFromSameGroup(allFiles[index - 1], allFiles[index])) { + _createNewGroup(groupFiles, yearsInGroups); + groupFiles = []; + } + groupFiles.add(allFiles[index]); + } + if (groupFiles.isNotEmpty) { + _createNewGroup(groupFiles, yearsInGroups); + } + } else { +// Split allFiles into groups of max length 10 * crossAxisCount for + // better performance since SectionedSliverList is used. + for (int i = 0; i < allFiles.length; i += 10 * crossAxisCount) { + final end = (i + 10 * crossAxisCount < allFiles.length) + ? i + 10 * crossAxisCount + : allFiles.length; + final subGroup = allFiles.sublist(i, end); + _createNewGroup(subGroup, yearsInGroups); } - groupFiles.add(allFiles[index]); - } - if (groupFiles.isNotEmpty) { - _createNewGroup(groupFiles, years); } + _logger.info( - "Built ${_groupIds.length} groups in ${stopwatch.elapsedMilliseconds} ms", + "Built ${_groupIds.length} groups for group type ${groupType.name} in ${stopwatch.elapsedMilliseconds} ms", ); print( - "Built ${_groupIds.length} groups in ${stopwatch.elapsedMilliseconds} ms", + "Built ${_groupIds.length} groups for group type ${groupType.name} in ${stopwatch.elapsedMilliseconds} ms", ); stopwatch.stop(); } void _createNewGroup( List groupFiles, - Set years, + Set yearsInGroups, ) { final uuid = _uuid.v1(); _groupIds.add(uuid); @@ -241,17 +274,20 @@ class GalleryGroups { groupType: groupType, ); - final yearOfGroup = DateTime.fromMicrosecondsSinceEpoch( - groupFiles.first.creationTime!, - ).year; - if (!years.contains(yearOfGroup)) { - years.add(yearOfGroup); - _scrollbarDivisions.add( - ScrollbarDivision( - groupID: uuid, - title: yearOfGroup.toString(), - ), - ); + // For scrollbar divisions + if (groupType.timeGrouping()) { + final yearOfGroup = DateTime.fromMicrosecondsSinceEpoch( + groupFiles.first.creationTime!, + ).year; + if (!yearsInGroups.contains(yearOfGroup)) { + yearsInGroups.add(yearOfGroup); + _scrollbarDivisions.add( + ScrollbarDivision( + groupID: uuid, + title: yearOfGroup.toString(), + ), + ); + } } } } diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/component/group/type.dart b/mobile/apps/photos/lib/ui/viewer/gallery/component/group/type.dart index 40f451b583..26373b6102 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/component/group/type.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/component/group/type.dart @@ -39,12 +39,9 @@ extension GroupTypeExtension on GroupType { this == GroupType.year; } - bool showGroupHeader() { - if (this == GroupType.size || this == GroupType.none) { - return false; - } - return true; - } + bool showGroupHeader() => timeGrouping(); + + bool showScrollbarDivisions() => timeGrouping(); String getTitle( BuildContext context, diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 64da0c82b2..479d77b930 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -127,9 +127,9 @@ class GalleryState extends State { final _stackKey = GlobalKey(); final _headerKey = GlobalKey(); final _headerHeightNotifier = ValueNotifier(null); - final miscUtil = MiscUtil(); final scrollBarInUseNotifier = ValueNotifier(false); + late GroupType _groupType; @override void initState() { @@ -139,6 +139,7 @@ class GalleryState extends State { "Gallery_${widget.tagPrefix}${kDebugMode ? "_" + widget.albumName! : ""}_x"; _logger = Logger(_logTag); _logger.info("init Gallery"); + _setGroupType(); _debouncer = Debouncer( widget.reloadDebounceTime, executionInterval: widget.reloadDebounceExecutionInterval, @@ -216,20 +217,24 @@ class GalleryState extends State { } }); - getIntrinsicSizeOfWidget( - GroupHeaderWidget( - title: "Dummy title", - gridSize: localSettings.getPhotoGridSize(), - filesInGroup: const [], - selectedFiles: null, - showSelectAllByDefault: false, - ), - context, - ).then((size) { - setState(() { - groupHeaderExtent = size.height; + if (_groupType.showGroupHeader()) { + getIntrinsicSizeOfWidget( + GroupHeaderWidget( + title: "Dummy title", + gridSize: localSettings.getPhotoGridSize(), + filesInGroup: const [], + selectedFiles: null, + showSelectAllByDefault: false, + ), + context, + ).then((size) { + setState(() { + groupHeaderExtent = size.height; + }); }); - }); + } else { + groupHeaderExtent = GalleryGroups.spacing; + } WidgetsBinding.instance.addPostFrameCallback((_) async { try { @@ -249,6 +254,21 @@ class GalleryState extends State { }); } + @override + void didUpdateWidget(covariant Gallery oldWidget) { + super.didUpdateWidget(oldWidget); + if (oldWidget.groupType != widget.groupType) { + _setGroupType(); + if (mounted) { + setState(() {}); + } + } + } + + void _setGroupType() { + _groupType = widget.enableFileGrouping ? widget.groupType : GroupType.none; + } + void _setFilesAndReload(List files) { final hasReloaded = _onFilesLoaded(files); if (!hasReloaded && mounted) { @@ -346,7 +366,7 @@ class GalleryState extends State { _allGalleryFiles = files; final updatedGroupedFiles = - widget.enableFileGrouping && widget.groupType.timeGrouping() + widget.enableFileGrouping && _groupType.timeGrouping() ? _groupBasedOnTime(files) : _genericGroupForPerf(files); if (currentGroupedFiles.length != updatedGroupedFiles.length || @@ -427,11 +447,11 @@ class GalleryState extends State { final galleryGroups = GalleryGroups( allFiles: _allGalleryFiles, - groupType: widget.groupType, + groupType: _groupType, widthAvailable: MediaQuery.sizeOf(context).width, selectedFiles: widget.selectedFiles, tagPrefix: widget.tagPrefix, - headerExtent: groupHeaderExtent!, + groupHeaderExtent: groupHeaderExtent!, showSelectAllByDefault: widget.showSelectAllByDefault, ); GalleryFilesState.of(context).setGalleryFiles = _allGalleryFiles; @@ -441,7 +461,7 @@ class GalleryState extends State { return GalleryContextState( sortOrderAsc: _sortOrderAsc, inSelectionMode: widget.inSelectionMode, - type: widget.groupType, + type: _groupType, // Replace this with the new gallery and use `_allGalleryFiles` // child: MultipleGroupsGalleryView( // groupedFiles: currentGroupedFiles, @@ -512,14 +532,16 @@ class GalleryState extends State { ), ], ), - PinnedGroupHeader( - scrollController: _scrollController, - galleryGroups: galleryGroups, - headerHeightNotifier: _headerHeightNotifier, - selectedFiles: widget.selectedFiles, - showSelectAllByDefault: widget.showSelectAllByDefault, - scrollbarInUseNotifier: scrollBarInUseNotifier, - ), + galleryGroups.groupType.showGroupHeader() + ? PinnedGroupHeader( + scrollController: _scrollController, + galleryGroups: galleryGroups, + headerHeightNotifier: _headerHeightNotifier, + selectedFiles: widget.selectedFiles, + showSelectAllByDefault: widget.showSelectAllByDefault, + scrollbarInUseNotifier: scrollBarInUseNotifier, + ) + : const SizedBox.shrink(), ], ), ), @@ -529,7 +551,7 @@ class GalleryState extends State { // create groups of 200 files for performance List> _genericGroupForPerf(List files) { - if (widget.groupType == GroupType.size) { + if (_groupType == GroupType.size) { // sort files by fileSize on the bases of _sortOrderAsc files.sort((a, b) { if (_sortOrderAsc) { @@ -542,7 +564,7 @@ class GalleryState extends State { // todo:(neeraj) Stick to default group behaviour for magicSearch and editLocationGallery // In case of Magic search, we need to hide the scrollbar title (can be done // by specifying none as groupType) - if (widget.groupType != GroupType.size) { + if (_groupType != GroupType.size) { return [files]; } @@ -770,7 +792,7 @@ class _PinnedGroupHeaderState extends State { .first, ), gridSize: localSettings.getPhotoGridSize(), - height: widget.galleryGroups.headerExtent, + height: widget.galleryGroups.groupHeaderExtent, filesInGroup: widget .galleryGroups.groupIDToFilesMap[currentGroupId!]!, selectedFiles: widget.selectedFiles, diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart index 4a16a40441..0af8f8e5e4 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart @@ -3,6 +3,7 @@ import "package:flutter/material.dart"; import "package:logging/logging.dart"; import "package:photos/models/gallery/gallery_sections.dart"; import "package:photos/theme/ente_theme.dart"; +import "package:photos/ui/viewer/gallery/component/group/type.dart"; import "package:photos/ui/viewer/gallery/scrollbar/scroll_bar_with_use_notifier.dart"; import "package:photos/utils/misc_util.dart"; import "package:photos/utils/widget_util.dart"; @@ -81,8 +82,9 @@ class _CustomScrollBar2State extends State { void _init() { _logger.info("Initializing CustomScrollBar2"); - if (widget.galleryGroups.groupLayouts.last.maxOffset > - widget.heighOfViewport * 5) { + if (widget.galleryGroups.groupType.showScrollbarDivisions() && + widget.galleryGroups.groupLayouts.last.maxOffset > + widget.heighOfViewport * 5) { _showScrollbarDivisions = true; } else { _showScrollbarDivisions = false; From f232fc401d82f0a865a896e704dacb3c37a8e869 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Fri, 18 Jul 2025 14:45:11 +0530 Subject: [PATCH 070/302] Add support for disableScroll in galler --- mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 479d77b930..0f262fe49c 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -508,7 +508,9 @@ class GalleryState extends State { clipBehavior: Clip.none, children: [ CustomScrollView( - physics: const ExponentialBouncingScrollPhysics(), + physics: widget.disableScroll + ? const NeverScrollableScrollPhysics() + : const ExponentialBouncingScrollPhysics(), controller: _scrollController, slivers: [ SliverToBoxAdapter( From 06397a499252e04afe169a8b355386a67085df36 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Fri, 18 Jul 2025 15:38:24 +0530 Subject: [PATCH 071/302] Add empty state for gallery --- .../photos/lib/ui/viewer/gallery/gallery.dart | 132 ++++++++++-------- 1 file changed, 71 insertions(+), 61 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 0f262fe49c..923eeef5e3 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -484,70 +484,80 @@ class GalleryState extends State { // widget.showSelectAllByDefault && widget.groupType.showGroupHeader(), // isScrollablePositionedList: widget.isScrollablePositionedList, // ), - child: CustomScrollBar2( - scrollController: _scrollController, - galleryGroups: galleryGroups, - inUseNotifier: scrollBarInUseNotifier, - heighOfViewport: MediaQuery.sizeOf(context).height, - child: NotificationListener( - onNotification: (notification) { - final renderBox = - _headerKey.currentContext?.findRenderObject() as RenderBox?; - if (renderBox != null) { - _headerHeightNotifier.value = renderBox.size.height; - } else { - _logger.info( - "Header render box is null, cannot get height", - ); - } + child: _allGalleryFiles.isEmpty + ? Column( + mainAxisAlignment: MainAxisAlignment.spaceBetween, + children: [ + widget.header ?? const SizedBox.shrink(), + Expanded(child: widget.emptyState), + widget.footer ?? const SizedBox.shrink(), + ], + ) + : CustomScrollBar2( + scrollController: _scrollController, + galleryGroups: galleryGroups, + inUseNotifier: scrollBarInUseNotifier, + heighOfViewport: MediaQuery.sizeOf(context).height, + child: NotificationListener( + onNotification: (notification) { + final renderBox = _headerKey.currentContext + ?.findRenderObject() as RenderBox?; + if (renderBox != null) { + _headerHeightNotifier.value = renderBox.size.height; + } else { + _logger.info( + "Header render box is null, cannot get height", + ); + } - return true; - }, - child: Stack( - key: _stackKey, - clipBehavior: Clip.none, - children: [ - CustomScrollView( - physics: widget.disableScroll - ? const NeverScrollableScrollPhysics() - : const ExponentialBouncingScrollPhysics(), - controller: _scrollController, - slivers: [ - SliverToBoxAdapter( - child: SizeChangedLayoutNotifier( - child: SizedBox( - key: _headerKey, - child: widget.header ?? const SizedBox.shrink(), - ), + return true; + }, + child: Stack( + key: _stackKey, + clipBehavior: Clip.none, + children: [ + CustomScrollView( + physics: widget.disableScroll + ? const NeverScrollableScrollPhysics() + : const ExponentialBouncingScrollPhysics(), + controller: _scrollController, + slivers: [ + SliverToBoxAdapter( + child: SizeChangedLayoutNotifier( + child: SizedBox( + key: _headerKey, + child: widget.header ?? const SizedBox.shrink(), + ), + ), + ), + SliverToBoxAdapter( + child: SizedBox.shrink( + key: _sectionedListSliverKey, + ), + ), + SectionedListSliver( + sectionLayouts: galleryGroups.groupLayouts, + ), + SliverToBoxAdapter( + child: widget.footer, + ), + ], ), - ), - SliverToBoxAdapter( - child: SizedBox.shrink( - key: _sectionedListSliverKey, - ), - ), - SectionedListSliver( - sectionLayouts: galleryGroups.groupLayouts, - ), - SliverToBoxAdapter( - child: widget.footer, - ), - ], + galleryGroups.groupType.showGroupHeader() + ? PinnedGroupHeader( + scrollController: _scrollController, + galleryGroups: galleryGroups, + headerHeightNotifier: _headerHeightNotifier, + selectedFiles: widget.selectedFiles, + showSelectAllByDefault: + widget.showSelectAllByDefault, + scrollbarInUseNotifier: scrollBarInUseNotifier, + ) + : const SizedBox.shrink(), + ], + ), ), - galleryGroups.groupType.showGroupHeader() - ? PinnedGroupHeader( - scrollController: _scrollController, - galleryGroups: galleryGroups, - headerHeightNotifier: _headerHeightNotifier, - selectedFiles: widget.selectedFiles, - showSelectAllByDefault: widget.showSelectAllByDefault, - scrollbarInUseNotifier: scrollBarInUseNotifier, - ) - : const SizedBox.shrink(), - ], - ), - ), - ), + ), ); } From 764921ec699510fb6adefb7389119c5bbc2cd867 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Fri, 18 Jul 2025 15:56:41 +0530 Subject: [PATCH 072/302] Make it possible to pass different vertical paddings for scrollbar --- .../photos/lib/ui/viewer/gallery/gallery.dart | 2 ++ .../scrollbar/custom_scroll_bar_2.dart | 20 +++++++++++-------- 2 files changed, 14 insertions(+), 8 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 923eeef5e3..a37f5a66ad 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -498,6 +498,8 @@ class GalleryState extends State { galleryGroups: galleryGroups, inUseNotifier: scrollBarInUseNotifier, heighOfViewport: MediaQuery.sizeOf(context).height, + topPadding: groupHeaderExtent!, + bottomPadding: widget.scrollBottomSafeArea, child: NotificationListener( onNotification: (notification) { final renderBox = _headerKey.currentContext diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart index 0af8f8e5e4..08329c2224 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart @@ -20,6 +20,8 @@ class ScrollbarDivision { class CustomScrollBar2 extends StatefulWidget { final Widget child; + final double bottomPadding; + final double topPadding; final ScrollController scrollController; final GalleryGroups galleryGroups; final ValueNotifier inUseNotifier; @@ -31,6 +33,8 @@ class CustomScrollBar2 extends StatefulWidget { required this.galleryGroups, required this.inUseNotifier, required this.heighOfViewport, + required this.bottomPadding, + required this.topPadding, }); @override @@ -55,8 +59,6 @@ class _CustomScrollBar2State extends State { final _logger = Logger("CustomScrollBar2"); final _scrollbarKey = GlobalKey(); List<({double position, String title})>? positionToTitleMap; - static const _bottomPadding = 92.0; - static const _topPadding = 20.0; double? heightOfScrollbarDivider; double? heightOfScrollTrack; late bool _showScrollbarDivisions; @@ -199,7 +201,7 @@ class _CustomScrollBar2State extends State { () => renderBox!.size.height, id: "getHeightOfScrollTrack", ) - .then((value) => value - _bottomPadding - _topPadding); + .then((value) => value - widget.bottomPadding - widget.topPadding); } @override @@ -211,8 +213,10 @@ class _CustomScrollBar2State extends State { // This media query is used to adjust the bottom padding of the scrollbar MediaQuery( data: MediaQuery.of(context).copyWith( - padding: - const EdgeInsets.only(bottom: _bottomPadding, top: _topPadding), + padding: EdgeInsets.only( + bottom: widget.bottomPadding, + top: widget.topPadding, + ), ), child: ScrollbarWithUseNotifer( key: _scrollbarKey, @@ -226,9 +230,9 @@ class _CustomScrollBar2State extends State { positionToTitleMap == null || heightOfScrollbarDivider == null ? const SizedBox.shrink() : Padding( - padding: const EdgeInsets.only( - top: _topPadding, - bottom: _bottomPadding, + padding: EdgeInsets.only( + top: widget.topPadding, + bottom: widget.bottomPadding, ), child: ValueListenableBuilder( valueListenable: widget.inUseNotifier, From f32b98c1bcf1383066f51f8a9c0476e857c8e8f0 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Fri, 18 Jul 2025 16:05:49 +0530 Subject: [PATCH 073/302] Clean up --- .../photos/lib/ui/collections/collection_list_page.dart | 1 - mobile/apps/photos/lib/ui/home/home_gallery_widget.dart | 2 -- mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart | 6 +++--- 3 files changed, 3 insertions(+), 6 deletions(-) diff --git a/mobile/apps/photos/lib/ui/collections/collection_list_page.dart b/mobile/apps/photos/lib/ui/collections/collection_list_page.dart index 607d89413a..e353c4a7b8 100644 --- a/mobile/apps/photos/lib/ui/collections/collection_list_page.dart +++ b/mobile/apps/photos/lib/ui/collections/collection_list_page.dart @@ -124,7 +124,6 @@ class _CollectionListPageState extends State { enableSelectionMode: enableSelectionMode, albumViewType: albumViewType ?? AlbumViewType.grid, selectedAlbums: _selectedAlbum, - scrollBottomSafeArea: 140, ), ], ), diff --git a/mobile/apps/photos/lib/ui/home/home_gallery_widget.dart b/mobile/apps/photos/lib/ui/home/home_gallery_widget.dart index 0ece05ba72..b398d41323 100644 --- a/mobile/apps/photos/lib/ui/home/home_gallery_widget.dart +++ b/mobile/apps/photos/lib/ui/home/home_gallery_widget.dart @@ -127,8 +127,6 @@ class _HomeGalleryWidgetState extends State { selectedFiles: widget.selectedFiles, header: widget.header, footer: widget.footer, - // scrollSafe area -> SafeArea + Preserver more + Nav Bar buttons - scrollBottomSafeArea: bottomSafeArea + 180, reloadDebounceTime: const Duration(seconds: 2), reloadDebounceExecutionInterval: const Duration(seconds: 5), ); diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index a37f5a66ad..1550c680fa 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -52,7 +52,6 @@ class Gallery extends StatefulWidget { final Widget? footer; final Widget emptyState; final String? albumName; - final double scrollBottomSafeArea; final bool enableFileGrouping; final Widget loadingWidget; final bool disableScroll; @@ -86,7 +85,6 @@ class Gallery extends StatefulWidget { this.header, this.footer = const SizedBox(height: 212), this.emptyState = const EmptyState(), - this.scrollBottomSafeArea = 120.0, this.albumName = '', this.groupType = GroupType.day, this.enableFileGrouping = true, @@ -445,6 +443,8 @@ class GalleryState extends State { _logger.info("Building Gallery ${widget.tagPrefix}"); + final double bottomPadding = MediaQuery.paddingOf(context).bottom + 180; + final galleryGroups = GalleryGroups( allFiles: _allGalleryFiles, groupType: _groupType, @@ -499,7 +499,7 @@ class GalleryState extends State { inUseNotifier: scrollBarInUseNotifier, heighOfViewport: MediaQuery.sizeOf(context).height, topPadding: groupHeaderExtent!, - bottomPadding: widget.scrollBottomSafeArea, + bottomPadding: bottomPadding, child: NotificationListener( onNotification: (notification) { final renderBox = _headerKey.currentContext From 3fdb906834c2d35d6fd8d4eafb3c9a90c0debb8a Mon Sep 17 00:00:00 2001 From: ashilkn Date: Fri, 18 Jul 2025 17:40:36 +0530 Subject: [PATCH 074/302] Support limitSelectionToOne and showSelect all on new gallery --- .../lib/models/gallery/gallery_sections.dart | 6 +- .../lib/ui/map/map_pull_up_gallery.dart | 2 +- .../ui/viewer/gallery/collection_page.dart | 2 +- .../component/group/group_header_widget.dart | 68 +++++++------------ .../photos/lib/ui/viewer/gallery/gallery.dart | 24 ++++--- .../gallery/hooks/add_photos_sheet.dart | 2 +- .../gallery/hooks/pick_cover_photo.dart | 2 +- .../gallery/hooks/pick_person_avatar.dart | 2 +- .../dynamic_location_gallery_widget.dart | 2 +- .../location/pick_center_point_widget.dart | 2 +- 10 files changed, 51 insertions(+), 61 deletions(-) diff --git a/mobile/apps/photos/lib/models/gallery/gallery_sections.dart b/mobile/apps/photos/lib/models/gallery/gallery_sections.dart index 34d8fa79c6..9ea2135e2c 100644 --- a/mobile/apps/photos/lib/models/gallery/gallery_sections.dart +++ b/mobile/apps/photos/lib/models/gallery/gallery_sections.dart @@ -23,7 +23,7 @@ class GalleryGroups { final SelectedFiles? selectedFiles; final bool limitSelectionToOne; final String tagPrefix; - final bool showSelectAllByDefault; + final bool showSelectAll; final _logger = Logger("GalleryGroups"); //TODO: Add support for sort order @@ -40,7 +40,7 @@ class GalleryGroups { /// Should be GroupGallery.spacing if GroupType.showGroupHeader() is false. required this.groupHeaderExtent, - required this.showSelectAllByDefault, + required this.showSelectAll, this.limitSelectionToOne = false, }) { init(); @@ -135,7 +135,7 @@ class GalleryGroups { gridSize: crossAxisCount, filesInGroup: groupIDToFilesMap[groupID]!, selectedFiles: selectedFiles, - showSelectAllByDefault: showSelectAllByDefault, + showSelectAll: showSelectAll && !limitSelectionToOne, ); } else { return const SizedBox(height: spacing); diff --git a/mobile/apps/photos/lib/ui/map/map_pull_up_gallery.dart b/mobile/apps/photos/lib/ui/map/map_pull_up_gallery.dart index 6cb6ea04b0..56bb05c53b 100644 --- a/mobile/apps/photos/lib/ui/map/map_pull_up_gallery.dart +++ b/mobile/apps/photos/lib/ui/map/map_pull_up_gallery.dart @@ -183,7 +183,7 @@ class _MapPullUpGalleryState extends State { EventType.deletedFromEverywhere, }, tagPrefix: "map_gallery", - showSelectAllByDefault: true, + showSelectAll: true, selectedFiles: _selectedFiles, isScrollablePositionedList: false, ), diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/collection_page.dart b/mobile/apps/photos/lib/ui/viewer/gallery/collection_page.dart index aff40ef777..ebcf5de96d 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/collection_page.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/collection_page.dart @@ -93,7 +93,7 @@ class CollectionPage extends StatelessWidget { initialFiles: initialFiles, albumName: c.collection.displayName, sortAsyncFn: () => c.collection.pubMagicMetadata.asc ?? false, - showSelectAllByDefault: galleryType != GalleryType.sharedCollection, + showSelectAll: galleryType != GalleryType.sharedCollection, emptyState: galleryType == GalleryType.ownedCollection ? EmptyAlbumState( c.collection, diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart b/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart index 15574d6cf6..e08f724962 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart @@ -11,7 +11,7 @@ class GroupHeaderWidget extends StatefulWidget { final double? height; final List filesInGroup; final SelectedFiles? selectedFiles; - final bool showSelectAllByDefault; + final bool showSelectAll; const GroupHeaderWidget({ super.key, @@ -19,7 +19,7 @@ class GroupHeaderWidget extends StatefulWidget { required this.gridSize, required this.filesInGroup, required this.selectedFiles, - required this.showSelectAllByDefault, + required this.showSelectAll, this.height, }); @@ -28,7 +28,6 @@ class GroupHeaderWidget extends StatefulWidget { } class _GroupHeaderWidgetState extends State { - late final ValueNotifier _showSelectAllButtonNotifier; late final ValueNotifier _areAllFromGroupSelectedNotifier; @override @@ -38,13 +37,11 @@ class _GroupHeaderWidgetState extends State { ValueNotifier(_areAllFromGroupSelected()); widget.selectedFiles?.addListener(_selectedFilesListener); - _showSelectAllButtonNotifier = ValueNotifier(widget.showSelectAllByDefault); } @override void dispose() { _areAllFromGroupSelectedNotifier.dispose(); - _showSelectAllButtonNotifier.dispose(); widget.selectedFiles?.removeListener(_selectedFilesListener); super.dispose(); } @@ -82,37 +79,31 @@ class _GroupHeaderWidgetState extends State { ), ), Expanded(child: Container()), - ValueListenableBuilder( - valueListenable: _showSelectAllButtonNotifier, - builder: (context, value, _) { - return !value - ? const SizedBox.shrink() - : GestureDetector( - behavior: HitTestBehavior.translucent, - child: ValueListenableBuilder( - valueListenable: _areAllFromGroupSelectedNotifier, - builder: (context, dynamic value, _) { - return value - ? const Icon( - Icons.check_circle, - size: 18, - ) - : Icon( - Icons.check_circle_outlined, - color: - getEnteColorScheme(context).strokeMuted, - size: 18, - ); - }, - ), - onTap: () { - widget.selectedFiles?.toggleGroupSelection( - widget.filesInGroup.toSet(), - ); - }, + !widget.showSelectAll + ? const SizedBox.shrink() + : GestureDetector( + behavior: HitTestBehavior.translucent, + child: ValueListenableBuilder( + valueListenable: _areAllFromGroupSelectedNotifier, + builder: (context, dynamic value, _) { + return value + ? const Icon( + Icons.check_circle, + size: 18, + ) + : Icon( + Icons.check_circle_outlined, + color: getEnteColorScheme(context).strokeMuted, + size: 18, + ); + }, + ), + onTap: () { + widget.selectedFiles?.toggleGroupSelection( + widget.filesInGroup.toSet(), ); - }, - ), + }, + ), ], ), ), @@ -123,13 +114,6 @@ class _GroupHeaderWidgetState extends State { if (widget.selectedFiles == null) return; _areAllFromGroupSelectedNotifier.value = widget.selectedFiles!.files.containsAll(widget.filesInGroup.toSet()); - - //Can remove this if we decide to show select all by default for all galleries - if (widget.selectedFiles!.files.isEmpty && !widget.showSelectAllByDefault) { - _showSelectAllButtonNotifier.value = false; - } else { - _showSelectAllButtonNotifier.value = true; - } } bool _areAllFromGroupSelected() { diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 1550c680fa..25ccdfc54e 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -67,7 +67,7 @@ class Gallery extends StatefulWidget { /// make selection possible without long pressing. If a gallery has selected /// files, it's not necessary that this will be true. final bool inSelectionMode; - final bool showSelectAllByDefault; + final bool showSelectAll; final bool isScrollablePositionedList; // add a Function variable to get sort value in bool @@ -93,7 +93,7 @@ class Gallery extends StatefulWidget { this.limitSelectionToOne = false, this.inSelectionMode = false, this.sortAsyncFn, - this.showSelectAllByDefault = true, + this.showSelectAll = true, this.isScrollablePositionedList = true, this.reloadDebounceTime = const Duration(milliseconds: 500), this.reloadDebounceExecutionInterval = const Duration(seconds: 2), @@ -137,6 +137,11 @@ class GalleryState extends State { "Gallery_${widget.tagPrefix}${kDebugMode ? "_" + widget.albumName! : ""}_x"; _logger = Logger(_logTag); _logger.info("init Gallery"); + + if (widget.limitSelectionToOne) { + assert(widget.showSelectAll == false); + } + _setGroupType(); _debouncer = Debouncer( widget.reloadDebounceTime, @@ -222,7 +227,7 @@ class GalleryState extends State { gridSize: localSettings.getPhotoGridSize(), filesInGroup: const [], selectedFiles: null, - showSelectAllByDefault: false, + showSelectAll: false, ), context, ).then((size) { @@ -452,7 +457,8 @@ class GalleryState extends State { selectedFiles: widget.selectedFiles, tagPrefix: widget.tagPrefix, groupHeaderExtent: groupHeaderExtent!, - showSelectAllByDefault: widget.showSelectAllByDefault, + showSelectAll: widget.showSelectAll, + limitSelectionToOne: widget.limitSelectionToOne, ); GalleryFilesState.of(context).setGalleryFiles = _allGalleryFiles; if (!_hasLoadedFiles) { @@ -551,8 +557,8 @@ class GalleryState extends State { galleryGroups: galleryGroups, headerHeightNotifier: _headerHeightNotifier, selectedFiles: widget.selectedFiles, - showSelectAllByDefault: - widget.showSelectAllByDefault, + showSelectAll: widget.showSelectAll && + !widget.limitSelectionToOne, scrollbarInUseNotifier: scrollBarInUseNotifier, ) : const SizedBox.shrink(), @@ -630,7 +636,7 @@ class PinnedGroupHeader extends StatefulWidget { final GalleryGroups galleryGroups; final ValueNotifier headerHeightNotifier; final SelectedFiles? selectedFiles; - final bool showSelectAllByDefault; + final bool showSelectAll; final ValueNotifier scrollbarInUseNotifier; const PinnedGroupHeader({ @@ -638,7 +644,7 @@ class PinnedGroupHeader extends StatefulWidget { required this.galleryGroups, required this.headerHeightNotifier, required this.selectedFiles, - required this.showSelectAllByDefault, + required this.showSelectAll, required this.scrollbarInUseNotifier, super.key, }); @@ -810,7 +816,7 @@ class _PinnedGroupHeaderState extends State { filesInGroup: widget .galleryGroups.groupIDToFilesMap[currentGroupId!]!, selectedFiles: widget.selectedFiles, - showSelectAllByDefault: widget.showSelectAllByDefault, + showSelectAll: widget.showSelectAll, ), ), ), diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/hooks/add_photos_sheet.dart b/mobile/apps/photos/lib/ui/viewer/gallery/hooks/add_photos_sheet.dart index 865c16378a..245530dfbc 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/hooks/add_photos_sheet.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/hooks/add_photos_sheet.dart @@ -309,7 +309,7 @@ class _DelayedGalleryState extends State { }, tagPrefix: "pick_add_photos_gallery", selectedFiles: widget.selectedFiles, - showSelectAllByDefault: true, + showSelectAll: true, sortAsyncFn: () => false, ).animate().fadeIn( duration: const Duration(milliseconds: 175), diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/hooks/pick_cover_photo.dart b/mobile/apps/photos/lib/ui/viewer/gallery/hooks/pick_cover_photo.dart index 4a0b116ff7..6fe52a232c 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/hooks/pick_cover_photo.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/hooks/pick_cover_photo.dart @@ -118,7 +118,7 @@ class PickCoverPhotoWidget extends StatelessWidget { tagPrefix: "pick_center_point_gallery", selectedFiles: selectedFiles, limitSelectionToOne: true, - showSelectAllByDefault: false, + showSelectAll: false, sortAsyncFn: () => collection.pubMagicMetadata.asc ?? false, ), diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/hooks/pick_person_avatar.dart b/mobile/apps/photos/lib/ui/viewer/gallery/hooks/pick_person_avatar.dart index 1adecdee72..c432fad5b9 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/hooks/pick_person_avatar.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/hooks/pick_person_avatar.dart @@ -119,7 +119,7 @@ class PickPersonCoverPhotoWidget extends StatelessWidget { tagPrefix: "pick_center_point_gallery", selectedFiles: selectedFiles, limitSelectionToOne: true, - showSelectAllByDefault: false, + showSelectAll: false, ), ), ), diff --git a/mobile/apps/photos/lib/ui/viewer/location/dynamic_location_gallery_widget.dart b/mobile/apps/photos/lib/ui/viewer/location/dynamic_location_gallery_widget.dart index 0c7f9c1650..26042f0e79 100644 --- a/mobile/apps/photos/lib/ui/viewer/location/dynamic_location_gallery_widget.dart +++ b/mobile/apps/photos/lib/ui/viewer/location/dynamic_location_gallery_widget.dart @@ -115,7 +115,7 @@ class _DynamicLocationGalleryWidgetState }, tagPrefix: widget.tagPrefix, enableFileGrouping: false, - showSelectAllByDefault: false, + showSelectAll: false, ), ), ); diff --git a/mobile/apps/photos/lib/ui/viewer/location/pick_center_point_widget.dart b/mobile/apps/photos/lib/ui/viewer/location/pick_center_point_widget.dart index 637476166a..6e4243abe0 100644 --- a/mobile/apps/photos/lib/ui/viewer/location/pick_center_point_widget.dart +++ b/mobile/apps/photos/lib/ui/viewer/location/pick_center_point_widget.dart @@ -115,7 +115,7 @@ class PickCenterPointWidget extends StatelessWidget { tagPrefix: "pick_center_point_gallery", selectedFiles: selectedFiles, limitSelectionToOne: true, - showSelectAllByDefault: false, + showSelectAll: false, header: const Padding( padding: EdgeInsets.all(10), child: NotificationTipWidget( From 3ff0356dd25cc6dbd18665d9073ae1d5e9447cf7 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Fri, 18 Jul 2025 17:57:32 +0530 Subject: [PATCH 075/302] Fix flutter error --- mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 25ccdfc54e..79abb8de55 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -444,7 +444,9 @@ class GalleryState extends State { @override Widget build(BuildContext context) { - if (groupHeaderExtent == null) return const SliverFillRemaining(); + if (groupHeaderExtent == null) { + return const SizedBox.shrink(); + } _logger.info("Building Gallery ${widget.tagPrefix}"); From 9241755d446fde5e59a627f2d951583a538c86eb Mon Sep 17 00:00:00 2001 From: ashilkn Date: Fri, 18 Jul 2025 18:07:19 +0530 Subject: [PATCH 076/302] Minor change --- .../lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart index 08329c2224..7bd2722b60 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart @@ -86,7 +86,7 @@ class _CustomScrollBar2State extends State { _logger.info("Initializing CustomScrollBar2"); if (widget.galleryGroups.groupType.showScrollbarDivisions() && widget.galleryGroups.groupLayouts.last.maxOffset > - widget.heighOfViewport * 5) { + widget.heighOfViewport * 6) { _showScrollbarDivisions = true; } else { _showScrollbarDivisions = false; From ecad643ea62e2e46b0813dc6d1672d57ad55cd74 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Fri, 18 Jul 2025 18:08:19 +0530 Subject: [PATCH 077/302] Remove old scrollbar --- .../ui/viewer/gallery/custom_scroll_bar.dart | 224 ------------------ 1 file changed, 224 deletions(-) delete mode 100644 mobile/apps/photos/lib/ui/viewer/gallery/custom_scroll_bar.dart diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/custom_scroll_bar.dart b/mobile/apps/photos/lib/ui/viewer/gallery/custom_scroll_bar.dart deleted file mode 100644 index 7d0a956033..0000000000 --- a/mobile/apps/photos/lib/ui/viewer/gallery/custom_scroll_bar.dart +++ /dev/null @@ -1,224 +0,0 @@ -import 'package:flutter/material.dart'; -import "package:photos/models/gallery/gallery_sections.dart"; -import "package:photos/ui/viewer/gallery/component/group/type.dart"; -import "package:photos/utils/misc_util.dart"; - -class PositionConstraints { - final double top; - final double bottom; - PositionConstraints({ - required this.top, - required this.bottom, - }); -} - -class CustomScrollBar extends StatefulWidget { - final Widget child; - final ScrollController scrollController; - final GalleryGroups galleryGroups; - const CustomScrollBar({ - super.key, - required this.child, - required this.scrollController, - required this.galleryGroups, - }); - - @override - State createState() => CustomScrollBarState(); -} - -class CustomScrollBarState extends State { - final _key = GlobalKey(); - PositionConstraints? _positionConstraints; - - /// In the range of [0, 1]. 0 is the top of the track and 1 is the bottom - /// of the track. - double _scrollPosition = 0; - - final _heightOfScrollBar = 40.0; - double? _heightOfVisualTrack; - double? _heightOfLogicalTrack; - String toolTipText = ""; - - @override - void initState() { - super.initState(); - WidgetsBinding.instance.addPostFrameCallback((_) async { - _heightOfVisualTrack = await _getHeightOfVisualTrack(); - _heightOfLogicalTrack = _heightOfVisualTrack! - _heightOfScrollBar; - _positionConstraints = - PositionConstraints(top: 0, bottom: _heightOfLogicalTrack!); - }); - - widget.scrollController.addListener(_scrollControllerListener); - } - - @override - void dispose() { - widget.scrollController.removeListener(_scrollControllerListener); - - super.dispose(); - } - - void _scrollControllerListener() { - setState(() { - _scrollPosition = widget.scrollController.position.pixels / - widget.scrollController.position.maxScrollExtent * - _heightOfLogicalTrack!; - _getHeadingForScrollPosition(_scrollPosition).then((heading) { - toolTipText = heading; - }); - }); - } - - @override - Widget build(BuildContext context) { - return Stack( - alignment: Alignment.centerRight, - children: [ - RepaintBoundary(child: widget.child), - RepaintBoundary( - child: SizedBox( - key: _key, - height: double.infinity, - width: 20, - ), - ), - Positioned( - top: _scrollPosition, - child: RepaintBoundary( - child: GestureDetector( - onVerticalDragUpdate: (details) { - //Use debouncer if needed - final newPosition = _scrollPosition + details.delta.dy; - if (newPosition >= _positionConstraints!.top && - newPosition <= _positionConstraints!.bottom) { - widget.scrollController.jumpTo( - widget.scrollController.position.maxScrollExtent * - (newPosition / _heightOfLogicalTrack!), - ); - } - }, - child: _ScrollBarWithToolTip( - tooltipText: toolTipText, - heightOfScrollBar: _heightOfScrollBar, - ), - ), - ), - ), - ], - ); - } - - Future _getHeadingForScrollPosition( - double scrollPosition, - ) async { - final heightOfGallery = widget.galleryGroups.groupLayouts.last.maxOffset; - - final normalizedScrollPosition = - (scrollPosition / _heightOfLogicalTrack!) * heightOfGallery; - final scrollPostionHeadingPoints = - widget.galleryGroups.scrollOffsetToGroupIdMap.keys.toList(); - assert( - _isSortedAscending(scrollPostionHeadingPoints), - "Scroll position is not sorted in ascending order", - ); - - assert( - scrollPostionHeadingPoints.isNotEmpty, - "Scroll position to heading map is empty. Cannot find heading for scroll position", - ); - - // Binary search to find the index of the largest key <= scrollPosition - int low = 0; - int high = scrollPostionHeadingPoints.length - 1; - int floorIndex = 0; // Default to the first index - - // Handle the case where scrollPosition is smaller than the first key. - // In this scenario, we associate it with the first heading. - if (normalizedScrollPosition < scrollPostionHeadingPoints.first) { - return widget.galleryGroups - .scrollOffsetToGroupIdMap[scrollPostionHeadingPoints.first]!; - } - - while (low <= high) { - final mid = low + (high - low) ~/ 2; - final midValue = scrollPostionHeadingPoints[mid]; - - if (midValue <= normalizedScrollPosition) { - // This key is less than or equal to the target scrollPosition. - // It's a potential floor. Store its index and try searching higher - // for a potentially closer floor value. - floorIndex = mid; - low = mid + 1; - } else { - // This key is greater than the target scrollPosition. - // The floor must be in the lower half. - high = mid - 1; - } - } - - // After the loop, floorIndex holds the index of the largest key - // that is less than or equal to the scrollPosition. - final currentGroupID = widget.galleryGroups - .scrollOffsetToGroupIdMap[scrollPostionHeadingPoints[floorIndex]]!; - return widget - .galleryGroups.groupIdToheaderDataMap[currentGroupID]!.groupType - .getTitle( - context, - widget.galleryGroups.groupIDToFilesMap[currentGroupID]!.first, - ); - } - - Future _getHeightOfVisualTrack() { - final renderBox = _key.currentContext?.findRenderObject() as RenderBox?; - assert(renderBox != null, "RenderBox is null"); - // Retry for : https://github.com/flutter/flutter/issues/25827 - return MiscUtil().getNonZeroDoubleWithRetry( - () => renderBox!.size.height, - id: "getHeightOfVisualTrack", - ); - } - - bool _isSortedAscending(List list) { - if (list.length <= 1) { - return true; - } - for (int i = 0; i < list.length - 1; i++) { - if (list[i] > list[i + 1]) { - return false; - } - } - return true; - } -} - -class _ScrollBarWithToolTip extends StatelessWidget { - final String tooltipText; - final double heightOfScrollBar; - const _ScrollBarWithToolTip({ - required this.tooltipText, - required this.heightOfScrollBar, - }); - - @override - Widget build(BuildContext context) { - return Row( - mainAxisSize: MainAxisSize.min, - children: [ - Container( - color: const Color(0xFF607D8B), - child: Text( - tooltipText, - style: const TextStyle(color: Colors.white), - ), - ), - Container( - color: const Color(0xFF000000), - height: heightOfScrollBar, - width: 20, - ), - ], - ); - } -} From 43c06d93c7ca49d000a6a27c7693e99ba3c5e1b2 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Fri, 18 Jul 2025 18:09:07 +0530 Subject: [PATCH 078/302] Rename final scrollbar --- .../photos/lib/models/gallery/gallery_sections.dart | 2 +- mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart | 4 ++-- ...custom_scroll_bar_2.dart => custom_scroll_bar.dart} | 10 +++++----- 3 files changed, 8 insertions(+), 8 deletions(-) rename mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/{custom_scroll_bar_2.dart => custom_scroll_bar.dart} (97%) diff --git a/mobile/apps/photos/lib/models/gallery/gallery_sections.dart b/mobile/apps/photos/lib/models/gallery/gallery_sections.dart index 9ea2135e2c..3146ebb602 100644 --- a/mobile/apps/photos/lib/models/gallery/gallery_sections.dart +++ b/mobile/apps/photos/lib/models/gallery/gallery_sections.dart @@ -11,7 +11,7 @@ import "package:photos/service_locator.dart"; import "package:photos/ui/viewer/gallery/component/gallery_file_widget.dart"; import "package:photos/ui/viewer/gallery/component/group/group_header_widget.dart"; import "package:photos/ui/viewer/gallery/component/group/type.dart"; -import "package:photos/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart"; +import "package:photos/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart"; import "package:uuid/uuid.dart"; /// In order to make the gallery performant when GroupTypes do not show group diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 79abb8de55..6a71b8d078 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -21,7 +21,7 @@ import "package:photos/ui/viewer/gallery/component/group/group_header_widget.dar import "package:photos/ui/viewer/gallery/component/group/type.dart"; import "package:photos/ui/viewer/gallery/component/sectioned_sliver_list.dart"; import 'package:photos/ui/viewer/gallery/empty_state.dart'; -import "package:photos/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart"; +import "package:photos/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart"; import "package:photos/ui/viewer/gallery/state/gallery_context_state.dart"; import "package:photos/ui/viewer/gallery/state/gallery_files_inherited_widget.dart"; import "package:photos/ui/viewer/gallery/state/inherited_search_filter_data.dart"; @@ -501,7 +501,7 @@ class GalleryState extends State { widget.footer ?? const SizedBox.shrink(), ], ) - : CustomScrollBar2( + : CustomScrollBar( scrollController: _scrollController, galleryGroups: galleryGroups, inUseNotifier: scrollBarInUseNotifier, diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart similarity index 97% rename from mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart rename to mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart index 7bd2722b60..cd85c5cdb2 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar_2.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart @@ -18,7 +18,7 @@ class ScrollbarDivision { }); } -class CustomScrollBar2 extends StatefulWidget { +class CustomScrollBar extends StatefulWidget { final Widget child; final double bottomPadding; final double topPadding; @@ -26,7 +26,7 @@ class CustomScrollBar2 extends StatefulWidget { final GalleryGroups galleryGroups; final ValueNotifier inUseNotifier; final double heighOfViewport; - const CustomScrollBar2({ + const CustomScrollBar({ super.key, required this.child, required this.scrollController, @@ -38,7 +38,7 @@ class CustomScrollBar2 extends StatefulWidget { }); @override - State createState() => _CustomScrollBar2State(); + State createState() => _CustomScrollBarState(); } /* @@ -55,7 +55,7 @@ Get the height of the scrollbar and create a normalized position for each division and populate position to title mapping. */ -class _CustomScrollBar2State extends State { +class _CustomScrollBarState extends State { final _logger = Logger("CustomScrollBar2"); final _scrollbarKey = GlobalKey(); List<({double position, String title})>? positionToTitleMap; @@ -77,7 +77,7 @@ class _CustomScrollBar2State extends State { } @override - void didUpdateWidget(covariant CustomScrollBar2 oldWidget) { + void didUpdateWidget(covariant CustomScrollBar oldWidget) { super.didUpdateWidget(oldWidget); _init(); } From 50ea38d471dd47cb0fecb870aed1f2b48d3ba8b4 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Fri, 18 Jul 2025 19:06:03 +0530 Subject: [PATCH 079/302] Make hero animation work when opening a gallery --- .../photos/lib/ui/viewer/gallery/gallery.dart | 45 ++++++++++++++++--- 1 file changed, 40 insertions(+), 5 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 6a71b8d078..122c1c845f 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -17,6 +17,7 @@ import 'package:photos/models/selected_files.dart'; import "package:photos/service_locator.dart"; import "package:photos/theme/ente_theme.dart"; import 'package:photos/ui/common/loading_widget.dart'; +import "package:photos/ui/viewer/gallery/component/gallery_file_widget.dart"; import "package:photos/ui/viewer/gallery/component/group/group_header_widget.dart"; import "package:photos/ui/viewer/gallery/component/group/type.dart"; import "package:photos/ui/viewer/gallery/component/sectioned_sliver_list.dart"; @@ -444,18 +445,52 @@ class GalleryState extends State { @override Widget build(BuildContext context) { - if (groupHeaderExtent == null) { - return const SizedBox.shrink(); - } - _logger.info("Building Gallery ${widget.tagPrefix}"); + final widthAvailable = MediaQuery.sizeOf(context).width; + + if (groupHeaderExtent == null) { + final photoGridSize = localSettings.getPhotoGridSize(); + final tileHeight = + (widthAvailable - (photoGridSize - 1) * GalleryGroups.spacing) / + photoGridSize; + return widget.initialFiles != null && widget.initialFiles!.isNotEmpty + ? Column( + mainAxisAlignment: MainAxisAlignment.start, + children: [ + widget.header ?? const SizedBox.shrink(), + GroupHeaderWidget( + title: "", + gridSize: photoGridSize, + filesInGroup: const [], + selectedFiles: null, + showSelectAll: false, + ), + Align( + alignment: Alignment.topLeft, + child: SizedBox( + height: tileHeight, + width: tileHeight, + child: GalleryFileWidget( + file: widget.initialFiles!.first, + selectedFiles: null, + limitSelectionToOne: false, + tag: widget.tagPrefix, + photoGridSize: photoGridSize, + currentUserID: null, + ), + ), + ), + ], + ) + : const SizedBox.shrink(); + } final double bottomPadding = MediaQuery.paddingOf(context).bottom + 180; final galleryGroups = GalleryGroups( allFiles: _allGalleryFiles, groupType: _groupType, - widthAvailable: MediaQuery.sizeOf(context).width, + widthAvailable: widthAvailable, selectedFiles: widget.selectedFiles, tagPrefix: widget.tagPrefix, groupHeaderExtent: groupHeaderExtent!, From 3578df0ac05f9eb9d1722e928f75731c0afad1d8 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Mon, 21 Jul 2025 14:48:54 +0530 Subject: [PATCH 080/302] Make gallery configurable to not show PinnedGroupHeader and use it where necessary --- mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart | 5 ++++- .../photos/lib/ui/viewer/gallery/hooks/add_photos_sheet.dart | 1 + .../photos/lib/ui/viewer/gallery/hooks/pick_cover_photo.dart | 3 ++- .../lib/ui/viewer/gallery/hooks/pick_person_avatar.dart | 1 + .../lib/ui/viewer/location/pick_center_point_widget.dart | 1 + 5 files changed, 9 insertions(+), 2 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 122c1c845f..750d555b00 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -74,6 +74,7 @@ class Gallery extends StatefulWidget { // add a Function variable to get sort value in bool final SortAscFn? sortAsyncFn; final GroupType groupType; + final bool disablePinnedGroupHeader; const Gallery({ required this.asyncLoader, @@ -98,6 +99,7 @@ class Gallery extends StatefulWidget { this.isScrollablePositionedList = true, this.reloadDebounceTime = const Duration(milliseconds: 500), this.reloadDebounceExecutionInterval = const Duration(seconds: 2), + this.disablePinnedGroupHeader = false, super.key, }); @@ -588,7 +590,8 @@ class GalleryState extends State { ), ], ), - galleryGroups.groupType.showGroupHeader() + galleryGroups.groupType.showGroupHeader() && + !widget.disablePinnedGroupHeader ? PinnedGroupHeader( scrollController: _scrollController, galleryGroups: galleryGroups, diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/hooks/add_photos_sheet.dart b/mobile/apps/photos/lib/ui/viewer/gallery/hooks/add_photos_sheet.dart index 245530dfbc..93f54f75ea 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/hooks/add_photos_sheet.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/hooks/add_photos_sheet.dart @@ -311,6 +311,7 @@ class _DelayedGalleryState extends State { selectedFiles: widget.selectedFiles, showSelectAll: true, sortAsyncFn: () => false, + disablePinnedGroupHeader: true, ).animate().fadeIn( duration: const Duration(milliseconds: 175), curve: Curves.easeOutCirc, diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/hooks/pick_cover_photo.dart b/mobile/apps/photos/lib/ui/viewer/gallery/hooks/pick_cover_photo.dart index 6fe52a232c..b65ef9bf53 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/hooks/pick_cover_photo.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/hooks/pick_cover_photo.dart @@ -115,12 +115,13 @@ class PickCoverPhotoWidget extends StatelessWidget { (event) => event.collectionID == collection.id, ), - tagPrefix: "pick_center_point_gallery", + tagPrefix: "pick_cover_photo_gallery", selectedFiles: selectedFiles, limitSelectionToOne: true, showSelectAll: false, sortAsyncFn: () => collection.pubMagicMetadata.asc ?? false, + disablePinnedGroupHeader: true, ), ), ), diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/hooks/pick_person_avatar.dart b/mobile/apps/photos/lib/ui/viewer/gallery/hooks/pick_person_avatar.dart index c432fad5b9..bdc67c5bff 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/hooks/pick_person_avatar.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/hooks/pick_person_avatar.dart @@ -120,6 +120,7 @@ class PickPersonCoverPhotoWidget extends StatelessWidget { selectedFiles: selectedFiles, limitSelectionToOne: true, showSelectAll: false, + disablePinnedGroupHeader: true, ), ), ), diff --git a/mobile/apps/photos/lib/ui/viewer/location/pick_center_point_widget.dart b/mobile/apps/photos/lib/ui/viewer/location/pick_center_point_widget.dart index 6e4243abe0..7d685c3fd0 100644 --- a/mobile/apps/photos/lib/ui/viewer/location/pick_center_point_widget.dart +++ b/mobile/apps/photos/lib/ui/viewer/location/pick_center_point_widget.dart @@ -122,6 +122,7 @@ class PickCenterPointWidget extends StatelessWidget { "You can also add a location centered on a photo from the photo's info screen", ), ), + disablePinnedGroupHeader: true, ), ), ), From b053b0082fd0e7b1960c92bdbce86a68fb1d6cda Mon Sep 17 00:00:00 2001 From: ashilkn Date: Mon, 21 Jul 2025 16:43:22 +0530 Subject: [PATCH 081/302] Change bottom padding of scrollbar if file selection sheet is up/down --- .../lib/ui/home/home_gallery_widget.dart | 2 +- .../actions/file_selection_overlay_bar.dart | 3 +++ .../photos/lib/ui/viewer/gallery/gallery.dart | 25 ++++++++++++++++--- .../gallery/scrollbar/custom_scroll_bar.dart | 18 ++++++++++--- 4 files changed, 40 insertions(+), 8 deletions(-) diff --git a/mobile/apps/photos/lib/ui/home/home_gallery_widget.dart b/mobile/apps/photos/lib/ui/home/home_gallery_widget.dart index b398d41323..0c9887fa39 100644 --- a/mobile/apps/photos/lib/ui/home/home_gallery_widget.dart +++ b/mobile/apps/photos/lib/ui/home/home_gallery_widget.dart @@ -73,7 +73,6 @@ class _HomeGalleryWidgetState extends State { @override Widget build(BuildContext context) { - final double bottomSafeArea = MediaQuery.paddingOf(context).bottom; final gallery = Gallery( key: ValueKey(_shouldHideSharedItems), asyncLoader: (creationStartTime, creationEndTime, {limit, asc}) async { @@ -129,6 +128,7 @@ class _HomeGalleryWidgetState extends State { footer: widget.footer, reloadDebounceTime: const Duration(seconds: 2), reloadDebounceExecutionInterval: const Duration(seconds: 5), + galleryType: GalleryType.homepage, ); return GalleryFilesState( child: SelectionState( diff --git a/mobile/apps/photos/lib/ui/viewer/actions/file_selection_overlay_bar.dart b/mobile/apps/photos/lib/ui/viewer/actions/file_selection_overlay_bar.dart index e21c161888..7a400604de 100644 --- a/mobile/apps/photos/lib/ui/viewer/actions/file_selection_overlay_bar.dart +++ b/mobile/apps/photos/lib/ui/viewer/actions/file_selection_overlay_bar.dart @@ -1,3 +1,5 @@ +import "dart:io"; + import 'package:flutter/material.dart'; import "package:photos/generated/l10n.dart"; import 'package:photos/models/collection/collection.dart'; @@ -16,6 +18,7 @@ import "package:photos/ui/viewer/gallery/state/search_filter_data_provider.dart" import "package:photos/ui/viewer/gallery/state/selection_state.dart"; class FileSelectionOverlayBar extends StatefulWidget { + static double roughHeight = Platform.isIOS ? 240.0 : 232.0; final GalleryType galleryType; final SelectedFiles selectedFiles; final Collection? collection; diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 750d555b00..28a0a3b8e0 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -13,10 +13,12 @@ import 'package:photos/events/tab_changed_event.dart'; import 'package:photos/models/file/file.dart'; import 'package:photos/models/file_load_result.dart'; import "package:photos/models/gallery/gallery_sections.dart"; +import "package:photos/models/gallery_type.dart"; import 'package:photos/models/selected_files.dart'; import "package:photos/service_locator.dart"; import "package:photos/theme/ente_theme.dart"; import 'package:photos/ui/common/loading_widget.dart'; +import "package:photos/ui/viewer/actions/file_selection_overlay_bar.dart"; import "package:photos/ui/viewer/gallery/component/gallery_file_widget.dart"; import "package:photos/ui/viewer/gallery/component/group/group_header_widget.dart"; import "package:photos/ui/viewer/gallery/component/group/type.dart"; @@ -58,6 +60,7 @@ class Gallery extends StatefulWidget { final bool disableScroll; final Duration reloadDebounceTime; final Duration reloadDebounceExecutionInterval; + final GalleryType? galleryType; /// When true, selection will be limited to one item. Tapping on any item /// will select even when no other item is selected. @@ -100,6 +103,7 @@ class Gallery extends StatefulWidget { this.reloadDebounceTime = const Duration(milliseconds: 500), this.reloadDebounceExecutionInterval = const Duration(seconds: 2), this.disablePinnedGroupHeader = false, + this.galleryType, super.key, }); @@ -131,6 +135,7 @@ class GalleryState extends State { final miscUtil = MiscUtil(); final scrollBarInUseNotifier = ValueNotifier(false); late GroupType _groupType; + final scrollbarBottomPaddingNotifier = ValueNotifier(0); @override void initState() { @@ -243,6 +248,8 @@ class GalleryState extends State { } WidgetsBinding.instance.addPostFrameCallback((_) async { + // To set the initial value of scrollbar bottom padding + _selectedFilesListener(); try { final headerRenderBox = await miscUtil .getNonNullValueWithRetry( @@ -258,6 +265,9 @@ class GalleryState extends State { } setState(() {}); }); + + widget.selectedFiles?.addListener(_selectedFilesListener); + // To set the initial value of scrollbar bottom padding } @override @@ -271,6 +281,15 @@ class GalleryState extends State { } } + void _selectedFilesListener() { + final bottomInset = MediaQuery.paddingOf(context).bottom; + final extra = widget.galleryType == GalleryType.homepage ? 76.0 : 0.0; + widget.selectedFiles?.files.isEmpty ?? true + ? scrollbarBottomPaddingNotifier.value = bottomInset + extra + : scrollbarBottomPaddingNotifier.value = + FileSelectionOverlayBar.roughHeight + bottomInset; + } + void _setGroupType() { _groupType = widget.enableFileGrouping ? widget.groupType : GroupType.none; } @@ -442,6 +461,8 @@ class GalleryState extends State { _scrollController.dispose(); scrollBarInUseNotifier.dispose(); _headerHeightNotifier.dispose(); + widget.selectedFiles?.removeListener(_selectedFilesListener); + scrollbarBottomPaddingNotifier.dispose(); super.dispose(); } @@ -487,8 +508,6 @@ class GalleryState extends State { : const SizedBox.shrink(); } - final double bottomPadding = MediaQuery.paddingOf(context).bottom + 180; - final galleryGroups = GalleryGroups( allFiles: _allGalleryFiles, groupType: _groupType, @@ -544,7 +563,7 @@ class GalleryState extends State { inUseNotifier: scrollBarInUseNotifier, heighOfViewport: MediaQuery.sizeOf(context).height, topPadding: groupHeaderExtent!, - bottomPadding: bottomPadding, + bottomPadding: scrollbarBottomPaddingNotifier, child: NotificationListener( onNotification: (notification) { final renderBox = _headerKey.currentContext diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart index cd85c5cdb2..8bd90b103a 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart @@ -20,7 +20,7 @@ class ScrollbarDivision { class CustomScrollBar extends StatefulWidget { final Widget child; - final double bottomPadding; + final ValueNotifier bottomPadding; final double topPadding; final ScrollController scrollController; final GalleryGroups galleryGroups; @@ -74,6 +74,7 @@ class _CustomScrollBarState extends State { void initState() { super.initState(); _init(); + widget.bottomPadding.addListener(_computePositionToTitleMap); } @override @@ -82,6 +83,12 @@ class _CustomScrollBarState extends State { _init(); } + @override + void dispose() { + widget.bottomPadding.removeListener(_computePositionToTitleMap); + super.dispose(); + } + void _init() { _logger.info("Initializing CustomScrollBar2"); if (widget.galleryGroups.groupType.showScrollbarDivisions() && @@ -116,6 +123,7 @@ class _CustomScrollBarState extends State { // if the scrollable is long enough, where the header and footer extents // are negligible compared to max extent of the scrollable. Future _computePositionToTitleMap() async { + _logger.info("Computing position to title map"); final result = <({double position, String title})>[]; heightOfScrollTrack = await _getHeightOfScrollTrack(); final maxScrollExtent = widget.scrollController.position.maxScrollExtent; @@ -201,7 +209,9 @@ class _CustomScrollBarState extends State { () => renderBox!.size.height, id: "getHeightOfScrollTrack", ) - .then((value) => value - widget.bottomPadding - widget.topPadding); + .then( + (value) => value - widget.bottomPadding.value - widget.topPadding, + ); } @override @@ -214,7 +224,7 @@ class _CustomScrollBarState extends State { MediaQuery( data: MediaQuery.of(context).copyWith( padding: EdgeInsets.only( - bottom: widget.bottomPadding, + bottom: widget.bottomPadding.value, top: widget.topPadding, ), ), @@ -232,7 +242,7 @@ class _CustomScrollBarState extends State { : Padding( padding: EdgeInsets.only( top: widget.topPadding, - bottom: widget.bottomPadding, + bottom: widget.bottomPadding.value, ), child: ValueListenableBuilder( valueListenable: widget.inUseNotifier, From 662f4a3fb7cf4a94feb138f562beb02e4abf94f5 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Mon, 21 Jul 2025 16:48:20 +0530 Subject: [PATCH 082/302] chore --- mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart | 1 - 1 file changed, 1 deletion(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 28a0a3b8e0..5298b90b84 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -267,7 +267,6 @@ class GalleryState extends State { }); widget.selectedFiles?.addListener(_selectedFilesListener); - // To set the initial value of scrollbar bottom padding } @override From bbcb6dc70228c52ec64515d929f49fb675e7b001 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Mon, 21 Jul 2025 16:57:03 +0530 Subject: [PATCH 083/302] Disable vertical padding on scrollbars in gallery that don't need vertical padding --- mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart | 10 ++++++++-- .../lib/ui/viewer/gallery/hooks/add_photos_sheet.dart | 1 + .../lib/ui/viewer/gallery/hooks/pick_cover_photo.dart | 1 + .../ui/viewer/gallery/hooks/pick_person_avatar.dart | 1 + .../ui/viewer/location/pick_center_point_widget.dart | 1 + 5 files changed, 12 insertions(+), 2 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 5298b90b84..0f46df7e3d 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -78,6 +78,7 @@ class Gallery extends StatefulWidget { final SortAscFn? sortAsyncFn; final GroupType groupType; final bool disablePinnedGroupHeader; + final bool disableVerticalPaddingForScrollbar; const Gallery({ required this.asyncLoader, @@ -104,6 +105,7 @@ class Gallery extends StatefulWidget { this.reloadDebounceExecutionInterval = const Duration(seconds: 2), this.disablePinnedGroupHeader = false, this.galleryType, + this.disableVerticalPaddingForScrollbar = false, super.key, }); @@ -561,8 +563,12 @@ class GalleryState extends State { galleryGroups: galleryGroups, inUseNotifier: scrollBarInUseNotifier, heighOfViewport: MediaQuery.sizeOf(context).height, - topPadding: groupHeaderExtent!, - bottomPadding: scrollbarBottomPaddingNotifier, + topPadding: widget.disableVerticalPaddingForScrollbar + ? 0.0 + : groupHeaderExtent!, + bottomPadding: widget.disableVerticalPaddingForScrollbar + ? ValueNotifier(0.0) + : scrollbarBottomPaddingNotifier, child: NotificationListener( onNotification: (notification) { final renderBox = _headerKey.currentContext diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/hooks/add_photos_sheet.dart b/mobile/apps/photos/lib/ui/viewer/gallery/hooks/add_photos_sheet.dart index 93f54f75ea..941a29ecec 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/hooks/add_photos_sheet.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/hooks/add_photos_sheet.dart @@ -312,6 +312,7 @@ class _DelayedGalleryState extends State { showSelectAll: true, sortAsyncFn: () => false, disablePinnedGroupHeader: true, + disableVerticalPaddingForScrollbar: true, ).animate().fadeIn( duration: const Duration(milliseconds: 175), curve: Curves.easeOutCirc, diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/hooks/pick_cover_photo.dart b/mobile/apps/photos/lib/ui/viewer/gallery/hooks/pick_cover_photo.dart index b65ef9bf53..efe36582ce 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/hooks/pick_cover_photo.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/hooks/pick_cover_photo.dart @@ -122,6 +122,7 @@ class PickCoverPhotoWidget extends StatelessWidget { sortAsyncFn: () => collection.pubMagicMetadata.asc ?? false, disablePinnedGroupHeader: true, + disableVerticalPaddingForScrollbar: true, ), ), ), diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/hooks/pick_person_avatar.dart b/mobile/apps/photos/lib/ui/viewer/gallery/hooks/pick_person_avatar.dart index bdc67c5bff..ac07487730 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/hooks/pick_person_avatar.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/hooks/pick_person_avatar.dart @@ -121,6 +121,7 @@ class PickPersonCoverPhotoWidget extends StatelessWidget { limitSelectionToOne: true, showSelectAll: false, disablePinnedGroupHeader: true, + disableVerticalPaddingForScrollbar: true, ), ), ), diff --git a/mobile/apps/photos/lib/ui/viewer/location/pick_center_point_widget.dart b/mobile/apps/photos/lib/ui/viewer/location/pick_center_point_widget.dart index 7d685c3fd0..292229e346 100644 --- a/mobile/apps/photos/lib/ui/viewer/location/pick_center_point_widget.dart +++ b/mobile/apps/photos/lib/ui/viewer/location/pick_center_point_widget.dart @@ -123,6 +123,7 @@ class PickCenterPointWidget extends StatelessWidget { ), ), disablePinnedGroupHeader: true, + disableVerticalPaddingForScrollbar: true, ), ), ), From caa092f6c5a5d6523618f4b26950df583098d723 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Mon, 21 Jul 2025 17:27:12 +0530 Subject: [PATCH 084/302] Increase gallery length limit threshold above which scroll bar divisions will be made visible --- .../lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart index 8bd90b103a..fee59b1e25 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart @@ -93,7 +93,7 @@ class _CustomScrollBarState extends State { _logger.info("Initializing CustomScrollBar2"); if (widget.galleryGroups.groupType.showScrollbarDivisions() && widget.galleryGroups.groupLayouts.last.maxOffset > - widget.heighOfViewport * 6) { + widget.heighOfViewport * 8) { _showScrollbarDivisions = true; } else { _showScrollbarDivisions = false; From 5fd861b60ae1fb9c6faaa6c209fcf22c68cbe59d Mon Sep 17 00:00:00 2001 From: ashilkn Date: Tue, 22 Jul 2025 11:04:20 +0530 Subject: [PATCH 085/302] Remove uneccessary global keys and widgets --- mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart | 8 -------- 1 file changed, 8 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 0f46df7e3d..cfad48c8b1 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -130,8 +130,6 @@ class GalleryState extends State { bool _sortOrderAsc = false; List _allGalleryFiles = []; final _scrollController = ScrollController(); - final _sectionedListSliverKey = GlobalKey(); - final _stackKey = GlobalKey(); final _headerKey = GlobalKey(); final _headerHeightNotifier = ValueNotifier(null); final miscUtil = MiscUtil(); @@ -584,7 +582,6 @@ class GalleryState extends State { return true; }, child: Stack( - key: _stackKey, clipBehavior: Clip.none, children: [ CustomScrollView( @@ -601,11 +598,6 @@ class GalleryState extends State { ), ), ), - SliverToBoxAdapter( - child: SizedBox.shrink( - key: _sectionedListSliverKey, - ), - ), SectionedListSliver( sectionLayouts: galleryGroups.groupLayouts, ), From 51891996a2d59ceac66510446d25c3e389364bbb Mon Sep 17 00:00:00 2001 From: ashilkn Date: Tue, 22 Jul 2025 11:18:15 +0530 Subject: [PATCH 086/302] Handle edge case --- mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart | 1 + 1 file changed, 1 insertion(+) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index cfad48c8b1..67290660f5 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -751,6 +751,7 @@ class _PinnedGroupHeaderState extends State { } void _setCurrentGroupID() { + if (widget.headerHeightNotifier.value == null) return; final normalizedScrollOffset = widget.scrollController.offset - widget.headerHeightNotifier.value!; if (normalizedScrollOffset < 0) { From b209779f590dff09ef879558032d3c41bb0cdf66 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 23 Jul 2025 12:04:21 +0530 Subject: [PATCH 087/302] Use records for making data compatible for message passing between isolates --- .../photos/lib/models/gallery/gallery_sections.dart | 11 ++++------- .../viewer/gallery/scrollbar/custom_scroll_bar.dart | 13 +------------ 2 files changed, 5 insertions(+), 19 deletions(-) diff --git a/mobile/apps/photos/lib/models/gallery/gallery_sections.dart b/mobile/apps/photos/lib/models/gallery/gallery_sections.dart index 3146ebb602..852a50f90c 100644 --- a/mobile/apps/photos/lib/models/gallery/gallery_sections.dart +++ b/mobile/apps/photos/lib/models/gallery/gallery_sections.dart @@ -11,7 +11,6 @@ import "package:photos/service_locator.dart"; import "package:photos/ui/viewer/gallery/component/gallery_file_widget.dart"; import "package:photos/ui/viewer/gallery/component/group/group_header_widget.dart"; import "package:photos/ui/viewer/gallery/component/group/type.dart"; -import "package:photos/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart"; import "package:uuid/uuid.dart"; /// In order to make the gallery performant when GroupTypes do not show group @@ -64,7 +63,7 @@ class GalleryGroups { final Map _scrollOffsetToGroupIdMap = {}; final Map _groupIdToScrollOffsetMap = {}; final List _groupScrollOffsets = []; - final List _scrollbarDivisions = []; + final List<({String groupID, String title})> _scrollbarDivisions = []; final currentUserID = Configuration.instance.getUserID(); final _uuid = const Uuid(); @@ -76,7 +75,8 @@ class GalleryGroups { Map get groupIdToScrollOffsetMap => _groupIdToScrollOffsetMap; List get groupLayouts => _groupLayouts; List get groupScrollOffsets => _groupScrollOffsets; - List get scrollbarDivisions => _scrollbarDivisions; + List<({String groupID, String title})> get scrollbarDivisions => + _scrollbarDivisions; void init() { crossAxisCount = localSettings.getPhotoGridSize(); @@ -282,10 +282,7 @@ class GalleryGroups { if (!yearsInGroups.contains(yearOfGroup)) { yearsInGroups.add(yearOfGroup); _scrollbarDivisions.add( - ScrollbarDivision( - groupID: uuid, - title: yearOfGroup.toString(), - ), + (groupID: uuid, title: yearOfGroup.toString()), ); } } diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart index fee59b1e25..99ca79b11f 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart @@ -8,16 +8,6 @@ import "package:photos/ui/viewer/gallery/scrollbar/scroll_bar_with_use_notifier. import "package:photos/utils/misc_util.dart"; import "package:photos/utils/widget_util.dart"; -class ScrollbarDivision { - final String groupID; - final String title; - - ScrollbarDivision({ - required this.groupID, - required this.title, - }); -} - class CustomScrollBar extends StatefulWidget { final Widget child; final ValueNotifier bottomPadding; @@ -128,8 +118,7 @@ class _CustomScrollBarState extends State { heightOfScrollTrack = await _getHeightOfScrollTrack(); final maxScrollExtent = widget.scrollController.position.maxScrollExtent; - for (ScrollbarDivision scrollbarDivision - in widget.galleryGroups.scrollbarDivisions) { + for (final scrollbarDivision in widget.galleryGroups.scrollbarDivisions) { final scrollOffsetOfGroup = widget .galleryGroups.groupIdToScrollOffsetMap[scrollbarDivision.groupID]!; From c34d214313ca9618751d942f9f4b0fab33ac00e4 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 23 Jul 2025 12:13:00 +0530 Subject: [PATCH 088/302] Stop using custom object and use simple map for message passing compatibility between isolates --- .../lib/models/gallery/gallery_sections.dart | 23 +++++-------------- .../photos/lib/ui/viewer/gallery/gallery.dart | 4 ++-- 2 files changed, 8 insertions(+), 19 deletions(-) diff --git a/mobile/apps/photos/lib/models/gallery/gallery_sections.dart b/mobile/apps/photos/lib/models/gallery/gallery_sections.dart index 852a50f90c..257411ff06 100644 --- a/mobile/apps/photos/lib/models/gallery/gallery_sections.dart +++ b/mobile/apps/photos/lib/models/gallery/gallery_sections.dart @@ -59,7 +59,7 @@ class GalleryGroups { final List _groupIds = []; final Map> _groupIdToFilesMap = {}; - final Map _groupIdToHeaderDataMap = {}; + final Map _groupIdToGroupTypeDataMap = {}; final Map _scrollOffsetToGroupIdMap = {}; final Map _groupIdToScrollOffsetMap = {}; final List _groupScrollOffsets = []; @@ -69,8 +69,8 @@ class GalleryGroups { List get groupIDs => _groupIds; Map> get groupIDToFilesMap => _groupIdToFilesMap; - Map get groupIdToheaderDataMap => - _groupIdToHeaderDataMap; + Map get groupIdToGroupTypeMap => + _groupIdToGroupTypeDataMap; Map get scrollOffsetToGroupIdMap => _scrollOffsetToGroupIdMap; Map get groupIdToScrollOffsetMap => _groupIdToScrollOffsetMap; List get groupLayouts => _groupLayouts; @@ -83,7 +83,7 @@ class GalleryGroups { _buildGroups(); _groupLayouts = _computeGroupLayouts(); assert(groupIDs.length == _groupIdToFilesMap.length); - assert(groupIDs.length == _groupIdToHeaderDataMap.length); + assert(groupIDs.length == _groupIdToGroupTypeDataMap.length); assert( groupIDs.length == _scrollOffsetToGroupIdMap.length, ); @@ -129,8 +129,7 @@ class GalleryGroups { if (rowIndex == firstIndex) { if (showGroupHeader) { return GroupHeaderWidget( - title: _groupIdToHeaderDataMap[groupID]! - .groupType + title: _groupIdToGroupTypeDataMap[groupID]! .getTitle(context, groupIDToFilesMap[groupID]!.first), gridSize: crossAxisCount, filesInGroup: groupIDToFilesMap[groupID]!, @@ -270,9 +269,7 @@ class GalleryGroups { final uuid = _uuid.v1(); _groupIds.add(uuid); _groupIdToFilesMap[uuid] = groupFiles; - _groupIdToHeaderDataMap[uuid] = GroupHeaderData( - groupType: groupType, - ); + _groupIdToGroupTypeDataMap[uuid] = groupType; // For scrollbar divisions if (groupType.timeGrouping()) { @@ -288,11 +285,3 @@ class GalleryGroups { } } } - -class GroupHeaderData { - final GroupType groupType; - - GroupHeaderData({ - required this.groupType, - }); -} diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 67290660f5..2389bbfd36 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -861,8 +861,8 @@ class _PinnedGroupHeaderState extends State { child: ColoredBox( color: getEnteColorScheme(context).backgroundBase, child: GroupHeaderWidget( - title: widget.galleryGroups - .groupIdToheaderDataMap[currentGroupId!]!.groupType + title: widget + .galleryGroups.groupIdToGroupTypeMap[currentGroupId!]! .getTitle( context, widget.galleryGroups.groupIDToFilesMap[currentGroupId]! From b96e1a253647d1baaf8c9ce6e84c2c4928e33ef5 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Wed, 23 Jul 2025 14:44:33 +0530 Subject: [PATCH 089/302] Squashed commit of the following: commit 2c15c0578e21cd4463515bb5277d3333b818fd38 Merge: 5a31d81d28 78055a25d0 Author: Prateek Sunal Date: Wed Jul 23 14:40:29 2025 +0530 Merge branch 'isolated-ffmpeg' into smart-album commit 5a31d81d2899b21d0ae674747c588adf41b8e9a6 Author: Prateek Sunal Date: Tue Jul 22 15:08:50 2025 +0530 chore: update locals commit 9f926383a5bfac1f671251a08a4a77c00fa7ca20 Author: Prateek Sunal Date: Tue Jul 22 15:05:20 2025 +0530 chore: use locals commit ae1e435d776bdde0b7c199bcd09d011ec808c2f4 Merge: 3addc83c14 8e4e06af73 Author: Prateek Sunal Date: Mon Jul 21 18:55:26 2025 +0530 Merge remote-tracking branch 'origin/main' into smart-album commit 3addc83c147b2adbe602ded7316fd5fb28b7877e Author: Prateek Sunal Date: Mon Jul 21 18:46:16 2025 +0530 fix: don't use isolate for now commit 5b47f69d9356cd75798658b8a2547f490de9610a Author: Prateek Sunal Date: Mon Jul 21 18:46:00 2025 +0530 fix: save remote_id and updatedAt as well commit 1c02064211ae52928e39f7606563bc5cf3149561 Author: Prateek Sunal Date: Mon Jul 21 18:45:40 2025 +0530 fix: dialog time commit ba01e2d1813e4bb4fae5ac6672745bb8ca99db83 Author: Prateek Sunal Date: Mon Jul 21 17:30:40 2025 +0530 chore: update locks commit fdfc155addef6b478fb9c1a3ffdde0cf3c9749f6 Author: Prateek Sunal Date: Mon Jul 21 17:28:38 2025 +0530 chore: update locks commit 3c5a29b0ab733bfebc2ed6d406476b927f87e386 Author: Prateek Sunal Date: Mon Jul 21 17:28:32 2025 +0530 fix: popup menu item & smart people selection commit fa65a993c09a9db04973a9bf5ba1af6c8a1022a5 Merge: 418d20b336 4ff77067dc Author: Prateek Sunal Date: Mon Jul 21 15:40:27 2025 +0530 Merge branch 'flutter-upgrade' into smart-album commit 418d20b3361bccde5ccdf32d28b2a1455afa9ec0 Merge: 4d9b6ecbc6 8afc4bb0cb Author: Prateek Sunal Date: Mon Jul 21 00:23:36 2025 +0530 Merge branch 'isolated-ffmpeg' into smart-album commit 4d9b6ecbc6a1772b31293327a1a3539041ae9562 Author: Prateek Sunal Date: Fri Jul 18 17:10:40 2025 +0530 fix: use existing progress dialog commit d7f019c4f5d01be13cf7b937bcb126910a07ec67 Author: Prateek Sunal Date: Fri Jul 18 16:35:23 2025 +0530 fix: better decode of SmartAlbumConfig commit 4f1db7f001c7e40533554fb317df2179c7bf6fd3 Author: Prateek Sunal Date: Wed Jul 16 18:35:58 2025 +0530 fix: track if bg properly commit ab96fdb3791d1d12a7ccaccb4173085ed34a87ba Author: Prateek Sunal Date: Wed Jul 16 18:22:35 2025 +0530 fix: don't fetch files based on collection id commit 90650995f7439db76a72508341cb8c8b578e7b4c Author: Prateek Sunal Date: Wed Jul 16 18:21:38 2025 +0530 fix: use correct method to remove files from collection commit f83cd57b6f5416ecc3128ee4b14c147eac204327 Author: Prateek Sunal Date: Wed Jul 16 18:17:08 2025 +0530 fix: try to add remove people dialog popup commit f0273def2fdea53feb8c306637430911e562fec3 Author: Prateek Sunal Date: Wed Jul 16 17:21:36 2025 +0530 fix: handle duplicate case commit d4e2317816fdec7852b1a1c4be995c7a8d360f9f Author: Prateek Sunal Date: Wed Jul 16 16:48:03 2025 +0530 fix: update merge function to updatedAt commit 2040044994a8efa61eeed2623947960d0e424be9 Author: Prateek Sunal Date: Wed Jul 16 16:24:42 2025 +0530 chore: add note commit a3ee242faa17537d6eab8c11c62aba277e628c4e Author: Prateek Sunal Date: Wed Jul 16 16:13:06 2025 +0530 fix: pass remote id commit 78f2bb0d7d990e3b5c2e3f1bbf1389308f58f15c Author: Prateek Sunal Date: Wed Jul 16 16:00:52 2025 +0530 fix: add option in overflow & other fixes commit b723b7daf013aafd4075845dda3abee3433fb985 Author: Prateek Sunal Date: Wed Jul 16 12:47:13 2025 +0530 fix: revamp and use EntityService commit e2e0436830a96f49d2efe7b221f0a7c17aed992c Author: Prateek Sunal Date: Tue Jul 15 19:57:41 2025 +0530 fix: issues commit dea67250c8dda839d9274d1bd8e109c98f52089f Author: Prateek Sunal Date: Tue Jul 15 19:26:27 2025 +0530 fix: selection bug + initial empty files bug commit dc2246aa47b23b83f4aeaf7fcf581f18f2c7aaa2 Author: Prateek Sunal Date: Tue Jul 15 16:55:54 2025 +0530 chore: renaming things commit adb1c96ce6c0fb93642bf617ba03f2cef6785654 Author: Prateek Sunal Date: Tue Jul 15 16:21:42 2025 +0530 fix: remove shared preferences instance call commit c41311176892683cfeed77532137d7f0361e05eb Author: Prateek Sunal Date: Tue Jul 15 16:20:31 2025 +0530 fix: don't show close button in people selection page commit 6d6cd91b22c0152fe7a6287db44f1d29da1d86ce Author: Prateek Sunal Date: Tue Jul 15 16:19:11 2025 +0530 fix: optimize things (1) commit 3708a347f58bb8c20f3ead86f117d5f6e019cfef Author: Prateek Sunal Date: Mon Jul 14 18:05:58 2025 +0530 feat: init smart albums concept --- mobile/apps/photos/lib/app.dart | 7 +- mobile/apps/photos/lib/db/entities_db.dart | 17 + mobile/apps/photos/lib/db/files_db.dart | 1 + .../lib/generated/intl/messages_all.dart | 17 +- .../lib/generated/intl/messages_ar.dart | 4266 ++++++++------- .../lib/generated/intl/messages_be.dart | 602 ++- .../lib/generated/intl/messages_cs.dart | 1196 +++-- .../lib/generated/intl/messages_da.dart | 923 ++-- .../lib/generated/intl/messages_de.dart | 4578 +++++++++------- .../lib/generated/intl/messages_el.dart | 7 +- .../lib/generated/intl/messages_en.dart | 4297 ++++++++------- .../lib/generated/intl/messages_es.dart | 4516 +++++++++------- .../lib/generated/intl/messages_et.dart | 511 +- .../lib/generated/intl/messages_eu.dart | 1222 +++-- .../lib/generated/intl/messages_fa.dart | 865 +-- .../lib/generated/intl/messages_fr.dart | 4720 +++++++++-------- .../lib/generated/intl/messages_he.dart | 1815 ++++--- .../lib/generated/intl/messages_hi.dart | 197 +- .../lib/generated/intl/messages_hu.dart | 1476 +++--- .../lib/generated/intl/messages_id.dart | 3014 ++++++----- .../lib/generated/intl/messages_it.dart | 4437 +++++++++------- .../lib/generated/intl/messages_ja.dart | 3447 ++++++------ .../lib/generated/intl/messages_ko.dart | 46 +- .../lib/generated/intl/messages_lt.dart | 4465 +++++++++------- .../lib/generated/intl/messages_ml.dart | 246 +- .../lib/generated/intl/messages_ms.dart | 25 + .../lib/generated/intl/messages_nl.dart | 4467 +++++++++------- .../lib/generated/intl/messages_no.dart | 4160 ++++++++------- .../lib/generated/intl/messages_pl.dart | 4358 ++++++++------- .../lib/generated/intl/messages_pt.dart | 4263 ++++++++------- .../lib/generated/intl/messages_pt_BR.dart | 4536 +++++++++------- .../lib/generated/intl/messages_pt_PT.dart | 4563 +++++++++------- .../lib/generated/intl/messages_ro.dart | 4060 +++++++------- .../lib/generated/intl/messages_ru.dart | 4597 +++++++++------- .../lib/generated/intl/messages_sr.dart | 435 +- .../lib/generated/intl/messages_sv.dart | 1350 ++--- .../lib/generated/intl/messages_ta.dart | 87 +- .../lib/generated/intl/messages_th.dart | 672 +-- .../lib/generated/intl/messages_tr.dart | 4396 ++++++++------- .../lib/generated/intl/messages_uk.dart | 4013 ++++++++------ .../lib/generated/intl/messages_vi.dart | 4407 ++++++++------- .../lib/generated/intl/messages_zh.dart | 3411 ++++++------ mobile/apps/photos/lib/generated/l10n.dart | 2225 ++------ mobile/apps/photos/lib/l10n/intl_en.arb | 7 +- mobile/apps/photos/lib/main.dart | 2 + .../photos/lib/models/api/entity/type.dart | 14 +- .../models/collection/smart_album_config.dart | 143 + .../photos/lib/services/entity_service.dart | 14 +- .../lib/services/smart_albums_service.dart | 280 + .../lib/services/sync/sync_service.dart | 2 + .../collection/collection_file_actions.dart | 10 +- .../collections/album/smart_album_people.dart | 182 + .../lib/ui/common/popup_item_async.dart | 50 + .../gallery/gallery_app_bar_widget.dart | 302 +- .../apps/photos/lib/utils/bg_task_utils.dart | 2 +- 55 files changed, 57491 insertions(+), 46430 deletions(-) create mode 100644 mobile/apps/photos/lib/generated/intl/messages_ms.dart create mode 100644 mobile/apps/photos/lib/models/collection/smart_album_config.dart create mode 100644 mobile/apps/photos/lib/services/smart_albums_service.dart create mode 100644 mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart create mode 100644 mobile/apps/photos/lib/ui/common/popup_item_async.dart diff --git a/mobile/apps/photos/lib/app.dart b/mobile/apps/photos/lib/app.dart index c0f1b0950c..a6c90a84d7 100644 --- a/mobile/apps/photos/lib/app.dart +++ b/mobile/apps/photos/lib/app.dart @@ -20,6 +20,7 @@ import 'package:photos/services/app_lifecycle_service.dart'; import "package:photos/services/home_widget_service.dart"; import "package:photos/services/memory_home_widget_service.dart"; import "package:photos/services/people_home_widget_service.dart"; +import "package:photos/services/smart_albums_service.dart"; import 'package:photos/services/sync/sync_service.dart'; import 'package:photos/ui/tabs/home_widget.dart'; import "package:photos/ui/viewer/actions/file_viewer.dart"; @@ -74,8 +75,10 @@ class _EnteAppState extends State with WidgetsBindingObserver { _peopleChangedSubscription = Bus.instance.on().listen( (event) async { _changeCallbackDebouncer.run( - () async => - unawaited(PeopleHomeWidgetService.instance.checkPeopleChanged()), + () async { + unawaited(PeopleHomeWidgetService.instance.checkPeopleChanged()); + unawaited(SmartAlbumsService.instance.syncSmartAlbums()); + }, ); }, ); diff --git a/mobile/apps/photos/lib/db/entities_db.dart b/mobile/apps/photos/lib/db/entities_db.dart index fba74d98a5..06aa3501d4 100644 --- a/mobile/apps/photos/lib/db/entities_db.dart +++ b/mobile/apps/photos/lib/db/entities_db.dart @@ -128,4 +128,21 @@ extension EntitiesDB on FilesDB { } return maps.values.first as String?; } + + Future> getUpdatedAts( + EntityType type, + List ids, + ) async { + final db = await sqliteAsyncDB; + final List> maps = await db.getAll( + 'SELECT id, updatedAt FROM entities WHERE type = ? AND id IN (${List.filled(ids.length, '?').join(',')})', + [type.name, ...ids], + ); + return Map.fromEntries( + List.generate( + maps.length, + (i) => MapEntry(maps[i]['id'] as String, maps[i]['updatedAt'] as int), + ), + ); + } } diff --git a/mobile/apps/photos/lib/db/files_db.dart b/mobile/apps/photos/lib/db/files_db.dart index f8900f8912..e2faeee4f5 100644 --- a/mobile/apps/photos/lib/db/files_db.dart +++ b/mobile/apps/photos/lib/db/files_db.dart @@ -1479,6 +1479,7 @@ class FilesDB with SqlDbBase { final inParam = ids.map((id) => "'$id'").join(','); final db = await instance.sqliteAsyncDB; + final results = await db.getAll( 'SELECT * FROM $filesTable WHERE $columnUploadedFileID IN ($inParam) ORDER BY $columnCreationTime $order', ); diff --git a/mobile/apps/photos/lib/generated/intl/messages_all.dart b/mobile/apps/photos/lib/generated/intl/messages_all.dart index ed4269d223..076d04f2c1 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_all.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_all.dart @@ -43,6 +43,7 @@ import 'messages_ku.dart' as messages_ku; import 'messages_lt.dart' as messages_lt; import 'messages_lv.dart' as messages_lv; import 'messages_ml.dart' as messages_ml; +import 'messages_ms.dart' as messages_ms; import 'messages_nl.dart' as messages_nl; import 'messages_no.dart' as messages_no; import 'messages_or.dart' as messages_or; @@ -93,6 +94,7 @@ Map _deferredLibraries = { 'lt': () => new SynchronousFuture(null), 'lv': () => new SynchronousFuture(null), 'ml': () => new SynchronousFuture(null), + 'ms': () => new SynchronousFuture(null), 'nl': () => new SynchronousFuture(null), 'no': () => new SynchronousFuture(null), 'or': () => new SynchronousFuture(null), @@ -171,6 +173,8 @@ MessageLookupByLibrary? _findExact(String localeName) { return messages_lv.messages; case 'ml': return messages_ml.messages; + case 'ms': + return messages_ms.messages; case 'nl': return messages_nl.messages; case 'no': @@ -219,8 +223,10 @@ MessageLookupByLibrary? _findExact(String localeName) { /// User programs should call this before using [localeName] for messages. Future initializeMessages(String localeName) { var availableLocale = Intl.verifiedLocale( - localeName, (locale) => _deferredLibraries[locale] != null, - onFailure: (_) => null); + localeName, + (locale) => _deferredLibraries[locale] != null, + onFailure: (_) => null, + ); if (availableLocale == null) { return new SynchronousFuture(false); } @@ -240,8 +246,11 @@ bool _messagesExistFor(String locale) { } MessageLookupByLibrary? _findGeneratedMessagesFor(String locale) { - var actualLocale = - Intl.verifiedLocale(locale, _messagesExistFor, onFailure: (_) => null); + var actualLocale = Intl.verifiedLocale( + locale, + _messagesExistFor, + onFailure: (_) => null, + ); if (actualLocale == null) return null; return _findExact(actualLocale); } diff --git a/mobile/apps/photos/lib/generated/intl/messages_ar.dart b/mobile/apps/photos/lib/generated/intl/messages_ar.dart index ac978411b1..017db87bec 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_ar.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_ar.dart @@ -23,16 +23,16 @@ class MessageLookup extends MessageLookupByLibrary { static String m0(title) => "${title} (أنا)"; static String m1(count) => - "${Intl.plural(count, zero: 'إضافة متعاون', one: 'إضافة متعاون', two: 'إضافة متعاونين', other: 'إضافة ${count} متعاونًا')}"; + "${Intl.plural(count, zero: 'إضافة متعاون', one: 'إضافة متعاون', two: 'إضافة متعاونين', few: 'إضافة ${count} متعاونين', many: 'إضافة ${count} متعاونًا', other: 'إضافة ${count} متعاونًا')}"; static String m2(count) => - "${Intl.plural(count, one: 'إضافة عنصر', two: 'إضافة عنصرين', other: 'إضافة ${count} عنصرًا')}"; + "${Intl.plural(count, one: 'إضافة عنصر', two: 'إضافة عنصرين', few: 'إضافة ${count} عناصر', many: 'إضافة ${count} عنصرًا', other: 'إضافة ${count} عنصرًا')}"; static String m3(storageAmount, endDate) => "إضافتك بسعة ${storageAmount} صالحة حتى ${endDate}"; static String m4(count) => - "${Intl.plural(count, zero: 'إضافة مشاهد', one: 'إضافة مشاهد', two: 'إضافة مشاهدين', other: 'إضافة ${count} مشاهدًا')}"; + "${Intl.plural(count, zero: 'إضافة مشاهد', one: 'إضافة مشاهد', two: 'إضافة مشاهدين', few: 'إضافة ${count} مشاهدين', many: 'إضافة ${count} مشاهدًا', other: 'إضافة ${count} مشاهدًا')}"; static String m5(emailOrName) => "تمت الإضافة بواسطة ${emailOrName}"; @@ -57,16 +57,12 @@ class MessageLookup extends MessageLookupByLibrary { "لن يتمكن ${user} من إضافة المزيد من الصور إلى هذا الألبوم\n\nسيظل بإمكانه إزالة الصور الحالية التي أضافها"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, { - 'true': 'عائلتك حصلت على ${storageAmountInGb} جيجابايت حتى الآن', - 'false': 'لقد حصلت على ${storageAmountInGb} جيجابايت حتى الآن', - 'other': 'لقد حصلت على ${storageAmountInGb} جيجابايت حتى الآن!', - })}"; + "${Intl.select(isFamilyMember, {'true': 'عائلتك حصلت على ${storageAmountInGb} جيجابايت حتى الآن', 'false': 'لقد حصلت على ${storageAmountInGb} جيجابايت حتى الآن', 'other': 'لقد حصلت على ${storageAmountInGb} جيجابايت حتى الآن!'})}"; static String m15(albumName) => "تم إنشاء رابط تعاوني لـ ${albumName}"; static String m16(count) => - "${Intl.plural(count, zero: 'تمت إضافة 0 متعاونين', one: 'تمت إضافة متعاون واحد', two: 'تمت إضافة متعاونين', other: 'تمت إضافة ${count} متعاونًا')}"; + "${Intl.plural(count, zero: 'تمت إضافة 0 متعاونين', one: 'تمت إضافة متعاون واحد', two: 'تمت إضافة متعاونين', few: 'تمت إضافة ${count} متعاونين', many: 'تمت إضافة ${count} متعاونًا', other: 'تمت إضافة ${count} متعاونًا')}"; static String m17(email, numOfDays) => "أنت على وشك إضافة ${email} كجهة اتصال موثوقة. سيكون بإمكانهم استعادة حسابك إذا كنت غائبًا لمدة ${numOfDays} أيام."; @@ -80,7 +76,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m20(endpoint) => "متصل بـ ${endpoint}"; static String m21(count) => - "${Intl.plural(count, one: 'حذف عنصر واحد', two: 'حذف عنصرين', other: 'حذف ${count} عنصرًا')}"; + "${Intl.plural(count, one: 'حذف عنصر واحد', two: 'حذف عنصرين', few: 'حذف ${count} عناصر', many: 'حذف ${count} عنصرًا', other: 'حذف ${count} عنصرًا')}"; static String m22(count) => "هل تريد أيضًا حذف الصور (والمقاطع) الموجودة في هذه الألبومات ${count} من كافة الألبومات الأخرى التي تشترك فيها؟"; @@ -95,7 +91,7 @@ class MessageLookup extends MessageLookupByLibrary { "يرجى إرسال بريد إلكتروني إلى ${supportEmail} من عنوان بريدك الإلكتروني المسجل"; static String m26(count, storageSaved) => - "لقد قمت بتنظيف ${Intl.plural(count, one: 'ملف مكرر واحد', two: 'ملفين مكررين', other: '${count} ملفًا مكررًا')}، مما وفر ${storageSaved}!"; + "لقد قمت بتنظيف ${Intl.plural(count, one: 'ملف مكرر واحد', two: 'ملفين مكررين', few: '${count} ملفات مكررة', many: '${count} ملفًا مكررًا', other: '${count} ملفًا مكررًا')}، مما وفر ${storageSaved}!"; static String m27(count, formattedSize) => "${count} ملفات، ${formattedSize} لكل منها"; @@ -116,10 +112,10 @@ class MessageLookup extends MessageLookupByLibrary { static String m34(name) => "الاستمتاع بالطعام مع ${name}"; static String m35(count, formattedNumber) => - "${Intl.plural(count, one: 'ملف واحد', two: 'ملفان', other: '${formattedNumber} ملفًا')} على هذا الجهاز تم نسخه احتياطيًا بأمان"; + "${Intl.plural(count, one: 'ملف واحد', two: 'ملفان', few: '${formattedNumber} ملفات', many: '${formattedNumber} ملفًا', other: '${formattedNumber} ملفًا')} على هذا الجهاز تم نسخه احتياطيًا بأمان"; static String m36(count, formattedNumber) => - "${Intl.plural(count, one: 'ملف واحد', two: 'ملفان', other: '${formattedNumber} ملفًا')} في هذا الألبوم تم نسخه احتياطيًا بأمان"; + "${Intl.plural(count, one: 'ملف واحد', two: 'ملفان', few: '${formattedNumber} ملفات', many: '${formattedNumber} ملفًا', other: '${formattedNumber} ملفًا')} في هذا الألبوم تم نسخه احتياطيًا بأمان"; static String m37(storageAmountInGB) => "${storageAmountInGB} جيجابايت مجانية في كل مرة يشترك فيها شخص بخطة مدفوعة ويطبق رمزك"; @@ -132,7 +128,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m40(sizeInMBorGB) => "تحرير ${sizeInMBorGB}"; static String m41(count, formattedSize) => - "${Intl.plural(count, one: 'يمكن حذفه من الجهاز لتحرير ${formattedSize}', two: 'يمكن حذفهما من الجهاز لتحرير ${formattedSize}', other: 'يمكن حذفها من الجهاز لتحرير ${formattedSize}')}"; + "${Intl.plural(count, one: 'يمكن حذفه من الجهاز لتحرير ${formattedSize}', two: 'يمكن حذفهما من الجهاز لتحرير ${formattedSize}', few: 'يمكن حذفها من الجهاز لتحرير ${formattedSize}', many: 'يمكن حذفها من الجهاز لتحرير ${formattedSize}', other: 'يمكن حذفها من الجهاز لتحرير ${formattedSize}')}"; static String m42(currentlyProcessing, totalCount) => "جارٍ المعالجة ${currentlyProcessing} / ${totalCount}"; @@ -154,10 +150,10 @@ class MessageLookup extends MessageLookupByLibrary { "سيؤدي هذا إلى ربط ${personName} بـ ${email}"; static String m50(count, formattedCount) => - "${Intl.plural(count, zero: 'لا توجد ذكريات', one: 'ذكرى واحدة', two: 'ذكريتان', other: '${formattedCount} ذكرى')}"; + "${Intl.plural(count, zero: 'لا توجد ذكريات', one: 'ذكرى واحدة', two: 'ذكريتان', few: '${formattedCount} ذكريات', many: '${formattedCount} ذكرى', other: '${formattedCount} ذكرى')}"; static String m51(count) => - "${Intl.plural(count, one: 'نقل عنصر', two: 'نقل عنصرين', other: 'نقل ${count} عنصرًا')}"; + "${Intl.plural(count, one: 'نقل عنصر', two: 'نقل عنصرين', few: 'نقل ${count} عناصر', many: 'نقل ${count} عنصرًا', other: 'نقل ${count} عنصرًا')}"; static String m52(albumName) => "تم النقل بنجاح إلى ${albumName}"; @@ -181,10 +177,10 @@ class MessageLookup extends MessageLookupByLibrary { static String m60(name, age) => "${name} سيبلغ ${age} قريبًا"; static String m61(count) => - "${Intl.plural(count, zero: 'لا توجد صور', one: 'صورة واحدة', two: 'صورتان', other: '${count} صورة')}"; + "${Intl.plural(count, zero: 'لا توجد صور', one: 'صورة واحدة', two: 'صورتان', few: '${count} صور', many: '${count} صورة', other: '${count} صورة')}"; static String m62(count) => - "${Intl.plural(count, zero: 'لا توجد صور', one: 'صورة واحدة', two: 'صورتان', other: '${count} صورة')}"; + "${Intl.plural(count, zero: 'لا توجد صور', one: 'صورة واحدة', two: 'صورتان', few: '${count} صور', many: '${count} صورة', other: '${count} صورة')}"; static String m63(endDate) => "التجربة المجانية صالحة حتى ${endDate}.\nيمكنك اختيار خطة مدفوعة بعد ذلك."; @@ -221,7 +217,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m76(name) => "رحلة برية مع ${name}"; static String m77(count) => - "${Intl.plural(count, other: '${count} النتائج التي تم العثور عليها')}"; + "${Intl.plural(count, one: '${count} النتائج التي تم العثور عليها', other: '${count} النتائج التي تم العثور عليها')}"; static String m78(snapshotLength, searchLength) => "عدم تطابق طول الأقسام: ${snapshotLength} != ${searchLength}"; @@ -262,7 +258,11 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} جيجابايت"; static String m94( - usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => + usedAmount, + usedStorageUnit, + totalAmount, + totalStorageUnit, + ) => "تم استخدام ${usedAmount} ${usedStorageUnit} من ${totalAmount} ${totalStorageUnit}"; static String m95(id) => @@ -281,12 +281,12 @@ class MessageLookup extends MessageLookupByLibrary { static String m100(email) => "هذا هو معرّف التحقق الخاص بـ ${email}"; static String m101(count) => - "${Intl.plural(count, one: 'هذا الأسبوع، قبل سنة', two: 'هذا الأسبوع، قبل سنتين', other: 'هذا الأسبوع، قبل ${count} سنة')}"; + "${Intl.plural(count, one: 'هذا الأسبوع، قبل سنة', two: 'هذا الأسبوع، قبل سنتين', few: 'هذا الأسبوع، قبل ${count} سنوات', many: 'هذا الأسبوع، قبل ${count} سنة', other: 'هذا الأسبوع، قبل ${count} سنة')}"; static String m102(dateFormat) => "${dateFormat} عبر السنين"; static String m103(count) => - "${Intl.plural(count, zero: 'قريبًا', one: 'يوم واحد', two: 'يومان', other: '${count} يومًا')}"; + "${Intl.plural(count, zero: 'قريبًا', one: 'يوم واحد', two: 'يومان', few: '${count} أيام', many: '${count} يومًا', other: '${count} يومًا')}"; static String m104(year) => "رحلة في ${year}"; @@ -309,7 +309,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m112(name) => "عرض ${name} لإلغاء الربط"; static String m113(count) => - "${Intl.plural(count, zero: 'تمت إضافة 0 مشاهدين', one: 'تمت إضافة مشاهد واحد', two: 'تمت إضافة مشاهدين', other: 'تمت إضافة ${count} مشاهدًا')}"; + "${Intl.plural(count, zero: 'تمت إضافة 0 مشاهدين', one: 'تمت إضافة مشاهد واحد', two: 'تمت إضافة مشاهدين', few: 'تمت إضافة ${count} مشاهدين', many: 'تمت إضافة ${count} مشاهدًا', other: 'تمت إضافة ${count} مشاهدًا')}"; static String m114(email) => "لقد أرسلنا بريدًا إلكترونيًا إلى ${email}"; @@ -317,7 +317,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m115(name) => "أتمنى لـ${name} عيد ميلاد سعيد! 🎉"; static String m116(count) => - "${Intl.plural(count, one: 'قبل سنة', two: 'قبل سنتين', other: 'قبل ${count} سنة')}"; + "${Intl.plural(count, one: 'قبل سنة', two: 'قبل سنتين', few: 'قبل ${count} سنوات', many: 'قبل ${count} سنة', other: 'قبل ${count} سنة')}"; static String m117(name) => "أنت و ${name}"; @@ -325,1899 +325,2327 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": - MessageLookupByLibrary.simpleMessage("يتوفر إصدار جديد من Ente."), - "about": MessageLookupByLibrary.simpleMessage("حول التطبيق"), - "acceptTrustInvite": - MessageLookupByLibrary.simpleMessage("قبول الدعوة"), - "account": MessageLookupByLibrary.simpleMessage("الحساب"), - "accountIsAlreadyConfigured": - MessageLookupByLibrary.simpleMessage("الحساب تم تكوينه بالفعل."), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("أهلاً بعودتك!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "أدرك أنني إذا فقدت كلمة المرور، فقد أفقد بياناتي لأنها مشفرة بالكامل من طرف إلى طرف."), - "actionNotSupportedOnFavouritesAlbum": - MessageLookupByLibrary.simpleMessage( - "الإجراء غير مدعوم في ألبوم المفضلة"), - "activeSessions": - MessageLookupByLibrary.simpleMessage("الجلسات النشطة"), - "add": MessageLookupByLibrary.simpleMessage("إضافة"), - "addAName": MessageLookupByLibrary.simpleMessage("إضافة اسم"), - "addANewEmail": - MessageLookupByLibrary.simpleMessage("إضافة بريد إلكتروني جديد"), - "addCollaborator": MessageLookupByLibrary.simpleMessage("إضافة متعاون"), - "addCollaborators": m1, - "addFiles": MessageLookupByLibrary.simpleMessage("إضافة ملفات"), - "addFromDevice": - MessageLookupByLibrary.simpleMessage("إضافة من الجهاز"), - "addItem": m2, - "addLocation": MessageLookupByLibrary.simpleMessage("إضافة موقع"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("إضافة"), - "addMore": MessageLookupByLibrary.simpleMessage("إضافة المزيد"), - "addName": MessageLookupByLibrary.simpleMessage("إضافة اسم"), - "addNameOrMerge": - MessageLookupByLibrary.simpleMessage("إضافة اسم أو دمج"), - "addNew": MessageLookupByLibrary.simpleMessage("إضافة جديد"), - "addNewPerson": MessageLookupByLibrary.simpleMessage("إضافة شخص جديد"), - "addOnPageSubtitle": - MessageLookupByLibrary.simpleMessage("تفاصيل الإضافات"), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("الإضافات"), - "addParticipants": - MessageLookupByLibrary.simpleMessage("إضافة مشاركين"), - "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "أضف عنصر واجهة الأشخاص إلى شاشتك الرئيسية ثم عد إلى هنا لتخصيصه."), - "addPhotos": MessageLookupByLibrary.simpleMessage("إضافة صور"), - "addSelected": MessageLookupByLibrary.simpleMessage("إضافة المحدد"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("إضافة إلى الألبوم"), - "addToEnte": MessageLookupByLibrary.simpleMessage("إضافة إلى Ente"), - "addToHiddenAlbum": - MessageLookupByLibrary.simpleMessage("إضافة إلى الألبوم المخفي"), - "addTrustedContact": - MessageLookupByLibrary.simpleMessage("إضافة جهة اتصال موثوقة"), - "addViewer": MessageLookupByLibrary.simpleMessage("إضافة مشاهد"), - "addViewers": m4, - "addYourPhotosNow": - MessageLookupByLibrary.simpleMessage("أضف صورك الآن"), - "addedAs": MessageLookupByLibrary.simpleMessage("تمت الإضافة كـ"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": - MessageLookupByLibrary.simpleMessage("جارٍ الإضافة إلى المفضلة..."), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("متقدم"), - "advancedSettings": - MessageLookupByLibrary.simpleMessage("الإعدادات المتقدمة"), - "after1Day": MessageLookupByLibrary.simpleMessage("بعد يوم"), - "after1Hour": MessageLookupByLibrary.simpleMessage("بعد ساعة"), - "after1Month": MessageLookupByLibrary.simpleMessage("بعد شهر"), - "after1Week": MessageLookupByLibrary.simpleMessage("بعد أسبوع"), - "after1Year": MessageLookupByLibrary.simpleMessage("بعد سنة"), - "albumOwner": MessageLookupByLibrary.simpleMessage("المالك"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("عنوان الألبوم"), - "albumUpdated": - MessageLookupByLibrary.simpleMessage("تم تحديث الألبوم"), - "albums": MessageLookupByLibrary.simpleMessage("الألبومات"), - "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( - "حدد الألبومات التي تريد ظهورها على شاشتك الرئيسية."), - "allClear": MessageLookupByLibrary.simpleMessage("✨ كل شيء واضح"), - "allMemoriesPreserved": - MessageLookupByLibrary.simpleMessage("تم حفظ جميع الذكريات"), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "سيتم إعادة تعيين جميع تجمعات هذا الشخص، وستفقد جميع الاقتراحات المقدمة لهذا الشخص."), - "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": - MessageLookupByLibrary.simpleMessage( - "سيتم دمج جميع المجموعات غير المسماة مع الشخص المحدد. يمكن التراجع عن هذا الإجراء لاحقًا من خلال نظرة عامة على سجل الاقتراحات التابع لهذا الشخص."), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "هذه هي الأولى في المجموعة. سيتم تغيير تواريخ الصور المحددة الأخرى تلقائيًا بناءً على هذا التاريخ الجديد."), - "allow": MessageLookupByLibrary.simpleMessage("السماح"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "السماح للأشخاص الذين لديهم الرابط بإضافة صور إلى الألبوم المشترك أيضًا."), - "allowAddingPhotos": - MessageLookupByLibrary.simpleMessage("السماح بإضافة الصور"), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "السماح للتطبيق بفتح روابط الألبومات المشتركة"), - "allowDownloads": - MessageLookupByLibrary.simpleMessage("السماح بالتنزيلات"), - "allowPeopleToAddPhotos": - MessageLookupByLibrary.simpleMessage("السماح للأشخاص بإضافة الصور"), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "يرجى السماح بالوصول إلى صورك من الإعدادات حتى يتمكن Ente من عرض نسختك الاحتياطية ومكتبتك."), - "allowPermTitle": - MessageLookupByLibrary.simpleMessage("السماح بالوصول إلى الصور"), - "androidBiometricHint": - MessageLookupByLibrary.simpleMessage("تحقق من الهوية"), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "لم يتم التعرف. حاول مرة أخرى."), - "androidBiometricRequiredTitle": - MessageLookupByLibrary.simpleMessage("المصادقة البيومترية مطلوبة"), - "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("نجاح"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("إلغاء"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage("بيانات اعتماد الجهاز مطلوبة"), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage("بيانات اعتماد الجهاز مطلوبة"), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "لم يتم إعداد المصادقة البيومترية على جهازك. انتقل إلى \'الإعدادات > الأمان\' لإضافة المصادقة البيومترية."), - "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( - "أندرويد، iOS، الويب، سطح المكتب"), - "androidSignInTitle": - MessageLookupByLibrary.simpleMessage("المصادقة مطلوبة"), - "appIcon": MessageLookupByLibrary.simpleMessage("أيقونة التطبيق"), - "appLock": MessageLookupByLibrary.simpleMessage("قفل التطبيق"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "اختر بين شاشة القفل الافتراضية لجهازك وشاشة قفل مخصصة برمز PIN أو كلمة مرور."), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("معرّف Apple"), - "apply": MessageLookupByLibrary.simpleMessage("تطبيق"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("تطبيق الرمز"), - "appstoreSubscription": - MessageLookupByLibrary.simpleMessage("اشتراك متجر App Store"), - "archive": MessageLookupByLibrary.simpleMessage("الأرشيف"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("أرشفة الألبوم"), - "archiving": MessageLookupByLibrary.simpleMessage("جارٍ الأرشفة..."), - "areThey": MessageLookupByLibrary.simpleMessage("هل هم "), - "areYouSureRemoveThisFaceFromPerson": - MessageLookupByLibrary.simpleMessage( - "هل أنت متأكد من رغبتك في إزالة هذا الوجه من هذا الشخص؟"), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "هل أنت متأكد من رغبتك في مغادرة الخطة العائلية؟"), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "هل أنت متأكد من رغبتك في الإلغاء؟"), - "areYouSureYouWantToChangeYourPlan": - MessageLookupByLibrary.simpleMessage( - "هل أنت متأكد من رغبتك في تغيير خطتك؟"), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "هل أنت متأكد من رغبتك في الخروج؟"), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "هل أنت متأكد من رغبتك في تسجيل الخروج؟"), - "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( - "هل أنت متأكد من رغبتك في دمجهم؟"), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "هل أنت متأكد من رغبتك في التجديد؟"), - "areYouSureYouWantToResetThisPerson": - MessageLookupByLibrary.simpleMessage( - "هل أنت متأكد من رغبتك في إعادة تعيين هذا الشخص؟"), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "تم إلغاء اشتراكك. هل ترغب في مشاركة السبب؟"), - "askDeleteReason": - MessageLookupByLibrary.simpleMessage("ما السبب الرئيس لحذف حسابك؟"), - "askYourLovedOnesToShare": - MessageLookupByLibrary.simpleMessage("اطلب من أحبائك المشاركة"), - "atAFalloutShelter": - MessageLookupByLibrary.simpleMessage("في ملجأ للطوارئ"), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "يرجى المصادقة لتغيير إعداد التحقق من البريد الإلكتروني"), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "يرجى المصادقة لتغيير إعدادات شاشة القفل."), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "يرجى المصادقة لتغيير بريدك الإلكتروني"), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "يرجى المصادقة لتغيير كلمة المرور الخاصة بك"), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "يرجى المصادقة لإعداد المصادقة الثنائية."), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "يرجى المصادقة لبدء عملية حذف الحساب"), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "يرجى المصادقة لإدارة جهات الاتصال الموثوقة الخاصة بك."), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "يرجى المصادقة لعرض مفتاح المرور الخاص بك."), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "يرجى المصادقة لعرض ملفاتك المحذوفة"), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "يرجى المصادقة لعرض جلساتك النشطة."), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "يرجى المصادقة للوصول إلى ملفاتك المخفية"), - "authToViewYourMemories": - MessageLookupByLibrary.simpleMessage("يرجى المصادقة لعرض ذكرياتك."), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "يرجى المصادقة لعرض مفتاح الاسترداد الخاص بك."), - "authenticating": - MessageLookupByLibrary.simpleMessage("جارٍ المصادقة..."), - "authenticationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "فشلت المصادقة، يرجى المحاولة مرة أخرى."), - "authenticationSuccessful": - MessageLookupByLibrary.simpleMessage("تمت المصادقة بنجاح!"), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "سترى أجهزة Cast المتاحة هنا."), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "تأكد من تشغيل أذونات الشبكة المحلية لتطبيق Ente Photos في الإعدادات."), - "autoLock": MessageLookupByLibrary.simpleMessage("قفل تلقائي"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "الوقت الذي يتم بعده قفل التطبيق بعد وضعه في الخلفية."), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "بسبب خلل تقني، تم تسجيل خروجك. نعتذر عن الإزعاج."), - "autoPair": MessageLookupByLibrary.simpleMessage("إقران تلقائي"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "الإقران التلقائي يعمل فقط مع الأجهزة التي تدعم Chromecast."), - "available": MessageLookupByLibrary.simpleMessage("متوفر"), - "availableStorageSpace": m10, - "backedUpFolders": - MessageLookupByLibrary.simpleMessage("المجلدات المنسوخة احتياطيًا"), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("النسخ الاحتياطي"), - "backupFailed": - MessageLookupByLibrary.simpleMessage("فشل النسخ الاحتياطي"), - "backupFile": MessageLookupByLibrary.simpleMessage("نسخ احتياطي للملف"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "النسخ الاحتياطي عبر بيانات الجوال"), - "backupSettings": - MessageLookupByLibrary.simpleMessage("إعدادات النسخ الاحتياطي"), - "backupStatus": - MessageLookupByLibrary.simpleMessage("حالة النسخ الاحتياطي"), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "ستظهر العناصر التي تم نسخها احتياطيًا هنا"), - "backupVideos": MessageLookupByLibrary.simpleMessage( - "النسخ الاحتياطي لمقاطع الفيديو"), - "beach": MessageLookupByLibrary.simpleMessage("رمال وبحر"), - "birthday": MessageLookupByLibrary.simpleMessage("تاريخ الميلاد"), - "birthdays": MessageLookupByLibrary.simpleMessage("أعياد الميلاد"), - "blackFridaySale": - MessageLookupByLibrary.simpleMessage("تخفيضات الجمعة السوداء"), - "blog": MessageLookupByLibrary.simpleMessage("المدونة"), - "cachedData": MessageLookupByLibrary.simpleMessage("البيانات المؤقتة"), - "calculating": MessageLookupByLibrary.simpleMessage("جارٍ الحساب..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "عذرًا، لا يمكن فتح هذا الألبوم في التطبيق."), - "canNotOpenTitle": - MessageLookupByLibrary.simpleMessage("لا يمكن فتح هذا الألبوم"), - "canNotUploadToAlbumsOwnedByOthers": - MessageLookupByLibrary.simpleMessage( - "لا يمكن التحميل إلى ألبومات يملكها آخرون."), - "canOnlyCreateLinkForFilesOwnedByYou": - MessageLookupByLibrary.simpleMessage( - "يمكن إنشاء رابط للملفات التي تملكها فقط."), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "يمكنك فقط إزالة الملفات التي تملكها."), - "cancel": MessageLookupByLibrary.simpleMessage("إلغاء"), - "cancelAccountRecovery": - MessageLookupByLibrary.simpleMessage("إلغاء استرداد الحساب"), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "هل أنت متأكد من رغبتك في إلغاء الاسترداد؟"), - "cancelOtherSubscription": m12, - "cancelSubscription": - MessageLookupByLibrary.simpleMessage("إلغاء الاشتراك"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "لا يمكن حذف الملفات المشتركة"), - "castAlbum": MessageLookupByLibrary.simpleMessage("بث الألبوم"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "يرجى التأكد من أنك متصل بنفس الشبكة المتصل بها التلفزيون."), - "castIPMismatchTitle": - MessageLookupByLibrary.simpleMessage("فشل بث الألبوم"), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "قم بزيارة cast.ente.io على الجهاز الذي تريد إقرانه.\n\nأدخل الرمز أدناه لتشغيل الألبوم على تلفزيونك."), - "centerPoint": MessageLookupByLibrary.simpleMessage("نقطة المركز"), - "change": MessageLookupByLibrary.simpleMessage("تغيير"), - "changeEmail": - MessageLookupByLibrary.simpleMessage("تغيير البريد الإلكتروني"), - "changeLocationOfSelectedItems": - MessageLookupByLibrary.simpleMessage("تغيير موقع العناصر المحددة؟"), - "changePassword": - MessageLookupByLibrary.simpleMessage("تغيير كلمة المرور"), - "changePasswordTitle": - MessageLookupByLibrary.simpleMessage("تغيير كلمة المرور"), - "changePermissions": - MessageLookupByLibrary.simpleMessage("تغيير الإذن؟"), - "changeYourReferralCode": - MessageLookupByLibrary.simpleMessage("تغيير رمز الإحالة الخاص بك"), - "checkForUpdates": - MessageLookupByLibrary.simpleMessage("التحقق من وجود تحديثات"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "تحقق من صندوق الوارد ومجلد البريد غير الهام (Spam) لإكمال التحقق"), - "checkStatus": MessageLookupByLibrary.simpleMessage("التحقق من الحالة"), - "checking": MessageLookupByLibrary.simpleMessage("جارٍ التحقق..."), - "checkingModels": - MessageLookupByLibrary.simpleMessage("جارٍ فحص النماذج..."), - "city": MessageLookupByLibrary.simpleMessage("في المدينة"), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage( - "المطالبة بمساحة تخزين مجانية"), - "claimMore": MessageLookupByLibrary.simpleMessage("المطالبة بالمزيد!"), - "claimed": MessageLookupByLibrary.simpleMessage("تم الحصول عليها"), - "claimedStorageSoFar": m14, - "cleanUncategorized": - MessageLookupByLibrary.simpleMessage("تنظيف غير المصنف"), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "إزالة جميع الملفات من قسم \'غير مصنف\' الموجودة في ألبومات أخرى."), - "clearCaches": - MessageLookupByLibrary.simpleMessage("مسح ذاكرة التخزين المؤقت"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("مسح الفهارس"), - "click": MessageLookupByLibrary.simpleMessage("• انقر على"), - "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( - "• انقر على قائمة الخيارات الإضافية"), - "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( - "انقر لتثبيت أفضل إصدار لنا حتى الآن"), - "close": MessageLookupByLibrary.simpleMessage("إغلاق"), - "clubByCaptureTime": - MessageLookupByLibrary.simpleMessage("التجميع حسب وقت الالتقاط"), - "clubByFileName": - MessageLookupByLibrary.simpleMessage("التجميع حسب اسم الملف"), - "clusteringProgress": - MessageLookupByLibrary.simpleMessage("تقدم التجميع"), - "codeAppliedPageTitle": - MessageLookupByLibrary.simpleMessage("تم تطبيق الرمز"), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "عذرًا، لقد تجاوزت الحد المسموح به لتعديلات الرمز."), - "codeCopiedToClipboard": - MessageLookupByLibrary.simpleMessage("تم نسخ الرمز إلى الحافظة"), - "codeUsedByYou": - MessageLookupByLibrary.simpleMessage("الرمز المستخدم من قبلك"), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "أنشئ رابطًا يسمح للأشخاص بإضافة الصور ومشاهدتها في ألبومك المشترك دون الحاجة إلى تطبيق أو حساب Ente. خيار مثالي لجمع صور الفعاليات بسهولة."), - "collaborativeLink": - MessageLookupByLibrary.simpleMessage("رابط تعاوني"), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("متعاون"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "يمكن للمتعاونين إضافة الصور ومقاطع الفيديو إلى الألبوم المشترك."), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("التخطيط"), - "collageSaved": - MessageLookupByLibrary.simpleMessage("تم حفظ الكولاج في المعرض."), - "collect": MessageLookupByLibrary.simpleMessage("جمع"), - "collectEventPhotos": - MessageLookupByLibrary.simpleMessage("جمع صور الفعالية"), - "collectPhotos": MessageLookupByLibrary.simpleMessage("جمع الصور"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "أنشئ رابطًا يمكن لأصدقائك من خلاله تحميل الصور بالجودة الأصلية."), - "color": MessageLookupByLibrary.simpleMessage("اللون"), - "configuration": MessageLookupByLibrary.simpleMessage("التكوين"), - "confirm": MessageLookupByLibrary.simpleMessage("تأكيد"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "هل أنت متأكد من رغبتك في تعطيل المصادقة الثنائية؟"), - "confirmAccountDeletion": - MessageLookupByLibrary.simpleMessage("تأكيد حذف الحساب"), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "نعم، أرغب في حذف هذا الحساب وبياناته نهائيًا من جميع التطبيقات."), - "confirmPassword": - MessageLookupByLibrary.simpleMessage("تأكيد كلمة المرور"), - "confirmPlanChange": - MessageLookupByLibrary.simpleMessage("تأكيد تغيير الخطة"), - "confirmRecoveryKey": - MessageLookupByLibrary.simpleMessage("تأكيد مفتاح الاسترداد"), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "تأكيد مفتاح الاسترداد الخاص بك"), - "connectToDevice": - MessageLookupByLibrary.simpleMessage("الاتصال بالجهاز"), - "contactFamilyAdmin": m18, - "contactSupport": - MessageLookupByLibrary.simpleMessage("الاتصال بالدعم"), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("جهات الاتصال"), - "contents": MessageLookupByLibrary.simpleMessage("المحتويات"), - "continueLabel": MessageLookupByLibrary.simpleMessage("متابعة"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "الاستمرار في التجربة المجانية"), - "convertToAlbum": - MessageLookupByLibrary.simpleMessage("تحويل إلى ألبوم"), - "copyEmailAddress": - MessageLookupByLibrary.simpleMessage("نسخ عنوان البريد الإلكتروني"), - "copyLink": MessageLookupByLibrary.simpleMessage("نسخ الرابط"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "انسخ هذا الرمز وألصقه\n في تطبيق المصادقة الخاص بك"), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "لم نتمكن من نسخ بياناتك احتياطيًا.\nسنحاول مرة أخرى لاحقًا."), - "couldNotFreeUpSpace": - MessageLookupByLibrary.simpleMessage("تعذر تحرير المساحة."), - "couldNotUpdateSubscription": - MessageLookupByLibrary.simpleMessage("تعذر تحديث الاشتراك."), - "count": MessageLookupByLibrary.simpleMessage("العدد"), - "crashReporting": - MessageLookupByLibrary.simpleMessage("الإبلاغ عن الأعطال"), - "create": MessageLookupByLibrary.simpleMessage("إنشاء"), - "createAccount": MessageLookupByLibrary.simpleMessage("إنشاء حساب"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "اضغط مطولاً لتحديد الصور ثم انقر على \'+\' لإنشاء ألبوم"), - "createCollaborativeLink": - MessageLookupByLibrary.simpleMessage("إنشاء رابط تعاوني"), - "createCollage": MessageLookupByLibrary.simpleMessage("إنشاء كولاج"), - "createNewAccount": - MessageLookupByLibrary.simpleMessage("إنشاء حساب جديد"), - "createOrSelectAlbum": - MessageLookupByLibrary.simpleMessage("إنشاء أو تحديد ألبوم"), - "createPublicLink": - MessageLookupByLibrary.simpleMessage("إنشاء رابط عام"), - "creatingLink": - MessageLookupByLibrary.simpleMessage("جارٍ إنشاء الرابط..."), - "criticalUpdateAvailable": - MessageLookupByLibrary.simpleMessage("يتوفر تحديث حرج"), - "crop": MessageLookupByLibrary.simpleMessage("اقتصاص"), - "curatedMemories": MessageLookupByLibrary.simpleMessage("ذكريات منسقة"), - "currentUsageIs": - MessageLookupByLibrary.simpleMessage("استخدامك الحالي هو "), - "currentlyRunning": - MessageLookupByLibrary.simpleMessage("قيد التشغيل حاليًا"), - "custom": MessageLookupByLibrary.simpleMessage("مخصص"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("داكن"), - "dayToday": MessageLookupByLibrary.simpleMessage("اليوم"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("الأمس"), - "declineTrustInvite": - MessageLookupByLibrary.simpleMessage("رفض الدعوة"), - "decrypting": - MessageLookupByLibrary.simpleMessage("جارٍ فك التشفير..."), - "decryptingVideo": - MessageLookupByLibrary.simpleMessage("جارٍ فك تشفير الفيديو..."), - "deduplicateFiles": - MessageLookupByLibrary.simpleMessage("إزالة الملفات المكررة"), - "delete": MessageLookupByLibrary.simpleMessage("حذف"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("حذف الحساب"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "نأسف لمغادرتك. نرجو مشاركة ملاحظاتك لمساعدتنا على التحسين."), - "deleteAccountPermanentlyButton": - MessageLookupByLibrary.simpleMessage("حذف الحساب نهائيًا"), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("حذف الألبوم"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "هل ترغب أيضًا في حذف الصور (ومقاطع الفيديو) الموجودة في هذا الألبوم من جميع الألبومات الأخرى التي هي جزء منها؟"), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "سيؤدي هذا إلى حذف جميع الألبومات الفارغة. هذا مفيد عندما تريد تقليل الفوضى في قائمة ألبوماتك."), - "deleteAll": MessageLookupByLibrary.simpleMessage("حذف الكل"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "هذا الحساب مرتبط بتطبيقات Ente الأخرى، إذا كنت تستخدم أيًا منها. سيتم جدولة بياناتك التي تم تحميلها، عبر جميع تطبيقات Ente، للحذف، وسيتم حذف حسابك نهائيًا."), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "أرسل بريدًا إلكترونيًا إلى account-deletion@ente.io من عنوان بريدك الإلكتروني المسجل."), - "deleteEmptyAlbums": - MessageLookupByLibrary.simpleMessage("حذف الألبومات الفارغة"), - "deleteEmptyAlbumsWithQuestionMark": - MessageLookupByLibrary.simpleMessage("حذف الألبومات الفارغة؟"), - "deleteFromBoth": - MessageLookupByLibrary.simpleMessage("الحذف من كليهما"), - "deleteFromDevice": - MessageLookupByLibrary.simpleMessage("الحذف من الجهاز"), - "deleteFromEnte": MessageLookupByLibrary.simpleMessage("حذف من Ente"), - "deleteItemCount": m21, - "deleteLocation": MessageLookupByLibrary.simpleMessage("حذف الموقع"), - "deleteMultipleAlbumDialog": m22, - "deletePhotos": MessageLookupByLibrary.simpleMessage("حذف الصور"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "تفتقر إلى مِيزة أساسية أحتاج إليها"), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "التطبيق أو مِيزة معينة لا تعمل كما هو متوقع"), - "deleteReason3": - MessageLookupByLibrary.simpleMessage("وجدت خدمة أخرى أفضل"), - "deleteReason4": MessageLookupByLibrary.simpleMessage("سببي غير مدرج"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "ستتم معالجة طلبك خلال 72 ساعة."), - "deleteSharedAlbum": - MessageLookupByLibrary.simpleMessage("حذف الألبوم المشترك؟"), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "سيتم حذف الألبوم للجميع.\n\nستفقد الوصول إلى الصور المشتركة في هذا الألبوم التي يملكها الآخرون."), - "deselectAll": MessageLookupByLibrary.simpleMessage("إلغاء تحديد الكل"), - "designedToOutlive": - MessageLookupByLibrary.simpleMessage("مصممة لتدوم"), - "details": MessageLookupByLibrary.simpleMessage("التفاصيل"), - "developerSettings": - MessageLookupByLibrary.simpleMessage("إعدادات المطور"), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "هل أنت متأكد من رغبتك في تعديل إعدادات المطور؟"), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage("أدخل الرمز"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "سيتم تحميل الملفات المضافة إلى ألبوم الجهاز هذا تلقائيًا إلى Ente."), - "deviceLock": MessageLookupByLibrary.simpleMessage("قفل الجهاز"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "عطّل قفل شاشة الجهاز عندما يكون Ente قيد التشغيل في المقدمة ويقوم بالنسخ الاحتياطي.\nهذا الإجراء غير مطلوب عادةً، لكنه قد يسرّع إكمال التحميلات الكبيرة أو الاستيرادات الأولية للمكتبات الضخمة."), - "deviceNotFound": - MessageLookupByLibrary.simpleMessage("لم يتم العثور على الجهاز"), - "didYouKnow": MessageLookupByLibrary.simpleMessage("هل تعلم؟"), - "disableAutoLock": - MessageLookupByLibrary.simpleMessage("تعطيل القفل التلقائي"), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "لا يزال بإمكان المشاهدين التقاط لقطات شاشة أو حفظ نسخة من صورك باستخدام أدوات خارجية"), - "disableDownloadWarningTitle": - MessageLookupByLibrary.simpleMessage("يرجى الملاحظة"), - "disableLinkMessage": m24, - "disableTwofactor": - MessageLookupByLibrary.simpleMessage("تعطيل المصادقة الثنائية"), - "disablingTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "جارٍ تعطيل المصادقة الثنائية..."), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("اكتشاف"), - "discover_babies": MessageLookupByLibrary.simpleMessage("الأطفال"), - "discover_celebrations": - MessageLookupByLibrary.simpleMessage("الاحتفالات"), - "discover_food": MessageLookupByLibrary.simpleMessage("الطعام"), - "discover_greenery": - MessageLookupByLibrary.simpleMessage("المساحات الخضراء"), - "discover_hills": MessageLookupByLibrary.simpleMessage("التلال"), - "discover_identity": MessageLookupByLibrary.simpleMessage("الهوية"), - "discover_memes": MessageLookupByLibrary.simpleMessage("الميمز"), - "discover_notes": MessageLookupByLibrary.simpleMessage("الملاحظات"), - "discover_pets": - MessageLookupByLibrary.simpleMessage("الحيوانات الأليفة"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("الإيصالات"), - "discover_screenshots": - MessageLookupByLibrary.simpleMessage("لقطات الشاشة"), - "discover_selfies": MessageLookupByLibrary.simpleMessage("صور السيلفي"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("غروب الشمس"), - "discover_visiting_cards": - MessageLookupByLibrary.simpleMessage("بطاقات الزيارة"), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage("الخلفيات"), - "dismiss": MessageLookupByLibrary.simpleMessage("تجاهل"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("كم"), - "doNotSignOut": - MessageLookupByLibrary.simpleMessage("عدم تسجيل الخروج"), - "doThisLater": MessageLookupByLibrary.simpleMessage("لاحقًا"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "هل تريد تجاهل التعديلات التي قمت بها؟"), - "done": MessageLookupByLibrary.simpleMessage("تم"), - "dontSave": MessageLookupByLibrary.simpleMessage("عدم الحفظ"), - "doubleYourStorage": MessageLookupByLibrary.simpleMessage( - "ضاعف مساحة التخزين الخاصة بك"), - "download": MessageLookupByLibrary.simpleMessage("تنزيل"), - "downloadFailed": MessageLookupByLibrary.simpleMessage("فشل التنزيل"), - "downloading": MessageLookupByLibrary.simpleMessage("جارٍ التنزيل..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("تعديل"), - "editEmailAlreadyLinked": m28, - "editLocation": MessageLookupByLibrary.simpleMessage("تعديل الموقع"), - "editLocationTagTitle": - MessageLookupByLibrary.simpleMessage("تعديل الموقع"), - "editPerson": MessageLookupByLibrary.simpleMessage("تعديل الشخص"), - "editTime": MessageLookupByLibrary.simpleMessage("تعديل الوقت"), - "editsSaved": MessageLookupByLibrary.simpleMessage("تم حفظ التعديلات."), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "ستكون التعديلات على الموقع مرئية فقط داخل Ente."), - "eligible": MessageLookupByLibrary.simpleMessage("مؤهل"), - "email": MessageLookupByLibrary.simpleMessage("البريد الإلكتروني"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "البريد الإلكتروني مُسجل من قبل."), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": - MessageLookupByLibrary.simpleMessage("البريد الإلكتروني غير مسجل."), - "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( - "تأكيد عنوان البريد الإلكتروني"), - "emailYourLogs": MessageLookupByLibrary.simpleMessage( - "إرسال سجلاتك عبر البريد الإلكتروني"), - "embracingThem": m32, - "emergencyContacts": - MessageLookupByLibrary.simpleMessage("جهات اتصال الطوارئ"), - "empty": MessageLookupByLibrary.simpleMessage("إفراغ"), - "emptyTrash": - MessageLookupByLibrary.simpleMessage("إفراغ سلة المهملات؟"), - "enable": MessageLookupByLibrary.simpleMessage("تمكين"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "يدعم Ente تعلم الآلة على الجهاز للتعرف على الوجوه والبحث السحري وميزات البحث المتقدم الأخرى."), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "قم بتمكين تعلم الآلة للبحث السحري والتعرف على الوجوه."), - "enableMaps": MessageLookupByLibrary.simpleMessage("تمكين الخرائط"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "سيؤدي هذا إلى عرض صورك على خريطة العالم.\n\nتستضيف هذه الخريطة OpenStreetMap، ولا تتم مشاركة المواقع الدقيقة لصورك أبدًا.\n\nيمكنك تعطيل هذه الميزة في أي وقت من الإعدادات."), - "enabled": MessageLookupByLibrary.simpleMessage("مُمكّن"), - "encryptingBackup": MessageLookupByLibrary.simpleMessage( - "جارٍ تشفير النسخة الاحتياطية..."), - "encryption": MessageLookupByLibrary.simpleMessage("التشفير"), - "encryptionKeys": - MessageLookupByLibrary.simpleMessage("مفاتيح التشفير"), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "تم تحديث نقطة النهاية بنجاح."), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "تشفير من طرف إلى طرف بشكل افتراضي"), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "يمكن لـ Ente تشفير وحفظ الملفات فقط إذا منحت الإذن بالوصول إليها"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente بحاجة إلى إذن لحفظ صورك"), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "يحفظ Ente ذكرياتك، بحيث تظل دائمًا متاحة لك حتى لو فقدت جهازك."), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "يمكنك أيضًا إضافة أفراد عائلتك إلى خطتك."), - "enterAlbumName": - MessageLookupByLibrary.simpleMessage("أدخل اسم الألبوم"), - "enterCode": MessageLookupByLibrary.simpleMessage("أدخل الرمز"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "أدخل الرمز المقدم من صديقك للمطالبة بمساحة تخزين مجانية لكما"), - "enterDateOfBirth": - MessageLookupByLibrary.simpleMessage("تاريخ الميلاد (اختياري)"), - "enterEmail": - MessageLookupByLibrary.simpleMessage("أدخل البريد الإلكتروني"), - "enterFileName": MessageLookupByLibrary.simpleMessage("أدخل اسم الملف"), - "enterName": MessageLookupByLibrary.simpleMessage("أدخل الاسم"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "أدخل كلمة مرور جديدة يمكننا استخدامها لتشفير بياناتك"), - "enterPassword": - MessageLookupByLibrary.simpleMessage("أدخل كلمة المرور"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "أدخل كلمة مرور يمكننا استخدامها لتشفير بياناتك"), - "enterPersonName": - MessageLookupByLibrary.simpleMessage("أدخل اسم الشخص"), - "enterPin": MessageLookupByLibrary.simpleMessage("أدخل رمز PIN"), - "enterReferralCode": - MessageLookupByLibrary.simpleMessage("أدخل رمز الإحالة"), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "أدخل الرمز المكون من 6 أرقام من\n تطبيق المصادقة الخاص بك"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "يرجى إدخال عنوان بريد إلكتروني صالح."), - "enterYourEmailAddress": - MessageLookupByLibrary.simpleMessage("أدخل عنوان بريدك الإلكتروني"), - "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( - "أدخل عنوان بريدك الإلكتروني الجديد"), - "enterYourPassword": - MessageLookupByLibrary.simpleMessage("أدخل كلمة المرور"), - "enterYourRecoveryKey": - MessageLookupByLibrary.simpleMessage("أدخل مفتاح الاسترداد"), - "error": MessageLookupByLibrary.simpleMessage("خطأ"), - "everywhere": MessageLookupByLibrary.simpleMessage("في كل مكان"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": MessageLookupByLibrary.simpleMessage("مستخدم حالي"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "انتهت صلاحية هذا الرابط. يرجى اختيار وقت انتهاء صلاحية جديد أو تعطيل انتهاء صلاحية الرابط."), - "exportLogs": MessageLookupByLibrary.simpleMessage("تصدير السجلات"), - "exportYourData": MessageLookupByLibrary.simpleMessage("تصدير بياناتك"), - "extraPhotosFound": - MessageLookupByLibrary.simpleMessage("تم العثور على صور إضافية"), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "لم يتم تجميع الوجه بعد، يرجى العودة لاحقًا"), - "faceRecognition": - MessageLookupByLibrary.simpleMessage("التعرف على الوجوه"), - "faces": MessageLookupByLibrary.simpleMessage("الوجوه"), - "failed": MessageLookupByLibrary.simpleMessage("فشل"), - "failedToApplyCode": - MessageLookupByLibrary.simpleMessage("فشل تطبيق الرمز"), - "failedToCancel": MessageLookupByLibrary.simpleMessage("فشل الإلغاء"), - "failedToDownloadVideo": - MessageLookupByLibrary.simpleMessage("فشل تنزيل الفيديو"), - "failedToFetchActiveSessions": - MessageLookupByLibrary.simpleMessage("فشل جلب الجلسات النشطة."), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "فشل جلب النسخة الأصلية للتعديل."), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "تعذر جلب تفاصيل الإحالة. يرجى المحاولة مرة أخرى لاحقًا."), - "failedToLoadAlbums": - MessageLookupByLibrary.simpleMessage("فشل تحميل الألبومات"), - "failedToPlayVideo": - MessageLookupByLibrary.simpleMessage("فشل تشغيل الفيديو."), - "failedToRefreshStripeSubscription": - MessageLookupByLibrary.simpleMessage("فشل تحديث الاشتراك."), - "failedToRenew": MessageLookupByLibrary.simpleMessage("فشل التجديد"), - "failedToVerifyPaymentStatus": - MessageLookupByLibrary.simpleMessage("فشل التحقق من حالة الدفع."), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "أضف 5 أفراد من عائلتك إلى خطتك الحالية دون دفع رسوم إضافية.\n\nيحصل كل فرد على مساحة خاصة به، ولا يمكنهم رؤية ملفات بعضهم البعض إلا إذا تمت مشاركتها.\n\nالخطط العائلية متاحة للعملاء الذين لديهم اشتراك Ente مدفوع.\n\nاشترك الآن للبدء!"), - "familyPlanPortalTitle": - MessageLookupByLibrary.simpleMessage("العائلة"), - "familyPlans": MessageLookupByLibrary.simpleMessage("الخطط العائلية"), - "faq": MessageLookupByLibrary.simpleMessage("الأسئلة الشائعة"), - "faqs": MessageLookupByLibrary.simpleMessage("الأسئلة الشائعة"), - "favorite": MessageLookupByLibrary.simpleMessage("المفضلة"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("ملاحظات"), - "file": MessageLookupByLibrary.simpleMessage("ملف"), - "fileFailedToSaveToGallery": - MessageLookupByLibrary.simpleMessage("فشل حفظ الملف في المعرض."), - "fileInfoAddDescHint": - MessageLookupByLibrary.simpleMessage("إضافة وصف..."), - "fileNotUploadedYet": - MessageLookupByLibrary.simpleMessage("لم يتم تحميل الملف بعد"), - "fileSavedToGallery": - MessageLookupByLibrary.simpleMessage("تم حفظ الملف في المعرض."), - "fileTypes": MessageLookupByLibrary.simpleMessage("أنواع الملفات"), - "fileTypesAndNames": - MessageLookupByLibrary.simpleMessage("أنواع وأسماء الملفات"), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage("تم حذف الملفات."), - "filesSavedToGallery": - MessageLookupByLibrary.simpleMessage("تم حفظ الملفات في المعرض."), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "البحث عن الأشخاص بسرعة بالاسم"), - "findThemQuickly": - MessageLookupByLibrary.simpleMessage("اعثر عليهم بسرعة"), - "flip": MessageLookupByLibrary.simpleMessage("قلب"), - "food": MessageLookupByLibrary.simpleMessage("متعة الطهي"), - "forYourMemories": MessageLookupByLibrary.simpleMessage("لذكرياتك"), - "forgotPassword": - MessageLookupByLibrary.simpleMessage("نسيت كلمة المرور"), - "foundFaces": - MessageLookupByLibrary.simpleMessage("الوجوه التي تم العثور عليها"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( - "تم المطالبة بمساحة التخزين المجانية"), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "مساحة تخزين مجانية متاحة للاستخدام"), - "freeTrial": MessageLookupByLibrary.simpleMessage("تجربة مجانية"), - "freeTrialValidTill": m38, - "freeUpAccessPostDelete": m39, - "freeUpAmount": m40, - "freeUpDeviceSpace": - MessageLookupByLibrary.simpleMessage("تحرير مساحة على الجهاز"), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "وفر مساحة على جهازك عن طريق مسح الملفات التي تم نسخها احتياطيًا."), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("تحرير المساحة"), - "freeUpSpaceSaving": m41, - "gallery": MessageLookupByLibrary.simpleMessage("المعرض"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "يتم عرض ما يصل إلى 1000 ذكرى في المعرض."), - "general": MessageLookupByLibrary.simpleMessage("عام"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "جارٍ إنشاء مفاتيح التشفير..."), - "genericProgress": m42, - "goToSettings": - MessageLookupByLibrary.simpleMessage("الانتقال إلى الإعدادات"), - "googlePlayId": - MessageLookupByLibrary.simpleMessage("معرّف Google Play"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "الرجاء السماح بالوصول إلى جميع الصور في تطبيق الإعدادات"), - "grantPermission": MessageLookupByLibrary.simpleMessage("منح الإذن"), - "greenery": MessageLookupByLibrary.simpleMessage("الحياة الخضراء"), - "groupNearbyPhotos": - MessageLookupByLibrary.simpleMessage("تجميع الصور القريبة"), - "guestView": MessageLookupByLibrary.simpleMessage("عرض الضيف"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "لتمكين عرض الضيف، يرجى إعداد رمز مرور الجهاز أو قفل الشاشة في إعدادات النظام."), - "happyBirthday": - MessageLookupByLibrary.simpleMessage("عيد ميلاد سعيد! 🥳"), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "نحن لا نتتبع عمليات تثبيت التطبيق. سيساعدنا إذا أخبرتنا أين وجدتنا!"), - "hearUsWhereTitle": - MessageLookupByLibrary.simpleMessage("كيف سمعت عن Ente؟ (اختياري)"), - "help": MessageLookupByLibrary.simpleMessage("المساعدة"), - "hidden": MessageLookupByLibrary.simpleMessage("المخفية"), - "hide": MessageLookupByLibrary.simpleMessage("إخفاء"), - "hideContent": MessageLookupByLibrary.simpleMessage("إخفاء المحتوى"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "يخفي محتوى التطبيق في مبدل التطبيقات ويعطل لقطات الشاشة."), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "يخفي محتوى التطبيق في مبدل التطبيقات."), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "إخفاء العناصر المشتركة من معرض الصفحة الرئيسية"), - "hiding": MessageLookupByLibrary.simpleMessage("جارٍ الإخفاء..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": - MessageLookupByLibrary.simpleMessage("مستضاف في OSM France"), - "howItWorks": MessageLookupByLibrary.simpleMessage("كيف يعمل"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "يرجى الطلب منهم الضغط مطولًا على عنوان بريدهم الإلكتروني في شاشة الإعدادات، والتأكد من تطابق المعرّفات على كلا الجهازين."), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "لم يتم إعداد المصادقة البيومترية على جهازك. يرجى تمكين Touch ID أو Face ID على هاتفك."), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "تم تعطيل المصادقة البيومترية. يرجى قفل شاشتك وفتحها لتمكينها."), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("موافق"), - "ignore": MessageLookupByLibrary.simpleMessage("تجاهل"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("تجاهل"), - "ignored": MessageLookupByLibrary.simpleMessage("تم التجاهل"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "تم تجاهل تحميل بعض الملفات في هذا الألبوم لأنه تم حذفها مسبقًا من Ente."), - "imageNotAnalyzed": - MessageLookupByLibrary.simpleMessage("لم يتم تحليل الصورة"), - "immediately": MessageLookupByLibrary.simpleMessage("فورًا"), - "importing": MessageLookupByLibrary.simpleMessage("جارٍ الاستيراد..."), - "incorrectCode": MessageLookupByLibrary.simpleMessage("رمز غير صحيح"), - "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("كلمة المرور غير صحيحة"), - "incorrectRecoveryKey": - MessageLookupByLibrary.simpleMessage("مفتاح الاسترداد غير صحيح."), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "مفتاح الاسترداد الذي أدخلته غير صحيح"), - "incorrectRecoveryKeyTitle": - MessageLookupByLibrary.simpleMessage("مفتاح الاسترداد غير صحيح"), - "indexedItems": - MessageLookupByLibrary.simpleMessage("العناصر المفهرسة"), - "ineligible": MessageLookupByLibrary.simpleMessage("غير مؤهل"), - "info": MessageLookupByLibrary.simpleMessage("معلومات"), - "insecureDevice": MessageLookupByLibrary.simpleMessage("جهاز غير آمن"), - "installManually": - MessageLookupByLibrary.simpleMessage("التثبيت يدويًا"), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "عنوان البريد الإلكتروني غير صالح"), - "invalidEndpoint": - MessageLookupByLibrary.simpleMessage("نقطة النهاية غير صالحة"), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "عذرًا، نقطة النهاية التي أدخلتها غير صالحة. يرجى إدخال نقطة نهاية صالحة والمحاولة مرة أخرى."), - "invalidKey": MessageLookupByLibrary.simpleMessage("المفتاح غير صالح"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "مفتاح الاسترداد الذي أدخلته غير صالح. يرجى التأكد من أنه يحتوي على 24 كلمة، والتحقق من كتابة كل كلمة بشكل صحيح.\n\nإذا كنت تستخدم مفتاح استرداد قديمًا، تأكد من أنه مكون من 64 حرفًا، وتحقق من صحة كل حرف."), - "invite": MessageLookupByLibrary.simpleMessage("دعوة"), - "inviteToEnte": MessageLookupByLibrary.simpleMessage("دعوة إلى Ente"), - "inviteYourFriends": - MessageLookupByLibrary.simpleMessage("ادعُ أصدقاءك"), - "inviteYourFriendsToEnte": - MessageLookupByLibrary.simpleMessage("ادعُ أصدقاءك إلى Ente"), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "يبدو أن خطأً ما قد حدث. يرجى المحاولة مرة أخرى بعد بعض الوقت. إذا استمر الخطأ، يرجى الاتصال بفريق الدعم لدينا."), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "تعرض العناصر عدد الأيام المتبقية قبل الحذف الدائم."), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "سيتم إزالة العناصر المحددة من هذا الألبوم."), - "join": MessageLookupByLibrary.simpleMessage("انضمام"), - "joinAlbum": - MessageLookupByLibrary.simpleMessage("الانضمام إلى الألبوم"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "الانضمام إلى ألبوم سيجعل بريدك الإلكتروني مرئيًا للمشاركين فيه."), - "joinAlbumSubtext": - MessageLookupByLibrary.simpleMessage("لعرض صورك وإضافتها"), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "لإضافة هذا إلى الألبومات المشتركة"), - "joinDiscord": - MessageLookupByLibrary.simpleMessage("الانضمام إلى Discord"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("الاحتفاظ بالصور"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("كم"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "يرجى مساعدتنا بهذه المعلومات"), - "language": MessageLookupByLibrary.simpleMessage("اللغة"), - "lastTimeWithThem": m45, - "lastUpdated": MessageLookupByLibrary.simpleMessage("آخر تحديث"), - "lastYearsTrip": - MessageLookupByLibrary.simpleMessage("رحلة العام الماضي"), - "leave": MessageLookupByLibrary.simpleMessage("مغادرة"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("مغادرة الألبوم"), - "leaveFamily": - MessageLookupByLibrary.simpleMessage("مغادرة خطة العائلة"), - "leaveSharedAlbum": - MessageLookupByLibrary.simpleMessage("مغادرة الألبوم المشترك؟"), - "left": MessageLookupByLibrary.simpleMessage("يسار"), - "legacy": MessageLookupByLibrary.simpleMessage("جهات الاتصال الموثوقة"), - "legacyAccounts": - MessageLookupByLibrary.simpleMessage("الحسابات الموثوقة"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "تسمح جهات الاتصال الموثوقة لأشخاص معينين بالوصول إلى حسابك في حالة غيابك."), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "يمكن لجهات الاتصال الموثوقة بدء استرداد الحساب، وإذا لم يتم حظر ذلك خلال 30 يومًا، يمكنهم إعادة تعيين كلمة المرور والوصول إلى حسابك."), - "light": MessageLookupByLibrary.simpleMessage("فاتح"), - "lightTheme": MessageLookupByLibrary.simpleMessage("فاتح"), - "link": MessageLookupByLibrary.simpleMessage("ربط"), - "linkCopiedToClipboard": - MessageLookupByLibrary.simpleMessage("تم نسخ الرابط إلى الحافظة."), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("حد الأجهزة"), - "linkEmail": - MessageLookupByLibrary.simpleMessage("ربط البريد الإلكتروني"), - "linkEmailToContactBannerCaption": - MessageLookupByLibrary.simpleMessage("لمشاركة أسرع"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("مفعّل"), - "linkExpired": MessageLookupByLibrary.simpleMessage("منتهي الصلاحية"), - "linkExpiresOn": m47, - "linkExpiry": - MessageLookupByLibrary.simpleMessage("انتهاء صلاحية الرابط"), - "linkHasExpired": - MessageLookupByLibrary.simpleMessage("انتهت صلاحية الرابط"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("أبدًا"), - "linkPerson": MessageLookupByLibrary.simpleMessage("ربط الشخص"), - "linkPersonCaption": - MessageLookupByLibrary.simpleMessage("لتجربة مشاركة أفضل"), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("الصور الحية"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "يمكنك مشاركة اشتراكك مع عائلتك."), - "loadMessage2": MessageLookupByLibrary.simpleMessage( - "لقد حفظنا أكثر من 200 مليون ذكرى حتى الآن"), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "نحتفظ بـ 3 نسخ من بياناتك، إحداها في ملجأ للطوارئ تحت الأرض."), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "جميع تطبيقاتنا مفتوحة المصدر."), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "تم تدقيق شفرتنا المصدرية والتشفير الخاص بنا خارجيًا."), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "يمكنك مشاركة روابط ألبوماتك مع أحبائك."), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "تعمل تطبيقات الهاتف المحمول الخاصة بنا في الخلفية لتشفير أي صور جديدة تلتقطها ونسخها احتياطيًا."), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io لديه أداة تحميل رائعة."), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "نستخدم XChaCha20-Poly1305 لتشفير بياناتك بأمان."), - "loadingExifData": - MessageLookupByLibrary.simpleMessage("جارٍ تحميل بيانات EXIF..."), - "loadingGallery": - MessageLookupByLibrary.simpleMessage("جارٍ تحميل المعرض..."), - "loadingMessage": - MessageLookupByLibrary.simpleMessage("جارٍ تحميل صورك..."), - "loadingModel": - MessageLookupByLibrary.simpleMessage("جارٍ تحميل النماذج..."), - "loadingYourPhotos": - MessageLookupByLibrary.simpleMessage("جارٍ تحميل صورك..."), - "localGallery": MessageLookupByLibrary.simpleMessage("المعرض المحلي"), - "localIndexing": - MessageLookupByLibrary.simpleMessage("الفهرسة المحلية"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "يبدو أن خطأً ما قد حدث لأن مزامنة الصور المحلية تستغرق وقتًا أطول من المتوقع. يرجى التواصل مع فريق الدعم لدينا."), - "location": MessageLookupByLibrary.simpleMessage("الموقع"), - "locationName": MessageLookupByLibrary.simpleMessage("اسم الموقع"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "تقوم علامة الموقع بتجميع جميع الصور التي تم التقاطها ضمن نصف قطر معين لصورة ما."), - "locations": MessageLookupByLibrary.simpleMessage("المواقع"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("قفل"), - "lockscreen": MessageLookupByLibrary.simpleMessage("شاشة القفل"), - "logInLabel": MessageLookupByLibrary.simpleMessage("تسجيل الدخول"), - "loggingOut": - MessageLookupByLibrary.simpleMessage("جارٍ تسجيل الخروج..."), - "loginSessionExpired": - MessageLookupByLibrary.simpleMessage("انتهت صلاحية الجلسة."), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "انتهت صلاحية جلستك. يرجى تسجيل الدخول مرة أخرى."), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "بالنقر على تسجيل الدخول، أوافق على شروط الخدمة و سياسة الخصوصية"), - "loginWithTOTP": - MessageLookupByLibrary.simpleMessage("تسجيل الدخول باستخدام TOTP"), - "logout": MessageLookupByLibrary.simpleMessage("تسجيل الخروج"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "سيؤدي هذا إلى إرسال السجلات لمساعدتنا في تصحيح مشكلتك. يرجى ملاحظة أنه سيتم تضمين أسماء الملفات للمساعدة في تتبع المشكلات المتعلقة بملفات معينة."), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "اضغط مطولاً على بريد إلكتروني للتحقق من التشفير من طرف إلى طرف."), - "longpressOnAnItemToViewInFullscreen": - MessageLookupByLibrary.simpleMessage( - "اضغط مطولاً على عنصر لعرضه في وضع ملء الشاشة."), - "loopVideoOff": - MessageLookupByLibrary.simpleMessage("إيقاف تكرار الفيديو"), - "loopVideoOn": - MessageLookupByLibrary.simpleMessage("تشغيل تكرار الفيديو"), - "lostDevice": MessageLookupByLibrary.simpleMessage("جهاز مفقود؟"), - "machineLearning": MessageLookupByLibrary.simpleMessage("تعلم الآلة"), - "magicSearch": MessageLookupByLibrary.simpleMessage("البحث السحري"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "يسمح البحث السحري بالبحث عن الصور حسب محتوياتها، مثل \'زهرة\'، \'سيارة حمراء\'، \'وثائق هوية\'"), - "manage": MessageLookupByLibrary.simpleMessage("إدارة"), - "manageDeviceStorage": - MessageLookupByLibrary.simpleMessage("إدارة مساحة تخزين الجهاز"), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "مراجعة ومسح ذاكرة التخزين المؤقت المحلية."), - "manageFamily": MessageLookupByLibrary.simpleMessage("إدارة العائلة"), - "manageLink": MessageLookupByLibrary.simpleMessage("إدارة الرابط"), - "manageParticipants": - MessageLookupByLibrary.simpleMessage("إدارة المشاركين"), - "manageSubscription": - MessageLookupByLibrary.simpleMessage("إدارة الاشتراك"), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "الإقران بالرمز السري يعمل مع أي شاشة ترغب في عرض ألبومك عليها."), - "map": MessageLookupByLibrary.simpleMessage("الخريطة"), - "maps": MessageLookupByLibrary.simpleMessage("الخرائط"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("أنا"), - "memories": MessageLookupByLibrary.simpleMessage("ذكريات"), - "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( - "اختر نوع الذكريات التي ترغب في رؤيتها على شاشتك الرئيسية."), - "memoryCount": m50, - "merchandise": - MessageLookupByLibrary.simpleMessage("المنتجات الترويجية"), - "merge": MessageLookupByLibrary.simpleMessage("دمج"), - "mergeWithExisting": - MessageLookupByLibrary.simpleMessage("الدمج مع شخص موجود"), - "mergedPhotos": MessageLookupByLibrary.simpleMessage("الصور المدمجة"), - "mlConsent": MessageLookupByLibrary.simpleMessage("تمكين تعلم الآلة"), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "أنا أفهم، وأرغب في تمكين تعلم الآلة"), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "إذا قمت بتمكين تعلم الآلة، سيقوم Ente باستخراج معلومات مثل هندسة الوجه من الملفات، بما في ذلك تلك التي تمت مشاركتها معك.\n\nسيحدث هذا على جهازك، وسيتم تشفير أي معلومات بيومترية تم إنشاؤها تشفيرًا تامًا من طرف إلى طرف."), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "يرجى النقر هنا لمزيد من التفاصيل حول هذه الميزة في سياسة الخصوصية الخاصة بنا"), - "mlConsentTitle": - MessageLookupByLibrary.simpleMessage("تمكين تعلم الآلة؟"), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "يرجى ملاحظة أن تعلم الآلة سيؤدي إلى استهلاك أعلى لعرض النطاق الترددي والبطارية حتى تتم فهرسة جميع العناصر.\nنوصي باستخدام تطبيق سطح المكتب لإجراء الفهرسة بشكل أسرع. سيتم مزامنة جميع النتائج تلقائيًا."), - "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( - "الهاتف المحمول، الويب، سطح المكتب"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("متوسطة"), - "modifyYourQueryOrTrySearchingFor": - MessageLookupByLibrary.simpleMessage( - "قم بتعديل استعلامك، أو حاول البحث عن"), - "moments": MessageLookupByLibrary.simpleMessage("اللحظات"), - "month": MessageLookupByLibrary.simpleMessage("شهر"), - "monthly": MessageLookupByLibrary.simpleMessage("شهريًا"), - "moon": MessageLookupByLibrary.simpleMessage("في ضوء القمر"), - "moreDetails": - MessageLookupByLibrary.simpleMessage("المزيد من التفاصيل"), - "mostRecent": MessageLookupByLibrary.simpleMessage("الأحدث"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("الأكثر صلة"), - "mountains": MessageLookupByLibrary.simpleMessage("فوق التلال"), - "moveItem": m51, - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "نقل الصور المحددة إلى تاريخ واحد"), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("نقل إلى ألبوم"), - "moveToHiddenAlbum": - MessageLookupByLibrary.simpleMessage("نقل إلى الألبوم المخفي"), - "movedSuccessfullyTo": m52, - "movedToTrash": - MessageLookupByLibrary.simpleMessage("تم النقل إلى سلة المهملات"), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "جارٍ نقل الملفات إلى الألبوم..."), - "name": MessageLookupByLibrary.simpleMessage("الاسم"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("تسمية الألبوم"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "تعذر الاتصال بـ Ente، يرجى المحاولة مرة أخرى بعد بعض الوقت. إذا استمر الخطأ، يرجى الاتصال بالدعم."), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "تعذر الاتصال بـ Ente، يرجى التحقق من إعدادات الشبكة والاتصال بالدعم إذا استمر الخطأ."), - "never": MessageLookupByLibrary.simpleMessage("أبدًا"), - "newAlbum": MessageLookupByLibrary.simpleMessage("ألبوم جديد"), - "newLocation": MessageLookupByLibrary.simpleMessage("موقع جديد"), - "newPerson": MessageLookupByLibrary.simpleMessage("شخص جديد"), - "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" جديد 📸"), - "newRange": MessageLookupByLibrary.simpleMessage("نطاق جديد"), - "newToEnte": MessageLookupByLibrary.simpleMessage("جديد في Ente"), - "newest": MessageLookupByLibrary.simpleMessage("الأحدث"), - "next": MessageLookupByLibrary.simpleMessage("التالي"), - "no": MessageLookupByLibrary.simpleMessage("لا"), - "noAlbumsSharedByYouYet": - MessageLookupByLibrary.simpleMessage("لم تشارك أي ألبومات بعد"), - "noDeviceFound": - MessageLookupByLibrary.simpleMessage("لم يتم العثور على جهاز."), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("لا شيء"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "لا توجد ملفات على هذا الجهاز يمكن حذفها"), - "noDuplicates": - MessageLookupByLibrary.simpleMessage("✨ لا توجد ملفات مكررة"), - "noEnteAccountExclamation": - MessageLookupByLibrary.simpleMessage("لا يوجد حساب Ente!"), - "noExifData": - MessageLookupByLibrary.simpleMessage("لا توجد بيانات EXIF"), - "noFacesFound": - MessageLookupByLibrary.simpleMessage("لم يتم العثور على وجوه"), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "لا توجد صور أو مقاطع فيديو مخفية"), - "noImagesWithLocation": - MessageLookupByLibrary.simpleMessage("لا توجد صور تحتوي على موقع"), - "noInternetConnection": - MessageLookupByLibrary.simpleMessage("لا يوجد اتصال بالإنترنت"), - "noPhotosAreBeingBackedUpRightNow": - MessageLookupByLibrary.simpleMessage( - "لا يتم نسخ أي صور احتياطيًا في الوقت الحالي"), - "noPhotosFoundHere": - MessageLookupByLibrary.simpleMessage("لم يتم العثور على صور هنا"), - "noQuickLinksSelected": - MessageLookupByLibrary.simpleMessage("لم يتم تحديد روابط سريعة."), - "noRecoveryKey": - MessageLookupByLibrary.simpleMessage("لا تملك مفتاح استرداد؟"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "نظرًا لطبيعة التشفير الكامل من طرف إلى طرف، لا يمكن فك تشفير بياناتك دون كلمة المرور أو مفتاح الاسترداد الخاص بك"), - "noResults": MessageLookupByLibrary.simpleMessage("لا توجد نتائج"), - "noResultsFound": - MessageLookupByLibrary.simpleMessage("لم يتم العثور على نتائج."), - "noSuggestionsForPerson": m53, - "noSystemLockFound": - MessageLookupByLibrary.simpleMessage("لم يتم العثور على قفل نظام."), - "notPersonLabel": m54, - "notThisPerson": MessageLookupByLibrary.simpleMessage("ليس هذا الشخص؟"), - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "لم تتم مشاركة أي شيء معك بعد"), - "nothingToSeeHere": - MessageLookupByLibrary.simpleMessage("لا يوجد شيء هنا! 👀"), - "notifications": MessageLookupByLibrary.simpleMessage("الإشعارات"), - "ok": MessageLookupByLibrary.simpleMessage("حسنًا"), - "onDevice": MessageLookupByLibrary.simpleMessage("على الجهاز"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "على Ente"), - "onTheRoad": - MessageLookupByLibrary.simpleMessage("على الطريق مرة أخرى"), - "onThisDay": MessageLookupByLibrary.simpleMessage("في هذا اليوم"), - "onThisDayNotificationExplanation": - MessageLookupByLibrary.simpleMessage( - "تلقي تذكيرات حول ذكريات مثل اليوم في السنوات السابقة."), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("هم فقط"), - "oops": MessageLookupByLibrary.simpleMessage("عفوًا"), - "oopsCouldNotSaveEdits": - MessageLookupByLibrary.simpleMessage("عفوًا، تعذر حفظ التعديلات."), - "oopsSomethingWentWrong": - MessageLookupByLibrary.simpleMessage("عفوًا، حدث خطأ ما"), - "openAlbumInBrowser": - MessageLookupByLibrary.simpleMessage("فتح الألبوم في المتصفح"), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "يرجى استخدام تطبيق الويب لإضافة صور إلى هذا الألبوم"), - "openFile": MessageLookupByLibrary.simpleMessage("فتح الملف"), - "openSettings": MessageLookupByLibrary.simpleMessage("فتح الإعدادات"), - "openTheItem": MessageLookupByLibrary.simpleMessage("• افتح العنصر"), - "openstreetmapContributors": - MessageLookupByLibrary.simpleMessage("مساهمو OpenStreetMap"), - "optionalAsShortAsYouLike": - MessageLookupByLibrary.simpleMessage("اختياري، قصير كما تشاء..."), - "orMergeWithExistingPerson": - MessageLookupByLibrary.simpleMessage("أو الدمج مع شخص موجود"), - "orPickAnExistingOne": - MessageLookupByLibrary.simpleMessage("أو اختر واحدًا موجودًا"), - "orPickFromYourContacts": - MessageLookupByLibrary.simpleMessage("أو اختر من جهات اتصالك"), - "otherDetectedFaces": - MessageLookupByLibrary.simpleMessage("وجوه أخرى تم اكتشافها"), - "pair": MessageLookupByLibrary.simpleMessage("إقران"), - "pairWithPin": - MessageLookupByLibrary.simpleMessage("الإقران بالرمز السري"), - "pairingComplete": - MessageLookupByLibrary.simpleMessage("اكتمل الإقران"), - "panorama": MessageLookupByLibrary.simpleMessage("بانوراما"), - "partyWithThem": m56, - "passKeyPendingVerification": - MessageLookupByLibrary.simpleMessage("التحقق لا يزال معلقًا."), - "passkey": MessageLookupByLibrary.simpleMessage("مفتاح المرور"), - "passkeyAuthTitle": - MessageLookupByLibrary.simpleMessage("التحقق من مفتاح المرور"), - "password": MessageLookupByLibrary.simpleMessage("كلمة المرور"), - "passwordChangedSuccessfully": - MessageLookupByLibrary.simpleMessage("تم تغيير كلمة المرور بنجاح"), - "passwordLock": MessageLookupByLibrary.simpleMessage("قفل بكلمة مرور"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "يتم حساب قوة كلمة المرور مع الأخذ في الاعتبار طول كلمة المرور، والأحرف المستخدمة، وما إذا كانت كلمة المرور تظهر في قائمة أفضل 10,000 كلمة مرور شائعة الاستخدام."), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "نحن لا نقوم بتخزين كلمة المرور هذه، لذا إذا نسيتها، لا يمكننا فك تشفير بياناتك"), - "paymentDetails": MessageLookupByLibrary.simpleMessage("تفاصيل الدفع"), - "paymentFailed": - MessageLookupByLibrary.simpleMessage("فشلت عملية الدفع"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "للأسف، فشلت عملية الدفع الخاصة بك. يرجى الاتصال بالدعم وسوف نساعدك!"), - "paymentFailedTalkToProvider": m58, - "pendingItems": MessageLookupByLibrary.simpleMessage("العناصر المعلقة"), - "pendingSync": MessageLookupByLibrary.simpleMessage("المزامنة المعلقة"), - "people": MessageLookupByLibrary.simpleMessage("الأشخاص"), - "peopleUsingYourCode": - MessageLookupByLibrary.simpleMessage("الأشخاص الذين يستخدمون رمزك"), - "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( - "حدد الأشخاص الذين ترغب في ظهورهم على شاشتك الرئيسية."), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "سيتم حذف جميع العناصر في سلة المهملات نهائيًا.\n\nلا يمكن التراجع عن هذا الإجراء."), - "permanentlyDelete": MessageLookupByLibrary.simpleMessage("حذف نهائي"), - "permanentlyDeleteFromDevice": - MessageLookupByLibrary.simpleMessage("حذف نهائي من الجهاز؟"), - "personIsAge": m59, - "personName": MessageLookupByLibrary.simpleMessage("اسم الشخص"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("رفاق فروي"), - "photoDescriptions": - MessageLookupByLibrary.simpleMessage("أوصاف الصور"), - "photoGridSize": MessageLookupByLibrary.simpleMessage("حجم شبكة الصور"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("صورة"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("الصور"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "ستتم إزالة الصور التي أضفتها من الألبوم."), - "photosCount": m62, - "photosKeepRelativeTimeDifference": - MessageLookupByLibrary.simpleMessage( - "تحتفظ الصور بالفرق الزمني النسبي"), - "pickCenterPoint": - MessageLookupByLibrary.simpleMessage("اختيار نقطة المركز"), - "pinAlbum": MessageLookupByLibrary.simpleMessage("تثبيت الألبوم"), - "pinLock": MessageLookupByLibrary.simpleMessage("قفل برمز PIN"), - "playOnTv": - MessageLookupByLibrary.simpleMessage("تشغيل الألبوم على التلفزيون"), - "playOriginal": MessageLookupByLibrary.simpleMessage("تشغيل الأصلي"), - "playStoreFreeTrialValidTill": m63, - "playStream": MessageLookupByLibrary.simpleMessage("تشغيل البث"), - "playstoreSubscription": - MessageLookupByLibrary.simpleMessage("اشتراك متجر Play"), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "يرجى التحقق من اتصال الإنترنت الخاص بك والمحاولة مرة أخرى."), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "يرجى التواصل مع support@ente.io وسنكون سعداء بمساعدتك!"), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "يرجى الاتصال بالدعم إذا استمرت المشكلة."), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": - MessageLookupByLibrary.simpleMessage("يرجى منح الأذونات"), - "pleaseLoginAgain": - MessageLookupByLibrary.simpleMessage("يرجى تسجيل الدخول مرة أخرى"), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "يرجى تحديد الروابط السريعة للإزالة."), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": - MessageLookupByLibrary.simpleMessage("يرجى المحاولة مرة أخرى"), - "pleaseVerifyTheCodeYouHaveEntered": - MessageLookupByLibrary.simpleMessage( - "يرجى التحقق من الرمز الذي أدخلته."), - "pleaseWait": MessageLookupByLibrary.simpleMessage("يرجى الانتظار..."), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "يرجى الانتظار، جارٍ حذف الألبوم"), - "pleaseWaitForSometimeBeforeRetrying": - MessageLookupByLibrary.simpleMessage( - "يرجى الانتظار لبعض الوقت قبل إعادة المحاولة"), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "يرجى الانتظار، قد يستغرق هذا بعض الوقت."), - "posingWithThem": m66, - "preparingLogs": - MessageLookupByLibrary.simpleMessage("جارٍ تحضير السجلات..."), - "preserveMore": MessageLookupByLibrary.simpleMessage("حفظ المزيد"), - "pressAndHoldToPlayVideo": - MessageLookupByLibrary.simpleMessage("اضغط مطولاً لتشغيل الفيديو"), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "اضغط مطولاً على الصورة لتشغيل الفيديو"), - "previous": MessageLookupByLibrary.simpleMessage("السابق"), - "privacy": MessageLookupByLibrary.simpleMessage("الخصوصية"), - "privacyPolicyTitle": - MessageLookupByLibrary.simpleMessage("سياسة الخصوصية"), - "privateBackups": - MessageLookupByLibrary.simpleMessage("نسخ احتياطية خاصة"), - "privateSharing": MessageLookupByLibrary.simpleMessage("مشاركة خاصة"), - "proceed": MessageLookupByLibrary.simpleMessage("متابعة"), - "processed": MessageLookupByLibrary.simpleMessage("تمت المعالجة"), - "processing": MessageLookupByLibrary.simpleMessage("المعالجة"), - "processingImport": m67, - "processingVideos": - MessageLookupByLibrary.simpleMessage("معالجة مقاطع الفيديو"), - "publicLinkCreated": - MessageLookupByLibrary.simpleMessage("تم إنشاء الرابط العام."), - "publicLinkEnabled": - MessageLookupByLibrary.simpleMessage("تمكين الرابط العام"), - "questionmark": MessageLookupByLibrary.simpleMessage("؟"), - "queued": MessageLookupByLibrary.simpleMessage("في قائمة الانتظار"), - "quickLinks": MessageLookupByLibrary.simpleMessage("روابط سريعة"), - "radius": MessageLookupByLibrary.simpleMessage("نصف القطر"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("فتح تذكرة دعم"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("تقييم التطبيق"), - "rateUs": MessageLookupByLibrary.simpleMessage("تقييم التطبيق"), - "rateUsOnStore": m68, - "reassignMe": - MessageLookupByLibrary.simpleMessage("إعادة تعيين \"أنا\""), - "reassignedToName": m69, - "reassigningLoading": - MessageLookupByLibrary.simpleMessage("جارٍ إعادة التعيين..."), - "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( - "استلم تذكيرات عندما يحين عيد ميلاد أحدهم. النقر على الإشعار سينقلك إلى صور الشخص المحتفل بعيد ميلاده."), - "recover": MessageLookupByLibrary.simpleMessage("استعادة"), - "recoverAccount": - MessageLookupByLibrary.simpleMessage("استعادة الحساب"), - "recoverButton": MessageLookupByLibrary.simpleMessage("استرداد"), - "recoveryAccount": - MessageLookupByLibrary.simpleMessage("استرداد الحساب"), - "recoveryInitiated": - MessageLookupByLibrary.simpleMessage("بدء الاسترداد"), - "recoveryInitiatedDesc": m70, - "recoveryKey": MessageLookupByLibrary.simpleMessage("مفتاح الاسترداد"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "تم نسخ مفتاح الاسترداد إلى الحافظة"), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "إذا نسيت كلمة المرور الخاصة بك، فإن الطريقة الوحيدة لاستعادة بياناتك هي باستخدام هذا المفتاح."), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "لا نحتفظ بنسخة من هذا المفتاح. يرجى حفظ المفتاح المكون من 24 كلمة في مكان آمن."), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "مفتاح الاسترداد الخاص بك صالح. شكرًا على التحقق.\n\nيرجى تذكر الاحتفاظ بنسخة احتياطية آمنة من مفتاح الاسترداد."), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "تم التحقق من مفتاح الاسترداد"), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "مفتاح الاسترداد هو الطريقة الوحيدة لاستعادة صورك إذا نسيت كلمة المرور. يمكنك العثور عليه في الإعدادات > الحساب.\n\nالرجاء إدخال مفتاح الاسترداد هنا للتحقق من أنك حفظته بشكل صحيح."), - "recoveryReady": m71, - "recoverySuccessful": - MessageLookupByLibrary.simpleMessage("تم الاسترداد بنجاح!"), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "جهة اتصال موثوقة تحاول الوصول إلى حسابك"), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "لا يمكن التحقق من كلمة المرور على جهازك الحالي، لكن يمكننا تعديلها لتعمل على جميع الأجهزة.\n\nسجّل الدخول باستخدام مفتاح الاسترداد، ثم أنشئ كلمة مرور جديدة (يمكنك اختيار نفس الكلمة السابقة إذا أردت)."), - "recreatePasswordTitle": - MessageLookupByLibrary.simpleMessage("إعادة إنشاء كلمة المرور"), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": - MessageLookupByLibrary.simpleMessage("إعادة إدخال كلمة المرور"), - "reenterPin": - MessageLookupByLibrary.simpleMessage("إعادة إدخال رمز PIN"), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "أحِل الأصدقاء وضاعف خطتك مرتين"), - "referralStep1": - MessageLookupByLibrary.simpleMessage("1. أعطِ هذا الرمز لأصدقائك"), - "referralStep2": - MessageLookupByLibrary.simpleMessage("2. يشتركون في خطة مدفوعة"), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("الإحالات"), - "referralsAreCurrentlyPaused": - MessageLookupByLibrary.simpleMessage("الإحالات متوقفة مؤقتًا"), - "rejectRecovery": MessageLookupByLibrary.simpleMessage("رفض الاسترداد"), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "تذكر أيضًا إفراغ \"المحذوفة مؤخرًا\" من \"الإعدادات\" -> \"التخزين\" لاستعادة المساحة المحررة"), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "تذكر أيضًا إفراغ \"سلة المهملات\" لاستعادة المساحة المحررة."), - "remoteImages": MessageLookupByLibrary.simpleMessage("الصور عن بعد"), - "remoteThumbnails": - MessageLookupByLibrary.simpleMessage("الصور المصغرة عن بعد"), - "remoteVideos": - MessageLookupByLibrary.simpleMessage("مقاطع الفيديو عن بعد"), - "remove": MessageLookupByLibrary.simpleMessage("إزالة"), - "removeDuplicates": - MessageLookupByLibrary.simpleMessage("إزالة النسخ المكررة"), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "مراجعة وإزالة الملفات المتطابقة تمامًا."), - "removeFromAlbum": - MessageLookupByLibrary.simpleMessage("إزالة من الألبوم"), - "removeFromAlbumTitle": - MessageLookupByLibrary.simpleMessage("إزالة من الألبوم؟"), - "removeFromFavorite": - MessageLookupByLibrary.simpleMessage("إزالة من المفضلة"), - "removeInvite": MessageLookupByLibrary.simpleMessage("إزالة الدعوة"), - "removeLink": MessageLookupByLibrary.simpleMessage("إزالة الرابط"), - "removeParticipant": - MessageLookupByLibrary.simpleMessage("إزالة المشارك"), - "removeParticipantBody": m74, - "removePersonLabel": - MessageLookupByLibrary.simpleMessage("إزالة تسمية الشخص"), - "removePublicLink": - MessageLookupByLibrary.simpleMessage("إزالة الرابط العام"), - "removePublicLinks": - MessageLookupByLibrary.simpleMessage("إزالة الروابط العامة"), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "بعض العناصر التي تزيلها تمت إضافتها بواسطة أشخاص آخرين، وستفقد الوصول إليها."), - "removeWithQuestionMark": - MessageLookupByLibrary.simpleMessage("إزالة؟"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "إزالة نفسك كجهة اتصال موثوقة"), - "removingFromFavorites": - MessageLookupByLibrary.simpleMessage("جارٍ الإزالة من المفضلة..."), - "rename": MessageLookupByLibrary.simpleMessage("إعادة تسمية"), - "renameAlbum": - MessageLookupByLibrary.simpleMessage("إعادة تسمية الألبوم"), - "renameFile": MessageLookupByLibrary.simpleMessage("إعادة تسمية الملف"), - "renewSubscription": - MessageLookupByLibrary.simpleMessage("تجديد الاشتراك"), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("الإبلاغ عن خطأ"), - "reportBug": MessageLookupByLibrary.simpleMessage("الإبلاغ عن خطأ"), - "resendEmail": MessageLookupByLibrary.simpleMessage( - "إعادة إرسال البريد الإلكتروني"), - "reset": MessageLookupByLibrary.simpleMessage("إعادة تعيين"), - "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( - "إعادة تعيين الملفات المتجاهلة"), - "resetPasswordTitle": - MessageLookupByLibrary.simpleMessage("إعادة تعيين كلمة المرور"), - "resetPerson": MessageLookupByLibrary.simpleMessage("إزالة"), - "resetToDefault": - MessageLookupByLibrary.simpleMessage("إعادة التعيين إلى الافتراضي"), - "restore": MessageLookupByLibrary.simpleMessage("استعادة"), - "restoreToAlbum": - MessageLookupByLibrary.simpleMessage("استعادة إلى الألبوم"), - "restoringFiles": - MessageLookupByLibrary.simpleMessage("جارٍ استعادة الملفات..."), - "resumableUploads": - MessageLookupByLibrary.simpleMessage("تحميلات قابلة للاستئناف"), - "retry": MessageLookupByLibrary.simpleMessage("إعادة المحاولة"), - "review": MessageLookupByLibrary.simpleMessage("مراجعة"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "يرجى مراجعة وحذف العناصر التي تعتقد أنها مكررة."), - "reviewSuggestions": - MessageLookupByLibrary.simpleMessage("مراجعة الاقتراحات"), - "right": MessageLookupByLibrary.simpleMessage("يمين"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("تدوير"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("تدوير لليسار"), - "rotateRight": MessageLookupByLibrary.simpleMessage("تدوير لليمين"), - "safelyStored": MessageLookupByLibrary.simpleMessage("مخزنة بأمان"), - "save": MessageLookupByLibrary.simpleMessage("حفظ"), - "saveAsAnotherPerson": - MessageLookupByLibrary.simpleMessage("حفظ كشخص آخر"), - "saveChangesBeforeLeavingQuestion": - MessageLookupByLibrary.simpleMessage("حفظ التغييرات قبل المغادرة؟"), - "saveCollage": MessageLookupByLibrary.simpleMessage("حفظ الكولاج"), - "saveCopy": MessageLookupByLibrary.simpleMessage("حفظ نسخة"), - "saveKey": MessageLookupByLibrary.simpleMessage("حفظ المفتاح"), - "savePerson": MessageLookupByLibrary.simpleMessage("حفظ الشخص"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "احفظ مفتاح الاسترداد إذا لم تكن قد فعلت ذلك"), - "saving": MessageLookupByLibrary.simpleMessage("جارٍ الحفظ..."), - "savingEdits": - MessageLookupByLibrary.simpleMessage("جارٍ حفظ التعديلات..."), - "scanCode": MessageLookupByLibrary.simpleMessage("مسح الرمز"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "امسح هذا الباركود باستخدام\nتطبيق المصادقة الخاص بك"), - "search": MessageLookupByLibrary.simpleMessage("بحث"), - "searchAlbumsEmptySection": - MessageLookupByLibrary.simpleMessage("الألبومات"), - "searchByAlbumNameHint": - MessageLookupByLibrary.simpleMessage("اسم الألبوم"), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• أسماء الألبومات (مثل \"الكاميرا\")\n• أنواع الملفات (مثل \"مقاطع الفيديو\"، \".gif\")\n• السنوات والأشهر (مثل \"2022\"، \"يناير\")\n• العطلات (مثل \"عيد الميلاد\")\n• أوصاف الصور (مثل \"#مرح\")"), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "أضف أوصافًا مثل \"#رحلة\" في معلومات الصورة للعثور عليها بسرعة هنا."), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "ابحث حسب تاريخ أو شهر أو سنة."), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "سيتم عرض الصور هنا بمجرد اكتمال المعالجة والمزامنة."), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "سيتم عرض الأشخاص هنا بمجرد الانتهاء من الفهرسة."), - "searchFileTypesAndNamesEmptySection": - MessageLookupByLibrary.simpleMessage("أنواع وأسماء الملفات"), - "searchHint1": - MessageLookupByLibrary.simpleMessage("بحث سريع على الجهاز"), - "searchHint2": - MessageLookupByLibrary.simpleMessage("تواريخ الصور، الأوصاف"), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "الألبومات، أسماء الملفات، والأنواع"), - "searchHint4": MessageLookupByLibrary.simpleMessage("الموقع"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "قريبًا: الوجوه والبحث السحري ✨"), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "تجميع الصور الملتقطة ضمن نصف قطر معين لصورة ما."), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "ادعُ الأشخاص، وسترى جميع الصور التي شاركوها هنا."), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "سيتم عرض الأشخاص هنا بمجرد اكتمال المعالجة والمزامنة."), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("الأمان"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "رؤية روابط الألبومات العامة في التطبيق"), - "selectALocation": MessageLookupByLibrary.simpleMessage("تحديد موقع"), - "selectALocationFirst": - MessageLookupByLibrary.simpleMessage("حدد موقعًا أولاً"), - "selectAlbum": MessageLookupByLibrary.simpleMessage("تحديد ألبوم"), - "selectAll": MessageLookupByLibrary.simpleMessage("تحديد الكل"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("الكل"), - "selectCoverPhoto": - MessageLookupByLibrary.simpleMessage("تحديد صورة الغلاف"), - "selectDate": MessageLookupByLibrary.simpleMessage("تحديد التاريخ"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "تحديد المجلدات للنسخ الاحتياطي"), - "selectItemsToAdd": - MessageLookupByLibrary.simpleMessage("تحديد العناصر للإضافة"), - "selectLanguage": MessageLookupByLibrary.simpleMessage("اختر اللغة"), - "selectMailApp": - MessageLookupByLibrary.simpleMessage("تحديد تطبيق البريد"), - "selectMorePhotos": - MessageLookupByLibrary.simpleMessage("تحديد المزيد من الصور"), - "selectOneDateAndTime": - MessageLookupByLibrary.simpleMessage("تحديد تاريخ ووقت واحد"), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "تحديد تاريخ ووقت واحد للجميع"), - "selectPersonToLink": - MessageLookupByLibrary.simpleMessage("تحديد الشخص للربط"), - "selectReason": MessageLookupByLibrary.simpleMessage("اختر سببًا"), - "selectStartOfRange": - MessageLookupByLibrary.simpleMessage("تحديد بداية النطاق"), - "selectTime": MessageLookupByLibrary.simpleMessage("تحديد الوقت"), - "selectYourFace": MessageLookupByLibrary.simpleMessage("حدد وجهك"), - "selectYourPlan": MessageLookupByLibrary.simpleMessage("اختر خطتك"), - "selectedAlbums": m79, - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "الملفات المحددة ليست موجودة على Ente."), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "سيتم تشفير المجلدات المحددة ونسخها احتياطيًا"), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "سيتم حذف العناصر المحددة من جميع الألبومات ونقلها إلى سلة المهملات."), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "سيتم إزالة العناصر المحددة من هذا الشخص، ولكن لن يتم حذفها من مكتبتك."), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("إرسال"), - "sendEmail": - MessageLookupByLibrary.simpleMessage("إرسال بريد إلكتروني"), - "sendInvite": MessageLookupByLibrary.simpleMessage("إرسال دعوة"), - "sendLink": MessageLookupByLibrary.simpleMessage("إرسال الرابط"), - "serverEndpoint": - MessageLookupByLibrary.simpleMessage("نقطة نهاية الخادم"), - "sessionExpired": - MessageLookupByLibrary.simpleMessage("انتهت صلاحية الجلسة"), - "sessionIdMismatch": - MessageLookupByLibrary.simpleMessage("عدم تطابق معرّف الجلسة"), - "setAPassword": MessageLookupByLibrary.simpleMessage("تعيين كلمة مرور"), - "setAs": MessageLookupByLibrary.simpleMessage("تعيين كـ"), - "setCover": MessageLookupByLibrary.simpleMessage("تعيين كغلاف"), - "setLabel": MessageLookupByLibrary.simpleMessage("تعيين"), - "setNewPassword": - MessageLookupByLibrary.simpleMessage("تعيين كلمة مرور جديدة"), - "setNewPin": MessageLookupByLibrary.simpleMessage("تعيين رمز PIN جديد"), - "setPasswordTitle": - MessageLookupByLibrary.simpleMessage("تعيين كلمة المرور"), - "setRadius": MessageLookupByLibrary.simpleMessage("تعيين نصف القطر"), - "setupComplete": MessageLookupByLibrary.simpleMessage("اكتمل الإعداد"), - "share": MessageLookupByLibrary.simpleMessage("مشاركة"), - "shareALink": MessageLookupByLibrary.simpleMessage("مشاركة رابط"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "افتح ألبومًا وانقر على زر المشاركة في الزاوية اليمنى العليا للمشاركة."), - "shareAnAlbumNow": - MessageLookupByLibrary.simpleMessage("شارك ألبومًا الآن"), - "shareLink": MessageLookupByLibrary.simpleMessage("مشاركة الرابط"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "شارك فقط مع الأشخاص الذين تريدهم."), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "قم بتنزيل تطبيق Ente حتى نتمكن من مشاركة الصور ومقاطع الفيديو بالجودة الأصلية بسهولة.\n\nhttps://ente.io"), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "المشاركة مع غير مستخدمي Ente"), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": - MessageLookupByLibrary.simpleMessage("شارك ألبومك الأول"), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "أنشئ ألبومات مشتركة وتعاونية مع مستخدمي Ente الآخرين، بما في ذلك المستخدمين ذوي الاشتراكات المجانية."), - "sharedByMe": - MessageLookupByLibrary.simpleMessage("تمت مشاركتها بواسطتي"), - "sharedByYou": - MessageLookupByLibrary.simpleMessage("تمت مشاركتها بواسطتك"), - "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( - "إشعارات الصور المشتركة الجديدة"), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "تلقّ إشعارات عندما يضيف شخص ما صورة إلى ألبوم مشترك أنت جزء منه."), - "sharedWith": m87, - "sharedWithMe": - MessageLookupByLibrary.simpleMessage("تمت مشاركتها معي"), - "sharedWithYou": - MessageLookupByLibrary.simpleMessage("تمت مشاركتها معك"), - "sharing": MessageLookupByLibrary.simpleMessage("جارٍ المشاركة..."), - "shiftDatesAndTime": - MessageLookupByLibrary.simpleMessage("تغيير التواريخ والوقت"), - "showLessFaces": MessageLookupByLibrary.simpleMessage("إظهار وجوه أقل"), - "showMemories": MessageLookupByLibrary.simpleMessage("عرض الذكريات"), - "showMoreFaces": - MessageLookupByLibrary.simpleMessage("إظهار المزيد من الوجوه"), - "showPerson": MessageLookupByLibrary.simpleMessage("إظهار الشخص"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "تسجيل الخروج من الأجهزة الأخرى"), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "إذا كنت تعتقد أن شخصًا ما قد يعرف كلمة مرورك، يمكنك إجبار جميع الأجهزة الأخرى التي تستخدم حسابك على تسجيل الخروج."), - "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( - "تسجيل الخروج من الأجهزة الأخرى"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "أوافق على شروط الخدمة وسياسة الخصوصية"), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "سيتم حذفه من جميع الألبومات."), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("تخط"), - "social": MessageLookupByLibrary.simpleMessage("التواصل الاجتماعي"), - "someItemsAreInBothEnteAndYourDevice": - MessageLookupByLibrary.simpleMessage( - "بعض العناصر موجودة في Ente وعلى جهازك."), - "someOfTheFilesYouAreTryingToDeleteAre": - MessageLookupByLibrary.simpleMessage( - "بعض الملفات التي تحاول حذفها متوفرة فقط على جهازك ولا يمكن استردادها إذا تم حذفها."), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "يجب أن يرى أي شخص يشارك ألبومات معك نفس معرّف التحقق على جهازه."), - "somethingWentWrong": - MessageLookupByLibrary.simpleMessage("حدث خطأ ما"), - "somethingWentWrongPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "حدث خطأ ما، يرجى المحاولة مرة أخرى"), - "sorry": MessageLookupByLibrary.simpleMessage("عفوًا"), - "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( - "عذرًا، لم نتمكن من عمل نسخة احتياطية لهذا الملف الآن، سنعيد المحاولة لاحقًا."), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "عذرًا، تعذرت الإضافة إلى المفضلة!"), - "sorryCouldNotRemoveFromFavorites": - MessageLookupByLibrary.simpleMessage( - "عذرًا، تعذرت الإزالة من المفضلة!"), - "sorryTheCodeYouveEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "عذرًا، الرمز الذي أدخلته غير صحيح."), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "عذرًا، لم نتمكن من إنشاء مفاتيح آمنة على هذا الجهاز.\n\nيرجى التسجيل من جهاز مختلف."), - "sort": MessageLookupByLibrary.simpleMessage("فرز"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("فرز حسب"), - "sortNewestFirst": MessageLookupByLibrary.simpleMessage("الأحدث أولاً"), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage("الأقدم أولاً"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ نجاح"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": - MessageLookupByLibrary.simpleMessage("تسليط الضوء عليك"), - "startAccountRecoveryTitle": - MessageLookupByLibrary.simpleMessage("بدء الاسترداد"), - "startBackup": - MessageLookupByLibrary.simpleMessage("بدء النسخ الاحتياطي"), - "status": MessageLookupByLibrary.simpleMessage("الحالة"), - "stopCastingBody": - MessageLookupByLibrary.simpleMessage("هل تريد إيقاف البث؟"), - "stopCastingTitle": MessageLookupByLibrary.simpleMessage("إيقاف البث"), - "storage": MessageLookupByLibrary.simpleMessage("التخزين"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("العائلة"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("أنت"), - "storageInGB": m93, - "storageLimitExceeded": - MessageLookupByLibrary.simpleMessage("تم تجاوز حد التخزين"), - "storageUsageInfo": m94, - "streamDetails": MessageLookupByLibrary.simpleMessage("تفاصيل البث"), - "strongStrength": MessageLookupByLibrary.simpleMessage("قوية"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("اشتراك"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "المشاركة متاحة فقط للاشتراكات المدفوعة النشطة."), - "subscription": MessageLookupByLibrary.simpleMessage("الاشتراك"), - "success": MessageLookupByLibrary.simpleMessage("تم بنجاح"), - "successfullyArchived": - MessageLookupByLibrary.simpleMessage("تمت الأرشفة بنجاح."), - "successfullyHid": - MessageLookupByLibrary.simpleMessage("تم الإخفاء بنجاح."), - "successfullyUnarchived": - MessageLookupByLibrary.simpleMessage("تم إلغاء الأرشفة بنجاح."), - "successfullyUnhid": - MessageLookupByLibrary.simpleMessage("تم الإظهار بنجاح."), - "suggestFeatures": MessageLookupByLibrary.simpleMessage("اقتراح ميزة"), - "sunrise": MessageLookupByLibrary.simpleMessage("على الأفق"), - "support": MessageLookupByLibrary.simpleMessage("الدعم"), - "syncProgress": m97, - "syncStopped": MessageLookupByLibrary.simpleMessage("توقفت المزامنة"), - "syncing": MessageLookupByLibrary.simpleMessage("جارٍ المزامنة..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("النظام"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("انقر للنسخ"), - "tapToEnterCode": - MessageLookupByLibrary.simpleMessage("انقر لإدخال الرمز"), - "tapToUnlock": MessageLookupByLibrary.simpleMessage("انقر لفتح القفل"), - "tapToUpload": MessageLookupByLibrary.simpleMessage("انقر للتحميل"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "يبدو أن خطأً ما قد حدث. يرجى المحاولة مرة أخرى بعد بعض الوقت. إذا استمر الخطأ، يرجى الاتصال بفريق الدعم لدينا."), - "terminate": MessageLookupByLibrary.simpleMessage("إنهاء"), - "terminateSession": - MessageLookupByLibrary.simpleMessage("إنهاء الجَلسةِ؟"), - "terms": MessageLookupByLibrary.simpleMessage("الشروط"), - "termsOfServicesTitle": - MessageLookupByLibrary.simpleMessage("شروط الخدمة"), - "thankYou": MessageLookupByLibrary.simpleMessage("شكرًا لك"), - "thankYouForSubscribing": - MessageLookupByLibrary.simpleMessage("شكرًا لاشتراكك!"), - "theDownloadCouldNotBeCompleted": - MessageLookupByLibrary.simpleMessage("تعذر إكمال التنزيل"), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "انتهت صلاحية الرابط الذي تحاول الوصول إليه."), - "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "لن تظهر مجموعات الأشخاص في قسم الأشخاص بعد الآن. ستظل الصور دون تغيير."), - "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "لن يتم عرض هذا الشخص في قسم الأشخاص بعد الآن. الصور ستبقى كما هي دون تغيير."), - "theRecoveryKeyYouEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "مفتاح الاسترداد الذي أدخلته غير صحيح."), - "theme": MessageLookupByLibrary.simpleMessage("المظهر"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "سيتم حذف هذه العناصر من جهازك."), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "سيتم حذفها من جميع الألبومات."), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "لا يمكن التراجع عن هذا الإجراء."), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "هذا الألبوم لديه رابط تعاوني بالفعل."), - "thisCanBeUsedToRecoverYourAccountIfYou": - MessageLookupByLibrary.simpleMessage( - "يمكن استخدام هذا المفتاح لاستعادة حسابك إذا فقدت العامل الثاني للمصادقة"), - "thisDevice": MessageLookupByLibrary.simpleMessage("هذا الجهاز"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "هذا البريد الإلكتروني مستخدم بالفعل."), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "لا تحتوي هذه الصورة على بيانات EXIF."), - "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("هذا أنا!"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "هذا هو معرّف التحقق الخاص بك"), - "thisWeekThroughTheYears": - MessageLookupByLibrary.simpleMessage("هذا الأسبوع عبر السنين"), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "سيؤدي هذا إلى تسجيل خروجك من الجهاز التالي:"), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "سيؤدي هذا إلى تسجيل خروجك من هذا الجهاز!"), - "thisWillMakeTheDateAndTimeOfAllSelected": - MessageLookupByLibrary.simpleMessage( - "سيجعل هذا تاريخ ووقت جميع الصور المحددة متماثلاً."), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "سيؤدي هذا إلى إزالة الروابط العامة لجميع الروابط السريعة المحددة."), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "لتمكين قفل التطبيق، يرجى إعداد رمز مرور الجهاز أو قفل الشاشة في إعدادات النظام."), - "toHideAPhotoOrVideo": - MessageLookupByLibrary.simpleMessage("لإخفاء صورة أو مقطع فيديو:"), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "لإعادة تعيين كلمة المرور، يرجى التحقق من بريدك الإلكتروني أولاً."), - "todaysLogs": MessageLookupByLibrary.simpleMessage("سجلات اليوم"), - "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( - "محاولات غير صحيحة كثيرة جدًا."), - "total": MessageLookupByLibrary.simpleMessage("المجموع"), - "totalSize": MessageLookupByLibrary.simpleMessage("الحجم الإجمالي"), - "trash": MessageLookupByLibrary.simpleMessage("سلة المهملات"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("قص"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": - MessageLookupByLibrary.simpleMessage("جهات الاتصال الموثوقة"), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("المحاولة مرة أخرى"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "قم بتشغيل النسخ الاحتياطي لتحميل الملفات المضافة إلى مجلد الجهاز هذا تلقائيًا إلى Ente."), - "twitter": MessageLookupByLibrary.simpleMessage("X (Twitter سابقًا)"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "شهرين مجانيين على الخطط السنوية."), - "twofactor": MessageLookupByLibrary.simpleMessage("المصادقة الثنائية"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage("تم تعطيل المصادقة الثنائية."), - "twofactorAuthenticationPageTitle": - MessageLookupByLibrary.simpleMessage("المصادقة الثنائية"), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "تمت إعادة تعيين المصادقة الثنائية بنجاح."), - "twofactorSetup": - MessageLookupByLibrary.simpleMessage("إعداد المصادقة الثنائية"), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("إلغاء الأرشفة"), - "unarchiveAlbum": - MessageLookupByLibrary.simpleMessage("إلغاء أرشفة الألبوم"), - "unarchiving": - MessageLookupByLibrary.simpleMessage("جارٍ إلغاء الأرشفة..."), - "unavailableReferralCode": - MessageLookupByLibrary.simpleMessage("عذرًا، هذا الرمز غير متوفر."), - "uncategorized": MessageLookupByLibrary.simpleMessage("غير مصنف"), - "unhide": MessageLookupByLibrary.simpleMessage("إظهار"), - "unhideToAlbum": - MessageLookupByLibrary.simpleMessage("إظهار في الألبوم"), - "unhiding": MessageLookupByLibrary.simpleMessage("جارٍ إظهار..."), - "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "جارٍ إظهار الملفات في الألبوم..."), - "unlock": MessageLookupByLibrary.simpleMessage("فتح"), - "unpinAlbum": - MessageLookupByLibrary.simpleMessage("إلغاء تثبيت الألبوم"), - "unselectAll": MessageLookupByLibrary.simpleMessage("إلغاء تحديد الكل"), - "update": MessageLookupByLibrary.simpleMessage("تحديث"), - "updateAvailable": MessageLookupByLibrary.simpleMessage("يتوفر تحديث"), - "updatingFolderSelection": - MessageLookupByLibrary.simpleMessage("جارٍ تحديث تحديد المجلد..."), - "upgrade": MessageLookupByLibrary.simpleMessage("ترقية"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "جارٍ تحميل الملفات إلى الألبوم..."), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": - MessageLookupByLibrary.simpleMessage("جارٍ حفظ ذكرى واحدة..."), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "خصم يصل إلى 50%، حتى 4 ديسمبر."), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "مساحة التخزين القابلة للاستخدام مقيدة بخطتك الحالية.\nالمساحة التخزينية الزائدة التي تمت المطالبة بها ستصبح قابلة للاستخدام تلقائيًا عند ترقية خطتك."), - "useAsCover": MessageLookupByLibrary.simpleMessage("استخدام كغلاف"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "هل تواجه مشكلة في تشغيل هذا الفيديو؟ اضغط مطولاً هنا لتجربة مشغل مختلف."), - "usePublicLinksForPeopleNotOnEnte": - MessageLookupByLibrary.simpleMessage( - "استخدم الروابط العامة للأشخاص غير المسجلين في Ente."), - "useRecoveryKey": - MessageLookupByLibrary.simpleMessage("استخدام مفتاح الاسترداد"), - "useSelectedPhoto": - MessageLookupByLibrary.simpleMessage("استخدام الصورة المحددة"), - "usedSpace": MessageLookupByLibrary.simpleMessage("المساحة المستخدمة"), - "validTill": m110, - "verificationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "فشل التحقق، يرجى المحاولة مرة أخرى."), - "verificationId": MessageLookupByLibrary.simpleMessage("معرّف التحقق"), - "verify": MessageLookupByLibrary.simpleMessage("التحقق"), - "verifyEmail": - MessageLookupByLibrary.simpleMessage("التحقق من البريد الإلكتروني"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("تحقق"), - "verifyPasskey": - MessageLookupByLibrary.simpleMessage("التحقق من مفتاح المرور"), - "verifyPassword": - MessageLookupByLibrary.simpleMessage("التحقق من كلمة المرور"), - "verifying": MessageLookupByLibrary.simpleMessage("جارٍ التحقق..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "جارٍ التحقق من مفتاح الاسترداد..."), - "videoInfo": MessageLookupByLibrary.simpleMessage("معلومات الفيديو"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("فيديو"), - "videoStreaming": - MessageLookupByLibrary.simpleMessage("مقاطع فيديو قابلة للبث"), - "videos": MessageLookupByLibrary.simpleMessage("مقاطع الفيديو"), - "viewActiveSessions": - MessageLookupByLibrary.simpleMessage("عرض الجلسات النشطة"), - "viewAddOnButton": MessageLookupByLibrary.simpleMessage("عرض الإضافات"), - "viewAll": MessageLookupByLibrary.simpleMessage("عرض الكل"), - "viewAllExifData": - MessageLookupByLibrary.simpleMessage("عرض جميع بيانات EXIF"), - "viewLargeFiles": - MessageLookupByLibrary.simpleMessage("الملفات الكبيرة"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "عرض الملفات التي تستهلك أكبر قدر من مساحة التخزين."), - "viewLogs": MessageLookupByLibrary.simpleMessage("عرض السجلات"), - "viewPersonToUnlink": m112, - "viewRecoveryKey": - MessageLookupByLibrary.simpleMessage("عرض مفتاح الاسترداد"), - "viewer": MessageLookupByLibrary.simpleMessage("مشاهد"), - "viewersSuccessfullyAdded": m113, - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "يرجى زيارة web.ente.io لإدارة اشتراكك."), - "waitingForVerification": - MessageLookupByLibrary.simpleMessage("في انتظار التحقق..."), - "waitingForWifi": - MessageLookupByLibrary.simpleMessage("في انتظار شبكة Wi-Fi..."), - "warning": MessageLookupByLibrary.simpleMessage("تحذير"), - "weAreOpenSource": - MessageLookupByLibrary.simpleMessage("نحن مفتوحو المصدر!"), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "لا ندعم تعديل الصور والألبومات التي لا تملكها بعد."), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("ضعيفة"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("أهلاً بعودتك!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("ما الجديد"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "يمكن لجهة الاتصال الموثوقة المساعدة في استعادة بياناتك."), - "widgets": MessageLookupByLibrary.simpleMessage("عناصر واجهة"), - "wishThemAHappyBirthday": m115, - "yearShort": MessageLookupByLibrary.simpleMessage("سنة"), - "yearly": MessageLookupByLibrary.simpleMessage("سنويًا"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("نعم"), - "yesCancel": MessageLookupByLibrary.simpleMessage("نعم، إلغاء"), - "yesConvertToViewer": - MessageLookupByLibrary.simpleMessage("نعم، التحويل إلى مشاهد"), - "yesDelete": MessageLookupByLibrary.simpleMessage("نعم، حذف"), - "yesDiscardChanges": - MessageLookupByLibrary.simpleMessage("نعم، تجاهل التغييرات"), - "yesIgnore": MessageLookupByLibrary.simpleMessage("نعم، تجاهل"), - "yesLogout": MessageLookupByLibrary.simpleMessage("نعم، تسجيل الخروج"), - "yesRemove": MessageLookupByLibrary.simpleMessage("نعم، إزالة"), - "yesRenew": MessageLookupByLibrary.simpleMessage("نعم، تجديد"), - "yesResetPerson": - MessageLookupByLibrary.simpleMessage("نعم، إعادة تعيين الشخص"), - "you": MessageLookupByLibrary.simpleMessage("أنت"), - "youAndThem": m117, - "youAreOnAFamilyPlan": - MessageLookupByLibrary.simpleMessage("أنت مشترك في خطة عائلية!"), - "youAreOnTheLatestVersion": - MessageLookupByLibrary.simpleMessage("أنت تستخدم أحدث إصدار."), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* يمكنك مضاعفة مساحة التخزين الخاصة بك بحد أقصى"), - "youCanManageYourLinksInTheShareTab": - MessageLookupByLibrary.simpleMessage( - "يمكنك إدارة روابطك في علامة تبويب المشاركة."), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "يمكنك محاولة البحث عن استعلام مختلف."), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "لا يمكنك الترقية إلى هذه الخطة."), - "youCannotShareWithYourself": - MessageLookupByLibrary.simpleMessage("لا يمكنك المشاركة مع نفسك."), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "لا توجد لديك أي عناصر مؤرشفة."), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": - MessageLookupByLibrary.simpleMessage("تم حذف حسابك بنجاح"), - "yourMap": MessageLookupByLibrary.simpleMessage("خريطتك"), - "yourPlanWasSuccessfullyDowngraded": - MessageLookupByLibrary.simpleMessage("تم تخفيض خطتك بنجاح."), - "yourPlanWasSuccessfullyUpgraded": - MessageLookupByLibrary.simpleMessage("تمت ترقية خطتك بنجاح."), - "yourPurchaseWasSuccessful": - MessageLookupByLibrary.simpleMessage("تم الشراء بنجاح."), - "yourStorageDetailsCouldNotBeFetched": - MessageLookupByLibrary.simpleMessage( - "تعذر جلب تفاصيل التخزين الخاصة بك."), - "yourSubscriptionHasExpired": - MessageLookupByLibrary.simpleMessage("انتهت صلاحية اشتراكك"), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage("تم تحديث اشتراكك بنجاح."), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "انتهت صلاحية رمز التحقق الخاص بك."), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage( - "لا توجد لديك أي ملفات مكررة يمكن مسحها"), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "لا توجد لديك ملفات في هذا الألبوم يمكن حذفها."), - "zoomOutToSeePhotos": - MessageLookupByLibrary.simpleMessage("قم بالتصغير لرؤية الصور") - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "يتوفر إصدار جديد من Ente.", + ), + "about": MessageLookupByLibrary.simpleMessage("حول التطبيق"), + "acceptTrustInvite": MessageLookupByLibrary.simpleMessage("قبول الدعوة"), + "account": MessageLookupByLibrary.simpleMessage("الحساب"), + "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( + "الحساب تم تكوينه بالفعل.", + ), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage("أهلاً بعودتك!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "أدرك أنني إذا فقدت كلمة المرور، فقد أفقد بياناتي لأنها مشفرة بالكامل من طرف إلى طرف.", + ), + "actionNotSupportedOnFavouritesAlbum": MessageLookupByLibrary.simpleMessage( + "الإجراء غير مدعوم في ألبوم المفضلة", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage("الجلسات النشطة"), + "add": MessageLookupByLibrary.simpleMessage("إضافة"), + "addAName": MessageLookupByLibrary.simpleMessage("إضافة اسم"), + "addANewEmail": MessageLookupByLibrary.simpleMessage( + "إضافة بريد إلكتروني جديد", + ), + "addCollaborator": MessageLookupByLibrary.simpleMessage("إضافة متعاون"), + "addCollaborators": m1, + "addFiles": MessageLookupByLibrary.simpleMessage("إضافة ملفات"), + "addFromDevice": MessageLookupByLibrary.simpleMessage("إضافة من الجهاز"), + "addItem": m2, + "addLocation": MessageLookupByLibrary.simpleMessage("إضافة موقع"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("إضافة"), + "addMore": MessageLookupByLibrary.simpleMessage("إضافة المزيد"), + "addName": MessageLookupByLibrary.simpleMessage("إضافة اسم"), + "addNameOrMerge": MessageLookupByLibrary.simpleMessage("إضافة اسم أو دمج"), + "addNew": MessageLookupByLibrary.simpleMessage("إضافة جديد"), + "addNewPerson": MessageLookupByLibrary.simpleMessage("إضافة شخص جديد"), + "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( + "تفاصيل الإضافات", + ), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("الإضافات"), + "addParticipants": MessageLookupByLibrary.simpleMessage("إضافة مشاركين"), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "أضف عنصر واجهة الأشخاص إلى شاشتك الرئيسية ثم عد إلى هنا لتخصيصه.", + ), + "addPhotos": MessageLookupByLibrary.simpleMessage("إضافة صور"), + "addSelected": MessageLookupByLibrary.simpleMessage("إضافة المحدد"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("إضافة إلى الألبوم"), + "addToEnte": MessageLookupByLibrary.simpleMessage("إضافة إلى Ente"), + "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "إضافة إلى الألبوم المخفي", + ), + "addTrustedContact": MessageLookupByLibrary.simpleMessage( + "إضافة جهة اتصال موثوقة", + ), + "addViewer": MessageLookupByLibrary.simpleMessage("إضافة مشاهد"), + "addViewers": m4, + "addYourPhotosNow": MessageLookupByLibrary.simpleMessage("أضف صورك الآن"), + "addedAs": MessageLookupByLibrary.simpleMessage("تمت الإضافة كـ"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": MessageLookupByLibrary.simpleMessage( + "جارٍ الإضافة إلى المفضلة...", + ), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("متقدم"), + "advancedSettings": MessageLookupByLibrary.simpleMessage( + "الإعدادات المتقدمة", + ), + "after1Day": MessageLookupByLibrary.simpleMessage("بعد يوم"), + "after1Hour": MessageLookupByLibrary.simpleMessage("بعد ساعة"), + "after1Month": MessageLookupByLibrary.simpleMessage("بعد شهر"), + "after1Week": MessageLookupByLibrary.simpleMessage("بعد أسبوع"), + "after1Year": MessageLookupByLibrary.simpleMessage("بعد سنة"), + "albumOwner": MessageLookupByLibrary.simpleMessage("المالك"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("عنوان الألبوم"), + "albumUpdated": MessageLookupByLibrary.simpleMessage("تم تحديث الألبوم"), + "albums": MessageLookupByLibrary.simpleMessage("الألبومات"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "حدد الألبومات التي تريد ظهورها على شاشتك الرئيسية.", + ), + "allClear": MessageLookupByLibrary.simpleMessage("✨ كل شيء واضح"), + "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( + "تم حفظ جميع الذكريات", + ), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "سيتم إعادة تعيين جميع تجمعات هذا الشخص، وستفقد جميع الاقتراحات المقدمة لهذا الشخص.", + ), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "سيتم دمج جميع المجموعات غير المسماة مع الشخص المحدد. يمكن التراجع عن هذا الإجراء لاحقًا من خلال نظرة عامة على سجل الاقتراحات التابع لهذا الشخص.", + ), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "هذه هي الأولى في المجموعة. سيتم تغيير تواريخ الصور المحددة الأخرى تلقائيًا بناءً على هذا التاريخ الجديد.", + ), + "allow": MessageLookupByLibrary.simpleMessage("السماح"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "السماح للأشخاص الذين لديهم الرابط بإضافة صور إلى الألبوم المشترك أيضًا.", + ), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( + "السماح بإضافة الصور", + ), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "السماح للتطبيق بفتح روابط الألبومات المشتركة", + ), + "allowDownloads": MessageLookupByLibrary.simpleMessage("السماح بالتنزيلات"), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "السماح للأشخاص بإضافة الصور", + ), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "يرجى السماح بالوصول إلى صورك من الإعدادات حتى يتمكن Ente من عرض نسختك الاحتياطية ومكتبتك.", + ), + "allowPermTitle": MessageLookupByLibrary.simpleMessage( + "السماح بالوصول إلى الصور", + ), + "androidBiometricHint": MessageLookupByLibrary.simpleMessage( + "تحقق من الهوية", + ), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "لم يتم التعرف. حاول مرة أخرى.", + ), + "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( + "المصادقة البيومترية مطلوبة", + ), + "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("نجاح"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("إلغاء"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage("بيانات اعتماد الجهاز مطلوبة"), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage("بيانات اعتماد الجهاز مطلوبة"), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "لم يتم إعداد المصادقة البيومترية على جهازك. انتقل إلى \'الإعدادات > الأمان\' لإضافة المصادقة البيومترية.", + ), + "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( + "أندرويد، iOS، الويب، سطح المكتب", + ), + "androidSignInTitle": MessageLookupByLibrary.simpleMessage( + "المصادقة مطلوبة", + ), + "appIcon": MessageLookupByLibrary.simpleMessage("أيقونة التطبيق"), + "appLock": MessageLookupByLibrary.simpleMessage("قفل التطبيق"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "اختر بين شاشة القفل الافتراضية لجهازك وشاشة قفل مخصصة برمز PIN أو كلمة مرور.", + ), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("معرّف Apple"), + "apply": MessageLookupByLibrary.simpleMessage("تطبيق"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("تطبيق الرمز"), + "appstoreSubscription": MessageLookupByLibrary.simpleMessage( + "اشتراك متجر App Store", + ), + "archive": MessageLookupByLibrary.simpleMessage("الأرشيف"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("أرشفة الألبوم"), + "archiving": MessageLookupByLibrary.simpleMessage("جارٍ الأرشفة..."), + "areThey": MessageLookupByLibrary.simpleMessage("هل هم "), + "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( + "هل أنت متأكد من رغبتك في إزالة هذا الوجه من هذا الشخص؟", + ), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "هل أنت متأكد من رغبتك في مغادرة الخطة العائلية؟", + ), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "هل أنت متأكد من رغبتك في الإلغاء؟", + ), + "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( + "هل أنت متأكد من رغبتك في تغيير خطتك؟", + ), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "هل أنت متأكد من رغبتك في الخروج؟", + ), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "هل أنت متأكد من رغبتك في تسجيل الخروج؟", + ), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "هل أنت متأكد من رغبتك في دمجهم؟", + ), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "هل أنت متأكد من رغبتك في التجديد؟", + ), + "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( + "هل أنت متأكد من رغبتك في إعادة تعيين هذا الشخص؟", + ), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "تم إلغاء اشتراكك. هل ترغب في مشاركة السبب؟", + ), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "ما السبب الرئيس لحذف حسابك؟", + ), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "اطلب من أحبائك المشاركة", + ), + "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( + "في ملجأ للطوارئ", + ), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "يرجى المصادقة لتغيير إعداد التحقق من البريد الإلكتروني", + ), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "يرجى المصادقة لتغيير إعدادات شاشة القفل.", + ), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "يرجى المصادقة لتغيير بريدك الإلكتروني", + ), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "يرجى المصادقة لتغيير كلمة المرور الخاصة بك", + ), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "يرجى المصادقة لإعداد المصادقة الثنائية.", + ), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "يرجى المصادقة لبدء عملية حذف الحساب", + ), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "يرجى المصادقة لإدارة جهات الاتصال الموثوقة الخاصة بك.", + ), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "يرجى المصادقة لعرض مفتاح المرور الخاص بك.", + ), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "يرجى المصادقة لعرض ملفاتك المحذوفة", + ), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "يرجى المصادقة لعرض جلساتك النشطة.", + ), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "يرجى المصادقة للوصول إلى ملفاتك المخفية", + ), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "يرجى المصادقة لعرض ذكرياتك.", + ), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "يرجى المصادقة لعرض مفتاح الاسترداد الخاص بك.", + ), + "authenticating": MessageLookupByLibrary.simpleMessage("جارٍ المصادقة..."), + "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "فشلت المصادقة، يرجى المحاولة مرة أخرى.", + ), + "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( + "تمت المصادقة بنجاح!", + ), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "سترى أجهزة Cast المتاحة هنا.", + ), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "تأكد من تشغيل أذونات الشبكة المحلية لتطبيق Ente Photos في الإعدادات.", + ), + "autoLock": MessageLookupByLibrary.simpleMessage("قفل تلقائي"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "الوقت الذي يتم بعده قفل التطبيق بعد وضعه في الخلفية.", + ), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "بسبب خلل تقني، تم تسجيل خروجك. نعتذر عن الإزعاج.", + ), + "autoPair": MessageLookupByLibrary.simpleMessage("إقران تلقائي"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "الإقران التلقائي يعمل فقط مع الأجهزة التي تدعم Chromecast.", + ), + "available": MessageLookupByLibrary.simpleMessage("متوفر"), + "availableStorageSpace": m10, + "backedUpFolders": MessageLookupByLibrary.simpleMessage( + "المجلدات المنسوخة احتياطيًا", + ), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("النسخ الاحتياطي"), + "backupFailed": MessageLookupByLibrary.simpleMessage("فشل النسخ الاحتياطي"), + "backupFile": MessageLookupByLibrary.simpleMessage("نسخ احتياطي للملف"), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "النسخ الاحتياطي عبر بيانات الجوال", + ), + "backupSettings": MessageLookupByLibrary.simpleMessage( + "إعدادات النسخ الاحتياطي", + ), + "backupStatus": MessageLookupByLibrary.simpleMessage( + "حالة النسخ الاحتياطي", + ), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "ستظهر العناصر التي تم نسخها احتياطيًا هنا", + ), + "backupVideos": MessageLookupByLibrary.simpleMessage( + "النسخ الاحتياطي لمقاطع الفيديو", + ), + "beach": MessageLookupByLibrary.simpleMessage("رمال وبحر"), + "birthday": MessageLookupByLibrary.simpleMessage("تاريخ الميلاد"), + "birthdays": MessageLookupByLibrary.simpleMessage("أعياد الميلاد"), + "blackFridaySale": MessageLookupByLibrary.simpleMessage( + "تخفيضات الجمعة السوداء", + ), + "blog": MessageLookupByLibrary.simpleMessage("المدونة"), + "cachedData": MessageLookupByLibrary.simpleMessage("البيانات المؤقتة"), + "calculating": MessageLookupByLibrary.simpleMessage("جارٍ الحساب..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "عذرًا، لا يمكن فتح هذا الألبوم في التطبيق.", + ), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( + "لا يمكن فتح هذا الألبوم", + ), + "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( + "لا يمكن التحميل إلى ألبومات يملكها آخرون.", + ), + "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "يمكن إنشاء رابط للملفات التي تملكها فقط.", + ), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "يمكنك فقط إزالة الملفات التي تملكها.", + ), + "cancel": MessageLookupByLibrary.simpleMessage("إلغاء"), + "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( + "إلغاء استرداد الحساب", + ), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "هل أنت متأكد من رغبتك في إلغاء الاسترداد؟", + ), + "cancelOtherSubscription": m12, + "cancelSubscription": MessageLookupByLibrary.simpleMessage( + "إلغاء الاشتراك", + ), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "لا يمكن حذف الملفات المشتركة", + ), + "castAlbum": MessageLookupByLibrary.simpleMessage("بث الألبوم"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "يرجى التأكد من أنك متصل بنفس الشبكة المتصل بها التلفزيون.", + ), + "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( + "فشل بث الألبوم", + ), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "قم بزيارة cast.ente.io على الجهاز الذي تريد إقرانه.\n\nأدخل الرمز أدناه لتشغيل الألبوم على تلفزيونك.", + ), + "centerPoint": MessageLookupByLibrary.simpleMessage("نقطة المركز"), + "change": MessageLookupByLibrary.simpleMessage("تغيير"), + "changeEmail": MessageLookupByLibrary.simpleMessage( + "تغيير البريد الإلكتروني", + ), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "تغيير موقع العناصر المحددة؟", + ), + "changePassword": MessageLookupByLibrary.simpleMessage("تغيير كلمة المرور"), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage( + "تغيير كلمة المرور", + ), + "changePermissions": MessageLookupByLibrary.simpleMessage("تغيير الإذن؟"), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "تغيير رمز الإحالة الخاص بك", + ), + "checkForUpdates": MessageLookupByLibrary.simpleMessage( + "التحقق من وجود تحديثات", + ), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "تحقق من صندوق الوارد ومجلد البريد غير الهام (Spam) لإكمال التحقق", + ), + "checkStatus": MessageLookupByLibrary.simpleMessage("التحقق من الحالة"), + "checking": MessageLookupByLibrary.simpleMessage("جارٍ التحقق..."), + "checkingModels": MessageLookupByLibrary.simpleMessage( + "جارٍ فحص النماذج...", + ), + "city": MessageLookupByLibrary.simpleMessage("في المدينة"), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage( + "المطالبة بمساحة تخزين مجانية", + ), + "claimMore": MessageLookupByLibrary.simpleMessage("المطالبة بالمزيد!"), + "claimed": MessageLookupByLibrary.simpleMessage("تم الحصول عليها"), + "claimedStorageSoFar": m14, + "cleanUncategorized": MessageLookupByLibrary.simpleMessage( + "تنظيف غير المصنف", + ), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "إزالة جميع الملفات من قسم \'غير مصنف\' الموجودة في ألبومات أخرى.", + ), + "clearCaches": MessageLookupByLibrary.simpleMessage( + "مسح ذاكرة التخزين المؤقت", + ), + "clearIndexes": MessageLookupByLibrary.simpleMessage("مسح الفهارس"), + "click": MessageLookupByLibrary.simpleMessage("• انقر على"), + "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( + "• انقر على قائمة الخيارات الإضافية", + ), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "انقر لتثبيت أفضل إصدار لنا حتى الآن", + ), + "close": MessageLookupByLibrary.simpleMessage("إغلاق"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( + "التجميع حسب وقت الالتقاط", + ), + "clubByFileName": MessageLookupByLibrary.simpleMessage( + "التجميع حسب اسم الملف", + ), + "clusteringProgress": MessageLookupByLibrary.simpleMessage("تقدم التجميع"), + "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( + "تم تطبيق الرمز", + ), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "عذرًا، لقد تجاوزت الحد المسموح به لتعديلات الرمز.", + ), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "تم نسخ الرمز إلى الحافظة", + ), + "codeUsedByYou": MessageLookupByLibrary.simpleMessage( + "الرمز المستخدم من قبلك", + ), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "أنشئ رابطًا يسمح للأشخاص بإضافة الصور ومشاهدتها في ألبومك المشترك دون الحاجة إلى تطبيق أو حساب Ente. خيار مثالي لجمع صور الفعاليات بسهولة.", + ), + "collaborativeLink": MessageLookupByLibrary.simpleMessage("رابط تعاوني"), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("متعاون"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "يمكن للمتعاونين إضافة الصور ومقاطع الفيديو إلى الألبوم المشترك.", + ), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("التخطيط"), + "collageSaved": MessageLookupByLibrary.simpleMessage( + "تم حفظ الكولاج في المعرض.", + ), + "collect": MessageLookupByLibrary.simpleMessage("جمع"), + "collectEventPhotos": MessageLookupByLibrary.simpleMessage( + "جمع صور الفعالية", + ), + "collectPhotos": MessageLookupByLibrary.simpleMessage("جمع الصور"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "أنشئ رابطًا يمكن لأصدقائك من خلاله تحميل الصور بالجودة الأصلية.", + ), + "color": MessageLookupByLibrary.simpleMessage("اللون"), + "configuration": MessageLookupByLibrary.simpleMessage("التكوين"), + "confirm": MessageLookupByLibrary.simpleMessage("تأكيد"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "هل أنت متأكد من رغبتك في تعطيل المصادقة الثنائية؟", + ), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "تأكيد حذف الحساب", + ), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "نعم، أرغب في حذف هذا الحساب وبياناته نهائيًا من جميع التطبيقات.", + ), + "confirmPassword": MessageLookupByLibrary.simpleMessage( + "تأكيد كلمة المرور", + ), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage( + "تأكيد تغيير الخطة", + ), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "تأكيد مفتاح الاسترداد", + ), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "تأكيد مفتاح الاسترداد الخاص بك", + ), + "connectToDevice": MessageLookupByLibrary.simpleMessage("الاتصال بالجهاز"), + "contactFamilyAdmin": m18, + "contactSupport": MessageLookupByLibrary.simpleMessage("الاتصال بالدعم"), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("جهات الاتصال"), + "contents": MessageLookupByLibrary.simpleMessage("المحتويات"), + "continueLabel": MessageLookupByLibrary.simpleMessage("متابعة"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "الاستمرار في التجربة المجانية", + ), + "convertToAlbum": MessageLookupByLibrary.simpleMessage("تحويل إلى ألبوم"), + "copyEmailAddress": MessageLookupByLibrary.simpleMessage( + "نسخ عنوان البريد الإلكتروني", + ), + "copyLink": MessageLookupByLibrary.simpleMessage("نسخ الرابط"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "انسخ هذا الرمز وألصقه\n في تطبيق المصادقة الخاص بك", + ), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "لم نتمكن من نسخ بياناتك احتياطيًا.\nسنحاول مرة أخرى لاحقًا.", + ), + "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( + "تعذر تحرير المساحة.", + ), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "تعذر تحديث الاشتراك.", + ), + "count": MessageLookupByLibrary.simpleMessage("العدد"), + "crashReporting": MessageLookupByLibrary.simpleMessage( + "الإبلاغ عن الأعطال", + ), + "create": MessageLookupByLibrary.simpleMessage("إنشاء"), + "createAccount": MessageLookupByLibrary.simpleMessage("إنشاء حساب"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "اضغط مطولاً لتحديد الصور ثم انقر على \'+\' لإنشاء ألبوم", + ), + "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( + "إنشاء رابط تعاوني", + ), + "createCollage": MessageLookupByLibrary.simpleMessage("إنشاء كولاج"), + "createNewAccount": MessageLookupByLibrary.simpleMessage("إنشاء حساب جديد"), + "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( + "إنشاء أو تحديد ألبوم", + ), + "createPublicLink": MessageLookupByLibrary.simpleMessage("إنشاء رابط عام"), + "creatingLink": MessageLookupByLibrary.simpleMessage( + "جارٍ إنشاء الرابط...", + ), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "يتوفر تحديث حرج", + ), + "crop": MessageLookupByLibrary.simpleMessage("اقتصاص"), + "curatedMemories": MessageLookupByLibrary.simpleMessage("ذكريات منسقة"), + "currentUsageIs": MessageLookupByLibrary.simpleMessage( + "استخدامك الحالي هو ", + ), + "currentlyRunning": MessageLookupByLibrary.simpleMessage( + "قيد التشغيل حاليًا", + ), + "custom": MessageLookupByLibrary.simpleMessage("مخصص"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("داكن"), + "dayToday": MessageLookupByLibrary.simpleMessage("اليوم"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("الأمس"), + "declineTrustInvite": MessageLookupByLibrary.simpleMessage("رفض الدعوة"), + "decrypting": MessageLookupByLibrary.simpleMessage("جارٍ فك التشفير..."), + "decryptingVideo": MessageLookupByLibrary.simpleMessage( + "جارٍ فك تشفير الفيديو...", + ), + "deduplicateFiles": MessageLookupByLibrary.simpleMessage( + "إزالة الملفات المكررة", + ), + "delete": MessageLookupByLibrary.simpleMessage("حذف"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("حذف الحساب"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "نأسف لمغادرتك. نرجو مشاركة ملاحظاتك لمساعدتنا على التحسين.", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "حذف الحساب نهائيًا", + ), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("حذف الألبوم"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "هل ترغب أيضًا في حذف الصور (ومقاطع الفيديو) الموجودة في هذا الألبوم من جميع الألبومات الأخرى التي هي جزء منها؟", + ), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "سيؤدي هذا إلى حذف جميع الألبومات الفارغة. هذا مفيد عندما تريد تقليل الفوضى في قائمة ألبوماتك.", + ), + "deleteAll": MessageLookupByLibrary.simpleMessage("حذف الكل"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "هذا الحساب مرتبط بتطبيقات Ente الأخرى، إذا كنت تستخدم أيًا منها. سيتم جدولة بياناتك التي تم تحميلها، عبر جميع تطبيقات Ente، للحذف، وسيتم حذف حسابك نهائيًا.", + ), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "أرسل بريدًا إلكترونيًا إلى account-deletion@ente.io من عنوان بريدك الإلكتروني المسجل.", + ), + "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( + "حذف الألبومات الفارغة", + ), + "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( + "حذف الألبومات الفارغة؟", + ), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage("الحذف من كليهما"), + "deleteFromDevice": MessageLookupByLibrary.simpleMessage("الحذف من الجهاز"), + "deleteFromEnte": MessageLookupByLibrary.simpleMessage("حذف من Ente"), + "deleteItemCount": m21, + "deleteLocation": MessageLookupByLibrary.simpleMessage("حذف الموقع"), + "deleteMultipleAlbumDialog": m22, + "deletePhotos": MessageLookupByLibrary.simpleMessage("حذف الصور"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "تفتقر إلى مِيزة أساسية أحتاج إليها", + ), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "التطبيق أو مِيزة معينة لا تعمل كما هو متوقع", + ), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "وجدت خدمة أخرى أفضل", + ), + "deleteReason4": MessageLookupByLibrary.simpleMessage("سببي غير مدرج"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "ستتم معالجة طلبك خلال 72 ساعة.", + ), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "حذف الألبوم المشترك؟", + ), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "سيتم حذف الألبوم للجميع.\n\nستفقد الوصول إلى الصور المشتركة في هذا الألبوم التي يملكها الآخرون.", + ), + "deselectAll": MessageLookupByLibrary.simpleMessage("إلغاء تحديد الكل"), + "designedToOutlive": MessageLookupByLibrary.simpleMessage("مصممة لتدوم"), + "details": MessageLookupByLibrary.simpleMessage("التفاصيل"), + "developerSettings": MessageLookupByLibrary.simpleMessage("إعدادات المطور"), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "هل أنت متأكد من رغبتك في تعديل إعدادات المطور؟", + ), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage("أدخل الرمز"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "سيتم تحميل الملفات المضافة إلى ألبوم الجهاز هذا تلقائيًا إلى Ente.", + ), + "deviceLock": MessageLookupByLibrary.simpleMessage("قفل الجهاز"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "عطّل قفل شاشة الجهاز عندما يكون Ente قيد التشغيل في المقدمة ويقوم بالنسخ الاحتياطي.\nهذا الإجراء غير مطلوب عادةً، لكنه قد يسرّع إكمال التحميلات الكبيرة أو الاستيرادات الأولية للمكتبات الضخمة.", + ), + "deviceNotFound": MessageLookupByLibrary.simpleMessage( + "لم يتم العثور على الجهاز", + ), + "didYouKnow": MessageLookupByLibrary.simpleMessage("هل تعلم؟"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage( + "تعطيل القفل التلقائي", + ), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "لا يزال بإمكان المشاهدين التقاط لقطات شاشة أو حفظ نسخة من صورك باستخدام أدوات خارجية", + ), + "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( + "يرجى الملاحظة", + ), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "تعطيل المصادقة الثنائية", + ), + "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( + "جارٍ تعطيل المصادقة الثنائية...", + ), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("اكتشاف"), + "discover_babies": MessageLookupByLibrary.simpleMessage("الأطفال"), + "discover_celebrations": MessageLookupByLibrary.simpleMessage("الاحتفالات"), + "discover_food": MessageLookupByLibrary.simpleMessage("الطعام"), + "discover_greenery": MessageLookupByLibrary.simpleMessage( + "المساحات الخضراء", + ), + "discover_hills": MessageLookupByLibrary.simpleMessage("التلال"), + "discover_identity": MessageLookupByLibrary.simpleMessage("الهوية"), + "discover_memes": MessageLookupByLibrary.simpleMessage("الميمز"), + "discover_notes": MessageLookupByLibrary.simpleMessage("الملاحظات"), + "discover_pets": MessageLookupByLibrary.simpleMessage("الحيوانات الأليفة"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("الإيصالات"), + "discover_screenshots": MessageLookupByLibrary.simpleMessage( + "لقطات الشاشة", + ), + "discover_selfies": MessageLookupByLibrary.simpleMessage("صور السيلفي"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("غروب الشمس"), + "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( + "بطاقات الزيارة", + ), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage("الخلفيات"), + "dismiss": MessageLookupByLibrary.simpleMessage("تجاهل"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("كم"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage("عدم تسجيل الخروج"), + "doThisLater": MessageLookupByLibrary.simpleMessage("لاحقًا"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "هل تريد تجاهل التعديلات التي قمت بها؟", + ), + "done": MessageLookupByLibrary.simpleMessage("تم"), + "dontSave": MessageLookupByLibrary.simpleMessage("عدم الحفظ"), + "doubleYourStorage": MessageLookupByLibrary.simpleMessage( + "ضاعف مساحة التخزين الخاصة بك", + ), + "download": MessageLookupByLibrary.simpleMessage("تنزيل"), + "downloadFailed": MessageLookupByLibrary.simpleMessage("فشل التنزيل"), + "downloading": MessageLookupByLibrary.simpleMessage("جارٍ التنزيل..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("تعديل"), + "editEmailAlreadyLinked": m28, + "editLocation": MessageLookupByLibrary.simpleMessage("تعديل الموقع"), + "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( + "تعديل الموقع", + ), + "editPerson": MessageLookupByLibrary.simpleMessage("تعديل الشخص"), + "editTime": MessageLookupByLibrary.simpleMessage("تعديل الوقت"), + "editsSaved": MessageLookupByLibrary.simpleMessage("تم حفظ التعديلات."), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "ستكون التعديلات على الموقع مرئية فقط داخل Ente.", + ), + "eligible": MessageLookupByLibrary.simpleMessage("مؤهل"), + "email": MessageLookupByLibrary.simpleMessage("البريد الإلكتروني"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "البريد الإلكتروني مُسجل من قبل.", + ), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "البريد الإلكتروني غير مسجل.", + ), + "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( + "تأكيد عنوان البريد الإلكتروني", + ), + "emailYourLogs": MessageLookupByLibrary.simpleMessage( + "إرسال سجلاتك عبر البريد الإلكتروني", + ), + "embracingThem": m32, + "emergencyContacts": MessageLookupByLibrary.simpleMessage( + "جهات اتصال الطوارئ", + ), + "empty": MessageLookupByLibrary.simpleMessage("إفراغ"), + "emptyTrash": MessageLookupByLibrary.simpleMessage("إفراغ سلة المهملات؟"), + "enable": MessageLookupByLibrary.simpleMessage("تمكين"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "يدعم Ente تعلم الآلة على الجهاز للتعرف على الوجوه والبحث السحري وميزات البحث المتقدم الأخرى.", + ), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "قم بتمكين تعلم الآلة للبحث السحري والتعرف على الوجوه.", + ), + "enableMaps": MessageLookupByLibrary.simpleMessage("تمكين الخرائط"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "سيؤدي هذا إلى عرض صورك على خريطة العالم.\n\nتستضيف هذه الخريطة OpenStreetMap، ولا تتم مشاركة المواقع الدقيقة لصورك أبدًا.\n\nيمكنك تعطيل هذه الميزة في أي وقت من الإعدادات.", + ), + "enabled": MessageLookupByLibrary.simpleMessage("مُمكّن"), + "encryptingBackup": MessageLookupByLibrary.simpleMessage( + "جارٍ تشفير النسخة الاحتياطية...", + ), + "encryption": MessageLookupByLibrary.simpleMessage("التشفير"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage("مفاتيح التشفير"), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "تم تحديث نقطة النهاية بنجاح.", + ), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "تشفير من طرف إلى طرف بشكل افتراضي", + ), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "يمكن لـ Ente تشفير وحفظ الملفات فقط إذا منحت الإذن بالوصول إليها", + ), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente بحاجة إلى إذن لحفظ صورك", + ), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "يحفظ Ente ذكرياتك، بحيث تظل دائمًا متاحة لك حتى لو فقدت جهازك.", + ), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "يمكنك أيضًا إضافة أفراد عائلتك إلى خطتك.", + ), + "enterAlbumName": MessageLookupByLibrary.simpleMessage("أدخل اسم الألبوم"), + "enterCode": MessageLookupByLibrary.simpleMessage("أدخل الرمز"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "أدخل الرمز المقدم من صديقك للمطالبة بمساحة تخزين مجانية لكما", + ), + "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( + "تاريخ الميلاد (اختياري)", + ), + "enterEmail": MessageLookupByLibrary.simpleMessage( + "أدخل البريد الإلكتروني", + ), + "enterFileName": MessageLookupByLibrary.simpleMessage("أدخل اسم الملف"), + "enterName": MessageLookupByLibrary.simpleMessage("أدخل الاسم"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "أدخل كلمة مرور جديدة يمكننا استخدامها لتشفير بياناتك", + ), + "enterPassword": MessageLookupByLibrary.simpleMessage("أدخل كلمة المرور"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "أدخل كلمة مرور يمكننا استخدامها لتشفير بياناتك", + ), + "enterPersonName": MessageLookupByLibrary.simpleMessage("أدخل اسم الشخص"), + "enterPin": MessageLookupByLibrary.simpleMessage("أدخل رمز PIN"), + "enterReferralCode": MessageLookupByLibrary.simpleMessage( + "أدخل رمز الإحالة", + ), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "أدخل الرمز المكون من 6 أرقام من\n تطبيق المصادقة الخاص بك", + ), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "يرجى إدخال عنوان بريد إلكتروني صالح.", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "أدخل عنوان بريدك الإلكتروني", + ), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "أدخل عنوان بريدك الإلكتروني الجديد", + ), + "enterYourPassword": MessageLookupByLibrary.simpleMessage( + "أدخل كلمة المرور", + ), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "أدخل مفتاح الاسترداد", + ), + "error": MessageLookupByLibrary.simpleMessage("خطأ"), + "everywhere": MessageLookupByLibrary.simpleMessage("في كل مكان"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": MessageLookupByLibrary.simpleMessage("مستخدم حالي"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "انتهت صلاحية هذا الرابط. يرجى اختيار وقت انتهاء صلاحية جديد أو تعطيل انتهاء صلاحية الرابط.", + ), + "exportLogs": MessageLookupByLibrary.simpleMessage("تصدير السجلات"), + "exportYourData": MessageLookupByLibrary.simpleMessage("تصدير بياناتك"), + "extraPhotosFound": MessageLookupByLibrary.simpleMessage( + "تم العثور على صور إضافية", + ), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "لم يتم تجميع الوجه بعد، يرجى العودة لاحقًا", + ), + "faceRecognition": MessageLookupByLibrary.simpleMessage( + "التعرف على الوجوه", + ), + "faces": MessageLookupByLibrary.simpleMessage("الوجوه"), + "failed": MessageLookupByLibrary.simpleMessage("فشل"), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage( + "فشل تطبيق الرمز", + ), + "failedToCancel": MessageLookupByLibrary.simpleMessage("فشل الإلغاء"), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( + "فشل تنزيل الفيديو", + ), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "فشل جلب الجلسات النشطة.", + ), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "فشل جلب النسخة الأصلية للتعديل.", + ), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "تعذر جلب تفاصيل الإحالة. يرجى المحاولة مرة أخرى لاحقًا.", + ), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "فشل تحميل الألبومات", + ), + "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( + "فشل تشغيل الفيديو.", + ), + "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( + "فشل تحديث الاشتراك.", + ), + "failedToRenew": MessageLookupByLibrary.simpleMessage("فشل التجديد"), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "فشل التحقق من حالة الدفع.", + ), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "أضف 5 أفراد من عائلتك إلى خطتك الحالية دون دفع رسوم إضافية.\n\nيحصل كل فرد على مساحة خاصة به، ولا يمكنهم رؤية ملفات بعضهم البعض إلا إذا تمت مشاركتها.\n\nالخطط العائلية متاحة للعملاء الذين لديهم اشتراك Ente مدفوع.\n\nاشترك الآن للبدء!", + ), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("العائلة"), + "familyPlans": MessageLookupByLibrary.simpleMessage("الخطط العائلية"), + "faq": MessageLookupByLibrary.simpleMessage("الأسئلة الشائعة"), + "faqs": MessageLookupByLibrary.simpleMessage("الأسئلة الشائعة"), + "favorite": MessageLookupByLibrary.simpleMessage("المفضلة"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("ملاحظات"), + "file": MessageLookupByLibrary.simpleMessage("ملف"), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "فشل حفظ الملف في المعرض.", + ), + "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage("إضافة وصف..."), + "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( + "لم يتم تحميل الملف بعد", + ), + "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( + "تم حفظ الملف في المعرض.", + ), + "fileTypes": MessageLookupByLibrary.simpleMessage("أنواع الملفات"), + "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( + "أنواع وأسماء الملفات", + ), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage("تم حذف الملفات."), + "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( + "تم حفظ الملفات في المعرض.", + ), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "البحث عن الأشخاص بسرعة بالاسم", + ), + "findThemQuickly": MessageLookupByLibrary.simpleMessage("اعثر عليهم بسرعة"), + "flip": MessageLookupByLibrary.simpleMessage("قلب"), + "food": MessageLookupByLibrary.simpleMessage("متعة الطهي"), + "forYourMemories": MessageLookupByLibrary.simpleMessage("لذكرياتك"), + "forgotPassword": MessageLookupByLibrary.simpleMessage("نسيت كلمة المرور"), + "foundFaces": MessageLookupByLibrary.simpleMessage( + "الوجوه التي تم العثور عليها", + ), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( + "تم المطالبة بمساحة التخزين المجانية", + ), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "مساحة تخزين مجانية متاحة للاستخدام", + ), + "freeTrial": MessageLookupByLibrary.simpleMessage("تجربة مجانية"), + "freeTrialValidTill": m38, + "freeUpAccessPostDelete": m39, + "freeUpAmount": m40, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( + "تحرير مساحة على الجهاز", + ), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "وفر مساحة على جهازك عن طريق مسح الملفات التي تم نسخها احتياطيًا.", + ), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("تحرير المساحة"), + "freeUpSpaceSaving": m41, + "gallery": MessageLookupByLibrary.simpleMessage("المعرض"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "يتم عرض ما يصل إلى 1000 ذكرى في المعرض.", + ), + "general": MessageLookupByLibrary.simpleMessage("عام"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "جارٍ إنشاء مفاتيح التشفير...", + ), + "genericProgress": m42, + "goToSettings": MessageLookupByLibrary.simpleMessage( + "الانتقال إلى الإعدادات", + ), + "googlePlayId": MessageLookupByLibrary.simpleMessage("معرّف Google Play"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "الرجاء السماح بالوصول إلى جميع الصور في تطبيق الإعدادات", + ), + "grantPermission": MessageLookupByLibrary.simpleMessage("منح الإذن"), + "greenery": MessageLookupByLibrary.simpleMessage("الحياة الخضراء"), + "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( + "تجميع الصور القريبة", + ), + "guestView": MessageLookupByLibrary.simpleMessage("عرض الضيف"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "لتمكين عرض الضيف، يرجى إعداد رمز مرور الجهاز أو قفل الشاشة في إعدادات النظام.", + ), + "happyBirthday": MessageLookupByLibrary.simpleMessage("عيد ميلاد سعيد! 🥳"), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "نحن لا نتتبع عمليات تثبيت التطبيق. سيساعدنا إذا أخبرتنا أين وجدتنا!", + ), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "كيف سمعت عن Ente؟ (اختياري)", + ), + "help": MessageLookupByLibrary.simpleMessage("المساعدة"), + "hidden": MessageLookupByLibrary.simpleMessage("المخفية"), + "hide": MessageLookupByLibrary.simpleMessage("إخفاء"), + "hideContent": MessageLookupByLibrary.simpleMessage("إخفاء المحتوى"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "يخفي محتوى التطبيق في مبدل التطبيقات ويعطل لقطات الشاشة.", + ), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "يخفي محتوى التطبيق في مبدل التطبيقات.", + ), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "إخفاء العناصر المشتركة من معرض الصفحة الرئيسية", + ), + "hiding": MessageLookupByLibrary.simpleMessage("جارٍ الإخفاء..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( + "مستضاف في OSM France", + ), + "howItWorks": MessageLookupByLibrary.simpleMessage("كيف يعمل"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "يرجى الطلب منهم الضغط مطولًا على عنوان بريدهم الإلكتروني في شاشة الإعدادات، والتأكد من تطابق المعرّفات على كلا الجهازين.", + ), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "لم يتم إعداد المصادقة البيومترية على جهازك. يرجى تمكين Touch ID أو Face ID على هاتفك.", + ), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "تم تعطيل المصادقة البيومترية. يرجى قفل شاشتك وفتحها لتمكينها.", + ), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("موافق"), + "ignore": MessageLookupByLibrary.simpleMessage("تجاهل"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("تجاهل"), + "ignored": MessageLookupByLibrary.simpleMessage("تم التجاهل"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "تم تجاهل تحميل بعض الملفات في هذا الألبوم لأنه تم حذفها مسبقًا من Ente.", + ), + "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( + "لم يتم تحليل الصورة", + ), + "immediately": MessageLookupByLibrary.simpleMessage("فورًا"), + "importing": MessageLookupByLibrary.simpleMessage("جارٍ الاستيراد..."), + "incorrectCode": MessageLookupByLibrary.simpleMessage("رمز غير صحيح"), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( + "كلمة المرور غير صحيحة", + ), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "مفتاح الاسترداد غير صحيح.", + ), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "مفتاح الاسترداد الذي أدخلته غير صحيح", + ), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "مفتاح الاسترداد غير صحيح", + ), + "indexedItems": MessageLookupByLibrary.simpleMessage("العناصر المفهرسة"), + "ineligible": MessageLookupByLibrary.simpleMessage("غير مؤهل"), + "info": MessageLookupByLibrary.simpleMessage("معلومات"), + "insecureDevice": MessageLookupByLibrary.simpleMessage("جهاز غير آمن"), + "installManually": MessageLookupByLibrary.simpleMessage("التثبيت يدويًا"), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "عنوان البريد الإلكتروني غير صالح", + ), + "invalidEndpoint": MessageLookupByLibrary.simpleMessage( + "نقطة النهاية غير صالحة", + ), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "عذرًا، نقطة النهاية التي أدخلتها غير صالحة. يرجى إدخال نقطة نهاية صالحة والمحاولة مرة أخرى.", + ), + "invalidKey": MessageLookupByLibrary.simpleMessage("المفتاح غير صالح"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "مفتاح الاسترداد الذي أدخلته غير صالح. يرجى التأكد من أنه يحتوي على 24 كلمة، والتحقق من كتابة كل كلمة بشكل صحيح.\n\nإذا كنت تستخدم مفتاح استرداد قديمًا، تأكد من أنه مكون من 64 حرفًا، وتحقق من صحة كل حرف.", + ), + "invite": MessageLookupByLibrary.simpleMessage("دعوة"), + "inviteToEnte": MessageLookupByLibrary.simpleMessage("دعوة إلى Ente"), + "inviteYourFriends": MessageLookupByLibrary.simpleMessage("ادعُ أصدقاءك"), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "ادعُ أصدقاءك إلى Ente", + ), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "يبدو أن خطأً ما قد حدث. يرجى المحاولة مرة أخرى بعد بعض الوقت. إذا استمر الخطأ، يرجى الاتصال بفريق الدعم لدينا.", + ), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "تعرض العناصر عدد الأيام المتبقية قبل الحذف الدائم.", + ), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "سيتم إزالة العناصر المحددة من هذا الألبوم.", + ), + "join": MessageLookupByLibrary.simpleMessage("انضمام"), + "joinAlbum": MessageLookupByLibrary.simpleMessage("الانضمام إلى الألبوم"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "الانضمام إلى ألبوم سيجعل بريدك الإلكتروني مرئيًا للمشاركين فيه.", + ), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( + "لعرض صورك وإضافتها", + ), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "لإضافة هذا إلى الألبومات المشتركة", + ), + "joinDiscord": MessageLookupByLibrary.simpleMessage("الانضمام إلى Discord"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("الاحتفاظ بالصور"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("كم"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "يرجى مساعدتنا بهذه المعلومات", + ), + "language": MessageLookupByLibrary.simpleMessage("اللغة"), + "lastTimeWithThem": m45, + "lastUpdated": MessageLookupByLibrary.simpleMessage("آخر تحديث"), + "lastYearsTrip": MessageLookupByLibrary.simpleMessage("رحلة العام الماضي"), + "leave": MessageLookupByLibrary.simpleMessage("مغادرة"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("مغادرة الألبوم"), + "leaveFamily": MessageLookupByLibrary.simpleMessage("مغادرة خطة العائلة"), + "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( + "مغادرة الألبوم المشترك؟", + ), + "left": MessageLookupByLibrary.simpleMessage("يسار"), + "legacy": MessageLookupByLibrary.simpleMessage("جهات الاتصال الموثوقة"), + "legacyAccounts": MessageLookupByLibrary.simpleMessage("الحسابات الموثوقة"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "تسمح جهات الاتصال الموثوقة لأشخاص معينين بالوصول إلى حسابك في حالة غيابك.", + ), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "يمكن لجهات الاتصال الموثوقة بدء استرداد الحساب، وإذا لم يتم حظر ذلك خلال 30 يومًا، يمكنهم إعادة تعيين كلمة المرور والوصول إلى حسابك.", + ), + "light": MessageLookupByLibrary.simpleMessage("فاتح"), + "lightTheme": MessageLookupByLibrary.simpleMessage("فاتح"), + "link": MessageLookupByLibrary.simpleMessage("ربط"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "تم نسخ الرابط إلى الحافظة.", + ), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("حد الأجهزة"), + "linkEmail": MessageLookupByLibrary.simpleMessage("ربط البريد الإلكتروني"), + "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( + "لمشاركة أسرع", + ), + "linkEnabled": MessageLookupByLibrary.simpleMessage("مفعّل"), + "linkExpired": MessageLookupByLibrary.simpleMessage("منتهي الصلاحية"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("انتهاء صلاحية الرابط"), + "linkHasExpired": MessageLookupByLibrary.simpleMessage( + "انتهت صلاحية الرابط", + ), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("أبدًا"), + "linkPerson": MessageLookupByLibrary.simpleMessage("ربط الشخص"), + "linkPersonCaption": MessageLookupByLibrary.simpleMessage( + "لتجربة مشاركة أفضل", + ), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("الصور الحية"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "يمكنك مشاركة اشتراكك مع عائلتك.", + ), + "loadMessage2": MessageLookupByLibrary.simpleMessage( + "لقد حفظنا أكثر من 200 مليون ذكرى حتى الآن", + ), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "نحتفظ بـ 3 نسخ من بياناتك، إحداها في ملجأ للطوارئ تحت الأرض.", + ), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "جميع تطبيقاتنا مفتوحة المصدر.", + ), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "تم تدقيق شفرتنا المصدرية والتشفير الخاص بنا خارجيًا.", + ), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "يمكنك مشاركة روابط ألبوماتك مع أحبائك.", + ), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "تعمل تطبيقات الهاتف المحمول الخاصة بنا في الخلفية لتشفير أي صور جديدة تلتقطها ونسخها احتياطيًا.", + ), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io لديه أداة تحميل رائعة.", + ), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "نستخدم XChaCha20-Poly1305 لتشفير بياناتك بأمان.", + ), + "loadingExifData": MessageLookupByLibrary.simpleMessage( + "جارٍ تحميل بيانات EXIF...", + ), + "loadingGallery": MessageLookupByLibrary.simpleMessage( + "جارٍ تحميل المعرض...", + ), + "loadingMessage": MessageLookupByLibrary.simpleMessage( + "جارٍ تحميل صورك...", + ), + "loadingModel": MessageLookupByLibrary.simpleMessage( + "جارٍ تحميل النماذج...", + ), + "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( + "جارٍ تحميل صورك...", + ), + "localGallery": MessageLookupByLibrary.simpleMessage("المعرض المحلي"), + "localIndexing": MessageLookupByLibrary.simpleMessage("الفهرسة المحلية"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "يبدو أن خطأً ما قد حدث لأن مزامنة الصور المحلية تستغرق وقتًا أطول من المتوقع. يرجى التواصل مع فريق الدعم لدينا.", + ), + "location": MessageLookupByLibrary.simpleMessage("الموقع"), + "locationName": MessageLookupByLibrary.simpleMessage("اسم الموقع"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "تقوم علامة الموقع بتجميع جميع الصور التي تم التقاطها ضمن نصف قطر معين لصورة ما.", + ), + "locations": MessageLookupByLibrary.simpleMessage("المواقع"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("قفل"), + "lockscreen": MessageLookupByLibrary.simpleMessage("شاشة القفل"), + "logInLabel": MessageLookupByLibrary.simpleMessage("تسجيل الدخول"), + "loggingOut": MessageLookupByLibrary.simpleMessage("جارٍ تسجيل الخروج..."), + "loginSessionExpired": MessageLookupByLibrary.simpleMessage( + "انتهت صلاحية الجلسة.", + ), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "انتهت صلاحية جلستك. يرجى تسجيل الدخول مرة أخرى.", + ), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "بالنقر على تسجيل الدخول، أوافق على شروط الخدمة و سياسة الخصوصية", + ), + "loginWithTOTP": MessageLookupByLibrary.simpleMessage( + "تسجيل الدخول باستخدام TOTP", + ), + "logout": MessageLookupByLibrary.simpleMessage("تسجيل الخروج"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "سيؤدي هذا إلى إرسال السجلات لمساعدتنا في تصحيح مشكلتك. يرجى ملاحظة أنه سيتم تضمين أسماء الملفات للمساعدة في تتبع المشكلات المتعلقة بملفات معينة.", + ), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "اضغط مطولاً على بريد إلكتروني للتحقق من التشفير من طرف إلى طرف.", + ), + "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( + "اضغط مطولاً على عنصر لعرضه في وضع ملء الشاشة.", + ), + "loopVideoOff": MessageLookupByLibrary.simpleMessage("إيقاف تكرار الفيديو"), + "loopVideoOn": MessageLookupByLibrary.simpleMessage("تشغيل تكرار الفيديو"), + "lostDevice": MessageLookupByLibrary.simpleMessage("جهاز مفقود؟"), + "machineLearning": MessageLookupByLibrary.simpleMessage("تعلم الآلة"), + "magicSearch": MessageLookupByLibrary.simpleMessage("البحث السحري"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "يسمح البحث السحري بالبحث عن الصور حسب محتوياتها، مثل \'زهرة\'، \'سيارة حمراء\'، \'وثائق هوية\'", + ), + "manage": MessageLookupByLibrary.simpleMessage("إدارة"), + "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( + "إدارة مساحة تخزين الجهاز", + ), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "مراجعة ومسح ذاكرة التخزين المؤقت المحلية.", + ), + "manageFamily": MessageLookupByLibrary.simpleMessage("إدارة العائلة"), + "manageLink": MessageLookupByLibrary.simpleMessage("إدارة الرابط"), + "manageParticipants": MessageLookupByLibrary.simpleMessage( + "إدارة المشاركين", + ), + "manageSubscription": MessageLookupByLibrary.simpleMessage( + "إدارة الاشتراك", + ), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "الإقران بالرمز السري يعمل مع أي شاشة ترغب في عرض ألبومك عليها.", + ), + "map": MessageLookupByLibrary.simpleMessage("الخريطة"), + "maps": MessageLookupByLibrary.simpleMessage("الخرائط"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("أنا"), + "memories": MessageLookupByLibrary.simpleMessage("ذكريات"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "اختر نوع الذكريات التي ترغب في رؤيتها على شاشتك الرئيسية.", + ), + "memoryCount": m50, + "merchandise": MessageLookupByLibrary.simpleMessage("المنتجات الترويجية"), + "merge": MessageLookupByLibrary.simpleMessage("دمج"), + "mergeWithExisting": MessageLookupByLibrary.simpleMessage( + "الدمج مع شخص موجود", + ), + "mergedPhotos": MessageLookupByLibrary.simpleMessage("الصور المدمجة"), + "mlConsent": MessageLookupByLibrary.simpleMessage("تمكين تعلم الآلة"), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "أنا أفهم، وأرغب في تمكين تعلم الآلة", + ), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "إذا قمت بتمكين تعلم الآلة، سيقوم Ente باستخراج معلومات مثل هندسة الوجه من الملفات، بما في ذلك تلك التي تمت مشاركتها معك.\n\nسيحدث هذا على جهازك، وسيتم تشفير أي معلومات بيومترية تم إنشاؤها تشفيرًا تامًا من طرف إلى طرف.", + ), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "يرجى النقر هنا لمزيد من التفاصيل حول هذه الميزة في سياسة الخصوصية الخاصة بنا", + ), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage("تمكين تعلم الآلة؟"), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "يرجى ملاحظة أن تعلم الآلة سيؤدي إلى استهلاك أعلى لعرض النطاق الترددي والبطارية حتى تتم فهرسة جميع العناصر.\nنوصي باستخدام تطبيق سطح المكتب لإجراء الفهرسة بشكل أسرع. سيتم مزامنة جميع النتائج تلقائيًا.", + ), + "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( + "الهاتف المحمول، الويب، سطح المكتب", + ), + "moderateStrength": MessageLookupByLibrary.simpleMessage("متوسطة"), + "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( + "قم بتعديل استعلامك، أو حاول البحث عن", + ), + "moments": MessageLookupByLibrary.simpleMessage("اللحظات"), + "month": MessageLookupByLibrary.simpleMessage("شهر"), + "monthly": MessageLookupByLibrary.simpleMessage("شهريًا"), + "moon": MessageLookupByLibrary.simpleMessage("في ضوء القمر"), + "moreDetails": MessageLookupByLibrary.simpleMessage("المزيد من التفاصيل"), + "mostRecent": MessageLookupByLibrary.simpleMessage("الأحدث"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("الأكثر صلة"), + "mountains": MessageLookupByLibrary.simpleMessage("فوق التلال"), + "moveItem": m51, + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "نقل الصور المحددة إلى تاريخ واحد", + ), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("نقل إلى ألبوم"), + "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "نقل إلى الألبوم المخفي", + ), + "movedSuccessfullyTo": m52, + "movedToTrash": MessageLookupByLibrary.simpleMessage( + "تم النقل إلى سلة المهملات", + ), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "جارٍ نقل الملفات إلى الألبوم...", + ), + "name": MessageLookupByLibrary.simpleMessage("الاسم"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("تسمية الألبوم"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "تعذر الاتصال بـ Ente، يرجى المحاولة مرة أخرى بعد بعض الوقت. إذا استمر الخطأ، يرجى الاتصال بالدعم.", + ), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "تعذر الاتصال بـ Ente، يرجى التحقق من إعدادات الشبكة والاتصال بالدعم إذا استمر الخطأ.", + ), + "never": MessageLookupByLibrary.simpleMessage("أبدًا"), + "newAlbum": MessageLookupByLibrary.simpleMessage("ألبوم جديد"), + "newLocation": MessageLookupByLibrary.simpleMessage("موقع جديد"), + "newPerson": MessageLookupByLibrary.simpleMessage("شخص جديد"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" جديد 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("نطاق جديد"), + "newToEnte": MessageLookupByLibrary.simpleMessage("جديد في Ente"), + "newest": MessageLookupByLibrary.simpleMessage("الأحدث"), + "next": MessageLookupByLibrary.simpleMessage("التالي"), + "no": MessageLookupByLibrary.simpleMessage("لا"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "لم تشارك أي ألبومات بعد", + ), + "noDeviceFound": MessageLookupByLibrary.simpleMessage( + "لم يتم العثور على جهاز.", + ), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("لا شيء"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "لا توجد ملفات على هذا الجهاز يمكن حذفها", + ), + "noDuplicates": MessageLookupByLibrary.simpleMessage( + "✨ لا توجد ملفات مكررة", + ), + "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( + "لا يوجد حساب Ente!", + ), + "noExifData": MessageLookupByLibrary.simpleMessage("لا توجد بيانات EXIF"), + "noFacesFound": MessageLookupByLibrary.simpleMessage( + "لم يتم العثور على وجوه", + ), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "لا توجد صور أو مقاطع فيديو مخفية", + ), + "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( + "لا توجد صور تحتوي على موقع", + ), + "noInternetConnection": MessageLookupByLibrary.simpleMessage( + "لا يوجد اتصال بالإنترنت", + ), + "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( + "لا يتم نسخ أي صور احتياطيًا في الوقت الحالي", + ), + "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( + "لم يتم العثور على صور هنا", + ), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( + "لم يتم تحديد روابط سريعة.", + ), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "لا تملك مفتاح استرداد؟", + ), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "نظرًا لطبيعة التشفير الكامل من طرف إلى طرف، لا يمكن فك تشفير بياناتك دون كلمة المرور أو مفتاح الاسترداد الخاص بك", + ), + "noResults": MessageLookupByLibrary.simpleMessage("لا توجد نتائج"), + "noResultsFound": MessageLookupByLibrary.simpleMessage( + "لم يتم العثور على نتائج.", + ), + "noSuggestionsForPerson": m53, + "noSystemLockFound": MessageLookupByLibrary.simpleMessage( + "لم يتم العثور على قفل نظام.", + ), + "notPersonLabel": m54, + "notThisPerson": MessageLookupByLibrary.simpleMessage("ليس هذا الشخص؟"), + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "لم تتم مشاركة أي شيء معك بعد", + ), + "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( + "لا يوجد شيء هنا! 👀", + ), + "notifications": MessageLookupByLibrary.simpleMessage("الإشعارات"), + "ok": MessageLookupByLibrary.simpleMessage("حسنًا"), + "onDevice": MessageLookupByLibrary.simpleMessage("على الجهاز"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "على Ente", + ), + "onTheRoad": MessageLookupByLibrary.simpleMessage("على الطريق مرة أخرى"), + "onThisDay": MessageLookupByLibrary.simpleMessage("في هذا اليوم"), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "تلقي تذكيرات حول ذكريات مثل اليوم في السنوات السابقة.", + ), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("هم فقط"), + "oops": MessageLookupByLibrary.simpleMessage("عفوًا"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "عفوًا، تعذر حفظ التعديلات.", + ), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "عفوًا، حدث خطأ ما", + ), + "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( + "فتح الألبوم في المتصفح", + ), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "يرجى استخدام تطبيق الويب لإضافة صور إلى هذا الألبوم", + ), + "openFile": MessageLookupByLibrary.simpleMessage("فتح الملف"), + "openSettings": MessageLookupByLibrary.simpleMessage("فتح الإعدادات"), + "openTheItem": MessageLookupByLibrary.simpleMessage("• افتح العنصر"), + "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( + "مساهمو OpenStreetMap", + ), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "اختياري، قصير كما تشاء...", + ), + "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( + "أو الدمج مع شخص موجود", + ), + "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( + "أو اختر واحدًا موجودًا", + ), + "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( + "أو اختر من جهات اتصالك", + ), + "otherDetectedFaces": MessageLookupByLibrary.simpleMessage( + "وجوه أخرى تم اكتشافها", + ), + "pair": MessageLookupByLibrary.simpleMessage("إقران"), + "pairWithPin": MessageLookupByLibrary.simpleMessage("الإقران بالرمز السري"), + "pairingComplete": MessageLookupByLibrary.simpleMessage("اكتمل الإقران"), + "panorama": MessageLookupByLibrary.simpleMessage("بانوراما"), + "partyWithThem": m56, + "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( + "التحقق لا يزال معلقًا.", + ), + "passkey": MessageLookupByLibrary.simpleMessage("مفتاح المرور"), + "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( + "التحقق من مفتاح المرور", + ), + "password": MessageLookupByLibrary.simpleMessage("كلمة المرور"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "تم تغيير كلمة المرور بنجاح", + ), + "passwordLock": MessageLookupByLibrary.simpleMessage("قفل بكلمة مرور"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "يتم حساب قوة كلمة المرور مع الأخذ في الاعتبار طول كلمة المرور، والأحرف المستخدمة، وما إذا كانت كلمة المرور تظهر في قائمة أفضل 10,000 كلمة مرور شائعة الاستخدام.", + ), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "نحن لا نقوم بتخزين كلمة المرور هذه، لذا إذا نسيتها، لا يمكننا فك تشفير بياناتك", + ), + "paymentDetails": MessageLookupByLibrary.simpleMessage("تفاصيل الدفع"), + "paymentFailed": MessageLookupByLibrary.simpleMessage("فشلت عملية الدفع"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "للأسف، فشلت عملية الدفع الخاصة بك. يرجى الاتصال بالدعم وسوف نساعدك!", + ), + "paymentFailedTalkToProvider": m58, + "pendingItems": MessageLookupByLibrary.simpleMessage("العناصر المعلقة"), + "pendingSync": MessageLookupByLibrary.simpleMessage("المزامنة المعلقة"), + "people": MessageLookupByLibrary.simpleMessage("الأشخاص"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "الأشخاص الذين يستخدمون رمزك", + ), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "حدد الأشخاص الذين ترغب في ظهورهم على شاشتك الرئيسية.", + ), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "سيتم حذف جميع العناصر في سلة المهملات نهائيًا.\n\nلا يمكن التراجع عن هذا الإجراء.", + ), + "permanentlyDelete": MessageLookupByLibrary.simpleMessage("حذف نهائي"), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "حذف نهائي من الجهاز؟", + ), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("اسم الشخص"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("رفاق فروي"), + "photoDescriptions": MessageLookupByLibrary.simpleMessage("أوصاف الصور"), + "photoGridSize": MessageLookupByLibrary.simpleMessage("حجم شبكة الصور"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("صورة"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("الصور"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "ستتم إزالة الصور التي أضفتها من الألبوم.", + ), + "photosCount": m62, + "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( + "تحتفظ الصور بالفرق الزمني النسبي", + ), + "pickCenterPoint": MessageLookupByLibrary.simpleMessage( + "اختيار نقطة المركز", + ), + "pinAlbum": MessageLookupByLibrary.simpleMessage("تثبيت الألبوم"), + "pinLock": MessageLookupByLibrary.simpleMessage("قفل برمز PIN"), + "playOnTv": MessageLookupByLibrary.simpleMessage( + "تشغيل الألبوم على التلفزيون", + ), + "playOriginal": MessageLookupByLibrary.simpleMessage("تشغيل الأصلي"), + "playStoreFreeTrialValidTill": m63, + "playStream": MessageLookupByLibrary.simpleMessage("تشغيل البث"), + "playstoreSubscription": MessageLookupByLibrary.simpleMessage( + "اشتراك متجر Play", + ), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "يرجى التحقق من اتصال الإنترنت الخاص بك والمحاولة مرة أخرى.", + ), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "يرجى التواصل مع support@ente.io وسنكون سعداء بمساعدتك!", + ), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "يرجى الاتصال بالدعم إذا استمرت المشكلة.", + ), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( + "يرجى منح الأذونات", + ), + "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( + "يرجى تسجيل الدخول مرة أخرى", + ), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "يرجى تحديد الروابط السريعة للإزالة.", + ), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "يرجى المحاولة مرة أخرى", + ), + "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( + "يرجى التحقق من الرمز الذي أدخلته.", + ), + "pleaseWait": MessageLookupByLibrary.simpleMessage("يرجى الانتظار..."), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "يرجى الانتظار، جارٍ حذف الألبوم", + ), + "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( + "يرجى الانتظار لبعض الوقت قبل إعادة المحاولة", + ), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "يرجى الانتظار، قد يستغرق هذا بعض الوقت.", + ), + "posingWithThem": m66, + "preparingLogs": MessageLookupByLibrary.simpleMessage( + "جارٍ تحضير السجلات...", + ), + "preserveMore": MessageLookupByLibrary.simpleMessage("حفظ المزيد"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "اضغط مطولاً لتشغيل الفيديو", + ), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "اضغط مطولاً على الصورة لتشغيل الفيديو", + ), + "previous": MessageLookupByLibrary.simpleMessage("السابق"), + "privacy": MessageLookupByLibrary.simpleMessage("الخصوصية"), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "سياسة الخصوصية", + ), + "privateBackups": MessageLookupByLibrary.simpleMessage("نسخ احتياطية خاصة"), + "privateSharing": MessageLookupByLibrary.simpleMessage("مشاركة خاصة"), + "proceed": MessageLookupByLibrary.simpleMessage("متابعة"), + "processed": MessageLookupByLibrary.simpleMessage("تمت المعالجة"), + "processing": MessageLookupByLibrary.simpleMessage("المعالجة"), + "processingImport": m67, + "processingVideos": MessageLookupByLibrary.simpleMessage( + "معالجة مقاطع الفيديو", + ), + "publicLinkCreated": MessageLookupByLibrary.simpleMessage( + "تم إنشاء الرابط العام.", + ), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( + "تمكين الرابط العام", + ), + "questionmark": MessageLookupByLibrary.simpleMessage("؟"), + "queued": MessageLookupByLibrary.simpleMessage("في قائمة الانتظار"), + "quickLinks": MessageLookupByLibrary.simpleMessage("روابط سريعة"), + "radius": MessageLookupByLibrary.simpleMessage("نصف القطر"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("فتح تذكرة دعم"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("تقييم التطبيق"), + "rateUs": MessageLookupByLibrary.simpleMessage("تقييم التطبيق"), + "rateUsOnStore": m68, + "reassignMe": MessageLookupByLibrary.simpleMessage("إعادة تعيين \"أنا\""), + "reassignedToName": m69, + "reassigningLoading": MessageLookupByLibrary.simpleMessage( + "جارٍ إعادة التعيين...", + ), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "استلم تذكيرات عندما يحين عيد ميلاد أحدهم. النقر على الإشعار سينقلك إلى صور الشخص المحتفل بعيد ميلاده.", + ), + "recover": MessageLookupByLibrary.simpleMessage("استعادة"), + "recoverAccount": MessageLookupByLibrary.simpleMessage("استعادة الحساب"), + "recoverButton": MessageLookupByLibrary.simpleMessage("استرداد"), + "recoveryAccount": MessageLookupByLibrary.simpleMessage("استرداد الحساب"), + "recoveryInitiated": MessageLookupByLibrary.simpleMessage("بدء الاسترداد"), + "recoveryInitiatedDesc": m70, + "recoveryKey": MessageLookupByLibrary.simpleMessage("مفتاح الاسترداد"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "تم نسخ مفتاح الاسترداد إلى الحافظة", + ), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "إذا نسيت كلمة المرور الخاصة بك، فإن الطريقة الوحيدة لاستعادة بياناتك هي باستخدام هذا المفتاح.", + ), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "لا نحتفظ بنسخة من هذا المفتاح. يرجى حفظ المفتاح المكون من 24 كلمة في مكان آمن.", + ), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "مفتاح الاسترداد الخاص بك صالح. شكرًا على التحقق.\n\nيرجى تذكر الاحتفاظ بنسخة احتياطية آمنة من مفتاح الاسترداد.", + ), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "تم التحقق من مفتاح الاسترداد", + ), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "مفتاح الاسترداد هو الطريقة الوحيدة لاستعادة صورك إذا نسيت كلمة المرور. يمكنك العثور عليه في الإعدادات > الحساب.\n\nالرجاء إدخال مفتاح الاسترداد هنا للتحقق من أنك حفظته بشكل صحيح.", + ), + "recoveryReady": m71, + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "تم الاسترداد بنجاح!", + ), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "جهة اتصال موثوقة تحاول الوصول إلى حسابك", + ), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "لا يمكن التحقق من كلمة المرور على جهازك الحالي، لكن يمكننا تعديلها لتعمل على جميع الأجهزة.\n\nسجّل الدخول باستخدام مفتاح الاسترداد، ثم أنشئ كلمة مرور جديدة (يمكنك اختيار نفس الكلمة السابقة إذا أردت).", + ), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( + "إعادة إنشاء كلمة المرور", + ), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": MessageLookupByLibrary.simpleMessage( + "إعادة إدخال كلمة المرور", + ), + "reenterPin": MessageLookupByLibrary.simpleMessage("إعادة إدخال رمز PIN"), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "أحِل الأصدقاء وضاعف خطتك مرتين", + ), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. أعطِ هذا الرمز لأصدقائك", + ), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. يشتركون في خطة مدفوعة", + ), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("الإحالات"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "الإحالات متوقفة مؤقتًا", + ), + "rejectRecovery": MessageLookupByLibrary.simpleMessage("رفض الاسترداد"), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "تذكر أيضًا إفراغ \"المحذوفة مؤخرًا\" من \"الإعدادات\" -> \"التخزين\" لاستعادة المساحة المحررة", + ), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "تذكر أيضًا إفراغ \"سلة المهملات\" لاستعادة المساحة المحررة.", + ), + "remoteImages": MessageLookupByLibrary.simpleMessage("الصور عن بعد"), + "remoteThumbnails": MessageLookupByLibrary.simpleMessage( + "الصور المصغرة عن بعد", + ), + "remoteVideos": MessageLookupByLibrary.simpleMessage( + "مقاطع الفيديو عن بعد", + ), + "remove": MessageLookupByLibrary.simpleMessage("إزالة"), + "removeDuplicates": MessageLookupByLibrary.simpleMessage( + "إزالة النسخ المكررة", + ), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "مراجعة وإزالة الملفات المتطابقة تمامًا.", + ), + "removeFromAlbum": MessageLookupByLibrary.simpleMessage("إزالة من الألبوم"), + "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( + "إزالة من الألبوم؟", + ), + "removeFromFavorite": MessageLookupByLibrary.simpleMessage( + "إزالة من المفضلة", + ), + "removeInvite": MessageLookupByLibrary.simpleMessage("إزالة الدعوة"), + "removeLink": MessageLookupByLibrary.simpleMessage("إزالة الرابط"), + "removeParticipant": MessageLookupByLibrary.simpleMessage("إزالة المشارك"), + "removeParticipantBody": m74, + "removePersonLabel": MessageLookupByLibrary.simpleMessage( + "إزالة تسمية الشخص", + ), + "removePublicLink": MessageLookupByLibrary.simpleMessage( + "إزالة الرابط العام", + ), + "removePublicLinks": MessageLookupByLibrary.simpleMessage( + "إزالة الروابط العامة", + ), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "بعض العناصر التي تزيلها تمت إضافتها بواسطة أشخاص آخرين، وستفقد الوصول إليها.", + ), + "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("إزالة؟"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "إزالة نفسك كجهة اتصال موثوقة", + ), + "removingFromFavorites": MessageLookupByLibrary.simpleMessage( + "جارٍ الإزالة من المفضلة...", + ), + "rename": MessageLookupByLibrary.simpleMessage("إعادة تسمية"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("إعادة تسمية الألبوم"), + "renameFile": MessageLookupByLibrary.simpleMessage("إعادة تسمية الملف"), + "renewSubscription": MessageLookupByLibrary.simpleMessage("تجديد الاشتراك"), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("الإبلاغ عن خطأ"), + "reportBug": MessageLookupByLibrary.simpleMessage("الإبلاغ عن خطأ"), + "resendEmail": MessageLookupByLibrary.simpleMessage( + "إعادة إرسال البريد الإلكتروني", + ), + "reset": MessageLookupByLibrary.simpleMessage("إعادة تعيين"), + "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( + "إعادة تعيين الملفات المتجاهلة", + ), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( + "إعادة تعيين كلمة المرور", + ), + "resetPerson": MessageLookupByLibrary.simpleMessage("إزالة"), + "resetToDefault": MessageLookupByLibrary.simpleMessage( + "إعادة التعيين إلى الافتراضي", + ), + "restore": MessageLookupByLibrary.simpleMessage("استعادة"), + "restoreToAlbum": MessageLookupByLibrary.simpleMessage( + "استعادة إلى الألبوم", + ), + "restoringFiles": MessageLookupByLibrary.simpleMessage( + "جارٍ استعادة الملفات...", + ), + "resumableUploads": MessageLookupByLibrary.simpleMessage( + "تحميلات قابلة للاستئناف", + ), + "retry": MessageLookupByLibrary.simpleMessage("إعادة المحاولة"), + "review": MessageLookupByLibrary.simpleMessage("مراجعة"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "يرجى مراجعة وحذف العناصر التي تعتقد أنها مكررة.", + ), + "reviewSuggestions": MessageLookupByLibrary.simpleMessage( + "مراجعة الاقتراحات", + ), + "right": MessageLookupByLibrary.simpleMessage("يمين"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("تدوير"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("تدوير لليسار"), + "rotateRight": MessageLookupByLibrary.simpleMessage("تدوير لليمين"), + "safelyStored": MessageLookupByLibrary.simpleMessage("مخزنة بأمان"), + "save": MessageLookupByLibrary.simpleMessage("حفظ"), + "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage("حفظ كشخص آخر"), + "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( + "حفظ التغييرات قبل المغادرة؟", + ), + "saveCollage": MessageLookupByLibrary.simpleMessage("حفظ الكولاج"), + "saveCopy": MessageLookupByLibrary.simpleMessage("حفظ نسخة"), + "saveKey": MessageLookupByLibrary.simpleMessage("حفظ المفتاح"), + "savePerson": MessageLookupByLibrary.simpleMessage("حفظ الشخص"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "احفظ مفتاح الاسترداد إذا لم تكن قد فعلت ذلك", + ), + "saving": MessageLookupByLibrary.simpleMessage("جارٍ الحفظ..."), + "savingEdits": MessageLookupByLibrary.simpleMessage( + "جارٍ حفظ التعديلات...", + ), + "scanCode": MessageLookupByLibrary.simpleMessage("مسح الرمز"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "امسح هذا الباركود باستخدام\nتطبيق المصادقة الخاص بك", + ), + "search": MessageLookupByLibrary.simpleMessage("بحث"), + "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage( + "الألبومات", + ), + "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage( + "اسم الألبوم", + ), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• أسماء الألبومات (مثل \"الكاميرا\")\n• أنواع الملفات (مثل \"مقاطع الفيديو\"، \".gif\")\n• السنوات والأشهر (مثل \"2022\"، \"يناير\")\n• العطلات (مثل \"عيد الميلاد\")\n• أوصاف الصور (مثل \"#مرح\")", + ), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "أضف أوصافًا مثل \"#رحلة\" في معلومات الصورة للعثور عليها بسرعة هنا.", + ), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "ابحث حسب تاريخ أو شهر أو سنة.", + ), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "سيتم عرض الصور هنا بمجرد اكتمال المعالجة والمزامنة.", + ), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "سيتم عرض الأشخاص هنا بمجرد الانتهاء من الفهرسة.", + ), + "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( + "أنواع وأسماء الملفات", + ), + "searchHint1": MessageLookupByLibrary.simpleMessage("بحث سريع على الجهاز"), + "searchHint2": MessageLookupByLibrary.simpleMessage( + "تواريخ الصور، الأوصاف", + ), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "الألبومات، أسماء الملفات، والأنواع", + ), + "searchHint4": MessageLookupByLibrary.simpleMessage("الموقع"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "قريبًا: الوجوه والبحث السحري ✨", + ), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "تجميع الصور الملتقطة ضمن نصف قطر معين لصورة ما.", + ), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "ادعُ الأشخاص، وسترى جميع الصور التي شاركوها هنا.", + ), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "سيتم عرض الأشخاص هنا بمجرد اكتمال المعالجة والمزامنة.", + ), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("الأمان"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "رؤية روابط الألبومات العامة في التطبيق", + ), + "selectALocation": MessageLookupByLibrary.simpleMessage("تحديد موقع"), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage( + "حدد موقعًا أولاً", + ), + "selectAlbum": MessageLookupByLibrary.simpleMessage("تحديد ألبوم"), + "selectAll": MessageLookupByLibrary.simpleMessage("تحديد الكل"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("الكل"), + "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( + "تحديد صورة الغلاف", + ), + "selectDate": MessageLookupByLibrary.simpleMessage("تحديد التاريخ"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "تحديد المجلدات للنسخ الاحتياطي", + ), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "تحديد العناصر للإضافة", + ), + "selectLanguage": MessageLookupByLibrary.simpleMessage("اختر اللغة"), + "selectMailApp": MessageLookupByLibrary.simpleMessage("تحديد تطبيق البريد"), + "selectMorePhotos": MessageLookupByLibrary.simpleMessage( + "تحديد المزيد من الصور", + ), + "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( + "تحديد تاريخ ووقت واحد", + ), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "تحديد تاريخ ووقت واحد للجميع", + ), + "selectPersonToLink": MessageLookupByLibrary.simpleMessage( + "تحديد الشخص للربط", + ), + "selectReason": MessageLookupByLibrary.simpleMessage("اختر سببًا"), + "selectStartOfRange": MessageLookupByLibrary.simpleMessage( + "تحديد بداية النطاق", + ), + "selectTime": MessageLookupByLibrary.simpleMessage("تحديد الوقت"), + "selectYourFace": MessageLookupByLibrary.simpleMessage("حدد وجهك"), + "selectYourPlan": MessageLookupByLibrary.simpleMessage("اختر خطتك"), + "selectedAlbums": m79, + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "الملفات المحددة ليست موجودة على Ente.", + ), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "سيتم تشفير المجلدات المحددة ونسخها احتياطيًا", + ), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "سيتم حذف العناصر المحددة من جميع الألبومات ونقلها إلى سلة المهملات.", + ), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "سيتم إزالة العناصر المحددة من هذا الشخص، ولكن لن يتم حذفها من مكتبتك.", + ), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("إرسال"), + "sendEmail": MessageLookupByLibrary.simpleMessage("إرسال بريد إلكتروني"), + "sendInvite": MessageLookupByLibrary.simpleMessage("إرسال دعوة"), + "sendLink": MessageLookupByLibrary.simpleMessage("إرسال الرابط"), + "serverEndpoint": MessageLookupByLibrary.simpleMessage("نقطة نهاية الخادم"), + "sessionExpired": MessageLookupByLibrary.simpleMessage( + "انتهت صلاحية الجلسة", + ), + "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( + "عدم تطابق معرّف الجلسة", + ), + "setAPassword": MessageLookupByLibrary.simpleMessage("تعيين كلمة مرور"), + "setAs": MessageLookupByLibrary.simpleMessage("تعيين كـ"), + "setCover": MessageLookupByLibrary.simpleMessage("تعيين كغلاف"), + "setLabel": MessageLookupByLibrary.simpleMessage("تعيين"), + "setNewPassword": MessageLookupByLibrary.simpleMessage( + "تعيين كلمة مرور جديدة", + ), + "setNewPin": MessageLookupByLibrary.simpleMessage("تعيين رمز PIN جديد"), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage( + "تعيين كلمة المرور", + ), + "setRadius": MessageLookupByLibrary.simpleMessage("تعيين نصف القطر"), + "setupComplete": MessageLookupByLibrary.simpleMessage("اكتمل الإعداد"), + "share": MessageLookupByLibrary.simpleMessage("مشاركة"), + "shareALink": MessageLookupByLibrary.simpleMessage("مشاركة رابط"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "افتح ألبومًا وانقر على زر المشاركة في الزاوية اليمنى العليا للمشاركة.", + ), + "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( + "شارك ألبومًا الآن", + ), + "shareLink": MessageLookupByLibrary.simpleMessage("مشاركة الرابط"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "شارك فقط مع الأشخاص الذين تريدهم.", + ), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "قم بتنزيل تطبيق Ente حتى نتمكن من مشاركة الصور ومقاطع الفيديو بالجودة الأصلية بسهولة.\n\nhttps://ente.io", + ), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "المشاركة مع غير مستخدمي Ente", + ), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( + "شارك ألبومك الأول", + ), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "أنشئ ألبومات مشتركة وتعاونية مع مستخدمي Ente الآخرين، بما في ذلك المستخدمين ذوي الاشتراكات المجانية.", + ), + "sharedByMe": MessageLookupByLibrary.simpleMessage("تمت مشاركتها بواسطتي"), + "sharedByYou": MessageLookupByLibrary.simpleMessage("تمت مشاركتها بواسطتك"), + "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( + "إشعارات الصور المشتركة الجديدة", + ), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "تلقّ إشعارات عندما يضيف شخص ما صورة إلى ألبوم مشترك أنت جزء منه.", + ), + "sharedWith": m87, + "sharedWithMe": MessageLookupByLibrary.simpleMessage("تمت مشاركتها معي"), + "sharedWithYou": MessageLookupByLibrary.simpleMessage("تمت مشاركتها معك"), + "sharing": MessageLookupByLibrary.simpleMessage("جارٍ المشاركة..."), + "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( + "تغيير التواريخ والوقت", + ), + "showLessFaces": MessageLookupByLibrary.simpleMessage("إظهار وجوه أقل"), + "showMemories": MessageLookupByLibrary.simpleMessage("عرض الذكريات"), + "showMoreFaces": MessageLookupByLibrary.simpleMessage( + "إظهار المزيد من الوجوه", + ), + "showPerson": MessageLookupByLibrary.simpleMessage("إظهار الشخص"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "تسجيل الخروج من الأجهزة الأخرى", + ), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "إذا كنت تعتقد أن شخصًا ما قد يعرف كلمة مرورك، يمكنك إجبار جميع الأجهزة الأخرى التي تستخدم حسابك على تسجيل الخروج.", + ), + "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( + "تسجيل الخروج من الأجهزة الأخرى", + ), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "أوافق على شروط الخدمة وسياسة الخصوصية", + ), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "سيتم حذفه من جميع الألبومات.", + ), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("تخط"), + "social": MessageLookupByLibrary.simpleMessage("التواصل الاجتماعي"), + "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( + "بعض العناصر موجودة في Ente وعلى جهازك.", + ), + "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( + "بعض الملفات التي تحاول حذفها متوفرة فقط على جهازك ولا يمكن استردادها إذا تم حذفها.", + ), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "يجب أن يرى أي شخص يشارك ألبومات معك نفس معرّف التحقق على جهازه.", + ), + "somethingWentWrong": MessageLookupByLibrary.simpleMessage("حدث خطأ ما"), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "حدث خطأ ما، يرجى المحاولة مرة أخرى", + ), + "sorry": MessageLookupByLibrary.simpleMessage("عفوًا"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "عذرًا، لم نتمكن من عمل نسخة احتياطية لهذا الملف الآن، سنعيد المحاولة لاحقًا.", + ), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "عذرًا، تعذرت الإضافة إلى المفضلة!", + ), + "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( + "عذرًا، تعذرت الإزالة من المفضلة!", + ), + "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "عذرًا، الرمز الذي أدخلته غير صحيح.", + ), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "عذرًا، لم نتمكن من إنشاء مفاتيح آمنة على هذا الجهاز.\n\nيرجى التسجيل من جهاز مختلف.", + ), + "sort": MessageLookupByLibrary.simpleMessage("فرز"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("فرز حسب"), + "sortNewestFirst": MessageLookupByLibrary.simpleMessage("الأحدث أولاً"), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage("الأقدم أولاً"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ نجاح"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": MessageLookupByLibrary.simpleMessage( + "تسليط الضوء عليك", + ), + "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( + "بدء الاسترداد", + ), + "startBackup": MessageLookupByLibrary.simpleMessage("بدء النسخ الاحتياطي"), + "status": MessageLookupByLibrary.simpleMessage("الحالة"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "هل تريد إيقاف البث؟", + ), + "stopCastingTitle": MessageLookupByLibrary.simpleMessage("إيقاف البث"), + "storage": MessageLookupByLibrary.simpleMessage("التخزين"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("العائلة"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("أنت"), + "storageInGB": m93, + "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( + "تم تجاوز حد التخزين", + ), + "storageUsageInfo": m94, + "streamDetails": MessageLookupByLibrary.simpleMessage("تفاصيل البث"), + "strongStrength": MessageLookupByLibrary.simpleMessage("قوية"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("اشتراك"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "المشاركة متاحة فقط للاشتراكات المدفوعة النشطة.", + ), + "subscription": MessageLookupByLibrary.simpleMessage("الاشتراك"), + "success": MessageLookupByLibrary.simpleMessage("تم بنجاح"), + "successfullyArchived": MessageLookupByLibrary.simpleMessage( + "تمت الأرشفة بنجاح.", + ), + "successfullyHid": MessageLookupByLibrary.simpleMessage( + "تم الإخفاء بنجاح.", + ), + "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( + "تم إلغاء الأرشفة بنجاح.", + ), + "successfullyUnhid": MessageLookupByLibrary.simpleMessage( + "تم الإظهار بنجاح.", + ), + "suggestFeatures": MessageLookupByLibrary.simpleMessage("اقتراح ميزة"), + "sunrise": MessageLookupByLibrary.simpleMessage("على الأفق"), + "support": MessageLookupByLibrary.simpleMessage("الدعم"), + "syncProgress": m97, + "syncStopped": MessageLookupByLibrary.simpleMessage("توقفت المزامنة"), + "syncing": MessageLookupByLibrary.simpleMessage("جارٍ المزامنة..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("النظام"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("انقر للنسخ"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage("انقر لإدخال الرمز"), + "tapToUnlock": MessageLookupByLibrary.simpleMessage("انقر لفتح القفل"), + "tapToUpload": MessageLookupByLibrary.simpleMessage("انقر للتحميل"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "يبدو أن خطأً ما قد حدث. يرجى المحاولة مرة أخرى بعد بعض الوقت. إذا استمر الخطأ، يرجى الاتصال بفريق الدعم لدينا.", + ), + "terminate": MessageLookupByLibrary.simpleMessage("إنهاء"), + "terminateSession": MessageLookupByLibrary.simpleMessage("إنهاء الجَلسةِ؟"), + "terms": MessageLookupByLibrary.simpleMessage("الشروط"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("شروط الخدمة"), + "thankYou": MessageLookupByLibrary.simpleMessage("شكرًا لك"), + "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( + "شكرًا لاشتراكك!", + ), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "تعذر إكمال التنزيل", + ), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "انتهت صلاحية الرابط الذي تحاول الوصول إليه.", + ), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "لن تظهر مجموعات الأشخاص في قسم الأشخاص بعد الآن. ستظل الصور دون تغيير.", + ), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "لن يتم عرض هذا الشخص في قسم الأشخاص بعد الآن. الصور ستبقى كما هي دون تغيير.", + ), + "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "مفتاح الاسترداد الذي أدخلته غير صحيح.", + ), + "theme": MessageLookupByLibrary.simpleMessage("المظهر"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage("سيتم حذف هذه العناصر من جهازك."), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "سيتم حذفها من جميع الألبومات.", + ), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "لا يمكن التراجع عن هذا الإجراء.", + ), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "هذا الألبوم لديه رابط تعاوني بالفعل.", + ), + "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( + "يمكن استخدام هذا المفتاح لاستعادة حسابك إذا فقدت العامل الثاني للمصادقة", + ), + "thisDevice": MessageLookupByLibrary.simpleMessage("هذا الجهاز"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "هذا البريد الإلكتروني مستخدم بالفعل.", + ), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "لا تحتوي هذه الصورة على بيانات EXIF.", + ), + "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("هذا أنا!"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "هذا هو معرّف التحقق الخاص بك", + ), + "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( + "هذا الأسبوع عبر السنين", + ), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "سيؤدي هذا إلى تسجيل خروجك من الجهاز التالي:", + ), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "سيؤدي هذا إلى تسجيل خروجك من هذا الجهاز!", + ), + "thisWillMakeTheDateAndTimeOfAllSelected": + MessageLookupByLibrary.simpleMessage( + "سيجعل هذا تاريخ ووقت جميع الصور المحددة متماثلاً.", + ), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "سيؤدي هذا إلى إزالة الروابط العامة لجميع الروابط السريعة المحددة.", + ), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "لتمكين قفل التطبيق، يرجى إعداد رمز مرور الجهاز أو قفل الشاشة في إعدادات النظام.", + ), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( + "لإخفاء صورة أو مقطع فيديو:", + ), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "لإعادة تعيين كلمة المرور، يرجى التحقق من بريدك الإلكتروني أولاً.", + ), + "todaysLogs": MessageLookupByLibrary.simpleMessage("سجلات اليوم"), + "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( + "محاولات غير صحيحة كثيرة جدًا.", + ), + "total": MessageLookupByLibrary.simpleMessage("المجموع"), + "totalSize": MessageLookupByLibrary.simpleMessage("الحجم الإجمالي"), + "trash": MessageLookupByLibrary.simpleMessage("سلة المهملات"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("قص"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": MessageLookupByLibrary.simpleMessage( + "جهات الاتصال الموثوقة", + ), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("المحاولة مرة أخرى"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "قم بتشغيل النسخ الاحتياطي لتحميل الملفات المضافة إلى مجلد الجهاز هذا تلقائيًا إلى Ente.", + ), + "twitter": MessageLookupByLibrary.simpleMessage("X (Twitter سابقًا)"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "شهرين مجانيين على الخطط السنوية.", + ), + "twofactor": MessageLookupByLibrary.simpleMessage("المصادقة الثنائية"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage("تم تعطيل المصادقة الثنائية."), + "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( + "المصادقة الثنائية", + ), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "تمت إعادة تعيين المصادقة الثنائية بنجاح.", + ), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "إعداد المصادقة الثنائية", + ), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("إلغاء الأرشفة"), + "unarchiveAlbum": MessageLookupByLibrary.simpleMessage( + "إلغاء أرشفة الألبوم", + ), + "unarchiving": MessageLookupByLibrary.simpleMessage( + "جارٍ إلغاء الأرشفة...", + ), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "عذرًا، هذا الرمز غير متوفر.", + ), + "uncategorized": MessageLookupByLibrary.simpleMessage("غير مصنف"), + "unhide": MessageLookupByLibrary.simpleMessage("إظهار"), + "unhideToAlbum": MessageLookupByLibrary.simpleMessage("إظهار في الألبوم"), + "unhiding": MessageLookupByLibrary.simpleMessage("جارٍ إظهار..."), + "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "جارٍ إظهار الملفات في الألبوم...", + ), + "unlock": MessageLookupByLibrary.simpleMessage("فتح"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("إلغاء تثبيت الألبوم"), + "unselectAll": MessageLookupByLibrary.simpleMessage("إلغاء تحديد الكل"), + "update": MessageLookupByLibrary.simpleMessage("تحديث"), + "updateAvailable": MessageLookupByLibrary.simpleMessage("يتوفر تحديث"), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "جارٍ تحديث تحديد المجلد...", + ), + "upgrade": MessageLookupByLibrary.simpleMessage("ترقية"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "جارٍ تحميل الملفات إلى الألبوم...", + ), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( + "جارٍ حفظ ذكرى واحدة...", + ), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "خصم يصل إلى 50%، حتى 4 ديسمبر.", + ), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "مساحة التخزين القابلة للاستخدام مقيدة بخطتك الحالية.\nالمساحة التخزينية الزائدة التي تمت المطالبة بها ستصبح قابلة للاستخدام تلقائيًا عند ترقية خطتك.", + ), + "useAsCover": MessageLookupByLibrary.simpleMessage("استخدام كغلاف"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "هل تواجه مشكلة في تشغيل هذا الفيديو؟ اضغط مطولاً هنا لتجربة مشغل مختلف.", + ), + "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( + "استخدم الروابط العامة للأشخاص غير المسجلين في Ente.", + ), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "استخدام مفتاح الاسترداد", + ), + "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( + "استخدام الصورة المحددة", + ), + "usedSpace": MessageLookupByLibrary.simpleMessage("المساحة المستخدمة"), + "validTill": m110, + "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "فشل التحقق، يرجى المحاولة مرة أخرى.", + ), + "verificationId": MessageLookupByLibrary.simpleMessage("معرّف التحقق"), + "verify": MessageLookupByLibrary.simpleMessage("التحقق"), + "verifyEmail": MessageLookupByLibrary.simpleMessage( + "التحقق من البريد الإلكتروني", + ), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("تحقق"), + "verifyPasskey": MessageLookupByLibrary.simpleMessage( + "التحقق من مفتاح المرور", + ), + "verifyPassword": MessageLookupByLibrary.simpleMessage( + "التحقق من كلمة المرور", + ), + "verifying": MessageLookupByLibrary.simpleMessage("جارٍ التحقق..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "جارٍ التحقق من مفتاح الاسترداد...", + ), + "videoInfo": MessageLookupByLibrary.simpleMessage("معلومات الفيديو"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("فيديو"), + "videoStreaming": MessageLookupByLibrary.simpleMessage( + "مقاطع فيديو قابلة للبث", + ), + "videos": MessageLookupByLibrary.simpleMessage("مقاطع الفيديو"), + "viewActiveSessions": MessageLookupByLibrary.simpleMessage( + "عرض الجلسات النشطة", + ), + "viewAddOnButton": MessageLookupByLibrary.simpleMessage("عرض الإضافات"), + "viewAll": MessageLookupByLibrary.simpleMessage("عرض الكل"), + "viewAllExifData": MessageLookupByLibrary.simpleMessage( + "عرض جميع بيانات EXIF", + ), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("الملفات الكبيرة"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "عرض الملفات التي تستهلك أكبر قدر من مساحة التخزين.", + ), + "viewLogs": MessageLookupByLibrary.simpleMessage("عرض السجلات"), + "viewPersonToUnlink": m112, + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( + "عرض مفتاح الاسترداد", + ), + "viewer": MessageLookupByLibrary.simpleMessage("مشاهد"), + "viewersSuccessfullyAdded": m113, + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "يرجى زيارة web.ente.io لإدارة اشتراكك.", + ), + "waitingForVerification": MessageLookupByLibrary.simpleMessage( + "في انتظار التحقق...", + ), + "waitingForWifi": MessageLookupByLibrary.simpleMessage( + "في انتظار شبكة Wi-Fi...", + ), + "warning": MessageLookupByLibrary.simpleMessage("تحذير"), + "weAreOpenSource": MessageLookupByLibrary.simpleMessage( + "نحن مفتوحو المصدر!", + ), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "لا ندعم تعديل الصور والألبومات التي لا تملكها بعد.", + ), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("ضعيفة"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("أهلاً بعودتك!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("ما الجديد"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "يمكن لجهة الاتصال الموثوقة المساعدة في استعادة بياناتك.", + ), + "widgets": MessageLookupByLibrary.simpleMessage("عناصر واجهة"), + "wishThemAHappyBirthday": m115, + "yearShort": MessageLookupByLibrary.simpleMessage("سنة"), + "yearly": MessageLookupByLibrary.simpleMessage("سنويًا"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("نعم"), + "yesCancel": MessageLookupByLibrary.simpleMessage("نعم، إلغاء"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "نعم، التحويل إلى مشاهد", + ), + "yesDelete": MessageLookupByLibrary.simpleMessage("نعم، حذف"), + "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( + "نعم، تجاهل التغييرات", + ), + "yesIgnore": MessageLookupByLibrary.simpleMessage("نعم، تجاهل"), + "yesLogout": MessageLookupByLibrary.simpleMessage("نعم، تسجيل الخروج"), + "yesRemove": MessageLookupByLibrary.simpleMessage("نعم، إزالة"), + "yesRenew": MessageLookupByLibrary.simpleMessage("نعم، تجديد"), + "yesResetPerson": MessageLookupByLibrary.simpleMessage( + "نعم، إعادة تعيين الشخص", + ), + "you": MessageLookupByLibrary.simpleMessage("أنت"), + "youAndThem": m117, + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( + "أنت مشترك في خطة عائلية!", + ), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "أنت تستخدم أحدث إصدار.", + ), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* يمكنك مضاعفة مساحة التخزين الخاصة بك بحد أقصى", + ), + "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( + "يمكنك إدارة روابطك في علامة تبويب المشاركة.", + ), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "يمكنك محاولة البحث عن استعلام مختلف.", + ), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "لا يمكنك الترقية إلى هذه الخطة.", + ), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "لا يمكنك المشاركة مع نفسك.", + ), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "لا توجد لديك أي عناصر مؤرشفة.", + ), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "تم حذف حسابك بنجاح", + ), + "yourMap": MessageLookupByLibrary.simpleMessage("خريطتك"), + "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( + "تم تخفيض خطتك بنجاح.", + ), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "تمت ترقية خطتك بنجاح.", + ), + "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( + "تم الشراء بنجاح.", + ), + "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( + "تعذر جلب تفاصيل التخزين الخاصة بك.", + ), + "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( + "انتهت صلاحية اشتراكك", + ), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage("تم تحديث اشتراكك بنجاح."), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "انتهت صلاحية رمز التحقق الخاص بك.", + ), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "لا توجد لديك أي ملفات مكررة يمكن مسحها", + ), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "لا توجد لديك ملفات في هذا الألبوم يمكن حذفها.", + ), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( + "قم بالتصغير لرؤية الصور", + ), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_be.dart b/mobile/apps/photos/lib/generated/intl/messages_be.dart index 41a53c6eaf..d42fc43ea6 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_be.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_be.dart @@ -30,276 +30,334 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "about": MessageLookupByLibrary.simpleMessage("Пра праграму"), - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("З вяртаннем!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Я ўсведамляю, што калі я страчу свой пароль, то я магу згубіць свае даныя, бо мае даныя абаронены скразным шыфраваннем."), - "activeSessions": - MessageLookupByLibrary.simpleMessage("Актыўныя сеансы"), - "addMore": MessageLookupByLibrary.simpleMessage("Дадаць яшчэ"), - "addViewer": MessageLookupByLibrary.simpleMessage("Дадаць гледача"), - "after1Day": MessageLookupByLibrary.simpleMessage("Праз 1 дзень"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Праз 1 гадзіну"), - "after1Month": MessageLookupByLibrary.simpleMessage("Праз 1 месяц"), - "after1Week": MessageLookupByLibrary.simpleMessage("Праз 1 тыдзень"), - "after1Year": MessageLookupByLibrary.simpleMessage("Праз 1 год"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Уладальнік"), - "apply": MessageLookupByLibrary.simpleMessage("Ужыць"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Якая асноўная прычына выдалення вашага ўліковага запісу?"), - "backup": MessageLookupByLibrary.simpleMessage("Рэзервовая копія"), - "cancel": MessageLookupByLibrary.simpleMessage("Скасаваць"), - "change": MessageLookupByLibrary.simpleMessage("Змяніць"), - "changeEmail": MessageLookupByLibrary.simpleMessage( - "Змяніць адрас электроннай пошты"), - "changePasswordTitle": - MessageLookupByLibrary.simpleMessage("Змяніць пароль"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Праверце свае ўваходныя лісты (і спам) для завяршэння праверкі"), - "codeAppliedPageTitle": - MessageLookupByLibrary.simpleMessage("Код ужыты"), - "confirm": MessageLookupByLibrary.simpleMessage("Пацвердзіць"), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Пацвердзіць выдаленне ўліковага запісу"), - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Так. Я хачу незваротна выдаліць гэты ўліковы запіс і яго даныя ва ўсіх праграмах."), - "confirmPassword": - MessageLookupByLibrary.simpleMessage("Пацвердзіць пароль"), - "contactSupport": MessageLookupByLibrary.simpleMessage( - "Звярніцеся ў службу падтрымкі"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Працягнуць"), - "copyLink": MessageLookupByLibrary.simpleMessage("Скапіяваць спасылку"), - "createAccount": - MessageLookupByLibrary.simpleMessage("Стварыць уліковы запіс"), - "createNewAccount": - MessageLookupByLibrary.simpleMessage("Стварыць новы ўліковы запіс"), - "darkTheme": MessageLookupByLibrary.simpleMessage("Цёмная"), - "decrypting": MessageLookupByLibrary.simpleMessage("Расшыфроўка..."), - "deleteAccount": - MessageLookupByLibrary.simpleMessage("Выдаліць уліковы запіс"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Нам шкада, што вы выдаляеце свой уліковы запіс. Абагуліце з намі водгук, каб дапамагчы нам палепшыць сэрвіс."), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Незваротна выдаліць уліковы запіс"), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Выдаліць альбом"), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Адпраўце ліст на account-deletion@ente.io з вашага зарэгістраванага адраса электроннай пошты."), - "deleteFromEnte": - MessageLookupByLibrary.simpleMessage("Выдаліць з Ente"), - "deletePhotos": MessageLookupByLibrary.simpleMessage("Выдаліць фота"), - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "У вас адсутнічае важная функцыя, якая мне неабходна"), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "Праграма або пэўная функцыя не паводзіць сябе так, як павінна"), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Я знайшоў больш прывабны сэрвіс"), - "deleteReason4": - MessageLookupByLibrary.simpleMessage("Прычына адсутнічае ў спісе"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Ваш запыт будзе апрацаваны цягам 72 гадзін."), - "details": MessageLookupByLibrary.simpleMessage("Падрабязнасці"), - "discover_food": MessageLookupByLibrary.simpleMessage("Ежа"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Нататкі"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Хатнія жывёлы"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Чэкі"), - "discover_screenshots": - MessageLookupByLibrary.simpleMessage("Скрыншоты"), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Сэлфi"), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Шпалеры"), - "doThisLater": - MessageLookupByLibrary.simpleMessage("Зрабіць гэта пазней"), - "done": MessageLookupByLibrary.simpleMessage("Гатова"), - "email": MessageLookupByLibrary.simpleMessage("Электронная пошта"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "Электронная пошта ўжо зарэгістравана."), - "encryption": MessageLookupByLibrary.simpleMessage("Шыфраванне"), - "encryptionKeys": - MessageLookupByLibrary.simpleMessage("Ключы шыфравання"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Праграме неабходны доступ для захавання вашых фатаграфій"), - "enterCode": MessageLookupByLibrary.simpleMessage("Увядзіце код"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Увядзіце новы пароль, каб мы маглі выкарыстаць яго для расшыфроўкі вашых даных"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Увядзіце пароль, каб мы маглі выкарыстаць яго для расшыфроўкі вашых даных"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Увядзіце сапраўдны адрас электронная пошты."), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Увядзіце свой адрас электроннай пошты"), - "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( - "Увядзіце ваш новы адрас электроннай пошты"), - "enterYourPassword": - MessageLookupByLibrary.simpleMessage("Увядзіце свой пароль"), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Увядзіце свой ключ аднаўлення"), - "familyPlans": - MessageLookupByLibrary.simpleMessage("Сямейныя тарыфныя планы"), - "faq": MessageLookupByLibrary.simpleMessage("Частыя пытанні"), - "faqs": MessageLookupByLibrary.simpleMessage("Частыя пытанні"), - "feedback": MessageLookupByLibrary.simpleMessage("Водгук"), - "forgotPassword": - MessageLookupByLibrary.simpleMessage("Забыліся пароль"), - "freeTrial": - MessageLookupByLibrary.simpleMessage("Бясплатная пробная версія"), - "general": MessageLookupByLibrary.simpleMessage("Асноўныя"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Генерацыя ключоў шыфравання..."), - "howItWorks": MessageLookupByLibrary.simpleMessage("Як гэта працуе"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Iгнараваць"), - "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("Няправільны пароль"), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "Вы ўвялі памылковы ключ аднаўлення"), - "incorrectRecoveryKeyTitle": - MessageLookupByLibrary.simpleMessage("Няправільны ключ аднаўлення"), - "insecureDevice": - MessageLookupByLibrary.simpleMessage("Небяспечная прылада"), - "installManually": - MessageLookupByLibrary.simpleMessage("Усталяваць уручную"), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "Памылковы адрас электроннай пошты"), - "invalidKey": MessageLookupByLibrary.simpleMessage("Няправільны ключ"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Калі ласка, дапамажыце нам з гэтай інфармацыяй"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Светлая"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Пратэрмінавана"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Ніколі"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Замкнуць"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Экран блакіроўкі"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Увайсці"), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Націскаючы ўвайсці, я пагаджаюся з умовамі абслугоўвання і палітыкай прыватнасці"), - "logout": MessageLookupByLibrary.simpleMessage("Выйсці"), - "lostDevice": MessageLookupByLibrary.simpleMessage("Згубілі прыладу?"), - "magicSearch": MessageLookupByLibrary.simpleMessage("Магічны пошук"), - "manage": MessageLookupByLibrary.simpleMessage("Кіраванне"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Кіраванне"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Умераны"), - "never": MessageLookupByLibrary.simpleMessage("Ніколі"), - "noDuplicates": - MessageLookupByLibrary.simpleMessage("✨ Няма дублікатаў"), - "noRecoveryKey": - MessageLookupByLibrary.simpleMessage("Няма ключа аднаўлення?"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Вашы даныя не могуць быць расшыфраваны без пароля або ключа аднаўлення па прычыне архітэктуры наша пратакола скразнога шыфравання"), - "notifications": MessageLookupByLibrary.simpleMessage("Апавяшчэнні"), - "ok": MessageLookupByLibrary.simpleMessage("Добра"), - "oops": MessageLookupByLibrary.simpleMessage("Вой"), - "oopsSomethingWentWrong": - MessageLookupByLibrary.simpleMessage("Штосьці пайшло не так"), - "password": MessageLookupByLibrary.simpleMessage("Пароль"), - "passwordChangedSuccessfully": - MessageLookupByLibrary.simpleMessage("Пароль паспяхова зменены"), - "passwordStrength": m57, - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Мы не захоўваем гэты пароль і мы не зможам расшыфраваць вашы даныя, калі вы забудзеце яго"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("фота"), - "pleaseTryAgain": - MessageLookupByLibrary.simpleMessage("Паспрабуйце яшчэ раз"), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Пачакайце..."), - "privacyPolicyTitle": - MessageLookupByLibrary.simpleMessage("Палітыка прыватнасці"), - "rateUs": MessageLookupByLibrary.simpleMessage("Ацаніце нас"), - "recover": MessageLookupByLibrary.simpleMessage("Аднавіць"), - "recoverAccount": - MessageLookupByLibrary.simpleMessage("Аднавіць уліковы запіс"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Аднавіць"), - "recoveryKey": MessageLookupByLibrary.simpleMessage("Ключ аднаўлення"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Ключ аднаўлення скапіяваны ў буфер абмену"), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Адзіным спосабам аднавіць вашы даныя з\'яўляецца гэты ключ, калі вы забылі свой пароль."), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Захавайце гэты ключ, які складаецца з 24 слоў, у наедзеным месцы. Ён не захоўваецца на нашым серверы."), - "recoverySuccessful": - MessageLookupByLibrary.simpleMessage("Паспяховае аднаўленне!"), - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "У бягучай прылады недастаткова вылічальнай здольнасці для праверкі вашага паролю, але мы можам регенерыраваць яго, бо гэта працуе з усімі прыладамі.\n\nУвайдзіце, выкарыстоўваючы свой ключа аднаўлення і регенерыруйце свой пароль (калі хочаце, то можаце выбраць папярэдні пароль)."), - "recreatePasswordTitle": - MessageLookupByLibrary.simpleMessage("Стварыць пароль паўторна"), - "remove": MessageLookupByLibrary.simpleMessage("Выдаліць"), - "removeDuplicates": - MessageLookupByLibrary.simpleMessage("Выдаліць дублікаты"), - "removeParticipant": - MessageLookupByLibrary.simpleMessage("Выдаліць удзельніка"), - "removeWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Выдаліць?"), - "resendEmail": - MessageLookupByLibrary.simpleMessage("Адправіць ліст яшчэ раз"), - "resetPasswordTitle": - MessageLookupByLibrary.simpleMessage("Скінуць пароль"), - "retry": MessageLookupByLibrary.simpleMessage("Паўтарыць"), - "saveKey": MessageLookupByLibrary.simpleMessage("Захаваць ключ"), - "scanCode": MessageLookupByLibrary.simpleMessage("Сканіраваць код"), - "security": MessageLookupByLibrary.simpleMessage("Бяспека"), - "selectAll": MessageLookupByLibrary.simpleMessage("Абраць усё"), - "selectReason": - MessageLookupByLibrary.simpleMessage("Выберыце прычыну"), - "sendEmail": MessageLookupByLibrary.simpleMessage("Адправіць ліст"), - "sendLink": MessageLookupByLibrary.simpleMessage("Адправіць спасылку"), - "setPasswordTitle": - MessageLookupByLibrary.simpleMessage("Задаць пароль"), - "setupComplete": - MessageLookupByLibrary.simpleMessage("Наладжванне завершана"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Я пагаджаюся з умовамі абслугоўвання і палітыкай прыватнасці"), - "skip": MessageLookupByLibrary.simpleMessage("Прапусціць"), - "somethingWentWrongPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Нешта пайшло не так. Паспрабуйце яшчэ раз"), - "sorry": MessageLookupByLibrary.simpleMessage("Прабачце"), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Немагчыма згенерыраваць ключы бяспекі на гэтай прыладзе.\n\nЗарэгіструйцеся з іншай прылады."), - "status": MessageLookupByLibrary.simpleMessage("Стан"), - "storageInGB": m93, - "strongStrength": MessageLookupByLibrary.simpleMessage("Надзейны"), - "support": MessageLookupByLibrary.simpleMessage("Падтрымка"), - "systemTheme": MessageLookupByLibrary.simpleMessage("Сістэма"), - "tapToCopy": - MessageLookupByLibrary.simpleMessage("націсніце, каб скапіяваць"), - "tapToEnterCode": - MessageLookupByLibrary.simpleMessage("Націсніце, каб увесці код"), - "terminate": MessageLookupByLibrary.simpleMessage("Перарваць"), - "terminateSession": - MessageLookupByLibrary.simpleMessage("Перарваць сеанс?"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Умовы"), - "theme": MessageLookupByLibrary.simpleMessage("Тема"), - "thisDevice": MessageLookupByLibrary.simpleMessage("Гэта прылада"), - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Гэта дзеянне завяршыць сеанс на наступнай прыладзе:"), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Гэта дзеянне завяршыць сеанс на вашай прыладзе!"), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Праверце электронную пошту, каб скінуць свой пароль."), - "trash": MessageLookupByLibrary.simpleMessage("Сметніца"), - "twofactorAuthenticationPageTitle": - MessageLookupByLibrary.simpleMessage( - "Двухфактарная аўтэнтыфікацыя"), - "uncategorized": MessageLookupByLibrary.simpleMessage("Без катэгорыі"), - "update": MessageLookupByLibrary.simpleMessage("Абнавіць"), - "updateAvailable": - MessageLookupByLibrary.simpleMessage("Даступна абнаўленне"), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Выкарыстоўваць ключ аднаўлення"), - "verify": MessageLookupByLibrary.simpleMessage("Праверыць"), - "verifyEmail": - MessageLookupByLibrary.simpleMessage("Праверыць электронную пошту"), - "verifyPassword": - MessageLookupByLibrary.simpleMessage("Праверыць пароль"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("відэа"), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Вялікія файлы"), - "viewer": MessageLookupByLibrary.simpleMessage("Праглядальнік"), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Ненадзейны"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("З вяртаннем!"), - "yesDelete": MessageLookupByLibrary.simpleMessage("Так, выдаліць"), - "yesLogout": MessageLookupByLibrary.simpleMessage("Так, выйсці"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Так, выдаліць"), - "you": MessageLookupByLibrary.simpleMessage("Вы"), - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "Ваш уліковы запіс быў выдалены") - }; + "about": MessageLookupByLibrary.simpleMessage("Пра праграму"), + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage("З вяртаннем!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Я ўсведамляю, што калі я страчу свой пароль, то я магу згубіць свае даныя, бо мае даныя абаронены скразным шыфраваннем.", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage("Актыўныя сеансы"), + "addMore": MessageLookupByLibrary.simpleMessage("Дадаць яшчэ"), + "addViewer": MessageLookupByLibrary.simpleMessage("Дадаць гледача"), + "after1Day": MessageLookupByLibrary.simpleMessage("Праз 1 дзень"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Праз 1 гадзіну"), + "after1Month": MessageLookupByLibrary.simpleMessage("Праз 1 месяц"), + "after1Week": MessageLookupByLibrary.simpleMessage("Праз 1 тыдзень"), + "after1Year": MessageLookupByLibrary.simpleMessage("Праз 1 год"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Уладальнік"), + "apply": MessageLookupByLibrary.simpleMessage("Ужыць"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Якая асноўная прычына выдалення вашага ўліковага запісу?", + ), + "backup": MessageLookupByLibrary.simpleMessage("Рэзервовая копія"), + "cancel": MessageLookupByLibrary.simpleMessage("Скасаваць"), + "change": MessageLookupByLibrary.simpleMessage("Змяніць"), + "changeEmail": MessageLookupByLibrary.simpleMessage( + "Змяніць адрас электроннай пошты", + ), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Змяніць пароль", + ), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Праверце свае ўваходныя лісты (і спам) для завяршэння праверкі", + ), + "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage("Код ужыты"), + "confirm": MessageLookupByLibrary.simpleMessage("Пацвердзіць"), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Пацвердзіць выдаленне ўліковага запісу", + ), + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Так. Я хачу незваротна выдаліць гэты ўліковы запіс і яго даныя ва ўсіх праграмах.", + ), + "confirmPassword": MessageLookupByLibrary.simpleMessage( + "Пацвердзіць пароль", + ), + "contactSupport": MessageLookupByLibrary.simpleMessage( + "Звярніцеся ў службу падтрымкі", + ), + "continueLabel": MessageLookupByLibrary.simpleMessage("Працягнуць"), + "copyLink": MessageLookupByLibrary.simpleMessage("Скапіяваць спасылку"), + "createAccount": MessageLookupByLibrary.simpleMessage( + "Стварыць уліковы запіс", + ), + "createNewAccount": MessageLookupByLibrary.simpleMessage( + "Стварыць новы ўліковы запіс", + ), + "darkTheme": MessageLookupByLibrary.simpleMessage("Цёмная"), + "decrypting": MessageLookupByLibrary.simpleMessage("Расшыфроўка..."), + "deleteAccount": MessageLookupByLibrary.simpleMessage( + "Выдаліць уліковы запіс", + ), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Нам шкада, што вы выдаляеце свой уліковы запіс. Абагуліце з намі водгук, каб дапамагчы нам палепшыць сэрвіс.", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Незваротна выдаліць уліковы запіс", + ), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Выдаліць альбом"), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Адпраўце ліст на account-deletion@ente.io з вашага зарэгістраванага адраса электроннай пошты.", + ), + "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Выдаліць з Ente"), + "deletePhotos": MessageLookupByLibrary.simpleMessage("Выдаліць фота"), + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "У вас адсутнічае важная функцыя, якая мне неабходна", + ), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "Праграма або пэўная функцыя не паводзіць сябе так, як павінна", + ), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Я знайшоў больш прывабны сэрвіс", + ), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "Прычына адсутнічае ў спісе", + ), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Ваш запыт будзе апрацаваны цягам 72 гадзін.", + ), + "details": MessageLookupByLibrary.simpleMessage("Падрабязнасці"), + "discover_food": MessageLookupByLibrary.simpleMessage("Ежа"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Нататкі"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Хатнія жывёлы"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Чэкі"), + "discover_screenshots": MessageLookupByLibrary.simpleMessage("Скрыншоты"), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Сэлфi"), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Шпалеры"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Зрабіць гэта пазней"), + "done": MessageLookupByLibrary.simpleMessage("Гатова"), + "email": MessageLookupByLibrary.simpleMessage("Электронная пошта"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "Электронная пошта ўжо зарэгістравана.", + ), + "encryption": MessageLookupByLibrary.simpleMessage("Шыфраванне"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage("Ключы шыфравання"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Праграме неабходны доступ для захавання вашых фатаграфій", + ), + "enterCode": MessageLookupByLibrary.simpleMessage("Увядзіце код"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Увядзіце новы пароль, каб мы маглі выкарыстаць яго для расшыфроўкі вашых даных", + ), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Увядзіце пароль, каб мы маглі выкарыстаць яго для расшыфроўкі вашых даных", + ), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Увядзіце сапраўдны адрас электронная пошты.", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Увядзіце свой адрас электроннай пошты", + ), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Увядзіце ваш новы адрас электроннай пошты", + ), + "enterYourPassword": MessageLookupByLibrary.simpleMessage( + "Увядзіце свой пароль", + ), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Увядзіце свой ключ аднаўлення", + ), + "familyPlans": MessageLookupByLibrary.simpleMessage( + "Сямейныя тарыфныя планы", + ), + "faq": MessageLookupByLibrary.simpleMessage("Частыя пытанні"), + "faqs": MessageLookupByLibrary.simpleMessage("Частыя пытанні"), + "feedback": MessageLookupByLibrary.simpleMessage("Водгук"), + "forgotPassword": MessageLookupByLibrary.simpleMessage("Забыліся пароль"), + "freeTrial": MessageLookupByLibrary.simpleMessage( + "Бясплатная пробная версія", + ), + "general": MessageLookupByLibrary.simpleMessage("Асноўныя"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Генерацыя ключоў шыфравання...", + ), + "howItWorks": MessageLookupByLibrary.simpleMessage("Як гэта працуе"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Iгнараваць"), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Няправільны пароль", + ), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Вы ўвялі памылковы ключ аднаўлення", + ), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Няправільны ключ аднаўлення", + ), + "insecureDevice": MessageLookupByLibrary.simpleMessage( + "Небяспечная прылада", + ), + "installManually": MessageLookupByLibrary.simpleMessage( + "Усталяваць уручную", + ), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "Памылковы адрас электроннай пошты", + ), + "invalidKey": MessageLookupByLibrary.simpleMessage("Няправільны ключ"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Калі ласка, дапамажыце нам з гэтай інфармацыяй", + ), + "lightTheme": MessageLookupByLibrary.simpleMessage("Светлая"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Пратэрмінавана"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Ніколі"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Замкнуць"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Экран блакіроўкі"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Увайсці"), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Націскаючы ўвайсці, я пагаджаюся з умовамі абслугоўвання і палітыкай прыватнасці", + ), + "logout": MessageLookupByLibrary.simpleMessage("Выйсці"), + "lostDevice": MessageLookupByLibrary.simpleMessage("Згубілі прыладу?"), + "magicSearch": MessageLookupByLibrary.simpleMessage("Магічны пошук"), + "manage": MessageLookupByLibrary.simpleMessage("Кіраванне"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Кіраванне"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Умераны"), + "never": MessageLookupByLibrary.simpleMessage("Ніколі"), + "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Няма дублікатаў"), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Няма ключа аднаўлення?", + ), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Вашы даныя не могуць быць расшыфраваны без пароля або ключа аднаўлення па прычыне архітэктуры наша пратакола скразнога шыфравання", + ), + "notifications": MessageLookupByLibrary.simpleMessage("Апавяшчэнні"), + "ok": MessageLookupByLibrary.simpleMessage("Добра"), + "oops": MessageLookupByLibrary.simpleMessage("Вой"), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Штосьці пайшло не так", + ), + "password": MessageLookupByLibrary.simpleMessage("Пароль"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Пароль паспяхова зменены", + ), + "passwordStrength": m57, + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Мы не захоўваем гэты пароль і мы не зможам расшыфраваць вашы даныя, калі вы забудзеце яго", + ), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("фота"), + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Паспрабуйце яшчэ раз", + ), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Пачакайце..."), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "Палітыка прыватнасці", + ), + "rateUs": MessageLookupByLibrary.simpleMessage("Ацаніце нас"), + "recover": MessageLookupByLibrary.simpleMessage("Аднавіць"), + "recoverAccount": MessageLookupByLibrary.simpleMessage( + "Аднавіць уліковы запіс", + ), + "recoverButton": MessageLookupByLibrary.simpleMessage("Аднавіць"), + "recoveryKey": MessageLookupByLibrary.simpleMessage("Ключ аднаўлення"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Ключ аднаўлення скапіяваны ў буфер абмену", + ), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Адзіным спосабам аднавіць вашы даныя з\'яўляецца гэты ключ, калі вы забылі свой пароль.", + ), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Захавайце гэты ключ, які складаецца з 24 слоў, у наедзеным месцы. Ён не захоўваецца на нашым серверы.", + ), + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "Паспяховае аднаўленне!", + ), + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "У бягучай прылады недастаткова вылічальнай здольнасці для праверкі вашага паролю, але мы можам регенерыраваць яго, бо гэта працуе з усімі прыладамі.\n\nУвайдзіце, выкарыстоўваючы свой ключа аднаўлення і регенерыруйце свой пароль (калі хочаце, то можаце выбраць папярэдні пароль).", + ), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Стварыць пароль паўторна", + ), + "remove": MessageLookupByLibrary.simpleMessage("Выдаліць"), + "removeDuplicates": MessageLookupByLibrary.simpleMessage( + "Выдаліць дублікаты", + ), + "removeParticipant": MessageLookupByLibrary.simpleMessage( + "Выдаліць удзельніка", + ), + "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Выдаліць?"), + "resendEmail": MessageLookupByLibrary.simpleMessage( + "Адправіць ліст яшчэ раз", + ), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Скінуць пароль", + ), + "retry": MessageLookupByLibrary.simpleMessage("Паўтарыць"), + "saveKey": MessageLookupByLibrary.simpleMessage("Захаваць ключ"), + "scanCode": MessageLookupByLibrary.simpleMessage("Сканіраваць код"), + "security": MessageLookupByLibrary.simpleMessage("Бяспека"), + "selectAll": MessageLookupByLibrary.simpleMessage("Абраць усё"), + "selectReason": MessageLookupByLibrary.simpleMessage("Выберыце прычыну"), + "sendEmail": MessageLookupByLibrary.simpleMessage("Адправіць ліст"), + "sendLink": MessageLookupByLibrary.simpleMessage("Адправіць спасылку"), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage("Задаць пароль"), + "setupComplete": MessageLookupByLibrary.simpleMessage( + "Наладжванне завершана", + ), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Я пагаджаюся з умовамі абслугоўвання і палітыкай прыватнасці", + ), + "skip": MessageLookupByLibrary.simpleMessage("Прапусціць"), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Нешта пайшло не так. Паспрабуйце яшчэ раз", + ), + "sorry": MessageLookupByLibrary.simpleMessage("Прабачце"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Немагчыма згенерыраваць ключы бяспекі на гэтай прыладзе.\n\nЗарэгіструйцеся з іншай прылады.", + ), + "status": MessageLookupByLibrary.simpleMessage("Стан"), + "storageInGB": m93, + "strongStrength": MessageLookupByLibrary.simpleMessage("Надзейны"), + "support": MessageLookupByLibrary.simpleMessage("Падтрымка"), + "systemTheme": MessageLookupByLibrary.simpleMessage("Сістэма"), + "tapToCopy": MessageLookupByLibrary.simpleMessage( + "націсніце, каб скапіяваць", + ), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage( + "Націсніце, каб увесці код", + ), + "terminate": MessageLookupByLibrary.simpleMessage("Перарваць"), + "terminateSession": MessageLookupByLibrary.simpleMessage( + "Перарваць сеанс?", + ), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Умовы"), + "theme": MessageLookupByLibrary.simpleMessage("Тема"), + "thisDevice": MessageLookupByLibrary.simpleMessage("Гэта прылада"), + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Гэта дзеянне завяршыць сеанс на наступнай прыладзе:", + ), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Гэта дзеянне завяршыць сеанс на вашай прыладзе!", + ), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Праверце электронную пошту, каб скінуць свой пароль.", + ), + "trash": MessageLookupByLibrary.simpleMessage("Сметніца"), + "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( + "Двухфактарная аўтэнтыфікацыя", + ), + "uncategorized": MessageLookupByLibrary.simpleMessage("Без катэгорыі"), + "update": MessageLookupByLibrary.simpleMessage("Абнавіць"), + "updateAvailable": MessageLookupByLibrary.simpleMessage( + "Даступна абнаўленне", + ), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Выкарыстоўваць ключ аднаўлення", + ), + "verify": MessageLookupByLibrary.simpleMessage("Праверыць"), + "verifyEmail": MessageLookupByLibrary.simpleMessage( + "Праверыць электронную пошту", + ), + "verifyPassword": MessageLookupByLibrary.simpleMessage("Праверыць пароль"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("відэа"), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Вялікія файлы"), + "viewer": MessageLookupByLibrary.simpleMessage("Праглядальнік"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Ненадзейны"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("З вяртаннем!"), + "yesDelete": MessageLookupByLibrary.simpleMessage("Так, выдаліць"), + "yesLogout": MessageLookupByLibrary.simpleMessage("Так, выйсці"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Так, выдаліць"), + "you": MessageLookupByLibrary.simpleMessage("Вы"), + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "Ваш уліковы запіс быў выдалены", + ), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_cs.dart b/mobile/apps/photos/lib/generated/intl/messages_cs.dart index 64aec33ca1..d5a4aa3690 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_cs.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_cs.dart @@ -22,8 +22,14 @@ class MessageLookup extends MessageLookupByLibrary { static String m6(albumName) => "Úspěšně přidáno do ${albumName}"; + static String m25(supportEmail) => + "Prosíme, napiště e-mail na ${supportEmail} ze schránky, kterou jste použili k registraci"; + static String m47(expiryTime) => "Platnost odkazu vyprší ${expiryTime}"; + static String m57(passwordStrengthValue) => + "Síla hesla: ${passwordStrengthValue}"; + static String m68(storeName) => "Ohodnoťte nás na ${storeName}"; static String m75(endDate) => "Předplatné se obnoví ${endDate}"; @@ -32,525 +38,681 @@ class MessageLookup extends MessageLookupByLibrary { static String m111(email) => "Ověřit ${email}"; + static String m114(email) => + "Poslali jsme vám zprávu na ${email}"; + static String m117(name) => "Vy a ${name}"; final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Je dostupná nová verze Ente."), - "acceptTrustInvite": - MessageLookupByLibrary.simpleMessage("Přijmout pozvání"), - "account": MessageLookupByLibrary.simpleMessage("Účet"), - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("Vítejte zpět!"), - "activeSessions": - MessageLookupByLibrary.simpleMessage("Aktivní relace"), - "add": MessageLookupByLibrary.simpleMessage("Přidat"), - "addFiles": MessageLookupByLibrary.simpleMessage("Přidat soubory"), - "addLocation": MessageLookupByLibrary.simpleMessage("Přidat polohu"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Přidat"), - "addMore": MessageLookupByLibrary.simpleMessage("Přidat další"), - "addName": MessageLookupByLibrary.simpleMessage("Přidat název"), - "addNew": MessageLookupByLibrary.simpleMessage("Přidat nový"), - "addNewPerson": - MessageLookupByLibrary.simpleMessage("Přidat novou osobu"), - "addPhotos": MessageLookupByLibrary.simpleMessage("Přidat fotky"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("Přidat do alba"), - "addedSuccessfullyTo": m6, - "advancedSettings": MessageLookupByLibrary.simpleMessage("Pokročilé"), - "after1Day": MessageLookupByLibrary.simpleMessage("Po 1 dni"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Po 1 hodině"), - "after1Month": MessageLookupByLibrary.simpleMessage("Po 1 měsíci"), - "after1Week": MessageLookupByLibrary.simpleMessage("Po 1 týdnu"), - "after1Year": MessageLookupByLibrary.simpleMessage("Po 1 roce"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Vlastník"), - "albumUpdated": - MessageLookupByLibrary.simpleMessage("Album bylo aktualizováno"), - "albums": MessageLookupByLibrary.simpleMessage("Alba"), - "allow": MessageLookupByLibrary.simpleMessage("Povolit"), - "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( - "Je požadováno biometrické ověření"), - "androidBiometricSuccess": - MessageLookupByLibrary.simpleMessage("Úspěšně dokončeno"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Zrušit"), - "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), - "apply": MessageLookupByLibrary.simpleMessage("Použít"), - "archiveAlbum": - MessageLookupByLibrary.simpleMessage("Archivovat album"), - "archiving": MessageLookupByLibrary.simpleMessage("Archivování..."), - "areYouSureYouWantToLogout": - MessageLookupByLibrary.simpleMessage("Opravdu se chcete odhlásit?"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Jaký je váš hlavní důvod, proč mažete svůj účet?"), - "autoLock": - MessageLookupByLibrary.simpleMessage("Automatické zamykání"), - "backedUpFolders": - MessageLookupByLibrary.simpleMessage("Zálohované složky"), - "backup": MessageLookupByLibrary.simpleMessage("Zálohovat"), - "backupFile": MessageLookupByLibrary.simpleMessage("Zálohovat soubor"), - "backupStatus": MessageLookupByLibrary.simpleMessage("Stav zálohování"), - "birthday": MessageLookupByLibrary.simpleMessage("Narozeniny"), - "blog": MessageLookupByLibrary.simpleMessage("Blog"), - "cachedData": - MessageLookupByLibrary.simpleMessage("Data uložená v mezipaměti"), - "calculating": - MessageLookupByLibrary.simpleMessage("Probíhá výpočet..."), - "cancel": MessageLookupByLibrary.simpleMessage("Zrušit"), - "cancelAccountRecovery": - MessageLookupByLibrary.simpleMessage("Zrušit obnovení"), - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Sdílené soubory nelze odstranit"), - "changeEmail": MessageLookupByLibrary.simpleMessage("Změnit e-mail"), - "changePassword": MessageLookupByLibrary.simpleMessage("Změnit heslo"), - "checkForUpdates": - MessageLookupByLibrary.simpleMessage("Zkontrolovat aktualizace"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Zkontrolujte prosím svou doručenou poštu (a spam) pro dokončení ověření"), - "checkStatus": - MessageLookupByLibrary.simpleMessage("Zkontrolovat stav"), - "checking": MessageLookupByLibrary.simpleMessage("Probíhá kontrola..."), - "clearCaches": - MessageLookupByLibrary.simpleMessage("Vymazat mezipaměť"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Smazat indexy"), - "close": MessageLookupByLibrary.simpleMessage("Zavřít"), - "codeAppliedPageTitle": - MessageLookupByLibrary.simpleMessage("Kód byl použit"), - "collaborator": MessageLookupByLibrary.simpleMessage("Spolupracovník"), - "collageLayout": MessageLookupByLibrary.simpleMessage("Rozvržení"), - "color": MessageLookupByLibrary.simpleMessage("Barva"), - "configuration": MessageLookupByLibrary.simpleMessage("Nastavení"), - "confirm": MessageLookupByLibrary.simpleMessage("Potvrdit"), - "confirmAccountDeletion": - MessageLookupByLibrary.simpleMessage("Potvrdit odstranění účtu"), - "contactSupport": - MessageLookupByLibrary.simpleMessage("Kontaktovat podporu"), - "contacts": MessageLookupByLibrary.simpleMessage("Kontakty"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Pokračovat"), - "count": MessageLookupByLibrary.simpleMessage("Počet"), - "crashReporting": - MessageLookupByLibrary.simpleMessage("Hlášení o pádu"), - "create": MessageLookupByLibrary.simpleMessage("Vytvořit"), - "createAccount": MessageLookupByLibrary.simpleMessage("Vytvořit účet"), - "createNewAccount": - MessageLookupByLibrary.simpleMessage("Vytvořit nový účet"), - "crop": MessageLookupByLibrary.simpleMessage("Oříznout"), - "darkTheme": MessageLookupByLibrary.simpleMessage("Tmavý"), - "dayToday": MessageLookupByLibrary.simpleMessage("Dnes"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Včera"), - "declineTrustInvite": - MessageLookupByLibrary.simpleMessage("Odmítnout pozvání"), - "decrypting": MessageLookupByLibrary.simpleMessage("Dešifrování..."), - "decryptingVideo": - MessageLookupByLibrary.simpleMessage("Dešifrování videa..."), - "delete": MessageLookupByLibrary.simpleMessage("Smazat"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Smazat účet"), - "deleteAccountPermanentlyButton": - MessageLookupByLibrary.simpleMessage("Trvale smazat účet"), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Odstranit album"), - "deleteAll": MessageLookupByLibrary.simpleMessage("Smazat vše"), - "deleteEmptyAlbums": - MessageLookupByLibrary.simpleMessage("Smazat prázdná alba"), - "deleteEmptyAlbumsWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Smazat prázdná alba?"), - "deleteFromBoth": - MessageLookupByLibrary.simpleMessage("Odstranit z obou"), - "deleteFromDevice": - MessageLookupByLibrary.simpleMessage("Odstranit ze zařízení"), - "deleteFromEnte": - MessageLookupByLibrary.simpleMessage("Odstranit z Ente"), - "deleteLocation": - MessageLookupByLibrary.simpleMessage("Odstranit polohu"), - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Chybí klíčová funkce, kterou potřebuji"), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "Aplikace nebo určitá funkce se nechová tak, jak si myslím, že by měla"), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Našel jsem jinou službu, která se mi líbí více"), - "deleteReason4": - MessageLookupByLibrary.simpleMessage("Můj důvod není uveden"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Váš požadavek bude zpracován do 72 hodin."), - "deleteSharedAlbum": - MessageLookupByLibrary.simpleMessage("Opustit sdílené album?"), - "deselectAll": - MessageLookupByLibrary.simpleMessage("Zrušte výběr všech"), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Zadejte kód"), - "deviceLock": MessageLookupByLibrary.simpleMessage("Zámek zařízení"), - "deviceNotFound": - MessageLookupByLibrary.simpleMessage("Zařízení nebylo nalezeno"), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Věděli jste?"), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover_food": MessageLookupByLibrary.simpleMessage("Jídlo"), - "discover_pets": - MessageLookupByLibrary.simpleMessage("Domácí mazlíčci"), - "discover_screenshots": - MessageLookupByLibrary.simpleMessage("Snímky obrazovky"), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfie"), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Pozadí"), - "dismiss": MessageLookupByLibrary.simpleMessage("Zrušit"), - "done": MessageLookupByLibrary.simpleMessage("Hotovo"), - "doubleYourStorage": - MessageLookupByLibrary.simpleMessage("Zdvojnásobte své úložiště"), - "download": MessageLookupByLibrary.simpleMessage("Stáhnout"), - "downloadFailed": - MessageLookupByLibrary.simpleMessage("Stahování selhalo"), - "downloading": MessageLookupByLibrary.simpleMessage("Stahuji..."), - "edit": MessageLookupByLibrary.simpleMessage("Upravit"), - "editLocation": MessageLookupByLibrary.simpleMessage("Upravit polohu"), - "editLocationTagTitle": - MessageLookupByLibrary.simpleMessage("Upravit lokalitu"), - "editPerson": MessageLookupByLibrary.simpleMessage("Upravit osobu"), - "editTime": MessageLookupByLibrary.simpleMessage("Upravit čas"), - "email": MessageLookupByLibrary.simpleMessage("E-mail"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "E-mail je již zaregistrován."), - "emailNotRegistered": - MessageLookupByLibrary.simpleMessage("E-mail není registrován."), - "empty": MessageLookupByLibrary.simpleMessage("Vyprázdnit"), - "emptyTrash": MessageLookupByLibrary.simpleMessage("Vyprázdnit koš?"), - "enable": MessageLookupByLibrary.simpleMessage("Povolit"), - "enabled": MessageLookupByLibrary.simpleMessage("Zapnuto"), - "encryption": MessageLookupByLibrary.simpleMessage("Šifrování"), - "encryptionKeys": - MessageLookupByLibrary.simpleMessage("Šifrovací klíče"), - "enterAlbumName": - MessageLookupByLibrary.simpleMessage("Zadejte název alba"), - "enterDateOfBirth": - MessageLookupByLibrary.simpleMessage("Narozeniny (volitelné)"), - "enterFileName": - MessageLookupByLibrary.simpleMessage("Zadejte název souboru"), - "enterPassword": MessageLookupByLibrary.simpleMessage("Zadejte heslo"), - "enterPin": MessageLookupByLibrary.simpleMessage("Zadejte PIN"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Prosím, zadejte platnou e-mailovou adresu."), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Zadejte svou e-mailovou adresu"), - "enterYourPassword": - MessageLookupByLibrary.simpleMessage("Zadejte své heslo"), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Zadejte svůj obnovovací klíč"), - "everywhere": MessageLookupByLibrary.simpleMessage("všude"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "exportLogs": MessageLookupByLibrary.simpleMessage("Exportovat logy"), - "exportYourData": - MessageLookupByLibrary.simpleMessage("Exportujte svá data"), - "faces": MessageLookupByLibrary.simpleMessage("Obličeje"), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( - "Stahování videa se nezdařilo"), - "failedToLoadAlbums": - MessageLookupByLibrary.simpleMessage("Nepodařilo se načíst alba"), - "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Přehrávání videa se nezdařilo"), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Rodina"), - "faq": MessageLookupByLibrary.simpleMessage("Často kladené dotazy"), - "faqs": MessageLookupByLibrary.simpleMessage("Často kladené dotazy"), - "favorite": MessageLookupByLibrary.simpleMessage("Oblíbené"), - "feedback": MessageLookupByLibrary.simpleMessage("Zpětná vazba"), - "fileInfoAddDescHint": - MessageLookupByLibrary.simpleMessage("Přidat popis..."), - "fileTypes": MessageLookupByLibrary.simpleMessage("Typy souboru"), - "filesDeleted": - MessageLookupByLibrary.simpleMessage("Soubory odstraněny"), - "flip": MessageLookupByLibrary.simpleMessage("Překlopit"), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("Uvolnit místo"), - "gallery": MessageLookupByLibrary.simpleMessage("Galerie"), - "general": MessageLookupByLibrary.simpleMessage("Obecné"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Generování šifrovacích klíčů..."), - "goToSettings": - MessageLookupByLibrary.simpleMessage("Jít do nastavení"), - "hidden": MessageLookupByLibrary.simpleMessage("Skryté"), - "hide": MessageLookupByLibrary.simpleMessage("Skrýt"), - "howItWorks": MessageLookupByLibrary.simpleMessage("Jak to funguje"), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorovat"), - "immediately": MessageLookupByLibrary.simpleMessage("Ihned"), - "importing": MessageLookupByLibrary.simpleMessage("Importování…"), - "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("Nesprávné heslo"), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage(""), - "incorrectRecoveryKeyTitle": - MessageLookupByLibrary.simpleMessage("Nesprávný obnovovací klíč"), - "info": MessageLookupByLibrary.simpleMessage("Informace"), - "installManually": - MessageLookupByLibrary.simpleMessage("Instalovat manuálně"), - "invalidEmailAddress": - MessageLookupByLibrary.simpleMessage("Neplatná e-mailová adresa"), - "invalidKey": MessageLookupByLibrary.simpleMessage("Neplatný klíč"), - "invite": MessageLookupByLibrary.simpleMessage("Pozvat"), - "inviteToEnte": MessageLookupByLibrary.simpleMessage("Pozvat do Ente"), - "inviteYourFriendsToEnte": - MessageLookupByLibrary.simpleMessage("Pozvěte své přátelé do Ente"), - "join": MessageLookupByLibrary.simpleMessage("Připojit se"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Pomozte nám s těmito informacemi"), - "language": MessageLookupByLibrary.simpleMessage("Jazyk"), - "leave": MessageLookupByLibrary.simpleMessage("Odejít"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Opustit album"), - "left": MessageLookupByLibrary.simpleMessage("Doleva"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Světlý"), - "linkExpiresOn": m47, - "linkHasExpired": - MessageLookupByLibrary.simpleMessage("Platnost odkazu vypršela"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Nikdy"), - "loadingGallery": - MessageLookupByLibrary.simpleMessage("Načítání galerie..."), - "location": MessageLookupByLibrary.simpleMessage("Poloha"), - "locations": MessageLookupByLibrary.simpleMessage("Lokality"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Uzamknout"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Přihlásit se"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Odhlašování..."), - "loginSessionExpired": - MessageLookupByLibrary.simpleMessage("Relace vypršela"), - "loginWithTOTP": - MessageLookupByLibrary.simpleMessage("Přihlášení pomocí TOTP"), - "logout": MessageLookupByLibrary.simpleMessage("Odhlásit se"), - "lostDevice": - MessageLookupByLibrary.simpleMessage("Ztratili jste zařízení?"), - "manage": MessageLookupByLibrary.simpleMessage("Spravovat"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Spravovat"), - "manageSubscription": - MessageLookupByLibrary.simpleMessage("Spravovat předplatné"), - "map": MessageLookupByLibrary.simpleMessage("Mapa"), - "maps": MessageLookupByLibrary.simpleMessage("Mapy"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("Já"), - "merchandise": MessageLookupByLibrary.simpleMessage("E-shop"), - "mergedPhotos": - MessageLookupByLibrary.simpleMessage("Sloučené fotografie"), - "moments": MessageLookupByLibrary.simpleMessage("Momenty"), - "monthly": MessageLookupByLibrary.simpleMessage("Měsíčně"), - "moreDetails": - MessageLookupByLibrary.simpleMessage("Další podrobnosti"), - "moveToAlbum": - MessageLookupByLibrary.simpleMessage("Přesunout do alba"), - "movedToTrash": - MessageLookupByLibrary.simpleMessage("Přesunuto do koše"), - "never": MessageLookupByLibrary.simpleMessage("Nikdy"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Nové album"), - "newPerson": MessageLookupByLibrary.simpleMessage("Nová osoba"), - "newRange": MessageLookupByLibrary.simpleMessage("Nový rozsah"), - "newest": MessageLookupByLibrary.simpleMessage("Nejnovější"), - "next": MessageLookupByLibrary.simpleMessage("Další"), - "no": MessageLookupByLibrary.simpleMessage("Ne"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Zatím nemáte žádná sdílená alba"), - "noDuplicates": - MessageLookupByLibrary.simpleMessage("✨ Žádné duplicity"), - "noInternetConnection": - MessageLookupByLibrary.simpleMessage("Žádné připojení k internetu"), - "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( - "Zde nebyly nalezeny žádné fotky"), - "noRecoveryKey": - MessageLookupByLibrary.simpleMessage("Nemáte obnovovací klíč?"), - "noResultsFound": MessageLookupByLibrary.simpleMessage( - "Nebyly nalezeny žádné výsledky"), - "notifications": MessageLookupByLibrary.simpleMessage("Notifikace"), - "ok": MessageLookupByLibrary.simpleMessage("Ok"), - "onDevice": MessageLookupByLibrary.simpleMessage("V zařízení"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "Na ente"), - "oops": MessageLookupByLibrary.simpleMessage("Jejda"), - "oopsSomethingWentWrong": - MessageLookupByLibrary.simpleMessage("Jejda, něco se pokazilo"), - "openAlbumInBrowser": - MessageLookupByLibrary.simpleMessage("Otevřít album v prohlížeči"), - "openFile": MessageLookupByLibrary.simpleMessage("Otevřít soubor"), - "openSettings": - MessageLookupByLibrary.simpleMessage("Otevřít Nastavení"), - "pair": MessageLookupByLibrary.simpleMessage("Spárovat"), - "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), - "password": MessageLookupByLibrary.simpleMessage("Heslo"), - "passwordChangedSuccessfully": - MessageLookupByLibrary.simpleMessage("Heslo úspěšně změněno"), - "paymentDetails": - MessageLookupByLibrary.simpleMessage("Platební údaje"), - "people": MessageLookupByLibrary.simpleMessage("Lidé"), - "permanentlyDelete": - MessageLookupByLibrary.simpleMessage("Trvale odstranit"), - "personName": MessageLookupByLibrary.simpleMessage("Jméno osoby"), - "photos": MessageLookupByLibrary.simpleMessage("Fotky"), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Připnout album"), - "pleaseLoginAgain": - MessageLookupByLibrary.simpleMessage("Přihlaste se, prosím, znovu"), - "pleaseTryAgain": - MessageLookupByLibrary.simpleMessage("Zkuste to prosím znovu"), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Čekejte prosím..."), - "previous": MessageLookupByLibrary.simpleMessage("Předchozí"), - "privacy": MessageLookupByLibrary.simpleMessage("Soukromí"), - "processing": MessageLookupByLibrary.simpleMessage("Zpracovává se"), - "publicLinkCreated": - MessageLookupByLibrary.simpleMessage("Veřejný odkaz vytvořen"), - "queued": MessageLookupByLibrary.simpleMessage("Ve frontě"), - "radius": MessageLookupByLibrary.simpleMessage("Rádius"), - "rateUs": MessageLookupByLibrary.simpleMessage("Ohodnoť nás"), - "rateUsOnStore": m68, - "recoverButton": MessageLookupByLibrary.simpleMessage("Obnovit"), - "recoveryKeyVerified": - MessageLookupByLibrary.simpleMessage("Obnovovací klíč byl ověřen"), - "recoverySuccessful": - MessageLookupByLibrary.simpleMessage("Úspěšně obnoveno!"), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPin": MessageLookupByLibrary.simpleMessage("Zadejte PIN znovu"), - "remove": MessageLookupByLibrary.simpleMessage("Odstranit"), - "removeDuplicates": - MessageLookupByLibrary.simpleMessage("Odstranit duplicity"), - "removeFromAlbum": - MessageLookupByLibrary.simpleMessage("Odstranit z alba"), - "removeFromAlbumTitle": - MessageLookupByLibrary.simpleMessage("Odstranit z alba?"), - "removeInvite": - MessageLookupByLibrary.simpleMessage("Odstranit pozvání"), - "removeLink": MessageLookupByLibrary.simpleMessage("Odstranit odkaz"), - "removeParticipant": - MessageLookupByLibrary.simpleMessage("Odebrat účastníka"), - "removePublicLink": - MessageLookupByLibrary.simpleMessage("Odstranit veřejný odkaz"), - "removeWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Odstranit?"), - "rename": MessageLookupByLibrary.simpleMessage("Přejmenovat"), - "renameAlbum": - MessageLookupByLibrary.simpleMessage("Přejmenovat album"), - "renameFile": - MessageLookupByLibrary.simpleMessage("Přejmenovat soubor"), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Nahlásit chybu"), - "reportBug": MessageLookupByLibrary.simpleMessage("Nahlásit chybu"), - "resendEmail": - MessageLookupByLibrary.simpleMessage("Znovu odeslat e-mail"), - "resetPasswordTitle": - MessageLookupByLibrary.simpleMessage("Obnovit heslo"), - "resetPerson": MessageLookupByLibrary.simpleMessage("Odstranit"), - "restore": MessageLookupByLibrary.simpleMessage("Obnovit"), - "restoringFiles": - MessageLookupByLibrary.simpleMessage("Obnovuji soubory..."), - "retry": MessageLookupByLibrary.simpleMessage("Opakovat"), - "right": MessageLookupByLibrary.simpleMessage("Doprava"), - "rotate": MessageLookupByLibrary.simpleMessage("Otočit"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Otočit doleva"), - "rotateRight": MessageLookupByLibrary.simpleMessage("Otočit doprava"), - "safelyStored": - MessageLookupByLibrary.simpleMessage("Bezpečně uloženo"), - "save": MessageLookupByLibrary.simpleMessage("Uložit"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Uložit kopii"), - "saveKey": MessageLookupByLibrary.simpleMessage("Uložit klíč"), - "savePerson": MessageLookupByLibrary.simpleMessage("Uložit osobu"), - "search": MessageLookupByLibrary.simpleMessage("Hledat"), - "searchAlbumsEmptySection": - MessageLookupByLibrary.simpleMessage("Alba"), - "searchByAlbumNameHint": - MessageLookupByLibrary.simpleMessage("Název alba"), - "security": MessageLookupByLibrary.simpleMessage("Zabezpečení"), - "selectALocation": - MessageLookupByLibrary.simpleMessage("Vybrat polohu"), - "selectALocationFirst": - MessageLookupByLibrary.simpleMessage("Nejprve vyberte polohu"), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Vybrat album"), - "selectAll": MessageLookupByLibrary.simpleMessage("Vybrat vše"), - "selectDate": MessageLookupByLibrary.simpleMessage("Vybrat datum"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Vyberte složky pro zálohování"), - "selectLanguage": MessageLookupByLibrary.simpleMessage("Vybrat jazyk"), - "selectReason": MessageLookupByLibrary.simpleMessage("Vyberte důvod"), - "selectTime": MessageLookupByLibrary.simpleMessage("Vybrat čas"), - "selectYourPlan": - MessageLookupByLibrary.simpleMessage("Vyberte svůj plán"), - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("Odeslat"), - "sendEmail": MessageLookupByLibrary.simpleMessage("Odeslat e-mail"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Odeslat pozvánku"), - "sendLink": MessageLookupByLibrary.simpleMessage("Odeslat odkaz"), - "sessionExpired": - MessageLookupByLibrary.simpleMessage("Relace vypršela"), - "setAPassword": MessageLookupByLibrary.simpleMessage("Nastavit heslo"), - "setLabel": MessageLookupByLibrary.simpleMessage("Nastavit"), - "setNewPassword": - MessageLookupByLibrary.simpleMessage("Nastavit nové heslo"), - "setNewPin": MessageLookupByLibrary.simpleMessage("Nastavit nový PIN"), - "share": MessageLookupByLibrary.simpleMessage("Sdílet"), - "shareLink": MessageLookupByLibrary.simpleMessage("Sdílet odkaz"), - "sharedByMe": MessageLookupByLibrary.simpleMessage("Sdíleno mnou"), - "sharedByYou": MessageLookupByLibrary.simpleMessage("Sdíleno vámi"), - "sharedWithMe": MessageLookupByLibrary.simpleMessage("Sdíleno se mnou"), - "sharedWithYou": MessageLookupByLibrary.simpleMessage("Sdíleno s vámi"), - "sharing": MessageLookupByLibrary.simpleMessage("Sdílení..."), - "skip": MessageLookupByLibrary.simpleMessage("Přeskočit"), - "sorry": MessageLookupByLibrary.simpleMessage("Omlouváme se"), - "sort": MessageLookupByLibrary.simpleMessage("Seřadit"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Seřadit podle"), - "sortNewestFirst": - MessageLookupByLibrary.simpleMessage("Od nejnovějších"), - "sortOldestFirst": - MessageLookupByLibrary.simpleMessage("Od nejstarších"), - "stopCastingTitle": - MessageLookupByLibrary.simpleMessage("Zastavit přenos"), - "storage": MessageLookupByLibrary.simpleMessage("Úložiště"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Rodina"), - "strongStrength": MessageLookupByLibrary.simpleMessage("Silné"), - "subscribe": MessageLookupByLibrary.simpleMessage("Odebírat"), - "subscription": MessageLookupByLibrary.simpleMessage("Předplatné"), - "suggestFeatures": - MessageLookupByLibrary.simpleMessage("Navrhnout funkce"), - "support": MessageLookupByLibrary.simpleMessage("Podpora"), - "syncStopped": - MessageLookupByLibrary.simpleMessage("Synchronizace zastavena"), - "syncing": MessageLookupByLibrary.simpleMessage("Synchronizace..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("Systém"), - "terminate": MessageLookupByLibrary.simpleMessage("Ukončit"), - "terminateSession": - MessageLookupByLibrary.simpleMessage("Ukončit relaci?"), - "terms": MessageLookupByLibrary.simpleMessage("Podmínky"), - "thankYou": MessageLookupByLibrary.simpleMessage("Děkujeme"), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "Stahování nebylo možné dokončit"), - "theme": MessageLookupByLibrary.simpleMessage("Motiv"), - "thisDevice": MessageLookupByLibrary.simpleMessage("Toto zařízení"), - "thisIsMeExclamation": - MessageLookupByLibrary.simpleMessage("To jsem já!"), - "totalSize": MessageLookupByLibrary.simpleMessage("Celková velikost"), - "trash": MessageLookupByLibrary.simpleMessage("Koš"), - "tryAgain": MessageLookupByLibrary.simpleMessage("Zkusit znovu"), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "unlock": MessageLookupByLibrary.simpleMessage("Odemknout"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("Odepnout album"), - "unselectAll": MessageLookupByLibrary.simpleMessage("Zrušit výběr"), - "update": MessageLookupByLibrary.simpleMessage("Aktualizovat"), - "updateAvailable": - MessageLookupByLibrary.simpleMessage("Je k dispozici aktualizace"), - "upgrade": MessageLookupByLibrary.simpleMessage("Upgradovat"), - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Nahrávání souborů do alba..."), - "usedSpace": MessageLookupByLibrary.simpleMessage("Využité místo"), - "verify": MessageLookupByLibrary.simpleMessage("Ověřit"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("Ověřit e-mail"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Ověřit"), - "verifying": MessageLookupByLibrary.simpleMessage("Ověřování..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Ověřování obnovovacího klíče..."), - "videos": MessageLookupByLibrary.simpleMessage("Videa"), - "viewAll": MessageLookupByLibrary.simpleMessage("Zobrazit vše"), - "viewer": MessageLookupByLibrary.simpleMessage("Prohlížející"), - "warning": MessageLookupByLibrary.simpleMessage("Varování"), - "weAreOpenSource": - MessageLookupByLibrary.simpleMessage("Jsme open source!"), - "weakStrength": MessageLookupByLibrary.simpleMessage("Slabé"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("Vítejte zpět!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("Co je nového"), - "yearly": MessageLookupByLibrary.simpleMessage("Ročně"), - "yes": MessageLookupByLibrary.simpleMessage("Ano"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Ano, zrušit"), - "yesDelete": MessageLookupByLibrary.simpleMessage("Ano, smazat"), - "yesDiscardChanges": - MessageLookupByLibrary.simpleMessage("Ano, zahodit změny"), - "yesLogout": MessageLookupByLibrary.simpleMessage("Ano, odhlásit se"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Ano, odstranit"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Ano, obnovit"), - "you": MessageLookupByLibrary.simpleMessage("Vy"), - "youAndThem": m117, - "yourAccountHasBeenDeleted": - MessageLookupByLibrary.simpleMessage("Váš účet byl smazán"), - "yourMap": MessageLookupByLibrary.simpleMessage("Vaše mapa") - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Je dostupná nová verze Ente.", + ), + "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( + "Přijmout pozvání", + ), + "account": MessageLookupByLibrary.simpleMessage("Účet"), + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage("Vítejte zpět!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Rozumím, že pokud zapomenu své heslo, mohu přijít o data, jelikož má data jsou koncově šifrována.", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage("Aktivní relace"), + "add": MessageLookupByLibrary.simpleMessage("Přidat"), + "addFiles": MessageLookupByLibrary.simpleMessage("Přidat soubory"), + "addLocation": MessageLookupByLibrary.simpleMessage("Přidat polohu"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Přidat"), + "addMore": MessageLookupByLibrary.simpleMessage("Přidat další"), + "addName": MessageLookupByLibrary.simpleMessage("Přidat název"), + "addNew": MessageLookupByLibrary.simpleMessage("Přidat nový"), + "addNewPerson": MessageLookupByLibrary.simpleMessage("Přidat novou osobu"), + "addPhotos": MessageLookupByLibrary.simpleMessage("Přidat fotky"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("Přidat do alba"), + "addedSuccessfullyTo": m6, + "advancedSettings": MessageLookupByLibrary.simpleMessage("Pokročilé"), + "after1Day": MessageLookupByLibrary.simpleMessage("Po 1 dni"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Po 1 hodině"), + "after1Month": MessageLookupByLibrary.simpleMessage("Po 1 měsíci"), + "after1Week": MessageLookupByLibrary.simpleMessage("Po 1 týdnu"), + "after1Year": MessageLookupByLibrary.simpleMessage("Po 1 roce"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Vlastník"), + "albumUpdated": MessageLookupByLibrary.simpleMessage( + "Album bylo aktualizováno", + ), + "albums": MessageLookupByLibrary.simpleMessage("Alba"), + "allow": MessageLookupByLibrary.simpleMessage("Povolit"), + "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( + "Je požadováno biometrické ověření", + ), + "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage( + "Úspěšně dokončeno", + ), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Zrušit"), + "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), + "apply": MessageLookupByLibrary.simpleMessage("Použít"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("Archivovat album"), + "archiving": MessageLookupByLibrary.simpleMessage("Archivování..."), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Opravdu se chcete odhlásit?", + ), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Jaký je váš hlavní důvod, proč mažete svůj účet?", + ), + "autoLock": MessageLookupByLibrary.simpleMessage("Automatické zamykání"), + "backedUpFolders": MessageLookupByLibrary.simpleMessage( + "Zálohované složky", + ), + "backup": MessageLookupByLibrary.simpleMessage("Zálohovat"), + "backupFile": MessageLookupByLibrary.simpleMessage("Zálohovat soubor"), + "backupStatus": MessageLookupByLibrary.simpleMessage("Stav zálohování"), + "birthday": MessageLookupByLibrary.simpleMessage("Narozeniny"), + "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cachedData": MessageLookupByLibrary.simpleMessage( + "Data uložená v mezipaměti", + ), + "calculating": MessageLookupByLibrary.simpleMessage("Probíhá výpočet..."), + "cancel": MessageLookupByLibrary.simpleMessage("Zrušit"), + "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( + "Zrušit obnovení", + ), + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Sdílené soubory nelze odstranit", + ), + "changeEmail": MessageLookupByLibrary.simpleMessage("Změnit e-mail"), + "changePassword": MessageLookupByLibrary.simpleMessage("Změnit heslo"), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage("Změnit heslo"), + "checkForUpdates": MessageLookupByLibrary.simpleMessage( + "Zkontrolovat aktualizace", + ), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Zkontrolujte prosím svou doručenou poštu (a spam) pro dokončení ověření", + ), + "checkStatus": MessageLookupByLibrary.simpleMessage("Zkontrolovat stav"), + "checking": MessageLookupByLibrary.simpleMessage("Probíhá kontrola..."), + "clearCaches": MessageLookupByLibrary.simpleMessage("Vymazat mezipaměť"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Smazat indexy"), + "close": MessageLookupByLibrary.simpleMessage("Zavřít"), + "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( + "Kód byl použit", + ), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Kód zkopírován do schránky", + ), + "collaborator": MessageLookupByLibrary.simpleMessage("Spolupracovník"), + "collageLayout": MessageLookupByLibrary.simpleMessage("Rozvržení"), + "color": MessageLookupByLibrary.simpleMessage("Barva"), + "configuration": MessageLookupByLibrary.simpleMessage("Nastavení"), + "confirm": MessageLookupByLibrary.simpleMessage("Potvrdit"), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Potvrdit odstranění účtu", + ), + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Ano, chci trvale smazat tento účet a jeho data napříč všemi aplikacemi.", + ), + "confirmPassword": MessageLookupByLibrary.simpleMessage("Potvrdte heslo"), + "contactSupport": MessageLookupByLibrary.simpleMessage( + "Kontaktovat podporu", + ), + "contacts": MessageLookupByLibrary.simpleMessage("Kontakty"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Pokračovat"), + "count": MessageLookupByLibrary.simpleMessage("Počet"), + "crashReporting": MessageLookupByLibrary.simpleMessage("Hlášení o pádu"), + "create": MessageLookupByLibrary.simpleMessage("Vytvořit"), + "createAccount": MessageLookupByLibrary.simpleMessage("Vytvořit účet"), + "createNewAccount": MessageLookupByLibrary.simpleMessage( + "Vytvořit nový účet", + ), + "crop": MessageLookupByLibrary.simpleMessage("Oříznout"), + "darkTheme": MessageLookupByLibrary.simpleMessage("Tmavý"), + "dayToday": MessageLookupByLibrary.simpleMessage("Dnes"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Včera"), + "declineTrustInvite": MessageLookupByLibrary.simpleMessage( + "Odmítnout pozvání", + ), + "decrypting": MessageLookupByLibrary.simpleMessage("Dešifrování..."), + "decryptingVideo": MessageLookupByLibrary.simpleMessage( + "Dešifrování videa...", + ), + "delete": MessageLookupByLibrary.simpleMessage("Smazat"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Smazat účet"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Je nám líto, že nás opouštíte. Prosím, dejte nám zpětnou vazbu, ať se můžeme zlepšit.", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Trvale smazat účet", + ), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Odstranit album"), + "deleteAll": MessageLookupByLibrary.simpleMessage("Smazat vše"), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Prosím, zašlete e-mail na account-deletion@ente.io ze schránky, se kterou jste se registrovali.", + ), + "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( + "Smazat prázdná alba", + ), + "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( + "Smazat prázdná alba?", + ), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage("Odstranit z obou"), + "deleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Odstranit ze zařízení", + ), + "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Odstranit z Ente"), + "deleteLocation": MessageLookupByLibrary.simpleMessage("Odstranit polohu"), + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Chybí klíčová funkce, kterou potřebuji", + ), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "Aplikace nebo určitá funkce se nechová tak, jak si myslím, že by měla", + ), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Našel jsem jinou službu, která se mi líbí více", + ), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "Můj důvod není uveden", + ), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Váš požadavek bude zpracován do 72 hodin.", + ), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Opustit sdílené album?", + ), + "deselectAll": MessageLookupByLibrary.simpleMessage("Zrušte výběr všech"), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Zadejte kód"), + "deviceLock": MessageLookupByLibrary.simpleMessage("Zámek zařízení"), + "deviceNotFound": MessageLookupByLibrary.simpleMessage( + "Zařízení nebylo nalezeno", + ), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Věděli jste?"), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover_food": MessageLookupByLibrary.simpleMessage("Jídlo"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Domácí mazlíčci"), + "discover_screenshots": MessageLookupByLibrary.simpleMessage( + "Snímky obrazovky", + ), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfie"), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Pozadí"), + "dismiss": MessageLookupByLibrary.simpleMessage("Zrušit"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Udělat později"), + "done": MessageLookupByLibrary.simpleMessage("Hotovo"), + "doubleYourStorage": MessageLookupByLibrary.simpleMessage( + "Zdvojnásobte své úložiště", + ), + "download": MessageLookupByLibrary.simpleMessage("Stáhnout"), + "downloadFailed": MessageLookupByLibrary.simpleMessage("Stahování selhalo"), + "downloading": MessageLookupByLibrary.simpleMessage("Stahuji..."), + "dropSupportEmail": m25, + "edit": MessageLookupByLibrary.simpleMessage("Upravit"), + "editLocation": MessageLookupByLibrary.simpleMessage("Upravit polohu"), + "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( + "Upravit lokalitu", + ), + "editPerson": MessageLookupByLibrary.simpleMessage("Upravit osobu"), + "editTime": MessageLookupByLibrary.simpleMessage("Upravit čas"), + "email": MessageLookupByLibrary.simpleMessage("E-mail"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "E-mail je již zaregistrován.", + ), + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "E-mail není registrován.", + ), + "empty": MessageLookupByLibrary.simpleMessage("Vyprázdnit"), + "emptyTrash": MessageLookupByLibrary.simpleMessage("Vyprázdnit koš?"), + "enable": MessageLookupByLibrary.simpleMessage("Povolit"), + "enabled": MessageLookupByLibrary.simpleMessage("Zapnuto"), + "encryption": MessageLookupByLibrary.simpleMessage("Šifrování"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage("Šifrovací klíče"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente potřebuje oprávnění k uchovávání vašich fotek", + ), + "enterAlbumName": MessageLookupByLibrary.simpleMessage( + "Zadejte název alba", + ), + "enterCode": MessageLookupByLibrary.simpleMessage("Zadat kód"), + "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( + "Narozeniny (volitelné)", + ), + "enterFileName": MessageLookupByLibrary.simpleMessage( + "Zadejte název souboru", + ), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Zadejte nové heslo, které můžeme použít k šifrování vašich dat", + ), + "enterPassword": MessageLookupByLibrary.simpleMessage("Zadejte heslo"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Zadejte heslo, které můžeme použít k šifrování vašich dat", + ), + "enterPin": MessageLookupByLibrary.simpleMessage("Zadejte PIN"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Prosím, zadejte platnou e-mailovou adresu.", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Zadejte svou e-mailovou adresu", + ), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Zadejte novou e-mailovou adresu", + ), + "enterYourPassword": MessageLookupByLibrary.simpleMessage( + "Zadejte své heslo", + ), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Zadejte svůj obnovovací klíč", + ), + "everywhere": MessageLookupByLibrary.simpleMessage("všude"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "exportLogs": MessageLookupByLibrary.simpleMessage("Exportovat logy"), + "exportYourData": MessageLookupByLibrary.simpleMessage( + "Exportujte svá data", + ), + "faces": MessageLookupByLibrary.simpleMessage("Obličeje"), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( + "Stahování videa se nezdařilo", + ), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "Nepodařilo se načíst alba", + ), + "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Přehrávání videa se nezdařilo", + ), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Rodina"), + "faq": MessageLookupByLibrary.simpleMessage("Často kladené dotazy"), + "faqs": MessageLookupByLibrary.simpleMessage("Často kladené dotazy"), + "favorite": MessageLookupByLibrary.simpleMessage("Oblíbené"), + "feedback": MessageLookupByLibrary.simpleMessage("Zpětná vazba"), + "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( + "Přidat popis...", + ), + "fileTypes": MessageLookupByLibrary.simpleMessage("Typy souboru"), + "filesDeleted": MessageLookupByLibrary.simpleMessage("Soubory odstraněny"), + "flip": MessageLookupByLibrary.simpleMessage("Překlopit"), + "forgotPassword": MessageLookupByLibrary.simpleMessage("Zapomenuté heslo"), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("Uvolnit místo"), + "gallery": MessageLookupByLibrary.simpleMessage("Galerie"), + "general": MessageLookupByLibrary.simpleMessage("Obecné"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Generování šifrovacích klíčů...", + ), + "goToSettings": MessageLookupByLibrary.simpleMessage("Jít do nastavení"), + "hidden": MessageLookupByLibrary.simpleMessage("Skryté"), + "hide": MessageLookupByLibrary.simpleMessage("Skrýt"), + "howItWorks": MessageLookupByLibrary.simpleMessage("Jak to funguje"), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorovat"), + "immediately": MessageLookupByLibrary.simpleMessage("Ihned"), + "importing": MessageLookupByLibrary.simpleMessage("Importování…"), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Nesprávné heslo", + ), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage(""), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Nesprávný obnovovací klíč", + ), + "info": MessageLookupByLibrary.simpleMessage("Informace"), + "insecureDevice": MessageLookupByLibrary.simpleMessage( + "Nezabezpečené zařízení", + ), + "installManually": MessageLookupByLibrary.simpleMessage( + "Instalovat manuálně", + ), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "Neplatná e-mailová adresa", + ), + "invalidKey": MessageLookupByLibrary.simpleMessage("Neplatný klíč"), + "invite": MessageLookupByLibrary.simpleMessage("Pozvat"), + "inviteToEnte": MessageLookupByLibrary.simpleMessage("Pozvat do Ente"), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "Pozvěte své přátelé do Ente", + ), + "join": MessageLookupByLibrary.simpleMessage("Připojit se"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Pomozte nám s těmito informacemi", + ), + "language": MessageLookupByLibrary.simpleMessage("Jazyk"), + "leave": MessageLookupByLibrary.simpleMessage("Odejít"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Opustit album"), + "left": MessageLookupByLibrary.simpleMessage("Doleva"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Světlý"), + "linkExpiresOn": m47, + "linkHasExpired": MessageLookupByLibrary.simpleMessage( + "Platnost odkazu vypršela", + ), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Nikdy"), + "loadingGallery": MessageLookupByLibrary.simpleMessage( + "Načítání galerie...", + ), + "location": MessageLookupByLibrary.simpleMessage("Poloha"), + "locations": MessageLookupByLibrary.simpleMessage("Lokality"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Uzamknout"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Přihlásit se"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Odhlašování..."), + "loginSessionExpired": MessageLookupByLibrary.simpleMessage( + "Relace vypršela", + ), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Kliknutím na přihlášení souhlasím s podmínkami služby a zásadami ochrany osobních údajů", + ), + "loginWithTOTP": MessageLookupByLibrary.simpleMessage( + "Přihlášení pomocí TOTP", + ), + "logout": MessageLookupByLibrary.simpleMessage("Odhlásit se"), + "lostDevice": MessageLookupByLibrary.simpleMessage( + "Ztratili jste zařízení?", + ), + "manage": MessageLookupByLibrary.simpleMessage("Spravovat"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Spravovat"), + "manageSubscription": MessageLookupByLibrary.simpleMessage( + "Spravovat předplatné", + ), + "map": MessageLookupByLibrary.simpleMessage("Mapa"), + "maps": MessageLookupByLibrary.simpleMessage("Mapy"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("Já"), + "merchandise": MessageLookupByLibrary.simpleMessage("E-shop"), + "mergedPhotos": MessageLookupByLibrary.simpleMessage("Sloučené fotografie"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Střední"), + "moments": MessageLookupByLibrary.simpleMessage("Momenty"), + "monthly": MessageLookupByLibrary.simpleMessage("Měsíčně"), + "moreDetails": MessageLookupByLibrary.simpleMessage("Další podrobnosti"), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("Přesunout do alba"), + "movedToTrash": MessageLookupByLibrary.simpleMessage("Přesunuto do koše"), + "never": MessageLookupByLibrary.simpleMessage("Nikdy"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Nové album"), + "newPerson": MessageLookupByLibrary.simpleMessage("Nová osoba"), + "newRange": MessageLookupByLibrary.simpleMessage("Nový rozsah"), + "newest": MessageLookupByLibrary.simpleMessage("Nejnovější"), + "next": MessageLookupByLibrary.simpleMessage("Další"), + "no": MessageLookupByLibrary.simpleMessage("Ne"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Zatím nemáte žádná sdílená alba", + ), + "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Žádné duplicity"), + "noInternetConnection": MessageLookupByLibrary.simpleMessage( + "Žádné připojení k internetu", + ), + "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( + "Zde nebyly nalezeny žádné fotky", + ), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Nemáte obnovovací klíč?", + ), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Vzhledem k povaze našeho protokolu koncového šifrování nemohou být vaše data dešifrována bez vašeho hesla nebo obnovovacího klíče", + ), + "noResultsFound": MessageLookupByLibrary.simpleMessage( + "Nebyly nalezeny žádné výsledky", + ), + "notifications": MessageLookupByLibrary.simpleMessage("Notifikace"), + "ok": MessageLookupByLibrary.simpleMessage("Ok"), + "onDevice": MessageLookupByLibrary.simpleMessage("V zařízení"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "Na ente", + ), + "oops": MessageLookupByLibrary.simpleMessage("Jejda"), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Jejda, něco se pokazilo", + ), + "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( + "Otevřít album v prohlížeči", + ), + "openFile": MessageLookupByLibrary.simpleMessage("Otevřít soubor"), + "openSettings": MessageLookupByLibrary.simpleMessage("Otevřít Nastavení"), + "pair": MessageLookupByLibrary.simpleMessage("Spárovat"), + "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), + "password": MessageLookupByLibrary.simpleMessage("Heslo"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Heslo úspěšně změněno", + ), + "passwordStrength": m57, + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Toto heslo neukládáme, takže pokud jej zapomenete, nemůžeme dešifrovat vaše data", + ), + "paymentDetails": MessageLookupByLibrary.simpleMessage("Platební údaje"), + "people": MessageLookupByLibrary.simpleMessage("Lidé"), + "permanentlyDelete": MessageLookupByLibrary.simpleMessage( + "Trvale odstranit", + ), + "personName": MessageLookupByLibrary.simpleMessage("Jméno osoby"), + "photos": MessageLookupByLibrary.simpleMessage("Fotky"), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Připnout album"), + "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( + "Přihlaste se, prosím, znovu", + ), + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Zkuste to prosím znovu", + ), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Čekejte prosím..."), + "previous": MessageLookupByLibrary.simpleMessage("Předchozí"), + "privacy": MessageLookupByLibrary.simpleMessage("Soukromí"), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "Zásady ochrany osobních údajů", + ), + "processing": MessageLookupByLibrary.simpleMessage("Zpracovává se"), + "publicLinkCreated": MessageLookupByLibrary.simpleMessage( + "Veřejný odkaz vytvořen", + ), + "queued": MessageLookupByLibrary.simpleMessage("Ve frontě"), + "radius": MessageLookupByLibrary.simpleMessage("Rádius"), + "rateUs": MessageLookupByLibrary.simpleMessage("Ohodnoť nás"), + "rateUsOnStore": m68, + "recover": MessageLookupByLibrary.simpleMessage("Obnovit"), + "recoverAccount": MessageLookupByLibrary.simpleMessage("Obnovit účet"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Obnovit"), + "recoveryKey": MessageLookupByLibrary.simpleMessage("Obnovovací klíč"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Obnovovací klíč zkopírován do schránky", + ), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Tento klíč je jedinou cestou pro obnovení Vašich dat, pokud zapomenete heslo.", + ), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Tento 24-slovný klíč neuchováváme, uschovejte ho, prosím, na bezpečném místě.", + ), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Obnovovací klíč byl ověřen", + ), + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "Úspěšně obnoveno!", + ), + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Aktuální zařízení není dostatečně silné k ověření vašeho hesla, ale můžeme ho regenerovat způsobem, které funguje na všech zařízeních.\n\nProsím, přihlašte se pomocí vašeho obnovovacího klíče a regenerujte své heslo (můžete klidně znovu použít své aktuální heslo).", + ), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Znovu vytvořit heslo", + ), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPin": MessageLookupByLibrary.simpleMessage("Zadejte PIN znovu"), + "remove": MessageLookupByLibrary.simpleMessage("Odstranit"), + "removeDuplicates": MessageLookupByLibrary.simpleMessage( + "Odstranit duplicity", + ), + "removeFromAlbum": MessageLookupByLibrary.simpleMessage("Odstranit z alba"), + "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( + "Odstranit z alba?", + ), + "removeInvite": MessageLookupByLibrary.simpleMessage("Odstranit pozvání"), + "removeLink": MessageLookupByLibrary.simpleMessage("Odstranit odkaz"), + "removeParticipant": MessageLookupByLibrary.simpleMessage( + "Odebrat účastníka", + ), + "removePublicLink": MessageLookupByLibrary.simpleMessage( + "Odstranit veřejný odkaz", + ), + "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage( + "Odstranit?", + ), + "rename": MessageLookupByLibrary.simpleMessage("Přejmenovat"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("Přejmenovat album"), + "renameFile": MessageLookupByLibrary.simpleMessage("Přejmenovat soubor"), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Nahlásit chybu"), + "reportBug": MessageLookupByLibrary.simpleMessage("Nahlásit chybu"), + "resendEmail": MessageLookupByLibrary.simpleMessage("Znovu odeslat e-mail"), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage("Obnovit heslo"), + "resetPerson": MessageLookupByLibrary.simpleMessage("Odstranit"), + "restore": MessageLookupByLibrary.simpleMessage("Obnovit"), + "restoringFiles": MessageLookupByLibrary.simpleMessage( + "Obnovuji soubory...", + ), + "retry": MessageLookupByLibrary.simpleMessage("Opakovat"), + "right": MessageLookupByLibrary.simpleMessage("Doprava"), + "rotate": MessageLookupByLibrary.simpleMessage("Otočit"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Otočit doleva"), + "rotateRight": MessageLookupByLibrary.simpleMessage("Otočit doprava"), + "safelyStored": MessageLookupByLibrary.simpleMessage("Bezpečně uloženo"), + "save": MessageLookupByLibrary.simpleMessage("Uložit"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Uložit kopii"), + "saveKey": MessageLookupByLibrary.simpleMessage("Uložit klíč"), + "savePerson": MessageLookupByLibrary.simpleMessage("Uložit osobu"), + "scanCode": MessageLookupByLibrary.simpleMessage("Skenovat kód"), + "search": MessageLookupByLibrary.simpleMessage("Hledat"), + "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Alba"), + "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage("Název alba"), + "security": MessageLookupByLibrary.simpleMessage("Zabezpečení"), + "selectALocation": MessageLookupByLibrary.simpleMessage("Vybrat polohu"), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage( + "Nejprve vyberte polohu", + ), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Vybrat album"), + "selectAll": MessageLookupByLibrary.simpleMessage("Vybrat vše"), + "selectDate": MessageLookupByLibrary.simpleMessage("Vybrat datum"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Vyberte složky pro zálohování", + ), + "selectLanguage": MessageLookupByLibrary.simpleMessage("Vybrat jazyk"), + "selectReason": MessageLookupByLibrary.simpleMessage("Vyberte důvod"), + "selectTime": MessageLookupByLibrary.simpleMessage("Vybrat čas"), + "selectYourPlan": MessageLookupByLibrary.simpleMessage("Vyberte svůj plán"), + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("Odeslat"), + "sendEmail": MessageLookupByLibrary.simpleMessage("Odeslat e-mail"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Odeslat pozvánku"), + "sendLink": MessageLookupByLibrary.simpleMessage("Odeslat odkaz"), + "sessionExpired": MessageLookupByLibrary.simpleMessage("Relace vypršela"), + "setAPassword": MessageLookupByLibrary.simpleMessage("Nastavit heslo"), + "setLabel": MessageLookupByLibrary.simpleMessage("Nastavit"), + "setNewPassword": MessageLookupByLibrary.simpleMessage( + "Nastavit nové heslo", + ), + "setNewPin": MessageLookupByLibrary.simpleMessage("Nastavit nový PIN"), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage("Nastavit heslo"), + "share": MessageLookupByLibrary.simpleMessage("Sdílet"), + "shareLink": MessageLookupByLibrary.simpleMessage("Sdílet odkaz"), + "sharedByMe": MessageLookupByLibrary.simpleMessage("Sdíleno mnou"), + "sharedByYou": MessageLookupByLibrary.simpleMessage("Sdíleno vámi"), + "sharedWithMe": MessageLookupByLibrary.simpleMessage("Sdíleno se mnou"), + "sharedWithYou": MessageLookupByLibrary.simpleMessage("Sdíleno s vámi"), + "sharing": MessageLookupByLibrary.simpleMessage("Sdílení..."), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Souhlasím s podmínkami služby a zásadami ochrany osobních údajů", + ), + "skip": MessageLookupByLibrary.simpleMessage("Přeskočit"), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Něco se pokazilo. Zkuste to, prosím, znovu", + ), + "sorry": MessageLookupByLibrary.simpleMessage("Omlouváme se"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Omlouváme se, nemohli jsme vygenerovat bezpečné klíče na tomto zařízení.\n\nProsíme, zaregistrujte se z jiného zařízení.", + ), + "sort": MessageLookupByLibrary.simpleMessage("Seřadit"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Seřadit podle"), + "sortNewestFirst": MessageLookupByLibrary.simpleMessage("Od nejnovějších"), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Od nejstarších"), + "stopCastingTitle": MessageLookupByLibrary.simpleMessage("Zastavit přenos"), + "storage": MessageLookupByLibrary.simpleMessage("Úložiště"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Rodina"), + "strongStrength": MessageLookupByLibrary.simpleMessage("Silné"), + "subscribe": MessageLookupByLibrary.simpleMessage("Odebírat"), + "subscription": MessageLookupByLibrary.simpleMessage("Předplatné"), + "suggestFeatures": MessageLookupByLibrary.simpleMessage("Navrhnout funkce"), + "support": MessageLookupByLibrary.simpleMessage("Podpora"), + "syncStopped": MessageLookupByLibrary.simpleMessage( + "Synchronizace zastavena", + ), + "syncing": MessageLookupByLibrary.simpleMessage("Synchronizace..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("Systém"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage( + "Klepněte pro zadání kódu", + ), + "terminate": MessageLookupByLibrary.simpleMessage("Ukončit"), + "terminateSession": MessageLookupByLibrary.simpleMessage("Ukončit relaci?"), + "terms": MessageLookupByLibrary.simpleMessage("Podmínky"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage( + "Podmínky služby", + ), + "thankYou": MessageLookupByLibrary.simpleMessage("Děkujeme"), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "Stahování nebylo možné dokončit", + ), + "theme": MessageLookupByLibrary.simpleMessage("Motiv"), + "thisDevice": MessageLookupByLibrary.simpleMessage("Toto zařízení"), + "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("To jsem já!"), + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Toto vás odhlásí z následujícího zařízení:", + ), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Toto vás odhlásí z tohoto zařízení!", + ), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Pro reset vašeho hesla nejprve vyplňte vaší e-mailovou adresu prosím.", + ), + "totalSize": MessageLookupByLibrary.simpleMessage("Celková velikost"), + "trash": MessageLookupByLibrary.simpleMessage("Koš"), + "tryAgain": MessageLookupByLibrary.simpleMessage("Zkusit znovu"), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Nastavení dvoufaktorového ověřování", + ), + "unlock": MessageLookupByLibrary.simpleMessage("Odemknout"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("Odepnout album"), + "unselectAll": MessageLookupByLibrary.simpleMessage("Zrušit výběr"), + "update": MessageLookupByLibrary.simpleMessage("Aktualizovat"), + "updateAvailable": MessageLookupByLibrary.simpleMessage( + "Je k dispozici aktualizace", + ), + "upgrade": MessageLookupByLibrary.simpleMessage("Upgradovat"), + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Nahrávání souborů do alba...", + ), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Použít obnovovací klíč", + ), + "usedSpace": MessageLookupByLibrary.simpleMessage("Využité místo"), + "verify": MessageLookupByLibrary.simpleMessage("Ověřit"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("Ověřit e-mail"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Ověřit"), + "verifyPassword": MessageLookupByLibrary.simpleMessage("Ověřit heslo"), + "verifying": MessageLookupByLibrary.simpleMessage("Ověřování..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Ověřování obnovovacího klíče...", + ), + "videos": MessageLookupByLibrary.simpleMessage("Videa"), + "viewAll": MessageLookupByLibrary.simpleMessage("Zobrazit vše"), + "viewer": MessageLookupByLibrary.simpleMessage("Prohlížející"), + "warning": MessageLookupByLibrary.simpleMessage("Varování"), + "weAreOpenSource": MessageLookupByLibrary.simpleMessage( + "Jsme open source!", + ), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Slabé"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("Vítejte zpět!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("Co je nového"), + "yearly": MessageLookupByLibrary.simpleMessage("Ročně"), + "yes": MessageLookupByLibrary.simpleMessage("Ano"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Ano, zrušit"), + "yesDelete": MessageLookupByLibrary.simpleMessage("Ano, smazat"), + "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( + "Ano, zahodit změny", + ), + "yesLogout": MessageLookupByLibrary.simpleMessage("Ano, odhlásit se"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Ano, odstranit"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Ano, obnovit"), + "you": MessageLookupByLibrary.simpleMessage("Vy"), + "youAndThem": m117, + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "Váš účet byl smazán", + ), + "yourMap": MessageLookupByLibrary.simpleMessage("Vaše mapa"), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_da.dart b/mobile/apps/photos/lib/generated/intl/messages_da.dart index ba3d4075a5..b19ca36626 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_da.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_da.dart @@ -51,420 +51,511 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("Velkommen tilbage!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Jeg forstår at hvis jeg mister min adgangskode kan jeg miste mine data, da mine data er end-to-end krypteret."), - "activeSessions": - MessageLookupByLibrary.simpleMessage("Aktive sessioner"), - "addANewEmail": - MessageLookupByLibrary.simpleMessage("Tilføj en ny e-mail"), - "addCollaborator": - MessageLookupByLibrary.simpleMessage("Tilføj samarbejdspartner"), - "addMore": MessageLookupByLibrary.simpleMessage("Tilføj flere"), - "addOnPageSubtitle": - MessageLookupByLibrary.simpleMessage("Oplysninger om tilføjelser"), - "addViewer": MessageLookupByLibrary.simpleMessage("Tilføj seer"), - "addedAs": MessageLookupByLibrary.simpleMessage("Tilføjet som"), - "addingToFavorites": - MessageLookupByLibrary.simpleMessage("Tilføjer til favoritter..."), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Avanceret"), - "after1Day": MessageLookupByLibrary.simpleMessage("Efter 1 dag"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Efter 1 time"), - "after1Month": MessageLookupByLibrary.simpleMessage("Efter 1 måned"), - "after1Week": MessageLookupByLibrary.simpleMessage("Efter 1 uge"), - "after1Year": MessageLookupByLibrary.simpleMessage("Efter 1 år"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Ejer"), - "albumParticipantsCount": m8, - "albumUpdated": - MessageLookupByLibrary.simpleMessage("Album er opdateret"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Tillad personer med linket også at tilføje billeder til det delte album."), - "allowAddingPhotos": - MessageLookupByLibrary.simpleMessage("Tillad tilføjelse af fotos"), - "allowDownloads": - MessageLookupByLibrary.simpleMessage("Tillad downloads"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Hvad er hovedårsagen til, at du sletter din konto?"), - "backedUpFolders": - MessageLookupByLibrary.simpleMessage("Sikkerhedskopierede mapper"), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Elementer, der er blevet sikkerhedskopieret, vil blive vist her"), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Beklager, dette album kan ikke åbnes i appen."), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Kan kun fjerne filer ejet af dig"), - "cancel": MessageLookupByLibrary.simpleMessage("Annuller"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": - MessageLookupByLibrary.simpleMessage("Kan ikke slette delte filer"), - "changeEmail": - MessageLookupByLibrary.simpleMessage("Skift email adresse"), - "changePasswordTitle": - MessageLookupByLibrary.simpleMessage("Skift adgangskode"), - "changePermissions": - MessageLookupByLibrary.simpleMessage("Rediger rettigheder?"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Tjek venligst din indbakke (og spam) for at færdiggøre verificeringen"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Ryd indekser"), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Kode kopieret til udklipsholder"), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Opret et link, så folk kan tilføje og se fotos i dit delte album uden at behøve en Ente-app eller konto. Fantastisk til at indsamle event fotos."), - "collaborativeLink": - MessageLookupByLibrary.simpleMessage("Kollaborativt link"), - "collectPhotos": - MessageLookupByLibrary.simpleMessage("Indsaml billeder"), - "confirm": MessageLookupByLibrary.simpleMessage("Bekræft"), - "confirmAccountDeletion": - MessageLookupByLibrary.simpleMessage("Bekræft Sletning Af Konto"), - "confirmPassword": - MessageLookupByLibrary.simpleMessage("Bekræft adgangskode"), - "confirmRecoveryKey": - MessageLookupByLibrary.simpleMessage("Bekræft gendannelsesnøgle"), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Bekræft din gendannelsesnøgle"), - "contactSupport": - MessageLookupByLibrary.simpleMessage("Kontakt support"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Fortsæt"), - "copyLink": MessageLookupByLibrary.simpleMessage("Kopiér link"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Kopiér denne kode\ntil din autentificeringsapp"), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Abonnementet kunne ikke opdateres."), - "createAccount": MessageLookupByLibrary.simpleMessage("Opret konto"), - "createNewAccount": - MessageLookupByLibrary.simpleMessage("Opret en ny konto"), - "createPublicLink": - MessageLookupByLibrary.simpleMessage("Opret et offentligt link"), - "creatingLink": - MessageLookupByLibrary.simpleMessage("Opretter link..."), - "custom": MessageLookupByLibrary.simpleMessage("Tilpasset"), - "decrypting": MessageLookupByLibrary.simpleMessage("Dekrypterer..."), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Slet konto"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Vi er kede af at du forlader os. Forklar venligst hvorfor, så vi kan forbedre os."), - "deleteAccountPermanentlyButton": - MessageLookupByLibrary.simpleMessage("Slet konto permanent"), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Slet album"), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Send venligst en email til account-deletion@ente.io fra din registrerede email adresse."), - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Der mangler en vigtig funktion, som jeg har brug for"), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "App\'en eller en bestemt funktion virker ikke som den skal"), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Jeg fandt en anden tjeneste, som jeg syntes bedre om"), - "deleteReason4": - MessageLookupByLibrary.simpleMessage("Min grund er ikke angivet"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Din anmodning vil blive behandlet inden for 72 timer."), - "deleteSharedAlbum": - MessageLookupByLibrary.simpleMessage("Slet delt album?"), - "details": MessageLookupByLibrary.simpleMessage("Detaljer"), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Er du sikker på, at du vil ændre udviklerindstillingerne?"), - "disableDownloadWarningTitle": - MessageLookupByLibrary.simpleMessage("Bemærk venligst"), - "discover_food": MessageLookupByLibrary.simpleMessage("Mad"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Identitet"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Noter"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Kæledyr"), - "discover_screenshots": - MessageLookupByLibrary.simpleMessage("Skærmbilleder"), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfier"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Solnedgang"), - "discover_wallpapers": - MessageLookupByLibrary.simpleMessage("Baggrundsbilleder"), - "doThisLater": MessageLookupByLibrary.simpleMessage("Gør det senere"), - "dropSupportEmail": m25, - "eligible": MessageLookupByLibrary.simpleMessage("kvalificeret"), - "email": MessageLookupByLibrary.simpleMessage("Email"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "E-mail er allerede registreret."), - "emailNotRegistered": - MessageLookupByLibrary.simpleMessage("E-mail er ikke registreret."), - "encryption": MessageLookupByLibrary.simpleMessage("Kryptering"), - "encryptionKeys": - MessageLookupByLibrary.simpleMessage("Krypteringsnøgler"), - "enterCode": MessageLookupByLibrary.simpleMessage("Indtast kode"), - "enterEmail": - MessageLookupByLibrary.simpleMessage("Indtast email adresse"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Indtast en ny adgangskode vi kan bruge til at kryptere dine data"), - "enterPassword": - MessageLookupByLibrary.simpleMessage("Indtast adgangskode"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Indtast en adgangskode vi kan bruge til at kryptere dine data"), - "enterPin": MessageLookupByLibrary.simpleMessage("Indtast PIN"), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Indtast den 6-cifrede kode fra din autentificeringsapp"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Indtast venligst en gyldig email adresse."), - "enterYourEmailAddress": - MessageLookupByLibrary.simpleMessage("Indtast din email adresse"), - "enterYourPassword": - MessageLookupByLibrary.simpleMessage("Indtast adgangskode"), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Indtast din gendannelsesnøgle"), - "familyPlanPortalTitle": - MessageLookupByLibrary.simpleMessage("Familie"), - "feedback": MessageLookupByLibrary.simpleMessage("Feedback"), - "fileSavedToGallery": - MessageLookupByLibrary.simpleMessage("Fil gemt i galleri"), - "findPeopleByName": - MessageLookupByLibrary.simpleMessage("Find folk hurtigt ved navn"), - "forgotPassword": - MessageLookupByLibrary.simpleMessage("Glemt adgangskode"), - "freeStorageOnReferralSuccess": m37, - "freeUpDeviceSpace": - MessageLookupByLibrary.simpleMessage("Frigør enhedsplads"), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Spar plads på din enhed ved at rydde filer, der allerede er sikkerhedskopieret."), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Genererer krypteringsnøgler..."), - "help": MessageLookupByLibrary.simpleMessage("Hjælp"), - "howItWorks": - MessageLookupByLibrary.simpleMessage("Sådan fungerer det"), - "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("Forkert adgangskode"), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "Den gendannelsesnøgle du indtastede er forkert"), - "incorrectRecoveryKeyTitle": - MessageLookupByLibrary.simpleMessage("Forkert gendannelsesnøgle"), - "indexedItems": - MessageLookupByLibrary.simpleMessage("Indekserede elementer"), - "insecureDevice": MessageLookupByLibrary.simpleMessage("Usikker enhed"), - "invalidEmailAddress": - MessageLookupByLibrary.simpleMessage("Ugyldig email adresse"), - "invalidKey": MessageLookupByLibrary.simpleMessage("Ugyldig nøgle"), - "invite": MessageLookupByLibrary.simpleMessage("Inviter"), - "inviteYourFriends": - MessageLookupByLibrary.simpleMessage("Inviter dine venner"), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Valgte elementer vil blive fjernet fra dette album"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Behold billeder"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Hjælp os venligst med disse oplysninger"), - "linkDeviceLimit": - MessageLookupByLibrary.simpleMessage("Enheds grænse"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Aktiveret"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Udløbet"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Udløb af link"), - "linkHasExpired": - MessageLookupByLibrary.simpleMessage("Linket er udløbet"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Aldrig"), - "loadingModel": - MessageLookupByLibrary.simpleMessage("Downloader modeller..."), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Lås"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Log ind"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Logger ud..."), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Ved at klikke på log ind accepterer jeg vilkårene for service og privatlivspolitik"), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Langt tryk på en e-mail for at bekræfte slutningen af krypteringen."), - "lostDevice": - MessageLookupByLibrary.simpleMessage("Har du mistet enhed?"), - "machineLearning": MessageLookupByLibrary.simpleMessage("Maskinlæring"), - "magicSearch": MessageLookupByLibrary.simpleMessage("Magisk søgning"), - "manage": MessageLookupByLibrary.simpleMessage("Administrér"), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Gennemgå og ryd lokal cache-lagring."), - "manageParticipants": - MessageLookupByLibrary.simpleMessage("Administrer"), - "mlConsent": - MessageLookupByLibrary.simpleMessage("Aktiver maskinlæring"), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Klik her for flere detaljer om denne funktion i vores privatlivspolitik"), - "mlConsentTitle": - MessageLookupByLibrary.simpleMessage("Aktiver maskinlæring?"), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Bemærk venligst, at maskinindlæring vil resultere i en højere båndbredde og batteriforbrug, indtil alle elementer er indekseret. Overvej at bruge desktop app til hurtigere indeksering, vil alle resultater blive synkroniseret automatisk."), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Moderat"), - "moments": MessageLookupByLibrary.simpleMessage("Øjeblikke"), - "never": MessageLookupByLibrary.simpleMessage("Aldrig"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Nyt album"), - "next": MessageLookupByLibrary.simpleMessage("Næste"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Ingen"), - "noRecoveryKey": - MessageLookupByLibrary.simpleMessage("Ingen gendannelsesnøgle?"), - "ok": MessageLookupByLibrary.simpleMessage("Ok"), - "oops": MessageLookupByLibrary.simpleMessage("Ups"), - "oopsSomethingWentWrong": - MessageLookupByLibrary.simpleMessage("Ups, noget gik galt"), - "orPickAnExistingOne": - MessageLookupByLibrary.simpleMessage("Eller vælg en eksisterende"), - "password": MessageLookupByLibrary.simpleMessage("Adgangskode"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Adgangskoden er blevet ændret"), - "passwordLock": MessageLookupByLibrary.simpleMessage("Adgangskodelås"), - "passwordStrength": m57, - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Vi gemmer ikke denne adgangskode, så hvis du glemmer den kan vi ikke dekryptere dine data"), - "pendingItems": - MessageLookupByLibrary.simpleMessage("Afventende elementer"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Personer, der bruger din kode"), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Kontakt support@ente.io og vi vil være glade for at hjælpe!"), - "pleaseTryAgain": - MessageLookupByLibrary.simpleMessage("Prøv venligst igen"), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Vent venligst..."), - "privacyPolicyTitle": - MessageLookupByLibrary.simpleMessage("Privatlivspolitik"), - "publicLinkEnabled": - MessageLookupByLibrary.simpleMessage("Offentligt link aktiveret"), - "recover": MessageLookupByLibrary.simpleMessage("Gendan"), - "recoverAccount": MessageLookupByLibrary.simpleMessage("Gendan konto"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Gendan"), - "recoveryKey": - MessageLookupByLibrary.simpleMessage("Gendannelse nøgle"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Gendannelsesnøgle kopieret til udklipsholder"), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Hvis du glemmer din adgangskode, den eneste måde, du kan gendanne dine data er med denne nøgle."), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Vi gemmer ikke denne nøgle, gem venligst denne 24 ord nøgle på et sikkert sted."), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Super! Din gendannelsesnøgle er gyldig. Tak fordi du verificerer.\n\nHusk at holde din gendannelsesnøgle sikker sikkerhedskopieret."), - "recoveryKeyVerified": - MessageLookupByLibrary.simpleMessage("Gendannelsesnøgle bekræftet"), - "recoverySuccessful": - MessageLookupByLibrary.simpleMessage("Gendannelse lykkedes!"), - "recreatePasswordTitle": - MessageLookupByLibrary.simpleMessage("Genskab adgangskode"), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. De tilmelder sig en betalt plan"), - "remove": MessageLookupByLibrary.simpleMessage("Fjern"), - "removeFromAlbum": - MessageLookupByLibrary.simpleMessage("Fjern fra album"), - "removeFromAlbumTitle": - MessageLookupByLibrary.simpleMessage("Fjern fra album?"), - "removeLink": MessageLookupByLibrary.simpleMessage("Fjern link"), - "removeParticipant": - MessageLookupByLibrary.simpleMessage("Fjern deltager"), - "removeWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Fjern?"), - "removingFromFavorites": - MessageLookupByLibrary.simpleMessage("Fjerner fra favoritter..."), - "renameFile": MessageLookupByLibrary.simpleMessage("Omdøb fil"), - "resendEmail": MessageLookupByLibrary.simpleMessage("Send email igen"), - "resetPasswordTitle": - MessageLookupByLibrary.simpleMessage("Nulstil adgangskode"), - "retry": MessageLookupByLibrary.simpleMessage("Prøv igen"), - "saveKey": MessageLookupByLibrary.simpleMessage("Gem nøgle"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Gem din gendannelsesnøgle, hvis du ikke allerede har"), - "scanCode": MessageLookupByLibrary.simpleMessage("Skan kode"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Skan denne QR-kode med godkendelses-appen"), - "searchHint1": - MessageLookupByLibrary.simpleMessage("Hurtig, søgning på enheden"), - "selectAll": MessageLookupByLibrary.simpleMessage("Vælg alle"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Vælg mapper til sikkerhedskopiering"), - "selectReason": MessageLookupByLibrary.simpleMessage("Vælg årsag"), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Valgte mapper vil blive krypteret og sikkerhedskopieret"), - "selectedPhotos": m80, - "sendEmail": MessageLookupByLibrary.simpleMessage("Send email"), - "sendLink": MessageLookupByLibrary.simpleMessage("Send link"), - "setPasswordTitle": - MessageLookupByLibrary.simpleMessage("Angiv adgangskode"), - "setupComplete": - MessageLookupByLibrary.simpleMessage("Opsætning fuldført"), - "shareALink": MessageLookupByLibrary.simpleMessage("Del et link"), - "shareTextConfirmOthersVerificationID": m84, - "shareWithNonenteUsers": - MessageLookupByLibrary.simpleMessage("Del med ikke Ente brugere"), - "showMemories": MessageLookupByLibrary.simpleMessage("Vis minder"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Jeg er enig i betingelser for brug og privatlivspolitik"), - "skip": MessageLookupByLibrary.simpleMessage("Spring over"), - "somethingWentWrongPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Noget gik galt, prøv venligst igen"), - "sorry": MessageLookupByLibrary.simpleMessage("Beklager"), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Beklager, kunne ikke føje til favoritter!"), - "sorryCouldNotRemoveFromFavorites": - MessageLookupByLibrary.simpleMessage( - "Beklager, kunne ikke fjernes fra favoritter!"), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Beklager, vi kunne ikke generere sikre krypteringsnøgler på denne enhed.\n\nForsøg venligst at oprette en konto fra en anden enhed."), - "status": MessageLookupByLibrary.simpleMessage("Status"), - "storageInGB": m93, - "strongStrength": MessageLookupByLibrary.simpleMessage("Stærkt"), - "subscribe": MessageLookupByLibrary.simpleMessage("Abonner"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Du skal have et aktivt betalt abonnement for at aktivere deling."), - "tapToCopy": - MessageLookupByLibrary.simpleMessage("tryk for at kopiere"), - "tapToEnterCode": - MessageLookupByLibrary.simpleMessage("Tryk for at indtaste kode"), - "terminate": MessageLookupByLibrary.simpleMessage("Afbryd"), - "terminateSession": - MessageLookupByLibrary.simpleMessage("Afslut session?"), - "termsOfServicesTitle": - MessageLookupByLibrary.simpleMessage("Betingelser"), - "theyAlsoGetXGb": m99, - "thisCanBeUsedToRecoverYourAccountIfYou": - MessageLookupByLibrary.simpleMessage( - "Dette kan bruges til at gendanne din konto, hvis du mister din anden faktor"), - "thisDevice": MessageLookupByLibrary.simpleMessage("Denne enhed"), - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Dette er dit bekræftelses-ID"), - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Dette vil logge dig ud af følgende enhed:"), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Dette vil logge dig ud af denne enhed!"), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "For at nulstille din adgangskode, bekræft venligst din email adresse."), - "tryAgain": MessageLookupByLibrary.simpleMessage("Prøv igen"), - "twofactorAuthenticationPageTitle": - MessageLookupByLibrary.simpleMessage("To-faktor-godkendelse"), - "twofactorSetup": - MessageLookupByLibrary.simpleMessage("To-faktor opsætning"), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Beklager, denne kode er ikke tilgængelig."), - "unselectAll": MessageLookupByLibrary.simpleMessage("Fravælg alle"), - "updatingFolderSelection": - MessageLookupByLibrary.simpleMessage("Opdaterer mappevalg..."), - "useRecoveryKey": - MessageLookupByLibrary.simpleMessage("Brug gendannelsesnøgle"), - "verify": MessageLookupByLibrary.simpleMessage("Bekræft"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("Bekræft e-mail"), - "verifyPassword": - MessageLookupByLibrary.simpleMessage("Bekræft adgangskode"), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Verificerer gendannelsesnøgle..."), - "viewAddOnButton": - MessageLookupByLibrary.simpleMessage("Vis tilføjelser"), - "viewRecoveryKey": - MessageLookupByLibrary.simpleMessage("Vis gendannelsesnøgle"), - "viewer": MessageLookupByLibrary.simpleMessage("Seer"), - "waitingForWifi": - MessageLookupByLibrary.simpleMessage("Venter på Wi-fi..."), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Svagt"), - "welcomeBack": - MessageLookupByLibrary.simpleMessage("Velkommen tilbage!"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "Ja, konverter til præsentation"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Ja, fjern"), - "you": MessageLookupByLibrary.simpleMessage("Dig"), - "yourAccountHasBeenDeleted": - MessageLookupByLibrary.simpleMessage("Din konto er blevet slettet") - }; + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( + "Velkommen tilbage!", + ), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Jeg forstår at hvis jeg mister min adgangskode kan jeg miste mine data, da mine data er end-to-end krypteret.", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage("Aktive sessioner"), + "addANewEmail": MessageLookupByLibrary.simpleMessage("Tilføj en ny e-mail"), + "addCollaborator": MessageLookupByLibrary.simpleMessage( + "Tilføj samarbejdspartner", + ), + "addMore": MessageLookupByLibrary.simpleMessage("Tilføj flere"), + "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( + "Oplysninger om tilføjelser", + ), + "addViewer": MessageLookupByLibrary.simpleMessage("Tilføj seer"), + "addedAs": MessageLookupByLibrary.simpleMessage("Tilføjet som"), + "addingToFavorites": MessageLookupByLibrary.simpleMessage( + "Tilføjer til favoritter...", + ), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Avanceret"), + "after1Day": MessageLookupByLibrary.simpleMessage("Efter 1 dag"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Efter 1 time"), + "after1Month": MessageLookupByLibrary.simpleMessage("Efter 1 måned"), + "after1Week": MessageLookupByLibrary.simpleMessage("Efter 1 uge"), + "after1Year": MessageLookupByLibrary.simpleMessage("Efter 1 år"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Ejer"), + "albumParticipantsCount": m8, + "albumUpdated": MessageLookupByLibrary.simpleMessage("Album er opdateret"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Tillad personer med linket også at tilføje billeder til det delte album.", + ), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( + "Tillad tilføjelse af fotos", + ), + "allowDownloads": MessageLookupByLibrary.simpleMessage("Tillad downloads"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Hvad er hovedårsagen til, at du sletter din konto?", + ), + "backedUpFolders": MessageLookupByLibrary.simpleMessage( + "Sikkerhedskopierede mapper", + ), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Elementer, der er blevet sikkerhedskopieret, vil blive vist her", + ), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Beklager, dette album kan ikke åbnes i appen.", + ), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Kan kun fjerne filer ejet af dig", + ), + "cancel": MessageLookupByLibrary.simpleMessage("Annuller"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Kan ikke slette delte filer", + ), + "changeEmail": MessageLookupByLibrary.simpleMessage("Skift email adresse"), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Skift adgangskode", + ), + "changePermissions": MessageLookupByLibrary.simpleMessage( + "Rediger rettigheder?", + ), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Tjek venligst din indbakke (og spam) for at færdiggøre verificeringen", + ), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Ryd indekser"), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Kode kopieret til udklipsholder", + ), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Opret et link, så folk kan tilføje og se fotos i dit delte album uden at behøve en Ente-app eller konto. Fantastisk til at indsamle event fotos.", + ), + "collaborativeLink": MessageLookupByLibrary.simpleMessage( + "Kollaborativt link", + ), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Indsaml billeder"), + "confirm": MessageLookupByLibrary.simpleMessage("Bekræft"), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Bekræft Sletning Af Konto", + ), + "confirmPassword": MessageLookupByLibrary.simpleMessage( + "Bekræft adgangskode", + ), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Bekræft gendannelsesnøgle", + ), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Bekræft din gendannelsesnøgle", + ), + "contactSupport": MessageLookupByLibrary.simpleMessage("Kontakt support"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Fortsæt"), + "copyLink": MessageLookupByLibrary.simpleMessage("Kopiér link"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Kopiér denne kode\ntil din autentificeringsapp", + ), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Abonnementet kunne ikke opdateres.", + ), + "createAccount": MessageLookupByLibrary.simpleMessage("Opret konto"), + "createNewAccount": MessageLookupByLibrary.simpleMessage( + "Opret en ny konto", + ), + "createPublicLink": MessageLookupByLibrary.simpleMessage( + "Opret et offentligt link", + ), + "creatingLink": MessageLookupByLibrary.simpleMessage("Opretter link..."), + "custom": MessageLookupByLibrary.simpleMessage("Tilpasset"), + "decrypting": MessageLookupByLibrary.simpleMessage("Dekrypterer..."), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Slet konto"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Vi er kede af at du forlader os. Forklar venligst hvorfor, så vi kan forbedre os.", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Slet konto permanent", + ), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Slet album"), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Send venligst en email til account-deletion@ente.io fra din registrerede email adresse.", + ), + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Der mangler en vigtig funktion, som jeg har brug for", + ), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "App\'en eller en bestemt funktion virker ikke som den skal", + ), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Jeg fandt en anden tjeneste, som jeg syntes bedre om", + ), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "Min grund er ikke angivet", + ), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Din anmodning vil blive behandlet inden for 72 timer.", + ), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Slet delt album?", + ), + "details": MessageLookupByLibrary.simpleMessage("Detaljer"), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Er du sikker på, at du vil ændre udviklerindstillingerne?", + ), + "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( + "Bemærk venligst", + ), + "discover_food": MessageLookupByLibrary.simpleMessage("Mad"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Identitet"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Noter"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Kæledyr"), + "discover_screenshots": MessageLookupByLibrary.simpleMessage( + "Skærmbilleder", + ), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfier"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Solnedgang"), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage( + "Baggrundsbilleder", + ), + "doThisLater": MessageLookupByLibrary.simpleMessage("Gør det senere"), + "dropSupportEmail": m25, + "eligible": MessageLookupByLibrary.simpleMessage("kvalificeret"), + "email": MessageLookupByLibrary.simpleMessage("Email"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "E-mail er allerede registreret.", + ), + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "E-mail er ikke registreret.", + ), + "encryption": MessageLookupByLibrary.simpleMessage("Kryptering"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage("Krypteringsnøgler"), + "enterCode": MessageLookupByLibrary.simpleMessage("Indtast kode"), + "enterEmail": MessageLookupByLibrary.simpleMessage("Indtast email adresse"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Indtast en ny adgangskode vi kan bruge til at kryptere dine data", + ), + "enterPassword": MessageLookupByLibrary.simpleMessage( + "Indtast adgangskode", + ), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Indtast en adgangskode vi kan bruge til at kryptere dine data", + ), + "enterPin": MessageLookupByLibrary.simpleMessage("Indtast PIN"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Indtast den 6-cifrede kode fra din autentificeringsapp", + ), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Indtast venligst en gyldig email adresse.", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Indtast din email adresse", + ), + "enterYourPassword": MessageLookupByLibrary.simpleMessage( + "Indtast adgangskode", + ), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Indtast din gendannelsesnøgle", + ), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Familie"), + "feedback": MessageLookupByLibrary.simpleMessage("Feedback"), + "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Fil gemt i galleri", + ), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "Find folk hurtigt ved navn", + ), + "forgotPassword": MessageLookupByLibrary.simpleMessage("Glemt adgangskode"), + "freeStorageOnReferralSuccess": m37, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( + "Frigør enhedsplads", + ), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Spar plads på din enhed ved at rydde filer, der allerede er sikkerhedskopieret.", + ), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Genererer krypteringsnøgler...", + ), + "help": MessageLookupByLibrary.simpleMessage("Hjælp"), + "howItWorks": MessageLookupByLibrary.simpleMessage("Sådan fungerer det"), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Forkert adgangskode", + ), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Den gendannelsesnøgle du indtastede er forkert", + ), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Forkert gendannelsesnøgle", + ), + "indexedItems": MessageLookupByLibrary.simpleMessage( + "Indekserede elementer", + ), + "insecureDevice": MessageLookupByLibrary.simpleMessage("Usikker enhed"), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "Ugyldig email adresse", + ), + "invalidKey": MessageLookupByLibrary.simpleMessage("Ugyldig nøgle"), + "invite": MessageLookupByLibrary.simpleMessage("Inviter"), + "inviteYourFriends": MessageLookupByLibrary.simpleMessage( + "Inviter dine venner", + ), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Valgte elementer vil blive fjernet fra dette album", + ), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Behold billeder"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Hjælp os venligst med disse oplysninger", + ), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Enheds grænse"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Aktiveret"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Udløbet"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Udløb af link"), + "linkHasExpired": MessageLookupByLibrary.simpleMessage("Linket er udløbet"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Aldrig"), + "loadingModel": MessageLookupByLibrary.simpleMessage( + "Downloader modeller...", + ), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Lås"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Log ind"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Logger ud..."), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Ved at klikke på log ind accepterer jeg vilkårene for service og privatlivspolitik", + ), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Langt tryk på en e-mail for at bekræfte slutningen af krypteringen.", + ), + "lostDevice": MessageLookupByLibrary.simpleMessage("Har du mistet enhed?"), + "machineLearning": MessageLookupByLibrary.simpleMessage("Maskinlæring"), + "magicSearch": MessageLookupByLibrary.simpleMessage("Magisk søgning"), + "manage": MessageLookupByLibrary.simpleMessage("Administrér"), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Gennemgå og ryd lokal cache-lagring.", + ), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Administrer"), + "mlConsent": MessageLookupByLibrary.simpleMessage("Aktiver maskinlæring"), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Klik her for flere detaljer om denne funktion i vores privatlivspolitik", + ), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "Aktiver maskinlæring?", + ), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Bemærk venligst, at maskinindlæring vil resultere i en højere båndbredde og batteriforbrug, indtil alle elementer er indekseret. Overvej at bruge desktop app til hurtigere indeksering, vil alle resultater blive synkroniseret automatisk.", + ), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Moderat"), + "moments": MessageLookupByLibrary.simpleMessage("Øjeblikke"), + "never": MessageLookupByLibrary.simpleMessage("Aldrig"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Nyt album"), + "next": MessageLookupByLibrary.simpleMessage("Næste"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Ingen"), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Ingen gendannelsesnøgle?", + ), + "ok": MessageLookupByLibrary.simpleMessage("Ok"), + "oops": MessageLookupByLibrary.simpleMessage("Ups"), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Ups, noget gik galt", + ), + "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( + "Eller vælg en eksisterende", + ), + "password": MessageLookupByLibrary.simpleMessage("Adgangskode"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Adgangskoden er blevet ændret", + ), + "passwordLock": MessageLookupByLibrary.simpleMessage("Adgangskodelås"), + "passwordStrength": m57, + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Vi gemmer ikke denne adgangskode, så hvis du glemmer den kan vi ikke dekryptere dine data", + ), + "pendingItems": MessageLookupByLibrary.simpleMessage( + "Afventende elementer", + ), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Personer, der bruger din kode", + ), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Kontakt support@ente.io og vi vil være glade for at hjælpe!", + ), + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Prøv venligst igen", + ), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Vent venligst..."), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "Privatlivspolitik", + ), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( + "Offentligt link aktiveret", + ), + "recover": MessageLookupByLibrary.simpleMessage("Gendan"), + "recoverAccount": MessageLookupByLibrary.simpleMessage("Gendan konto"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Gendan"), + "recoveryKey": MessageLookupByLibrary.simpleMessage("Gendannelse nøgle"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Gendannelsesnøgle kopieret til udklipsholder", + ), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Hvis du glemmer din adgangskode, den eneste måde, du kan gendanne dine data er med denne nøgle.", + ), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Vi gemmer ikke denne nøgle, gem venligst denne 24 ord nøgle på et sikkert sted.", + ), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Super! Din gendannelsesnøgle er gyldig. Tak fordi du verificerer.\n\nHusk at holde din gendannelsesnøgle sikker sikkerhedskopieret.", + ), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Gendannelsesnøgle bekræftet", + ), + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "Gendannelse lykkedes!", + ), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Genskab adgangskode", + ), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. De tilmelder sig en betalt plan", + ), + "remove": MessageLookupByLibrary.simpleMessage("Fjern"), + "removeFromAlbum": MessageLookupByLibrary.simpleMessage("Fjern fra album"), + "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( + "Fjern fra album?", + ), + "removeLink": MessageLookupByLibrary.simpleMessage("Fjern link"), + "removeParticipant": MessageLookupByLibrary.simpleMessage("Fjern deltager"), + "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Fjern?"), + "removingFromFavorites": MessageLookupByLibrary.simpleMessage( + "Fjerner fra favoritter...", + ), + "renameFile": MessageLookupByLibrary.simpleMessage("Omdøb fil"), + "resendEmail": MessageLookupByLibrary.simpleMessage("Send email igen"), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Nulstil adgangskode", + ), + "retry": MessageLookupByLibrary.simpleMessage("Prøv igen"), + "saveKey": MessageLookupByLibrary.simpleMessage("Gem nøgle"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Gem din gendannelsesnøgle, hvis du ikke allerede har", + ), + "scanCode": MessageLookupByLibrary.simpleMessage("Skan kode"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Skan denne QR-kode med godkendelses-appen", + ), + "searchHint1": MessageLookupByLibrary.simpleMessage( + "Hurtig, søgning på enheden", + ), + "selectAll": MessageLookupByLibrary.simpleMessage("Vælg alle"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Vælg mapper til sikkerhedskopiering", + ), + "selectReason": MessageLookupByLibrary.simpleMessage("Vælg årsag"), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Valgte mapper vil blive krypteret og sikkerhedskopieret", + ), + "selectedPhotos": m80, + "sendEmail": MessageLookupByLibrary.simpleMessage("Send email"), + "sendLink": MessageLookupByLibrary.simpleMessage("Send link"), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Angiv adgangskode", + ), + "setupComplete": MessageLookupByLibrary.simpleMessage("Opsætning fuldført"), + "shareALink": MessageLookupByLibrary.simpleMessage("Del et link"), + "shareTextConfirmOthersVerificationID": m84, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Del med ikke Ente brugere", + ), + "showMemories": MessageLookupByLibrary.simpleMessage("Vis minder"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Jeg er enig i betingelser for brug og privatlivspolitik", + ), + "skip": MessageLookupByLibrary.simpleMessage("Spring over"), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Noget gik galt, prøv venligst igen", + ), + "sorry": MessageLookupByLibrary.simpleMessage("Beklager"), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Beklager, kunne ikke føje til favoritter!", + ), + "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( + "Beklager, kunne ikke fjernes fra favoritter!", + ), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Beklager, vi kunne ikke generere sikre krypteringsnøgler på denne enhed.\n\nForsøg venligst at oprette en konto fra en anden enhed.", + ), + "status": MessageLookupByLibrary.simpleMessage("Status"), + "storageInGB": m93, + "strongStrength": MessageLookupByLibrary.simpleMessage("Stærkt"), + "subscribe": MessageLookupByLibrary.simpleMessage("Abonner"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Du skal have et aktivt betalt abonnement for at aktivere deling.", + ), + "tapToCopy": MessageLookupByLibrary.simpleMessage("tryk for at kopiere"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage( + "Tryk for at indtaste kode", + ), + "terminate": MessageLookupByLibrary.simpleMessage("Afbryd"), + "terminateSession": MessageLookupByLibrary.simpleMessage("Afslut session?"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Betingelser"), + "theyAlsoGetXGb": m99, + "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( + "Dette kan bruges til at gendanne din konto, hvis du mister din anden faktor", + ), + "thisDevice": MessageLookupByLibrary.simpleMessage("Denne enhed"), + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Dette er dit bekræftelses-ID", + ), + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Dette vil logge dig ud af følgende enhed:", + ), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Dette vil logge dig ud af denne enhed!", + ), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "For at nulstille din adgangskode, bekræft venligst din email adresse.", + ), + "tryAgain": MessageLookupByLibrary.simpleMessage("Prøv igen"), + "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( + "To-faktor-godkendelse", + ), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "To-faktor opsætning", + ), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Beklager, denne kode er ikke tilgængelig.", + ), + "unselectAll": MessageLookupByLibrary.simpleMessage("Fravælg alle"), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Opdaterer mappevalg...", + ), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Brug gendannelsesnøgle", + ), + "verify": MessageLookupByLibrary.simpleMessage("Bekræft"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("Bekræft e-mail"), + "verifyPassword": MessageLookupByLibrary.simpleMessage( + "Bekræft adgangskode", + ), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Verificerer gendannelsesnøgle...", + ), + "viewAddOnButton": MessageLookupByLibrary.simpleMessage("Vis tilføjelser"), + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Vis gendannelsesnøgle", + ), + "viewer": MessageLookupByLibrary.simpleMessage("Seer"), + "waitingForWifi": MessageLookupByLibrary.simpleMessage( + "Venter på Wi-fi...", + ), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Svagt"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("Velkommen tilbage!"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "Ja, konverter til præsentation", + ), + "yesRemove": MessageLookupByLibrary.simpleMessage("Ja, fjern"), + "you": MessageLookupByLibrary.simpleMessage("Dig"), + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "Din konto er blevet slettet", + ), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_de.dart b/mobile/apps/photos/lib/generated/intl/messages_de.dart index 5b67f2f277..10eacb7e5e 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_de.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_de.dart @@ -57,12 +57,7 @@ class MessageLookup extends MessageLookupByLibrary { "Der Nutzer \"${user}\" wird keine weiteren Fotos zum Album hinzufügen können.\n\nJedoch kann er weiterhin vorhandene Bilder, welche durch ihn hinzugefügt worden sind, wieder entfernen"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, { - 'true': - 'Deine Familiengruppe hat bereits ${storageAmountInGb} GB erhalten', - 'false': 'Du hast bereits ${storageAmountInGb} GB erhalten', - 'other': 'Du hast bereits ${storageAmountInGb} GB erhalten!', - })}"; + "${Intl.select(isFamilyMember, {'true': 'Deine Familiengruppe hat bereits ${storageAmountInGb} GB erhalten', 'false': 'Du hast bereits ${storageAmountInGb} GB erhalten', 'other': 'Du hast bereits ${storageAmountInGb} GB erhalten!'})}"; static String m15(albumName) => "Kollaborativer Link für ${albumName} erstellt"; @@ -267,7 +262,11 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => + usedAmount, + usedStorageUnit, + totalAmount, + totalStorageUnit, + ) => "${usedAmount} ${usedStorageUnit} von ${totalAmount} ${totalStorageUnit} verwendet"; static String m95(id) => @@ -333,2019 +332,2554 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Eine neue Version von Ente ist verfügbar."), - "about": - MessageLookupByLibrary.simpleMessage("Allgemeine Informationen"), - "acceptTrustInvite": - MessageLookupByLibrary.simpleMessage("Einladung annehmen"), - "account": MessageLookupByLibrary.simpleMessage("Konto"), - "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( - "Das Konto ist bereits konfiguriert."), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("Willkommen zurück!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Ich verstehe, dass ich meine Daten verlieren kann, wenn ich mein Passwort vergesse, da meine Daten Ende-zu-Ende-verschlüsselt sind."), - "actionNotSupportedOnFavouritesAlbum": - MessageLookupByLibrary.simpleMessage( - "Aktion für das Favoritenalbum nicht unterstützt"), - "activeSessions": - MessageLookupByLibrary.simpleMessage("Aktive Sitzungen"), - "add": MessageLookupByLibrary.simpleMessage("Hinzufügen"), - "addAName": - MessageLookupByLibrary.simpleMessage("Füge einen Namen hinzu"), - "addANewEmail": MessageLookupByLibrary.simpleMessage( - "Neue E-Mail-Adresse hinzufügen"), - "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Füge ein Alben-Widget zu deiner Startseite hinzu und komm hierher zurück, um es anzupassen."), - "addCollaborator": - MessageLookupByLibrary.simpleMessage("Bearbeiter hinzufügen"), - "addCollaborators": m1, - "addFiles": MessageLookupByLibrary.simpleMessage("Dateien hinzufügen"), - "addFromDevice": - MessageLookupByLibrary.simpleMessage("Vom Gerät hinzufügen"), - "addItem": m2, - "addLocation": MessageLookupByLibrary.simpleMessage("Ort hinzufügen"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Hinzufügen"), - "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Füge ein Erinnerungs-Widget zu deiner Startseite hinzu und komm hierher zurück, um es anzupassen."), - "addMore": MessageLookupByLibrary.simpleMessage("Mehr hinzufügen"), - "addName": MessageLookupByLibrary.simpleMessage("Name hinzufügen"), - "addNameOrMerge": MessageLookupByLibrary.simpleMessage( - "Name hinzufügen oder zusammenführen"), - "addNew": MessageLookupByLibrary.simpleMessage("Hinzufügen"), - "addNewPerson": - MessageLookupByLibrary.simpleMessage("Neue Person hinzufügen"), - "addOnPageSubtitle": - MessageLookupByLibrary.simpleMessage("Details der Add-ons"), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("Add-ons"), - "addParticipants": - MessageLookupByLibrary.simpleMessage("Teilnehmer hinzufügen"), - "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Füge ein Personen-Widget zu deiner Startseite hinzu und komm hierher zurück, um es anzupassen."), - "addPhotos": MessageLookupByLibrary.simpleMessage("Fotos hinzufügen"), - "addSelected": - MessageLookupByLibrary.simpleMessage("Auswahl hinzufügen"), - "addToAlbum": - MessageLookupByLibrary.simpleMessage("Zum Album hinzufügen"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Zu Ente hinzufügen"), - "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Zum versteckten Album hinzufügen"), - "addTrustedContact": MessageLookupByLibrary.simpleMessage( - "Vertrauenswürdigen Kontakt hinzufügen"), - "addViewer": MessageLookupByLibrary.simpleMessage("Album teilen"), - "addViewers": m4, - "addYourPhotosNow": - MessageLookupByLibrary.simpleMessage("Füge deine Foto jetzt hinzu"), - "addedAs": MessageLookupByLibrary.simpleMessage("Hinzugefügt als"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": MessageLookupByLibrary.simpleMessage( - "Wird zu Favoriten hinzugefügt..."), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("Erweitert"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Erweitert"), - "after1Day": MessageLookupByLibrary.simpleMessage("Nach einem Tag"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Nach 1 Stunde"), - "after1Month": MessageLookupByLibrary.simpleMessage("Nach 1 Monat"), - "after1Week": MessageLookupByLibrary.simpleMessage("Nach 1 Woche"), - "after1Year": MessageLookupByLibrary.simpleMessage("Nach 1 Jahr"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Besitzer"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Albumtitel"), - "albumUpdated": - MessageLookupByLibrary.simpleMessage("Album aktualisiert"), - "albums": MessageLookupByLibrary.simpleMessage("Alben"), - "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Wähle die Alben, die du auf der Startseite sehen möchtest."), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Alles klar"), - "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( - "Alle Erinnerungsstücke gesichert"), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "Alle Gruppierungen für diese Person werden zurückgesetzt und du wirst alle Vorschläge für diese Person verlieren"), - "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": - MessageLookupByLibrary.simpleMessage( - "Alle unbenannten Gruppen werden zur ausgewählten Person zusammengeführt. Dies kann im Verlauf der Vorschläge für diese Person rückgängig gemacht werden."), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "Dies ist die erste in der Gruppe. Andere ausgewählte Fotos werden automatisch nach diesem neuen Datum verschoben"), - "allow": MessageLookupByLibrary.simpleMessage("Erlauben"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Erlaube Nutzern, mit diesem Link ebenfalls Fotos zu diesem geteilten Album hinzuzufügen."), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( - "Hinzufügen von Fotos erlauben"), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "Erlaube der App, geteilte Album-Links zu öffnen"), - "allowDownloads": - MessageLookupByLibrary.simpleMessage("Downloads erlauben"), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Erlaube anderen das Hinzufügen von Fotos"), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Bitte erlaube den Zugriff auf Deine Fotos in den Einstellungen, damit Ente sie anzeigen und sichern kann."), - "allowPermTitle": - MessageLookupByLibrary.simpleMessage("Zugriff auf Fotos erlauben"), - "androidBiometricHint": - MessageLookupByLibrary.simpleMessage("Identität verifizieren"), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "Nicht erkannt. Versuchen Sie es erneut."), - "androidBiometricRequiredTitle": - MessageLookupByLibrary.simpleMessage("Biometrie erforderlich"), - "androidBiometricSuccess": - MessageLookupByLibrary.simpleMessage("Erfolgreich"), - "androidCancelButton": - MessageLookupByLibrary.simpleMessage("Abbrechen"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage( - "Geräteanmeldeinformationen erforderlich"), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage( - "Geräteanmeldeinformationen erforderlich"), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Auf Ihrem Gerät ist keine biometrische Authentifizierung eingerichtet. Gehen Sie „Einstellungen“ > „Sicherheit“, um die biometrische Authentifizierung hinzuzufügen."), - "androidIosWebDesktop": - MessageLookupByLibrary.simpleMessage("Android, iOS, Web, Desktop"), - "androidSignInTitle": MessageLookupByLibrary.simpleMessage( - "Authentifizierung erforderlich"), - "appIcon": MessageLookupByLibrary.simpleMessage("App-Symbol"), - "appLock": MessageLookupByLibrary.simpleMessage("App-Sperre"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Wähle zwischen dem Standard-Sperrbildschirm deines Gerätes und einem eigenen Sperrbildschirm mit PIN oder Passwort."), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), - "apply": MessageLookupByLibrary.simpleMessage("Anwenden"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Code nutzen"), - "appstoreSubscription": - MessageLookupByLibrary.simpleMessage("AppStore Abo"), - "archive": MessageLookupByLibrary.simpleMessage("Archiv"), - "archiveAlbum": - MessageLookupByLibrary.simpleMessage("Album archivieren"), - "archiving": MessageLookupByLibrary.simpleMessage("Archiviere …"), - "areThey": MessageLookupByLibrary.simpleMessage("Ist das "), - "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( - "Bist du sicher, dass du dieses Gesicht von dieser Person entfernen möchtest?"), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Bist du sicher, dass du den Familien-Tarif verlassen möchtest?"), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "Bist du sicher, dass du kündigen willst?"), - "areYouSureYouWantToChangeYourPlan": - MessageLookupByLibrary.simpleMessage( - "Bist du sicher, dass du deinen Tarif ändern möchtest?"), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "Möchtest du Vorgang wirklich abbrechen?"), - "areYouSureYouWantToIgnoreThesePersons": - MessageLookupByLibrary.simpleMessage( - "Bist du sicher, dass du diese Personen ignorieren willst?"), - "areYouSureYouWantToIgnoreThisPerson": - MessageLookupByLibrary.simpleMessage( - "Bist du sicher, dass du diese Person ignorieren willst?"), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Bist Du sicher, dass du dich abmelden möchtest?"), - "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( - "Bist du sicher, dass du sie zusammenführen willst?"), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "Bist du sicher, dass du verlängern möchtest?"), - "areYouSureYouWantToResetThisPerson": - MessageLookupByLibrary.simpleMessage( - "Bist du sicher, dass du diese Person zurücksetzen möchtest?"), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "Dein Abonnement wurde gekündigt. Möchtest du uns den Grund mitteilen?"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Was ist der Hauptgrund für die Löschung deines Kontos?"), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Bitte deine Liebsten ums Teilen"), - "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( - "in einem ehemaligen Luftschutzbunker"), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Bitte authentifizieren, um die E-Mail-Bestätigung zu ändern"), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Bitte authentifizieren, um die Sperrbildschirm-Einstellung zu ändern"), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Bitte authentifizieren, um deine E-Mail-Adresse zu ändern"), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Bitte authentifizieren, um das Passwort zu ändern"), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Bitte authentifizieren, um Zwei-Faktor-Authentifizierung zu konfigurieren"), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Bitte authentifizieren, um die Löschung des Kontos einzuleiten"), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Bitte authentifiziere dich, um deine vertrauenswürdigen Kontakte zu verwalten"), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Bitte authentifizieren, um deinen Passkey zu sehen"), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Bitte authentifizieren, um die gelöschten Dateien anzuzeigen"), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Bitte authentifizieren, um die aktiven Sitzungen anzusehen"), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Bitte authentifizieren, um die versteckten Dateien anzusehen"), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Bitte authentifizieren, um deine Erinnerungsstücke anzusehen"), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Bitte authentifizieren, um deinen Wiederherstellungs-Schlüssel anzusehen"), - "authenticating": - MessageLookupByLibrary.simpleMessage("Authentifiziere …"), - "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Authentifizierung fehlgeschlagen, versuchen Sie es bitte erneut"), - "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( - "Authentifizierung erfogreich!"), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Verfügbare Cast-Geräte werden hier angezeigt."), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Stelle sicher, dass die Ente-App auf das lokale Netzwerk zugreifen darf. Das kannst du in den Einstellungen unter \"Datenschutz\"."), - "autoLock": - MessageLookupByLibrary.simpleMessage("Automatisches Sperren"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Zeit, nach der die App gesperrt wird, nachdem sie in den Hintergrund verschoben wurde"), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "Du wurdest aufgrund technischer Störungen abgemeldet. Wir entschuldigen uns für die Unannehmlichkeiten."), - "autoPair": - MessageLookupByLibrary.simpleMessage("Automatisch verbinden"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "Automatisches Verbinden funktioniert nur mit Geräten, die Chromecast unterstützen."), - "available": MessageLookupByLibrary.simpleMessage("Verfügbar"), - "availableStorageSpace": m10, - "backedUpFolders": - MessageLookupByLibrary.simpleMessage("Gesicherte Ordner"), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("Backup"), - "backupFailed": - MessageLookupByLibrary.simpleMessage("Sicherung fehlgeschlagen"), - "backupFile": MessageLookupByLibrary.simpleMessage("Datei sichern"), - "backupOverMobileData": - MessageLookupByLibrary.simpleMessage("Über mobile Daten sichern"), - "backupSettings": - MessageLookupByLibrary.simpleMessage("Backup-Einstellungen"), - "backupStatus": - MessageLookupByLibrary.simpleMessage("Sicherungsstatus"), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Gesicherte Elemente werden hier angezeigt"), - "backupVideos": MessageLookupByLibrary.simpleMessage("Videos sichern"), - "beach": MessageLookupByLibrary.simpleMessage("Am Strand"), - "birthday": MessageLookupByLibrary.simpleMessage("Geburtstag"), - "birthdayNotifications": MessageLookupByLibrary.simpleMessage( - "Geburtstagsbenachrichtigungen"), - "birthdays": MessageLookupByLibrary.simpleMessage("Geburtstage"), - "blackFridaySale": - MessageLookupByLibrary.simpleMessage("Black-Friday-Aktion"), - "blog": MessageLookupByLibrary.simpleMessage("Blog"), - "cLDesc1": MessageLookupByLibrary.simpleMessage( - "Zusammen mit der Beta-Version des Video-Streamings und der Arbeit an wiederaufnehmbarem Hoch- und Herunterladen haben wir jetzt das Limit für das Hochladen von Dateien auf 10 GB erhöht. Dies ist ab sofort sowohl in den Desktop- als auch Mobil-Apps verfügbar."), - "cLDesc2": MessageLookupByLibrary.simpleMessage( - "Das Hochladen im Hintergrund wird jetzt auch unter iOS unterstützt, zusätzlich zu Android-Geräten. Es ist nicht mehr notwendig, die App zu öffnen, um die letzten Fotos und Videos zu sichern."), - "cLDesc3": MessageLookupByLibrary.simpleMessage( - "Wir haben deutliche Verbesserungen an der Darstellung von Erinnerungen vorgenommen, u.a. automatische Wiedergabe, Wischen zur nächsten Erinnerung und vieles mehr."), - "cLDesc4": MessageLookupByLibrary.simpleMessage( - "Zusammen mit einer Reihe von Verbesserungen unter der Haube ist es jetzt viel einfacher, alle erkannten Gesichter zu sehen, Feedback zu ähnlichen Gesichtern geben und Gesichter für ein einzelnes Foto hinzuzufügen oder zu entfernen."), - "cLDesc5": MessageLookupByLibrary.simpleMessage( - "Du erhältst jetzt eine Opt-Out-Benachrichtigung für alle Geburtstage, die du bei Ente gespeichert hast, zusammen mit einer Sammlung der besten Fotos."), - "cLDesc6": MessageLookupByLibrary.simpleMessage( - "Kein Warten mehr auf das Hoch- oder Herunterladen, bevor du die App schließen kannst. Alle Übertragungen können jetzt mittendrin pausiert und fortgesetzt werden, wo du aufgehört hast."), - "cLTitle1": MessageLookupByLibrary.simpleMessage( - "Lade große Videodateien hoch"), - "cLTitle2": - MessageLookupByLibrary.simpleMessage("Hochladen im Hintergrund"), - "cLTitle3": MessageLookupByLibrary.simpleMessage( - "Automatische Wiedergabe von Erinnerungen"), - "cLTitle4": MessageLookupByLibrary.simpleMessage( - "Verbesserte Gesichtserkennung"), - "cLTitle5": MessageLookupByLibrary.simpleMessage( - "Geburtstags-Benachrichtigungen"), - "cLTitle6": MessageLookupByLibrary.simpleMessage( - "Wiederaufnehmbares Hoch- und Herunterladen"), - "cachedData": MessageLookupByLibrary.simpleMessage("Daten im Cache"), - "calculating": - MessageLookupByLibrary.simpleMessage("Wird berechnet..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Leider kann dieses Album nicht in der App geöffnet werden."), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( - "Album kann nicht geöffnet werden"), - "canNotUploadToAlbumsOwnedByOthers": - MessageLookupByLibrary.simpleMessage( - "Kann nicht auf Alben anderer Personen hochladen"), - "canOnlyCreateLinkForFilesOwnedByYou": - MessageLookupByLibrary.simpleMessage( - "Sie können nur Links für Dateien erstellen, die Ihnen gehören"), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Du kannst nur Dateien entfernen, die dir gehören"), - "cancel": MessageLookupByLibrary.simpleMessage("Abbrechen"), - "cancelAccountRecovery": - MessageLookupByLibrary.simpleMessage("Wiederherstellung abbrechen"), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "Bist du sicher, dass du die Wiederherstellung abbrechen möchtest?"), - "cancelOtherSubscription": m12, - "cancelSubscription": - MessageLookupByLibrary.simpleMessage("Abonnement kündigen"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Konnte geteilte Dateien nicht löschen"), - "castAlbum": MessageLookupByLibrary.simpleMessage("Album übertragen"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Stelle sicher, dass du im selben Netzwerk bist wie der Fernseher."), - "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( - "Album konnte nicht auf den Bildschirm übertragen werden"), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Besuche cast.ente.io auf dem Gerät, das du verbinden möchtest.\n\nGib den unten angegebenen Code ein, um das Album auf deinem Fernseher abzuspielen."), - "centerPoint": MessageLookupByLibrary.simpleMessage("Mittelpunkt"), - "change": MessageLookupByLibrary.simpleMessage("Ändern"), - "changeEmail": - MessageLookupByLibrary.simpleMessage("E-Mail-Adresse ändern"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Standort der gewählten Elemente ändern?"), - "changePassword": - MessageLookupByLibrary.simpleMessage("Passwort ändern"), - "changePasswordTitle": - MessageLookupByLibrary.simpleMessage("Passwort ändern"), - "changePermissions": - MessageLookupByLibrary.simpleMessage("Berechtigungen ändern?"), - "changeYourReferralCode": - MessageLookupByLibrary.simpleMessage("Empfehlungscode ändern"), - "checkForUpdates": MessageLookupByLibrary.simpleMessage( - "Nach Aktualisierungen suchen"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Bitte überprüfe deinen E-Mail-Posteingang (und Spam), um die Verifizierung abzuschließen"), - "checkStatus": - MessageLookupByLibrary.simpleMessage("Status überprüfen"), - "checking": MessageLookupByLibrary.simpleMessage("Wird geprüft..."), - "checkingModels": - MessageLookupByLibrary.simpleMessage("Prüfe Modelle..."), - "city": MessageLookupByLibrary.simpleMessage("In der Stadt"), - "claimFreeStorage": - MessageLookupByLibrary.simpleMessage("Freien Speicher einlösen"), - "claimMore": MessageLookupByLibrary.simpleMessage("Mehr einlösen!"), - "claimed": MessageLookupByLibrary.simpleMessage("Eingelöst"), - "claimedStorageSoFar": m14, - "cleanUncategorized": - MessageLookupByLibrary.simpleMessage("Unkategorisiert leeren"), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Entferne alle Dateien von \"Unkategorisiert\" die in anderen Alben vorhanden sind"), - "clearCaches": MessageLookupByLibrary.simpleMessage("Cache löschen"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Indexe löschen"), - "click": MessageLookupByLibrary.simpleMessage("• Klick"), - "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( - "• Klicken Sie auf das Überlaufmenü"), - "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( - "Klicke, um unsere bisher beste Version zu installieren"), - "close": MessageLookupByLibrary.simpleMessage("Schließen"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( - "Nach Aufnahmezeit gruppieren"), - "clubByFileName": - MessageLookupByLibrary.simpleMessage("Nach Dateiname gruppieren"), - "clusteringProgress": - MessageLookupByLibrary.simpleMessage("Fortschritt beim Clustering"), - "codeAppliedPageTitle": - MessageLookupByLibrary.simpleMessage("Code eingelöst"), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Entschuldigung, du hast das Limit der Code-Änderungen erreicht."), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Code in Zwischenablage kopiert"), - "codeUsedByYou": - MessageLookupByLibrary.simpleMessage("Von dir benutzter Code"), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Erstelle einen Link, mit dem andere Fotos in dem geteilten Album sehen und selbst welche hinzufügen können - ohne dass sie die ein Ente-Konto oder die App benötigen. Ideal um gemeinsam Fotos von Events zu sammeln."), - "collaborativeLink": - MessageLookupByLibrary.simpleMessage("Gemeinschaftlicher Link"), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Bearbeiter"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Bearbeiter können Fotos & Videos zu dem geteilten Album hinzufügen."), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("Layout"), - "collageSaved": MessageLookupByLibrary.simpleMessage( - "Collage in Galerie gespeichert"), - "collect": MessageLookupByLibrary.simpleMessage("Sammeln"), - "collectEventPhotos": MessageLookupByLibrary.simpleMessage( - "Gemeinsam Event-Fotos sammeln"), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Fotos sammeln"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Erstelle einen Link, mit dem deine Freunde Fotos in Originalqualität hochladen können."), - "color": MessageLookupByLibrary.simpleMessage("Farbe"), - "configuration": MessageLookupByLibrary.simpleMessage("Konfiguration"), - "confirm": MessageLookupByLibrary.simpleMessage("Bestätigen"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Bist du sicher, dass du die Zwei-Faktor-Authentifizierung (2FA) deaktivieren willst?"), - "confirmAccountDeletion": - MessageLookupByLibrary.simpleMessage("Kontolöschung bestätigen"), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Ja, ich möchte dieses Konto und alle enthaltenen Daten über alle Apps hinweg endgültig löschen."), - "confirmPassword": - MessageLookupByLibrary.simpleMessage("Passwort wiederholen"), - "confirmPlanChange": - MessageLookupByLibrary.simpleMessage("Aboänderungen bestätigen"), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Wiederherstellungsschlüssel bestätigen"), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Bestätige deinen Wiederherstellungsschlüssel"), - "connectToDevice": - MessageLookupByLibrary.simpleMessage("Mit Gerät verbinden"), - "contactFamilyAdmin": m18, - "contactSupport": - MessageLookupByLibrary.simpleMessage("Support kontaktieren"), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Kontakte"), - "contents": MessageLookupByLibrary.simpleMessage("Inhalte"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Weiter"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "Mit kostenloser Testversion fortfahren"), - "convertToAlbum": - MessageLookupByLibrary.simpleMessage("Konvertiere zum Album"), - "copyEmailAddress": - MessageLookupByLibrary.simpleMessage("E-Mail-Adresse kopieren"), - "copyLink": MessageLookupByLibrary.simpleMessage("Link kopieren"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Kopiere diesen Code\nin deine Authentifizierungs-App"), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "Deine Daten konnten nicht gesichert werden.\nWir versuchen es später erneut."), - "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( - "Konnte Speicherplatz nicht freigeben"), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Abo konnte nicht aktualisiert werden"), - "count": MessageLookupByLibrary.simpleMessage("Anzahl"), - "crashReporting": - MessageLookupByLibrary.simpleMessage("Absturzbericht"), - "create": MessageLookupByLibrary.simpleMessage("Erstellen"), - "createAccount": - MessageLookupByLibrary.simpleMessage("Konto erstellen"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Drücke lange um Fotos auszuwählen und klicke + um ein Album zu erstellen"), - "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( - "Gemeinschaftlichen Link erstellen"), - "createCollage": - MessageLookupByLibrary.simpleMessage("Collage erstellen"), - "createNewAccount": - MessageLookupByLibrary.simpleMessage("Neues Konto erstellen"), - "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( - "Album erstellen oder auswählen"), - "createPublicLink": - MessageLookupByLibrary.simpleMessage("Öffentlichen Link erstellen"), - "creatingLink": - MessageLookupByLibrary.simpleMessage("Erstelle Link..."), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "Kritisches Update ist verfügbar!"), - "crop": MessageLookupByLibrary.simpleMessage("Zuschneiden"), - "curatedMemories": - MessageLookupByLibrary.simpleMessage("Ausgewählte Erinnerungen"), - "currentUsageIs": - MessageLookupByLibrary.simpleMessage("Aktuell genutzt werden "), - "currentlyRunning": - MessageLookupByLibrary.simpleMessage("läuft gerade"), - "custom": MessageLookupByLibrary.simpleMessage("Benutzerdefiniert"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Dunkel"), - "dayToday": MessageLookupByLibrary.simpleMessage("Heute"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Gestern"), - "declineTrustInvite": - MessageLookupByLibrary.simpleMessage("Einladung ablehnen"), - "decrypting": - MessageLookupByLibrary.simpleMessage("Wird entschlüsselt..."), - "decryptingVideo": - MessageLookupByLibrary.simpleMessage("Entschlüssele Video …"), - "deduplicateFiles": - MessageLookupByLibrary.simpleMessage("Dateien duplizieren"), - "delete": MessageLookupByLibrary.simpleMessage("Löschen"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Konto löschen"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Wir bedauern sehr, dass du dein Konto löschen möchtest. Du würdest uns sehr helfen, wenn du uns kurz einige Gründe hierfür nennen könntest."), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Konto unwiderruflich löschen"), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Album löschen"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Auch die Fotos (und Videos) in diesem Album aus allen anderen Alben löschen, die sie enthalten?"), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "Damit werden alle leeren Alben gelöscht. Dies ist nützlich, wenn du das Durcheinander in deiner Albenliste verringern möchtest."), - "deleteAll": MessageLookupByLibrary.simpleMessage("Alle löschen"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "Dieses Konto ist mit anderen Ente-Apps verknüpft, falls du welche verwendest. Deine hochgeladenen Daten werden in allen Ente-Apps zur Löschung vorgemerkt und dein Konto wird endgültig gelöscht."), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Bitte sende eine E-Mail an account-deletion@ente.io von Ihrer bei uns hinterlegten E-Mail-Adresse."), - "deleteEmptyAlbums": - MessageLookupByLibrary.simpleMessage("Leere Alben löschen"), - "deleteEmptyAlbumsWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Leere Alben löschen?"), - "deleteFromBoth": - MessageLookupByLibrary.simpleMessage("Aus beidem löschen"), - "deleteFromDevice": - MessageLookupByLibrary.simpleMessage("Vom Gerät löschen"), - "deleteFromEnte": - MessageLookupByLibrary.simpleMessage("Von Ente löschen"), - "deleteItemCount": m21, - "deleteLocation": - MessageLookupByLibrary.simpleMessage("Standort löschen"), - "deleteMultipleAlbumDialog": m22, - "deletePhotos": MessageLookupByLibrary.simpleMessage("Fotos löschen"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Es fehlt eine zentrale Funktion, die ich benötige"), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "Die App oder eine bestimmte Funktion verhält sich nicht so wie gedacht"), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Ich habe einen anderen Dienst gefunden, der mir mehr zusagt"), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "Mein Grund ist nicht aufgeführt"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Deine Anfrage wird innerhalb von 72 Stunden bearbeitet."), - "deleteSharedAlbum": - MessageLookupByLibrary.simpleMessage("Geteiltes Album löschen?"), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "Dieses Album wird für alle gelöscht\n\nDu wirst den Zugriff auf geteilte Fotos in diesem Album, die anderen gehören, verlieren"), - "deselectAll": MessageLookupByLibrary.simpleMessage("Alle abwählen"), - "designedToOutlive": - MessageLookupByLibrary.simpleMessage("Entwickelt um zu bewahren"), - "details": MessageLookupByLibrary.simpleMessage("Details"), - "developerSettings": - MessageLookupByLibrary.simpleMessage("Entwicklereinstellungen"), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Bist du sicher, dass du Entwicklereinstellungen bearbeiten willst?"), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Code eingeben"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "Dateien, die zu diesem Album hinzugefügt werden, werden automatisch zu Ente hochgeladen."), - "deviceLock": MessageLookupByLibrary.simpleMessage("Gerätsperre"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Verhindern, dass der Bildschirm gesperrt wird, während die App im Vordergrund ist und eine Sicherung läuft. Das ist normalerweise nicht notwendig, kann aber dabei helfen, große Uploads wie einen Erstimport schneller abzuschließen."), - "deviceNotFound": - MessageLookupByLibrary.simpleMessage("Gerät nicht gefunden"), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Schon gewusst?"), - "different": MessageLookupByLibrary.simpleMessage("Verschieden"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage( - "Automatische Sperre deaktivieren"), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Zuschauer können weiterhin Screenshots oder mit anderen externen Programmen Kopien der Bilder machen."), - "disableDownloadWarningTitle": - MessageLookupByLibrary.simpleMessage("Bitte beachten Sie:"), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "Zweiten Faktor (2FA) deaktivieren"), - "disablingTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Zwei-Faktor-Authentifizierung (2FA) wird deaktiviert..."), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Entdecken"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Babys"), - "discover_celebrations": MessageLookupByLibrary.simpleMessage("Feiern"), - "discover_food": MessageLookupByLibrary.simpleMessage("Essen"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Grün"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Berge"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Identität"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Notizen"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Haustiere"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Belege"), - "discover_screenshots": - MessageLookupByLibrary.simpleMessage("Bildschirmfotos"), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfies"), - "discover_sunset": - MessageLookupByLibrary.simpleMessage("Sonnenuntergang"), - "discover_visiting_cards": - MessageLookupByLibrary.simpleMessage("Visitenkarten"), - "discover_wallpapers": - MessageLookupByLibrary.simpleMessage("Hintergründe"), - "dismiss": MessageLookupByLibrary.simpleMessage("Verwerfen"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": - MessageLookupByLibrary.simpleMessage("Melde dich nicht ab"), - "doThisLater": MessageLookupByLibrary.simpleMessage("Später erledigen"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Möchtest du deine Änderungen verwerfen?"), - "done": MessageLookupByLibrary.simpleMessage("Fertig"), - "dontSave": MessageLookupByLibrary.simpleMessage("Nicht speichern"), - "doubleYourStorage": - MessageLookupByLibrary.simpleMessage("Speicherplatz verdoppeln"), - "download": MessageLookupByLibrary.simpleMessage("Herunterladen"), - "downloadFailed": MessageLookupByLibrary.simpleMessage( - "Herunterladen fehlgeschlagen"), - "downloading": - MessageLookupByLibrary.simpleMessage("Wird heruntergeladen..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Bearbeiten"), - "editEmailAlreadyLinked": m28, - "editLocation": - MessageLookupByLibrary.simpleMessage("Standort bearbeiten"), - "editLocationTagTitle": - MessageLookupByLibrary.simpleMessage("Standort bearbeiten"), - "editPerson": MessageLookupByLibrary.simpleMessage("Person bearbeiten"), - "editTime": MessageLookupByLibrary.simpleMessage("Uhrzeit ändern"), - "editsSaved": - MessageLookupByLibrary.simpleMessage("Änderungen gespeichert"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Edits to location will only be seen within Ente"), - "eligible": MessageLookupByLibrary.simpleMessage("zulässig"), - "email": MessageLookupByLibrary.simpleMessage("E-Mail"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "E-Mail ist bereits registriert."), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": - MessageLookupByLibrary.simpleMessage("E-Mail nicht registriert."), - "emailVerificationToggle": - MessageLookupByLibrary.simpleMessage("E-Mail-Verifizierung"), - "emailYourLogs": MessageLookupByLibrary.simpleMessage( - "Protokolle per E-Mail senden"), - "embracingThem": m32, - "emergencyContacts": - MessageLookupByLibrary.simpleMessage("Notfallkontakte"), - "empty": MessageLookupByLibrary.simpleMessage("Leeren"), - "emptyTrash": - MessageLookupByLibrary.simpleMessage("Papierkorb leeren?"), - "enable": MessageLookupByLibrary.simpleMessage("Aktivieren"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "Ente unterstützt maschinelles Lernen für Gesichtserkennung, magische Suche und andere erweiterte Suchfunktionen auf dem Gerät"), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Aktiviere maschinelles Lernen für die magische Suche und Gesichtserkennung"), - "enableMaps": MessageLookupByLibrary.simpleMessage("Karten aktivieren"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "Dies zeigt Ihre Fotos auf einer Weltkarte.\n\nDiese Karte wird von OpenStreetMap gehostet und die genauen Standorte Ihrer Fotos werden niemals geteilt.\n\nSie können diese Funktion jederzeit in den Einstellungen deaktivieren."), - "enabled": MessageLookupByLibrary.simpleMessage("Aktiviert"), - "encryptingBackup": - MessageLookupByLibrary.simpleMessage("Verschlüssele Sicherung …"), - "encryption": MessageLookupByLibrary.simpleMessage("Verschlüsselung"), - "encryptionKeys": - MessageLookupByLibrary.simpleMessage("Verschlüsselungscode"), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Endpunkt erfolgreich geändert"), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Automatisch Ende-zu-Ende-verschlüsselt"), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente kann Dateien nur verschlüsseln und sichern, wenn du den Zugriff darauf gewährst"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente benötigt Berechtigung, um Ihre Fotos zu sichern"), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "Ente sichert deine Erinnerungen, sodass sie dir nie verloren gehen, selbst wenn du dein Gerät verlierst."), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Deine Familie kann zu deinem Abo hinzugefügt werden."), - "enterAlbumName": - MessageLookupByLibrary.simpleMessage("Albumname eingeben"), - "enterCode": MessageLookupByLibrary.simpleMessage("Code eingeben"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Gib den Code deines Freundes ein, damit sie beide kostenlosen Speicherplatz erhalten"), - "enterDateOfBirth": - MessageLookupByLibrary.simpleMessage("Geburtstag (optional)"), - "enterEmail": MessageLookupByLibrary.simpleMessage("E-Mail eingeben"), - "enterFileName": - MessageLookupByLibrary.simpleMessage("Dateinamen eingeben"), - "enterName": MessageLookupByLibrary.simpleMessage("Name eingeben"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Gib ein neues Passwort ein, mit dem wir deine Daten verschlüsseln können"), - "enterPassword": - MessageLookupByLibrary.simpleMessage("Passwort eingeben"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Gib ein Passwort ein, mit dem wir deine Daten verschlüsseln können"), - "enterPersonName": - MessageLookupByLibrary.simpleMessage("Namen der Person eingeben"), - "enterPin": MessageLookupByLibrary.simpleMessage("PIN eingeben"), - "enterReferralCode": MessageLookupByLibrary.simpleMessage( - "Gib den Weiterempfehlungs-Code ein"), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Gib den 6-stelligen Code aus\ndeiner Authentifizierungs-App ein"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Bitte gib eine gültige E-Mail-Adresse ein."), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Gib deine E-Mail-Adresse ein"), - "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( - "Gib Deine neue E-Mail-Adresse ein"), - "enterYourPassword": - MessageLookupByLibrary.simpleMessage("Passwort eingeben"), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Gib deinen Wiederherstellungs-Schlüssel ein"), - "error": MessageLookupByLibrary.simpleMessage("Fehler"), - "everywhere": MessageLookupByLibrary.simpleMessage("überall"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": - MessageLookupByLibrary.simpleMessage("Existierender Benutzer"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Dieser Link ist abgelaufen. Bitte wähle ein neues Ablaufdatum oder deaktiviere das Ablaufdatum des Links."), - "exportLogs": - MessageLookupByLibrary.simpleMessage("Protokolle exportieren"), - "exportYourData": - MessageLookupByLibrary.simpleMessage("Daten exportieren"), - "extraPhotosFound": - MessageLookupByLibrary.simpleMessage("Zusätzliche Fotos gefunden"), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Gesicht ist noch nicht gruppiert, bitte komm später zurück"), - "faceRecognition": - MessageLookupByLibrary.simpleMessage("Gesichtserkennung"), - "faces": MessageLookupByLibrary.simpleMessage("Gesichter"), - "failed": MessageLookupByLibrary.simpleMessage("Fehlgeschlagen"), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage( - "Der Code konnte nicht aktiviert werden"), - "failedToCancel": - MessageLookupByLibrary.simpleMessage("Kündigung fehlgeschlagen"), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( - "Herunterladen des Videos fehlgeschlagen"), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Fehler beim Abrufen der aktiven Sitzungen"), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Fehler beim Abrufen des Originals zur Bearbeitung"), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Die Weiterempfehlungs-Details können nicht abgerufen werden. Bitte versuche es später erneut."), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "Laden der Alben fehlgeschlagen"), - "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Fehler beim Abspielen des Videos"), - "failedToRefreshStripeSubscription": - MessageLookupByLibrary.simpleMessage( - "Abonnement konnte nicht erneuert werden"), - "failedToRenew": - MessageLookupByLibrary.simpleMessage("Erneuern fehlgeschlagen"), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Überprüfung des Zahlungsstatus fehlgeschlagen"), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Füge kostenlos 5 Familienmitglieder zu deinem bestehenden Abo hinzu.\n\nJedes Mitglied bekommt seinen eigenen privaten Bereich und kann die Dateien der anderen nur sehen, wenn sie geteilt werden.\n\nFamilien-Abos stehen Nutzern mit einem Bezahltarif zur Verfügung.\n\nMelde dich jetzt an, um loszulegen!"), - "familyPlanPortalTitle": - MessageLookupByLibrary.simpleMessage("Familie"), - "familyPlans": MessageLookupByLibrary.simpleMessage("Familientarif"), - "faq": MessageLookupByLibrary.simpleMessage("Häufig gestellte Fragen"), - "faqs": MessageLookupByLibrary.simpleMessage("FAQs"), - "favorite": MessageLookupByLibrary.simpleMessage("Favorit"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("Rückmeldung"), - "file": MessageLookupByLibrary.simpleMessage("Datei"), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Fehler beim Speichern der Datei in der Galerie"), - "fileInfoAddDescHint": - MessageLookupByLibrary.simpleMessage("Beschreibung hinzufügen …"), - "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( - "Datei wurde noch nicht hochgeladen"), - "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Datei in Galerie gespeichert"), - "fileTypes": MessageLookupByLibrary.simpleMessage("Dateitypen"), - "fileTypesAndNames": - MessageLookupByLibrary.simpleMessage("Dateitypen und -namen"), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": - MessageLookupByLibrary.simpleMessage("Dateien gelöscht"), - "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Dateien in Galerie gespeichert"), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Finde Personen schnell nach Namen"), - "findThemQuickly": - MessageLookupByLibrary.simpleMessage("Finde sie schnell"), - "flip": MessageLookupByLibrary.simpleMessage("Spiegeln"), - "food": MessageLookupByLibrary.simpleMessage("Kulinarische Genüsse"), - "forYourMemories": - MessageLookupByLibrary.simpleMessage("Als Erinnerung"), - "forgotPassword": - MessageLookupByLibrary.simpleMessage("Passwort vergessen"), - "foundFaces": - MessageLookupByLibrary.simpleMessage("Gesichter gefunden"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( - "Kostenlos hinzugefügter Speicherplatz"), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Freier Speicherplatz nutzbar"), - "freeTrial": - MessageLookupByLibrary.simpleMessage("Kostenlose Testphase"), - "freeTrialValidTill": m38, - "freeUpAccessPostDelete": m39, - "freeUpAmount": m40, - "freeUpDeviceSpace": - MessageLookupByLibrary.simpleMessage("Gerätespeicher freiräumen"), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Spare Speicherplatz auf deinem Gerät, indem du Dateien löschst, die bereits gesichert wurden."), - "freeUpSpace": - MessageLookupByLibrary.simpleMessage("Speicherplatz freigeben"), - "freeUpSpaceSaving": m41, - "gallery": MessageLookupByLibrary.simpleMessage("Galerie"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "Bis zu 1000 Erinnerungsstücke angezeigt in der Galerie"), - "general": MessageLookupByLibrary.simpleMessage("Allgemein"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Generierung von Verschlüsselungscodes..."), - "genericProgress": m42, - "goToSettings": - MessageLookupByLibrary.simpleMessage("Zu den Einstellungen"), - "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Bitte gewähre Zugang zu allen Fotos in der Einstellungen App"), - "grantPermission": - MessageLookupByLibrary.simpleMessage("Zugriff gewähren"), - "greenery": MessageLookupByLibrary.simpleMessage("Im Grünen"), - "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( - "Fotos in der Nähe gruppieren"), - "guestView": MessageLookupByLibrary.simpleMessage("Gastansicht"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "Bitte richte einen Gerätepasscode oder eine Bildschirmsperre ein, um die Gastansicht zu nutzen."), - "happyBirthday": MessageLookupByLibrary.simpleMessage( - "Herzlichen Glückwunsch zum Geburtstag! 🥳"), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "Wir tracken keine App-Installationen. Es würde uns jedoch helfen, wenn du uns mitteilst, wie du von uns erfahren hast!"), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Wie hast du von Ente erfahren? (optional)"), - "help": MessageLookupByLibrary.simpleMessage("Hilfe"), - "hidden": MessageLookupByLibrary.simpleMessage("Versteckt"), - "hide": MessageLookupByLibrary.simpleMessage("Ausblenden"), - "hideContent": - MessageLookupByLibrary.simpleMessage("Inhalte verstecken"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Versteckt Inhalte der App beim Wechseln zwischen Apps und deaktiviert Screenshots"), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Versteckt Inhalte der App beim Wechseln zwischen Apps"), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "Geteilte Elemente in der Home-Galerie ausblenden"), - "hiding": MessageLookupByLibrary.simpleMessage("Verstecken..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": - MessageLookupByLibrary.simpleMessage("Gehostet bei OSM France"), - "howItWorks": - MessageLookupByLibrary.simpleMessage("So funktioniert\'s"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Bitte sie, auf den Einstellungs Bildschirm ihre E-Mail-Adresse lange anzuklicken und zu überprüfen, dass die IDs auf beiden Geräten übereinstimmen."), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Auf Ihrem Gerät ist keine biometrische Authentifizierung eingerichtet. Bitte aktivieren Sie entweder Touch ID oder Face ID auf Ihrem Telefon."), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "Die biometrische Authentifizierung ist deaktiviert. Bitte sperren und entsperren Sie Ihren Bildschirm, um sie zu aktivieren."), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), - "ignore": MessageLookupByLibrary.simpleMessage("Ignorieren"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorieren"), - "ignored": MessageLookupByLibrary.simpleMessage("ignoriert"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Ein paar Dateien in diesem Album werden nicht hochgeladen, weil sie in der Vergangenheit schonmal aus Ente gelöscht wurden."), - "imageNotAnalyzed": - MessageLookupByLibrary.simpleMessage("Bild nicht analysiert"), - "immediately": MessageLookupByLibrary.simpleMessage("Sofort"), - "importing": MessageLookupByLibrary.simpleMessage("Importiert...."), - "incorrectCode": MessageLookupByLibrary.simpleMessage("Falscher Code"), - "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("Falsches Passwort"), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Falscher Wiederherstellungs-Schlüssel"), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "Der eingegebene Schlüssel ist ungültig"), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Falscher Wiederherstellungs-Schlüssel"), - "indexedItems": - MessageLookupByLibrary.simpleMessage("Indizierte Elemente"), - "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( - "Die Indizierung ist pausiert. Sie wird automatisch fortgesetzt, wenn das Gerät bereit ist. Das Gerät wird als bereit angesehen, wenn sich der Akkustand, die Akkugesundheit und der thermische Zustand in einem gesunden Bereich befinden."), - "ineligible": MessageLookupByLibrary.simpleMessage("Unzulässig"), - "info": MessageLookupByLibrary.simpleMessage("Info"), - "insecureDevice": - MessageLookupByLibrary.simpleMessage("Unsicheres Gerät"), - "installManually": - MessageLookupByLibrary.simpleMessage("Manuell installieren"), - "invalidEmailAddress": - MessageLookupByLibrary.simpleMessage("Ungültige E-Mail-Adresse"), - "invalidEndpoint": - MessageLookupByLibrary.simpleMessage("Ungültiger Endpunkt"), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Der eingegebene Endpunkt ist ungültig. Gib einen gültigen Endpunkt ein und versuch es nochmal."), - "invalidKey": - MessageLookupByLibrary.simpleMessage("Ungültiger Schlüssel"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Der eingegebene Wiederherstellungsschlüssel ist nicht gültig. Bitte stelle sicher, dass er aus 24 Wörtern zusammengesetzt ist und jedes dieser Worte richtig geschrieben wurde.\n\nSolltest du den Wiederherstellungscode eingegeben haben, stelle bitte sicher, dass dieser 64 Zeichen lang ist und ebenfalls richtig geschrieben wurde."), - "invite": MessageLookupByLibrary.simpleMessage("Einladen"), - "inviteToEnte": - MessageLookupByLibrary.simpleMessage("Zu Ente einladen"), - "inviteYourFriends": - MessageLookupByLibrary.simpleMessage("Lade deine Freunde ein"), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "Lade deine Freunde zu Ente ein"), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Etwas ist schiefgelaufen. Bitte versuche es später noch einmal. Sollte der Fehler weiter bestehen, kontaktiere unser Supportteam."), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "Elemente zeigen die Anzahl der Tage bis zum dauerhaften Löschen an"), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Ausgewählte Elemente werden aus diesem Album entfernt"), - "join": MessageLookupByLibrary.simpleMessage("Beitreten"), - "joinAlbum": MessageLookupByLibrary.simpleMessage("Album beitreten"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "Wenn du einem Album beitrittst, wird deine E-Mail-Adresse für seine Teilnehmer sichtbar."), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( - "um deine Fotos anzuzeigen und hinzuzufügen"), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "um dies zu geteilten Alben hinzuzufügen"), - "joinDiscord": - MessageLookupByLibrary.simpleMessage("Discord beitreten"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Fotos behalten"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": - MessageLookupByLibrary.simpleMessage("Bitte gib diese Daten ein"), - "language": MessageLookupByLibrary.simpleMessage("Sprache"), - "lastTimeWithThem": m45, - "lastUpdated": - MessageLookupByLibrary.simpleMessage("Zuletzt aktualisiert"), - "lastYearsTrip": - MessageLookupByLibrary.simpleMessage("Reise im letzten Jahr"), - "leave": MessageLookupByLibrary.simpleMessage("Verlassen"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Album verlassen"), - "leaveFamily": - MessageLookupByLibrary.simpleMessage("Familienabo verlassen"), - "leaveSharedAlbum": - MessageLookupByLibrary.simpleMessage("Geteiltes Album verlassen?"), - "left": MessageLookupByLibrary.simpleMessage("Links"), - "legacy": MessageLookupByLibrary.simpleMessage("Digitales Erbe"), - "legacyAccounts": - MessageLookupByLibrary.simpleMessage("Digital geerbte Konten"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "Das digitale Erbe erlaubt vertrauenswürdigen Kontakten den Zugriff auf dein Konto in deiner Abwesenheit."), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "Vertrauenswürdige Kontakte können eine Kontowiederherstellung einleiten und, wenn dies nicht innerhalb von 30 Tagen blockiert wird, dein Passwort und den Kontozugriff zurücksetzen."), - "light": MessageLookupByLibrary.simpleMessage("Hell"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Hell"), - "link": MessageLookupByLibrary.simpleMessage("Verknüpfen"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Link in Zwischenablage kopiert"), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Geräte-Limit"), - "linkEmail": - MessageLookupByLibrary.simpleMessage("E-Mail-Adresse verknüpfen"), - "linkEmailToContactBannerCaption": - MessageLookupByLibrary.simpleMessage("für schnelleres Teilen"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Aktiviert"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Abgelaufen"), - "linkExpiresOn": m47, - "linkExpiry": - MessageLookupByLibrary.simpleMessage("Ablaufdatum des Links"), - "linkHasExpired": - MessageLookupByLibrary.simpleMessage("Link ist abgelaufen"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Niemals"), - "linkPerson": MessageLookupByLibrary.simpleMessage("Person verknüpfen"), - "linkPersonCaption": MessageLookupByLibrary.simpleMessage( - "um besseres Teilen zu ermöglichen"), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("Live-Fotos"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "Du kannst dein Abonnement mit deiner Familie teilen"), - "loadMessage2": MessageLookupByLibrary.simpleMessage( - "Wir haben bereits über 200 Millionen Erinnerungen bewahrt"), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "Wir behalten 3 Kopien Ihrer Daten, eine in einem unterirdischen Schutzbunker"), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "Alle unsere Apps sind Open-Source"), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Unser Quellcode und unsere Kryptografie wurden extern geprüft"), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "Du kannst Links zu deinen Alben mit deinen Geliebten teilen"), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Unsere mobilen Apps laufen im Hintergrund, um neue Fotos zu verschlüsseln und zu sichern"), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io hat einen Spitzen-Uploader"), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Wir verwenden Xchacha20Poly1305, um Ihre Daten sicher zu verschlüsseln"), - "loadingExifData": - MessageLookupByLibrary.simpleMessage("Lade Exif-Daten..."), - "loadingGallery": - MessageLookupByLibrary.simpleMessage("Lade Galerie …"), - "loadingMessage": - MessageLookupByLibrary.simpleMessage("Fotos werden geladen..."), - "loadingModel": - MessageLookupByLibrary.simpleMessage("Lade Modelle herunter..."), - "loadingYourPhotos": - MessageLookupByLibrary.simpleMessage("Lade deine Fotos..."), - "localGallery": MessageLookupByLibrary.simpleMessage("Lokale Galerie"), - "localIndexing": - MessageLookupByLibrary.simpleMessage("Lokale Indizierung"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Es sieht so aus, als ob etwas schiefgelaufen ist, da die lokale Foto-Synchronisierung länger dauert als erwartet. Bitte kontaktiere unser Support-Team"), - "location": MessageLookupByLibrary.simpleMessage("Standort"), - "locationName": MessageLookupByLibrary.simpleMessage("Standortname"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Ein Standort-Tag gruppiert alle Fotos, die in einem Radius eines Fotos aufgenommen wurden"), - "locations": MessageLookupByLibrary.simpleMessage("Orte"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Sperren"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Sperrbildschirm"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Anmelden"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Abmeldung..."), - "loginSessionExpired": - MessageLookupByLibrary.simpleMessage("Sitzung abgelaufen"), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "Deine Sitzung ist abgelaufen. Bitte melde Dich erneut an."), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Mit dem Klick auf \"Anmelden\" stimme ich den Nutzungsbedingungen und der Datenschutzerklärung zu"), - "loginWithTOTP": - MessageLookupByLibrary.simpleMessage("Mit TOTP anmelden"), - "logout": MessageLookupByLibrary.simpleMessage("Ausloggen"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Dies wird über Logs gesendet, um uns zu helfen, Ihr Problem zu beheben. Bitte beachten Sie, dass Dateinamen aufgenommen werden, um Probleme mit bestimmten Dateien zu beheben."), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Lange auf eine E-Mail drücken, um die Ende-zu-Ende-Verschlüsselung zu überprüfen."), - "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( - "Drücken Sie lange auf ein Element, um es im Vollbildmodus anzuzeigen"), - "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( - "Schau zurück auf deine Erinnerungen 🌄"), - "loopVideoOff": - MessageLookupByLibrary.simpleMessage("Videoschleife aus"), - "loopVideoOn": MessageLookupByLibrary.simpleMessage("Videoschleife an"), - "lostDevice": MessageLookupByLibrary.simpleMessage("Gerät verloren?"), - "machineLearning": - MessageLookupByLibrary.simpleMessage("Maschinelles Lernen"), - "magicSearch": MessageLookupByLibrary.simpleMessage("Magische Suche"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "Die magische Suche erlaubt das Durchsuchen von Fotos nach ihrem Inhalt, z.B. \'Blumen\', \'rotes Auto\', \'Ausweisdokumente\'"), - "manage": MessageLookupByLibrary.simpleMessage("Verwalten"), - "manageDeviceStorage": - MessageLookupByLibrary.simpleMessage("Geräte-Cache verwalten"), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Lokalen Cache-Speicher überprüfen und löschen."), - "manageFamily": - MessageLookupByLibrary.simpleMessage("Familiengruppe verwalten"), - "manageLink": MessageLookupByLibrary.simpleMessage("Link verwalten"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Verwalten"), - "manageSubscription": - MessageLookupByLibrary.simpleMessage("Abonnement verwalten"), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "\"Mit PIN verbinden\" funktioniert mit jedem Bildschirm, auf dem du dein Album sehen möchtest."), - "map": MessageLookupByLibrary.simpleMessage("Karte"), - "maps": MessageLookupByLibrary.simpleMessage("Karten"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("Ich"), - "memories": MessageLookupByLibrary.simpleMessage("Erinnerungen"), - "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Wähle die Arten von Erinnerungen, die du auf der Startseite sehen möchtest."), - "memoryCount": m50, - "merchandise": MessageLookupByLibrary.simpleMessage("Merchandise"), - "merge": MessageLookupByLibrary.simpleMessage("Zusammenführen"), - "mergeWithExisting": MessageLookupByLibrary.simpleMessage( - "Mit vorhandenem zusammenführen"), - "mergedPhotos": - MessageLookupByLibrary.simpleMessage("Zusammengeführte Fotos"), - "mlConsent": MessageLookupByLibrary.simpleMessage( - "Maschinelles Lernen aktivieren"), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Ich verstehe und möchte das maschinelle Lernen aktivieren"), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Wenn du das maschinelle Lernen aktivierst, wird Ente Informationen wie etwa Gesichtsgeometrie aus Dateien extrahieren, einschließlich derjenigen, die mit dir geteilt werden.\n\nDies geschieht auf deinem Gerät und alle erzeugten biometrischen Informationen werden Ende-zu-Ende-verschlüsselt."), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Bitte klicke hier für weitere Details zu dieser Funktion in unserer Datenschutzerklärung"), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "Maschinelles Lernen aktivieren?"), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Bitte beachte, dass das maschinelle Lernen zu einem höheren Daten- und Akkuverbrauch führen wird, bis alle Elemente indiziert sind. Du kannst die Desktop-App für eine schnellere Indizierung verwenden, alle Ergebnisse werden automatisch synchronisiert."), - "mobileWebDesktop": - MessageLookupByLibrary.simpleMessage("Mobil, Web, Desktop"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Mittel"), - "modifyYourQueryOrTrySearchingFor": - MessageLookupByLibrary.simpleMessage( - "Ändere deine Suchanfrage oder suche nach"), - "moments": MessageLookupByLibrary.simpleMessage("Momente"), - "month": MessageLookupByLibrary.simpleMessage("Monat"), - "monthly": MessageLookupByLibrary.simpleMessage("Monatlich"), - "moon": MessageLookupByLibrary.simpleMessage("Bei Mondschein"), - "moreDetails": MessageLookupByLibrary.simpleMessage("Weitere Details"), - "mostRecent": MessageLookupByLibrary.simpleMessage("Neuste"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("Nach Relevanz"), - "mountains": MessageLookupByLibrary.simpleMessage("Über den Bergen"), - "moveItem": m51, - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "Ausgewählte Fotos auf ein Datum verschieben"), - "moveToAlbum": - MessageLookupByLibrary.simpleMessage("Zum Album verschieben"), - "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Zu verstecktem Album verschieben"), - "movedSuccessfullyTo": m52, - "movedToTrash": MessageLookupByLibrary.simpleMessage( - "In den Papierkorb verschoben"), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Verschiebe Dateien in Album..."), - "name": MessageLookupByLibrary.simpleMessage("Name"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Album benennen"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Ente ist im Moment nicht erreichbar. Bitte versuchen Sie es später erneut. Sollte das Problem bestehen bleiben, wenden Sie sich bitte an den Support."), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Ente ist im Moment nicht erreichbar. Bitte überprüfen Sie Ihre Netzwerkeinstellungen. Sollte das Problem bestehen bleiben, wenden Sie sich bitte an den Support."), - "never": MessageLookupByLibrary.simpleMessage("Niemals"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Neues Album"), - "newLocation": MessageLookupByLibrary.simpleMessage("Neuer Ort"), - "newPerson": MessageLookupByLibrary.simpleMessage("Neue Person"), - "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" neue 📸"), - "newRange": MessageLookupByLibrary.simpleMessage("Neue Auswahl"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Neu bei Ente"), - "newest": MessageLookupByLibrary.simpleMessage("Zuletzt"), - "next": MessageLookupByLibrary.simpleMessage("Weiter"), - "no": MessageLookupByLibrary.simpleMessage("Nein"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Noch keine Alben von dir geteilt"), - "noDeviceFound": - MessageLookupByLibrary.simpleMessage("Kein Gerät gefunden"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Keins"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "Du hast keine Dateien auf diesem Gerät, die gelöscht werden können"), - "noDuplicates": - MessageLookupByLibrary.simpleMessage("✨ Keine Duplikate"), - "noEnteAccountExclamation": - MessageLookupByLibrary.simpleMessage("Kein Ente-Konto!"), - "noExifData": MessageLookupByLibrary.simpleMessage("Keine Exif-Daten"), - "noFacesFound": - MessageLookupByLibrary.simpleMessage("Keine Gesichter gefunden"), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "Keine versteckten Fotos oder Videos"), - "noImagesWithLocation": - MessageLookupByLibrary.simpleMessage("Keine Bilder mit Standort"), - "noInternetConnection": - MessageLookupByLibrary.simpleMessage("Keine Internetverbindung"), - "noPhotosAreBeingBackedUpRightNow": - MessageLookupByLibrary.simpleMessage( - "Momentan werden keine Fotos gesichert"), - "noPhotosFoundHere": - MessageLookupByLibrary.simpleMessage("Keine Fotos gefunden"), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( - "Keine schnellen Links ausgewählt"), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Kein Wiederherstellungs-Schlüssel?"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Aufgrund unseres Ende-zu-Ende-Verschlüsselungsprotokolls können deine Daten nicht ohne dein Passwort oder deinen Wiederherstellungs-Schlüssel entschlüsselt werden"), - "noResults": MessageLookupByLibrary.simpleMessage("Keine Ergebnisse"), - "noResultsFound": - MessageLookupByLibrary.simpleMessage("Keine Ergebnisse gefunden"), - "noSuggestionsForPerson": m53, - "noSystemLockFound": - MessageLookupByLibrary.simpleMessage("Keine Systemsperre gefunden"), - "notPersonLabel": m54, - "notThisPerson": - MessageLookupByLibrary.simpleMessage("Nicht diese Person?"), - "nothingSharedWithYouYet": - MessageLookupByLibrary.simpleMessage("Noch nichts mit Dir geteilt"), - "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( - "Hier gibt es nichts zu sehen! 👀"), - "notifications": - MessageLookupByLibrary.simpleMessage("Benachrichtigungen"), - "ok": MessageLookupByLibrary.simpleMessage("Ok"), - "onDevice": MessageLookupByLibrary.simpleMessage("Auf dem Gerät"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "Auf ente"), - "onTheRoad": MessageLookupByLibrary.simpleMessage("Wieder unterwegs"), - "onThisDay": MessageLookupByLibrary.simpleMessage("An diesem Tag"), - "onThisDayMemories": - MessageLookupByLibrary.simpleMessage("Erinnerungen an diesem Tag"), - "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( - "Erhalte Erinnerungen von diesem Tag in den vergangenen Jahren."), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Nur diese"), - "oops": MessageLookupByLibrary.simpleMessage("Hoppla"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Hoppla, die Änderungen konnten nicht gespeichert werden"), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Ups. Leider ist ein Fehler aufgetreten"), - "openAlbumInBrowser": - MessageLookupByLibrary.simpleMessage("Album im Browser öffnen"), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Bitte nutze die Web-App, um Fotos zu diesem Album hinzuzufügen"), - "openFile": MessageLookupByLibrary.simpleMessage("Datei öffnen"), - "openSettings": - MessageLookupByLibrary.simpleMessage("Öffne Einstellungen"), - "openTheItem": MessageLookupByLibrary.simpleMessage("• Element öffnen"), - "openstreetmapContributors": - MessageLookupByLibrary.simpleMessage("OpenStreetMap-Beitragende"), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Bei Bedarf auch so kurz wie du willst..."), - "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( - "Oder mit existierenden zusammenführen"), - "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( - "Oder eine vorherige auswählen"), - "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( - "oder wähle aus deinen Kontakten"), - "otherDetectedFaces": - MessageLookupByLibrary.simpleMessage("Andere erkannte Gesichter"), - "pair": MessageLookupByLibrary.simpleMessage("Koppeln"), - "pairWithPin": - MessageLookupByLibrary.simpleMessage("Mit PIN verbinden"), - "pairingComplete": MessageLookupByLibrary.simpleMessage("Verbunden"), - "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), - "partyWithThem": m56, - "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( - "Verifizierung steht noch aus"), - "passkey": MessageLookupByLibrary.simpleMessage("Passkey"), - "passkeyAuthTitle": - MessageLookupByLibrary.simpleMessage("Passkey-Verifizierung"), - "password": MessageLookupByLibrary.simpleMessage("Passwort"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Passwort erfolgreich geändert"), - "passwordLock": MessageLookupByLibrary.simpleMessage("Passwort Sperre"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "Die Berechnung der Stärke des Passworts basiert auf dessen Länge, den verwendeten Zeichen, und ob es in den 10.000 am häufigsten verwendeten Passwörtern vorkommt"), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Wir speichern dieses Passwort nicht. Wenn du es vergisst, können wir deine Daten nicht entschlüsseln"), - "pastYearsMemories": MessageLookupByLibrary.simpleMessage( - "Erinnerungen der letzten Jahre"), - "paymentDetails": - MessageLookupByLibrary.simpleMessage("Zahlungsdetails"), - "paymentFailed": - MessageLookupByLibrary.simpleMessage("Zahlung fehlgeschlagen"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "Leider ist deine Zahlung fehlgeschlagen. Wende dich an unseren Support und wir helfen dir weiter!"), - "paymentFailedTalkToProvider": m58, - "pendingItems": - MessageLookupByLibrary.simpleMessage("Ausstehende Elemente"), - "pendingSync": - MessageLookupByLibrary.simpleMessage("Synchronisation anstehend"), - "people": MessageLookupByLibrary.simpleMessage("Personen"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Leute, die deinen Code verwenden"), - "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Wähle die Personen, die du auf der Startseite sehen möchtest."), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Alle Elemente im Papierkorb werden dauerhaft gelöscht\n\nDiese Aktion kann nicht rückgängig gemacht werden"), - "permanentlyDelete": - MessageLookupByLibrary.simpleMessage("Dauerhaft löschen"), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Endgültig vom Gerät löschen?"), - "personIsAge": m59, - "personName": MessageLookupByLibrary.simpleMessage("Name der Person"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("Pelzige Begleiter"), - "photoDescriptions": - MessageLookupByLibrary.simpleMessage("Foto Beschreibungen"), - "photoGridSize": - MessageLookupByLibrary.simpleMessage("Fotorastergröße"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("Foto"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("Fotos"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "Von dir hinzugefügte Fotos werden vom Album entfernt"), - "photosCount": m62, - "photosKeepRelativeTimeDifference": - MessageLookupByLibrary.simpleMessage( - "Fotos behalten relativen Zeitunterschied"), - "pickCenterPoint": - MessageLookupByLibrary.simpleMessage("Mittelpunkt auswählen"), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Album anheften"), - "pinLock": MessageLookupByLibrary.simpleMessage("PIN-Sperre"), - "playOnTv": MessageLookupByLibrary.simpleMessage( - "Album auf dem Fernseher wiedergeben"), - "playOriginal": - MessageLookupByLibrary.simpleMessage("Original abspielen"), - "playStoreFreeTrialValidTill": m63, - "playStream": MessageLookupByLibrary.simpleMessage("Stream abspielen"), - "playstoreSubscription": - MessageLookupByLibrary.simpleMessage("PlayStore Abo"), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Bitte überprüfe deine Internetverbindung und versuche es erneut."), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Bitte kontaktieren Sie uns über support@ente.io wo wir Ihnen gerne weiterhelfen."), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Bitte wenden Sie sich an den Support, falls das Problem weiterhin besteht"), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( - "Bitte erteile die nötigen Berechtigungen"), - "pleaseLoginAgain": - MessageLookupByLibrary.simpleMessage("Bitte logge dich erneut ein"), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Bitte wähle die zu entfernenden schnellen Links"), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": - MessageLookupByLibrary.simpleMessage("Bitte versuche es erneut"), - "pleaseVerifyTheCodeYouHaveEntered": - MessageLookupByLibrary.simpleMessage( - "Bitte bestätigen Sie den eingegebenen Code"), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Bitte warten..."), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Bitte warten, Album wird gelöscht"), - "pleaseWaitForSometimeBeforeRetrying": - MessageLookupByLibrary.simpleMessage( - "Bitte warte kurz, bevor du es erneut versuchst"), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "Bitte warten, dies wird eine Weile dauern."), - "posingWithThem": m66, - "preparingLogs": MessageLookupByLibrary.simpleMessage( - "Protokolle werden vorbereitet..."), - "preserveMore": - MessageLookupByLibrary.simpleMessage("Mehr Daten sichern"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Gedrückt halten, um Video abzuspielen"), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Drücke und halte aufs Foto gedrückt um Video abzuspielen"), - "previous": MessageLookupByLibrary.simpleMessage("Zurück"), - "privacy": MessageLookupByLibrary.simpleMessage("Datenschutz"), - "privacyPolicyTitle": - MessageLookupByLibrary.simpleMessage("Datenschutzerklärung"), - "privateBackups": - MessageLookupByLibrary.simpleMessage("Private Sicherungen"), - "privateSharing": - MessageLookupByLibrary.simpleMessage("Privates Teilen"), - "proceed": MessageLookupByLibrary.simpleMessage("Fortfahren"), - "processed": MessageLookupByLibrary.simpleMessage("Verarbeitet"), - "processing": MessageLookupByLibrary.simpleMessage("In Bearbeitung"), - "processingImport": m67, - "processingVideos": - MessageLookupByLibrary.simpleMessage("Verarbeite Videos"), - "publicLinkCreated": - MessageLookupByLibrary.simpleMessage("Öffentlicher Link erstellt"), - "publicLinkEnabled": - MessageLookupByLibrary.simpleMessage("Öffentlicher Link aktiviert"), - "questionmark": MessageLookupByLibrary.simpleMessage("?"), - "queued": MessageLookupByLibrary.simpleMessage("In der Warteschlange"), - "quickLinks": MessageLookupByLibrary.simpleMessage("Quick Links"), - "radius": MessageLookupByLibrary.simpleMessage("Umkreis"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Ticket erstellen"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("App bewerten"), - "rateUs": MessageLookupByLibrary.simpleMessage("Bewerte uns"), - "rateUsOnStore": m68, - "reassignMe": - MessageLookupByLibrary.simpleMessage("\"Ich\" neu zuweisen"), - "reassignedToName": m69, - "reassigningLoading": - MessageLookupByLibrary.simpleMessage("Ordne neu zu..."), - "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( - "Erhalte Erinnerungen, wenn jemand Geburtstag hat. Ein Klick auf die Benachrichtigung bringt dich zu den Fotos der Person, die Geburtstag hat."), - "recover": MessageLookupByLibrary.simpleMessage("Wiederherstellen"), - "recoverAccount": - MessageLookupByLibrary.simpleMessage("Konto wiederherstellen"), - "recoverButton": - MessageLookupByLibrary.simpleMessage("Wiederherstellen"), - "recoveryAccount": - MessageLookupByLibrary.simpleMessage("Konto wiederherstellen"), - "recoveryInitiated": - MessageLookupByLibrary.simpleMessage("Wiederherstellung gestartet"), - "recoveryInitiatedDesc": m70, - "recoveryKey": MessageLookupByLibrary.simpleMessage( - "Wiederherstellungs-Schlüssel"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Wiederherstellungs-Schlüssel in die Zwischenablage kopiert"), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Falls du dein Passwort vergisst, kannst du deine Daten allein mit diesem Schlüssel wiederherstellen."), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Wir speichern diesen Schlüssel nicht. Bitte speichere diese Schlüssel aus 24 Wörtern an einem sicheren Ort."), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Sehr gut! Dein Wiederherstellungsschlüssel ist gültig. Vielen Dank für die Verifizierung.\n\nBitte vergiss nicht eine Kopie des Wiederherstellungsschlüssels sicher aufzubewahren."), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Wiederherstellungs-Schlüssel überprüft"), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Dein Wiederherstellungsschlüssel ist die einzige Möglichkeit, auf deine Fotos zuzugreifen, solltest du dein Passwort vergessen. Du findest ihn unter Einstellungen > Konto.\n\nBitte gib deinen Wiederherstellungsschlüssel hier ein, um sicherzugehen, dass du ihn korrekt gesichert hast."), - "recoveryReady": m71, - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "Wiederherstellung erfolgreich!"), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "Ein vertrauenswürdiger Kontakt versucht, auf dein Konto zuzugreifen"), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "Das aktuelle Gerät ist nicht leistungsfähig genug, um dein Passwort zu verifizieren, aber wir können es neu erstellen, damit es auf allen Geräten funktioniert.\n\nBitte melde dich mit deinem Wiederherstellungs-Schlüssel an und erstelle dein Passwort neu (Wenn du willst, kannst du dasselbe erneut verwenden)."), - "recreatePasswordTitle": - MessageLookupByLibrary.simpleMessage("Passwort wiederherstellen"), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": - MessageLookupByLibrary.simpleMessage("Passwort erneut eingeben"), - "reenterPin": - MessageLookupByLibrary.simpleMessage("PIN erneut eingeben"), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Begeistere Freunde für uns und verdopple deinen Speicher"), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Gib diesen Code an deine Freunde"), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Sie schließen ein bezahltes Abo ab"), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Weiterempfehlungen"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "Einlösungen sind derzeit pausiert"), - "rejectRecovery": - MessageLookupByLibrary.simpleMessage("Wiederherstellung ablehnen"), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "Lösche auch Dateien aus \"Kürzlich gelöscht\" unter \"Einstellungen\" -> \"Speicher\" um freien Speicher zu erhalten"), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Leere auch deinen \"Papierkorb\", um freien Platz zu erhalten"), - "remoteImages": MessageLookupByLibrary.simpleMessage( - "Grafiken aus externen Quellen"), - "remoteThumbnails": MessageLookupByLibrary.simpleMessage( - "Vorschaubilder aus externen Quellen"), - "remoteVideos": - MessageLookupByLibrary.simpleMessage("Videos aus externen Quellen"), - "remove": MessageLookupByLibrary.simpleMessage("Entfernen"), - "removeDuplicates": - MessageLookupByLibrary.simpleMessage("Duplikate entfernen"), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Überprüfe und lösche Dateien, die exakte Duplikate sind."), - "removeFromAlbum": - MessageLookupByLibrary.simpleMessage("Aus Album entfernen"), - "removeFromAlbumTitle": - MessageLookupByLibrary.simpleMessage("Aus Album entfernen?"), - "removeFromFavorite": - MessageLookupByLibrary.simpleMessage("Aus Favoriten entfernen"), - "removeInvite": - MessageLookupByLibrary.simpleMessage("Einladung entfernen"), - "removeLink": MessageLookupByLibrary.simpleMessage("Link entfernen"), - "removeParticipant": - MessageLookupByLibrary.simpleMessage("Teilnehmer entfernen"), - "removeParticipantBody": m74, - "removePersonLabel": - MessageLookupByLibrary.simpleMessage("Personenetikett entfernen"), - "removePublicLink": - MessageLookupByLibrary.simpleMessage("Öffentlichen Link entfernen"), - "removePublicLinks": - MessageLookupByLibrary.simpleMessage("Öffentliche Links entfernen"), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Einige der Elemente, die du entfernst, wurden von anderen Nutzern hinzugefügt und du wirst den Zugriff auf sie verlieren"), - "removeWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Entfernen?"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Entferne dich als vertrauenswürdigen Kontakt"), - "removingFromFavorites": MessageLookupByLibrary.simpleMessage( - "Wird aus Favoriten entfernt..."), - "rename": MessageLookupByLibrary.simpleMessage("Umbenennen"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("Album umbenennen"), - "renameFile": MessageLookupByLibrary.simpleMessage("Datei umbenennen"), - "renewSubscription": - MessageLookupByLibrary.simpleMessage("Abonnement erneuern"), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Fehler melden"), - "reportBug": MessageLookupByLibrary.simpleMessage("Fehler melden"), - "resendEmail": - MessageLookupByLibrary.simpleMessage("E-Mail erneut senden"), - "reset": MessageLookupByLibrary.simpleMessage("Zurücksetzen"), - "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( - "Ignorierte Dateien zurücksetzen"), - "resetPasswordTitle": - MessageLookupByLibrary.simpleMessage("Passwort zurücksetzen"), - "resetPerson": MessageLookupByLibrary.simpleMessage("Entfernen"), - "resetToDefault": - MessageLookupByLibrary.simpleMessage("Standardwerte zurücksetzen"), - "restore": MessageLookupByLibrary.simpleMessage("Wiederherstellen"), - "restoreToAlbum": - MessageLookupByLibrary.simpleMessage("Album wiederherstellen"), - "restoringFiles": MessageLookupByLibrary.simpleMessage( - "Dateien werden wiederhergestellt..."), - "resumableUploads": - MessageLookupByLibrary.simpleMessage("Fortsetzbares Hochladen"), - "retry": MessageLookupByLibrary.simpleMessage("Erneut versuchen"), - "review": MessageLookupByLibrary.simpleMessage("Überprüfen"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Bitte überprüfe und lösche die Elemente, die du für Duplikate hältst."), - "reviewSuggestions": - MessageLookupByLibrary.simpleMessage("Vorschläge überprüfen"), - "right": MessageLookupByLibrary.simpleMessage("Rechts"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("Drehen"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Nach links drehen"), - "rotateRight": - MessageLookupByLibrary.simpleMessage("Nach rechts drehen"), - "safelyStored": MessageLookupByLibrary.simpleMessage("Gesichert"), - "same": MessageLookupByLibrary.simpleMessage("Gleich"), - "sameperson": MessageLookupByLibrary.simpleMessage("Dieselbe Person?"), - "save": MessageLookupByLibrary.simpleMessage("Speichern"), - "saveAsAnotherPerson": - MessageLookupByLibrary.simpleMessage("Als andere Person speichern"), - "saveChangesBeforeLeavingQuestion": - MessageLookupByLibrary.simpleMessage( - "Änderungen vor dem Verlassen speichern?"), - "saveCollage": - MessageLookupByLibrary.simpleMessage("Collage speichern"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Kopie speichern"), - "saveKey": MessageLookupByLibrary.simpleMessage("Schlüssel speichern"), - "savePerson": MessageLookupByLibrary.simpleMessage("Person speichern"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Sichere deinen Wiederherstellungs-Schlüssel, falls noch nicht geschehen"), - "saving": MessageLookupByLibrary.simpleMessage("Speichern..."), - "savingEdits": - MessageLookupByLibrary.simpleMessage("Speichere Änderungen..."), - "scanCode": MessageLookupByLibrary.simpleMessage("Code scannen"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Scanne diesen Code mit \ndeiner Authentifizierungs-App"), - "search": MessageLookupByLibrary.simpleMessage("Suche"), - "searchAlbumsEmptySection": - MessageLookupByLibrary.simpleMessage("Alben"), - "searchByAlbumNameHint": - MessageLookupByLibrary.simpleMessage("Name des Albums"), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Albumnamen (z.B. \"Kamera\")\n• Dateitypen (z.B. \"Videos\", \".gif\")\n• Jahre und Monate (z.B. \"2022\", \"Januar\")\n• Feiertage (z.B. \"Weihnachten\")\n• Fotobeschreibungen (z.B. \"#fun\")"), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Füge Beschreibungen wie \"#trip\" in der Fotoinfo hinzu um diese schnell hier wiederzufinden"), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Suche nach Datum, Monat oder Jahr"), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "Bilder werden hier angezeigt, sobald Verarbeitung und Synchronisation abgeschlossen sind"), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "Personen werden hier angezeigt, sobald die Indizierung abgeschlossen ist"), - "searchFileTypesAndNamesEmptySection": - MessageLookupByLibrary.simpleMessage("Dateitypen und -namen"), - "searchHint1": MessageLookupByLibrary.simpleMessage( - "Schnell auf dem Gerät suchen"), - "searchHint2": - MessageLookupByLibrary.simpleMessage("Fotodaten, Beschreibungen"), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "Alben, Dateinamen und -typen"), - "searchHint4": MessageLookupByLibrary.simpleMessage("Ort"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "Demnächst: Gesichter & magische Suche ✨"), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Gruppiere Fotos, die innerhalb des Radius eines bestimmten Fotos aufgenommen wurden"), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "Laden Sie Personen ein, damit Sie geteilte Fotos hier einsehen können"), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "Personen werden hier angezeigt, sobald Verarbeitung und Synchronisierung abgeschlossen sind"), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Sicherheit"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "Öffentliche Album-Links in der App ansehen"), - "selectALocation": - MessageLookupByLibrary.simpleMessage("Standort auswählen"), - "selectALocationFirst": - MessageLookupByLibrary.simpleMessage("Wähle zuerst einen Standort"), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Album auswählen"), - "selectAll": MessageLookupByLibrary.simpleMessage("Alle markieren"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("Alle"), - "selectCoverPhoto": - MessageLookupByLibrary.simpleMessage("Titelbild auswählen"), - "selectDate": MessageLookupByLibrary.simpleMessage("Datum wählen"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Ordner für Sicherung auswählen"), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "Elemente zum Hinzufügen auswählen"), - "selectLanguage": - MessageLookupByLibrary.simpleMessage("Sprache auswählen"), - "selectMailApp": - MessageLookupByLibrary.simpleMessage("E-Mail-App auswählen"), - "selectMorePhotos": - MessageLookupByLibrary.simpleMessage("Mehr Fotos auswählen"), - "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( - "Wähle ein Datum und eine Uhrzeit"), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "Wähle ein Datum und eine Uhrzeit für alle"), - "selectPersonToLink": MessageLookupByLibrary.simpleMessage( - "Person zum Verknüpfen auswählen"), - "selectReason": MessageLookupByLibrary.simpleMessage("Grund auswählen"), - "selectStartOfRange": MessageLookupByLibrary.simpleMessage( - "Anfang des Bereichs auswählen"), - "selectTime": MessageLookupByLibrary.simpleMessage("Uhrzeit wählen"), - "selectYourFace": - MessageLookupByLibrary.simpleMessage("Wähle dein Gesicht"), - "selectYourPlan": - MessageLookupByLibrary.simpleMessage("Wähle dein Abo aus"), - "selectedAlbums": m79, - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Ausgewählte Dateien sind nicht auf Ente"), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Ausgewählte Ordner werden verschlüsselt und gesichert"), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Ausgewählte Elemente werden aus allen Alben gelöscht und in den Papierkorb verschoben."), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "Ausgewählte Elemente werden von dieser Person entfernt, aber nicht aus deiner Bibliothek gelöscht."), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("Absenden"), - "sendEmail": MessageLookupByLibrary.simpleMessage("E-Mail senden"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Einladung senden"), - "sendLink": MessageLookupByLibrary.simpleMessage("Link senden"), - "serverEndpoint": - MessageLookupByLibrary.simpleMessage("Server Endpunkt"), - "sessionExpired": - MessageLookupByLibrary.simpleMessage("Sitzung abgelaufen"), - "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( - "Sitzungs-ID stimmt nicht überein"), - "setAPassword": MessageLookupByLibrary.simpleMessage("Passwort setzen"), - "setAs": MessageLookupByLibrary.simpleMessage("Festlegen als"), - "setCover": MessageLookupByLibrary.simpleMessage("Titelbild festlegen"), - "setLabel": MessageLookupByLibrary.simpleMessage("Festlegen"), - "setNewPassword": - MessageLookupByLibrary.simpleMessage("Neues Passwort festlegen"), - "setNewPin": MessageLookupByLibrary.simpleMessage("Neue PIN festlegen"), - "setPasswordTitle": - MessageLookupByLibrary.simpleMessage("Passwort festlegen"), - "setRadius": MessageLookupByLibrary.simpleMessage("Radius festlegen"), - "setupComplete": - MessageLookupByLibrary.simpleMessage("Einrichtung abgeschlossen"), - "share": MessageLookupByLibrary.simpleMessage("Teilen"), - "shareALink": MessageLookupByLibrary.simpleMessage("Einen Link teilen"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Öffne ein Album und tippe auf den Teilen-Button oben rechts, um zu teilen."), - "shareAnAlbumNow": - MessageLookupByLibrary.simpleMessage("Teile jetzt ein Album"), - "shareLink": MessageLookupByLibrary.simpleMessage("Link teilen"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Teile mit ausgewählten Personen"), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Hol dir Ente, damit wir ganz einfach Fotos und Videos in Originalqualität teilen können\n\nhttps://ente.io"), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Mit Nicht-Ente-Benutzern teilen"), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": - MessageLookupByLibrary.simpleMessage("Teile dein erstes Album"), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Erstelle gemeinsam mit anderen Ente-Nutzern geteilte Alben, inkl. Nutzern ohne Bezahltarif."), - "sharedByMe": MessageLookupByLibrary.simpleMessage("Von mir geteilt"), - "sharedByYou": MessageLookupByLibrary.simpleMessage("Von dir geteilt"), - "sharedPhotoNotifications": - MessageLookupByLibrary.simpleMessage("Neue geteilte Fotos"), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Erhalte Benachrichtigungen, wenn jemand ein Foto zu einem gemeinsam genutzten Album hinzufügt, dem du angehörst"), - "sharedWith": m87, - "sharedWithMe": MessageLookupByLibrary.simpleMessage("Mit mir geteilt"), - "sharedWithYou": - MessageLookupByLibrary.simpleMessage("Mit dir geteilt"), - "sharing": MessageLookupByLibrary.simpleMessage("Teilt..."), - "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( - "Datum und Uhrzeit verschieben"), - "showLessFaces": - MessageLookupByLibrary.simpleMessage("Weniger Gesichter zeigen"), - "showMemories": - MessageLookupByLibrary.simpleMessage("Erinnerungen anschauen"), - "showMoreFaces": - MessageLookupByLibrary.simpleMessage("Mehr Gesichter zeigen"), - "showPerson": MessageLookupByLibrary.simpleMessage("Person anzeigen"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "Von anderen Geräten abmelden"), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Falls du denkst, dass jemand dein Passwort kennen könnte, kannst du alle anderen Geräte von deinem Account abmelden."), - "signOutOtherDevices": - MessageLookupByLibrary.simpleMessage("Andere Geräte abmelden"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Ich stimme den Nutzungsbedingungen und der Datenschutzerklärung zu"), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Es wird aus allen Alben gelöscht."), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Überspringen"), - "smartMemories": - MessageLookupByLibrary.simpleMessage("Smarte Erinnerungen"), - "social": MessageLookupByLibrary.simpleMessage("Social Media"), - "someItemsAreInBothEnteAndYourDevice": - MessageLookupByLibrary.simpleMessage( - "Einige Elemente sind sowohl auf Ente als auch auf deinem Gerät."), - "someOfTheFilesYouAreTryingToDeleteAre": - MessageLookupByLibrary.simpleMessage( - "Einige der Dateien, die Sie löschen möchten, sind nur auf Ihrem Gerät verfügbar und können nicht wiederhergestellt werden, wenn sie gelöscht wurden"), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Jemand, der Alben mit dir teilt, sollte die gleiche ID auf seinem Gerät sehen."), - "somethingWentWrong": - MessageLookupByLibrary.simpleMessage("Irgendetwas ging schief"), - "somethingWentWrongPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Ein Fehler ist aufgetreten, bitte versuche es erneut"), - "sorry": MessageLookupByLibrary.simpleMessage("Entschuldigung"), - "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( - "Leider konnten wir diese Datei momentan nicht sichern, wir werden es später erneut versuchen."), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Konnte leider nicht zu den Favoriten hinzugefügt werden!"), - "sorryCouldNotRemoveFromFavorites": - MessageLookupByLibrary.simpleMessage( - "Konnte leider nicht aus den Favoriten entfernt werden!"), - "sorryTheCodeYouveEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "Leider ist der eingegebene Code falsch"), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Es tut uns leid, wir konnten keine sicheren Schlüssel auf diesem Gerät generieren.\n\nBitte starte die Registrierung auf einem anderen Gerät."), - "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( - "Entschuldigung, wir mussten deine Sicherungen pausieren"), - "sort": MessageLookupByLibrary.simpleMessage("Sortierung"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sortieren nach"), - "sortNewestFirst": - MessageLookupByLibrary.simpleMessage("Neueste zuerst"), - "sortOldestFirst": - MessageLookupByLibrary.simpleMessage("Älteste zuerst"), - "sparkleSuccess": - MessageLookupByLibrary.simpleMessage("✨ Abgeschlossen"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": - MessageLookupByLibrary.simpleMessage("Spot auf dich selbst"), - "startAccountRecoveryTitle": - MessageLookupByLibrary.simpleMessage("Wiederherstellung starten"), - "startBackup": - MessageLookupByLibrary.simpleMessage("Sicherung starten"), - "status": MessageLookupByLibrary.simpleMessage("Status"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "Möchtest du die Übertragung beenden?"), - "stopCastingTitle": - MessageLookupByLibrary.simpleMessage("Übertragung beenden"), - "storage": MessageLookupByLibrary.simpleMessage("Speicherplatz"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Familie"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Sie"), - "storageInGB": m93, - "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( - "Speichergrenze überschritten"), - "storageUsageInfo": m94, - "streamDetails": MessageLookupByLibrary.simpleMessage("Stream-Details"), - "strongStrength": MessageLookupByLibrary.simpleMessage("Stark"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Abonnieren"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Du benötigst ein aktives, bezahltes Abonnement, um das Teilen zu aktivieren."), - "subscription": MessageLookupByLibrary.simpleMessage("Abonnement"), - "success": MessageLookupByLibrary.simpleMessage("Abgeschlossen"), - "successfullyArchived": - MessageLookupByLibrary.simpleMessage("Erfolgreich archiviert"), - "successfullyHid": - MessageLookupByLibrary.simpleMessage("Erfolgreich versteckt"), - "successfullyUnarchived": - MessageLookupByLibrary.simpleMessage("Erfolgreich dearchiviert"), - "successfullyUnhid": - MessageLookupByLibrary.simpleMessage("Erfolgreich eingeblendet"), - "suggestFeatures": - MessageLookupByLibrary.simpleMessage("Verbesserung vorschlagen"), - "sunrise": MessageLookupByLibrary.simpleMessage("Am Horizont"), - "support": MessageLookupByLibrary.simpleMessage("Support"), - "syncProgress": m97, - "syncStopped": - MessageLookupByLibrary.simpleMessage("Synchronisierung angehalten"), - "syncing": MessageLookupByLibrary.simpleMessage("Synchronisiere …"), - "systemTheme": MessageLookupByLibrary.simpleMessage("System"), - "tapToCopy": - MessageLookupByLibrary.simpleMessage("zum Kopieren antippen"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage( - "Antippen, um den Code einzugeben"), - "tapToUnlock": - MessageLookupByLibrary.simpleMessage("Zum Entsperren antippen"), - "tapToUpload": - MessageLookupByLibrary.simpleMessage("Zum Hochladen antippen"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Etwas ist schiefgelaufen. Bitte versuche es später noch einmal. Sollte der Fehler weiter bestehen, kontaktiere unser Supportteam."), - "terminate": MessageLookupByLibrary.simpleMessage("Beenden"), - "terminateSession": - MessageLookupByLibrary.simpleMessage("Sitzungen beenden?"), - "terms": MessageLookupByLibrary.simpleMessage("Nutzungsbedingungen"), - "termsOfServicesTitle": - MessageLookupByLibrary.simpleMessage("Nutzungsbedingungen"), - "thankYou": MessageLookupByLibrary.simpleMessage("Vielen Dank"), - "thankYouForSubscribing": - MessageLookupByLibrary.simpleMessage("Danke fürs Abonnieren!"), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "Der Download konnte nicht abgeschlossen werden"), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "Der Link, den du aufrufen möchtest, ist abgelaufen."), - "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "Diese Personengruppen werden im Personen-Abschnitt nicht mehr angezeigt. Die Fotos bleiben unverändert."), - "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "Diese Person wird im Personen-Abschnitt nicht mehr angezeigt. Die Fotos bleiben unverändert."), - "theRecoveryKeyYouEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "Der eingegebene Schlüssel ist ungültig"), - "theme": MessageLookupByLibrary.simpleMessage("Theme"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Diese Elemente werden von deinem Gerät gelöscht."), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "Sie werden aus allen Alben gelöscht."), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Diese Aktion kann nicht rückgängig gemacht werden"), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "Dieses Album hat bereits einen kollaborativen Link"), - "thisCanBeUsedToRecoverYourAccountIfYou": - MessageLookupByLibrary.simpleMessage( - "Dies kann verwendet werden, um dein Konto wiederherzustellen, wenn du deinen zweiten Faktor (2FA) verlierst"), - "thisDevice": MessageLookupByLibrary.simpleMessage("Dieses Gerät"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "Diese E-Mail-Adresse wird bereits verwendet"), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Dieses Bild hat keine Exif-Daten"), - "thisIsMeExclamation": - MessageLookupByLibrary.simpleMessage("Das bin ich!"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Dies ist deine Verifizierungs-ID"), - "thisWeekThroughTheYears": - MessageLookupByLibrary.simpleMessage("Diese Woche über die Jahre"), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Dadurch wirst du von folgendem Gerät abgemeldet:"), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Dadurch wirst du von diesem Gerät abgemeldet!"), - "thisWillMakeTheDateAndTimeOfAllSelected": - MessageLookupByLibrary.simpleMessage( - "Dadurch werden Datum und Uhrzeit aller ausgewählten Fotos gleich."), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "Hiermit werden die öffentlichen Links aller ausgewählten schnellen Links entfernt."), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "Um die App-Sperre zu aktivieren, konfiguriere bitte den Gerätepasscode oder die Bildschirmsperre in den Systemeinstellungen."), - "toHideAPhotoOrVideo": - MessageLookupByLibrary.simpleMessage("Foto oder Video verstecken"), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Um dein Passwort zurückzusetzen, verifiziere bitte zuerst deine E-Mail-Adresse."), - "todaysLogs": - MessageLookupByLibrary.simpleMessage("Heutiges Protokoll"), - "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( - "Zu viele fehlerhafte Versuche"), - "total": MessageLookupByLibrary.simpleMessage("Gesamt"), - "totalSize": MessageLookupByLibrary.simpleMessage("Gesamtgröße"), - "trash": MessageLookupByLibrary.simpleMessage("Papierkorb"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Schneiden"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": - MessageLookupByLibrary.simpleMessage("Vertrauenswürdige Kontakte"), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Erneut versuchen"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Aktiviere die Sicherung, um neue Dateien in diesem Ordner automatisch zu Ente hochzuladen."), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "2 Monate kostenlos beim jährlichen Bezahlen"), - "twofactor": MessageLookupByLibrary.simpleMessage("Zwei-Faktor"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "Zwei-Faktor-Authentifizierung (2FA) wurde deaktiviert"), - "twofactorAuthenticationPageTitle": - MessageLookupByLibrary.simpleMessage( - "Zwei-Faktor-Authentifizierung"), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "Zwei-Faktor-Authentifizierung (2FA) erfolgreich zurückgesetzt"), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Zweiten Faktor (2FA) einrichten"), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("Dearchivieren"), - "unarchiveAlbum": - MessageLookupByLibrary.simpleMessage("Album dearchivieren"), - "unarchiving": MessageLookupByLibrary.simpleMessage("Dearchiviere …"), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Entschuldigung, dieser Code ist nicht verfügbar."), - "uncategorized": - MessageLookupByLibrary.simpleMessage("Unkategorisiert"), - "unhide": MessageLookupByLibrary.simpleMessage("Einblenden"), - "unhideToAlbum": - MessageLookupByLibrary.simpleMessage("Im Album anzeigen"), - "unhiding": MessageLookupByLibrary.simpleMessage("Einblenden..."), - "unhidingFilesToAlbum": - MessageLookupByLibrary.simpleMessage("Dateien im Album anzeigen"), - "unlock": MessageLookupByLibrary.simpleMessage("Jetzt freischalten"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("Album lösen"), - "unselectAll": MessageLookupByLibrary.simpleMessage("Alle demarkieren"), - "update": MessageLookupByLibrary.simpleMessage("Updaten"), - "updateAvailable": - MessageLookupByLibrary.simpleMessage("Update verfügbar"), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Ordnerauswahl wird aktualisiert..."), - "upgrade": MessageLookupByLibrary.simpleMessage("Upgrade"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Dateien werden ins Album hochgeladen..."), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( - "Sichere ein Erinnerungsstück..."), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "Bis zu 50% Rabatt bis zum 4. Dezember."), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "Der verwendbare Speicherplatz ist von deinem aktuellen Abonnement eingeschränkt. Überschüssiger, beanspruchter Speicherplatz wird automatisch verwendbar werden, wenn du ein höheres Abonnement buchst."), - "useAsCover": - MessageLookupByLibrary.simpleMessage("Als Titelbild festlegen"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "Hast du Probleme beim Abspielen dieses Videos? Halte hier gedrückt, um einen anderen Player auszuprobieren."), - "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Verwende öffentliche Links für Personen, die kein Ente-Konto haben"), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Wiederherstellungs-Schlüssel verwenden"), - "useSelectedPhoto": - MessageLookupByLibrary.simpleMessage("Ausgewähltes Foto verwenden"), - "usedSpace": - MessageLookupByLibrary.simpleMessage("Belegter Speicherplatz"), - "validTill": m110, - "verificationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Verifizierung fehlgeschlagen, bitte versuchen Sie es erneut"), - "verificationId": - MessageLookupByLibrary.simpleMessage("Verifizierungs-ID"), - "verify": MessageLookupByLibrary.simpleMessage("Überprüfen"), - "verifyEmail": - MessageLookupByLibrary.simpleMessage("E-Mail-Adresse verifizieren"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Überprüfen"), - "verifyPasskey": - MessageLookupByLibrary.simpleMessage("Passkey verifizieren"), - "verifyPassword": - MessageLookupByLibrary.simpleMessage("Passwort überprüfen"), - "verifying": MessageLookupByLibrary.simpleMessage("Verifiziere …"), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Wiederherstellungs-Schlüssel wird überprüft..."), - "videoInfo": - MessageLookupByLibrary.simpleMessage("Video-Informationen"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("Video"), - "videoStreaming": - MessageLookupByLibrary.simpleMessage("Streambare Videos"), - "videos": MessageLookupByLibrary.simpleMessage("Videos"), - "viewActiveSessions": - MessageLookupByLibrary.simpleMessage("Aktive Sitzungen anzeigen"), - "viewAddOnButton": - MessageLookupByLibrary.simpleMessage("Zeige Add-ons"), - "viewAll": MessageLookupByLibrary.simpleMessage("Alle anzeigen"), - "viewAllExifData": - MessageLookupByLibrary.simpleMessage("Alle Exif-Daten anzeigen"), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Große Dateien"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Dateien anzeigen, die den meisten Speicherplatz belegen."), - "viewLogs": MessageLookupByLibrary.simpleMessage("Protokolle anzeigen"), - "viewPersonToUnlink": m112, - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Wiederherstellungsschlüssel anzeigen"), - "viewer": MessageLookupByLibrary.simpleMessage("Zuschauer"), - "viewersSuccessfullyAdded": m113, - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Bitte rufe \"web.ente.io\" auf, um dein Abo zu verwalten"), - "waitingForVerification": - MessageLookupByLibrary.simpleMessage("Warte auf Bestätigung..."), - "waitingForWifi": - MessageLookupByLibrary.simpleMessage("Warte auf WLAN..."), - "warning": MessageLookupByLibrary.simpleMessage("Warnung"), - "weAreOpenSource": MessageLookupByLibrary.simpleMessage( - "Unser Quellcode ist offen einsehbar!"), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "Wir unterstützen keine Bearbeitung von Fotos und Alben, die du noch nicht besitzt"), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Schwach"), - "welcomeBack": - MessageLookupByLibrary.simpleMessage("Willkommen zurück!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("Neue Funktionen"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "Ein vertrauenswürdiger Kontakt kann helfen, deine Daten wiederherzustellen."), - "widgets": MessageLookupByLibrary.simpleMessage("Widgets"), - "wishThemAHappyBirthday": m115, - "yearShort": MessageLookupByLibrary.simpleMessage("Jahr"), - "yearly": MessageLookupByLibrary.simpleMessage("Jährlich"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Ja"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Ja, kündigen"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "Ja, zu \"Beobachter\" ändern"), - "yesDelete": MessageLookupByLibrary.simpleMessage("Ja, löschen"), - "yesDiscardChanges": - MessageLookupByLibrary.simpleMessage("Ja, Änderungen verwerfen"), - "yesIgnore": MessageLookupByLibrary.simpleMessage("Ja, ignorieren"), - "yesLogout": MessageLookupByLibrary.simpleMessage("Ja, ausloggen"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Ja, entfernen"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Ja, erneuern"), - "yesResetPerson": - MessageLookupByLibrary.simpleMessage("Ja, Person zurücksetzen"), - "you": MessageLookupByLibrary.simpleMessage("Du"), - "youAndThem": m117, - "youAreOnAFamilyPlan": - MessageLookupByLibrary.simpleMessage("Du bist im Familien-Tarif!"), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Du bist auf der neuesten Version"), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Du kannst deinen Speicher maximal verdoppeln"), - "youCanManageYourLinksInTheShareTab": - MessageLookupByLibrary.simpleMessage( - "Du kannst deine Links im \"Teilen\"-Tab verwalten."), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "Sie können versuchen, nach einer anderen Abfrage suchen."), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "Du kannst nicht auf diesen Tarif wechseln"), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Du kannst nicht mit dir selbst teilen"), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "Du hast keine archivierten Elemente."), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "Dein Benutzerkonto wurde gelöscht"), - "yourMap": MessageLookupByLibrary.simpleMessage("Deine Karte"), - "yourPlanWasSuccessfullyDowngraded": - MessageLookupByLibrary.simpleMessage( - "Dein Tarif wurde erfolgreich heruntergestuft"), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "Dein Abo wurde erfolgreich hochgestuft"), - "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( - "Dein Einkauf war erfolgreich"), - "yourStorageDetailsCouldNotBeFetched": - MessageLookupByLibrary.simpleMessage( - "Details zum Speicherplatz konnten nicht abgerufen werden"), - "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( - "Dein Abonnement ist abgelaufen"), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "Dein Abonnement wurde erfolgreich aktualisiert."), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "Ihr Bestätigungscode ist abgelaufen"), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage( - "Du hast keine Duplikate, die gelöscht werden können"), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "Du hast keine Dateien in diesem Album, die gelöscht werden können"), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( - "Verkleinern, um Fotos zu sehen") - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Eine neue Version von Ente ist verfügbar.", + ), + "about": MessageLookupByLibrary.simpleMessage("Allgemeine Informationen"), + "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( + "Einladung annehmen", + ), + "account": MessageLookupByLibrary.simpleMessage("Konto"), + "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( + "Das Konto ist bereits konfiguriert.", + ), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( + "Willkommen zurück!", + ), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Ich verstehe, dass ich meine Daten verlieren kann, wenn ich mein Passwort vergesse, da meine Daten Ende-zu-Ende-verschlüsselt sind.", + ), + "actionNotSupportedOnFavouritesAlbum": MessageLookupByLibrary.simpleMessage( + "Aktion für das Favoritenalbum nicht unterstützt", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage("Aktive Sitzungen"), + "add": MessageLookupByLibrary.simpleMessage("Hinzufügen"), + "addAName": MessageLookupByLibrary.simpleMessage("Füge einen Namen hinzu"), + "addANewEmail": MessageLookupByLibrary.simpleMessage( + "Neue E-Mail-Adresse hinzufügen", + ), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Füge ein Alben-Widget zu deiner Startseite hinzu und komm hierher zurück, um es anzupassen.", + ), + "addCollaborator": MessageLookupByLibrary.simpleMessage( + "Bearbeiter hinzufügen", + ), + "addCollaborators": m1, + "addFiles": MessageLookupByLibrary.simpleMessage("Dateien hinzufügen"), + "addFromDevice": MessageLookupByLibrary.simpleMessage( + "Vom Gerät hinzufügen", + ), + "addItem": m2, + "addLocation": MessageLookupByLibrary.simpleMessage("Ort hinzufügen"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Hinzufügen"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Füge ein Erinnerungs-Widget zu deiner Startseite hinzu und komm hierher zurück, um es anzupassen.", + ), + "addMore": MessageLookupByLibrary.simpleMessage("Mehr hinzufügen"), + "addName": MessageLookupByLibrary.simpleMessage("Name hinzufügen"), + "addNameOrMerge": MessageLookupByLibrary.simpleMessage( + "Name hinzufügen oder zusammenführen", + ), + "addNew": MessageLookupByLibrary.simpleMessage("Hinzufügen"), + "addNewPerson": MessageLookupByLibrary.simpleMessage( + "Neue Person hinzufügen", + ), + "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( + "Details der Add-ons", + ), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("Add-ons"), + "addParticipants": MessageLookupByLibrary.simpleMessage( + "Teilnehmer hinzufügen", + ), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Füge ein Personen-Widget zu deiner Startseite hinzu und komm hierher zurück, um es anzupassen.", + ), + "addPhotos": MessageLookupByLibrary.simpleMessage("Fotos hinzufügen"), + "addSelected": MessageLookupByLibrary.simpleMessage("Auswahl hinzufügen"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("Zum Album hinzufügen"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Zu Ente hinzufügen"), + "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Zum versteckten Album hinzufügen", + ), + "addTrustedContact": MessageLookupByLibrary.simpleMessage( + "Vertrauenswürdigen Kontakt hinzufügen", + ), + "addViewer": MessageLookupByLibrary.simpleMessage("Album teilen"), + "addViewers": m4, + "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( + "Füge deine Foto jetzt hinzu", + ), + "addedAs": MessageLookupByLibrary.simpleMessage("Hinzugefügt als"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": MessageLookupByLibrary.simpleMessage( + "Wird zu Favoriten hinzugefügt...", + ), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("Erweitert"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Erweitert"), + "after1Day": MessageLookupByLibrary.simpleMessage("Nach einem Tag"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Nach 1 Stunde"), + "after1Month": MessageLookupByLibrary.simpleMessage("Nach 1 Monat"), + "after1Week": MessageLookupByLibrary.simpleMessage("Nach 1 Woche"), + "after1Year": MessageLookupByLibrary.simpleMessage("Nach 1 Jahr"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Besitzer"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Albumtitel"), + "albumUpdated": MessageLookupByLibrary.simpleMessage("Album aktualisiert"), + "albums": MessageLookupByLibrary.simpleMessage("Alben"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Wähle die Alben, die du auf der Startseite sehen möchtest.", + ), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Alles klar"), + "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( + "Alle Erinnerungsstücke gesichert", + ), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "Alle Gruppierungen für diese Person werden zurückgesetzt und du wirst alle Vorschläge für diese Person verlieren", + ), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "Alle unbenannten Gruppen werden zur ausgewählten Person zusammengeführt. Dies kann im Verlauf der Vorschläge für diese Person rückgängig gemacht werden.", + ), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "Dies ist die erste in der Gruppe. Andere ausgewählte Fotos werden automatisch nach diesem neuen Datum verschoben", + ), + "allow": MessageLookupByLibrary.simpleMessage("Erlauben"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Erlaube Nutzern, mit diesem Link ebenfalls Fotos zu diesem geteilten Album hinzuzufügen.", + ), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( + "Hinzufügen von Fotos erlauben", + ), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "Erlaube der App, geteilte Album-Links zu öffnen", + ), + "allowDownloads": MessageLookupByLibrary.simpleMessage( + "Downloads erlauben", + ), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Erlaube anderen das Hinzufügen von Fotos", + ), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Bitte erlaube den Zugriff auf Deine Fotos in den Einstellungen, damit Ente sie anzeigen und sichern kann.", + ), + "allowPermTitle": MessageLookupByLibrary.simpleMessage( + "Zugriff auf Fotos erlauben", + ), + "androidBiometricHint": MessageLookupByLibrary.simpleMessage( + "Identität verifizieren", + ), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "Nicht erkannt. Versuchen Sie es erneut.", + ), + "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( + "Biometrie erforderlich", + ), + "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage( + "Erfolgreich", + ), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Abbrechen"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage( + "Geräteanmeldeinformationen erforderlich", + ), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage( + "Geräteanmeldeinformationen erforderlich", + ), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Auf Ihrem Gerät ist keine biometrische Authentifizierung eingerichtet. Gehen Sie „Einstellungen“ > „Sicherheit“, um die biometrische Authentifizierung hinzuzufügen.", + ), + "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( + "Android, iOS, Web, Desktop", + ), + "androidSignInTitle": MessageLookupByLibrary.simpleMessage( + "Authentifizierung erforderlich", + ), + "appIcon": MessageLookupByLibrary.simpleMessage("App-Symbol"), + "appLock": MessageLookupByLibrary.simpleMessage("App-Sperre"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Wähle zwischen dem Standard-Sperrbildschirm deines Gerätes und einem eigenen Sperrbildschirm mit PIN oder Passwort.", + ), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), + "apply": MessageLookupByLibrary.simpleMessage("Anwenden"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Code nutzen"), + "appstoreSubscription": MessageLookupByLibrary.simpleMessage( + "AppStore Abo", + ), + "archive": MessageLookupByLibrary.simpleMessage("Archiv"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("Album archivieren"), + "archiving": MessageLookupByLibrary.simpleMessage("Archiviere …"), + "areThey": MessageLookupByLibrary.simpleMessage("Ist das "), + "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( + "Bist du sicher, dass du dieses Gesicht von dieser Person entfernen möchtest?", + ), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Bist du sicher, dass du den Familien-Tarif verlassen möchtest?", + ), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "Bist du sicher, dass du kündigen willst?", + ), + "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( + "Bist du sicher, dass du deinen Tarif ändern möchtest?", + ), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "Möchtest du Vorgang wirklich abbrechen?", + ), + "areYouSureYouWantToIgnoreThesePersons": + MessageLookupByLibrary.simpleMessage( + "Bist du sicher, dass du diese Personen ignorieren willst?", + ), + "areYouSureYouWantToIgnoreThisPerson": MessageLookupByLibrary.simpleMessage( + "Bist du sicher, dass du diese Person ignorieren willst?", + ), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Bist Du sicher, dass du dich abmelden möchtest?", + ), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "Bist du sicher, dass du sie zusammenführen willst?", + ), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "Bist du sicher, dass du verlängern möchtest?", + ), + "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( + "Bist du sicher, dass du diese Person zurücksetzen möchtest?", + ), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "Dein Abonnement wurde gekündigt. Möchtest du uns den Grund mitteilen?", + ), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Was ist der Hauptgrund für die Löschung deines Kontos?", + ), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Bitte deine Liebsten ums Teilen", + ), + "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( + "in einem ehemaligen Luftschutzbunker", + ), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Bitte authentifizieren, um die E-Mail-Bestätigung zu ändern", + ), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Bitte authentifizieren, um die Sperrbildschirm-Einstellung zu ändern", + ), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Bitte authentifizieren, um deine E-Mail-Adresse zu ändern", + ), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Bitte authentifizieren, um das Passwort zu ändern", + ), + "authToConfigureTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( + "Bitte authentifizieren, um Zwei-Faktor-Authentifizierung zu konfigurieren", + ), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Bitte authentifizieren, um die Löschung des Kontos einzuleiten", + ), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Bitte authentifiziere dich, um deine vertrauenswürdigen Kontakte zu verwalten", + ), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Bitte authentifizieren, um deinen Passkey zu sehen", + ), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Bitte authentifizieren, um die gelöschten Dateien anzuzeigen", + ), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Bitte authentifizieren, um die aktiven Sitzungen anzusehen", + ), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Bitte authentifizieren, um die versteckten Dateien anzusehen", + ), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Bitte authentifizieren, um deine Erinnerungsstücke anzusehen", + ), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Bitte authentifizieren, um deinen Wiederherstellungs-Schlüssel anzusehen", + ), + "authenticating": MessageLookupByLibrary.simpleMessage("Authentifiziere …"), + "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Authentifizierung fehlgeschlagen, versuchen Sie es bitte erneut", + ), + "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( + "Authentifizierung erfogreich!", + ), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Verfügbare Cast-Geräte werden hier angezeigt.", + ), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Stelle sicher, dass die Ente-App auf das lokale Netzwerk zugreifen darf. Das kannst du in den Einstellungen unter \"Datenschutz\".", + ), + "autoLock": MessageLookupByLibrary.simpleMessage("Automatisches Sperren"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Zeit, nach der die App gesperrt wird, nachdem sie in den Hintergrund verschoben wurde", + ), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "Du wurdest aufgrund technischer Störungen abgemeldet. Wir entschuldigen uns für die Unannehmlichkeiten.", + ), + "autoPair": MessageLookupByLibrary.simpleMessage("Automatisch verbinden"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "Automatisches Verbinden funktioniert nur mit Geräten, die Chromecast unterstützen.", + ), + "available": MessageLookupByLibrary.simpleMessage("Verfügbar"), + "availableStorageSpace": m10, + "backedUpFolders": MessageLookupByLibrary.simpleMessage( + "Gesicherte Ordner", + ), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("Backup"), + "backupFailed": MessageLookupByLibrary.simpleMessage( + "Sicherung fehlgeschlagen", + ), + "backupFile": MessageLookupByLibrary.simpleMessage("Datei sichern"), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Über mobile Daten sichern", + ), + "backupSettings": MessageLookupByLibrary.simpleMessage( + "Backup-Einstellungen", + ), + "backupStatus": MessageLookupByLibrary.simpleMessage("Sicherungsstatus"), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Gesicherte Elemente werden hier angezeigt", + ), + "backupVideos": MessageLookupByLibrary.simpleMessage("Videos sichern"), + "beach": MessageLookupByLibrary.simpleMessage("Am Strand"), + "birthday": MessageLookupByLibrary.simpleMessage("Geburtstag"), + "birthdayNotifications": MessageLookupByLibrary.simpleMessage( + "Geburtstagsbenachrichtigungen", + ), + "birthdays": MessageLookupByLibrary.simpleMessage("Geburtstage"), + "blackFridaySale": MessageLookupByLibrary.simpleMessage( + "Black-Friday-Aktion", + ), + "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cLDesc1": MessageLookupByLibrary.simpleMessage( + "Zusammen mit der Beta-Version des Video-Streamings und der Arbeit an wiederaufnehmbarem Hoch- und Herunterladen haben wir jetzt das Limit für das Hochladen von Dateien auf 10 GB erhöht. Dies ist ab sofort sowohl in den Desktop- als auch Mobil-Apps verfügbar.", + ), + "cLDesc2": MessageLookupByLibrary.simpleMessage( + "Das Hochladen im Hintergrund wird jetzt auch unter iOS unterstützt, zusätzlich zu Android-Geräten. Es ist nicht mehr notwendig, die App zu öffnen, um die letzten Fotos und Videos zu sichern.", + ), + "cLDesc3": MessageLookupByLibrary.simpleMessage( + "Wir haben deutliche Verbesserungen an der Darstellung von Erinnerungen vorgenommen, u.a. automatische Wiedergabe, Wischen zur nächsten Erinnerung und vieles mehr.", + ), + "cLDesc4": MessageLookupByLibrary.simpleMessage( + "Zusammen mit einer Reihe von Verbesserungen unter der Haube ist es jetzt viel einfacher, alle erkannten Gesichter zu sehen, Feedback zu ähnlichen Gesichtern geben und Gesichter für ein einzelnes Foto hinzuzufügen oder zu entfernen.", + ), + "cLDesc5": MessageLookupByLibrary.simpleMessage( + "Du erhältst jetzt eine Opt-Out-Benachrichtigung für alle Geburtstage, die du bei Ente gespeichert hast, zusammen mit einer Sammlung der besten Fotos.", + ), + "cLDesc6": MessageLookupByLibrary.simpleMessage( + "Kein Warten mehr auf das Hoch- oder Herunterladen, bevor du die App schließen kannst. Alle Übertragungen können jetzt mittendrin pausiert und fortgesetzt werden, wo du aufgehört hast.", + ), + "cLTitle1": MessageLookupByLibrary.simpleMessage( + "Lade große Videodateien hoch", + ), + "cLTitle2": MessageLookupByLibrary.simpleMessage( + "Hochladen im Hintergrund", + ), + "cLTitle3": MessageLookupByLibrary.simpleMessage( + "Automatische Wiedergabe von Erinnerungen", + ), + "cLTitle4": MessageLookupByLibrary.simpleMessage( + "Verbesserte Gesichtserkennung", + ), + "cLTitle5": MessageLookupByLibrary.simpleMessage( + "Geburtstags-Benachrichtigungen", + ), + "cLTitle6": MessageLookupByLibrary.simpleMessage( + "Wiederaufnehmbares Hoch- und Herunterladen", + ), + "cachedData": MessageLookupByLibrary.simpleMessage("Daten im Cache"), + "calculating": MessageLookupByLibrary.simpleMessage("Wird berechnet..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Leider kann dieses Album nicht in der App geöffnet werden.", + ), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( + "Album kann nicht geöffnet werden", + ), + "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( + "Kann nicht auf Alben anderer Personen hochladen", + ), + "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Sie können nur Links für Dateien erstellen, die Ihnen gehören", + ), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Du kannst nur Dateien entfernen, die dir gehören", + ), + "cancel": MessageLookupByLibrary.simpleMessage("Abbrechen"), + "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( + "Wiederherstellung abbrechen", + ), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "Bist du sicher, dass du die Wiederherstellung abbrechen möchtest?", + ), + "cancelOtherSubscription": m12, + "cancelSubscription": MessageLookupByLibrary.simpleMessage( + "Abonnement kündigen", + ), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Konnte geteilte Dateien nicht löschen", + ), + "castAlbum": MessageLookupByLibrary.simpleMessage("Album übertragen"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Stelle sicher, dass du im selben Netzwerk bist wie der Fernseher.", + ), + "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( + "Album konnte nicht auf den Bildschirm übertragen werden", + ), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Besuche cast.ente.io auf dem Gerät, das du verbinden möchtest.\n\nGib den unten angegebenen Code ein, um das Album auf deinem Fernseher abzuspielen.", + ), + "centerPoint": MessageLookupByLibrary.simpleMessage("Mittelpunkt"), + "change": MessageLookupByLibrary.simpleMessage("Ändern"), + "changeEmail": MessageLookupByLibrary.simpleMessage( + "E-Mail-Adresse ändern", + ), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Standort der gewählten Elemente ändern?", + ), + "changePassword": MessageLookupByLibrary.simpleMessage("Passwort ändern"), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Passwort ändern", + ), + "changePermissions": MessageLookupByLibrary.simpleMessage( + "Berechtigungen ändern?", + ), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Empfehlungscode ändern", + ), + "checkForUpdates": MessageLookupByLibrary.simpleMessage( + "Nach Aktualisierungen suchen", + ), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Bitte überprüfe deinen E-Mail-Posteingang (und Spam), um die Verifizierung abzuschließen", + ), + "checkStatus": MessageLookupByLibrary.simpleMessage("Status überprüfen"), + "checking": MessageLookupByLibrary.simpleMessage("Wird geprüft..."), + "checkingModels": MessageLookupByLibrary.simpleMessage("Prüfe Modelle..."), + "city": MessageLookupByLibrary.simpleMessage("In der Stadt"), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage( + "Freien Speicher einlösen", + ), + "claimMore": MessageLookupByLibrary.simpleMessage("Mehr einlösen!"), + "claimed": MessageLookupByLibrary.simpleMessage("Eingelöst"), + "claimedStorageSoFar": m14, + "cleanUncategorized": MessageLookupByLibrary.simpleMessage( + "Unkategorisiert leeren", + ), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Entferne alle Dateien von \"Unkategorisiert\" die in anderen Alben vorhanden sind", + ), + "clearCaches": MessageLookupByLibrary.simpleMessage("Cache löschen"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Indexe löschen"), + "click": MessageLookupByLibrary.simpleMessage("• Klick"), + "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( + "• Klicken Sie auf das Überlaufmenü", + ), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Klicke, um unsere bisher beste Version zu installieren", + ), + "close": MessageLookupByLibrary.simpleMessage("Schließen"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( + "Nach Aufnahmezeit gruppieren", + ), + "clubByFileName": MessageLookupByLibrary.simpleMessage( + "Nach Dateiname gruppieren", + ), + "clusteringProgress": MessageLookupByLibrary.simpleMessage( + "Fortschritt beim Clustering", + ), + "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( + "Code eingelöst", + ), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Entschuldigung, du hast das Limit der Code-Änderungen erreicht.", + ), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Code in Zwischenablage kopiert", + ), + "codeUsedByYou": MessageLookupByLibrary.simpleMessage( + "Von dir benutzter Code", + ), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Erstelle einen Link, mit dem andere Fotos in dem geteilten Album sehen und selbst welche hinzufügen können - ohne dass sie die ein Ente-Konto oder die App benötigen. Ideal um gemeinsam Fotos von Events zu sammeln.", + ), + "collaborativeLink": MessageLookupByLibrary.simpleMessage( + "Gemeinschaftlicher Link", + ), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Bearbeiter"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Bearbeiter können Fotos & Videos zu dem geteilten Album hinzufügen.", + ), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("Layout"), + "collageSaved": MessageLookupByLibrary.simpleMessage( + "Collage in Galerie gespeichert", + ), + "collect": MessageLookupByLibrary.simpleMessage("Sammeln"), + "collectEventPhotos": MessageLookupByLibrary.simpleMessage( + "Gemeinsam Event-Fotos sammeln", + ), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Fotos sammeln"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Erstelle einen Link, mit dem deine Freunde Fotos in Originalqualität hochladen können.", + ), + "color": MessageLookupByLibrary.simpleMessage("Farbe"), + "configuration": MessageLookupByLibrary.simpleMessage("Konfiguration"), + "confirm": MessageLookupByLibrary.simpleMessage("Bestätigen"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Bist du sicher, dass du die Zwei-Faktor-Authentifizierung (2FA) deaktivieren willst?", + ), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Kontolöschung bestätigen", + ), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Ja, ich möchte dieses Konto und alle enthaltenen Daten über alle Apps hinweg endgültig löschen.", + ), + "confirmPassword": MessageLookupByLibrary.simpleMessage( + "Passwort wiederholen", + ), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage( + "Aboänderungen bestätigen", + ), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Wiederherstellungsschlüssel bestätigen", + ), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Bestätige deinen Wiederherstellungsschlüssel", + ), + "connectToDevice": MessageLookupByLibrary.simpleMessage( + "Mit Gerät verbinden", + ), + "contactFamilyAdmin": m18, + "contactSupport": MessageLookupByLibrary.simpleMessage( + "Support kontaktieren", + ), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Kontakte"), + "contents": MessageLookupByLibrary.simpleMessage("Inhalte"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Weiter"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "Mit kostenloser Testversion fortfahren", + ), + "convertToAlbum": MessageLookupByLibrary.simpleMessage( + "Konvertiere zum Album", + ), + "copyEmailAddress": MessageLookupByLibrary.simpleMessage( + "E-Mail-Adresse kopieren", + ), + "copyLink": MessageLookupByLibrary.simpleMessage("Link kopieren"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Kopiere diesen Code\nin deine Authentifizierungs-App", + ), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "Deine Daten konnten nicht gesichert werden.\nWir versuchen es später erneut.", + ), + "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( + "Konnte Speicherplatz nicht freigeben", + ), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Abo konnte nicht aktualisiert werden", + ), + "count": MessageLookupByLibrary.simpleMessage("Anzahl"), + "crashReporting": MessageLookupByLibrary.simpleMessage("Absturzbericht"), + "create": MessageLookupByLibrary.simpleMessage("Erstellen"), + "createAccount": MessageLookupByLibrary.simpleMessage("Konto erstellen"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Drücke lange um Fotos auszuwählen und klicke + um ein Album zu erstellen", + ), + "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( + "Gemeinschaftlichen Link erstellen", + ), + "createCollage": MessageLookupByLibrary.simpleMessage("Collage erstellen"), + "createNewAccount": MessageLookupByLibrary.simpleMessage( + "Neues Konto erstellen", + ), + "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( + "Album erstellen oder auswählen", + ), + "createPublicLink": MessageLookupByLibrary.simpleMessage( + "Öffentlichen Link erstellen", + ), + "creatingLink": MessageLookupByLibrary.simpleMessage("Erstelle Link..."), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "Kritisches Update ist verfügbar!", + ), + "crop": MessageLookupByLibrary.simpleMessage("Zuschneiden"), + "curatedMemories": MessageLookupByLibrary.simpleMessage( + "Ausgewählte Erinnerungen", + ), + "currentUsageIs": MessageLookupByLibrary.simpleMessage( + "Aktuell genutzt werden ", + ), + "currentlyRunning": MessageLookupByLibrary.simpleMessage("läuft gerade"), + "custom": MessageLookupByLibrary.simpleMessage("Benutzerdefiniert"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Dunkel"), + "dayToday": MessageLookupByLibrary.simpleMessage("Heute"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Gestern"), + "declineTrustInvite": MessageLookupByLibrary.simpleMessage( + "Einladung ablehnen", + ), + "decrypting": MessageLookupByLibrary.simpleMessage("Wird entschlüsselt..."), + "decryptingVideo": MessageLookupByLibrary.simpleMessage( + "Entschlüssele Video …", + ), + "deduplicateFiles": MessageLookupByLibrary.simpleMessage( + "Dateien duplizieren", + ), + "delete": MessageLookupByLibrary.simpleMessage("Löschen"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Konto löschen"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Wir bedauern sehr, dass du dein Konto löschen möchtest. Du würdest uns sehr helfen, wenn du uns kurz einige Gründe hierfür nennen könntest.", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Konto unwiderruflich löschen", + ), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Album löschen"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Auch die Fotos (und Videos) in diesem Album aus allen anderen Alben löschen, die sie enthalten?", + ), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "Damit werden alle leeren Alben gelöscht. Dies ist nützlich, wenn du das Durcheinander in deiner Albenliste verringern möchtest.", + ), + "deleteAll": MessageLookupByLibrary.simpleMessage("Alle löschen"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "Dieses Konto ist mit anderen Ente-Apps verknüpft, falls du welche verwendest. Deine hochgeladenen Daten werden in allen Ente-Apps zur Löschung vorgemerkt und dein Konto wird endgültig gelöscht.", + ), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Bitte sende eine E-Mail an account-deletion@ente.io von Ihrer bei uns hinterlegten E-Mail-Adresse.", + ), + "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( + "Leere Alben löschen", + ), + "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( + "Leere Alben löschen?", + ), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage( + "Aus beidem löschen", + ), + "deleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Vom Gerät löschen", + ), + "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Von Ente löschen"), + "deleteItemCount": m21, + "deleteLocation": MessageLookupByLibrary.simpleMessage("Standort löschen"), + "deleteMultipleAlbumDialog": m22, + "deletePhotos": MessageLookupByLibrary.simpleMessage("Fotos löschen"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Es fehlt eine zentrale Funktion, die ich benötige", + ), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "Die App oder eine bestimmte Funktion verhält sich nicht so wie gedacht", + ), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Ich habe einen anderen Dienst gefunden, der mir mehr zusagt", + ), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "Mein Grund ist nicht aufgeführt", + ), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Deine Anfrage wird innerhalb von 72 Stunden bearbeitet.", + ), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Geteiltes Album löschen?", + ), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "Dieses Album wird für alle gelöscht\n\nDu wirst den Zugriff auf geteilte Fotos in diesem Album, die anderen gehören, verlieren", + ), + "deselectAll": MessageLookupByLibrary.simpleMessage("Alle abwählen"), + "designedToOutlive": MessageLookupByLibrary.simpleMessage( + "Entwickelt um zu bewahren", + ), + "details": MessageLookupByLibrary.simpleMessage("Details"), + "developerSettings": MessageLookupByLibrary.simpleMessage( + "Entwicklereinstellungen", + ), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Bist du sicher, dass du Entwicklereinstellungen bearbeiten willst?", + ), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Code eingeben"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "Dateien, die zu diesem Album hinzugefügt werden, werden automatisch zu Ente hochgeladen.", + ), + "deviceLock": MessageLookupByLibrary.simpleMessage("Gerätsperre"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Verhindern, dass der Bildschirm gesperrt wird, während die App im Vordergrund ist und eine Sicherung läuft. Das ist normalerweise nicht notwendig, kann aber dabei helfen, große Uploads wie einen Erstimport schneller abzuschließen.", + ), + "deviceNotFound": MessageLookupByLibrary.simpleMessage( + "Gerät nicht gefunden", + ), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Schon gewusst?"), + "different": MessageLookupByLibrary.simpleMessage("Verschieden"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage( + "Automatische Sperre deaktivieren", + ), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Zuschauer können weiterhin Screenshots oder mit anderen externen Programmen Kopien der Bilder machen.", + ), + "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( + "Bitte beachten Sie:", + ), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "Zweiten Faktor (2FA) deaktivieren", + ), + "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( + "Zwei-Faktor-Authentifizierung (2FA) wird deaktiviert...", + ), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Entdecken"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Babys"), + "discover_celebrations": MessageLookupByLibrary.simpleMessage("Feiern"), + "discover_food": MessageLookupByLibrary.simpleMessage("Essen"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Grün"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Berge"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Identität"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Notizen"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Haustiere"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Belege"), + "discover_screenshots": MessageLookupByLibrary.simpleMessage( + "Bildschirmfotos", + ), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfies"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Sonnenuntergang"), + "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( + "Visitenkarten", + ), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Hintergründe"), + "dismiss": MessageLookupByLibrary.simpleMessage("Verwerfen"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage("Melde dich nicht ab"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Später erledigen"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Möchtest du deine Änderungen verwerfen?", + ), + "done": MessageLookupByLibrary.simpleMessage("Fertig"), + "dontSave": MessageLookupByLibrary.simpleMessage("Nicht speichern"), + "doubleYourStorage": MessageLookupByLibrary.simpleMessage( + "Speicherplatz verdoppeln", + ), + "download": MessageLookupByLibrary.simpleMessage("Herunterladen"), + "downloadFailed": MessageLookupByLibrary.simpleMessage( + "Herunterladen fehlgeschlagen", + ), + "downloading": MessageLookupByLibrary.simpleMessage( + "Wird heruntergeladen...", + ), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Bearbeiten"), + "editEmailAlreadyLinked": m28, + "editLocation": MessageLookupByLibrary.simpleMessage("Standort bearbeiten"), + "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( + "Standort bearbeiten", + ), + "editPerson": MessageLookupByLibrary.simpleMessage("Person bearbeiten"), + "editTime": MessageLookupByLibrary.simpleMessage("Uhrzeit ändern"), + "editsSaved": MessageLookupByLibrary.simpleMessage( + "Änderungen gespeichert", + ), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Edits to location will only be seen within Ente", + ), + "eligible": MessageLookupByLibrary.simpleMessage("zulässig"), + "email": MessageLookupByLibrary.simpleMessage("E-Mail"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "E-Mail ist bereits registriert.", + ), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "E-Mail nicht registriert.", + ), + "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( + "E-Mail-Verifizierung", + ), + "emailYourLogs": MessageLookupByLibrary.simpleMessage( + "Protokolle per E-Mail senden", + ), + "embracingThem": m32, + "emergencyContacts": MessageLookupByLibrary.simpleMessage( + "Notfallkontakte", + ), + "empty": MessageLookupByLibrary.simpleMessage("Leeren"), + "emptyTrash": MessageLookupByLibrary.simpleMessage("Papierkorb leeren?"), + "enable": MessageLookupByLibrary.simpleMessage("Aktivieren"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "Ente unterstützt maschinelles Lernen für Gesichtserkennung, magische Suche und andere erweiterte Suchfunktionen auf dem Gerät", + ), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Aktiviere maschinelles Lernen für die magische Suche und Gesichtserkennung", + ), + "enableMaps": MessageLookupByLibrary.simpleMessage("Karten aktivieren"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "Dies zeigt Ihre Fotos auf einer Weltkarte.\n\nDiese Karte wird von OpenStreetMap gehostet und die genauen Standorte Ihrer Fotos werden niemals geteilt.\n\nSie können diese Funktion jederzeit in den Einstellungen deaktivieren.", + ), + "enabled": MessageLookupByLibrary.simpleMessage("Aktiviert"), + "encryptingBackup": MessageLookupByLibrary.simpleMessage( + "Verschlüssele Sicherung …", + ), + "encryption": MessageLookupByLibrary.simpleMessage("Verschlüsselung"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage( + "Verschlüsselungscode", + ), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Endpunkt erfolgreich geändert", + ), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Automatisch Ende-zu-Ende-verschlüsselt", + ), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente kann Dateien nur verschlüsseln und sichern, wenn du den Zugriff darauf gewährst", + ), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente benötigt Berechtigung, um Ihre Fotos zu sichern", + ), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "Ente sichert deine Erinnerungen, sodass sie dir nie verloren gehen, selbst wenn du dein Gerät verlierst.", + ), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Deine Familie kann zu deinem Abo hinzugefügt werden.", + ), + "enterAlbumName": MessageLookupByLibrary.simpleMessage( + "Albumname eingeben", + ), + "enterCode": MessageLookupByLibrary.simpleMessage("Code eingeben"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Gib den Code deines Freundes ein, damit sie beide kostenlosen Speicherplatz erhalten", + ), + "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( + "Geburtstag (optional)", + ), + "enterEmail": MessageLookupByLibrary.simpleMessage("E-Mail eingeben"), + "enterFileName": MessageLookupByLibrary.simpleMessage( + "Dateinamen eingeben", + ), + "enterName": MessageLookupByLibrary.simpleMessage("Name eingeben"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Gib ein neues Passwort ein, mit dem wir deine Daten verschlüsseln können", + ), + "enterPassword": MessageLookupByLibrary.simpleMessage("Passwort eingeben"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Gib ein Passwort ein, mit dem wir deine Daten verschlüsseln können", + ), + "enterPersonName": MessageLookupByLibrary.simpleMessage( + "Namen der Person eingeben", + ), + "enterPin": MessageLookupByLibrary.simpleMessage("PIN eingeben"), + "enterReferralCode": MessageLookupByLibrary.simpleMessage( + "Gib den Weiterempfehlungs-Code ein", + ), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Gib den 6-stelligen Code aus\ndeiner Authentifizierungs-App ein", + ), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Bitte gib eine gültige E-Mail-Adresse ein.", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Gib deine E-Mail-Adresse ein", + ), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Gib Deine neue E-Mail-Adresse ein", + ), + "enterYourPassword": MessageLookupByLibrary.simpleMessage( + "Passwort eingeben", + ), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Gib deinen Wiederherstellungs-Schlüssel ein", + ), + "error": MessageLookupByLibrary.simpleMessage("Fehler"), + "everywhere": MessageLookupByLibrary.simpleMessage("überall"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": MessageLookupByLibrary.simpleMessage( + "Existierender Benutzer", + ), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Dieser Link ist abgelaufen. Bitte wähle ein neues Ablaufdatum oder deaktiviere das Ablaufdatum des Links.", + ), + "exportLogs": MessageLookupByLibrary.simpleMessage( + "Protokolle exportieren", + ), + "exportYourData": MessageLookupByLibrary.simpleMessage("Daten exportieren"), + "extraPhotosFound": MessageLookupByLibrary.simpleMessage( + "Zusätzliche Fotos gefunden", + ), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Gesicht ist noch nicht gruppiert, bitte komm später zurück", + ), + "faceRecognition": MessageLookupByLibrary.simpleMessage( + "Gesichtserkennung", + ), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "Vorschaubilder konnten nicht erstellt werden", + ), + "faces": MessageLookupByLibrary.simpleMessage("Gesichter"), + "failed": MessageLookupByLibrary.simpleMessage("Fehlgeschlagen"), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage( + "Der Code konnte nicht aktiviert werden", + ), + "failedToCancel": MessageLookupByLibrary.simpleMessage( + "Kündigung fehlgeschlagen", + ), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( + "Herunterladen des Videos fehlgeschlagen", + ), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Fehler beim Abrufen der aktiven Sitzungen", + ), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Fehler beim Abrufen des Originals zur Bearbeitung", + ), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Die Weiterempfehlungs-Details können nicht abgerufen werden. Bitte versuche es später erneut.", + ), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "Laden der Alben fehlgeschlagen", + ), + "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Fehler beim Abspielen des Videos", + ), + "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( + "Abonnement konnte nicht erneuert werden", + ), + "failedToRenew": MessageLookupByLibrary.simpleMessage( + "Erneuern fehlgeschlagen", + ), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Überprüfung des Zahlungsstatus fehlgeschlagen", + ), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Füge kostenlos 5 Familienmitglieder zu deinem bestehenden Abo hinzu.\n\nJedes Mitglied bekommt seinen eigenen privaten Bereich und kann die Dateien der anderen nur sehen, wenn sie geteilt werden.\n\nFamilien-Abos stehen Nutzern mit einem Bezahltarif zur Verfügung.\n\nMelde dich jetzt an, um loszulegen!", + ), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Familie"), + "familyPlans": MessageLookupByLibrary.simpleMessage("Familientarif"), + "faq": MessageLookupByLibrary.simpleMessage("Häufig gestellte Fragen"), + "faqs": MessageLookupByLibrary.simpleMessage("FAQs"), + "favorite": MessageLookupByLibrary.simpleMessage("Favorit"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("Rückmeldung"), + "file": MessageLookupByLibrary.simpleMessage("Datei"), + "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage( + "Datei konnte nicht analysiert werden", + ), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Fehler beim Speichern der Datei in der Galerie", + ), + "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( + "Beschreibung hinzufügen …", + ), + "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( + "Datei wurde noch nicht hochgeladen", + ), + "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Datei in Galerie gespeichert", + ), + "fileTypes": MessageLookupByLibrary.simpleMessage("Dateitypen"), + "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( + "Dateitypen und -namen", + ), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage("Dateien gelöscht"), + "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Dateien in Galerie gespeichert", + ), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "Finde Personen schnell nach Namen", + ), + "findThemQuickly": MessageLookupByLibrary.simpleMessage( + "Finde sie schnell", + ), + "flip": MessageLookupByLibrary.simpleMessage("Spiegeln"), + "food": MessageLookupByLibrary.simpleMessage("Kulinarische Genüsse"), + "forYourMemories": MessageLookupByLibrary.simpleMessage("Als Erinnerung"), + "forgotPassword": MessageLookupByLibrary.simpleMessage( + "Passwort vergessen", + ), + "foundFaces": MessageLookupByLibrary.simpleMessage("Gesichter gefunden"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( + "Kostenlos hinzugefügter Speicherplatz", + ), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Freier Speicherplatz nutzbar", + ), + "freeTrial": MessageLookupByLibrary.simpleMessage("Kostenlose Testphase"), + "freeTrialValidTill": m38, + "freeUpAccessPostDelete": m39, + "freeUpAmount": m40, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( + "Gerätespeicher freiräumen", + ), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Spare Speicherplatz auf deinem Gerät, indem du Dateien löschst, die bereits gesichert wurden.", + ), + "freeUpSpace": MessageLookupByLibrary.simpleMessage( + "Speicherplatz freigeben", + ), + "freeUpSpaceSaving": m41, + "gallery": MessageLookupByLibrary.simpleMessage("Galerie"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "Bis zu 1000 Erinnerungsstücke angezeigt in der Galerie", + ), + "general": MessageLookupByLibrary.simpleMessage("Allgemein"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Generierung von Verschlüsselungscodes...", + ), + "genericProgress": m42, + "goToSettings": MessageLookupByLibrary.simpleMessage( + "Zu den Einstellungen", + ), + "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Bitte gewähre Zugang zu allen Fotos in der Einstellungen App", + ), + "grantPermission": MessageLookupByLibrary.simpleMessage("Zugriff gewähren"), + "greenery": MessageLookupByLibrary.simpleMessage("Im Grünen"), + "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( + "Fotos in der Nähe gruppieren", + ), + "guestView": MessageLookupByLibrary.simpleMessage("Gastansicht"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "Bitte richte einen Gerätepasscode oder eine Bildschirmsperre ein, um die Gastansicht zu nutzen.", + ), + "happyBirthday": MessageLookupByLibrary.simpleMessage( + "Herzlichen Glückwunsch zum Geburtstag! 🥳", + ), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "Wir tracken keine App-Installationen. Es würde uns jedoch helfen, wenn du uns mitteilst, wie du von uns erfahren hast!", + ), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Wie hast du von Ente erfahren? (optional)", + ), + "help": MessageLookupByLibrary.simpleMessage("Hilfe"), + "hidden": MessageLookupByLibrary.simpleMessage("Versteckt"), + "hide": MessageLookupByLibrary.simpleMessage("Ausblenden"), + "hideContent": MessageLookupByLibrary.simpleMessage("Inhalte verstecken"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Versteckt Inhalte der App beim Wechseln zwischen Apps und deaktiviert Screenshots", + ), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Versteckt Inhalte der App beim Wechseln zwischen Apps", + ), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Geteilte Elemente in der Home-Galerie ausblenden", + ), + "hiding": MessageLookupByLibrary.simpleMessage("Verstecken..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( + "Gehostet bei OSM France", + ), + "howItWorks": MessageLookupByLibrary.simpleMessage("So funktioniert\'s"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Bitte sie, auf den Einstellungs Bildschirm ihre E-Mail-Adresse lange anzuklicken und zu überprüfen, dass die IDs auf beiden Geräten übereinstimmen.", + ), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Auf Ihrem Gerät ist keine biometrische Authentifizierung eingerichtet. Bitte aktivieren Sie entweder Touch ID oder Face ID auf Ihrem Telefon.", + ), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "Die biometrische Authentifizierung ist deaktiviert. Bitte sperren und entsperren Sie Ihren Bildschirm, um sie zu aktivieren.", + ), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), + "ignore": MessageLookupByLibrary.simpleMessage("Ignorieren"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorieren"), + "ignored": MessageLookupByLibrary.simpleMessage("ignoriert"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Ein paar Dateien in diesem Album werden nicht hochgeladen, weil sie in der Vergangenheit schonmal aus Ente gelöscht wurden.", + ), + "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( + "Bild nicht analysiert", + ), + "immediately": MessageLookupByLibrary.simpleMessage("Sofort"), + "importing": MessageLookupByLibrary.simpleMessage("Importiert...."), + "incorrectCode": MessageLookupByLibrary.simpleMessage("Falscher Code"), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Falsches Passwort", + ), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Falscher Wiederherstellungs-Schlüssel", + ), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Der eingegebene Schlüssel ist ungültig", + ), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Falscher Wiederherstellungs-Schlüssel", + ), + "indexedItems": MessageLookupByLibrary.simpleMessage("Indizierte Elemente"), + "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( + "Die Indizierung ist pausiert. Sie wird automatisch fortgesetzt, wenn das Gerät bereit ist. Das Gerät wird als bereit angesehen, wenn sich der Akkustand, die Akkugesundheit und der thermische Zustand in einem gesunden Bereich befinden.", + ), + "ineligible": MessageLookupByLibrary.simpleMessage("Unzulässig"), + "info": MessageLookupByLibrary.simpleMessage("Info"), + "insecureDevice": MessageLookupByLibrary.simpleMessage("Unsicheres Gerät"), + "installManually": MessageLookupByLibrary.simpleMessage( + "Manuell installieren", + ), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "Ungültige E-Mail-Adresse", + ), + "invalidEndpoint": MessageLookupByLibrary.simpleMessage( + "Ungültiger Endpunkt", + ), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Der eingegebene Endpunkt ist ungültig. Gib einen gültigen Endpunkt ein und versuch es nochmal.", + ), + "invalidKey": MessageLookupByLibrary.simpleMessage("Ungültiger Schlüssel"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Der eingegebene Wiederherstellungsschlüssel ist nicht gültig. Bitte stelle sicher, dass er aus 24 Wörtern zusammengesetzt ist und jedes dieser Worte richtig geschrieben wurde.\n\nSolltest du den Wiederherstellungscode eingegeben haben, stelle bitte sicher, dass dieser 64 Zeichen lang ist und ebenfalls richtig geschrieben wurde.", + ), + "invite": MessageLookupByLibrary.simpleMessage("Einladen"), + "inviteToEnte": MessageLookupByLibrary.simpleMessage("Zu Ente einladen"), + "inviteYourFriends": MessageLookupByLibrary.simpleMessage( + "Lade deine Freunde ein", + ), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "Lade deine Freunde zu Ente ein", + ), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Etwas ist schiefgelaufen. Bitte versuche es später noch einmal. Sollte der Fehler weiter bestehen, kontaktiere unser Supportteam.", + ), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "Elemente zeigen die Anzahl der Tage bis zum dauerhaften Löschen an", + ), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Ausgewählte Elemente werden aus diesem Album entfernt", + ), + "join": MessageLookupByLibrary.simpleMessage("Beitreten"), + "joinAlbum": MessageLookupByLibrary.simpleMessage("Album beitreten"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "Wenn du einem Album beitrittst, wird deine E-Mail-Adresse für seine Teilnehmer sichtbar.", + ), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( + "um deine Fotos anzuzeigen und hinzuzufügen", + ), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "um dies zu geteilten Alben hinzuzufügen", + ), + "joinDiscord": MessageLookupByLibrary.simpleMessage("Discord beitreten"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Fotos behalten"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Bitte gib diese Daten ein", + ), + "language": MessageLookupByLibrary.simpleMessage("Sprache"), + "lastTimeWithThem": m45, + "lastUpdated": MessageLookupByLibrary.simpleMessage("Zuletzt aktualisiert"), + "lastYearsTrip": MessageLookupByLibrary.simpleMessage( + "Reise im letzten Jahr", + ), + "leave": MessageLookupByLibrary.simpleMessage("Verlassen"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Album verlassen"), + "leaveFamily": MessageLookupByLibrary.simpleMessage( + "Familienabo verlassen", + ), + "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Geteiltes Album verlassen?", + ), + "left": MessageLookupByLibrary.simpleMessage("Links"), + "legacy": MessageLookupByLibrary.simpleMessage("Digitales Erbe"), + "legacyAccounts": MessageLookupByLibrary.simpleMessage( + "Digital geerbte Konten", + ), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "Das digitale Erbe erlaubt vertrauenswürdigen Kontakten den Zugriff auf dein Konto in deiner Abwesenheit.", + ), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "Vertrauenswürdige Kontakte können eine Kontowiederherstellung einleiten und, wenn dies nicht innerhalb von 30 Tagen blockiert wird, dein Passwort und den Kontozugriff zurücksetzen.", + ), + "light": MessageLookupByLibrary.simpleMessage("Hell"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Hell"), + "link": MessageLookupByLibrary.simpleMessage("Verknüpfen"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Link in Zwischenablage kopiert", + ), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Geräte-Limit"), + "linkEmail": MessageLookupByLibrary.simpleMessage( + "E-Mail-Adresse verknüpfen", + ), + "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( + "für schnelleres Teilen", + ), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Aktiviert"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Abgelaufen"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Ablaufdatum des Links"), + "linkHasExpired": MessageLookupByLibrary.simpleMessage( + "Link ist abgelaufen", + ), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Niemals"), + "linkPerson": MessageLookupByLibrary.simpleMessage("Person verknüpfen"), + "linkPersonCaption": MessageLookupByLibrary.simpleMessage( + "um besseres Teilen zu ermöglichen", + ), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("Live-Fotos"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "Du kannst dein Abonnement mit deiner Familie teilen", + ), + "loadMessage2": MessageLookupByLibrary.simpleMessage( + "Wir haben bereits über 200 Millionen Erinnerungen bewahrt", + ), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "Wir behalten 3 Kopien Ihrer Daten, eine in einem unterirdischen Schutzbunker", + ), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "Alle unsere Apps sind Open-Source", + ), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Unser Quellcode und unsere Kryptografie wurden extern geprüft", + ), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "Du kannst Links zu deinen Alben mit deinen Geliebten teilen", + ), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Unsere mobilen Apps laufen im Hintergrund, um neue Fotos zu verschlüsseln und zu sichern", + ), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io hat einen Spitzen-Uploader", + ), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Wir verwenden Xchacha20Poly1305, um Ihre Daten sicher zu verschlüsseln", + ), + "loadingExifData": MessageLookupByLibrary.simpleMessage( + "Lade Exif-Daten...", + ), + "loadingGallery": MessageLookupByLibrary.simpleMessage("Lade Galerie …"), + "loadingMessage": MessageLookupByLibrary.simpleMessage( + "Fotos werden geladen...", + ), + "loadingModel": MessageLookupByLibrary.simpleMessage( + "Lade Modelle herunter...", + ), + "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( + "Lade deine Fotos...", + ), + "localGallery": MessageLookupByLibrary.simpleMessage("Lokale Galerie"), + "localIndexing": MessageLookupByLibrary.simpleMessage("Lokale Indizierung"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Es sieht so aus, als ob etwas schiefgelaufen ist, da die lokale Foto-Synchronisierung länger dauert als erwartet. Bitte kontaktiere unser Support-Team", + ), + "location": MessageLookupByLibrary.simpleMessage("Standort"), + "locationName": MessageLookupByLibrary.simpleMessage("Standortname"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Ein Standort-Tag gruppiert alle Fotos, die in einem Radius eines Fotos aufgenommen wurden", + ), + "locations": MessageLookupByLibrary.simpleMessage("Orte"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Sperren"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Sperrbildschirm"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Anmelden"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Abmeldung..."), + "loginSessionExpired": MessageLookupByLibrary.simpleMessage( + "Sitzung abgelaufen", + ), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "Deine Sitzung ist abgelaufen. Bitte melde Dich erneut an.", + ), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Mit dem Klick auf \"Anmelden\" stimme ich den Nutzungsbedingungen und der Datenschutzerklärung zu", + ), + "loginWithTOTP": MessageLookupByLibrary.simpleMessage("Mit TOTP anmelden"), + "logout": MessageLookupByLibrary.simpleMessage("Ausloggen"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "Dies wird über Logs gesendet, um uns zu helfen, Ihr Problem zu beheben. Bitte beachten Sie, dass Dateinamen aufgenommen werden, um Probleme mit bestimmten Dateien zu beheben.", + ), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Lange auf eine E-Mail drücken, um die Ende-zu-Ende-Verschlüsselung zu überprüfen.", + ), + "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( + "Drücken Sie lange auf ein Element, um es im Vollbildmodus anzuzeigen", + ), + "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( + "Schau zurück auf deine Erinnerungen 🌄", + ), + "loopVideoOff": MessageLookupByLibrary.simpleMessage("Videoschleife aus"), + "loopVideoOn": MessageLookupByLibrary.simpleMessage("Videoschleife an"), + "lostDevice": MessageLookupByLibrary.simpleMessage("Gerät verloren?"), + "machineLearning": MessageLookupByLibrary.simpleMessage( + "Maschinelles Lernen", + ), + "magicSearch": MessageLookupByLibrary.simpleMessage("Magische Suche"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "Die magische Suche erlaubt das Durchsuchen von Fotos nach ihrem Inhalt, z.B. \'Blumen\', \'rotes Auto\', \'Ausweisdokumente\'", + ), + "manage": MessageLookupByLibrary.simpleMessage("Verwalten"), + "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( + "Geräte-Cache verwalten", + ), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Lokalen Cache-Speicher überprüfen und löschen.", + ), + "manageFamily": MessageLookupByLibrary.simpleMessage( + "Familiengruppe verwalten", + ), + "manageLink": MessageLookupByLibrary.simpleMessage("Link verwalten"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Verwalten"), + "manageSubscription": MessageLookupByLibrary.simpleMessage( + "Abonnement verwalten", + ), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "\"Mit PIN verbinden\" funktioniert mit jedem Bildschirm, auf dem du dein Album sehen möchtest.", + ), + "map": MessageLookupByLibrary.simpleMessage("Karte"), + "maps": MessageLookupByLibrary.simpleMessage("Karten"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("Ich"), + "memories": MessageLookupByLibrary.simpleMessage("Erinnerungen"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Wähle die Arten von Erinnerungen, die du auf der Startseite sehen möchtest.", + ), + "memoryCount": m50, + "merchandise": MessageLookupByLibrary.simpleMessage("Merchandise"), + "merge": MessageLookupByLibrary.simpleMessage("Zusammenführen"), + "mergeWithExisting": MessageLookupByLibrary.simpleMessage( + "Mit vorhandenem zusammenführen", + ), + "mergedPhotos": MessageLookupByLibrary.simpleMessage( + "Zusammengeführte Fotos", + ), + "mlConsent": MessageLookupByLibrary.simpleMessage( + "Maschinelles Lernen aktivieren", + ), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Ich verstehe und möchte das maschinelle Lernen aktivieren", + ), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Wenn du das maschinelle Lernen aktivierst, wird Ente Informationen wie etwa Gesichtsgeometrie aus Dateien extrahieren, einschließlich derjenigen, die mit dir geteilt werden.\n\nDies geschieht auf deinem Gerät und alle erzeugten biometrischen Informationen werden Ende-zu-Ende-verschlüsselt.", + ), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Bitte klicke hier für weitere Details zu dieser Funktion in unserer Datenschutzerklärung", + ), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "Maschinelles Lernen aktivieren?", + ), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Bitte beachte, dass das maschinelle Lernen zu einem höheren Daten- und Akkuverbrauch führen wird, bis alle Elemente indiziert sind. Du kannst die Desktop-App für eine schnellere Indizierung verwenden, alle Ergebnisse werden automatisch synchronisiert.", + ), + "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( + "Mobil, Web, Desktop", + ), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Mittel"), + "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( + "Ändere deine Suchanfrage oder suche nach", + ), + "moments": MessageLookupByLibrary.simpleMessage("Momente"), + "month": MessageLookupByLibrary.simpleMessage("Monat"), + "monthly": MessageLookupByLibrary.simpleMessage("Monatlich"), + "moon": MessageLookupByLibrary.simpleMessage("Bei Mondschein"), + "moreDetails": MessageLookupByLibrary.simpleMessage("Weitere Details"), + "mostRecent": MessageLookupByLibrary.simpleMessage("Neuste"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("Nach Relevanz"), + "mountains": MessageLookupByLibrary.simpleMessage("Über den Bergen"), + "moveItem": m51, + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "Ausgewählte Fotos auf ein Datum verschieben", + ), + "moveToAlbum": MessageLookupByLibrary.simpleMessage( + "Zum Album verschieben", + ), + "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Zu verstecktem Album verschieben", + ), + "movedSuccessfullyTo": m52, + "movedToTrash": MessageLookupByLibrary.simpleMessage( + "In den Papierkorb verschoben", + ), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Verschiebe Dateien in Album...", + ), + "name": MessageLookupByLibrary.simpleMessage("Name"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Album benennen"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Ente ist im Moment nicht erreichbar. Bitte versuchen Sie es später erneut. Sollte das Problem bestehen bleiben, wenden Sie sich bitte an den Support.", + ), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Ente ist im Moment nicht erreichbar. Bitte überprüfen Sie Ihre Netzwerkeinstellungen. Sollte das Problem bestehen bleiben, wenden Sie sich bitte an den Support.", + ), + "never": MessageLookupByLibrary.simpleMessage("Niemals"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Neues Album"), + "newLocation": MessageLookupByLibrary.simpleMessage("Neuer Ort"), + "newPerson": MessageLookupByLibrary.simpleMessage("Neue Person"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" neue 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("Neue Auswahl"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Neu bei Ente"), + "newest": MessageLookupByLibrary.simpleMessage("Zuletzt"), + "next": MessageLookupByLibrary.simpleMessage("Weiter"), + "no": MessageLookupByLibrary.simpleMessage("Nein"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Noch keine Alben von dir geteilt", + ), + "noDeviceFound": MessageLookupByLibrary.simpleMessage( + "Kein Gerät gefunden", + ), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Keins"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "Du hast keine Dateien auf diesem Gerät, die gelöscht werden können", + ), + "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Keine Duplikate"), + "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( + "Kein Ente-Konto!", + ), + "noExifData": MessageLookupByLibrary.simpleMessage("Keine Exif-Daten"), + "noFacesFound": MessageLookupByLibrary.simpleMessage( + "Keine Gesichter gefunden", + ), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "Keine versteckten Fotos oder Videos", + ), + "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( + "Keine Bilder mit Standort", + ), + "noInternetConnection": MessageLookupByLibrary.simpleMessage( + "Keine Internetverbindung", + ), + "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( + "Momentan werden keine Fotos gesichert", + ), + "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( + "Keine Fotos gefunden", + ), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( + "Keine schnellen Links ausgewählt", + ), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Kein Wiederherstellungs-Schlüssel?", + ), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Aufgrund unseres Ende-zu-Ende-Verschlüsselungsprotokolls können deine Daten nicht ohne dein Passwort oder deinen Wiederherstellungs-Schlüssel entschlüsselt werden", + ), + "noResults": MessageLookupByLibrary.simpleMessage("Keine Ergebnisse"), + "noResultsFound": MessageLookupByLibrary.simpleMessage( + "Keine Ergebnisse gefunden", + ), + "noSuggestionsForPerson": m53, + "noSystemLockFound": MessageLookupByLibrary.simpleMessage( + "Keine Systemsperre gefunden", + ), + "notPersonLabel": m54, + "notThisPerson": MessageLookupByLibrary.simpleMessage( + "Nicht diese Person?", + ), + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "Noch nichts mit Dir geteilt", + ), + "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( + "Hier gibt es nichts zu sehen! 👀", + ), + "notifications": MessageLookupByLibrary.simpleMessage("Benachrichtigungen"), + "ok": MessageLookupByLibrary.simpleMessage("Ok"), + "onDevice": MessageLookupByLibrary.simpleMessage("Auf dem Gerät"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "Auf ente", + ), + "onTheRoad": MessageLookupByLibrary.simpleMessage("Wieder unterwegs"), + "onThisDay": MessageLookupByLibrary.simpleMessage("An diesem Tag"), + "onThisDayMemories": MessageLookupByLibrary.simpleMessage( + "Erinnerungen an diesem Tag", + ), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "Erhalte Erinnerungen von diesem Tag in den vergangenen Jahren.", + ), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Nur diese"), + "oops": MessageLookupByLibrary.simpleMessage("Hoppla"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Hoppla, die Änderungen konnten nicht gespeichert werden", + ), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Ups. Leider ist ein Fehler aufgetreten", + ), + "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( + "Album im Browser öffnen", + ), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Bitte nutze die Web-App, um Fotos zu diesem Album hinzuzufügen", + ), + "openFile": MessageLookupByLibrary.simpleMessage("Datei öffnen"), + "openSettings": MessageLookupByLibrary.simpleMessage("Öffne Einstellungen"), + "openTheItem": MessageLookupByLibrary.simpleMessage("• Element öffnen"), + "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( + "OpenStreetMap-Beitragende", + ), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Bei Bedarf auch so kurz wie du willst...", + ), + "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( + "Oder mit existierenden zusammenführen", + ), + "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( + "Oder eine vorherige auswählen", + ), + "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( + "oder wähle aus deinen Kontakten", + ), + "otherDetectedFaces": MessageLookupByLibrary.simpleMessage( + "Andere erkannte Gesichter", + ), + "pair": MessageLookupByLibrary.simpleMessage("Koppeln"), + "pairWithPin": MessageLookupByLibrary.simpleMessage("Mit PIN verbinden"), + "pairingComplete": MessageLookupByLibrary.simpleMessage("Verbunden"), + "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), + "partyWithThem": m56, + "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( + "Verifizierung steht noch aus", + ), + "passkey": MessageLookupByLibrary.simpleMessage("Passkey"), + "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( + "Passkey-Verifizierung", + ), + "password": MessageLookupByLibrary.simpleMessage("Passwort"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Passwort erfolgreich geändert", + ), + "passwordLock": MessageLookupByLibrary.simpleMessage("Passwort Sperre"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "Die Berechnung der Stärke des Passworts basiert auf dessen Länge, den verwendeten Zeichen, und ob es in den 10.000 am häufigsten verwendeten Passwörtern vorkommt", + ), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Wir speichern dieses Passwort nicht. Wenn du es vergisst, können wir deine Daten nicht entschlüsseln", + ), + "pastYearsMemories": MessageLookupByLibrary.simpleMessage( + "Erinnerungen der letzten Jahre", + ), + "paymentDetails": MessageLookupByLibrary.simpleMessage("Zahlungsdetails"), + "paymentFailed": MessageLookupByLibrary.simpleMessage( + "Zahlung fehlgeschlagen", + ), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "Leider ist deine Zahlung fehlgeschlagen. Wende dich an unseren Support und wir helfen dir weiter!", + ), + "paymentFailedTalkToProvider": m58, + "pendingItems": MessageLookupByLibrary.simpleMessage( + "Ausstehende Elemente", + ), + "pendingSync": MessageLookupByLibrary.simpleMessage( + "Synchronisation anstehend", + ), + "people": MessageLookupByLibrary.simpleMessage("Personen"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Leute, die deinen Code verwenden", + ), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Wähle die Personen, die du auf der Startseite sehen möchtest.", + ), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Alle Elemente im Papierkorb werden dauerhaft gelöscht\n\nDiese Aktion kann nicht rückgängig gemacht werden", + ), + "permanentlyDelete": MessageLookupByLibrary.simpleMessage( + "Dauerhaft löschen", + ), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Endgültig vom Gerät löschen?", + ), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("Name der Person"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("Pelzige Begleiter"), + "photoDescriptions": MessageLookupByLibrary.simpleMessage( + "Foto Beschreibungen", + ), + "photoGridSize": MessageLookupByLibrary.simpleMessage("Fotorastergröße"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("Foto"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("Fotos"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "Von dir hinzugefügte Fotos werden vom Album entfernt", + ), + "photosCount": m62, + "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( + "Fotos behalten relativen Zeitunterschied", + ), + "pickCenterPoint": MessageLookupByLibrary.simpleMessage( + "Mittelpunkt auswählen", + ), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Album anheften"), + "pinLock": MessageLookupByLibrary.simpleMessage("PIN-Sperre"), + "playOnTv": MessageLookupByLibrary.simpleMessage( + "Album auf dem Fernseher wiedergeben", + ), + "playOriginal": MessageLookupByLibrary.simpleMessage("Original abspielen"), + "playStoreFreeTrialValidTill": m63, + "playStream": MessageLookupByLibrary.simpleMessage("Stream abspielen"), + "playstoreSubscription": MessageLookupByLibrary.simpleMessage( + "PlayStore Abo", + ), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Bitte überprüfe deine Internetverbindung und versuche es erneut.", + ), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Bitte kontaktieren Sie uns über support@ente.io wo wir Ihnen gerne weiterhelfen.", + ), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Bitte wenden Sie sich an den Support, falls das Problem weiterhin besteht", + ), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( + "Bitte erteile die nötigen Berechtigungen", + ), + "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( + "Bitte logge dich erneut ein", + ), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Bitte wähle die zu entfernenden schnellen Links", + ), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Bitte versuche es erneut", + ), + "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( + "Bitte bestätigen Sie den eingegebenen Code", + ), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Bitte warten..."), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Bitte warten, Album wird gelöscht", + ), + "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( + "Bitte warte kurz, bevor du es erneut versuchst", + ), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "Bitte warten, dies wird eine Weile dauern.", + ), + "posingWithThem": m66, + "preparingLogs": MessageLookupByLibrary.simpleMessage( + "Protokolle werden vorbereitet...", + ), + "preserveMore": MessageLookupByLibrary.simpleMessage("Mehr Daten sichern"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Gedrückt halten, um Video abzuspielen", + ), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Drücke und halte aufs Foto gedrückt um Video abzuspielen", + ), + "previous": MessageLookupByLibrary.simpleMessage("Zurück"), + "privacy": MessageLookupByLibrary.simpleMessage("Datenschutz"), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "Datenschutzerklärung", + ), + "privateBackups": MessageLookupByLibrary.simpleMessage( + "Private Sicherungen", + ), + "privateSharing": MessageLookupByLibrary.simpleMessage("Privates Teilen"), + "proceed": MessageLookupByLibrary.simpleMessage("Fortfahren"), + "processed": MessageLookupByLibrary.simpleMessage("Verarbeitet"), + "processing": MessageLookupByLibrary.simpleMessage("In Bearbeitung"), + "processingImport": m67, + "processingVideos": MessageLookupByLibrary.simpleMessage( + "Verarbeite Videos", + ), + "publicLinkCreated": MessageLookupByLibrary.simpleMessage( + "Öffentlicher Link erstellt", + ), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( + "Öffentlicher Link aktiviert", + ), + "questionmark": MessageLookupByLibrary.simpleMessage("?"), + "queued": MessageLookupByLibrary.simpleMessage("In der Warteschlange"), + "quickLinks": MessageLookupByLibrary.simpleMessage("Quick Links"), + "radius": MessageLookupByLibrary.simpleMessage("Umkreis"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Ticket erstellen"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("App bewerten"), + "rateUs": MessageLookupByLibrary.simpleMessage("Bewerte uns"), + "rateUsOnStore": m68, + "reassignMe": MessageLookupByLibrary.simpleMessage("\"Ich\" neu zuweisen"), + "reassignedToName": m69, + "reassigningLoading": MessageLookupByLibrary.simpleMessage( + "Ordne neu zu...", + ), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Erhalte Erinnerungen, wenn jemand Geburtstag hat. Ein Klick auf die Benachrichtigung bringt dich zu den Fotos der Person, die Geburtstag hat.", + ), + "recover": MessageLookupByLibrary.simpleMessage("Wiederherstellen"), + "recoverAccount": MessageLookupByLibrary.simpleMessage( + "Konto wiederherstellen", + ), + "recoverButton": MessageLookupByLibrary.simpleMessage("Wiederherstellen"), + "recoveryAccount": MessageLookupByLibrary.simpleMessage( + "Konto wiederherstellen", + ), + "recoveryInitiated": MessageLookupByLibrary.simpleMessage( + "Wiederherstellung gestartet", + ), + "recoveryInitiatedDesc": m70, + "recoveryKey": MessageLookupByLibrary.simpleMessage( + "Wiederherstellungs-Schlüssel", + ), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Wiederherstellungs-Schlüssel in die Zwischenablage kopiert", + ), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Falls du dein Passwort vergisst, kannst du deine Daten allein mit diesem Schlüssel wiederherstellen.", + ), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Wir speichern diesen Schlüssel nicht. Bitte speichere diese Schlüssel aus 24 Wörtern an einem sicheren Ort.", + ), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Sehr gut! Dein Wiederherstellungsschlüssel ist gültig. Vielen Dank für die Verifizierung.\n\nBitte vergiss nicht eine Kopie des Wiederherstellungsschlüssels sicher aufzubewahren.", + ), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Wiederherstellungs-Schlüssel überprüft", + ), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Dein Wiederherstellungsschlüssel ist die einzige Möglichkeit, auf deine Fotos zuzugreifen, solltest du dein Passwort vergessen. Du findest ihn unter Einstellungen > Konto.\n\nBitte gib deinen Wiederherstellungsschlüssel hier ein, um sicherzugehen, dass du ihn korrekt gesichert hast.", + ), + "recoveryReady": m71, + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "Wiederherstellung erfolgreich!", + ), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "Ein vertrauenswürdiger Kontakt versucht, auf dein Konto zuzugreifen", + ), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Das aktuelle Gerät ist nicht leistungsfähig genug, um dein Passwort zu verifizieren, aber wir können es neu erstellen, damit es auf allen Geräten funktioniert.\n\nBitte melde dich mit deinem Wiederherstellungs-Schlüssel an und erstelle dein Passwort neu (Wenn du willst, kannst du dasselbe erneut verwenden).", + ), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Passwort wiederherstellen", + ), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": MessageLookupByLibrary.simpleMessage( + "Passwort erneut eingeben", + ), + "reenterPin": MessageLookupByLibrary.simpleMessage("PIN erneut eingeben"), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Begeistere Freunde für uns und verdopple deinen Speicher", + ), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Gib diesen Code an deine Freunde", + ), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Sie schließen ein bezahltes Abo ab", + ), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Weiterempfehlungen"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "Einlösungen sind derzeit pausiert", + ), + "rejectRecovery": MessageLookupByLibrary.simpleMessage( + "Wiederherstellung ablehnen", + ), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "Lösche auch Dateien aus \"Kürzlich gelöscht\" unter \"Einstellungen\" -> \"Speicher\" um freien Speicher zu erhalten", + ), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Leere auch deinen \"Papierkorb\", um freien Platz zu erhalten", + ), + "remoteImages": MessageLookupByLibrary.simpleMessage( + "Grafiken aus externen Quellen", + ), + "remoteThumbnails": MessageLookupByLibrary.simpleMessage( + "Vorschaubilder aus externen Quellen", + ), + "remoteVideos": MessageLookupByLibrary.simpleMessage( + "Videos aus externen Quellen", + ), + "remove": MessageLookupByLibrary.simpleMessage("Entfernen"), + "removeDuplicates": MessageLookupByLibrary.simpleMessage( + "Duplikate entfernen", + ), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Überprüfe und lösche Dateien, die exakte Duplikate sind.", + ), + "removeFromAlbum": MessageLookupByLibrary.simpleMessage( + "Aus Album entfernen", + ), + "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( + "Aus Album entfernen?", + ), + "removeFromFavorite": MessageLookupByLibrary.simpleMessage( + "Aus Favoriten entfernen", + ), + "removeInvite": MessageLookupByLibrary.simpleMessage("Einladung entfernen"), + "removeLink": MessageLookupByLibrary.simpleMessage("Link entfernen"), + "removeParticipant": MessageLookupByLibrary.simpleMessage( + "Teilnehmer entfernen", + ), + "removeParticipantBody": m74, + "removePersonLabel": MessageLookupByLibrary.simpleMessage( + "Personenetikett entfernen", + ), + "removePublicLink": MessageLookupByLibrary.simpleMessage( + "Öffentlichen Link entfernen", + ), + "removePublicLinks": MessageLookupByLibrary.simpleMessage( + "Öffentliche Links entfernen", + ), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Einige der Elemente, die du entfernst, wurden von anderen Nutzern hinzugefügt und du wirst den Zugriff auf sie verlieren", + ), + "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage( + "Entfernen?", + ), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Entferne dich als vertrauenswürdigen Kontakt", + ), + "removingFromFavorites": MessageLookupByLibrary.simpleMessage( + "Wird aus Favoriten entfernt...", + ), + "rename": MessageLookupByLibrary.simpleMessage("Umbenennen"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("Album umbenennen"), + "renameFile": MessageLookupByLibrary.simpleMessage("Datei umbenennen"), + "renewSubscription": MessageLookupByLibrary.simpleMessage( + "Abonnement erneuern", + ), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Fehler melden"), + "reportBug": MessageLookupByLibrary.simpleMessage("Fehler melden"), + "resendEmail": MessageLookupByLibrary.simpleMessage("E-Mail erneut senden"), + "reset": MessageLookupByLibrary.simpleMessage("Zurücksetzen"), + "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( + "Ignorierte Dateien zurücksetzen", + ), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Passwort zurücksetzen", + ), + "resetPerson": MessageLookupByLibrary.simpleMessage("Entfernen"), + "resetToDefault": MessageLookupByLibrary.simpleMessage( + "Standardwerte zurücksetzen", + ), + "restore": MessageLookupByLibrary.simpleMessage("Wiederherstellen"), + "restoreToAlbum": MessageLookupByLibrary.simpleMessage( + "Album wiederherstellen", + ), + "restoringFiles": MessageLookupByLibrary.simpleMessage( + "Dateien werden wiederhergestellt...", + ), + "resumableUploads": MessageLookupByLibrary.simpleMessage( + "Fortsetzbares Hochladen", + ), + "retry": MessageLookupByLibrary.simpleMessage("Erneut versuchen"), + "review": MessageLookupByLibrary.simpleMessage("Überprüfen"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Bitte überprüfe und lösche die Elemente, die du für Duplikate hältst.", + ), + "reviewSuggestions": MessageLookupByLibrary.simpleMessage( + "Vorschläge überprüfen", + ), + "right": MessageLookupByLibrary.simpleMessage("Rechts"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("Drehen"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Nach links drehen"), + "rotateRight": MessageLookupByLibrary.simpleMessage("Nach rechts drehen"), + "safelyStored": MessageLookupByLibrary.simpleMessage("Gesichert"), + "same": MessageLookupByLibrary.simpleMessage("Gleich"), + "sameperson": MessageLookupByLibrary.simpleMessage("Dieselbe Person?"), + "save": MessageLookupByLibrary.simpleMessage("Speichern"), + "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage( + "Als andere Person speichern", + ), + "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( + "Änderungen vor dem Verlassen speichern?", + ), + "saveCollage": MessageLookupByLibrary.simpleMessage("Collage speichern"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Kopie speichern"), + "saveKey": MessageLookupByLibrary.simpleMessage("Schlüssel speichern"), + "savePerson": MessageLookupByLibrary.simpleMessage("Person speichern"), + "saveYourRecoveryKeyIfYouHaventAlready": MessageLookupByLibrary.simpleMessage( + "Sichere deinen Wiederherstellungs-Schlüssel, falls noch nicht geschehen", + ), + "saving": MessageLookupByLibrary.simpleMessage("Speichern..."), + "savingEdits": MessageLookupByLibrary.simpleMessage( + "Speichere Änderungen...", + ), + "scanCode": MessageLookupByLibrary.simpleMessage("Code scannen"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Scanne diesen Code mit \ndeiner Authentifizierungs-App", + ), + "search": MessageLookupByLibrary.simpleMessage("Suche"), + "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Alben"), + "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage( + "Name des Albums", + ), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Albumnamen (z.B. \"Kamera\")\n• Dateitypen (z.B. \"Videos\", \".gif\")\n• Jahre und Monate (z.B. \"2022\", \"Januar\")\n• Feiertage (z.B. \"Weihnachten\")\n• Fotobeschreibungen (z.B. \"#fun\")", + ), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Füge Beschreibungen wie \"#trip\" in der Fotoinfo hinzu um diese schnell hier wiederzufinden", + ), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Suche nach Datum, Monat oder Jahr", + ), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "Bilder werden hier angezeigt, sobald Verarbeitung und Synchronisation abgeschlossen sind", + ), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "Personen werden hier angezeigt, sobald die Indizierung abgeschlossen ist", + ), + "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( + "Dateitypen und -namen", + ), + "searchHint1": MessageLookupByLibrary.simpleMessage( + "Schnell auf dem Gerät suchen", + ), + "searchHint2": MessageLookupByLibrary.simpleMessage( + "Fotodaten, Beschreibungen", + ), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "Alben, Dateinamen und -typen", + ), + "searchHint4": MessageLookupByLibrary.simpleMessage("Ort"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "Demnächst: Gesichter & magische Suche ✨", + ), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Gruppiere Fotos, die innerhalb des Radius eines bestimmten Fotos aufgenommen wurden", + ), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "Laden Sie Personen ein, damit Sie geteilte Fotos hier einsehen können", + ), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "Personen werden hier angezeigt, sobald Verarbeitung und Synchronisierung abgeschlossen sind", + ), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Sicherheit"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "Öffentliche Album-Links in der App ansehen", + ), + "selectALocation": MessageLookupByLibrary.simpleMessage( + "Standort auswählen", + ), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage( + "Wähle zuerst einen Standort", + ), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Album auswählen"), + "selectAll": MessageLookupByLibrary.simpleMessage("Alle markieren"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("Alle"), + "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( + "Titelbild auswählen", + ), + "selectDate": MessageLookupByLibrary.simpleMessage("Datum wählen"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Ordner für Sicherung auswählen", + ), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "Elemente zum Hinzufügen auswählen", + ), + "selectLanguage": MessageLookupByLibrary.simpleMessage("Sprache auswählen"), + "selectMailApp": MessageLookupByLibrary.simpleMessage( + "E-Mail-App auswählen", + ), + "selectMorePhotos": MessageLookupByLibrary.simpleMessage( + "Mehr Fotos auswählen", + ), + "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( + "Wähle ein Datum und eine Uhrzeit", + ), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "Wähle ein Datum und eine Uhrzeit für alle", + ), + "selectPersonToLink": MessageLookupByLibrary.simpleMessage( + "Person zum Verknüpfen auswählen", + ), + "selectReason": MessageLookupByLibrary.simpleMessage("Grund auswählen"), + "selectStartOfRange": MessageLookupByLibrary.simpleMessage( + "Anfang des Bereichs auswählen", + ), + "selectTime": MessageLookupByLibrary.simpleMessage("Uhrzeit wählen"), + "selectYourFace": MessageLookupByLibrary.simpleMessage( + "Wähle dein Gesicht", + ), + "selectYourPlan": MessageLookupByLibrary.simpleMessage( + "Wähle dein Abo aus", + ), + "selectedAlbums": m79, + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Ausgewählte Dateien sind nicht auf Ente", + ), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Ausgewählte Ordner werden verschlüsselt und gesichert", + ), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Ausgewählte Elemente werden aus allen Alben gelöscht und in den Papierkorb verschoben.", + ), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "Ausgewählte Elemente werden von dieser Person entfernt, aber nicht aus deiner Bibliothek gelöscht.", + ), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("Absenden"), + "sendEmail": MessageLookupByLibrary.simpleMessage("E-Mail senden"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Einladung senden"), + "sendLink": MessageLookupByLibrary.simpleMessage("Link senden"), + "serverEndpoint": MessageLookupByLibrary.simpleMessage("Server Endpunkt"), + "sessionExpired": MessageLookupByLibrary.simpleMessage( + "Sitzung abgelaufen", + ), + "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( + "Sitzungs-ID stimmt nicht überein", + ), + "setAPassword": MessageLookupByLibrary.simpleMessage("Passwort setzen"), + "setAs": MessageLookupByLibrary.simpleMessage("Festlegen als"), + "setCover": MessageLookupByLibrary.simpleMessage("Titelbild festlegen"), + "setLabel": MessageLookupByLibrary.simpleMessage("Festlegen"), + "setNewPassword": MessageLookupByLibrary.simpleMessage( + "Neues Passwort festlegen", + ), + "setNewPin": MessageLookupByLibrary.simpleMessage("Neue PIN festlegen"), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Passwort festlegen", + ), + "setRadius": MessageLookupByLibrary.simpleMessage("Radius festlegen"), + "setupComplete": MessageLookupByLibrary.simpleMessage( + "Einrichtung abgeschlossen", + ), + "share": MessageLookupByLibrary.simpleMessage("Teilen"), + "shareALink": MessageLookupByLibrary.simpleMessage("Einen Link teilen"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Öffne ein Album und tippe auf den Teilen-Button oben rechts, um zu teilen.", + ), + "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( + "Teile jetzt ein Album", + ), + "shareLink": MessageLookupByLibrary.simpleMessage("Link teilen"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Teile mit ausgewählten Personen", + ), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Hol dir Ente, damit wir ganz einfach Fotos und Videos in Originalqualität teilen können\n\nhttps://ente.io", + ), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Mit Nicht-Ente-Benutzern teilen", + ), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( + "Teile dein erstes Album", + ), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Erstelle gemeinsam mit anderen Ente-Nutzern geteilte Alben, inkl. Nutzern ohne Bezahltarif.", + ), + "sharedByMe": MessageLookupByLibrary.simpleMessage("Von mir geteilt"), + "sharedByYou": MessageLookupByLibrary.simpleMessage("Von dir geteilt"), + "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( + "Neue geteilte Fotos", + ), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Erhalte Benachrichtigungen, wenn jemand ein Foto zu einem gemeinsam genutzten Album hinzufügt, dem du angehörst", + ), + "sharedWith": m87, + "sharedWithMe": MessageLookupByLibrary.simpleMessage("Mit mir geteilt"), + "sharedWithYou": MessageLookupByLibrary.simpleMessage("Mit dir geteilt"), + "sharing": MessageLookupByLibrary.simpleMessage("Teilt..."), + "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( + "Datum und Uhrzeit verschieben", + ), + "showLessFaces": MessageLookupByLibrary.simpleMessage( + "Weniger Gesichter zeigen", + ), + "showMemories": MessageLookupByLibrary.simpleMessage( + "Erinnerungen anschauen", + ), + "showMoreFaces": MessageLookupByLibrary.simpleMessage( + "Mehr Gesichter zeigen", + ), + "showPerson": MessageLookupByLibrary.simpleMessage("Person anzeigen"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "Von anderen Geräten abmelden", + ), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Falls du denkst, dass jemand dein Passwort kennen könnte, kannst du alle anderen Geräte von deinem Account abmelden.", + ), + "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( + "Andere Geräte abmelden", + ), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Ich stimme den Nutzungsbedingungen und der Datenschutzerklärung zu", + ), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Es wird aus allen Alben gelöscht.", + ), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Überspringen"), + "smartMemories": MessageLookupByLibrary.simpleMessage( + "Smarte Erinnerungen", + ), + "social": MessageLookupByLibrary.simpleMessage("Social Media"), + "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( + "Einige Elemente sind sowohl auf Ente als auch auf deinem Gerät.", + ), + "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( + "Einige der Dateien, die Sie löschen möchten, sind nur auf Ihrem Gerät verfügbar und können nicht wiederhergestellt werden, wenn sie gelöscht wurden", + ), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Jemand, der Alben mit dir teilt, sollte die gleiche ID auf seinem Gerät sehen.", + ), + "somethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Irgendetwas ging schief", + ), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Ein Fehler ist aufgetreten, bitte versuche es erneut", + ), + "sorry": MessageLookupByLibrary.simpleMessage("Entschuldigung"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "Leider konnten wir diese Datei momentan nicht sichern, wir werden es später erneut versuchen.", + ), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Konnte leider nicht zu den Favoriten hinzugefügt werden!", + ), + "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( + "Konnte leider nicht aus den Favoriten entfernt werden!", + ), + "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "Leider ist der eingegebene Code falsch", + ), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Es tut uns leid, wir konnten keine sicheren Schlüssel auf diesem Gerät generieren.\n\nBitte starte die Registrierung auf einem anderen Gerät.", + ), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Entschuldigung, wir mussten deine Sicherungen pausieren", + ), + "sort": MessageLookupByLibrary.simpleMessage("Sortierung"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sortieren nach"), + "sortNewestFirst": MessageLookupByLibrary.simpleMessage("Neueste zuerst"), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Älteste zuerst"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Abgeschlossen"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": MessageLookupByLibrary.simpleMessage( + "Spot auf dich selbst", + ), + "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( + "Wiederherstellung starten", + ), + "startBackup": MessageLookupByLibrary.simpleMessage("Sicherung starten"), + "status": MessageLookupByLibrary.simpleMessage("Status"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "Möchtest du die Übertragung beenden?", + ), + "stopCastingTitle": MessageLookupByLibrary.simpleMessage( + "Übertragung beenden", + ), + "storage": MessageLookupByLibrary.simpleMessage("Speicherplatz"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Familie"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Sie"), + "storageInGB": m93, + "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( + "Speichergrenze überschritten", + ), + "storageUsageInfo": m94, + "streamDetails": MessageLookupByLibrary.simpleMessage("Stream-Details"), + "strongStrength": MessageLookupByLibrary.simpleMessage("Stark"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Abonnieren"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Du benötigst ein aktives, bezahltes Abonnement, um das Teilen zu aktivieren.", + ), + "subscription": MessageLookupByLibrary.simpleMessage("Abonnement"), + "success": MessageLookupByLibrary.simpleMessage("Abgeschlossen"), + "successfullyArchived": MessageLookupByLibrary.simpleMessage( + "Erfolgreich archiviert", + ), + "successfullyHid": MessageLookupByLibrary.simpleMessage( + "Erfolgreich versteckt", + ), + "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( + "Erfolgreich dearchiviert", + ), + "successfullyUnhid": MessageLookupByLibrary.simpleMessage( + "Erfolgreich eingeblendet", + ), + "suggestFeatures": MessageLookupByLibrary.simpleMessage( + "Verbesserung vorschlagen", + ), + "sunrise": MessageLookupByLibrary.simpleMessage("Am Horizont"), + "support": MessageLookupByLibrary.simpleMessage("Support"), + "syncProgress": m97, + "syncStopped": MessageLookupByLibrary.simpleMessage( + "Synchronisierung angehalten", + ), + "syncing": MessageLookupByLibrary.simpleMessage("Synchronisiere …"), + "systemTheme": MessageLookupByLibrary.simpleMessage("System"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("zum Kopieren antippen"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage( + "Antippen, um den Code einzugeben", + ), + "tapToUnlock": MessageLookupByLibrary.simpleMessage( + "Zum Entsperren antippen", + ), + "tapToUpload": MessageLookupByLibrary.simpleMessage( + "Zum Hochladen antippen", + ), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Etwas ist schiefgelaufen. Bitte versuche es später noch einmal. Sollte der Fehler weiter bestehen, kontaktiere unser Supportteam.", + ), + "terminate": MessageLookupByLibrary.simpleMessage("Beenden"), + "terminateSession": MessageLookupByLibrary.simpleMessage( + "Sitzungen beenden?", + ), + "terms": MessageLookupByLibrary.simpleMessage("Nutzungsbedingungen"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage( + "Nutzungsbedingungen", + ), + "thankYou": MessageLookupByLibrary.simpleMessage("Vielen Dank"), + "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( + "Danke fürs Abonnieren!", + ), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "Der Download konnte nicht abgeschlossen werden", + ), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "Der Link, den du aufrufen möchtest, ist abgelaufen.", + ), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Diese Personengruppen werden im Personen-Abschnitt nicht mehr angezeigt. Die Fotos bleiben unverändert.", + ), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Diese Person wird im Personen-Abschnitt nicht mehr angezeigt. Die Fotos bleiben unverändert.", + ), + "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "Der eingegebene Schlüssel ist ungültig", + ), + "theme": MessageLookupByLibrary.simpleMessage("Theme"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Diese Elemente werden von deinem Gerät gelöscht.", + ), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "Sie werden aus allen Alben gelöscht.", + ), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Diese Aktion kann nicht rückgängig gemacht werden", + ), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "Dieses Album hat bereits einen kollaborativen Link", + ), + "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( + "Dies kann verwendet werden, um dein Konto wiederherzustellen, wenn du deinen zweiten Faktor (2FA) verlierst", + ), + "thisDevice": MessageLookupByLibrary.simpleMessage("Dieses Gerät"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "Diese E-Mail-Adresse wird bereits verwendet", + ), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Dieses Bild hat keine Exif-Daten", + ), + "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("Das bin ich!"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Dies ist deine Verifizierungs-ID", + ), + "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( + "Diese Woche über die Jahre", + ), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Dadurch wirst du von folgendem Gerät abgemeldet:", + ), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Dadurch wirst du von diesem Gerät abgemeldet!", + ), + "thisWillMakeTheDateAndTimeOfAllSelected": + MessageLookupByLibrary.simpleMessage( + "Dadurch werden Datum und Uhrzeit aller ausgewählten Fotos gleich.", + ), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "Hiermit werden die öffentlichen Links aller ausgewählten schnellen Links entfernt.", + ), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "Um die App-Sperre zu aktivieren, konfiguriere bitte den Gerätepasscode oder die Bildschirmsperre in den Systemeinstellungen.", + ), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( + "Foto oder Video verstecken", + ), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Um dein Passwort zurückzusetzen, verifiziere bitte zuerst deine E-Mail-Adresse.", + ), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Heutiges Protokoll"), + "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( + "Zu viele fehlerhafte Versuche", + ), + "total": MessageLookupByLibrary.simpleMessage("Gesamt"), + "totalSize": MessageLookupByLibrary.simpleMessage("Gesamtgröße"), + "trash": MessageLookupByLibrary.simpleMessage("Papierkorb"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Schneiden"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": MessageLookupByLibrary.simpleMessage( + "Vertrauenswürdige Kontakte", + ), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Erneut versuchen"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Aktiviere die Sicherung, um neue Dateien in diesem Ordner automatisch zu Ente hochzuladen.", + ), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "2 Monate kostenlos beim jährlichen Bezahlen", + ), + "twofactor": MessageLookupByLibrary.simpleMessage("Zwei-Faktor"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "Zwei-Faktor-Authentifizierung (2FA) wurde deaktiviert", + ), + "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( + "Zwei-Faktor-Authentifizierung", + ), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "Zwei-Faktor-Authentifizierung (2FA) erfolgreich zurückgesetzt", + ), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Zweiten Faktor (2FA) einrichten", + ), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("Dearchivieren"), + "unarchiveAlbum": MessageLookupByLibrary.simpleMessage( + "Album dearchivieren", + ), + "unarchiving": MessageLookupByLibrary.simpleMessage("Dearchiviere …"), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Entschuldigung, dieser Code ist nicht verfügbar.", + ), + "uncategorized": MessageLookupByLibrary.simpleMessage("Unkategorisiert"), + "unhide": MessageLookupByLibrary.simpleMessage("Einblenden"), + "unhideToAlbum": MessageLookupByLibrary.simpleMessage("Im Album anzeigen"), + "unhiding": MessageLookupByLibrary.simpleMessage("Einblenden..."), + "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Dateien im Album anzeigen", + ), + "unlock": MessageLookupByLibrary.simpleMessage("Jetzt freischalten"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("Album lösen"), + "unselectAll": MessageLookupByLibrary.simpleMessage("Alle demarkieren"), + "update": MessageLookupByLibrary.simpleMessage("Updaten"), + "updateAvailable": MessageLookupByLibrary.simpleMessage("Update verfügbar"), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Ordnerauswahl wird aktualisiert...", + ), + "upgrade": MessageLookupByLibrary.simpleMessage("Upgrade"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Dateien werden ins Album hochgeladen...", + ), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( + "Sichere ein Erinnerungsstück...", + ), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "Bis zu 50% Rabatt bis zum 4. Dezember.", + ), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "Der verwendbare Speicherplatz ist von deinem aktuellen Abonnement eingeschränkt. Überschüssiger, beanspruchter Speicherplatz wird automatisch verwendbar werden, wenn du ein höheres Abonnement buchst.", + ), + "useAsCover": MessageLookupByLibrary.simpleMessage( + "Als Titelbild festlegen", + ), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "Hast du Probleme beim Abspielen dieses Videos? Halte hier gedrückt, um einen anderen Player auszuprobieren.", + ), + "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Verwende öffentliche Links für Personen, die kein Ente-Konto haben", + ), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Wiederherstellungs-Schlüssel verwenden", + ), + "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( + "Ausgewähltes Foto verwenden", + ), + "usedSpace": MessageLookupByLibrary.simpleMessage("Belegter Speicherplatz"), + "validTill": m110, + "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Verifizierung fehlgeschlagen, bitte versuchen Sie es erneut", + ), + "verificationId": MessageLookupByLibrary.simpleMessage("Verifizierungs-ID"), + "verify": MessageLookupByLibrary.simpleMessage("Überprüfen"), + "verifyEmail": MessageLookupByLibrary.simpleMessage( + "E-Mail-Adresse verifizieren", + ), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Überprüfen"), + "verifyPasskey": MessageLookupByLibrary.simpleMessage( + "Passkey verifizieren", + ), + "verifyPassword": MessageLookupByLibrary.simpleMessage( + "Passwort überprüfen", + ), + "verifying": MessageLookupByLibrary.simpleMessage("Verifiziere …"), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Wiederherstellungs-Schlüssel wird überprüft...", + ), + "videoInfo": MessageLookupByLibrary.simpleMessage("Video-Informationen"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("Video"), + "videoStreaming": MessageLookupByLibrary.simpleMessage("Streambare Videos"), + "videos": MessageLookupByLibrary.simpleMessage("Videos"), + "viewActiveSessions": MessageLookupByLibrary.simpleMessage( + "Aktive Sitzungen anzeigen", + ), + "viewAddOnButton": MessageLookupByLibrary.simpleMessage("Zeige Add-ons"), + "viewAll": MessageLookupByLibrary.simpleMessage("Alle anzeigen"), + "viewAllExifData": MessageLookupByLibrary.simpleMessage( + "Alle Exif-Daten anzeigen", + ), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Große Dateien"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Dateien anzeigen, die den meisten Speicherplatz belegen.", + ), + "viewLogs": MessageLookupByLibrary.simpleMessage("Protokolle anzeigen"), + "viewPersonToUnlink": m112, + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Wiederherstellungsschlüssel anzeigen", + ), + "viewer": MessageLookupByLibrary.simpleMessage("Zuschauer"), + "viewersSuccessfullyAdded": m113, + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Bitte rufe \"web.ente.io\" auf, um dein Abo zu verwalten", + ), + "waitingForVerification": MessageLookupByLibrary.simpleMessage( + "Warte auf Bestätigung...", + ), + "waitingForWifi": MessageLookupByLibrary.simpleMessage("Warte auf WLAN..."), + "warning": MessageLookupByLibrary.simpleMessage("Warnung"), + "weAreOpenSource": MessageLookupByLibrary.simpleMessage( + "Unser Quellcode ist offen einsehbar!", + ), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "Wir unterstützen keine Bearbeitung von Fotos und Alben, die du noch nicht besitzt", + ), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Schwach"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("Willkommen zurück!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("Neue Funktionen"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "Ein vertrauenswürdiger Kontakt kann helfen, deine Daten wiederherzustellen.", + ), + "widgets": MessageLookupByLibrary.simpleMessage("Widgets"), + "wishThemAHappyBirthday": m115, + "yearShort": MessageLookupByLibrary.simpleMessage("Jahr"), + "yearly": MessageLookupByLibrary.simpleMessage("Jährlich"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Ja"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Ja, kündigen"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "Ja, zu \"Beobachter\" ändern", + ), + "yesDelete": MessageLookupByLibrary.simpleMessage("Ja, löschen"), + "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( + "Ja, Änderungen verwerfen", + ), + "yesIgnore": MessageLookupByLibrary.simpleMessage("Ja, ignorieren"), + "yesLogout": MessageLookupByLibrary.simpleMessage("Ja, ausloggen"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Ja, entfernen"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Ja, erneuern"), + "yesResetPerson": MessageLookupByLibrary.simpleMessage( + "Ja, Person zurücksetzen", + ), + "you": MessageLookupByLibrary.simpleMessage("Du"), + "youAndThem": m117, + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( + "Du bist im Familien-Tarif!", + ), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Du bist auf der neuesten Version", + ), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Du kannst deinen Speicher maximal verdoppeln", + ), + "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( + "Du kannst deine Links im \"Teilen\"-Tab verwalten.", + ), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "Sie können versuchen, nach einer anderen Abfrage suchen.", + ), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "Du kannst nicht auf diesen Tarif wechseln", + ), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Du kannst nicht mit dir selbst teilen", + ), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "Du hast keine archivierten Elemente.", + ), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "Dein Benutzerkonto wurde gelöscht", + ), + "yourMap": MessageLookupByLibrary.simpleMessage("Deine Karte"), + "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( + "Dein Tarif wurde erfolgreich heruntergestuft", + ), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "Dein Abo wurde erfolgreich hochgestuft", + ), + "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( + "Dein Einkauf war erfolgreich", + ), + "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( + "Details zum Speicherplatz konnten nicht abgerufen werden", + ), + "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( + "Dein Abonnement ist abgelaufen", + ), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "Dein Abonnement wurde erfolgreich aktualisiert.", + ), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "Ihr Bestätigungscode ist abgelaufen", + ), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "Du hast keine Duplikate, die gelöscht werden können", + ), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "Du hast keine Dateien in diesem Album, die gelöscht werden können", + ), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( + "Verkleinern, um Fotos zu sehen", + ), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_el.dart b/mobile/apps/photos/lib/generated/intl/messages_el.dart index 79c0433b27..9af5b19ed4 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_el.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_el.dart @@ -22,7 +22,8 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Εισάγετε την διεύθυνση ηλ. ταχυδρομείου σας") - }; + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Εισάγετε την διεύθυνση ηλ. ταχυδρομείου σας", + ), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_en.dart b/mobile/apps/photos/lib/generated/intl/messages_en.dart index 827e10e931..2711001c14 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_en.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_en.dart @@ -57,11 +57,7 @@ class MessageLookup extends MessageLookupByLibrary { "${user} will not be able to add more photos to this album\n\nThey will still be able to remove existing photos added by them"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, { - 'true': 'Your family has claimed ${storageAmountInGb} GB so far', - 'false': 'You have claimed ${storageAmountInGb} GB so far', - 'other': 'You have claimed ${storageAmountInGb} GB so far!', - })}"; + "${Intl.select(isFamilyMember, {'true': 'Your family has claimed ${storageAmountInGb} GB so far', 'false': 'You have claimed ${storageAmountInGb} GB so far', 'other': 'You have claimed ${storageAmountInGb} GB so far!'})}"; static String m15(albumName) => "Collaborative link created for ${albumName}"; @@ -264,7 +260,11 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => + usedAmount, + usedStorageUnit, + totalAmount, + totalStorageUnit, + ) => "${usedAmount} ${usedStorageUnit} of ${totalAmount} ${totalStorageUnit} used"; static String m95(id) => @@ -330,1932 +330,2361 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "A new version of Ente is available."), - "about": MessageLookupByLibrary.simpleMessage("About"), - "acceptTrustInvite": - MessageLookupByLibrary.simpleMessage("Accept Invite"), - "account": MessageLookupByLibrary.simpleMessage("Account"), - "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( - "Account is already configured."), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("Welcome back!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "I understand that if I lose my password, I may lose my data since my data is end-to-end encrypted."), - "actionNotSupportedOnFavouritesAlbum": - MessageLookupByLibrary.simpleMessage( - "Action not supported on Favourites album"), - "activeSessions": - MessageLookupByLibrary.simpleMessage("Active sessions"), - "add": MessageLookupByLibrary.simpleMessage("Add"), - "addAName": MessageLookupByLibrary.simpleMessage("Add a name"), - "addANewEmail": MessageLookupByLibrary.simpleMessage("Add a new email"), - "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Add an album widget to your homescreen and come back here to customize."), - "addCollaborator": - MessageLookupByLibrary.simpleMessage("Add collaborator"), - "addCollaborators": m1, - "addFiles": MessageLookupByLibrary.simpleMessage("Add Files"), - "addFromDevice": - MessageLookupByLibrary.simpleMessage("Add from device"), - "addItem": m2, - "addLocation": MessageLookupByLibrary.simpleMessage("Add location"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Add"), - "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Add a memories widget to your homescreen and come back here to customize."), - "addMore": MessageLookupByLibrary.simpleMessage("Add more"), - "addName": MessageLookupByLibrary.simpleMessage("Add name"), - "addNameOrMerge": - MessageLookupByLibrary.simpleMessage("Add name or merge"), - "addNew": MessageLookupByLibrary.simpleMessage("Add new"), - "addNewPerson": MessageLookupByLibrary.simpleMessage("Add new person"), - "addOnPageSubtitle": - MessageLookupByLibrary.simpleMessage("Details of add-ons"), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("Add-ons"), - "addParticipants": - MessageLookupByLibrary.simpleMessage("Add participants"), - "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Add a people widget to your homescreen and come back here to customize."), - "addPhotos": MessageLookupByLibrary.simpleMessage("Add photos"), - "addSelected": MessageLookupByLibrary.simpleMessage("Add selected"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("Add to album"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Add to Ente"), - "addToHiddenAlbum": - MessageLookupByLibrary.simpleMessage("Add to hidden album"), - "addTrustedContact": - MessageLookupByLibrary.simpleMessage("Add Trusted Contact"), - "addViewer": MessageLookupByLibrary.simpleMessage("Add viewer"), - "addViewers": m4, - "addYourPhotosNow": - MessageLookupByLibrary.simpleMessage("Add your photos now"), - "addedAs": MessageLookupByLibrary.simpleMessage("Added as"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": - MessageLookupByLibrary.simpleMessage("Adding to favorites..."), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("Advanced"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Advanced"), - "after1Day": MessageLookupByLibrary.simpleMessage("After 1 day"), - "after1Hour": MessageLookupByLibrary.simpleMessage("After 1 hour"), - "after1Month": MessageLookupByLibrary.simpleMessage("After 1 month"), - "after1Week": MessageLookupByLibrary.simpleMessage("After 1 week"), - "after1Year": MessageLookupByLibrary.simpleMessage("After 1 year"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Owner"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Album title"), - "albumUpdated": MessageLookupByLibrary.simpleMessage("Album updated"), - "albums": MessageLookupByLibrary.simpleMessage("Albums"), - "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Select the albums you wish to see on your homescreen."), - "allClear": MessageLookupByLibrary.simpleMessage("✨ All clear"), - "allMemoriesPreserved": - MessageLookupByLibrary.simpleMessage("All memories preserved"), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "All groupings for this person will be reset, and you will lose all suggestions made for this person"), - "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": - MessageLookupByLibrary.simpleMessage( - "All unnamed groups will be merged into the selected person. This can still be undone from the suggestions history overview of the person."), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "This is the first in the group. Other selected photos will automatically shift based on this new date"), - "allow": MessageLookupByLibrary.simpleMessage("Allow"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Allow people with the link to also add photos to the shared album."), - "allowAddingPhotos": - MessageLookupByLibrary.simpleMessage("Allow adding photos"), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "Allow app to open shared album links"), - "allowDownloads": - MessageLookupByLibrary.simpleMessage("Allow downloads"), - "allowPeopleToAddPhotos": - MessageLookupByLibrary.simpleMessage("Allow people to add photos"), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Please allow access to your photos from Settings so Ente can display and backup your library."), - "allowPermTitle": - MessageLookupByLibrary.simpleMessage("Allow access to photos"), - "androidBiometricHint": - MessageLookupByLibrary.simpleMessage("Verify identity"), - "androidBiometricNotRecognized": - MessageLookupByLibrary.simpleMessage("Not recognized. Try again."), - "androidBiometricRequiredTitle": - MessageLookupByLibrary.simpleMessage("Biometric required"), - "androidBiometricSuccess": - MessageLookupByLibrary.simpleMessage("Success"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Cancel"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage("Device credentials required"), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage("Device credentials required"), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Biometric authentication is not set up on your device. Go to \'Settings > Security\' to add biometric authentication."), - "androidIosWebDesktop": - MessageLookupByLibrary.simpleMessage("Android, iOS, Web, Desktop"), - "androidSignInTitle": - MessageLookupByLibrary.simpleMessage("Authentication required"), - "appIcon": MessageLookupByLibrary.simpleMessage("App icon"), - "appLock": MessageLookupByLibrary.simpleMessage("App lock"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Choose between your device\'s default lock screen and a custom lock screen with a PIN or password."), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), - "apply": MessageLookupByLibrary.simpleMessage("Apply"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Apply code"), - "appstoreSubscription": - MessageLookupByLibrary.simpleMessage("AppStore subscription"), - "archive": MessageLookupByLibrary.simpleMessage("Archive"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("Archive album"), - "archiving": MessageLookupByLibrary.simpleMessage("Archiving..."), - "areThey": MessageLookupByLibrary.simpleMessage("Are they "), - "areYouSureRemoveThisFaceFromPerson": - MessageLookupByLibrary.simpleMessage( - "Are you sure you want to remove this face from this person?"), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Are you sure that you want to leave the family plan?"), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "Are you sure you want to cancel?"), - "areYouSureYouWantToChangeYourPlan": - MessageLookupByLibrary.simpleMessage( - "Are you sure you want to change your plan?"), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "Are you sure you want to exit?"), - "areYouSureYouWantToIgnoreThesePersons": - MessageLookupByLibrary.simpleMessage( - "Are you sure you want to ignore these persons?"), - "areYouSureYouWantToIgnoreThisPerson": - MessageLookupByLibrary.simpleMessage( - "Are you sure you want to ignore this person?"), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Are you sure you want to logout?"), - "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( - "Are you sure you want to merge them?"), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "Are you sure you want to renew?"), - "areYouSureYouWantToResetThisPerson": - MessageLookupByLibrary.simpleMessage( - "Are you sure you want to reset this person?"), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "Your subscription was cancelled. Would you like to share the reason?"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "What is the main reason you are deleting your account?"), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Ask your loved ones to share"), - "atAFalloutShelter": - MessageLookupByLibrary.simpleMessage("at a fallout shelter"), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Please authenticate to change email verification"), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Please authenticate to change lockscreen setting"), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Please authenticate to change your email"), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Please authenticate to change your password"), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Please authenticate to configure two-factor authentication"), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Please authenticate to initiate account deletion"), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Please authenticate to manage your trusted contacts"), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Please authenticate to view your passkey"), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Please authenticate to view your trashed files"), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Please authenticate to view your active sessions"), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Please authenticate to view your hidden files"), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Please authenticate to view your memories"), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Please authenticate to view your recovery key"), - "authenticating": - MessageLookupByLibrary.simpleMessage("Authenticating..."), - "authenticationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Authentication failed, please try again"), - "authenticationSuccessful": - MessageLookupByLibrary.simpleMessage("Authentication successful!"), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "You\'ll see available Cast devices here."), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Make sure Local Network permissions are turned on for the Ente Photos app, in Settings."), - "autoLock": MessageLookupByLibrary.simpleMessage("Auto lock"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Time after which the app locks after being put in the background"), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "Due to technical glitch, you have been logged out. Our apologies for the inconvenience."), - "autoPair": MessageLookupByLibrary.simpleMessage("Auto pair"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "Auto pair works only with devices that support Chromecast."), - "available": MessageLookupByLibrary.simpleMessage("Available"), - "availableStorageSpace": m10, - "backedUpFolders": - MessageLookupByLibrary.simpleMessage("Backed up folders"), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("Backup"), - "backupFailed": MessageLookupByLibrary.simpleMessage("Backup failed"), - "backupFile": MessageLookupByLibrary.simpleMessage("Backup file"), - "backupOverMobileData": - MessageLookupByLibrary.simpleMessage("Backup over mobile data"), - "backupSettings": - MessageLookupByLibrary.simpleMessage("Backup settings"), - "backupStatus": MessageLookupByLibrary.simpleMessage("Backup status"), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Items that have been backed up will show up here"), - "backupVideos": MessageLookupByLibrary.simpleMessage("Backup videos"), - "beach": MessageLookupByLibrary.simpleMessage("Sand and sea"), - "birthday": MessageLookupByLibrary.simpleMessage("Birthday"), - "birthdayNotifications": - MessageLookupByLibrary.simpleMessage("Birthday notifications"), - "birthdays": MessageLookupByLibrary.simpleMessage("Birthdays"), - "blackFridaySale": - MessageLookupByLibrary.simpleMessage("Black Friday Sale"), - "blog": MessageLookupByLibrary.simpleMessage("Blog"), - "cLDesc1": MessageLookupByLibrary.simpleMessage( - "On the back of video streaming beta, and work on resumable uploads and downloads, we have now increased the file upload limit to 10GB. This is now available in both desktop and mobile apps."), - "cLDesc2": MessageLookupByLibrary.simpleMessage( - "Background uploads are now supported on iOS as well, in addition to Android devices. No need to open the app to backup your latest photos and videos."), - "cLDesc3": MessageLookupByLibrary.simpleMessage( - "We have made significant improvements to our memories experience, including autoplay, swipe to next memory and a lot more."), - "cLDesc4": MessageLookupByLibrary.simpleMessage( - "Along with a bunch of under the hood improvements, now its much easier to see all detected faces, provide feedback on similar faces, and add/remove faces from a single photo."), - "cLDesc5": MessageLookupByLibrary.simpleMessage( - "You will now receive an opt-out notification for all the birthdays your have saved on Ente, along with a collection of their best photos."), - "cLDesc6": MessageLookupByLibrary.simpleMessage( - "No more waiting for uploads/downloads to complete before you can close the app. All uploads and downloads now have the ability to be paused midway, and resume from where you left off."), - "cLTitle1": - MessageLookupByLibrary.simpleMessage("Uploading Large Video Files"), - "cLTitle2": MessageLookupByLibrary.simpleMessage("Background Upload"), - "cLTitle3": MessageLookupByLibrary.simpleMessage("Autoplay Memories"), - "cLTitle4": - MessageLookupByLibrary.simpleMessage("Improved Face Recognition"), - "cLTitle5": - MessageLookupByLibrary.simpleMessage("Birthday Notifications"), - "cLTitle6": MessageLookupByLibrary.simpleMessage( - "Resumable Uploads and Downloads"), - "cachedData": MessageLookupByLibrary.simpleMessage("Cached data"), - "calculating": MessageLookupByLibrary.simpleMessage("Calculating..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Sorry, this album cannot be opened in the app."), - "canNotOpenTitle": - MessageLookupByLibrary.simpleMessage("Cannot open this album"), - "canNotUploadToAlbumsOwnedByOthers": - MessageLookupByLibrary.simpleMessage( - "Can not upload to albums owned by others"), - "canOnlyCreateLinkForFilesOwnedByYou": - MessageLookupByLibrary.simpleMessage( - "Can only create link for files owned by you"), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Can only remove files owned by you"), - "cancel": MessageLookupByLibrary.simpleMessage("Cancel"), - "cancelAccountRecovery": - MessageLookupByLibrary.simpleMessage("Cancel recovery"), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "Are you sure you want to cancel recovery?"), - "cancelOtherSubscription": m12, - "cancelSubscription": - MessageLookupByLibrary.simpleMessage("Cancel subscription"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": - MessageLookupByLibrary.simpleMessage("Cannot delete shared files"), - "castAlbum": MessageLookupByLibrary.simpleMessage("Cast album"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Please make sure you are on the same network as the TV."), - "castIPMismatchTitle": - MessageLookupByLibrary.simpleMessage("Failed to cast album"), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Visit cast.ente.io on the device you want to pair.\n\nEnter the code below to play the album on your TV."), - "centerPoint": MessageLookupByLibrary.simpleMessage("Center point"), - "change": MessageLookupByLibrary.simpleMessage("Change"), - "changeEmail": MessageLookupByLibrary.simpleMessage("Change email"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Change location of selected items?"), - "changePassword": - MessageLookupByLibrary.simpleMessage("Change password"), - "changePasswordTitle": - MessageLookupByLibrary.simpleMessage("Change password"), - "changePermissions": - MessageLookupByLibrary.simpleMessage("Change permissions?"), - "changeYourReferralCode": - MessageLookupByLibrary.simpleMessage("Change your referral code"), - "checkForUpdates": - MessageLookupByLibrary.simpleMessage("Check for updates"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Please check your inbox (and spam) to complete verification"), - "checkStatus": MessageLookupByLibrary.simpleMessage("Check status"), - "checking": MessageLookupByLibrary.simpleMessage("Checking..."), - "checkingModels": - MessageLookupByLibrary.simpleMessage("Checking models..."), - "city": MessageLookupByLibrary.simpleMessage("In the city"), - "claimFreeStorage": - MessageLookupByLibrary.simpleMessage("Claim free storage"), - "claimMore": MessageLookupByLibrary.simpleMessage("Claim more!"), - "claimed": MessageLookupByLibrary.simpleMessage("Claimed"), - "claimedStorageSoFar": m14, - "cleanUncategorized": - MessageLookupByLibrary.simpleMessage("Clean Uncategorized"), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Remove all files from Uncategorized that are present in other albums"), - "clearCaches": MessageLookupByLibrary.simpleMessage("Clear caches"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Clear indexes"), - "click": MessageLookupByLibrary.simpleMessage("• Click"), - "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( - "• Click on the overflow menu"), - "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( - "Click to install our best version yet"), - "close": MessageLookupByLibrary.simpleMessage("Close"), - "clubByCaptureTime": - MessageLookupByLibrary.simpleMessage("Club by capture time"), - "clubByFileName": - MessageLookupByLibrary.simpleMessage("Club by file name"), - "clusteringProgress": - MessageLookupByLibrary.simpleMessage("Clustering progress"), - "codeAppliedPageTitle": - MessageLookupByLibrary.simpleMessage("Code applied"), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Sorry, you\'ve reached the limit of code changes."), - "codeCopiedToClipboard": - MessageLookupByLibrary.simpleMessage("Code copied to clipboard"), - "codeUsedByYou": - MessageLookupByLibrary.simpleMessage("Code used by you"), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Create a link to allow people to add and view photos in your shared album without needing an Ente app or account. Great for collecting event photos."), - "collaborativeLink": - MessageLookupByLibrary.simpleMessage("Collaborative link"), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Collaborator"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Collaborators can add photos and videos to the shared album."), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("Layout"), - "collageSaved": - MessageLookupByLibrary.simpleMessage("Collage saved to gallery"), - "collect": MessageLookupByLibrary.simpleMessage("Collect"), - "collectEventPhotos": - MessageLookupByLibrary.simpleMessage("Collect event photos"), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Collect photos"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Create a link where your friends can upload photos in original quality."), - "color": MessageLookupByLibrary.simpleMessage("Color"), - "configuration": MessageLookupByLibrary.simpleMessage("Configuration"), - "confirm": MessageLookupByLibrary.simpleMessage("Confirm"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Are you sure you want to disable two-factor authentication?"), - "confirmAccountDeletion": - MessageLookupByLibrary.simpleMessage("Confirm Account Deletion"), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Yes, I want to permanently delete this account and its data across all apps."), - "confirmPassword": - MessageLookupByLibrary.simpleMessage("Confirm password"), - "confirmPlanChange": - MessageLookupByLibrary.simpleMessage("Confirm plan change"), - "confirmRecoveryKey": - MessageLookupByLibrary.simpleMessage("Confirm recovery key"), - "confirmYourRecoveryKey": - MessageLookupByLibrary.simpleMessage("Confirm your recovery key"), - "connectToDevice": - MessageLookupByLibrary.simpleMessage("Connect to device"), - "contactFamilyAdmin": m18, - "contactSupport": - MessageLookupByLibrary.simpleMessage("Contact support"), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Contacts"), - "contents": MessageLookupByLibrary.simpleMessage("Contents"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Continue"), - "continueOnFreeTrial": - MessageLookupByLibrary.simpleMessage("Continue on free trial"), - "convertToAlbum": - MessageLookupByLibrary.simpleMessage("Convert to album"), - "copyEmailAddress": - MessageLookupByLibrary.simpleMessage("Copy email address"), - "copyLink": MessageLookupByLibrary.simpleMessage("Copy link"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Copy-paste this code\nto your authenticator app"), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "We could not backup your data.\nWe will retry later."), - "couldNotFreeUpSpace": - MessageLookupByLibrary.simpleMessage("Could not free up space"), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Could not update subscription"), - "count": MessageLookupByLibrary.simpleMessage("Count"), - "crashReporting": - MessageLookupByLibrary.simpleMessage("Crash reporting"), - "create": MessageLookupByLibrary.simpleMessage("Create"), - "createAccount": MessageLookupByLibrary.simpleMessage("Create account"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Long press to select photos and click + to create an album"), - "createCollaborativeLink": - MessageLookupByLibrary.simpleMessage("Create collaborative link"), - "createCollage": MessageLookupByLibrary.simpleMessage("Create collage"), - "createNewAccount": - MessageLookupByLibrary.simpleMessage("Create new account"), - "createOrSelectAlbum": - MessageLookupByLibrary.simpleMessage("Create or select album"), - "createPublicLink": - MessageLookupByLibrary.simpleMessage("Create public link"), - "creatingLink": - MessageLookupByLibrary.simpleMessage("Creating link..."), - "criticalUpdateAvailable": - MessageLookupByLibrary.simpleMessage("Critical update available"), - "crop": MessageLookupByLibrary.simpleMessage("Crop"), - "curatedMemories": - MessageLookupByLibrary.simpleMessage("Curated memories"), - "currentUsageIs": - MessageLookupByLibrary.simpleMessage("Current usage is "), - "currentlyRunning": - MessageLookupByLibrary.simpleMessage("currently running"), - "custom": MessageLookupByLibrary.simpleMessage("Custom"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Dark"), - "dayToday": MessageLookupByLibrary.simpleMessage("Today"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Yesterday"), - "declineTrustInvite": - MessageLookupByLibrary.simpleMessage("Decline Invite"), - "decrypting": MessageLookupByLibrary.simpleMessage("Decrypting..."), - "decryptingVideo": - MessageLookupByLibrary.simpleMessage("Decrypting video..."), - "deduplicateFiles": - MessageLookupByLibrary.simpleMessage("Deduplicate Files"), - "delete": MessageLookupByLibrary.simpleMessage("Delete"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Delete account"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "We are sorry to see you go. Please share your feedback to help us improve."), - "deleteAccountPermanentlyButton": - MessageLookupByLibrary.simpleMessage("Delete Account Permanently"), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Delete album"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Also delete the photos (and videos) present in this album from all other albums they are part of?"), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "This will delete all empty albums. This is useful when you want to reduce the clutter in your album list."), - "deleteAll": MessageLookupByLibrary.simpleMessage("Delete All"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "This account is linked to other Ente apps, if you use any. Your uploaded data, across all Ente apps, will be scheduled for deletion, and your account will be permanently deleted."), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Please send an email to account-deletion@ente.io from your registered email address."), - "deleteEmptyAlbums": - MessageLookupByLibrary.simpleMessage("Delete empty albums"), - "deleteEmptyAlbumsWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Delete empty albums?"), - "deleteFromBoth": - MessageLookupByLibrary.simpleMessage("Delete from both"), - "deleteFromDevice": - MessageLookupByLibrary.simpleMessage("Delete from device"), - "deleteFromEnte": - MessageLookupByLibrary.simpleMessage("Delete from Ente"), - "deleteItemCount": m21, - "deleteLocation": - MessageLookupByLibrary.simpleMessage("Delete location"), - "deleteMultipleAlbumDialog": m22, - "deletePhotos": MessageLookupByLibrary.simpleMessage("Delete photos"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "It’s missing a key feature that I need"), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "The app or a certain feature does not behave as I think it should"), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "I found another service that I like better"), - "deleteReason4": - MessageLookupByLibrary.simpleMessage("My reason isn’t listed"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Your request will be processed within 72 hours."), - "deleteSharedAlbum": - MessageLookupByLibrary.simpleMessage("Delete shared album?"), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "The album will be deleted for everyone\n\nYou will lose access to shared photos in this album that are owned by others"), - "deselectAll": MessageLookupByLibrary.simpleMessage("Deselect all"), - "designedToOutlive": - MessageLookupByLibrary.simpleMessage("Designed to outlive"), - "details": MessageLookupByLibrary.simpleMessage("Details"), - "developerSettings": - MessageLookupByLibrary.simpleMessage("Developer settings"), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Are you sure that you want to modify Developer settings?"), - "deviceCodeHint": - MessageLookupByLibrary.simpleMessage("Enter the code"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "Files added to this device album will automatically get uploaded to Ente."), - "deviceLock": MessageLookupByLibrary.simpleMessage("Device lock"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Disable the device screen lock when Ente is in the foreground and there is a backup in progress. This is normally not needed, but may help big uploads and initial imports of large libraries complete faster."), - "deviceNotFound": - MessageLookupByLibrary.simpleMessage("Device not found"), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Did you know?"), - "different": MessageLookupByLibrary.simpleMessage("Different"), - "disableAutoLock": - MessageLookupByLibrary.simpleMessage("Disable auto lock"), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Viewers can still take screenshots or save a copy of your photos using external tools"), - "disableDownloadWarningTitle": - MessageLookupByLibrary.simpleMessage("Please note"), - "disableLinkMessage": m24, - "disableTwofactor": - MessageLookupByLibrary.simpleMessage("Disable two-factor"), - "disablingTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Disabling two-factor authentication..."), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Discover"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Babies"), - "discover_celebrations": - MessageLookupByLibrary.simpleMessage("Celebrations"), - "discover_food": MessageLookupByLibrary.simpleMessage("Food"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Greenery"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Hills"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Identity"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Notes"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Pets"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Receipts"), - "discover_screenshots": - MessageLookupByLibrary.simpleMessage("Screenshots"), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfies"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Sunset"), - "discover_visiting_cards": - MessageLookupByLibrary.simpleMessage("Visiting Cards"), - "discover_wallpapers": - MessageLookupByLibrary.simpleMessage("Wallpapers"), - "dismiss": MessageLookupByLibrary.simpleMessage("Dismiss"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage("Do not sign out"), - "doThisLater": MessageLookupByLibrary.simpleMessage("Do this later"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Do you want to discard the edits you have made?"), - "done": MessageLookupByLibrary.simpleMessage("Done"), - "dontSave": MessageLookupByLibrary.simpleMessage("Don\'t save"), - "doubleYourStorage": - MessageLookupByLibrary.simpleMessage("Double your storage"), - "download": MessageLookupByLibrary.simpleMessage("Download"), - "downloadFailed": - MessageLookupByLibrary.simpleMessage("Download failed"), - "downloading": MessageLookupByLibrary.simpleMessage("Downloading..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Edit"), - "editEmailAlreadyLinked": m28, - "editLocation": MessageLookupByLibrary.simpleMessage("Edit location"), - "editLocationTagTitle": - MessageLookupByLibrary.simpleMessage("Edit location"), - "editPerson": MessageLookupByLibrary.simpleMessage("Edit person"), - "editTime": MessageLookupByLibrary.simpleMessage("Edit time"), - "editsSaved": MessageLookupByLibrary.simpleMessage("Edits saved"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Edits to location will only be seen within Ente"), - "eligible": MessageLookupByLibrary.simpleMessage("eligible"), - "email": MessageLookupByLibrary.simpleMessage("Email"), - "emailAlreadyRegistered": - MessageLookupByLibrary.simpleMessage("Email already registered."), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": - MessageLookupByLibrary.simpleMessage("Email not registered."), - "emailVerificationToggle": - MessageLookupByLibrary.simpleMessage("Email verification"), - "emailYourLogs": - MessageLookupByLibrary.simpleMessage("Email your logs"), - "embracingThem": m32, - "emergencyContacts": - MessageLookupByLibrary.simpleMessage("Emergency Contacts"), - "empty": MessageLookupByLibrary.simpleMessage("Empty"), - "emptyTrash": MessageLookupByLibrary.simpleMessage("Empty trash?"), - "enable": MessageLookupByLibrary.simpleMessage("Enable"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "Ente supports on-device machine learning for face recognition, magic search and other advanced search features"), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Enable machine learning for magic search and face recognition"), - "enableMaps": MessageLookupByLibrary.simpleMessage("Enable Maps"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "This will show your photos on a world map.\n\nThis map is hosted by Open Street Map, and the exact locations of your photos are never shared.\n\nYou can disable this feature anytime from Settings."), - "enabled": MessageLookupByLibrary.simpleMessage("Enabled"), - "encryptingBackup": - MessageLookupByLibrary.simpleMessage("Encrypting backup..."), - "encryption": MessageLookupByLibrary.simpleMessage("Encryption"), - "encryptionKeys": - MessageLookupByLibrary.simpleMessage("Encryption keys"), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Endpoint updated successfully"), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "End-to-end encrypted by default"), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente can encrypt and preserve files only if you grant access to them"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente needs permission to preserve your photos"), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "Ente preserves your memories, so they\'re always available to you, even if you lose your device."), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Your family can be added to your plan as well."), - "enterAlbumName": - MessageLookupByLibrary.simpleMessage("Enter album name"), - "enterCode": MessageLookupByLibrary.simpleMessage("Enter code"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Enter the code provided by your friend to claim free storage for both of you"), - "enterDateOfBirth": - MessageLookupByLibrary.simpleMessage("Birthday (optional)"), - "enterEmail": MessageLookupByLibrary.simpleMessage("Enter email"), - "enterFileName": - MessageLookupByLibrary.simpleMessage("Enter file name"), - "enterName": MessageLookupByLibrary.simpleMessage("Enter name"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Enter a new password we can use to encrypt your data"), - "enterPassword": MessageLookupByLibrary.simpleMessage("Enter password"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Enter a password we can use to encrypt your data"), - "enterPersonName": - MessageLookupByLibrary.simpleMessage("Enter person name"), - "enterPin": MessageLookupByLibrary.simpleMessage("Enter PIN"), - "enterReferralCode": - MessageLookupByLibrary.simpleMessage("Enter referral code"), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Enter the 6-digit code from\nyour authenticator app"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Please enter a valid email address."), - "enterYourEmailAddress": - MessageLookupByLibrary.simpleMessage("Enter your email address"), - "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( - "Enter your new email address"), - "enterYourPassword": - MessageLookupByLibrary.simpleMessage("Enter your password"), - "enterYourRecoveryKey": - MessageLookupByLibrary.simpleMessage("Enter your recovery key"), - "error": MessageLookupByLibrary.simpleMessage("Error"), - "everywhere": MessageLookupByLibrary.simpleMessage("everywhere"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": MessageLookupByLibrary.simpleMessage("Existing user"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "This link has expired. Please select a new expiry time or disable link expiry."), - "exportLogs": MessageLookupByLibrary.simpleMessage("Export logs"), - "exportYourData": - MessageLookupByLibrary.simpleMessage("Export your data"), - "extraPhotosFound": - MessageLookupByLibrary.simpleMessage("Extra photos found"), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Face not clustered yet, please come back later"), - "faceRecognition": - MessageLookupByLibrary.simpleMessage("Face recognition"), - "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( - "Unable to generate face thumbnails"), - "faces": MessageLookupByLibrary.simpleMessage("Faces"), - "failed": MessageLookupByLibrary.simpleMessage("Failed"), - "failedToApplyCode": - MessageLookupByLibrary.simpleMessage("Failed to apply code"), - "failedToCancel": - MessageLookupByLibrary.simpleMessage("Failed to cancel"), - "failedToDownloadVideo": - MessageLookupByLibrary.simpleMessage("Failed to download video"), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Failed to fetch active sessions"), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Failed to fetch original for edit"), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Unable to fetch referral details. Please try again later."), - "failedToLoadAlbums": - MessageLookupByLibrary.simpleMessage("Failed to load albums"), - "failedToPlayVideo": - MessageLookupByLibrary.simpleMessage("Failed to play video"), - "failedToRefreshStripeSubscription": - MessageLookupByLibrary.simpleMessage( - "Failed to refresh subscription"), - "failedToRenew": - MessageLookupByLibrary.simpleMessage("Failed to renew"), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Failed to verify payment status"), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Add 5 family members to your existing plan without paying extra.\n\nEach member gets their own private space, and cannot see each other\'s files unless they\'re shared.\n\nFamily plans are available to customers who have a paid Ente subscription.\n\nSubscribe now to get started!"), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Family"), - "familyPlans": MessageLookupByLibrary.simpleMessage("Family plans"), - "faq": MessageLookupByLibrary.simpleMessage("FAQ"), - "faqs": MessageLookupByLibrary.simpleMessage("FAQs"), - "favorite": MessageLookupByLibrary.simpleMessage("Favorite"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("Feedback"), - "file": MessageLookupByLibrary.simpleMessage("File"), - "fileAnalysisFailed": - MessageLookupByLibrary.simpleMessage("Unable to analyze file"), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Failed to save file to gallery"), - "fileInfoAddDescHint": - MessageLookupByLibrary.simpleMessage("Add a description..."), - "fileNotUploadedYet": - MessageLookupByLibrary.simpleMessage("File not uploaded yet"), - "fileSavedToGallery": - MessageLookupByLibrary.simpleMessage("File saved to gallery"), - "fileTypes": MessageLookupByLibrary.simpleMessage("File types"), - "fileTypesAndNames": - MessageLookupByLibrary.simpleMessage("File types and names"), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage("Files deleted"), - "filesSavedToGallery": - MessageLookupByLibrary.simpleMessage("Files saved to gallery"), - "findPeopleByName": - MessageLookupByLibrary.simpleMessage("Find people quickly by name"), - "findThemQuickly": - MessageLookupByLibrary.simpleMessage("Find them quickly"), - "flip": MessageLookupByLibrary.simpleMessage("Flip"), - "food": MessageLookupByLibrary.simpleMessage("Culinary delight"), - "forYourMemories": - MessageLookupByLibrary.simpleMessage("for your memories"), - "forgotPassword": - MessageLookupByLibrary.simpleMessage("Forgot password"), - "foundFaces": MessageLookupByLibrary.simpleMessage("Found faces"), - "freeStorageClaimed": - MessageLookupByLibrary.simpleMessage("Free storage claimed"), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": - MessageLookupByLibrary.simpleMessage("Free storage usable"), - "freeTrial": MessageLookupByLibrary.simpleMessage("Free trial"), - "freeTrialValidTill": m38, - "freeUpAccessPostDelete": m39, - "freeUpAmount": m40, - "freeUpDeviceSpace": - MessageLookupByLibrary.simpleMessage("Free up device space"), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Save space on your device by clearing files that have been already backed up."), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("Free up space"), - "freeUpSpaceSaving": m41, - "gallery": MessageLookupByLibrary.simpleMessage("Gallery"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "Up to 1000 memories shown in gallery"), - "general": MessageLookupByLibrary.simpleMessage("General"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Generating encryption keys..."), - "genericProgress": m42, - "goToSettings": MessageLookupByLibrary.simpleMessage("Go to settings"), - "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Please allow access to all photos in the Settings app"), - "grantPermission": - MessageLookupByLibrary.simpleMessage("Grant permission"), - "greenery": MessageLookupByLibrary.simpleMessage("The green life"), - "groupNearbyPhotos": - MessageLookupByLibrary.simpleMessage("Group nearby photos"), - "guestView": MessageLookupByLibrary.simpleMessage("Guest view"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "To enable guest view, please setup device passcode or screen lock in your system settings."), - "happyBirthday": - MessageLookupByLibrary.simpleMessage("Happy birthday! 🥳"), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "We don\'t track app installs. It\'d help if you told us where you found us!"), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "How did you hear about Ente? (optional)"), - "help": MessageLookupByLibrary.simpleMessage("Help"), - "hidden": MessageLookupByLibrary.simpleMessage("Hidden"), - "hide": MessageLookupByLibrary.simpleMessage("Hide"), - "hideContent": MessageLookupByLibrary.simpleMessage("Hide content"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Hides app content in the app switcher and disables screenshots"), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Hides app content in the app switcher"), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "Hide shared items from home gallery"), - "hiding": MessageLookupByLibrary.simpleMessage("Hiding..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": - MessageLookupByLibrary.simpleMessage("Hosted at OSM France"), - "howItWorks": MessageLookupByLibrary.simpleMessage("How it works"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Please ask them to long-press their email address on the settings screen, and verify that the IDs on both devices match."), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Biometric authentication is not set up on your device. Please either enable Touch ID or Face ID on your phone."), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "Biometric authentication is disabled. Please lock and unlock your screen to enable it."), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), - "ignore": MessageLookupByLibrary.simpleMessage("Ignore"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignore"), - "ignored": MessageLookupByLibrary.simpleMessage("ignored"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Some files in this album are ignored from upload because they had previously been deleted from Ente."), - "imageNotAnalyzed": - MessageLookupByLibrary.simpleMessage("Image not analyzed"), - "immediately": MessageLookupByLibrary.simpleMessage("Immediately"), - "importing": MessageLookupByLibrary.simpleMessage("Importing...."), - "incorrectCode": MessageLookupByLibrary.simpleMessage("Incorrect code"), - "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("Incorrect password"), - "incorrectRecoveryKey": - MessageLookupByLibrary.simpleMessage("Incorrect recovery key"), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "The recovery key you entered is incorrect"), - "incorrectRecoveryKeyTitle": - MessageLookupByLibrary.simpleMessage("Incorrect recovery key"), - "indexedItems": MessageLookupByLibrary.simpleMessage("Indexed items"), - "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( - "Indexing is paused. It will automatically resume when the device is ready. The device is considered ready when its battery level, battery health, and thermal status are within a healthy range."), - "ineligible": MessageLookupByLibrary.simpleMessage("Ineligible"), - "info": MessageLookupByLibrary.simpleMessage("Info"), - "insecureDevice": - MessageLookupByLibrary.simpleMessage("Insecure device"), - "installManually": - MessageLookupByLibrary.simpleMessage("Install manually"), - "invalidEmailAddress": - MessageLookupByLibrary.simpleMessage("Invalid email address"), - "invalidEndpoint": - MessageLookupByLibrary.simpleMessage("Invalid endpoint"), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Sorry, the endpoint you entered is invalid. Please enter a valid endpoint and try again."), - "invalidKey": MessageLookupByLibrary.simpleMessage("Invalid key"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "The recovery key you entered is not valid. Please make sure it contains 24 words, and check the spelling of each.\n\nIf you entered an older recovery code, make sure it is 64 characters long, and check each of them."), - "invite": MessageLookupByLibrary.simpleMessage("Invite"), - "inviteToEnte": MessageLookupByLibrary.simpleMessage("Invite to Ente"), - "inviteYourFriends": - MessageLookupByLibrary.simpleMessage("Invite your friends"), - "inviteYourFriendsToEnte": - MessageLookupByLibrary.simpleMessage("Invite your friends to Ente"), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "It looks like something went wrong. Please retry after some time. If the error persists, please contact our support team."), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "Items show the number of days remaining before permanent deletion"), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Selected items will be removed from this album"), - "join": MessageLookupByLibrary.simpleMessage("Join"), - "joinAlbum": MessageLookupByLibrary.simpleMessage("Join album"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "Joining an album will make your email visible to its participants."), - "joinAlbumSubtext": - MessageLookupByLibrary.simpleMessage("to view and add your photos"), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "to add this to shared albums"), - "joinDiscord": MessageLookupByLibrary.simpleMessage("Join Discord"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Keep Photos"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Kindly help us with this information"), - "language": MessageLookupByLibrary.simpleMessage("Language"), - "lastTimeWithThem": m45, - "lastUpdated": MessageLookupByLibrary.simpleMessage("Last updated"), - "lastYearsTrip": - MessageLookupByLibrary.simpleMessage("Last year\'s trip"), - "leave": MessageLookupByLibrary.simpleMessage("Leave"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Leave album"), - "leaveFamily": MessageLookupByLibrary.simpleMessage("Leave family"), - "leaveSharedAlbum": - MessageLookupByLibrary.simpleMessage("Leave shared album?"), - "left": MessageLookupByLibrary.simpleMessage("Left"), - "legacy": MessageLookupByLibrary.simpleMessage("Legacy"), - "legacyAccounts": - MessageLookupByLibrary.simpleMessage("Legacy accounts"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "Legacy allows trusted contacts to access your account in your absence."), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "Trusted contacts can initiate account recovery, and if not blocked within 30 days, reset your password and access your account."), - "light": MessageLookupByLibrary.simpleMessage("Light"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Light"), - "link": MessageLookupByLibrary.simpleMessage("Link"), - "linkCopiedToClipboard": - MessageLookupByLibrary.simpleMessage("Link copied to clipboard"), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Device limit"), - "linkEmail": MessageLookupByLibrary.simpleMessage("Link email"), - "linkEmailToContactBannerCaption": - MessageLookupByLibrary.simpleMessage("for faster sharing"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Enabled"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Expired"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Link expiry"), - "linkHasExpired": - MessageLookupByLibrary.simpleMessage("Link has expired"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Never"), - "linkPerson": MessageLookupByLibrary.simpleMessage("Link person"), - "linkPersonCaption": MessageLookupByLibrary.simpleMessage( - "for better sharing experience"), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("Live Photos"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "You can share your subscription with your family"), - "loadMessage2": MessageLookupByLibrary.simpleMessage( - "We have preserved over 200 million memories so far"), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "We keep 3 copies of your data, one in an underground fallout shelter"), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "All our apps are open source"), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Our source code and cryptography have been externally audited"), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "You can share links to your albums with your loved ones"), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Our mobile apps run in the background to encrypt and backup any new photos you click"), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io has a slick uploader"), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "We use Xchacha20Poly1305 to safely encrypt your data"), - "loadingExifData": - MessageLookupByLibrary.simpleMessage("Loading EXIF data..."), - "loadingGallery": - MessageLookupByLibrary.simpleMessage("Loading gallery..."), - "loadingMessage": - MessageLookupByLibrary.simpleMessage("Loading your photos..."), - "loadingModel": - MessageLookupByLibrary.simpleMessage("Downloading models..."), - "loadingYourPhotos": - MessageLookupByLibrary.simpleMessage("Loading your photos..."), - "localGallery": MessageLookupByLibrary.simpleMessage("Local gallery"), - "localIndexing": MessageLookupByLibrary.simpleMessage("Local indexing"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Looks like something went wrong since local photos sync is taking more time than expected. Please reach out to our support team"), - "location": MessageLookupByLibrary.simpleMessage("Location"), - "locationName": MessageLookupByLibrary.simpleMessage("Location name"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "A location tag groups all photos that were taken within some radius of a photo"), - "locations": MessageLookupByLibrary.simpleMessage("Locations"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Lock"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Lockscreen"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Log in"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Logging out..."), - "loginSessionExpired": - MessageLookupByLibrary.simpleMessage("Session expired"), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "Your session has expired. Please login again."), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "By clicking log in, I agree to the terms of service and privacy policy"), - "loginWithTOTP": - MessageLookupByLibrary.simpleMessage("Login with TOTP"), - "logout": MessageLookupByLibrary.simpleMessage("Logout"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "This will send across logs to help us debug your issue. Please note that file names will be included to help track issues with specific files."), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Long press an email to verify end to end encryption."), - "longpressOnAnItemToViewInFullscreen": - MessageLookupByLibrary.simpleMessage( - "Long-press on an item to view in full-screen"), - "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( - "Look back on your memories 🌄"), - "loopVideoOff": MessageLookupByLibrary.simpleMessage("Loop video off"), - "loopVideoOn": MessageLookupByLibrary.simpleMessage("Loop video on"), - "lostDevice": MessageLookupByLibrary.simpleMessage("Lost device?"), - "machineLearning": - MessageLookupByLibrary.simpleMessage("Machine learning"), - "magicSearch": MessageLookupByLibrary.simpleMessage("Magic search"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "Magic search allows to search photos by their contents, e.g. \'flower\', \'red car\', \'identity documents\'"), - "manage": MessageLookupByLibrary.simpleMessage("Manage"), - "manageDeviceStorage": - MessageLookupByLibrary.simpleMessage("Manage device cache"), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Review and clear local cache storage."), - "manageFamily": MessageLookupByLibrary.simpleMessage("Manage Family"), - "manageLink": MessageLookupByLibrary.simpleMessage("Manage link"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Manage"), - "manageSubscription": - MessageLookupByLibrary.simpleMessage("Manage subscription"), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "Pair with PIN works with any screen you wish to view your album on."), - "map": MessageLookupByLibrary.simpleMessage("Map"), - "maps": MessageLookupByLibrary.simpleMessage("Maps"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("Me"), - "memories": MessageLookupByLibrary.simpleMessage("Memories"), - "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Select the kind of memories you wish to see on your homescreen."), - "memoryCount": m50, - "merchandise": MessageLookupByLibrary.simpleMessage("Merchandise"), - "merge": MessageLookupByLibrary.simpleMessage("Merge"), - "mergeWithExisting": - MessageLookupByLibrary.simpleMessage("Merge with existing"), - "mergedPhotos": MessageLookupByLibrary.simpleMessage("Merged photos"), - "mlConsent": - MessageLookupByLibrary.simpleMessage("Enable machine learning"), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "I understand, and wish to enable machine learning"), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "If you enable machine learning, Ente will extract information like face geometry from files, including those shared with you.\n\nThis will happen on your device, and any generated biometric information will be end-to-end encrypted."), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Please click here for more details about this feature in our privacy policy"), - "mlConsentTitle": - MessageLookupByLibrary.simpleMessage("Enable machine learning?"), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Please note that machine learning will result in a higher bandwidth and battery usage until all items are indexed. Consider using the desktop app for faster indexing, all results will be synced automatically."), - "mobileWebDesktop": - MessageLookupByLibrary.simpleMessage("Mobile, Web, Desktop"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Moderate"), - "modifyYourQueryOrTrySearchingFor": - MessageLookupByLibrary.simpleMessage( - "Modify your query, or try searching for"), - "moments": MessageLookupByLibrary.simpleMessage("Moments"), - "month": MessageLookupByLibrary.simpleMessage("month"), - "monthly": MessageLookupByLibrary.simpleMessage("Monthly"), - "moon": MessageLookupByLibrary.simpleMessage("In the moonlight"), - "moreDetails": MessageLookupByLibrary.simpleMessage("More details"), - "mostRecent": MessageLookupByLibrary.simpleMessage("Most recent"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("Most relevant"), - "mountains": MessageLookupByLibrary.simpleMessage("Over the hills"), - "moveItem": m51, - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "Move selected photos to one date"), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("Move to album"), - "moveToHiddenAlbum": - MessageLookupByLibrary.simpleMessage("Move to hidden album"), - "movedSuccessfullyTo": m52, - "movedToTrash": MessageLookupByLibrary.simpleMessage("Moved to trash"), - "movingFilesToAlbum": - MessageLookupByLibrary.simpleMessage("Moving files to album..."), - "name": MessageLookupByLibrary.simpleMessage("Name"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Name the album"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Unable to connect to Ente, please retry after sometime. If the error persists, please contact support."), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Unable to connect to Ente, please check your network settings and contact support if the error persists."), - "never": MessageLookupByLibrary.simpleMessage("Never"), - "newAlbum": MessageLookupByLibrary.simpleMessage("New album"), - "newLocation": MessageLookupByLibrary.simpleMessage("New location"), - "newPerson": MessageLookupByLibrary.simpleMessage("New person"), - "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" new 📸"), - "newRange": MessageLookupByLibrary.simpleMessage("New range"), - "newToEnte": MessageLookupByLibrary.simpleMessage("New to Ente"), - "newest": MessageLookupByLibrary.simpleMessage("Newest"), - "next": MessageLookupByLibrary.simpleMessage("Next"), - "no": MessageLookupByLibrary.simpleMessage("No"), - "noAlbumsSharedByYouYet": - MessageLookupByLibrary.simpleMessage("No albums shared by you yet"), - "noDeviceFound": - MessageLookupByLibrary.simpleMessage("No device found"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("None"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "You\'ve no files on this device that can be deleted"), - "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ No duplicates"), - "noEnteAccountExclamation": - MessageLookupByLibrary.simpleMessage("No Ente account!"), - "noExifData": MessageLookupByLibrary.simpleMessage("No EXIF data"), - "noFacesFound": MessageLookupByLibrary.simpleMessage("No faces found"), - "noHiddenPhotosOrVideos": - MessageLookupByLibrary.simpleMessage("No hidden photos or videos"), - "noImagesWithLocation": - MessageLookupByLibrary.simpleMessage("No images with location"), - "noInternetConnection": - MessageLookupByLibrary.simpleMessage("No internet connection"), - "noPhotosAreBeingBackedUpRightNow": - MessageLookupByLibrary.simpleMessage( - "No photos are being backed up right now"), - "noPhotosFoundHere": - MessageLookupByLibrary.simpleMessage("No photos found here"), - "noQuickLinksSelected": - MessageLookupByLibrary.simpleMessage("No quick links selected"), - "noRecoveryKey": - MessageLookupByLibrary.simpleMessage("No recovery key?"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Due to the nature of our end-to-end encryption protocol, your data cannot be decrypted without your password or recovery key"), - "noResults": MessageLookupByLibrary.simpleMessage("No results"), - "noResultsFound": - MessageLookupByLibrary.simpleMessage("No results found"), - "noSuggestionsForPerson": m53, - "noSystemLockFound": - MessageLookupByLibrary.simpleMessage("No system lock found"), - "notPersonLabel": m54, - "notThisPerson": - MessageLookupByLibrary.simpleMessage("Not this person?"), - "nothingSharedWithYouYet": - MessageLookupByLibrary.simpleMessage("Nothing shared with you yet"), - "nothingToSeeHere": - MessageLookupByLibrary.simpleMessage("Nothing to see here! 👀"), - "notifications": MessageLookupByLibrary.simpleMessage("Notifications"), - "ok": MessageLookupByLibrary.simpleMessage("Ok"), - "onDevice": MessageLookupByLibrary.simpleMessage("On device"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "On ente"), - "onTheRoad": MessageLookupByLibrary.simpleMessage("On the road again"), - "onThisDay": MessageLookupByLibrary.simpleMessage("On this day"), - "onThisDayMemories": - MessageLookupByLibrary.simpleMessage("On this day memories"), - "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( - "Receive reminders about memories from this day in previous years."), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Only them"), - "oops": MessageLookupByLibrary.simpleMessage("Oops"), - "oopsCouldNotSaveEdits": - MessageLookupByLibrary.simpleMessage("Oops, could not save edits"), - "oopsSomethingWentWrong": - MessageLookupByLibrary.simpleMessage("Oops, something went wrong"), - "openAlbumInBrowser": - MessageLookupByLibrary.simpleMessage("Open album in browser"), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Please use the web app to add photos to this album"), - "openFile": MessageLookupByLibrary.simpleMessage("Open file"), - "openSettings": MessageLookupByLibrary.simpleMessage("Open Settings"), - "openTheItem": MessageLookupByLibrary.simpleMessage("• Open the item"), - "openstreetmapContributors": - MessageLookupByLibrary.simpleMessage("OpenStreetMap contributors"), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Optional, as short as you like..."), - "orMergeWithExistingPerson": - MessageLookupByLibrary.simpleMessage("Or merge with existing"), - "orPickAnExistingOne": - MessageLookupByLibrary.simpleMessage("Or pick an existing one"), - "orPickFromYourContacts": - MessageLookupByLibrary.simpleMessage("or pick from your contacts"), - "otherDetectedFaces": - MessageLookupByLibrary.simpleMessage("Other detected faces"), - "pair": MessageLookupByLibrary.simpleMessage("Pair"), - "pairWithPin": MessageLookupByLibrary.simpleMessage("Pair with PIN"), - "pairingComplete": - MessageLookupByLibrary.simpleMessage("Pairing complete"), - "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), - "partyWithThem": m56, - "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( - "Verification is still pending"), - "passkey": MessageLookupByLibrary.simpleMessage("Passkey"), - "passkeyAuthTitle": - MessageLookupByLibrary.simpleMessage("Passkey verification"), - "password": MessageLookupByLibrary.simpleMessage("Password"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Password changed successfully"), - "passwordLock": MessageLookupByLibrary.simpleMessage("Password lock"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "Password strength is calculated considering the length of the password, used characters, and whether or not the password appears in the top 10,000 most used passwords"), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "We don\'t store this password, so if you forget, we cannot decrypt your data"), - "pastYearsMemories": - MessageLookupByLibrary.simpleMessage("Past years\' memories"), - "paymentDetails": - MessageLookupByLibrary.simpleMessage("Payment details"), - "paymentFailed": MessageLookupByLibrary.simpleMessage("Payment failed"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "Unfortunately your payment failed. Please contact support and we\'ll help you out!"), - "paymentFailedTalkToProvider": m58, - "pendingItems": MessageLookupByLibrary.simpleMessage("Pending items"), - "pendingSync": MessageLookupByLibrary.simpleMessage("Pending sync"), - "people": MessageLookupByLibrary.simpleMessage("People"), - "peopleUsingYourCode": - MessageLookupByLibrary.simpleMessage("People using your code"), - "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Select the people you wish to see on your homescreen."), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "All items in trash will be permanently deleted\n\nThis action cannot be undone"), - "permanentlyDelete": - MessageLookupByLibrary.simpleMessage("Permanently delete"), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Permanently delete from device?"), - "personIsAge": m59, - "personName": MessageLookupByLibrary.simpleMessage("Person name"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("Furry companions"), - "photoDescriptions": - MessageLookupByLibrary.simpleMessage("Photo descriptions"), - "photoGridSize": - MessageLookupByLibrary.simpleMessage("Photo grid size"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("photo"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("Photos"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "Photos added by you will be removed from the album"), - "photosCount": m62, - "photosKeepRelativeTimeDifference": - MessageLookupByLibrary.simpleMessage( - "Photos keep relative time difference"), - "pickCenterPoint": - MessageLookupByLibrary.simpleMessage("Pick center point"), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Pin album"), - "pinLock": MessageLookupByLibrary.simpleMessage("PIN lock"), - "playOnTv": MessageLookupByLibrary.simpleMessage("Play album on TV"), - "playOriginal": MessageLookupByLibrary.simpleMessage("Play original"), - "playStoreFreeTrialValidTill": m63, - "playStream": MessageLookupByLibrary.simpleMessage("Play stream"), - "playstoreSubscription": - MessageLookupByLibrary.simpleMessage("PlayStore subscription"), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Please check your internet connection and try again."), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Please contact support@ente.io and we will be happy to help!"), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Please contact support if the problem persists"), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": - MessageLookupByLibrary.simpleMessage("Please grant permissions"), - "pleaseLoginAgain": - MessageLookupByLibrary.simpleMessage("Please login again"), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Please select quick links to remove"), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": - MessageLookupByLibrary.simpleMessage("Please try again"), - "pleaseVerifyTheCodeYouHaveEntered": - MessageLookupByLibrary.simpleMessage( - "Please verify the code you have entered"), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Please wait..."), - "pleaseWaitDeletingAlbum": - MessageLookupByLibrary.simpleMessage("Please wait, deleting album"), - "pleaseWaitForSometimeBeforeRetrying": - MessageLookupByLibrary.simpleMessage( - "Please wait for sometime before retrying"), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "Please wait, this will take a while."), - "posingWithThem": m66, - "preparingLogs": - MessageLookupByLibrary.simpleMessage("Preparing logs..."), - "preserveMore": MessageLookupByLibrary.simpleMessage("Preserve more"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Press and hold to play video"), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Press and hold on the image to play video"), - "previous": MessageLookupByLibrary.simpleMessage("Previous"), - "privacy": MessageLookupByLibrary.simpleMessage("Privacy"), - "privacyPolicyTitle": - MessageLookupByLibrary.simpleMessage("Privacy Policy"), - "privateBackups": - MessageLookupByLibrary.simpleMessage("Private backups"), - "privateSharing": - MessageLookupByLibrary.simpleMessage("Private sharing"), - "proceed": MessageLookupByLibrary.simpleMessage("Proceed"), - "processed": MessageLookupByLibrary.simpleMessage("Processed"), - "processing": MessageLookupByLibrary.simpleMessage("Processing"), - "processingImport": m67, - "processingVideos": - MessageLookupByLibrary.simpleMessage("Processing videos"), - "publicLinkCreated": - MessageLookupByLibrary.simpleMessage("Public link created"), - "publicLinkEnabled": - MessageLookupByLibrary.simpleMessage("Public link enabled"), - "questionmark": MessageLookupByLibrary.simpleMessage("?"), - "queued": MessageLookupByLibrary.simpleMessage("Queued"), - "quickLinks": MessageLookupByLibrary.simpleMessage("Quick links"), - "radius": MessageLookupByLibrary.simpleMessage("Radius"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Raise ticket"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("Rate the app"), - "rateUs": MessageLookupByLibrary.simpleMessage("Rate us"), - "rateUsOnStore": m68, - "reassignMe": MessageLookupByLibrary.simpleMessage("Reassign \"Me\""), - "reassignedToName": m69, - "reassigningLoading": - MessageLookupByLibrary.simpleMessage("Reassigning..."), - "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( - "Receive reminders when it\'s someone\'s birthday. Tapping on the notification will take you to photos of the birthday person."), - "recover": MessageLookupByLibrary.simpleMessage("Recover"), - "recoverAccount": - MessageLookupByLibrary.simpleMessage("Recover account"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Recover"), - "recoveryAccount": - MessageLookupByLibrary.simpleMessage("Recover account"), - "recoveryInitiated": - MessageLookupByLibrary.simpleMessage("Recovery initiated"), - "recoveryInitiatedDesc": m70, - "recoveryKey": MessageLookupByLibrary.simpleMessage("Recovery key"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Recovery key copied to clipboard"), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "If you forget your password, the only way you can recover your data is with this key."), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "We don\'t store this key, please save this 24 word key in a safe place."), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Great! Your recovery key is valid. Thank you for verifying.\n\nPlease remember to keep your recovery key safely backed up."), - "recoveryKeyVerified": - MessageLookupByLibrary.simpleMessage("Recovery key verified"), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Your recovery key is the only way to recover your photos if you forget your password. You can find your recovery key in Settings > Account.\n\nPlease enter your recovery key here to verify that you have saved it correctly."), - "recoveryReady": m71, - "recoverySuccessful": - MessageLookupByLibrary.simpleMessage("Recovery successful!"), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "A trusted contact is trying to access your account"), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "The current device is not powerful enough to verify your password, but we can regenerate in a way that works with all devices.\n\nPlease login using your recovery key and regenerate your password (you can use the same one again if you wish)."), - "recreatePasswordTitle": - MessageLookupByLibrary.simpleMessage("Recreate password"), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": - MessageLookupByLibrary.simpleMessage("Re-enter password"), - "reenterPin": MessageLookupByLibrary.simpleMessage("Re-enter PIN"), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Refer friends and 2x your plan"), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Give this code to your friends"), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. They sign up for a paid plan"), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Referrals"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "Referrals are currently paused"), - "rejectRecovery": - MessageLookupByLibrary.simpleMessage("Reject recovery"), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "Also empty \"Recently Deleted\" from \"Settings\" -> \"Storage\" to claim the freed space"), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Also empty your \"Trash\" to claim the freed up space"), - "remoteImages": MessageLookupByLibrary.simpleMessage("Remote images"), - "remoteThumbnails": - MessageLookupByLibrary.simpleMessage("Remote thumbnails"), - "remoteVideos": MessageLookupByLibrary.simpleMessage("Remote videos"), - "remove": MessageLookupByLibrary.simpleMessage("Remove"), - "removeDuplicates": - MessageLookupByLibrary.simpleMessage("Remove duplicates"), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Review and remove files that are exact duplicates."), - "removeFromAlbum": - MessageLookupByLibrary.simpleMessage("Remove from album"), - "removeFromAlbumTitle": - MessageLookupByLibrary.simpleMessage("Remove from album?"), - "removeFromFavorite": - MessageLookupByLibrary.simpleMessage("Remove from favorites"), - "removeInvite": MessageLookupByLibrary.simpleMessage("Remove invite"), - "removeLink": MessageLookupByLibrary.simpleMessage("Remove link"), - "removeParticipant": - MessageLookupByLibrary.simpleMessage("Remove participant"), - "removeParticipantBody": m74, - "removePersonLabel": - MessageLookupByLibrary.simpleMessage("Remove person label"), - "removePublicLink": - MessageLookupByLibrary.simpleMessage("Remove public link"), - "removePublicLinks": - MessageLookupByLibrary.simpleMessage("Remove public links"), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Some of the items you are removing were added by other people, and you will lose access to them"), - "removeWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Remove?"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Remove yourself as trusted contact"), - "removingFromFavorites": - MessageLookupByLibrary.simpleMessage("Removing from favorites..."), - "rename": MessageLookupByLibrary.simpleMessage("Rename"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("Rename album"), - "renameFile": MessageLookupByLibrary.simpleMessage("Rename file"), - "renewSubscription": - MessageLookupByLibrary.simpleMessage("Renew subscription"), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Report a bug"), - "reportBug": MessageLookupByLibrary.simpleMessage("Report bug"), - "resendEmail": MessageLookupByLibrary.simpleMessage("Resend email"), - "reset": MessageLookupByLibrary.simpleMessage("Reset"), - "resetIgnoredFiles": - MessageLookupByLibrary.simpleMessage("Reset ignored files"), - "resetPasswordTitle": - MessageLookupByLibrary.simpleMessage("Reset password"), - "resetPerson": MessageLookupByLibrary.simpleMessage("Remove"), - "resetToDefault": - MessageLookupByLibrary.simpleMessage("Reset to default"), - "restore": MessageLookupByLibrary.simpleMessage("Restore"), - "restoreToAlbum": - MessageLookupByLibrary.simpleMessage("Restore to album"), - "restoringFiles": - MessageLookupByLibrary.simpleMessage("Restoring files..."), - "resumableUploads": - MessageLookupByLibrary.simpleMessage("Resumable uploads"), - "retry": MessageLookupByLibrary.simpleMessage("Retry"), - "review": MessageLookupByLibrary.simpleMessage("Review"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Please review and delete the items you believe are duplicates."), - "reviewSuggestions": - MessageLookupByLibrary.simpleMessage("Review suggestions"), - "right": MessageLookupByLibrary.simpleMessage("Right"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("Rotate"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Rotate left"), - "rotateRight": MessageLookupByLibrary.simpleMessage("Rotate right"), - "safelyStored": MessageLookupByLibrary.simpleMessage("Safely stored"), - "same": MessageLookupByLibrary.simpleMessage("Same"), - "sameperson": MessageLookupByLibrary.simpleMessage("Same person?"), - "save": MessageLookupByLibrary.simpleMessage("Save"), - "saveAsAnotherPerson": - MessageLookupByLibrary.simpleMessage("Save as another person"), - "saveChangesBeforeLeavingQuestion": - MessageLookupByLibrary.simpleMessage( - "Save changes before leaving?"), - "saveCollage": MessageLookupByLibrary.simpleMessage("Save collage"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Save copy"), - "saveKey": MessageLookupByLibrary.simpleMessage("Save key"), - "savePerson": MessageLookupByLibrary.simpleMessage("Save person"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Save your recovery key if you haven\'t already"), - "saving": MessageLookupByLibrary.simpleMessage("Saving..."), - "savingEdits": MessageLookupByLibrary.simpleMessage("Saving edits..."), - "scanCode": MessageLookupByLibrary.simpleMessage("Scan code"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Scan this barcode with\nyour authenticator app"), - "search": MessageLookupByLibrary.simpleMessage("Search"), - "searchAlbumsEmptySection": - MessageLookupByLibrary.simpleMessage("Albums"), - "searchByAlbumNameHint": - MessageLookupByLibrary.simpleMessage("Album name"), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Album names (e.g. \"Camera\")\n• Types of files (e.g. \"Videos\", \".gif\")\n• Years and months (e.g. \"2022\", \"January\")\n• Holidays (e.g. \"Christmas\")\n• Photo descriptions (e.g. “#fun”)"), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Add descriptions like \"#trip\" in photo info to quickly find them here"), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Search by a date, month or year"), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "Images will be shown here once processing and syncing is complete"), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "People will be shown here once indexing is done"), - "searchFileTypesAndNamesEmptySection": - MessageLookupByLibrary.simpleMessage("File types and names"), - "searchHint1": - MessageLookupByLibrary.simpleMessage("Fast, on-device search"), - "searchHint2": - MessageLookupByLibrary.simpleMessage("Photo dates, descriptions"), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "Albums, file names, and types"), - "searchHint4": MessageLookupByLibrary.simpleMessage("Location"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "Coming soon: Faces & magic search ✨"), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Group photos that are taken within some radius of a photo"), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "Invite people, and you\'ll see all photos shared by them here"), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "People will be shown here once processing and syncing is complete"), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Security"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "See public album links in app"), - "selectALocation": - MessageLookupByLibrary.simpleMessage("Select a location"), - "selectALocationFirst": - MessageLookupByLibrary.simpleMessage("Select a location first"), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Select album"), - "selectAll": MessageLookupByLibrary.simpleMessage("Select all"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("All"), - "selectCoverPhoto": - MessageLookupByLibrary.simpleMessage("Select cover photo"), - "selectDate": MessageLookupByLibrary.simpleMessage("Select date"), - "selectFoldersForBackup": - MessageLookupByLibrary.simpleMessage("Select folders for backup"), - "selectItemsToAdd": - MessageLookupByLibrary.simpleMessage("Select items to add"), - "selectLanguage": - MessageLookupByLibrary.simpleMessage("Select Language"), - "selectMailApp": - MessageLookupByLibrary.simpleMessage("Select mail app"), - "selectMorePhotos": - MessageLookupByLibrary.simpleMessage("Select more photos"), - "selectOneDateAndTime": - MessageLookupByLibrary.simpleMessage("Select one date and time"), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "Select one date and time for all"), - "selectPersonToLink": - MessageLookupByLibrary.simpleMessage("Select person to link"), - "selectReason": MessageLookupByLibrary.simpleMessage("Select reason"), - "selectStartOfRange": - MessageLookupByLibrary.simpleMessage("Select start of range"), - "selectTime": MessageLookupByLibrary.simpleMessage("Select time"), - "selectYourFace": - MessageLookupByLibrary.simpleMessage("Select your face"), - "selectYourPlan": - MessageLookupByLibrary.simpleMessage("Select your plan"), - "selectedAlbums": m79, - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Selected files are not on Ente"), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Selected folders will be encrypted and backed up"), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Selected items will be deleted from all albums and moved to trash."), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "Selected items will be removed from this person, but not deleted from your library."), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("Send"), - "sendEmail": MessageLookupByLibrary.simpleMessage("Send email"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Send invite"), - "sendLink": MessageLookupByLibrary.simpleMessage("Send link"), - "serverEndpoint": - MessageLookupByLibrary.simpleMessage("Server endpoint"), - "sessionExpired": - MessageLookupByLibrary.simpleMessage("Session expired"), - "sessionIdMismatch": - MessageLookupByLibrary.simpleMessage("Session ID mismatch"), - "setAPassword": MessageLookupByLibrary.simpleMessage("Set a password"), - "setAs": MessageLookupByLibrary.simpleMessage("Set as"), - "setCover": MessageLookupByLibrary.simpleMessage("Set cover"), - "setLabel": MessageLookupByLibrary.simpleMessage("Set"), - "setNewPassword": - MessageLookupByLibrary.simpleMessage("Set new password"), - "setNewPin": MessageLookupByLibrary.simpleMessage("Set new PIN"), - "setPasswordTitle": - MessageLookupByLibrary.simpleMessage("Set password"), - "setRadius": MessageLookupByLibrary.simpleMessage("Set radius"), - "setupComplete": MessageLookupByLibrary.simpleMessage("Setup complete"), - "share": MessageLookupByLibrary.simpleMessage("Share"), - "shareALink": MessageLookupByLibrary.simpleMessage("Share a link"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Open an album and tap the share button on the top right to share."), - "shareAnAlbumNow": - MessageLookupByLibrary.simpleMessage("Share an album now"), - "shareLink": MessageLookupByLibrary.simpleMessage("Share link"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Share only with the people you want"), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Download Ente so we can easily share original quality photos and videos\n\nhttps://ente.io"), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": - MessageLookupByLibrary.simpleMessage("Share with non-Ente users"), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": - MessageLookupByLibrary.simpleMessage("Share your first album"), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Create shared and collaborative albums with other Ente users, including users on free plans."), - "sharedByMe": MessageLookupByLibrary.simpleMessage("Shared by me"), - "sharedByYou": MessageLookupByLibrary.simpleMessage("Shared by you"), - "sharedPhotoNotifications": - MessageLookupByLibrary.simpleMessage("New shared photos"), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Receive notifications when someone adds a photo to a shared album that you\'re a part of"), - "sharedWith": m87, - "sharedWithMe": MessageLookupByLibrary.simpleMessage("Shared with me"), - "sharedWithYou": - MessageLookupByLibrary.simpleMessage("Shared with you"), - "sharing": MessageLookupByLibrary.simpleMessage("Sharing..."), - "shiftDatesAndTime": - MessageLookupByLibrary.simpleMessage("Shift dates and time"), - "showLessFaces": - MessageLookupByLibrary.simpleMessage("Show less faces"), - "showMemories": MessageLookupByLibrary.simpleMessage("Show memories"), - "showMoreFaces": - MessageLookupByLibrary.simpleMessage("Show more faces"), - "showPerson": MessageLookupByLibrary.simpleMessage("Show person"), - "signOutFromOtherDevices": - MessageLookupByLibrary.simpleMessage("Sign out from other devices"), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "If you think someone might know your password, you can force all other devices using your account to sign out."), - "signOutOtherDevices": - MessageLookupByLibrary.simpleMessage("Sign out other devices"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "I agree to the terms of service and privacy policy"), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "It will be deleted from all albums."), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Skip"), - "smartMemories": MessageLookupByLibrary.simpleMessage("Smart memories"), - "social": MessageLookupByLibrary.simpleMessage("Social"), - "someItemsAreInBothEnteAndYourDevice": - MessageLookupByLibrary.simpleMessage( - "Some items are in both Ente and your device."), - "someOfTheFilesYouAreTryingToDeleteAre": - MessageLookupByLibrary.simpleMessage( - "Some of the files you are trying to delete are only available on your device and cannot be recovered if deleted"), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Someone sharing albums with you should see the same ID on their device."), - "somethingWentWrong": - MessageLookupByLibrary.simpleMessage("Something went wrong"), - "somethingWentWrongPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Something went wrong, please try again"), - "sorry": MessageLookupByLibrary.simpleMessage("Sorry"), - "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( - "Sorry, we could not backup this file right now, we will retry later."), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Sorry, could not add to favorites!"), - "sorryCouldNotRemoveFromFavorites": - MessageLookupByLibrary.simpleMessage( - "Sorry, could not remove from favorites!"), - "sorryTheCodeYouveEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "Sorry, the code you\'ve entered is incorrect"), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Sorry, we could not generate secure keys on this device.\n\nplease sign up from a different device."), - "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( - "Sorry, we had to pause your backups"), - "sort": MessageLookupByLibrary.simpleMessage("Sort"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sort by"), - "sortNewestFirst": MessageLookupByLibrary.simpleMessage("Newest first"), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Oldest first"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Success"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": - MessageLookupByLibrary.simpleMessage("Spotlight on yourself"), - "startAccountRecoveryTitle": - MessageLookupByLibrary.simpleMessage("Start recovery"), - "startBackup": MessageLookupByLibrary.simpleMessage("Start backup"), - "status": MessageLookupByLibrary.simpleMessage("Status"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "Do you want to stop casting?"), - "stopCastingTitle": - MessageLookupByLibrary.simpleMessage("Stop casting"), - "storage": MessageLookupByLibrary.simpleMessage("Storage"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Family"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("You"), - "storageInGB": m93, - "storageLimitExceeded": - MessageLookupByLibrary.simpleMessage("Storage limit exceeded"), - "storageUsageInfo": m94, - "streamDetails": MessageLookupByLibrary.simpleMessage("Stream details"), - "strongStrength": MessageLookupByLibrary.simpleMessage("Strong"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Subscribe"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "You need an active paid subscription to enable sharing."), - "subscription": MessageLookupByLibrary.simpleMessage("Subscription"), - "success": MessageLookupByLibrary.simpleMessage("Success"), - "successfullyArchived": - MessageLookupByLibrary.simpleMessage("Successfully archived"), - "successfullyHid": - MessageLookupByLibrary.simpleMessage("Successfully hid"), - "successfullyUnarchived": - MessageLookupByLibrary.simpleMessage("Successfully unarchived"), - "successfullyUnhid": - MessageLookupByLibrary.simpleMessage("Successfully unhid"), - "suggestFeatures": - MessageLookupByLibrary.simpleMessage("Suggest features"), - "sunrise": MessageLookupByLibrary.simpleMessage("On the horizon"), - "support": MessageLookupByLibrary.simpleMessage("Support"), - "syncProgress": m97, - "syncStopped": MessageLookupByLibrary.simpleMessage("Sync stopped"), - "syncing": MessageLookupByLibrary.simpleMessage("Syncing..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("System"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("tap to copy"), - "tapToEnterCode": - MessageLookupByLibrary.simpleMessage("Tap to enter code"), - "tapToUnlock": MessageLookupByLibrary.simpleMessage("Tap to unlock"), - "tapToUpload": MessageLookupByLibrary.simpleMessage("Tap to upload"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "It looks like something went wrong. Please retry after some time. If the error persists, please contact our support team."), - "terminate": MessageLookupByLibrary.simpleMessage("Terminate"), - "terminateSession": - MessageLookupByLibrary.simpleMessage("Terminate session?"), - "terms": MessageLookupByLibrary.simpleMessage("Terms"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Terms"), - "thankYou": MessageLookupByLibrary.simpleMessage("Thank you"), - "thankYouForSubscribing": - MessageLookupByLibrary.simpleMessage("Thank you for subscribing!"), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "The download could not be completed"), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "The link you are trying to access has expired."), - "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "The person groups will not be displayed in the people section anymore. Photos will remain untouched."), - "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "The person will not be displayed in the people section anymore. Photos will remain untouched."), - "theRecoveryKeyYouEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "The recovery key you entered is incorrect"), - "theme": MessageLookupByLibrary.simpleMessage("Theme"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "These items will be deleted from your device."), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "They will be deleted from all albums."), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "This action cannot be undone"), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "This album already has a collaborative link"), - "thisCanBeUsedToRecoverYourAccountIfYou": - MessageLookupByLibrary.simpleMessage( - "This can be used to recover your account if you lose your second factor"), - "thisDevice": MessageLookupByLibrary.simpleMessage("This device"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "This email is already in use"), - "thisImageHasNoExifData": - MessageLookupByLibrary.simpleMessage("This image has no exif data"), - "thisIsMeExclamation": - MessageLookupByLibrary.simpleMessage("This is me!"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "This is your Verification ID"), - "thisWeekThroughTheYears": - MessageLookupByLibrary.simpleMessage("This week through the years"), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "This will log you out of the following device:"), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "This will log you out of this device!"), - "thisWillMakeTheDateAndTimeOfAllSelected": - MessageLookupByLibrary.simpleMessage( - "This will make the date and time of all selected photos the same."), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "This will remove public links of all selected quick links."), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "To enable app lock, please setup device passcode or screen lock in your system settings."), - "toHideAPhotoOrVideo": - MessageLookupByLibrary.simpleMessage("To hide a photo or video"), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "To reset your password, please verify your email first."), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Today\'s logs"), - "tooManyIncorrectAttempts": - MessageLookupByLibrary.simpleMessage("Too many incorrect attempts"), - "total": MessageLookupByLibrary.simpleMessage("total"), - "totalSize": MessageLookupByLibrary.simpleMessage("Total size"), - "trash": MessageLookupByLibrary.simpleMessage("Trash"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Trim"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": - MessageLookupByLibrary.simpleMessage("Trusted contacts"), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Try again"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Turn on backup to automatically upload files added to this device folder to Ente."), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "2 months free on yearly plans"), - "twofactor": MessageLookupByLibrary.simpleMessage("Two-factor"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "Two-factor authentication has been disabled"), - "twofactorAuthenticationPageTitle": - MessageLookupByLibrary.simpleMessage("Two-factor authentication"), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "Two-factor authentication successfully reset"), - "twofactorSetup": - MessageLookupByLibrary.simpleMessage("Two-factor setup"), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("Unarchive"), - "unarchiveAlbum": - MessageLookupByLibrary.simpleMessage("Unarchive album"), - "unarchiving": MessageLookupByLibrary.simpleMessage("Unarchiving..."), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Sorry, this code is unavailable."), - "uncategorized": MessageLookupByLibrary.simpleMessage("Uncategorized"), - "unhide": MessageLookupByLibrary.simpleMessage("Unhide"), - "unhideToAlbum": - MessageLookupByLibrary.simpleMessage("Unhide to album"), - "unhiding": MessageLookupByLibrary.simpleMessage("Unhiding..."), - "unhidingFilesToAlbum": - MessageLookupByLibrary.simpleMessage("Unhiding files to album"), - "unlock": MessageLookupByLibrary.simpleMessage("Unlock"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("Unpin album"), - "unselectAll": MessageLookupByLibrary.simpleMessage("Unselect all"), - "update": MessageLookupByLibrary.simpleMessage("Update"), - "updateAvailable": - MessageLookupByLibrary.simpleMessage("Update available"), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Updating folder selection..."), - "upgrade": MessageLookupByLibrary.simpleMessage("Upgrade"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": - MessageLookupByLibrary.simpleMessage("Uploading files to album..."), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": - MessageLookupByLibrary.simpleMessage("Preserving 1 memory..."), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "Upto 50% off, until 4th Dec."), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "Usable storage is limited by your current plan. Excess claimed storage will automatically become usable when you upgrade your plan."), - "useAsCover": MessageLookupByLibrary.simpleMessage("Use as cover"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "Having trouble playing this video? Long press here to try a different player."), - "usePublicLinksForPeopleNotOnEnte": - MessageLookupByLibrary.simpleMessage( - "Use public links for people not on Ente"), - "useRecoveryKey": - MessageLookupByLibrary.simpleMessage("Use recovery key"), - "useSelectedPhoto": - MessageLookupByLibrary.simpleMessage("Use selected photo"), - "usedSpace": MessageLookupByLibrary.simpleMessage("Used space"), - "validTill": m110, - "verificationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Verification failed, please try again"), - "verificationId": - MessageLookupByLibrary.simpleMessage("Verification ID"), - "verify": MessageLookupByLibrary.simpleMessage("Verify"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("Verify email"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Verify"), - "verifyPasskey": MessageLookupByLibrary.simpleMessage("Verify passkey"), - "verifyPassword": - MessageLookupByLibrary.simpleMessage("Verify password"), - "verifying": MessageLookupByLibrary.simpleMessage("Verifying..."), - "verifyingRecoveryKey": - MessageLookupByLibrary.simpleMessage("Verifying recovery key..."), - "videoInfo": MessageLookupByLibrary.simpleMessage("Video Info"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), - "videoStreaming": - MessageLookupByLibrary.simpleMessage("Streamable videos"), - "videos": MessageLookupByLibrary.simpleMessage("Videos"), - "viewActiveSessions": - MessageLookupByLibrary.simpleMessage("View active sessions"), - "viewAddOnButton": MessageLookupByLibrary.simpleMessage("View add-ons"), - "viewAll": MessageLookupByLibrary.simpleMessage("View all"), - "viewAllExifData": - MessageLookupByLibrary.simpleMessage("View all EXIF data"), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Large files"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "View files that are consuming the most amount of storage."), - "viewLogs": MessageLookupByLibrary.simpleMessage("View logs"), - "viewPersonToUnlink": m112, - "viewRecoveryKey": - MessageLookupByLibrary.simpleMessage("View recovery key"), - "viewer": MessageLookupByLibrary.simpleMessage("Viewer"), - "viewersSuccessfullyAdded": m113, - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Please visit web.ente.io to manage your subscription"), - "waitingForVerification": - MessageLookupByLibrary.simpleMessage("Waiting for verification..."), - "waitingForWifi": - MessageLookupByLibrary.simpleMessage("Waiting for WiFi..."), - "warning": MessageLookupByLibrary.simpleMessage("Warning"), - "weAreOpenSource": - MessageLookupByLibrary.simpleMessage("We are open source!"), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "We don\'t support editing photos and albums that you don\'t own yet"), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Weak"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("Welcome back!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("What\'s new"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "Trusted contact can help in recovering your data."), - "widgets": MessageLookupByLibrary.simpleMessage("Widgets"), - "wishThemAHappyBirthday": m115, - "yearShort": MessageLookupByLibrary.simpleMessage("yr"), - "yearly": MessageLookupByLibrary.simpleMessage("Yearly"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Yes"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Yes, cancel"), - "yesConvertToViewer": - MessageLookupByLibrary.simpleMessage("Yes, convert to viewer"), - "yesDelete": MessageLookupByLibrary.simpleMessage("Yes, delete"), - "yesDiscardChanges": - MessageLookupByLibrary.simpleMessage("Yes, discard changes"), - "yesIgnore": MessageLookupByLibrary.simpleMessage("Yes, ignore"), - "yesLogout": MessageLookupByLibrary.simpleMessage("Yes, logout"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Yes, remove"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Yes, Renew"), - "yesResetPerson": - MessageLookupByLibrary.simpleMessage("Yes, reset person"), - "you": MessageLookupByLibrary.simpleMessage("You"), - "youAndThem": m117, - "youAreOnAFamilyPlan": - MessageLookupByLibrary.simpleMessage("You are on a family plan!"), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "You are on the latest version"), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* You can at max double your storage"), - "youCanManageYourLinksInTheShareTab": - MessageLookupByLibrary.simpleMessage( - "You can manage your links in the share tab."), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "You can try searching for a different query."), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "You cannot downgrade to this plan"), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "You cannot share with yourself"), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "You don\'t have any archived items."), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "Your account has been deleted"), - "yourMap": MessageLookupByLibrary.simpleMessage("Your map"), - "yourPlanWasSuccessfullyDowngraded": - MessageLookupByLibrary.simpleMessage( - "Your plan was successfully downgraded"), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "Your plan was successfully upgraded"), - "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( - "Your purchase was successful"), - "yourStorageDetailsCouldNotBeFetched": - MessageLookupByLibrary.simpleMessage( - "Your storage details could not be fetched"), - "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( - "Your subscription has expired"), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "Your subscription was updated successfully"), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "Your verification code has expired"), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage( - "You don\'t have any duplicate files that can be cleared"), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "You\'ve no files in this album that can be deleted"), - "zoomOutToSeePhotos": - MessageLookupByLibrary.simpleMessage("Zoom out to see photos") - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "A new version of Ente is available.", + ), + "about": MessageLookupByLibrary.simpleMessage("About"), + "acceptTrustInvite": MessageLookupByLibrary.simpleMessage("Accept Invite"), + "account": MessageLookupByLibrary.simpleMessage("Account"), + "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( + "Account is already configured.", + ), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage("Welcome back!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "I understand that if I lose my password, I may lose my data since my data is end-to-end encrypted.", + ), + "actionNotSupportedOnFavouritesAlbum": MessageLookupByLibrary.simpleMessage( + "Action not supported on Favourites album", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage("Active sessions"), + "add": MessageLookupByLibrary.simpleMessage("Add"), + "addAName": MessageLookupByLibrary.simpleMessage("Add a name"), + "addANewEmail": MessageLookupByLibrary.simpleMessage("Add a new email"), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Add an album widget to your homescreen and come back here to customize.", + ), + "addCollaborator": MessageLookupByLibrary.simpleMessage("Add collaborator"), + "addCollaborators": m1, + "addFiles": MessageLookupByLibrary.simpleMessage("Add Files"), + "addFromDevice": MessageLookupByLibrary.simpleMessage("Add from device"), + "addItem": m2, + "addLocation": MessageLookupByLibrary.simpleMessage("Add location"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Add"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Add a memories widget to your homescreen and come back here to customize.", + ), + "addMore": MessageLookupByLibrary.simpleMessage("Add more"), + "addName": MessageLookupByLibrary.simpleMessage("Add name"), + "addNameOrMerge": MessageLookupByLibrary.simpleMessage("Add name or merge"), + "addNew": MessageLookupByLibrary.simpleMessage("Add new"), + "addNewPerson": MessageLookupByLibrary.simpleMessage("Add new person"), + "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( + "Details of add-ons", + ), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("Add-ons"), + "addParticipants": MessageLookupByLibrary.simpleMessage("Add participants"), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Add a people widget to your homescreen and come back here to customize.", + ), + "addPhotos": MessageLookupByLibrary.simpleMessage("Add photos"), + "addSelected": MessageLookupByLibrary.simpleMessage("Add selected"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("Add to album"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Add to Ente"), + "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Add to hidden album", + ), + "addTrustedContact": MessageLookupByLibrary.simpleMessage( + "Add Trusted Contact", + ), + "addViewer": MessageLookupByLibrary.simpleMessage("Add viewer"), + "addViewers": m4, + "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( + "Add your photos now", + ), + "addedAs": MessageLookupByLibrary.simpleMessage("Added as"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": MessageLookupByLibrary.simpleMessage( + "Adding to favorites...", + ), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("Advanced"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Advanced"), + "after1Day": MessageLookupByLibrary.simpleMessage("After 1 day"), + "after1Hour": MessageLookupByLibrary.simpleMessage("After 1 hour"), + "after1Month": MessageLookupByLibrary.simpleMessage("After 1 month"), + "after1Week": MessageLookupByLibrary.simpleMessage("After 1 week"), + "after1Year": MessageLookupByLibrary.simpleMessage("After 1 year"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Owner"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Album title"), + "albumUpdated": MessageLookupByLibrary.simpleMessage("Album updated"), + "albums": MessageLookupByLibrary.simpleMessage("Albums"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Select the albums you wish to see on your homescreen.", + ), + "allClear": MessageLookupByLibrary.simpleMessage("✨ All clear"), + "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( + "All memories preserved", + ), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "All groupings for this person will be reset, and you will lose all suggestions made for this person", + ), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "All unnamed groups will be merged into the selected person. This can still be undone from the suggestions history overview of the person.", + ), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "This is the first in the group. Other selected photos will automatically shift based on this new date", + ), + "allow": MessageLookupByLibrary.simpleMessage("Allow"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Allow people with the link to also add photos to the shared album.", + ), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( + "Allow adding photos", + ), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "Allow app to open shared album links", + ), + "allowDownloads": MessageLookupByLibrary.simpleMessage("Allow downloads"), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Allow people to add photos", + ), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Please allow access to your photos from Settings so Ente can display and backup your library.", + ), + "allowPermTitle": MessageLookupByLibrary.simpleMessage( + "Allow access to photos", + ), + "androidBiometricHint": MessageLookupByLibrary.simpleMessage( + "Verify identity", + ), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "Not recognized. Try again.", + ), + "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( + "Biometric required", + ), + "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("Success"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Cancel"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage("Device credentials required"), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage("Device credentials required"), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Biometric authentication is not set up on your device. Go to \'Settings > Security\' to add biometric authentication.", + ), + "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( + "Android, iOS, Web, Desktop", + ), + "androidSignInTitle": MessageLookupByLibrary.simpleMessage( + "Authentication required", + ), + "appIcon": MessageLookupByLibrary.simpleMessage("App icon"), + "appLock": MessageLookupByLibrary.simpleMessage("App lock"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Choose between your device\'s default lock screen and a custom lock screen with a PIN or password.", + ), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), + "apply": MessageLookupByLibrary.simpleMessage("Apply"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Apply code"), + "appstoreSubscription": MessageLookupByLibrary.simpleMessage( + "AppStore subscription", + ), + "archive": MessageLookupByLibrary.simpleMessage("Archive"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("Archive album"), + "archiving": MessageLookupByLibrary.simpleMessage("Archiving..."), + "areThey": MessageLookupByLibrary.simpleMessage("Are they "), + "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( + "Are you sure you want to remove this face from this person?", + ), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Are you sure that you want to leave the family plan?", + ), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "Are you sure you want to cancel?", + ), + "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( + "Are you sure you want to change your plan?", + ), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "Are you sure you want to exit?", + ), + "areYouSureYouWantToIgnoreThesePersons": + MessageLookupByLibrary.simpleMessage( + "Are you sure you want to ignore these persons?", + ), + "areYouSureYouWantToIgnoreThisPerson": MessageLookupByLibrary.simpleMessage( + "Are you sure you want to ignore this person?", + ), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Are you sure you want to logout?", + ), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "Are you sure you want to merge them?", + ), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "Are you sure you want to renew?", + ), + "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( + "Are you sure you want to reset this person?", + ), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "Your subscription was cancelled. Would you like to share the reason?", + ), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "What is the main reason you are deleting your account?", + ), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Ask your loved ones to share", + ), + "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( + "at a fallout shelter", + ), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Please authenticate to change email verification", + ), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Please authenticate to change lockscreen setting", + ), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Please authenticate to change your email", + ), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Please authenticate to change your password", + ), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Please authenticate to configure two-factor authentication", + ), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Please authenticate to initiate account deletion", + ), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Please authenticate to manage your trusted contacts", + ), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Please authenticate to view your passkey", + ), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Please authenticate to view your trashed files", + ), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Please authenticate to view your active sessions", + ), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Please authenticate to view your hidden files", + ), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Please authenticate to view your memories", + ), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Please authenticate to view your recovery key", + ), + "authenticating": MessageLookupByLibrary.simpleMessage("Authenticating..."), + "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Authentication failed, please try again", + ), + "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( + "Authentication successful!", + ), + "autoAddPeople": MessageLookupByLibrary.simpleMessage("Auto-add people"), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "You\'ll see available Cast devices here.", + ), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Make sure Local Network permissions are turned on for the Ente Photos app, in Settings.", + ), + "autoLock": MessageLookupByLibrary.simpleMessage("Auto lock"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Time after which the app locks after being put in the background", + ), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "Due to technical glitch, you have been logged out. Our apologies for the inconvenience.", + ), + "autoPair": MessageLookupByLibrary.simpleMessage("Auto pair"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "Auto pair works only with devices that support Chromecast.", + ), + "available": MessageLookupByLibrary.simpleMessage("Available"), + "availableStorageSpace": m10, + "backedUpFolders": MessageLookupByLibrary.simpleMessage( + "Backed up folders", + ), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("Backup"), + "backupFailed": MessageLookupByLibrary.simpleMessage("Backup failed"), + "backupFile": MessageLookupByLibrary.simpleMessage("Backup file"), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Backup over mobile data", + ), + "backupSettings": MessageLookupByLibrary.simpleMessage("Backup settings"), + "backupStatus": MessageLookupByLibrary.simpleMessage("Backup status"), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Items that have been backed up will show up here", + ), + "backupVideos": MessageLookupByLibrary.simpleMessage("Backup videos"), + "beach": MessageLookupByLibrary.simpleMessage("Sand and sea"), + "birthday": MessageLookupByLibrary.simpleMessage("Birthday"), + "birthdayNotifications": MessageLookupByLibrary.simpleMessage( + "Birthday notifications", + ), + "birthdays": MessageLookupByLibrary.simpleMessage("Birthdays"), + "blackFridaySale": MessageLookupByLibrary.simpleMessage( + "Black Friday Sale", + ), + "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cLDesc1": MessageLookupByLibrary.simpleMessage( + "On the back of video streaming beta, and work on resumable uploads and downloads, we have now increased the file upload limit to 10GB. This is now available in both desktop and mobile apps.", + ), + "cLDesc2": MessageLookupByLibrary.simpleMessage( + "Background uploads are now supported on iOS as well, in addition to Android devices. No need to open the app to backup your latest photos and videos.", + ), + "cLDesc3": MessageLookupByLibrary.simpleMessage( + "We have made significant improvements to our memories experience, including autoplay, swipe to next memory and a lot more.", + ), + "cLDesc4": MessageLookupByLibrary.simpleMessage( + "Along with a bunch of under the hood improvements, now its much easier to see all detected faces, provide feedback on similar faces, and add/remove faces from a single photo.", + ), + "cLDesc5": MessageLookupByLibrary.simpleMessage( + "You will now receive an opt-out notification for all the birthdays your have saved on Ente, along with a collection of their best photos.", + ), + "cLDesc6": MessageLookupByLibrary.simpleMessage( + "No more waiting for uploads/downloads to complete before you can close the app. All uploads and downloads now have the ability to be paused midway, and resume from where you left off.", + ), + "cLTitle1": MessageLookupByLibrary.simpleMessage( + "Uploading Large Video Files", + ), + "cLTitle2": MessageLookupByLibrary.simpleMessage("Background Upload"), + "cLTitle3": MessageLookupByLibrary.simpleMessage("Autoplay Memories"), + "cLTitle4": MessageLookupByLibrary.simpleMessage( + "Improved Face Recognition", + ), + "cLTitle5": MessageLookupByLibrary.simpleMessage("Birthday Notifications"), + "cLTitle6": MessageLookupByLibrary.simpleMessage( + "Resumable Uploads and Downloads", + ), + "cachedData": MessageLookupByLibrary.simpleMessage("Cached data"), + "calculating": MessageLookupByLibrary.simpleMessage("Calculating..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Sorry, this album cannot be opened in the app.", + ), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( + "Cannot open this album", + ), + "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( + "Can not upload to albums owned by others", + ), + "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Can only create link for files owned by you", + ), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Can only remove files owned by you", + ), + "cancel": MessageLookupByLibrary.simpleMessage("Cancel"), + "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( + "Cancel recovery", + ), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "Are you sure you want to cancel recovery?", + ), + "cancelOtherSubscription": m12, + "cancelSubscription": MessageLookupByLibrary.simpleMessage( + "Cancel subscription", + ), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Cannot delete shared files", + ), + "castAlbum": MessageLookupByLibrary.simpleMessage("Cast album"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Please make sure you are on the same network as the TV.", + ), + "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( + "Failed to cast album", + ), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Visit cast.ente.io on the device you want to pair.\n\nEnter the code below to play the album on your TV.", + ), + "centerPoint": MessageLookupByLibrary.simpleMessage("Center point"), + "change": MessageLookupByLibrary.simpleMessage("Change"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Change email"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Change location of selected items?", + ), + "changePassword": MessageLookupByLibrary.simpleMessage("Change password"), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Change password", + ), + "changePermissions": MessageLookupByLibrary.simpleMessage( + "Change permissions?", + ), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Change your referral code", + ), + "checkForUpdates": MessageLookupByLibrary.simpleMessage( + "Check for updates", + ), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Please check your inbox (and spam) to complete verification", + ), + "checkStatus": MessageLookupByLibrary.simpleMessage("Check status"), + "checking": MessageLookupByLibrary.simpleMessage("Checking..."), + "checkingModels": MessageLookupByLibrary.simpleMessage( + "Checking models...", + ), + "city": MessageLookupByLibrary.simpleMessage("In the city"), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage( + "Claim free storage", + ), + "claimMore": MessageLookupByLibrary.simpleMessage("Claim more!"), + "claimed": MessageLookupByLibrary.simpleMessage("Claimed"), + "claimedStorageSoFar": m14, + "cleanUncategorized": MessageLookupByLibrary.simpleMessage( + "Clean Uncategorized", + ), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Remove all files from Uncategorized that are present in other albums", + ), + "clearCaches": MessageLookupByLibrary.simpleMessage("Clear caches"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Clear indexes"), + "click": MessageLookupByLibrary.simpleMessage("• Click"), + "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( + "• Click on the overflow menu", + ), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Click to install our best version yet", + ), + "close": MessageLookupByLibrary.simpleMessage("Close"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( + "Club by capture time", + ), + "clubByFileName": MessageLookupByLibrary.simpleMessage("Club by file name"), + "clusteringProgress": MessageLookupByLibrary.simpleMessage( + "Clustering progress", + ), + "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( + "Code applied", + ), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Sorry, you\'ve reached the limit of code changes.", + ), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Code copied to clipboard", + ), + "codeUsedByYou": MessageLookupByLibrary.simpleMessage("Code used by you"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Create a link to allow people to add and view photos in your shared album without needing an Ente app or account. Great for collecting event photos.", + ), + "collaborativeLink": MessageLookupByLibrary.simpleMessage( + "Collaborative link", + ), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Collaborator"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Collaborators can add photos and videos to the shared album.", + ), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("Layout"), + "collageSaved": MessageLookupByLibrary.simpleMessage( + "Collage saved to gallery", + ), + "collect": MessageLookupByLibrary.simpleMessage("Collect"), + "collectEventPhotos": MessageLookupByLibrary.simpleMessage( + "Collect event photos", + ), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Collect photos"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Create a link where your friends can upload photos in original quality.", + ), + "color": MessageLookupByLibrary.simpleMessage("Color"), + "configuration": MessageLookupByLibrary.simpleMessage("Configuration"), + "confirm": MessageLookupByLibrary.simpleMessage("Confirm"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Are you sure you want to disable two-factor authentication?", + ), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Confirm Account Deletion", + ), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Yes, I want to permanently delete this account and its data across all apps.", + ), + "confirmPassword": MessageLookupByLibrary.simpleMessage("Confirm password"), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage( + "Confirm plan change", + ), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Confirm recovery key", + ), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Confirm your recovery key", + ), + "connectToDevice": MessageLookupByLibrary.simpleMessage( + "Connect to device", + ), + "contactFamilyAdmin": m18, + "contactSupport": MessageLookupByLibrary.simpleMessage("Contact support"), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Contacts"), + "contents": MessageLookupByLibrary.simpleMessage("Contents"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Continue"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "Continue on free trial", + ), + "convertToAlbum": MessageLookupByLibrary.simpleMessage("Convert to album"), + "copyEmailAddress": MessageLookupByLibrary.simpleMessage( + "Copy email address", + ), + "copyLink": MessageLookupByLibrary.simpleMessage("Copy link"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Copy-paste this code\nto your authenticator app", + ), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "We could not backup your data.\nWe will retry later.", + ), + "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( + "Could not free up space", + ), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Could not update subscription", + ), + "count": MessageLookupByLibrary.simpleMessage("Count"), + "crashReporting": MessageLookupByLibrary.simpleMessage("Crash reporting"), + "create": MessageLookupByLibrary.simpleMessage("Create"), + "createAccount": MessageLookupByLibrary.simpleMessage("Create account"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Long press to select photos and click + to create an album", + ), + "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( + "Create collaborative link", + ), + "createCollage": MessageLookupByLibrary.simpleMessage("Create collage"), + "createNewAccount": MessageLookupByLibrary.simpleMessage( + "Create new account", + ), + "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( + "Create or select album", + ), + "createPublicLink": MessageLookupByLibrary.simpleMessage( + "Create public link", + ), + "creatingLink": MessageLookupByLibrary.simpleMessage("Creating link..."), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "Critical update available", + ), + "crop": MessageLookupByLibrary.simpleMessage("Crop"), + "curatedMemories": MessageLookupByLibrary.simpleMessage("Curated memories"), + "currentUsageIs": MessageLookupByLibrary.simpleMessage("Current usage is "), + "currentlyRunning": MessageLookupByLibrary.simpleMessage( + "currently running", + ), + "custom": MessageLookupByLibrary.simpleMessage("Custom"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Dark"), + "dayToday": MessageLookupByLibrary.simpleMessage("Today"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Yesterday"), + "declineTrustInvite": MessageLookupByLibrary.simpleMessage( + "Decline Invite", + ), + "decrypting": MessageLookupByLibrary.simpleMessage("Decrypting..."), + "decryptingVideo": MessageLookupByLibrary.simpleMessage( + "Decrypting video...", + ), + "deduplicateFiles": MessageLookupByLibrary.simpleMessage( + "Deduplicate Files", + ), + "delete": MessageLookupByLibrary.simpleMessage("Delete"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Delete account"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "We are sorry to see you go. Please share your feedback to help us improve.", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Delete Account Permanently", + ), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Delete album"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Also delete the photos (and videos) present in this album from all other albums they are part of?", + ), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "This will delete all empty albums. This is useful when you want to reduce the clutter in your album list.", + ), + "deleteAll": MessageLookupByLibrary.simpleMessage("Delete All"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "This account is linked to other Ente apps, if you use any. Your uploaded data, across all Ente apps, will be scheduled for deletion, and your account will be permanently deleted.", + ), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Please send an email to account-deletion@ente.io from your registered email address.", + ), + "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( + "Delete empty albums", + ), + "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( + "Delete empty albums?", + ), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage("Delete from both"), + "deleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Delete from device", + ), + "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Delete from Ente"), + "deleteItemCount": m21, + "deleteLocation": MessageLookupByLibrary.simpleMessage("Delete location"), + "deleteMultipleAlbumDialog": m22, + "deletePhotos": MessageLookupByLibrary.simpleMessage("Delete photos"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "It’s missing a key feature that I need", + ), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "The app or a certain feature does not behave as I think it should", + ), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "I found another service that I like better", + ), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "My reason isn’t listed", + ), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Your request will be processed within 72 hours.", + ), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Delete shared album?", + ), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "The album will be deleted for everyone\n\nYou will lose access to shared photos in this album that are owned by others", + ), + "deselectAll": MessageLookupByLibrary.simpleMessage("Deselect all"), + "designedToOutlive": MessageLookupByLibrary.simpleMessage( + "Designed to outlive", + ), + "details": MessageLookupByLibrary.simpleMessage("Details"), + "developerSettings": MessageLookupByLibrary.simpleMessage( + "Developer settings", + ), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Are you sure that you want to modify Developer settings?", + ), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Enter the code"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "Files added to this device album will automatically get uploaded to Ente.", + ), + "deviceLock": MessageLookupByLibrary.simpleMessage("Device lock"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Disable the device screen lock when Ente is in the foreground and there is a backup in progress. This is normally not needed, but may help big uploads and initial imports of large libraries complete faster.", + ), + "deviceNotFound": MessageLookupByLibrary.simpleMessage("Device not found"), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Did you know?"), + "different": MessageLookupByLibrary.simpleMessage("Different"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage( + "Disable auto lock", + ), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Viewers can still take screenshots or save a copy of your photos using external tools", + ), + "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( + "Please note", + ), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "Disable two-factor", + ), + "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( + "Disabling two-factor authentication...", + ), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Discover"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Babies"), + "discover_celebrations": MessageLookupByLibrary.simpleMessage( + "Celebrations", + ), + "discover_food": MessageLookupByLibrary.simpleMessage("Food"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Greenery"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Hills"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Identity"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Notes"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Pets"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Receipts"), + "discover_screenshots": MessageLookupByLibrary.simpleMessage("Screenshots"), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfies"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Sunset"), + "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( + "Visiting Cards", + ), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Wallpapers"), + "dismiss": MessageLookupByLibrary.simpleMessage("Dismiss"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage("Do not sign out"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Do this later"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Do you want to discard the edits you have made?", + ), + "done": MessageLookupByLibrary.simpleMessage("Done"), + "dontSave": MessageLookupByLibrary.simpleMessage("Don\'t save"), + "doubleYourStorage": MessageLookupByLibrary.simpleMessage( + "Double your storage", + ), + "download": MessageLookupByLibrary.simpleMessage("Download"), + "downloadFailed": MessageLookupByLibrary.simpleMessage("Download failed"), + "downloading": MessageLookupByLibrary.simpleMessage("Downloading..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Edit"), + "editAutoAddPeople": MessageLookupByLibrary.simpleMessage( + "Edit auto-add people", + ), + "editEmailAlreadyLinked": m28, + "editLocation": MessageLookupByLibrary.simpleMessage("Edit location"), + "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( + "Edit location", + ), + "editPerson": MessageLookupByLibrary.simpleMessage("Edit person"), + "editTime": MessageLookupByLibrary.simpleMessage("Edit time"), + "editsSaved": MessageLookupByLibrary.simpleMessage("Edits saved"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Edits to location will only be seen within Ente", + ), + "eligible": MessageLookupByLibrary.simpleMessage("eligible"), + "email": MessageLookupByLibrary.simpleMessage("Email"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "Email already registered.", + ), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "Email not registered.", + ), + "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( + "Email verification", + ), + "emailYourLogs": MessageLookupByLibrary.simpleMessage("Email your logs"), + "embracingThem": m32, + "emergencyContacts": MessageLookupByLibrary.simpleMessage( + "Emergency Contacts", + ), + "empty": MessageLookupByLibrary.simpleMessage("Empty"), + "emptyTrash": MessageLookupByLibrary.simpleMessage("Empty trash?"), + "enable": MessageLookupByLibrary.simpleMessage("Enable"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "Ente supports on-device machine learning for face recognition, magic search and other advanced search features", + ), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Enable machine learning for magic search and face recognition", + ), + "enableMaps": MessageLookupByLibrary.simpleMessage("Enable Maps"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "This will show your photos on a world map.\n\nThis map is hosted by Open Street Map, and the exact locations of your photos are never shared.\n\nYou can disable this feature anytime from Settings.", + ), + "enabled": MessageLookupByLibrary.simpleMessage("Enabled"), + "encryptingBackup": MessageLookupByLibrary.simpleMessage( + "Encrypting backup...", + ), + "encryption": MessageLookupByLibrary.simpleMessage("Encryption"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage("Encryption keys"), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Endpoint updated successfully", + ), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "End-to-end encrypted by default", + ), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente can encrypt and preserve files only if you grant access to them", + ), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente needs permission to preserve your photos", + ), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "Ente preserves your memories, so they\'re always available to you, even if you lose your device.", + ), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Your family can be added to your plan as well.", + ), + "enterAlbumName": MessageLookupByLibrary.simpleMessage("Enter album name"), + "enterCode": MessageLookupByLibrary.simpleMessage("Enter code"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Enter the code provided by your friend to claim free storage for both of you", + ), + "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( + "Birthday (optional)", + ), + "enterEmail": MessageLookupByLibrary.simpleMessage("Enter email"), + "enterFileName": MessageLookupByLibrary.simpleMessage("Enter file name"), + "enterName": MessageLookupByLibrary.simpleMessage("Enter name"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Enter a new password we can use to encrypt your data", + ), + "enterPassword": MessageLookupByLibrary.simpleMessage("Enter password"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Enter a password we can use to encrypt your data", + ), + "enterPersonName": MessageLookupByLibrary.simpleMessage( + "Enter person name", + ), + "enterPin": MessageLookupByLibrary.simpleMessage("Enter PIN"), + "enterReferralCode": MessageLookupByLibrary.simpleMessage( + "Enter referral code", + ), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Enter the 6-digit code from\nyour authenticator app", + ), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Please enter a valid email address.", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Enter your email address", + ), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Enter your new email address", + ), + "enterYourPassword": MessageLookupByLibrary.simpleMessage( + "Enter your password", + ), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Enter your recovery key", + ), + "error": MessageLookupByLibrary.simpleMessage("Error"), + "everywhere": MessageLookupByLibrary.simpleMessage("everywhere"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": MessageLookupByLibrary.simpleMessage("Existing user"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "This link has expired. Please select a new expiry time or disable link expiry.", + ), + "exportLogs": MessageLookupByLibrary.simpleMessage("Export logs"), + "exportYourData": MessageLookupByLibrary.simpleMessage("Export your data"), + "extraPhotosFound": MessageLookupByLibrary.simpleMessage( + "Extra photos found", + ), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Face not clustered yet, please come back later", + ), + "faceRecognition": MessageLookupByLibrary.simpleMessage("Face recognition"), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "Unable to generate face thumbnails", + ), + "faces": MessageLookupByLibrary.simpleMessage("Faces"), + "failed": MessageLookupByLibrary.simpleMessage("Failed"), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage( + "Failed to apply code", + ), + "failedToCancel": MessageLookupByLibrary.simpleMessage("Failed to cancel"), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( + "Failed to download video", + ), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Failed to fetch active sessions", + ), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Failed to fetch original for edit", + ), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Unable to fetch referral details. Please try again later.", + ), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "Failed to load albums", + ), + "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Failed to play video", + ), + "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( + "Failed to refresh subscription", + ), + "failedToRenew": MessageLookupByLibrary.simpleMessage("Failed to renew"), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Failed to verify payment status", + ), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Add 5 family members to your existing plan without paying extra.\n\nEach member gets their own private space, and cannot see each other\'s files unless they\'re shared.\n\nFamily plans are available to customers who have a paid Ente subscription.\n\nSubscribe now to get started!", + ), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Family"), + "familyPlans": MessageLookupByLibrary.simpleMessage("Family plans"), + "faq": MessageLookupByLibrary.simpleMessage("FAQ"), + "faqs": MessageLookupByLibrary.simpleMessage("FAQs"), + "favorite": MessageLookupByLibrary.simpleMessage("Favorite"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("Feedback"), + "file": MessageLookupByLibrary.simpleMessage("File"), + "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage( + "Unable to analyze file", + ), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Failed to save file to gallery", + ), + "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( + "Add a description...", + ), + "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( + "File not uploaded yet", + ), + "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( + "File saved to gallery", + ), + "fileTypes": MessageLookupByLibrary.simpleMessage("File types"), + "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( + "File types and names", + ), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage("Files deleted"), + "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Files saved to gallery", + ), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "Find people quickly by name", + ), + "findThemQuickly": MessageLookupByLibrary.simpleMessage( + "Find them quickly", + ), + "flip": MessageLookupByLibrary.simpleMessage("Flip"), + "food": MessageLookupByLibrary.simpleMessage("Culinary delight"), + "forYourMemories": MessageLookupByLibrary.simpleMessage( + "for your memories", + ), + "forgotPassword": MessageLookupByLibrary.simpleMessage("Forgot password"), + "foundFaces": MessageLookupByLibrary.simpleMessage("Found faces"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( + "Free storage claimed", + ), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Free storage usable", + ), + "freeTrial": MessageLookupByLibrary.simpleMessage("Free trial"), + "freeTrialValidTill": m38, + "freeUpAccessPostDelete": m39, + "freeUpAmount": m40, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( + "Free up device space", + ), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Save space on your device by clearing files that have been already backed up.", + ), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("Free up space"), + "freeUpSpaceSaving": m41, + "gallery": MessageLookupByLibrary.simpleMessage("Gallery"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "Up to 1000 memories shown in gallery", + ), + "general": MessageLookupByLibrary.simpleMessage("General"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Generating encryption keys...", + ), + "genericProgress": m42, + "goToSettings": MessageLookupByLibrary.simpleMessage("Go to settings"), + "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Please allow access to all photos in the Settings app", + ), + "grantPermission": MessageLookupByLibrary.simpleMessage("Grant permission"), + "greenery": MessageLookupByLibrary.simpleMessage("The green life"), + "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( + "Group nearby photos", + ), + "guestView": MessageLookupByLibrary.simpleMessage("Guest view"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "To enable guest view, please setup device passcode or screen lock in your system settings.", + ), + "happyBirthday": MessageLookupByLibrary.simpleMessage("Happy birthday! 🥳"), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "We don\'t track app installs. It\'d help if you told us where you found us!", + ), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "How did you hear about Ente? (optional)", + ), + "help": MessageLookupByLibrary.simpleMessage("Help"), + "hidden": MessageLookupByLibrary.simpleMessage("Hidden"), + "hide": MessageLookupByLibrary.simpleMessage("Hide"), + "hideContent": MessageLookupByLibrary.simpleMessage("Hide content"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Hides app content in the app switcher and disables screenshots", + ), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Hides app content in the app switcher", + ), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Hide shared items from home gallery", + ), + "hiding": MessageLookupByLibrary.simpleMessage("Hiding..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( + "Hosted at OSM France", + ), + "howItWorks": MessageLookupByLibrary.simpleMessage("How it works"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Please ask them to long-press their email address on the settings screen, and verify that the IDs on both devices match.", + ), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Biometric authentication is not set up on your device. Please either enable Touch ID or Face ID on your phone.", + ), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "Biometric authentication is disabled. Please lock and unlock your screen to enable it.", + ), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), + "ignore": MessageLookupByLibrary.simpleMessage("Ignore"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignore"), + "ignored": MessageLookupByLibrary.simpleMessage("ignored"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Some files in this album are ignored from upload because they had previously been deleted from Ente.", + ), + "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( + "Image not analyzed", + ), + "immediately": MessageLookupByLibrary.simpleMessage("Immediately"), + "importing": MessageLookupByLibrary.simpleMessage("Importing...."), + "incorrectCode": MessageLookupByLibrary.simpleMessage("Incorrect code"), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Incorrect password", + ), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Incorrect recovery key", + ), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "The recovery key you entered is incorrect", + ), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Incorrect recovery key", + ), + "indexedItems": MessageLookupByLibrary.simpleMessage("Indexed items"), + "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( + "Indexing is paused. It will automatically resume when the device is ready. The device is considered ready when its battery level, battery health, and thermal status are within a healthy range.", + ), + "ineligible": MessageLookupByLibrary.simpleMessage("Ineligible"), + "info": MessageLookupByLibrary.simpleMessage("Info"), + "insecureDevice": MessageLookupByLibrary.simpleMessage("Insecure device"), + "installManually": MessageLookupByLibrary.simpleMessage("Install manually"), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "Invalid email address", + ), + "invalidEndpoint": MessageLookupByLibrary.simpleMessage("Invalid endpoint"), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Sorry, the endpoint you entered is invalid. Please enter a valid endpoint and try again.", + ), + "invalidKey": MessageLookupByLibrary.simpleMessage("Invalid key"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "The recovery key you entered is not valid. Please make sure it contains 24 words, and check the spelling of each.\n\nIf you entered an older recovery code, make sure it is 64 characters long, and check each of them.", + ), + "invite": MessageLookupByLibrary.simpleMessage("Invite"), + "inviteToEnte": MessageLookupByLibrary.simpleMessage("Invite to Ente"), + "inviteYourFriends": MessageLookupByLibrary.simpleMessage( + "Invite your friends", + ), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "Invite your friends to Ente", + ), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "It looks like something went wrong. Please retry after some time. If the error persists, please contact our support team.", + ), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "Items show the number of days remaining before permanent deletion", + ), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Selected items will be removed from this album", + ), + "join": MessageLookupByLibrary.simpleMessage("Join"), + "joinAlbum": MessageLookupByLibrary.simpleMessage("Join album"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "Joining an album will make your email visible to its participants.", + ), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( + "to view and add your photos", + ), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "to add this to shared albums", + ), + "joinDiscord": MessageLookupByLibrary.simpleMessage("Join Discord"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Keep Photos"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Kindly help us with this information", + ), + "language": MessageLookupByLibrary.simpleMessage("Language"), + "lastTimeWithThem": m45, + "lastUpdated": MessageLookupByLibrary.simpleMessage("Last updated"), + "lastYearsTrip": MessageLookupByLibrary.simpleMessage("Last year\'s trip"), + "leave": MessageLookupByLibrary.simpleMessage("Leave"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Leave album"), + "leaveFamily": MessageLookupByLibrary.simpleMessage("Leave family"), + "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Leave shared album?", + ), + "left": MessageLookupByLibrary.simpleMessage("Left"), + "legacy": MessageLookupByLibrary.simpleMessage("Legacy"), + "legacyAccounts": MessageLookupByLibrary.simpleMessage("Legacy accounts"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "Legacy allows trusted contacts to access your account in your absence.", + ), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "Trusted contacts can initiate account recovery, and if not blocked within 30 days, reset your password and access your account.", + ), + "light": MessageLookupByLibrary.simpleMessage("Light"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Light"), + "link": MessageLookupByLibrary.simpleMessage("Link"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Link copied to clipboard", + ), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Device limit"), + "linkEmail": MessageLookupByLibrary.simpleMessage("Link email"), + "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( + "for faster sharing", + ), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Enabled"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Expired"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Link expiry"), + "linkHasExpired": MessageLookupByLibrary.simpleMessage("Link has expired"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Never"), + "linkPerson": MessageLookupByLibrary.simpleMessage("Link person"), + "linkPersonCaption": MessageLookupByLibrary.simpleMessage( + "for better sharing experience", + ), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("Live Photos"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "You can share your subscription with your family", + ), + "loadMessage2": MessageLookupByLibrary.simpleMessage( + "We have preserved over 200 million memories so far", + ), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "We keep 3 copies of your data, one in an underground fallout shelter", + ), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "All our apps are open source", + ), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Our source code and cryptography have been externally audited", + ), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "You can share links to your albums with your loved ones", + ), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Our mobile apps run in the background to encrypt and backup any new photos you click", + ), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io has a slick uploader", + ), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "We use Xchacha20Poly1305 to safely encrypt your data", + ), + "loadingExifData": MessageLookupByLibrary.simpleMessage( + "Loading EXIF data...", + ), + "loadingGallery": MessageLookupByLibrary.simpleMessage( + "Loading gallery...", + ), + "loadingMessage": MessageLookupByLibrary.simpleMessage( + "Loading your photos...", + ), + "loadingModel": MessageLookupByLibrary.simpleMessage( + "Downloading models...", + ), + "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( + "Loading your photos...", + ), + "localGallery": MessageLookupByLibrary.simpleMessage("Local gallery"), + "localIndexing": MessageLookupByLibrary.simpleMessage("Local indexing"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Looks like something went wrong since local photos sync is taking more time than expected. Please reach out to our support team", + ), + "location": MessageLookupByLibrary.simpleMessage("Location"), + "locationName": MessageLookupByLibrary.simpleMessage("Location name"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "A location tag groups all photos that were taken within some radius of a photo", + ), + "locations": MessageLookupByLibrary.simpleMessage("Locations"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Lock"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Lockscreen"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Log in"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Logging out..."), + "loginSessionExpired": MessageLookupByLibrary.simpleMessage( + "Session expired", + ), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "Your session has expired. Please login again.", + ), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "By clicking log in, I agree to the terms of service and privacy policy", + ), + "loginWithTOTP": MessageLookupByLibrary.simpleMessage("Login with TOTP"), + "logout": MessageLookupByLibrary.simpleMessage("Logout"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "This will send across logs to help us debug your issue. Please note that file names will be included to help track issues with specific files.", + ), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Long press an email to verify end to end encryption.", + ), + "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( + "Long-press on an item to view in full-screen", + ), + "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( + "Look back on your memories 🌄", + ), + "loopVideoOff": MessageLookupByLibrary.simpleMessage("Loop video off"), + "loopVideoOn": MessageLookupByLibrary.simpleMessage("Loop video on"), + "lostDevice": MessageLookupByLibrary.simpleMessage("Lost device?"), + "machineLearning": MessageLookupByLibrary.simpleMessage("Machine learning"), + "magicSearch": MessageLookupByLibrary.simpleMessage("Magic search"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "Magic search allows to search photos by their contents, e.g. \'flower\', \'red car\', \'identity documents\'", + ), + "manage": MessageLookupByLibrary.simpleMessage("Manage"), + "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( + "Manage device cache", + ), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Review and clear local cache storage.", + ), + "manageFamily": MessageLookupByLibrary.simpleMessage("Manage Family"), + "manageLink": MessageLookupByLibrary.simpleMessage("Manage link"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Manage"), + "manageSubscription": MessageLookupByLibrary.simpleMessage( + "Manage subscription", + ), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "Pair with PIN works with any screen you wish to view your album on.", + ), + "map": MessageLookupByLibrary.simpleMessage("Map"), + "maps": MessageLookupByLibrary.simpleMessage("Maps"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("Me"), + "memories": MessageLookupByLibrary.simpleMessage("Memories"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Select the kind of memories you wish to see on your homescreen.", + ), + "memoryCount": m50, + "merchandise": MessageLookupByLibrary.simpleMessage("Merchandise"), + "merge": MessageLookupByLibrary.simpleMessage("Merge"), + "mergeWithExisting": MessageLookupByLibrary.simpleMessage( + "Merge with existing", + ), + "mergedPhotos": MessageLookupByLibrary.simpleMessage("Merged photos"), + "mlConsent": MessageLookupByLibrary.simpleMessage( + "Enable machine learning", + ), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "I understand, and wish to enable machine learning", + ), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "If you enable machine learning, Ente will extract information like face geometry from files, including those shared with you.\n\nThis will happen on your device, and any generated biometric information will be end-to-end encrypted.", + ), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Please click here for more details about this feature in our privacy policy", + ), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "Enable machine learning?", + ), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Please note that machine learning will result in a higher bandwidth and battery usage until all items are indexed. Consider using the desktop app for faster indexing, all results will be synced automatically.", + ), + "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( + "Mobile, Web, Desktop", + ), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Moderate"), + "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( + "Modify your query, or try searching for", + ), + "moments": MessageLookupByLibrary.simpleMessage("Moments"), + "month": MessageLookupByLibrary.simpleMessage("month"), + "monthly": MessageLookupByLibrary.simpleMessage("Monthly"), + "moon": MessageLookupByLibrary.simpleMessage("In the moonlight"), + "moreDetails": MessageLookupByLibrary.simpleMessage("More details"), + "mostRecent": MessageLookupByLibrary.simpleMessage("Most recent"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("Most relevant"), + "mountains": MessageLookupByLibrary.simpleMessage("Over the hills"), + "moveItem": m51, + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "Move selected photos to one date", + ), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("Move to album"), + "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Move to hidden album", + ), + "movedSuccessfullyTo": m52, + "movedToTrash": MessageLookupByLibrary.simpleMessage("Moved to trash"), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Moving files to album...", + ), + "name": MessageLookupByLibrary.simpleMessage("Name"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Name the album"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Unable to connect to Ente, please retry after sometime. If the error persists, please contact support.", + ), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Unable to connect to Ente, please check your network settings and contact support if the error persists.", + ), + "never": MessageLookupByLibrary.simpleMessage("Never"), + "newAlbum": MessageLookupByLibrary.simpleMessage("New album"), + "newLocation": MessageLookupByLibrary.simpleMessage("New location"), + "newPerson": MessageLookupByLibrary.simpleMessage("New person"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" new 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("New range"), + "newToEnte": MessageLookupByLibrary.simpleMessage("New to Ente"), + "newest": MessageLookupByLibrary.simpleMessage("Newest"), + "next": MessageLookupByLibrary.simpleMessage("Next"), + "no": MessageLookupByLibrary.simpleMessage("No"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "No albums shared by you yet", + ), + "noDeviceFound": MessageLookupByLibrary.simpleMessage("No device found"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("None"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "You\'ve no files on this device that can be deleted", + ), + "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ No duplicates"), + "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( + "No Ente account!", + ), + "noExifData": MessageLookupByLibrary.simpleMessage("No EXIF data"), + "noFacesFound": MessageLookupByLibrary.simpleMessage("No faces found"), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "No hidden photos or videos", + ), + "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( + "No images with location", + ), + "noInternetConnection": MessageLookupByLibrary.simpleMessage( + "No internet connection", + ), + "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( + "No photos are being backed up right now", + ), + "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( + "No photos found here", + ), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( + "No quick links selected", + ), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage("No recovery key?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Due to the nature of our end-to-end encryption protocol, your data cannot be decrypted without your password or recovery key", + ), + "noResults": MessageLookupByLibrary.simpleMessage("No results"), + "noResultsFound": MessageLookupByLibrary.simpleMessage("No results found"), + "noSuggestionsForPerson": m53, + "noSystemLockFound": MessageLookupByLibrary.simpleMessage( + "No system lock found", + ), + "notPersonLabel": m54, + "notThisPerson": MessageLookupByLibrary.simpleMessage("Not this person?"), + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "Nothing shared with you yet", + ), + "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( + "Nothing to see here! 👀", + ), + "notifications": MessageLookupByLibrary.simpleMessage("Notifications"), + "ok": MessageLookupByLibrary.simpleMessage("Ok"), + "onDevice": MessageLookupByLibrary.simpleMessage("On device"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "On ente", + ), + "onTheRoad": MessageLookupByLibrary.simpleMessage("On the road again"), + "onThisDay": MessageLookupByLibrary.simpleMessage("On this day"), + "onThisDayMemories": MessageLookupByLibrary.simpleMessage( + "On this day memories", + ), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "Receive reminders about memories from this day in previous years.", + ), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Only them"), + "oops": MessageLookupByLibrary.simpleMessage("Oops"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Oops, could not save edits", + ), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Oops, something went wrong", + ), + "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( + "Open album in browser", + ), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Please use the web app to add photos to this album", + ), + "openFile": MessageLookupByLibrary.simpleMessage("Open file"), + "openSettings": MessageLookupByLibrary.simpleMessage("Open Settings"), + "openTheItem": MessageLookupByLibrary.simpleMessage("• Open the item"), + "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( + "OpenStreetMap contributors", + ), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Optional, as short as you like...", + ), + "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( + "Or merge with existing", + ), + "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( + "Or pick an existing one", + ), + "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( + "or pick from your contacts", + ), + "otherDetectedFaces": MessageLookupByLibrary.simpleMessage( + "Other detected faces", + ), + "pair": MessageLookupByLibrary.simpleMessage("Pair"), + "pairWithPin": MessageLookupByLibrary.simpleMessage("Pair with PIN"), + "pairingComplete": MessageLookupByLibrary.simpleMessage("Pairing complete"), + "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), + "partyWithThem": m56, + "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( + "Verification is still pending", + ), + "passkey": MessageLookupByLibrary.simpleMessage("Passkey"), + "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( + "Passkey verification", + ), + "password": MessageLookupByLibrary.simpleMessage("Password"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Password changed successfully", + ), + "passwordLock": MessageLookupByLibrary.simpleMessage("Password lock"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "Password strength is calculated considering the length of the password, used characters, and whether or not the password appears in the top 10,000 most used passwords", + ), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "We don\'t store this password, so if you forget, we cannot decrypt your data", + ), + "pastYearsMemories": MessageLookupByLibrary.simpleMessage( + "Past years\' memories", + ), + "paymentDetails": MessageLookupByLibrary.simpleMessage("Payment details"), + "paymentFailed": MessageLookupByLibrary.simpleMessage("Payment failed"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "Unfortunately your payment failed. Please contact support and we\'ll help you out!", + ), + "paymentFailedTalkToProvider": m58, + "pendingItems": MessageLookupByLibrary.simpleMessage("Pending items"), + "pendingSync": MessageLookupByLibrary.simpleMessage("Pending sync"), + "people": MessageLookupByLibrary.simpleMessage("People"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "People using your code", + ), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Select the people you wish to see on your homescreen.", + ), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "All items in trash will be permanently deleted\n\nThis action cannot be undone", + ), + "permanentlyDelete": MessageLookupByLibrary.simpleMessage( + "Permanently delete", + ), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Permanently delete from device?", + ), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("Person name"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("Furry companions"), + "photoDescriptions": MessageLookupByLibrary.simpleMessage( + "Photo descriptions", + ), + "photoGridSize": MessageLookupByLibrary.simpleMessage("Photo grid size"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("photo"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("Photos"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "Photos added by you will be removed from the album", + ), + "photosCount": m62, + "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( + "Photos keep relative time difference", + ), + "pickCenterPoint": MessageLookupByLibrary.simpleMessage( + "Pick center point", + ), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Pin album"), + "pinLock": MessageLookupByLibrary.simpleMessage("PIN lock"), + "playOnTv": MessageLookupByLibrary.simpleMessage("Play album on TV"), + "playOriginal": MessageLookupByLibrary.simpleMessage("Play original"), + "playStoreFreeTrialValidTill": m63, + "playStream": MessageLookupByLibrary.simpleMessage("Play stream"), + "playstoreSubscription": MessageLookupByLibrary.simpleMessage( + "PlayStore subscription", + ), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Please check your internet connection and try again.", + ), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Please contact support@ente.io and we will be happy to help!", + ), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Please contact support if the problem persists", + ), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( + "Please grant permissions", + ), + "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( + "Please login again", + ), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Please select quick links to remove", + ), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("Please try again"), + "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( + "Please verify the code you have entered", + ), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Please wait..."), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Please wait, deleting album", + ), + "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( + "Please wait for sometime before retrying", + ), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "Please wait, this will take a while.", + ), + "posingWithThem": m66, + "preparingLogs": MessageLookupByLibrary.simpleMessage("Preparing logs..."), + "preserveMore": MessageLookupByLibrary.simpleMessage("Preserve more"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Press and hold to play video", + ), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Press and hold on the image to play video", + ), + "previous": MessageLookupByLibrary.simpleMessage("Previous"), + "privacy": MessageLookupByLibrary.simpleMessage("Privacy"), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "Privacy Policy", + ), + "privateBackups": MessageLookupByLibrary.simpleMessage("Private backups"), + "privateSharing": MessageLookupByLibrary.simpleMessage("Private sharing"), + "proceed": MessageLookupByLibrary.simpleMessage("Proceed"), + "processed": MessageLookupByLibrary.simpleMessage("Processed"), + "processing": MessageLookupByLibrary.simpleMessage("Processing"), + "processingImport": m67, + "processingVideos": MessageLookupByLibrary.simpleMessage( + "Processing videos", + ), + "publicLinkCreated": MessageLookupByLibrary.simpleMessage( + "Public link created", + ), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( + "Public link enabled", + ), + "questionmark": MessageLookupByLibrary.simpleMessage("?"), + "queued": MessageLookupByLibrary.simpleMessage("Queued"), + "quickLinks": MessageLookupByLibrary.simpleMessage("Quick links"), + "radius": MessageLookupByLibrary.simpleMessage("Radius"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Raise ticket"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("Rate the app"), + "rateUs": MessageLookupByLibrary.simpleMessage("Rate us"), + "rateUsOnStore": m68, + "reassignMe": MessageLookupByLibrary.simpleMessage("Reassign \"Me\""), + "reassignedToName": m69, + "reassigningLoading": MessageLookupByLibrary.simpleMessage( + "Reassigning...", + ), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Receive reminders when it\'s someone\'s birthday. Tapping on the notification will take you to photos of the birthday person.", + ), + "recover": MessageLookupByLibrary.simpleMessage("Recover"), + "recoverAccount": MessageLookupByLibrary.simpleMessage("Recover account"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Recover"), + "recoveryAccount": MessageLookupByLibrary.simpleMessage("Recover account"), + "recoveryInitiated": MessageLookupByLibrary.simpleMessage( + "Recovery initiated", + ), + "recoveryInitiatedDesc": m70, + "recoveryKey": MessageLookupByLibrary.simpleMessage("Recovery key"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Recovery key copied to clipboard", + ), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "If you forget your password, the only way you can recover your data is with this key.", + ), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "We don\'t store this key, please save this 24 word key in a safe place.", + ), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Great! Your recovery key is valid. Thank you for verifying.\n\nPlease remember to keep your recovery key safely backed up.", + ), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Recovery key verified", + ), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Your recovery key is the only way to recover your photos if you forget your password. You can find your recovery key in Settings > Account.\n\nPlease enter your recovery key here to verify that you have saved it correctly.", + ), + "recoveryReady": m71, + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "Recovery successful!", + ), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "A trusted contact is trying to access your account", + ), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "The current device is not powerful enough to verify your password, but we can regenerate in a way that works with all devices.\n\nPlease login using your recovery key and regenerate your password (you can use the same one again if you wish).", + ), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Recreate password", + ), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": MessageLookupByLibrary.simpleMessage( + "Re-enter password", + ), + "reenterPin": MessageLookupByLibrary.simpleMessage("Re-enter PIN"), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Refer friends and 2x your plan", + ), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Give this code to your friends", + ), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. They sign up for a paid plan", + ), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Referrals"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "Referrals are currently paused", + ), + "rejectRecovery": MessageLookupByLibrary.simpleMessage("Reject recovery"), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "Also empty \"Recently Deleted\" from \"Settings\" -> \"Storage\" to claim the freed space", + ), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Also empty your \"Trash\" to claim the freed up space", + ), + "remoteImages": MessageLookupByLibrary.simpleMessage("Remote images"), + "remoteThumbnails": MessageLookupByLibrary.simpleMessage( + "Remote thumbnails", + ), + "remoteVideos": MessageLookupByLibrary.simpleMessage("Remote videos"), + "remove": MessageLookupByLibrary.simpleMessage("Remove"), + "removeDuplicates": MessageLookupByLibrary.simpleMessage( + "Remove duplicates", + ), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Review and remove files that are exact duplicates.", + ), + "removeFromAlbum": MessageLookupByLibrary.simpleMessage( + "Remove from album", + ), + "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( + "Remove from album?", + ), + "removeFromFavorite": MessageLookupByLibrary.simpleMessage( + "Remove from favorites", + ), + "removeInvite": MessageLookupByLibrary.simpleMessage("Remove invite"), + "removeLink": MessageLookupByLibrary.simpleMessage("Remove link"), + "removeParticipant": MessageLookupByLibrary.simpleMessage( + "Remove participant", + ), + "removeParticipantBody": m74, + "removePersonLabel": MessageLookupByLibrary.simpleMessage( + "Remove person label", + ), + "removePublicLink": MessageLookupByLibrary.simpleMessage( + "Remove public link", + ), + "removePublicLinks": MessageLookupByLibrary.simpleMessage( + "Remove public links", + ), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Some of the items you are removing were added by other people, and you will lose access to them", + ), + "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Remove?"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Remove yourself as trusted contact", + ), + "removingFromFavorites": MessageLookupByLibrary.simpleMessage( + "Removing from favorites...", + ), + "rename": MessageLookupByLibrary.simpleMessage("Rename"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("Rename album"), + "renameFile": MessageLookupByLibrary.simpleMessage("Rename file"), + "renewSubscription": MessageLookupByLibrary.simpleMessage( + "Renew subscription", + ), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Report a bug"), + "reportBug": MessageLookupByLibrary.simpleMessage("Report bug"), + "resendEmail": MessageLookupByLibrary.simpleMessage("Resend email"), + "reset": MessageLookupByLibrary.simpleMessage("Reset"), + "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( + "Reset ignored files", + ), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Reset password", + ), + "resetPerson": MessageLookupByLibrary.simpleMessage("Remove"), + "resetToDefault": MessageLookupByLibrary.simpleMessage("Reset to default"), + "restore": MessageLookupByLibrary.simpleMessage("Restore"), + "restoreToAlbum": MessageLookupByLibrary.simpleMessage("Restore to album"), + "restoringFiles": MessageLookupByLibrary.simpleMessage( + "Restoring files...", + ), + "resumableUploads": MessageLookupByLibrary.simpleMessage( + "Resumable uploads", + ), + "retry": MessageLookupByLibrary.simpleMessage("Retry"), + "review": MessageLookupByLibrary.simpleMessage("Review"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Please review and delete the items you believe are duplicates.", + ), + "reviewSuggestions": MessageLookupByLibrary.simpleMessage( + "Review suggestions", + ), + "right": MessageLookupByLibrary.simpleMessage("Right"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("Rotate"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Rotate left"), + "rotateRight": MessageLookupByLibrary.simpleMessage("Rotate right"), + "safelyStored": MessageLookupByLibrary.simpleMessage("Safely stored"), + "same": MessageLookupByLibrary.simpleMessage("Same"), + "sameperson": MessageLookupByLibrary.simpleMessage("Same person?"), + "save": MessageLookupByLibrary.simpleMessage("Save"), + "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage( + "Save as another person", + ), + "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( + "Save changes before leaving?", + ), + "saveCollage": MessageLookupByLibrary.simpleMessage("Save collage"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Save copy"), + "saveKey": MessageLookupByLibrary.simpleMessage("Save key"), + "savePerson": MessageLookupByLibrary.simpleMessage("Save person"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Save your recovery key if you haven\'t already", + ), + "saving": MessageLookupByLibrary.simpleMessage("Saving..."), + "savingEdits": MessageLookupByLibrary.simpleMessage("Saving edits..."), + "scanCode": MessageLookupByLibrary.simpleMessage("Scan code"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Scan this barcode with\nyour authenticator app", + ), + "search": MessageLookupByLibrary.simpleMessage("Search"), + "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Albums"), + "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage("Album name"), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Album names (e.g. \"Camera\")\n• Types of files (e.g. \"Videos\", \".gif\")\n• Years and months (e.g. \"2022\", \"January\")\n• Holidays (e.g. \"Christmas\")\n• Photo descriptions (e.g. “#fun”)", + ), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Add descriptions like \"#trip\" in photo info to quickly find them here", + ), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Search by a date, month or year", + ), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "Images will be shown here once processing and syncing is complete", + ), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "People will be shown here once indexing is done", + ), + "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( + "File types and names", + ), + "searchHint1": MessageLookupByLibrary.simpleMessage( + "Fast, on-device search", + ), + "searchHint2": MessageLookupByLibrary.simpleMessage( + "Photo dates, descriptions", + ), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "Albums, file names, and types", + ), + "searchHint4": MessageLookupByLibrary.simpleMessage("Location"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "Coming soon: Faces & magic search ✨", + ), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Group photos that are taken within some radius of a photo", + ), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "Invite people, and you\'ll see all photos shared by them here", + ), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "People will be shown here once processing and syncing is complete", + ), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Security"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "See public album links in app", + ), + "selectALocation": MessageLookupByLibrary.simpleMessage( + "Select a location", + ), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage( + "Select a location first", + ), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Select album"), + "selectAll": MessageLookupByLibrary.simpleMessage("Select all"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("All"), + "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( + "Select cover photo", + ), + "selectDate": MessageLookupByLibrary.simpleMessage("Select date"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Select folders for backup", + ), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "Select items to add", + ), + "selectLanguage": MessageLookupByLibrary.simpleMessage("Select Language"), + "selectMailApp": MessageLookupByLibrary.simpleMessage("Select mail app"), + "selectMorePhotos": MessageLookupByLibrary.simpleMessage( + "Select more photos", + ), + "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( + "Select one date and time", + ), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "Select one date and time for all", + ), + "selectPersonToLink": MessageLookupByLibrary.simpleMessage( + "Select person to link", + ), + "selectReason": MessageLookupByLibrary.simpleMessage("Select reason"), + "selectStartOfRange": MessageLookupByLibrary.simpleMessage( + "Select start of range", + ), + "selectTime": MessageLookupByLibrary.simpleMessage("Select time"), + "selectYourFace": MessageLookupByLibrary.simpleMessage("Select your face"), + "selectYourPlan": MessageLookupByLibrary.simpleMessage("Select your plan"), + "selectedAlbums": m79, + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Selected files are not on Ente", + ), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Selected folders will be encrypted and backed up", + ), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Selected items will be deleted from all albums and moved to trash.", + ), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "Selected items will be removed from this person, but not deleted from your library.", + ), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("Send"), + "sendEmail": MessageLookupByLibrary.simpleMessage("Send email"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Send invite"), + "sendLink": MessageLookupByLibrary.simpleMessage("Send link"), + "serverEndpoint": MessageLookupByLibrary.simpleMessage("Server endpoint"), + "sessionExpired": MessageLookupByLibrary.simpleMessage("Session expired"), + "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( + "Session ID mismatch", + ), + "setAPassword": MessageLookupByLibrary.simpleMessage("Set a password"), + "setAs": MessageLookupByLibrary.simpleMessage("Set as"), + "setCover": MessageLookupByLibrary.simpleMessage("Set cover"), + "setLabel": MessageLookupByLibrary.simpleMessage("Set"), + "setNewPassword": MessageLookupByLibrary.simpleMessage("Set new password"), + "setNewPin": MessageLookupByLibrary.simpleMessage("Set new PIN"), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage("Set password"), + "setRadius": MessageLookupByLibrary.simpleMessage("Set radius"), + "setupComplete": MessageLookupByLibrary.simpleMessage("Setup complete"), + "share": MessageLookupByLibrary.simpleMessage("Share"), + "shareALink": MessageLookupByLibrary.simpleMessage("Share a link"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Open an album and tap the share button on the top right to share.", + ), + "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( + "Share an album now", + ), + "shareLink": MessageLookupByLibrary.simpleMessage("Share link"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Share only with the people you want", + ), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Download Ente so we can easily share original quality photos and videos\n\nhttps://ente.io", + ), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Share with non-Ente users", + ), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( + "Share your first album", + ), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Create shared and collaborative albums with other Ente users, including users on free plans.", + ), + "sharedByMe": MessageLookupByLibrary.simpleMessage("Shared by me"), + "sharedByYou": MessageLookupByLibrary.simpleMessage("Shared by you"), + "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( + "New shared photos", + ), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Receive notifications when someone adds a photo to a shared album that you\'re a part of", + ), + "sharedWith": m87, + "sharedWithMe": MessageLookupByLibrary.simpleMessage("Shared with me"), + "sharedWithYou": MessageLookupByLibrary.simpleMessage("Shared with you"), + "sharing": MessageLookupByLibrary.simpleMessage("Sharing..."), + "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( + "Shift dates and time", + ), + "shouldRemoveFilesSmartAlbumsDesc": MessageLookupByLibrary.simpleMessage( + "Should the files related to the person that were previously selected in smart albums be removed?", + ), + "showLessFaces": MessageLookupByLibrary.simpleMessage("Show less faces"), + "showMemories": MessageLookupByLibrary.simpleMessage("Show memories"), + "showMoreFaces": MessageLookupByLibrary.simpleMessage("Show more faces"), + "showPerson": MessageLookupByLibrary.simpleMessage("Show person"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "Sign out from other devices", + ), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "If you think someone might know your password, you can force all other devices using your account to sign out.", + ), + "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( + "Sign out other devices", + ), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "I agree to the terms of service and privacy policy", + ), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "It will be deleted from all albums.", + ), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Skip"), + "smartMemories": MessageLookupByLibrary.simpleMessage("Smart memories"), + "social": MessageLookupByLibrary.simpleMessage("Social"), + "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( + "Some items are in both Ente and your device.", + ), + "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( + "Some of the files you are trying to delete are only available on your device and cannot be recovered if deleted", + ), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Someone sharing albums with you should see the same ID on their device.", + ), + "somethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Something went wrong", + ), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Something went wrong, please try again", + ), + "sorry": MessageLookupByLibrary.simpleMessage("Sorry"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "Sorry, we could not backup this file right now, we will retry later.", + ), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Sorry, could not add to favorites!", + ), + "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( + "Sorry, could not remove from favorites!", + ), + "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "Sorry, the code you\'ve entered is incorrect", + ), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Sorry, we could not generate secure keys on this device.\n\nplease sign up from a different device.", + ), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Sorry, we had to pause your backups", + ), + "sort": MessageLookupByLibrary.simpleMessage("Sort"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sort by"), + "sortNewestFirst": MessageLookupByLibrary.simpleMessage("Newest first"), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Oldest first"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Success"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": MessageLookupByLibrary.simpleMessage( + "Spotlight on yourself", + ), + "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( + "Start recovery", + ), + "startBackup": MessageLookupByLibrary.simpleMessage("Start backup"), + "status": MessageLookupByLibrary.simpleMessage("Status"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "Do you want to stop casting?", + ), + "stopCastingTitle": MessageLookupByLibrary.simpleMessage("Stop casting"), + "storage": MessageLookupByLibrary.simpleMessage("Storage"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Family"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("You"), + "storageInGB": m93, + "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( + "Storage limit exceeded", + ), + "storageUsageInfo": m94, + "streamDetails": MessageLookupByLibrary.simpleMessage("Stream details"), + "strongStrength": MessageLookupByLibrary.simpleMessage("Strong"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Subscribe"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "You need an active paid subscription to enable sharing.", + ), + "subscription": MessageLookupByLibrary.simpleMessage("Subscription"), + "success": MessageLookupByLibrary.simpleMessage("Success"), + "successfullyArchived": MessageLookupByLibrary.simpleMessage( + "Successfully archived", + ), + "successfullyHid": MessageLookupByLibrary.simpleMessage("Successfully hid"), + "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( + "Successfully unarchived", + ), + "successfullyUnhid": MessageLookupByLibrary.simpleMessage( + "Successfully unhid", + ), + "suggestFeatures": MessageLookupByLibrary.simpleMessage("Suggest features"), + "sunrise": MessageLookupByLibrary.simpleMessage("On the horizon"), + "support": MessageLookupByLibrary.simpleMessage("Support"), + "syncProgress": m97, + "syncStopped": MessageLookupByLibrary.simpleMessage("Sync stopped"), + "syncing": MessageLookupByLibrary.simpleMessage("Syncing..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("System"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("tap to copy"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage("Tap to enter code"), + "tapToUnlock": MessageLookupByLibrary.simpleMessage("Tap to unlock"), + "tapToUpload": MessageLookupByLibrary.simpleMessage("Tap to upload"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "It looks like something went wrong. Please retry after some time. If the error persists, please contact our support team.", + ), + "terminate": MessageLookupByLibrary.simpleMessage("Terminate"), + "terminateSession": MessageLookupByLibrary.simpleMessage( + "Terminate session?", + ), + "terms": MessageLookupByLibrary.simpleMessage("Terms"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Terms"), + "thankYou": MessageLookupByLibrary.simpleMessage("Thank you"), + "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( + "Thank you for subscribing!", + ), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "The download could not be completed", + ), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "The link you are trying to access has expired.", + ), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "The person groups will not be displayed in the people section anymore. Photos will remain untouched.", + ), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "The person will not be displayed in the people section anymore. Photos will remain untouched.", + ), + "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "The recovery key you entered is incorrect", + ), + "theme": MessageLookupByLibrary.simpleMessage("Theme"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "These items will be deleted from your device.", + ), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "They will be deleted from all albums.", + ), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "This action cannot be undone", + ), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "This album already has a collaborative link", + ), + "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( + "This can be used to recover your account if you lose your second factor", + ), + "thisDevice": MessageLookupByLibrary.simpleMessage("This device"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "This email is already in use", + ), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "This image has no exif data", + ), + "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("This is me!"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "This is your Verification ID", + ), + "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( + "This week through the years", + ), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "This will log you out of the following device:", + ), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "This will log you out of this device!", + ), + "thisWillMakeTheDateAndTimeOfAllSelected": + MessageLookupByLibrary.simpleMessage( + "This will make the date and time of all selected photos the same.", + ), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "This will remove public links of all selected quick links.", + ), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "To enable app lock, please setup device passcode or screen lock in your system settings.", + ), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( + "To hide a photo or video", + ), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "To reset your password, please verify your email first.", + ), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Today\'s logs"), + "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( + "Too many incorrect attempts", + ), + "total": MessageLookupByLibrary.simpleMessage("total"), + "totalSize": MessageLookupByLibrary.simpleMessage("Total size"), + "trash": MessageLookupByLibrary.simpleMessage("Trash"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Trim"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": MessageLookupByLibrary.simpleMessage("Trusted contacts"), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Try again"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Turn on backup to automatically upload files added to this device folder to Ente.", + ), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "2 months free on yearly plans", + ), + "twofactor": MessageLookupByLibrary.simpleMessage("Two-factor"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "Two-factor authentication has been disabled", + ), + "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( + "Two-factor authentication", + ), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "Two-factor authentication successfully reset", + ), + "twofactorSetup": MessageLookupByLibrary.simpleMessage("Two-factor setup"), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("Unarchive"), + "unarchiveAlbum": MessageLookupByLibrary.simpleMessage("Unarchive album"), + "unarchiving": MessageLookupByLibrary.simpleMessage("Unarchiving..."), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Sorry, this code is unavailable.", + ), + "uncategorized": MessageLookupByLibrary.simpleMessage("Uncategorized"), + "unhide": MessageLookupByLibrary.simpleMessage("Unhide"), + "unhideToAlbum": MessageLookupByLibrary.simpleMessage("Unhide to album"), + "unhiding": MessageLookupByLibrary.simpleMessage("Unhiding..."), + "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Unhiding files to album", + ), + "unlock": MessageLookupByLibrary.simpleMessage("Unlock"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("Unpin album"), + "unselectAll": MessageLookupByLibrary.simpleMessage("Unselect all"), + "update": MessageLookupByLibrary.simpleMessage("Update"), + "updateAvailable": MessageLookupByLibrary.simpleMessage("Update available"), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Updating folder selection...", + ), + "upgrade": MessageLookupByLibrary.simpleMessage("Upgrade"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Uploading files to album...", + ), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( + "Preserving 1 memory...", + ), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "Upto 50% off, until 4th Dec.", + ), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "Usable storage is limited by your current plan. Excess claimed storage will automatically become usable when you upgrade your plan.", + ), + "useAsCover": MessageLookupByLibrary.simpleMessage("Use as cover"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "Having trouble playing this video? Long press here to try a different player.", + ), + "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Use public links for people not on Ente", + ), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage("Use recovery key"), + "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( + "Use selected photo", + ), + "usedSpace": MessageLookupByLibrary.simpleMessage("Used space"), + "validTill": m110, + "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Verification failed, please try again", + ), + "verificationId": MessageLookupByLibrary.simpleMessage("Verification ID"), + "verify": MessageLookupByLibrary.simpleMessage("Verify"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("Verify email"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Verify"), + "verifyPasskey": MessageLookupByLibrary.simpleMessage("Verify passkey"), + "verifyPassword": MessageLookupByLibrary.simpleMessage("Verify password"), + "verifying": MessageLookupByLibrary.simpleMessage("Verifying..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Verifying recovery key...", + ), + "videoInfo": MessageLookupByLibrary.simpleMessage("Video Info"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), + "videoStreaming": MessageLookupByLibrary.simpleMessage("Streamable videos"), + "videos": MessageLookupByLibrary.simpleMessage("Videos"), + "viewActiveSessions": MessageLookupByLibrary.simpleMessage( + "View active sessions", + ), + "viewAddOnButton": MessageLookupByLibrary.simpleMessage("View add-ons"), + "viewAll": MessageLookupByLibrary.simpleMessage("View all"), + "viewAllExifData": MessageLookupByLibrary.simpleMessage( + "View all EXIF data", + ), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Large files"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "View files that are consuming the most amount of storage.", + ), + "viewLogs": MessageLookupByLibrary.simpleMessage("View logs"), + "viewPersonToUnlink": m112, + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( + "View recovery key", + ), + "viewer": MessageLookupByLibrary.simpleMessage("Viewer"), + "viewersSuccessfullyAdded": m113, + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Please visit web.ente.io to manage your subscription", + ), + "waitingForVerification": MessageLookupByLibrary.simpleMessage( + "Waiting for verification...", + ), + "waitingForWifi": MessageLookupByLibrary.simpleMessage( + "Waiting for WiFi...", + ), + "warning": MessageLookupByLibrary.simpleMessage("Warning"), + "weAreOpenSource": MessageLookupByLibrary.simpleMessage( + "We are open source!", + ), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "We don\'t support editing photos and albums that you don\'t own yet", + ), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Weak"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("Welcome back!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("What\'s new"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "Trusted contact can help in recovering your data.", + ), + "widgets": MessageLookupByLibrary.simpleMessage("Widgets"), + "wishThemAHappyBirthday": m115, + "yearShort": MessageLookupByLibrary.simpleMessage("yr"), + "yearly": MessageLookupByLibrary.simpleMessage("Yearly"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Yes"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Yes, cancel"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "Yes, convert to viewer", + ), + "yesDelete": MessageLookupByLibrary.simpleMessage("Yes, delete"), + "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( + "Yes, discard changes", + ), + "yesIgnore": MessageLookupByLibrary.simpleMessage("Yes, ignore"), + "yesLogout": MessageLookupByLibrary.simpleMessage("Yes, logout"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Yes, remove"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Yes, Renew"), + "yesResetPerson": MessageLookupByLibrary.simpleMessage("Yes, reset person"), + "you": MessageLookupByLibrary.simpleMessage("You"), + "youAndThem": m117, + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( + "You are on a family plan!", + ), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "You are on the latest version", + ), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* You can at max double your storage", + ), + "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( + "You can manage your links in the share tab.", + ), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "You can try searching for a different query.", + ), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "You cannot downgrade to this plan", + ), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "You cannot share with yourself", + ), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "You don\'t have any archived items.", + ), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "Your account has been deleted", + ), + "yourMap": MessageLookupByLibrary.simpleMessage("Your map"), + "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( + "Your plan was successfully downgraded", + ), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "Your plan was successfully upgraded", + ), + "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( + "Your purchase was successful", + ), + "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( + "Your storage details could not be fetched", + ), + "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( + "Your subscription has expired", + ), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "Your subscription was updated successfully", + ), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "Your verification code has expired", + ), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "You don\'t have any duplicate files that can be cleared", + ), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "You\'ve no files in this album that can be deleted", + ), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( + "Zoom out to see photos", + ), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_es.dart b/mobile/apps/photos/lib/generated/intl/messages_es.dart index 30da4ea9d9..1d28be08c2 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_es.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_es.dart @@ -57,13 +57,7 @@ class MessageLookup extends MessageLookupByLibrary { "${user} no podrá añadir más fotos a este álbum\n\nTodavía podrán eliminar las fotos ya añadidas por ellos"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, { - 'true': - 'Tu familia ha obtenido ${storageAmountInGb} GB hasta el momento', - 'false': 'Tú has obtenido ${storageAmountInGb} GB hasta el momento', - 'other': - '¡Tú has obtenido ${storageAmountInGb} GB hasta el momento!', - })}"; + "${Intl.select(isFamilyMember, {'true': 'Tu familia ha obtenido ${storageAmountInGb} GB hasta el momento', 'false': 'Tú has obtenido ${storageAmountInGb} GB hasta el momento', 'other': '¡Tú has obtenido ${storageAmountInGb} GB hasta el momento!'})}"; static String m15(albumName) => "Enlace colaborativo creado para ${albumName}"; @@ -85,6 +79,9 @@ class MessageLookup extends MessageLookupByLibrary { static String m21(count) => "${Intl.plural(count, one: 'Elimina ${count} elemento', other: 'Elimina ${count} elementos')}"; + static String m22(count) => + "¿Quiere borrar también las fotos (y vídeos) presentes en estos ${count} álbumes de todos los otros álbumes de los que forman parte?"; + static String m23(currentlyDeleting, totalCount) => "Borrando ${currentlyDeleting} / ${totalCount}"; @@ -100,6 +97,9 @@ class MessageLookup extends MessageLookupByLibrary { static String m27(count, formattedSize) => "${count} archivos, ${formattedSize} cada uno"; + static String m28(name) => + "Este correo electrónico ya está vinculado a ${name}."; + static String m29(newEmail) => "Correo cambiado a ${newEmail}"; static String m30(email) => "${email} no tiene una cuenta de Ente."; @@ -225,6 +225,8 @@ class MessageLookup extends MessageLookupByLibrary { static String m78(snapshotLength, searchLength) => "La longitud de las secciones no coincide: ${snapshotLength} != ${searchLength}"; + static String m79(count) => "${count} seleccionados"; + static String m80(count) => "${count} seleccionados"; static String m81(count, yourCount) => @@ -261,7 +263,11 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => + usedAmount, + usedStorageUnit, + totalAmount, + totalStorageUnit, + ) => "${usedAmount} ${usedStorageUnit} de ${totalAmount} ${totalStorageUnit} usados"; static String m95(id) => @@ -307,12 +313,16 @@ class MessageLookup extends MessageLookupByLibrary { static String m111(email) => "Verificar ${email}"; + static String m112(name) => "Ver ${name} para desvincular"; + static String m113(count) => "${Intl.plural(count, zero: '0 espectadores añadidos', one: '1 espectador añadido', other: '${count} espectadores añadidos')}"; static String m114(email) => "Hemos enviado un correo a ${email}"; + static String m115(name) => "¡Desea a ${name} un cumpleaños feliz! 🎉"; + static String m116(count) => "${Intl.plural(count, one: 'Hace ${count} año', other: 'Hace ${count} años')}"; @@ -323,1919 +333,2579 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Hay una nueva versión de Ente disponible."), - "about": MessageLookupByLibrary.simpleMessage("Acerca de"), - "acceptTrustInvite": - MessageLookupByLibrary.simpleMessage("Aceptar invitación"), - "account": MessageLookupByLibrary.simpleMessage("Cuenta"), - "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( - "La cuenta ya está configurada."), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("¡Bienvenido de nuevo!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Entiendo que si pierdo mi contraseña podría perder mis datos, ya que mis datos están cifrados de extremo a extremo."), - "activeSessions": - MessageLookupByLibrary.simpleMessage("Sesiones activas"), - "add": MessageLookupByLibrary.simpleMessage("Añadir"), - "addAName": MessageLookupByLibrary.simpleMessage("Añade un nombre"), - "addANewEmail": MessageLookupByLibrary.simpleMessage( - "Agregar nuevo correo electrónico"), - "addCollaborator": - MessageLookupByLibrary.simpleMessage("Agregar colaborador"), - "addCollaborators": m1, - "addFiles": MessageLookupByLibrary.simpleMessage("Añadir archivos"), - "addFromDevice": MessageLookupByLibrary.simpleMessage( - "Agregar desde el dispositivo"), - "addItem": m2, - "addLocation": - MessageLookupByLibrary.simpleMessage("Agregar ubicación"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Añadir"), - "addMore": MessageLookupByLibrary.simpleMessage("Añadir más"), - "addName": MessageLookupByLibrary.simpleMessage("Añadir nombre"), - "addNameOrMerge": - MessageLookupByLibrary.simpleMessage("Añadir nombre o combinar"), - "addNew": MessageLookupByLibrary.simpleMessage("Añadir nuevo"), - "addNewPerson": - MessageLookupByLibrary.simpleMessage("Añadir nueva persona"), - "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( - "Detalles de los complementos"), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("Complementos"), - "addPhotos": MessageLookupByLibrary.simpleMessage("Agregar fotos"), - "addSelected": - MessageLookupByLibrary.simpleMessage("Agregar selección"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("Añadir al álbum"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Añadir a Ente"), - "addToHiddenAlbum": - MessageLookupByLibrary.simpleMessage("Añadir al álbum oculto"), - "addTrustedContact": MessageLookupByLibrary.simpleMessage( - "Añadir contacto de confianza"), - "addViewer": MessageLookupByLibrary.simpleMessage("Añadir espectador"), - "addViewers": m4, - "addYourPhotosNow": - MessageLookupByLibrary.simpleMessage("Añade tus fotos ahora"), - "addedAs": MessageLookupByLibrary.simpleMessage("Agregado como"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": - MessageLookupByLibrary.simpleMessage("Añadiendo a favoritos..."), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("Avanzado"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Avanzado"), - "after1Day": MessageLookupByLibrary.simpleMessage("Después de un día"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Después de 1 hora"), - "after1Month": - MessageLookupByLibrary.simpleMessage("Después de un mes"), - "after1Week": - MessageLookupByLibrary.simpleMessage("Después de una semana"), - "after1Year": MessageLookupByLibrary.simpleMessage("Después de un año"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Propietario"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Título del álbum"), - "albumUpdated": - MessageLookupByLibrary.simpleMessage("Álbum actualizado"), - "albums": MessageLookupByLibrary.simpleMessage("Álbumes"), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Todo limpio"), - "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( - "Todos los recuerdos preservados"), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "Se eliminarán todas las agrupaciones para esta persona, y se eliminarán todas sus sugerencias"), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "Este es el primero en el grupo. Otras fotos seleccionadas cambiarán automáticamente basándose en esta nueva fecha"), - "allow": MessageLookupByLibrary.simpleMessage("Permitir"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Permitir a las personas con el enlace añadir fotos al álbum compartido."), - "allowAddingPhotos": - MessageLookupByLibrary.simpleMessage("Permitir añadir fotos"), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "Permitir a la aplicación abrir enlaces de álbum compartidos"), - "allowDownloads": - MessageLookupByLibrary.simpleMessage("Permitir descargas"), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Permitir que la gente añada fotos"), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Por favor, permite el acceso a tus fotos desde Ajustes para que Ente pueda mostrar y hacer una copia de seguridad de tu biblioteca."), - "allowPermTitle": MessageLookupByLibrary.simpleMessage( - "Permitir el acceso a las fotos"), - "androidBiometricHint": - MessageLookupByLibrary.simpleMessage("Verificar identidad"), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "No reconocido. Inténtelo nuevamente."), - "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( - "Autenticación biométrica necesaria"), - "androidBiometricSuccess": - MessageLookupByLibrary.simpleMessage("Listo"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Cancelar"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage( - "Se necesitan credenciales de dispositivo"), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage( - "Se necesitan credenciales de dispositivo"), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "La autenticación biométrica no está configurada en su dispositivo. \'Ve a Ajustes > Seguridad\' para añadir autenticación biométrica."), - "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( - "Android, iOS, Web, Computadora"), - "androidSignInTitle": MessageLookupByLibrary.simpleMessage( - "Se necesita autenticación biométrica"), - "appIcon": MessageLookupByLibrary.simpleMessage("Ícono"), - "appLock": - MessageLookupByLibrary.simpleMessage("Bloqueo de aplicación"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Escoge entre la pantalla de bloqueo por defecto de tu dispositivo y una pantalla de bloqueo personalizada con un PIN o contraseña."), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("ID de Apple"), - "apply": MessageLookupByLibrary.simpleMessage("Aplicar"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Usar código"), - "appstoreSubscription": - MessageLookupByLibrary.simpleMessage("Suscripción en la AppStore"), - "archive": MessageLookupByLibrary.simpleMessage("Archivo"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("Archivar álbum"), - "archiving": MessageLookupByLibrary.simpleMessage("Archivando..."), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "¿Está seguro de que desea abandonar el plan familiar?"), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "¿Estás seguro de que quieres cancelar?"), - "areYouSureYouWantToChangeYourPlan": - MessageLookupByLibrary.simpleMessage( - "¿Estás seguro de que quieres cambiar tu plan?"), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "¿Estás seguro de que deseas salir?"), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "¿Estás seguro de que quieres cerrar la sesión?"), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "¿Estás seguro de que quieres renovar?"), - "areYouSureYouWantToResetThisPerson": - MessageLookupByLibrary.simpleMessage( - "¿Seguro que desea eliminar esta persona?"), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "Tu suscripción ha sido cancelada. ¿Quieres compartir el motivo?"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "¿Cuál es la razón principal por la que eliminas tu cuenta?"), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Pide a tus seres queridos que compartan"), - "atAFalloutShelter": - MessageLookupByLibrary.simpleMessage("en un refugio blindado"), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Por favor, autentícate para cambiar la verificación por correo electrónico"), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Por favor, autentícate para cambiar la configuración de la pantalla de bloqueo"), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Por favor, autentícate para cambiar tu correo electrónico"), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Por favor, autentícate para cambiar tu contraseña"), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Por favor, autentícate para configurar la autenticación de dos factores"), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Por favor, autentícate para iniciar la eliminación de la cuenta"), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Por favor, autentícate para administrar tus contactos de confianza"), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Por favor, autentícate para ver tu clave de acceso"), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Por favor, autentícate para ver los archivos enviados a la papelera"), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Por favor, autentícate para ver tus sesiones activas"), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Por favor, autentícate para ver tus archivos ocultos"), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Por favor, autentícate para ver tus recuerdos"), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Por favor, autentícate para ver tu clave de recuperación"), - "authenticating": - MessageLookupByLibrary.simpleMessage("Autenticando..."), - "authenticationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Error de autenticación, por favor inténtalo de nuevo"), - "authenticationSuccessful": - MessageLookupByLibrary.simpleMessage("¡Autenticación exitosa!"), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Aquí verás los dispositivos de transmisión disponibles."), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Asegúrate de que los permisos de la red local están activados para la aplicación Ente Fotos, en Configuración."), - "autoLock": MessageLookupByLibrary.simpleMessage("Bloqueo automático"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Tiempo después de que la aplicación esté en segundo plano"), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "Debido a un fallo técnico, has sido desconectado. Nuestras disculpas por las molestias."), - "autoPair": - MessageLookupByLibrary.simpleMessage("Emparejamiento automático"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "El emparejamiento automático funciona sólo con dispositivos compatibles con Chromecast."), - "available": MessageLookupByLibrary.simpleMessage("Disponible"), - "availableStorageSpace": m10, - "backedUpFolders": MessageLookupByLibrary.simpleMessage( - "Carpetas con copia de seguridad"), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("Copia de seguridad"), - "backupFailed": MessageLookupByLibrary.simpleMessage( - "La copia de seguridad ha fallado"), - "backupFile": MessageLookupByLibrary.simpleMessage( - "Archivo de copia de seguridad"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Copia de seguridad usando datos móviles"), - "backupSettings": MessageLookupByLibrary.simpleMessage( - "Ajustes de copia de seguridad"), - "backupStatus": MessageLookupByLibrary.simpleMessage( - "Estado de la copia de seguridad"), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Los elementos con copia seguridad aparecerán aquí"), - "backupVideos": MessageLookupByLibrary.simpleMessage( - "Copia de seguridad de vídeos"), - "beach": MessageLookupByLibrary.simpleMessage("Arena y mar "), - "birthday": MessageLookupByLibrary.simpleMessage("Cumpleaños"), - "blackFridaySale": - MessageLookupByLibrary.simpleMessage("Oferta del Black Friday"), - "blog": MessageLookupByLibrary.simpleMessage("Blog"), - "cachedData": - MessageLookupByLibrary.simpleMessage("Datos almacenados en caché"), - "calculating": MessageLookupByLibrary.simpleMessage("Calculando..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Lo sentimos, este álbum no se puede abrir en la aplicación."), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( - "No es posible abrir este álbum"), - "canNotUploadToAlbumsOwnedByOthers": - MessageLookupByLibrary.simpleMessage( - "No se puede subir a álbumes que sean propiedad de otros"), - "canOnlyCreateLinkForFilesOwnedByYou": - MessageLookupByLibrary.simpleMessage( - "Sólo puedes crear un enlace para archivos de tu propiedad"), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Sólo puede eliminar archivos de tu propiedad"), - "cancel": MessageLookupByLibrary.simpleMessage("Cancelar"), - "cancelAccountRecovery": - MessageLookupByLibrary.simpleMessage("Cancelar la recuperación"), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "¿Estás seguro de que quieres cancelar la recuperación?"), - "cancelOtherSubscription": m12, - "cancelSubscription": - MessageLookupByLibrary.simpleMessage("Cancelar suscripción"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "No se pueden eliminar los archivos compartidos"), - "castAlbum": MessageLookupByLibrary.simpleMessage("Enviar álbum"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Por favor, asegúrate de estar en la misma red que el televisor."), - "castIPMismatchTitle": - MessageLookupByLibrary.simpleMessage("Error al transmitir álbum"), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Visita cast.ente.io en el dispositivo que quieres emparejar.\n\nIntroduce el código de abajo para reproducir el álbum en tu TV."), - "centerPoint": MessageLookupByLibrary.simpleMessage("Punto central"), - "change": MessageLookupByLibrary.simpleMessage("Cambiar"), - "changeEmail": - MessageLookupByLibrary.simpleMessage("Cambiar correo electrónico"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "¿Cambiar la ubicación de los elementos seleccionados?"), - "changePassword": - MessageLookupByLibrary.simpleMessage("Cambiar contraseña"), - "changePasswordTitle": - MessageLookupByLibrary.simpleMessage("Cambiar contraseña"), - "changePermissions": - MessageLookupByLibrary.simpleMessage("¿Cambiar permisos?"), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Cambiar tu código de referido"), - "checkForUpdates": - MessageLookupByLibrary.simpleMessage("Comprobar actualizaciones"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Revisa tu bandeja de entrada (y spam) para completar la verificación"), - "checkStatus": MessageLookupByLibrary.simpleMessage("Comprobar estado"), - "checking": MessageLookupByLibrary.simpleMessage("Comprobando..."), - "checkingModels": - MessageLookupByLibrary.simpleMessage("Comprobando modelos..."), - "city": MessageLookupByLibrary.simpleMessage("En la ciudad"), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage( - "Obtén almacenamiento gratuito"), - "claimMore": MessageLookupByLibrary.simpleMessage("¡Obtén más!"), - "claimed": MessageLookupByLibrary.simpleMessage("Obtenido"), - "claimedStorageSoFar": m14, - "cleanUncategorized": - MessageLookupByLibrary.simpleMessage("Limpiar sin categorizar"), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Elimina todos los archivos de Sin categorizar que están presentes en otros álbumes"), - "clearCaches": MessageLookupByLibrary.simpleMessage("Limpiar cachés"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Limpiar índices"), - "click": MessageLookupByLibrary.simpleMessage("• Clic"), - "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( - "• Haga clic en el menú desbordante"), - "close": MessageLookupByLibrary.simpleMessage("Cerrar"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( - "Agrupar por tiempo de captura"), - "clubByFileName": - MessageLookupByLibrary.simpleMessage("Club por nombre de archivo"), - "clusteringProgress": - MessageLookupByLibrary.simpleMessage("Proceso de agrupación"), - "codeAppliedPageTitle": - MessageLookupByLibrary.simpleMessage("Código aplicado"), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Lo sentimos, has alcanzado el límite de cambios de códigos."), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Código copiado al portapapeles"), - "codeUsedByYou": - MessageLookupByLibrary.simpleMessage("Código usado por ti"), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Crea un enlace para permitir que otros pueda añadir y ver fotos en tu álbum compartido sin necesitar la aplicación Ente o una cuenta. Genial para recolectar fotos de eventos."), - "collaborativeLink": - MessageLookupByLibrary.simpleMessage("Enlace colaborativo"), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Colaborador"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Colaboradores pueden añadir fotos y videos al álbum compartido."), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("Disposición"), - "collageSaved": MessageLookupByLibrary.simpleMessage( - "Collage guardado en la galería"), - "collect": MessageLookupByLibrary.simpleMessage("Recolectar"), - "collectEventPhotos": - MessageLookupByLibrary.simpleMessage("Recopilar fotos del evento"), - "collectPhotos": - MessageLookupByLibrary.simpleMessage("Recolectar fotos"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Crea un enlace donde tus amigos pueden subir fotos en su calidad original."), - "color": MessageLookupByLibrary.simpleMessage("Color"), - "configuration": MessageLookupByLibrary.simpleMessage("Configuración"), - "confirm": MessageLookupByLibrary.simpleMessage("Confirmar"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "¿Estás seguro de que deseas deshabilitar la autenticación de doble factor?"), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Confirmar eliminación de cuenta"), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Sí, quiero eliminar permanentemente esta cuenta y todos sus datos en todas las aplicaciones."), - "confirmPassword": - MessageLookupByLibrary.simpleMessage("Confirmar contraseña"), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage( - "Confirmar los cambios en el plan"), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Confirmar clave de recuperación"), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Confirma tu clave de recuperación"), - "connectToDevice": - MessageLookupByLibrary.simpleMessage("Conectar a dispositivo"), - "contactFamilyAdmin": m18, - "contactSupport": - MessageLookupByLibrary.simpleMessage("Contactar con soporte"), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Contactos"), - "contents": MessageLookupByLibrary.simpleMessage("Contenidos"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Continuar"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "Continuar con el plan gratuito"), - "convertToAlbum": - MessageLookupByLibrary.simpleMessage("Convertir a álbum"), - "copyEmailAddress": MessageLookupByLibrary.simpleMessage( - "Copiar dirección de correo electrónico"), - "copyLink": MessageLookupByLibrary.simpleMessage("Copiar enlace"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Copia y pega este código\na tu aplicación de autenticador"), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "No pudimos hacer una copia de seguridad de tus datos.\nVolveremos a intentarlo más tarde."), - "couldNotFreeUpSpace": - MessageLookupByLibrary.simpleMessage("No se pudo liberar espacio"), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "No se pudo actualizar la suscripción"), - "count": MessageLookupByLibrary.simpleMessage("Cuenta"), - "crashReporting": - MessageLookupByLibrary.simpleMessage("Reporte de errores"), - "create": MessageLookupByLibrary.simpleMessage("Crear"), - "createAccount": MessageLookupByLibrary.simpleMessage("Crear cuenta"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Manten presionado para seleccionar fotos y haz clic en + para crear un álbum"), - "createCollaborativeLink": - MessageLookupByLibrary.simpleMessage("Crear enlace colaborativo"), - "createCollage": - MessageLookupByLibrary.simpleMessage("Crear un collage"), - "createNewAccount": - MessageLookupByLibrary.simpleMessage("Crear nueva cuenta"), - "createOrSelectAlbum": - MessageLookupByLibrary.simpleMessage("Crear o seleccionar álbum"), - "createPublicLink": - MessageLookupByLibrary.simpleMessage("Crear enlace público"), - "creatingLink": - MessageLookupByLibrary.simpleMessage("Creando enlace..."), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "Actualización crítica disponible"), - "crop": MessageLookupByLibrary.simpleMessage("Ajustar encuadre"), - "curatedMemories": - MessageLookupByLibrary.simpleMessage("Memorias revisadas"), - "currentUsageIs": - MessageLookupByLibrary.simpleMessage("El uso actual es de "), - "currentlyRunning": MessageLookupByLibrary.simpleMessage("ejecutando"), - "custom": MessageLookupByLibrary.simpleMessage("Personalizado"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Oscuro"), - "dayToday": MessageLookupByLibrary.simpleMessage("Hoy"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Ayer"), - "declineTrustInvite": - MessageLookupByLibrary.simpleMessage("Rechazar invitación"), - "decrypting": MessageLookupByLibrary.simpleMessage("Descifrando..."), - "decryptingVideo": - MessageLookupByLibrary.simpleMessage("Descifrando video..."), - "deduplicateFiles": - MessageLookupByLibrary.simpleMessage("Deduplicar archivos"), - "delete": MessageLookupByLibrary.simpleMessage("Eliminar"), - "deleteAccount": - MessageLookupByLibrary.simpleMessage("Eliminar cuenta"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Lamentamos que te vayas. Por favor, explícanos el motivo para ayudarnos a mejorar."), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Eliminar cuenta permanentemente"), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Borrar álbum"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "¿También eliminar las fotos (y los vídeos) presentes en este álbum de todos los otros álbumes de los que forman parte?"), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "Esto eliminará todos los álbumes vacíos. Esto es útil cuando quieres reducir el desorden en tu lista de álbumes."), - "deleteAll": MessageLookupByLibrary.simpleMessage("Borrar Todo"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "Esta cuenta está vinculada a otras aplicaciones de Ente, si utilizas alguna. Se programará la eliminación de los datos cargados en todas las aplicaciones de Ente, y tu cuenta se eliminará permanentemente."), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Por favor, envía un correo electrónico a account-deletion@ente.io desde la dirección de correo electrónico que usó para registrarse."), - "deleteEmptyAlbums": - MessageLookupByLibrary.simpleMessage("Eliminar álbumes vacíos"), - "deleteEmptyAlbumsWithQuestionMark": - MessageLookupByLibrary.simpleMessage("¿Eliminar álbumes vacíos?"), - "deleteFromBoth": - MessageLookupByLibrary.simpleMessage("Eliminar de ambos"), - "deleteFromDevice": - MessageLookupByLibrary.simpleMessage("Eliminar del dispositivo"), - "deleteFromEnte": - MessageLookupByLibrary.simpleMessage("Eliminar de Ente"), - "deleteItemCount": m21, - "deleteLocation": - MessageLookupByLibrary.simpleMessage("Borrar la ubicación"), - "deletePhotos": - MessageLookupByLibrary.simpleMessage("Borrar las fotos"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Falta una función clave que necesito"), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "La aplicación o una característica determinada no se comporta como creo que debería"), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "He encontrado otro servicio que me gusta más"), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "Mi motivo no se encuentra en la lista"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Tu solicitud será procesada dentro de las siguientes 72 horas."), - "deleteSharedAlbum": - MessageLookupByLibrary.simpleMessage("¿Borrar álbum compartido?"), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "El álbum se eliminará para todos\n\nPerderás el acceso a las fotos compartidas en este álbum que son propiedad de otros"), - "deselectAll": - MessageLookupByLibrary.simpleMessage("Deseleccionar todo"), - "designedToOutlive": - MessageLookupByLibrary.simpleMessage("Diseñado para sobrevivir"), - "details": MessageLookupByLibrary.simpleMessage("Detalles"), - "developerSettings": - MessageLookupByLibrary.simpleMessage("Ajustes de desarrollador"), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "¿Estás seguro de que quieres modificar los ajustes de desarrollador?"), - "deviceCodeHint": - MessageLookupByLibrary.simpleMessage("Introduce el código"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "Los archivos añadidos a este álbum de dispositivo se subirán automáticamente a Ente."), - "deviceLock": - MessageLookupByLibrary.simpleMessage("Bloqueo del dispositivo"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Deshabilita el bloqueo de pantalla del dispositivo cuando Ente está en primer plano y haya una copia de seguridad en curso. Normalmente esto no es necesario, pero puede ayudar a que las grandes cargas y las importaciones iniciales de grandes bibliotecas se completen más rápido."), - "deviceNotFound": - MessageLookupByLibrary.simpleMessage("Dispositivo no encontrado"), - "didYouKnow": MessageLookupByLibrary.simpleMessage("¿Sabías que?"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage( - "Desactivar bloqueo automático"), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Los espectadores todavía pueden tomar capturas de pantalla o guardar una copia de tus fotos usando herramientas externas"), - "disableDownloadWarningTitle": - MessageLookupByLibrary.simpleMessage("Por favor, ten en cuenta"), - "disableLinkMessage": m24, - "disableTwofactor": - MessageLookupByLibrary.simpleMessage("Deshabilitar dos factores"), - "disablingTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Deshabilitando la autenticación de dos factores..."), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Descubrir"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Bebés"), - "discover_celebrations": - MessageLookupByLibrary.simpleMessage("Celebraciones"), - "discover_food": MessageLookupByLibrary.simpleMessage("Comida"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Verdor"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Colinas"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Identidad"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Notas"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Mascotas"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Recibos"), - "discover_screenshots": - MessageLookupByLibrary.simpleMessage("Capturas de pantalla"), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfies"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Atardecer"), - "discover_visiting_cards": - MessageLookupByLibrary.simpleMessage("Tarjetas de visita"), - "discover_wallpapers": - MessageLookupByLibrary.simpleMessage("Fondos de pantalla"), - "dismiss": MessageLookupByLibrary.simpleMessage("Descartar"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": - MessageLookupByLibrary.simpleMessage("No cerrar la sesión"), - "doThisLater": - MessageLookupByLibrary.simpleMessage("Hacerlo más tarde"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "¿Quieres descartar las ediciones que has hecho?"), - "done": MessageLookupByLibrary.simpleMessage("Hecho"), - "dontSave": MessageLookupByLibrary.simpleMessage("No guardar"), - "doubleYourStorage": - MessageLookupByLibrary.simpleMessage("Duplica tu almacenamiento"), - "download": MessageLookupByLibrary.simpleMessage("Descargar"), - "downloadFailed": - MessageLookupByLibrary.simpleMessage("Descarga fallida"), - "downloading": MessageLookupByLibrary.simpleMessage("Descargando..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Editar"), - "editLocation": - MessageLookupByLibrary.simpleMessage("Editar la ubicación"), - "editLocationTagTitle": - MessageLookupByLibrary.simpleMessage("Editar la ubicación"), - "editPerson": MessageLookupByLibrary.simpleMessage("Editar persona"), - "editTime": MessageLookupByLibrary.simpleMessage("Editar hora"), - "editsSaved": - MessageLookupByLibrary.simpleMessage("Ediciones guardadas"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Las ediciones a la ubicación sólo se verán dentro de Ente"), - "eligible": MessageLookupByLibrary.simpleMessage("elegible"), - "email": MessageLookupByLibrary.simpleMessage("Correo electrónico"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "Correo electrónico ya registrado."), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "Correo electrónico no registrado."), - "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( - "Verificación por correo electrónico"), - "emailYourLogs": MessageLookupByLibrary.simpleMessage( - "Envía tus registros por correo electrónico"), - "embracingThem": m32, - "emergencyContacts": - MessageLookupByLibrary.simpleMessage("Contactos de emergencia"), - "empty": MessageLookupByLibrary.simpleMessage("Vaciar"), - "emptyTrash": - MessageLookupByLibrary.simpleMessage("¿Vaciar la papelera?"), - "enable": MessageLookupByLibrary.simpleMessage("Habilitar"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "Ente soporta aprendizaje automático en el dispositivo para la detección de caras, búsqueda mágica y otras características de búsqueda avanzada"), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Activar aprendizaje automático para búsqueda mágica y reconocimiento facial"), - "enableMaps": MessageLookupByLibrary.simpleMessage("Activar Mapas"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "Esto mostrará tus fotos en el mapa mundial.\n\nEste mapa está gestionado por Open Street Map, y la ubicación exacta de tus fotos nunca se comparte.\n\nPuedes deshabilitar esta función en cualquier momento en Ajustes."), - "enabled": MessageLookupByLibrary.simpleMessage("Habilitado"), - "encryptingBackup": MessageLookupByLibrary.simpleMessage( - "Cifrando copia de seguridad..."), - "encryption": MessageLookupByLibrary.simpleMessage("Cifrado"), - "encryptionKeys": - MessageLookupByLibrary.simpleMessage("Claves de cifrado"), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Punto final actualizado con éxito"), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Encriptado de extremo a extremo por defecto"), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente puede cifrar y preservar archivos solo si concedes acceso a ellos"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente necesita permiso para preservar tus fotos"), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "Ente conserva tus recuerdos, así que siempre están disponibles para ti, incluso si pierdes tu dispositivo."), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Tu familia también puede ser agregada a tu plan."), - "enterAlbumName": MessageLookupByLibrary.simpleMessage( - "Introduce el nombre del álbum"), - "enterCode": - MessageLookupByLibrary.simpleMessage("Introduce el código"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Introduce el código proporcionado por tu amigo para reclamar almacenamiento gratuito para ambos"), - "enterDateOfBirth": - MessageLookupByLibrary.simpleMessage("Cumpleaños (opcional)"), - "enterEmail": MessageLookupByLibrary.simpleMessage( - "Ingresar correo electrónico "), - "enterFileName": MessageLookupByLibrary.simpleMessage( - "Introduce el nombre del archivo"), - "enterName": MessageLookupByLibrary.simpleMessage("Introducir nombre"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Introduce una nueva contraseña que podamos usar para cifrar tus datos"), - "enterPassword": - MessageLookupByLibrary.simpleMessage("Introduzca contraseña"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Introduce una contraseña que podamos usar para cifrar tus datos"), - "enterPersonName": MessageLookupByLibrary.simpleMessage( - "Ingresar el nombre de una persona"), - "enterPin": - MessageLookupByLibrary.simpleMessage("Ingresa tu contraseña"), - "enterReferralCode": MessageLookupByLibrary.simpleMessage( - "Introduce el código de referido"), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Ingresa el código de seis dígitos de tu aplicación de autenticación"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Por favor, introduce una dirección de correo electrónico válida."), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Escribe tu correo electrónico"), - "enterYourPassword": - MessageLookupByLibrary.simpleMessage("Ingresa tu contraseña"), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Introduce tu clave de recuperación"), - "error": MessageLookupByLibrary.simpleMessage("Error"), - "everywhere": MessageLookupByLibrary.simpleMessage("todas partes"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": - MessageLookupByLibrary.simpleMessage("Usuario existente"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Este enlace ha caducado. Por favor, selecciona una nueva fecha de caducidad o deshabilita la fecha de caducidad."), - "exportLogs": - MessageLookupByLibrary.simpleMessage("Exportar registros"), - "exportYourData": - MessageLookupByLibrary.simpleMessage("Exportar tus datos"), - "extraPhotosFound": MessageLookupByLibrary.simpleMessage( - "Fotos adicionales encontradas"), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Cara no agrupada todavía, por favor vuelve más tarde"), - "faceRecognition": - MessageLookupByLibrary.simpleMessage("Reconocimiento facial"), - "faces": MessageLookupByLibrary.simpleMessage("Caras"), - "failed": MessageLookupByLibrary.simpleMessage("Fallido"), - "failedToApplyCode": - MessageLookupByLibrary.simpleMessage("Error al aplicar el código"), - "failedToCancel": - MessageLookupByLibrary.simpleMessage("Error al cancelar"), - "failedToDownloadVideo": - MessageLookupByLibrary.simpleMessage("Error al descargar el vídeo"), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Error al recuperar las sesiones activas"), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "No se pudo obtener el original para editar"), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "No se pueden obtener los detalles de la referencia. Por favor, inténtalo de nuevo más tarde."), - "failedToLoadAlbums": - MessageLookupByLibrary.simpleMessage("Error al cargar álbumes"), - "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Error al reproducir el video"), - "failedToRefreshStripeSubscription": - MessageLookupByLibrary.simpleMessage( - "Error al actualizar la suscripción"), - "failedToRenew": - MessageLookupByLibrary.simpleMessage("Renovación fallida"), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Error al verificar el estado de tu pago"), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Añade 5 familiares a tu plan existente sin pagar más.\n\nCada miembro tiene su propio espacio privado y no puede ver los archivos del otro a menos que sean compartidos.\n\nLos planes familiares están disponibles para los clientes que tienen una suscripción de Ente pagada.\n\n¡Suscríbete ahora para empezar!"), - "familyPlanPortalTitle": - MessageLookupByLibrary.simpleMessage("Familia"), - "familyPlans": - MessageLookupByLibrary.simpleMessage("Planes familiares"), - "faq": MessageLookupByLibrary.simpleMessage("Preguntas Frecuentes"), - "faqs": MessageLookupByLibrary.simpleMessage("Preguntas frecuentes"), - "favorite": MessageLookupByLibrary.simpleMessage("Favorito"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("Sugerencias"), - "file": MessageLookupByLibrary.simpleMessage("Archivo"), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "No se pudo guardar el archivo en la galería"), - "fileInfoAddDescHint": - MessageLookupByLibrary.simpleMessage("Añadir descripción..."), - "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( - "El archivo aún no se ha subido"), - "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Archivo guardado en la galería"), - "fileTypes": MessageLookupByLibrary.simpleMessage("Tipos de archivos"), - "fileTypesAndNames": - MessageLookupByLibrary.simpleMessage("Tipos de archivo y nombres"), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": - MessageLookupByLibrary.simpleMessage("Archivos eliminados"), - "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Archivo guardado en la galería"), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Encuentra gente rápidamente por su nombre"), - "findThemQuickly": - MessageLookupByLibrary.simpleMessage("Encuéntralos rápidamente"), - "flip": MessageLookupByLibrary.simpleMessage("Voltear"), - "food": MessageLookupByLibrary.simpleMessage("Delicia culinaria"), - "forYourMemories": - MessageLookupByLibrary.simpleMessage("para tus recuerdos"), - "forgotPassword": - MessageLookupByLibrary.simpleMessage("Olvidé mi contraseña"), - "foundFaces": MessageLookupByLibrary.simpleMessage("Caras encontradas"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( - "Almacenamiento gratuito obtenido"), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Almacenamiento libre disponible"), - "freeTrial": MessageLookupByLibrary.simpleMessage("Prueba gratuita"), - "freeTrialValidTill": m38, - "freeUpAccessPostDelete": m39, - "freeUpAmount": m40, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( - "Liberar espacio del dispositivo"), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Ahorra espacio en tu dispositivo limpiando archivos que tienen copia de seguridad."), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("Liberar espacio"), - "freeUpSpaceSaving": m41, - "gallery": MessageLookupByLibrary.simpleMessage("Galería"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "Hasta 1000 memorias mostradas en la galería"), - "general": MessageLookupByLibrary.simpleMessage("General"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Generando claves de cifrado..."), - "genericProgress": m42, - "goToSettings": MessageLookupByLibrary.simpleMessage("Ir a Ajustes"), - "googlePlayId": - MessageLookupByLibrary.simpleMessage("ID de Google Play"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Por favor, permite el acceso a todas las fotos en Ajustes"), - "grantPermission": - MessageLookupByLibrary.simpleMessage("Conceder permiso"), - "greenery": MessageLookupByLibrary.simpleMessage("La vida verde"), - "groupNearbyPhotos": - MessageLookupByLibrary.simpleMessage("Agrupar fotos cercanas"), - "guestView": MessageLookupByLibrary.simpleMessage("Vista de invitado"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "Para habilitar la vista de invitados, por favor configure el código de acceso del dispositivo o el bloqueo de pantalla en los ajustes de su sistema."), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "No rastreamos las aplicaciones instaladas. ¡Nos ayudarías si nos dijeras dónde nos encontraste!"), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "¿Cómo escuchaste acerca de Ente? (opcional)"), - "help": MessageLookupByLibrary.simpleMessage("Ayuda"), - "hidden": MessageLookupByLibrary.simpleMessage("Oculto"), - "hide": MessageLookupByLibrary.simpleMessage("Ocultar"), - "hideContent": - MessageLookupByLibrary.simpleMessage("Ocultar contenido"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Oculta el contenido de la aplicación en el selector de aplicaciones y desactivar capturas de pantalla"), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Ocultar el contenido de la aplicación en el selector de aplicaciones"), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "Ocultar elementos compartidos de la galería de inicio"), - "hiding": MessageLookupByLibrary.simpleMessage("Ocultando..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": - MessageLookupByLibrary.simpleMessage("Alojado en OSM France"), - "howItWorks": MessageLookupByLibrary.simpleMessage("Cómo funciona"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Por favor, pídeles que mantengan presionada su dirección de correo electrónico en la pantalla de ajustes, y verifica que los identificadores de ambos dispositivos coincidan."), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "La autenticación biométrica no está configurada en tu dispositivo. Por favor, activa Touch ID o Face ID en tu teléfono."), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "La autenticación biométrica está deshabilitada. Por favor, bloquea y desbloquea la pantalla para habilitarla."), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("Aceptar"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorar"), - "ignored": MessageLookupByLibrary.simpleMessage("ignorado"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Algunos archivos de este álbum son ignorados de la carga porque previamente habían sido borrados de Ente."), - "imageNotAnalyzed": - MessageLookupByLibrary.simpleMessage("Imagen no analizada"), - "immediately": MessageLookupByLibrary.simpleMessage("Inmediatamente"), - "importing": MessageLookupByLibrary.simpleMessage("Importando...."), - "incorrectCode": - MessageLookupByLibrary.simpleMessage("Código incorrecto"), - "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("Contraseña incorrecta"), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Clave de recuperación incorrecta"), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "La clave de recuperación introducida es incorrecta"), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Clave de recuperación incorrecta"), - "indexedItems": - MessageLookupByLibrary.simpleMessage("Elementos indexados"), - "ineligible": MessageLookupByLibrary.simpleMessage("Inelegible"), - "info": MessageLookupByLibrary.simpleMessage("Info"), - "insecureDevice": - MessageLookupByLibrary.simpleMessage("Dispositivo inseguro"), - "installManually": - MessageLookupByLibrary.simpleMessage("Instalar manualmente"), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "Dirección de correo electrónico no válida"), - "invalidEndpoint": - MessageLookupByLibrary.simpleMessage("Punto final no válido"), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Lo sentimos, el punto final introducido no es válido. Por favor, introduce un punto final válido y vuelve a intentarlo."), - "invalidKey": MessageLookupByLibrary.simpleMessage("Clave inválida"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "La clave de recuperación introducida no es válida. Por favor, asegúrate de que contenga 24 palabras y comprueba la ortografía de cada una.\n\nSi has introducido un código de recuperación antiguo, asegúrate de que tiene 64 caracteres de largo y comprueba cada uno de ellos."), - "invite": MessageLookupByLibrary.simpleMessage("Invitar"), - "inviteToEnte": MessageLookupByLibrary.simpleMessage("Invitar a Ente"), - "inviteYourFriends": - MessageLookupByLibrary.simpleMessage("Invita a tus amigos"), - "inviteYourFriendsToEnte": - MessageLookupByLibrary.simpleMessage("Invita a tus amigos a Ente"), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Parece que algo salió mal. Por favor, vuelve a intentarlo después de algún tiempo. Si el error persiste, ponte en contacto con nuestro equipo de soporte."), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "Los artículos muestran el número de días restantes antes de ser borrados permanente"), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Los elementos seleccionados serán eliminados de este álbum"), - "join": MessageLookupByLibrary.simpleMessage("Unir"), - "joinAlbum": MessageLookupByLibrary.simpleMessage("Unir álbum"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "Unirse a un álbum hará visible tu correo electrónico a sus participantes."), - "joinAlbumSubtext": - MessageLookupByLibrary.simpleMessage("para ver y añadir tus fotos"), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "para añadir esto a los álbumes compartidos"), - "joinDiscord": MessageLookupByLibrary.simpleMessage("Únete al Discord"), - "keepPhotos": - MessageLookupByLibrary.simpleMessage("Conservar las fotos"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Por favor ayúdanos con esta información"), - "language": MessageLookupByLibrary.simpleMessage("Idioma"), - "lastTimeWithThem": m45, - "lastUpdated": - MessageLookupByLibrary.simpleMessage("Última actualización"), - "lastYearsTrip": - MessageLookupByLibrary.simpleMessage("Viaje del año pasado"), - "leave": MessageLookupByLibrary.simpleMessage("Abandonar"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Abandonar álbum"), - "leaveFamily": - MessageLookupByLibrary.simpleMessage("Abandonar plan familiar"), - "leaveSharedAlbum": - MessageLookupByLibrary.simpleMessage("¿Dejar álbum compartido?"), - "left": MessageLookupByLibrary.simpleMessage("Izquierda"), - "legacy": MessageLookupByLibrary.simpleMessage("Legado"), - "legacyAccounts": - MessageLookupByLibrary.simpleMessage("Cuentas legadas"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "Legado permite a los contactos de confianza acceder a su cuenta en su ausencia."), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "Los contactos de confianza pueden iniciar la recuperación de la cuenta, y si no están bloqueados en un plazo de 30 días, restablecer su contraseña y acceder a su cuenta."), - "light": MessageLookupByLibrary.simpleMessage("Brillo"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Claro"), - "link": MessageLookupByLibrary.simpleMessage("Enlace"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Enlace copiado al portapapeles"), - "linkDeviceLimit": - MessageLookupByLibrary.simpleMessage("Límite del dispositivo"), - "linkEmail": - MessageLookupByLibrary.simpleMessage("Vincular correo electrónico"), - "linkEmailToContactBannerCaption": - MessageLookupByLibrary.simpleMessage("para compartir más rápido"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Habilitado"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Vencido"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Enlace vence"), - "linkHasExpired": - MessageLookupByLibrary.simpleMessage("El enlace ha caducado"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Nunca"), - "linkPerson": MessageLookupByLibrary.simpleMessage("Vincular persona"), - "linkPersonCaption": MessageLookupByLibrary.simpleMessage( - "para una mejor experiencia compartida"), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("Foto en vivo"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "Puedes compartir tu suscripción con tu familia"), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "Guardamos 3 copias de tus datos, una en un refugio subterráneo"), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "Todas nuestras aplicaciones son de código abierto"), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Nuestro código fuente y criptografía han sido auditados externamente"), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "Puedes compartir enlaces a tus álbumes con tus seres queridos"), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Nuestras aplicaciones móviles se ejecutan en segundo plano para cifrar y hacer copias de seguridad de las nuevas fotos que hagas clic"), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io tiene un cargador sofisticado"), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Utilizamos Xchacha20Poly1305 para cifrar tus datos de forma segura"), - "loadingExifData": - MessageLookupByLibrary.simpleMessage("Cargando datos EXIF..."), - "loadingGallery": - MessageLookupByLibrary.simpleMessage("Cargando galería..."), - "loadingMessage": - MessageLookupByLibrary.simpleMessage("Cargando tus fotos..."), - "loadingModel": - MessageLookupByLibrary.simpleMessage("Descargando modelos..."), - "loadingYourPhotos": - MessageLookupByLibrary.simpleMessage("Cargando tus fotos..."), - "localGallery": MessageLookupByLibrary.simpleMessage("Galería local"), - "localIndexing": MessageLookupByLibrary.simpleMessage("Indexado local"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Parece que algo salió mal ya que la sincronización de fotos locales está tomando más tiempo del esperado. Por favor contacta con nuestro equipo de soporte"), - "location": MessageLookupByLibrary.simpleMessage("Ubicación"), - "locationName": - MessageLookupByLibrary.simpleMessage("Nombre de la ubicación"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Una etiqueta de ubicación agrupa todas las fotos que fueron tomadas dentro de un radio de una foto"), - "locations": MessageLookupByLibrary.simpleMessage("Ubicaciones"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Bloquear"), - "lockscreen": - MessageLookupByLibrary.simpleMessage("Pantalla de bloqueo"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Iniciar sesión"), - "loggingOut": - MessageLookupByLibrary.simpleMessage("Cerrando sesión..."), - "loginSessionExpired": - MessageLookupByLibrary.simpleMessage("La sesión ha expirado"), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "Tu sesión ha expirado. Por favor, vuelve a iniciar sesión."), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Al hacer clic en iniciar sesión, acepto los términos de servicio y la política de privacidad"), - "loginWithTOTP": - MessageLookupByLibrary.simpleMessage("Iniciar sesión con TOTP"), - "logout": MessageLookupByLibrary.simpleMessage("Cerrar sesión"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Esto enviará registros para ayudarnos a depurar su problema. Ten en cuenta que los nombres de los archivos se incluirán para ayudar a rastrear problemas con archivos específicos."), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Mantén pulsado un correo electrónico para verificar el cifrado de extremo a extremo."), - "longpressOnAnItemToViewInFullscreen": - MessageLookupByLibrary.simpleMessage( - "Manten presionado un elemento para ver en pantalla completa"), - "loopVideoOff": - MessageLookupByLibrary.simpleMessage("Vídeo en bucle desactivado"), - "loopVideoOn": - MessageLookupByLibrary.simpleMessage("Vídeo en bucle activado"), - "lostDevice": - MessageLookupByLibrary.simpleMessage("¿Perdiste tu dispositivo?"), - "machineLearning": - MessageLookupByLibrary.simpleMessage("Aprendizaje automático"), - "magicSearch": MessageLookupByLibrary.simpleMessage("Búsqueda mágica"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "La búsqueda mágica permite buscar fotos por su contenido. Por ejemplo, \"flor\", \"coche rojo\", \"documentos de identidad\""), - "manage": MessageLookupByLibrary.simpleMessage("Administrar"), - "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( - "Gestionar almacenamiento caché del dispositivo"), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Revisar y borrar almacenamiento caché local."), - "manageFamily": - MessageLookupByLibrary.simpleMessage("Administrar familia"), - "manageLink": - MessageLookupByLibrary.simpleMessage("Administrar enlace"), - "manageParticipants": - MessageLookupByLibrary.simpleMessage("Administrar"), - "manageSubscription": - MessageLookupByLibrary.simpleMessage("Administrar tu suscripción"), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "El emparejamiento con PIN funciona con cualquier pantalla en la que desees ver tu álbum."), - "map": MessageLookupByLibrary.simpleMessage("Mapa"), - "maps": MessageLookupByLibrary.simpleMessage("Mapas"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("Yo"), - "memoryCount": m50, - "merchandise": MessageLookupByLibrary.simpleMessage("Mercancías"), - "mergeWithExisting": - MessageLookupByLibrary.simpleMessage("Combinar con existente"), - "mergedPhotos": - MessageLookupByLibrary.simpleMessage("Fotos combinadas"), - "mlConsent": MessageLookupByLibrary.simpleMessage( - "Habilitar aprendizaje automático"), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Entiendo y deseo habilitar el aprendizaje automático"), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Si habilitas el aprendizaje automático, Ente extraerá información como la geometría de la cara de los archivos, incluyendo aquellos compartidos contigo.\n\nEsto sucederá en tu dispositivo, y cualquier información biométrica generada será encriptada de extremo a extremo."), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Por favor, haz clic aquí para más detalles sobre esta característica en nuestra política de privacidad"), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "¿Habilitar aprendizaje automático?"), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Por favor ten en cuenta que el aprendizaje automático dará como resultado un mayor consumo de ancho de banda y de batería hasta que todos los elementos estén indexados. Considera usar la aplicación de escritorio para una indexación más rápida. Todos los resultados se sincronizarán automáticamente."), - "mobileWebDesktop": - MessageLookupByLibrary.simpleMessage("Celular, Web, Computadora"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Moderada"), - "modifyYourQueryOrTrySearchingFor": - MessageLookupByLibrary.simpleMessage( - "Modifica tu consulta o intenta buscar"), - "moments": MessageLookupByLibrary.simpleMessage("Momentos"), - "month": MessageLookupByLibrary.simpleMessage("mes"), - "monthly": MessageLookupByLibrary.simpleMessage("Mensualmente"), - "moon": MessageLookupByLibrary.simpleMessage("A la luz de la luna"), - "moreDetails": MessageLookupByLibrary.simpleMessage("Más detalles"), - "mostRecent": MessageLookupByLibrary.simpleMessage("Más reciente"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("Más relevante"), - "mountains": MessageLookupByLibrary.simpleMessage("Sobre las colinas"), - "moveItem": m51, - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "Mover las fotos seleccionadas a una fecha"), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("Mover al álbum"), - "moveToHiddenAlbum": - MessageLookupByLibrary.simpleMessage("Mover al álbum oculto"), - "movedSuccessfullyTo": m52, - "movedToTrash": - MessageLookupByLibrary.simpleMessage("Movido a la papelera"), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Moviendo archivos al álbum..."), - "name": MessageLookupByLibrary.simpleMessage("Nombre"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Nombre el álbum"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "No se puede conectar a Ente. Por favor, vuelve a intentarlo pasado un tiempo. Si el error persiste, ponte en contacto con el soporte técnico."), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "No se puede conectar a Ente. Por favor, comprueba tu configuración de red y ponte en contacto con el soporte técnico si el error persiste."), - "never": MessageLookupByLibrary.simpleMessage("Nunca"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Nuevo álbum"), - "newLocation": - MessageLookupByLibrary.simpleMessage("Nueva localización"), - "newPerson": MessageLookupByLibrary.simpleMessage("Nueva persona"), - "newRange": MessageLookupByLibrary.simpleMessage("Nuevo rango"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Nuevo en Ente"), - "newest": MessageLookupByLibrary.simpleMessage("Más reciente"), - "next": MessageLookupByLibrary.simpleMessage("Siguiente"), - "no": MessageLookupByLibrary.simpleMessage("No"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Aún no has compartido ningún álbum"), - "noDeviceFound": MessageLookupByLibrary.simpleMessage( - "No se encontró ningún dispositivo"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Ninguno"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "No tienes archivos en este dispositivo que puedan ser borrados"), - "noDuplicates": - MessageLookupByLibrary.simpleMessage("✨ Sin duplicados"), - "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( - "¡No existe una cuenta de Ente!"), - "noExifData": MessageLookupByLibrary.simpleMessage("No hay datos EXIF"), - "noFacesFound": - MessageLookupByLibrary.simpleMessage("No se han encontrado caras"), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "No hay fotos ni vídeos ocultos"), - "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( - "No hay imágenes con ubicación"), - "noInternetConnection": - MessageLookupByLibrary.simpleMessage("No hay conexión al Internet"), - "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( - "No se están realizando copias de seguridad de ninguna foto en este momento"), - "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( - "No se encontró ninguna foto aquí"), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( - "No se han seleccionado enlaces rápidos"), - "noRecoveryKey": - MessageLookupByLibrary.simpleMessage("¿Sin clave de recuperación?"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Debido a la naturaleza de nuestro protocolo de cifrado de extremo a extremo, tus datos no pueden ser descifrados sin tu contraseña o clave de recuperación"), - "noResults": MessageLookupByLibrary.simpleMessage("Sin resultados"), - "noResultsFound": MessageLookupByLibrary.simpleMessage( - "No se han encontrado resultados"), - "noSuggestionsForPerson": m53, - "noSystemLockFound": MessageLookupByLibrary.simpleMessage( - "Bloqueo de sistema no encontrado"), - "notPersonLabel": m54, - "notThisPerson": - MessageLookupByLibrary.simpleMessage("¿No es esta persona?"), - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "Aún no hay nada compartido contigo"), - "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( - "¡No hay nada que ver aquí! 👀"), - "notifications": MessageLookupByLibrary.simpleMessage("Notificaciones"), - "ok": MessageLookupByLibrary.simpleMessage("Aceptar"), - "onDevice": MessageLookupByLibrary.simpleMessage("En el dispositivo"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "En ente"), - "onTheRoad": - MessageLookupByLibrary.simpleMessage("De nuevo en la carretera"), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Solo ellos"), - "oops": MessageLookupByLibrary.simpleMessage("Ups"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Ups, no se pudieron guardar las ediciónes"), - "oopsSomethingWentWrong": - MessageLookupByLibrary.simpleMessage("Ups, algo salió mal"), - "openAlbumInBrowser": - MessageLookupByLibrary.simpleMessage("Abrir álbum en el navegador"), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Por favor, utiliza la aplicación web para añadir fotos a este álbum"), - "openFile": MessageLookupByLibrary.simpleMessage("Abrir archivo"), - "openSettings": MessageLookupByLibrary.simpleMessage("Abrir Ajustes"), - "openTheItem": - MessageLookupByLibrary.simpleMessage("• Abrir el elemento"), - "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( - "Contribuidores de OpenStreetMap"), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Opcional, tan corto como quieras..."), - "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( - "O combinar con persona existente"), - "orPickAnExistingOne": - MessageLookupByLibrary.simpleMessage("O elige uno existente"), - "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( - "o elige de entre tus contactos"), - "pair": MessageLookupByLibrary.simpleMessage("Emparejar"), - "pairWithPin": - MessageLookupByLibrary.simpleMessage("Emparejar con PIN"), - "pairingComplete": - MessageLookupByLibrary.simpleMessage("Emparejamiento completo"), - "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), - "partyWithThem": m56, - "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( - "La verificación aún está pendiente"), - "passkey": MessageLookupByLibrary.simpleMessage("Clave de acceso"), - "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( - "Verificación de clave de acceso"), - "password": MessageLookupByLibrary.simpleMessage("Contraseña"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Contraseña cambiada correctamente"), - "passwordLock": - MessageLookupByLibrary.simpleMessage("Bloqueo con contraseña"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "La fortaleza de la contraseña se calcula teniendo en cuenta la longitud de la contraseña, los caracteres utilizados, y si la contraseña aparece o no en el top 10.000 de contraseñas más usadas"), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "No almacenamos esta contraseña, así que si la olvidas, no podremos descifrar tus datos"), - "paymentDetails": - MessageLookupByLibrary.simpleMessage("Detalles de pago"), - "paymentFailed": MessageLookupByLibrary.simpleMessage("Pago fallido"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "Lamentablemente tu pago falló. Por favor, ¡contacta con el soporte técnico y te ayudaremos!"), - "paymentFailedTalkToProvider": m58, - "pendingItems": - MessageLookupByLibrary.simpleMessage("Elementos pendientes"), - "pendingSync": - MessageLookupByLibrary.simpleMessage("Sincronización pendiente"), - "people": MessageLookupByLibrary.simpleMessage("Personas"), - "peopleUsingYourCode": - MessageLookupByLibrary.simpleMessage("Personas usando tu código"), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Todos los elementos de la papelera serán eliminados permanentemente\n\nEsta acción no se puede deshacer"), - "permanentlyDelete": - MessageLookupByLibrary.simpleMessage("Borrar permanentemente"), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "¿Eliminar permanentemente del dispositivo?"), - "personIsAge": m59, - "personName": - MessageLookupByLibrary.simpleMessage("Nombre de la persona"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("Compañeros peludos"), - "photoDescriptions": - MessageLookupByLibrary.simpleMessage("Descripciones de fotos"), - "photoGridSize": MessageLookupByLibrary.simpleMessage( - "Tamaño de la cuadrícula de fotos"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("Fotos"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "Las fotos añadidas por ti serán removidas del álbum"), - "photosCount": m62, - "photosKeepRelativeTimeDifference": - MessageLookupByLibrary.simpleMessage( - "Las fotos mantienen una diferencia de tiempo relativa"), - "pickCenterPoint": - MessageLookupByLibrary.simpleMessage("Elegir punto central"), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Fijar álbum"), - "pinLock": MessageLookupByLibrary.simpleMessage("Bloqueo con Pin"), - "playOnTv": - MessageLookupByLibrary.simpleMessage("Reproducir álbum en TV"), - "playOriginal": - MessageLookupByLibrary.simpleMessage("Reproducir original"), - "playStoreFreeTrialValidTill": m63, - "playStream": - MessageLookupByLibrary.simpleMessage("Reproducir transmisión"), - "playstoreSubscription": - MessageLookupByLibrary.simpleMessage("Suscripción en la PlayStore"), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Por favor, revisa tu conexión a Internet e inténtalo otra vez."), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "¡Por favor, contacta con support@ente.io y estaremos encantados de ayudar!"), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Por favor, contacta a soporte técnico si el problema persiste"), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": - MessageLookupByLibrary.simpleMessage("Por favor, concede permiso"), - "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( - "Por favor, vuelve a iniciar sesión"), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Por favor, selecciona enlaces rápidos para eliminar"), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Por favor, inténtalo nuevamente"), - "pleaseVerifyTheCodeYouHaveEntered": - MessageLookupByLibrary.simpleMessage( - "Por favor, verifica el código que has introducido"), - "pleaseWait": - MessageLookupByLibrary.simpleMessage("Por favor, espera..."), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Por favor espera. Borrando el álbum"), - "pleaseWaitForSometimeBeforeRetrying": - MessageLookupByLibrary.simpleMessage( - "Por favor, espera un momento antes de volver a intentarlo"), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "Espera. Esto tardará un poco."), - "posingWithThem": m66, - "preparingLogs": - MessageLookupByLibrary.simpleMessage("Preparando registros..."), - "preserveMore": MessageLookupByLibrary.simpleMessage("Preservar más"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Presiona y mantén presionado para reproducir el video"), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Mantén pulsada la imagen para reproducir el video"), - "previous": MessageLookupByLibrary.simpleMessage("Anterior"), - "privacy": MessageLookupByLibrary.simpleMessage("Privacidad"), - "privacyPolicyTitle": - MessageLookupByLibrary.simpleMessage("Política de Privacidad"), - "privateBackups": MessageLookupByLibrary.simpleMessage( - "Copias de seguridad privadas"), - "privateSharing": - MessageLookupByLibrary.simpleMessage("Compartir en privado"), - "proceed": MessageLookupByLibrary.simpleMessage("Continuar"), - "processed": MessageLookupByLibrary.simpleMessage("Procesado"), - "processing": MessageLookupByLibrary.simpleMessage("Procesando"), - "processingImport": m67, - "processingVideos": - MessageLookupByLibrary.simpleMessage("Procesando vídeos"), - "publicLinkCreated": - MessageLookupByLibrary.simpleMessage("Enlace público creado"), - "publicLinkEnabled": - MessageLookupByLibrary.simpleMessage("Enlace público habilitado"), - "queued": MessageLookupByLibrary.simpleMessage("En cola"), - "quickLinks": MessageLookupByLibrary.simpleMessage("Acceso rápido"), - "radius": MessageLookupByLibrary.simpleMessage("Radio"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Generar ticket"), - "rateTheApp": - MessageLookupByLibrary.simpleMessage("Evalúa la aplicación"), - "rateUs": MessageLookupByLibrary.simpleMessage("Califícanos"), - "rateUsOnStore": m68, - "reassignMe": MessageLookupByLibrary.simpleMessage("Reasignar \"Yo\""), - "reassignedToName": m69, - "reassigningLoading": - MessageLookupByLibrary.simpleMessage("Reasignando..."), - "recover": MessageLookupByLibrary.simpleMessage("Recuperar"), - "recoverAccount": - MessageLookupByLibrary.simpleMessage("Recuperar cuenta"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Recuperar"), - "recoveryAccount": - MessageLookupByLibrary.simpleMessage("Recuperar cuenta"), - "recoveryInitiated": - MessageLookupByLibrary.simpleMessage("Recuperación iniciada"), - "recoveryInitiatedDesc": m70, - "recoveryKey": - MessageLookupByLibrary.simpleMessage("Clave de recuperación"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Clave de recuperación copiada al portapapeles"), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Si olvidas tu contraseña, la única forma de recuperar tus datos es con esta clave."), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Nosotros no almacenamos esta clave. Por favor, guarda esta clave de 24 palabras en un lugar seguro."), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "¡Genial! Tu clave de recuperación es válida. Gracias por verificar.\n\nPor favor, recuerda mantener tu clave de recuperación segura."), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Clave de recuperación verificada"), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Tu clave de recuperación es la única forma de recuperar tus fotos si olvidas tu contraseña. Puedes encontrar tu clave de recuperación en Ajustes > Cuenta.\n\nPor favor, introduce tu clave de recuperación aquí para verificar que la has guardado correctamente."), - "recoveryReady": m71, - "recoverySuccessful": - MessageLookupByLibrary.simpleMessage("¡Recuperación exitosa!"), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "Un contacto de confianza está intentando acceder a tu cuenta"), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "El dispositivo actual no es lo suficientemente potente para verificar su contraseña, pero podemos regenerarla de una manera que funcione con todos los dispositivos.\n\nPor favor inicie sesión usando su clave de recuperación y regenere su contraseña (puede volver a utilizar la misma si lo desea)."), - "recreatePasswordTitle": - MessageLookupByLibrary.simpleMessage("Recrear contraseña"), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": - MessageLookupByLibrary.simpleMessage("Rescribe tu contraseña"), - "reenterPin": MessageLookupByLibrary.simpleMessage("Rescribe tu PIN"), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Refiere a amigos y 2x su plan"), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Dale este código a tus amigos"), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Se suscriben a un plan de pago"), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Referidos"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "Las referencias están actualmente en pausa"), - "rejectRecovery": - MessageLookupByLibrary.simpleMessage("Rechazar la recuperación"), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "También vacía \"Eliminado Recientemente\" de \"Configuración\" -> \"Almacenamiento\" para reclamar el espacio libre"), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "También vacía tu \"Papelera\" para reclamar el espacio liberado"), - "remoteImages": - MessageLookupByLibrary.simpleMessage("Imágenes remotas"), - "remoteThumbnails": - MessageLookupByLibrary.simpleMessage("Miniaturas remotas"), - "remoteVideos": MessageLookupByLibrary.simpleMessage("Videos remotos"), - "remove": MessageLookupByLibrary.simpleMessage("Quitar"), - "removeDuplicates": - MessageLookupByLibrary.simpleMessage("Eliminar duplicados"), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Revisar y eliminar archivos que son duplicados exactos."), - "removeFromAlbum": - MessageLookupByLibrary.simpleMessage("Eliminar del álbum"), - "removeFromAlbumTitle": - MessageLookupByLibrary.simpleMessage("¿Eliminar del álbum?"), - "removeFromFavorite": - MessageLookupByLibrary.simpleMessage("Remover desde favoritos"), - "removeInvite": - MessageLookupByLibrary.simpleMessage("Eliminar invitación"), - "removeLink": MessageLookupByLibrary.simpleMessage("Eliminar enlace"), - "removeParticipant": - MessageLookupByLibrary.simpleMessage("Quitar participante"), - "removeParticipantBody": m74, - "removePersonLabel": MessageLookupByLibrary.simpleMessage( - "Eliminar etiqueta de persona"), - "removePublicLink": - MessageLookupByLibrary.simpleMessage("Quitar enlace público"), - "removePublicLinks": - MessageLookupByLibrary.simpleMessage("Eliminar enlaces públicos"), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Algunos de los elementos que estás eliminando fueron añadidos por otras personas, y perderás el acceso a ellos"), - "removeWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Quitar?"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Quitarse como contacto de confianza"), - "removingFromFavorites": - MessageLookupByLibrary.simpleMessage("Quitando de favoritos..."), - "rename": MessageLookupByLibrary.simpleMessage("Renombrar"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("Renombrar álbum"), - "renameFile": MessageLookupByLibrary.simpleMessage("Renombrar archivo"), - "renewSubscription": - MessageLookupByLibrary.simpleMessage("Renovar suscripción"), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Reportar un error"), - "reportBug": MessageLookupByLibrary.simpleMessage("Reportar error"), - "resendEmail": - MessageLookupByLibrary.simpleMessage("Reenviar correo electrónico"), - "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( - "Restablecer archivos ignorados"), - "resetPasswordTitle": - MessageLookupByLibrary.simpleMessage("Restablecer contraseña"), - "resetPerson": MessageLookupByLibrary.simpleMessage("Eliminar"), - "resetToDefault": MessageLookupByLibrary.simpleMessage( - "Restablecer valores predeterminados"), - "restore": MessageLookupByLibrary.simpleMessage("Restaurar"), - "restoreToAlbum": - MessageLookupByLibrary.simpleMessage("Restaurar al álbum"), - "restoringFiles": - MessageLookupByLibrary.simpleMessage("Restaurando los archivos..."), - "resumableUploads": - MessageLookupByLibrary.simpleMessage("Subidas reanudables"), - "retry": MessageLookupByLibrary.simpleMessage("Reintentar"), - "review": MessageLookupByLibrary.simpleMessage("Revisar"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Por favor, revisa y elimina los elementos que crees que están duplicados."), - "reviewSuggestions": - MessageLookupByLibrary.simpleMessage("Revisar sugerencias"), - "right": MessageLookupByLibrary.simpleMessage("Derecha"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("Girar"), - "rotateLeft": - MessageLookupByLibrary.simpleMessage("Girar a la izquierda"), - "rotateRight": - MessageLookupByLibrary.simpleMessage("Girar a la derecha"), - "safelyStored": - MessageLookupByLibrary.simpleMessage("Almacenado con seguridad"), - "save": MessageLookupByLibrary.simpleMessage("Guardar"), - "saveChangesBeforeLeavingQuestion": - MessageLookupByLibrary.simpleMessage( - "¿Guardar cambios antes de salir?"), - "saveCollage": MessageLookupByLibrary.simpleMessage("Guardar collage"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Guardar copia"), - "saveKey": MessageLookupByLibrary.simpleMessage("Guardar Clave"), - "savePerson": MessageLookupByLibrary.simpleMessage("Guardar persona"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Guarda tu clave de recuperación si aún no lo has hecho"), - "saving": MessageLookupByLibrary.simpleMessage("Saving..."), - "savingEdits": - MessageLookupByLibrary.simpleMessage("Guardando las ediciones..."), - "scanCode": MessageLookupByLibrary.simpleMessage("Escanear código"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Escanea este código QR con tu aplicación de autenticación"), - "search": MessageLookupByLibrary.simpleMessage("Buscar"), - "searchAlbumsEmptySection": - MessageLookupByLibrary.simpleMessage("Álbumes"), - "searchByAlbumNameHint": - MessageLookupByLibrary.simpleMessage("Nombre del álbum"), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Nombres de álbumes (por ejemplo, \"Cámara\")\n• Tipos de archivos (por ejemplo, \"Videos\", \".gif\")\n• Años y meses (por ejemplo, \"2022\", \"Enero\")\n• Vacaciones (por ejemplo, \"Navidad\")\n• Descripciones fotográficas (por ejemplo, \"#diversión\")"), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Agrega descripciones como \"#viaje\" en la información de la foto para encontrarlas aquí rápidamente"), - "searchDatesEmptySection": - MessageLookupByLibrary.simpleMessage("Buscar por fecha, mes o año"), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "Las imágenes se mostrarán aquí cuando se complete el procesado y la sincronización"), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "Las personas se mostrarán aquí una vez que se haya hecho la indexación"), - "searchFileTypesAndNamesEmptySection": - MessageLookupByLibrary.simpleMessage("Tipos y nombres de archivo"), - "searchHint1": MessageLookupByLibrary.simpleMessage( - "Búsqueda rápida en el dispositivo"), - "searchHint2": MessageLookupByLibrary.simpleMessage( - "Fechas de fotos, descripciones"), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "Álbumes, nombres de archivos y tipos"), - "searchHint4": MessageLookupByLibrary.simpleMessage("Ubicación"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "Próximamente: Caras y búsqueda mágica ✨"), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Agrupar las fotos que se tomaron cerca de la localización de una foto"), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "Invita a gente y verás todas las fotos compartidas aquí"), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "Las personas se mostrarán aquí cuando se complete el procesado y la sincronización"), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Seguridad"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "Ver enlaces del álbum público en la aplicación"), - "selectALocation": - MessageLookupByLibrary.simpleMessage("Seleccionar una ubicación"), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage( - "Primero, selecciona una ubicación"), - "selectAlbum": - MessageLookupByLibrary.simpleMessage("Seleccionar álbum"), - "selectAll": MessageLookupByLibrary.simpleMessage("Seleccionar todos"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("Todas"), - "selectCoverPhoto": - MessageLookupByLibrary.simpleMessage("Seleccionar foto de portada"), - "selectDate": MessageLookupByLibrary.simpleMessage("Seleccionar fecha"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Seleccionar carpetas para la copia de seguridad"), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "Selecciona elementos para agregar"), - "selectLanguage": - MessageLookupByLibrary.simpleMessage("Seleccionar idioma"), - "selectMailApp": - MessageLookupByLibrary.simpleMessage("Seleccionar app de correo"), - "selectMorePhotos": - MessageLookupByLibrary.simpleMessage("Seleccionar más fotos"), - "selectOneDateAndTime": - MessageLookupByLibrary.simpleMessage("Seleccionar fecha y hora"), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "Seleccione una fecha y hora para todas"), - "selectPersonToLink": MessageLookupByLibrary.simpleMessage( - "Selecciona persona a vincular"), - "selectReason": - MessageLookupByLibrary.simpleMessage("Seleccionar motivo"), - "selectStartOfRange": MessageLookupByLibrary.simpleMessage( - "Seleccionar inicio del rango"), - "selectTime": MessageLookupByLibrary.simpleMessage("Seleccionar hora"), - "selectYourFace": - MessageLookupByLibrary.simpleMessage("Selecciona tu cara"), - "selectYourPlan": - MessageLookupByLibrary.simpleMessage("Elegir tu suscripción"), - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Los archivos seleccionados no están en Ente"), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Las carpetas seleccionadas se cifrarán y se realizará una copia de seguridad"), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Los archivos seleccionados serán eliminados de todos los álbumes y movidos a la papelera."), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "Los elementos seleccionados se eliminarán de esta persona, pero no se eliminarán de tu biblioteca."), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("Enviar"), - "sendEmail": - MessageLookupByLibrary.simpleMessage("Enviar correo electrónico"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Enviar invitación"), - "sendLink": MessageLookupByLibrary.simpleMessage("Enviar enlace"), - "serverEndpoint": - MessageLookupByLibrary.simpleMessage("Punto final del servidor"), - "sessionExpired": - MessageLookupByLibrary.simpleMessage("La sesión ha expirado"), - "sessionIdMismatch": - MessageLookupByLibrary.simpleMessage("El ID de sesión no coincide"), - "setAPassword": - MessageLookupByLibrary.simpleMessage("Establecer una contraseña"), - "setAs": MessageLookupByLibrary.simpleMessage("Establecer como"), - "setCover": MessageLookupByLibrary.simpleMessage("Definir portada"), - "setLabel": MessageLookupByLibrary.simpleMessage("Establecer"), - "setNewPassword": - MessageLookupByLibrary.simpleMessage("Ingresa tu nueva contraseña"), - "setNewPin": - MessageLookupByLibrary.simpleMessage("Ingresa tu nuevo PIN"), - "setPasswordTitle": - MessageLookupByLibrary.simpleMessage("Establecer contraseña"), - "setRadius": MessageLookupByLibrary.simpleMessage("Establecer radio"), - "setupComplete": - MessageLookupByLibrary.simpleMessage("Configuración completa"), - "share": MessageLookupByLibrary.simpleMessage("Compartir"), - "shareALink": - MessageLookupByLibrary.simpleMessage("Compartir un enlace"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Abre un álbum y pulsa el botón compartir en la parte superior derecha para compartir."), - "shareAnAlbumNow": - MessageLookupByLibrary.simpleMessage("Compartir un álbum ahora"), - "shareLink": MessageLookupByLibrary.simpleMessage("Compartir enlace"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Comparte sólo con la gente que quieres"), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Descarga Ente para que podamos compartir fácilmente fotos y videos en calidad original.\n\nhttps://ente.io"), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Compartir con usuarios fuera de Ente"), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": - MessageLookupByLibrary.simpleMessage("Comparte tu primer álbum"), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Crea álbumes compartidos y colaborativos con otros usuarios de Ente, incluyendo usuarios de planes gratuitos."), - "sharedByMe": MessageLookupByLibrary.simpleMessage("Compartido por mí"), - "sharedByYou": - MessageLookupByLibrary.simpleMessage("Compartido por ti"), - "sharedPhotoNotifications": - MessageLookupByLibrary.simpleMessage("Nuevas fotos compartidas"), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Recibir notificaciones cuando alguien agrega una foto a un álbum compartido contigo"), - "sharedWith": m87, - "sharedWithMe": - MessageLookupByLibrary.simpleMessage("Compartido conmigo"), - "sharedWithYou": - MessageLookupByLibrary.simpleMessage("Compartido contigo"), - "sharing": MessageLookupByLibrary.simpleMessage("Compartiendo..."), - "shiftDatesAndTime": - MessageLookupByLibrary.simpleMessage("Cambiar fechas y hora"), - "showMemories": - MessageLookupByLibrary.simpleMessage("Mostrar recuerdos"), - "showPerson": MessageLookupByLibrary.simpleMessage("Mostrar persona"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "Cerrar sesión de otros dispositivos"), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Si crees que alguien puede conocer tu contraseña, puedes forzar a todos los demás dispositivos que usan tu cuenta a cerrar la sesión."), - "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( - "Cerrar la sesión de otros dispositivos"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Estoy de acuerdo con los términos del servicio y la política de privacidad"), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Se borrará de todos los álbumes."), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Omitir"), - "social": MessageLookupByLibrary.simpleMessage("Social"), - "someItemsAreInBothEnteAndYourDevice": - MessageLookupByLibrary.simpleMessage( - "Algunos elementos están tanto en Ente como en tu dispositivo."), - "someOfTheFilesYouAreTryingToDeleteAre": - MessageLookupByLibrary.simpleMessage( - "Algunos de los archivos que estás intentando eliminar sólo están disponibles en tu dispositivo y no pueden ser recuperados si se eliminan"), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Alguien que comparta álbumes contigo debería ver el mismo ID en su dispositivo."), - "somethingWentWrong": - MessageLookupByLibrary.simpleMessage("Algo salió mal"), - "somethingWentWrongPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Algo salió mal, por favor inténtalo de nuevo"), - "sorry": MessageLookupByLibrary.simpleMessage("Lo sentimos"), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "¡Lo sentimos, no se pudo añadir a favoritos!"), - "sorryCouldNotRemoveFromFavorites": - MessageLookupByLibrary.simpleMessage( - "¡Lo sentimos, no se pudo quitar de favoritos!"), - "sorryTheCodeYouveEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "Lo sentimos, el código que has introducido es incorrecto"), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Lo sentimos, no hemos podido generar claves seguras en este dispositivo.\n\nPor favor, regístrate desde un dispositivo diferente."), - "sort": MessageLookupByLibrary.simpleMessage("Ordenar"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Ordenar por"), - "sortNewestFirst": - MessageLookupByLibrary.simpleMessage("Más recientes primero"), - "sortOldestFirst": - MessageLookupByLibrary.simpleMessage("Más antiguos primero"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Éxito"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": - MessageLookupByLibrary.simpleMessage("Enfócate a ti mismo"), - "startAccountRecoveryTitle": - MessageLookupByLibrary.simpleMessage("Iniciar la recuperación"), - "startBackup": - MessageLookupByLibrary.simpleMessage("Iniciar copia de seguridad"), - "status": MessageLookupByLibrary.simpleMessage("Estado"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "¿Quieres dejar de transmitir?"), - "stopCastingTitle": - MessageLookupByLibrary.simpleMessage("Detener la transmisión"), - "storage": MessageLookupByLibrary.simpleMessage("Almacenamiento"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Familia"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Usted"), - "storageInGB": m93, - "storageLimitExceeded": - MessageLookupByLibrary.simpleMessage("Límite de datos excedido"), - "storageUsageInfo": m94, - "streamDetails": - MessageLookupByLibrary.simpleMessage("Detalles de la transmisión"), - "strongStrength": MessageLookupByLibrary.simpleMessage("Segura"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Suscribirse"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Necesitas una suscripción activa de pago para habilitar el compartir."), - "subscription": MessageLookupByLibrary.simpleMessage("Suscripción"), - "success": MessageLookupByLibrary.simpleMessage("Éxito"), - "successfullyArchived": - MessageLookupByLibrary.simpleMessage("Archivado correctamente"), - "successfullyHid": - MessageLookupByLibrary.simpleMessage("Ocultado con éxito"), - "successfullyUnarchived": - MessageLookupByLibrary.simpleMessage("Desarchivado correctamente"), - "successfullyUnhid": - MessageLookupByLibrary.simpleMessage("Desocultado con éxito"), - "suggestFeatures": - MessageLookupByLibrary.simpleMessage("Sugerir una característica"), - "sunrise": MessageLookupByLibrary.simpleMessage("Sobre el horizonte"), - "support": MessageLookupByLibrary.simpleMessage("Soporte"), - "syncProgress": m97, - "syncStopped": - MessageLookupByLibrary.simpleMessage("Sincronización detenida"), - "syncing": MessageLookupByLibrary.simpleMessage("Sincronizando..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("Sistema"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("toca para copiar"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage( - "Toca para introducir el código"), - "tapToUnlock": - MessageLookupByLibrary.simpleMessage("Toca para desbloquear"), - "tapToUpload": MessageLookupByLibrary.simpleMessage("Toca para subir"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Parece que algo salió mal. Por favor, vuelve a intentarlo después de algún tiempo. Si el error persiste, ponte en contacto con nuestro equipo de soporte."), - "terminate": MessageLookupByLibrary.simpleMessage("Terminar"), - "terminateSession": - MessageLookupByLibrary.simpleMessage("¿Terminar sesión?"), - "terms": MessageLookupByLibrary.simpleMessage("Términos"), - "termsOfServicesTitle": - MessageLookupByLibrary.simpleMessage("Términos"), - "thankYou": MessageLookupByLibrary.simpleMessage("Gracias"), - "thankYouForSubscribing": - MessageLookupByLibrary.simpleMessage("¡Gracias por suscribirte!"), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "No se ha podido completar la descarga"), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "El enlace al que intenta acceder ha caducado."), - "theRecoveryKeyYouEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "La clave de recuperación introducida es incorrecta"), - "theme": MessageLookupByLibrary.simpleMessage("Tema"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Estos elementos se eliminarán de tu dispositivo."), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "Se borrarán de todos los álbumes."), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Esta acción no se puede deshacer"), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "Este álbum ya tiene un enlace de colaboración"), - "thisCanBeUsedToRecoverYourAccountIfYou": - MessageLookupByLibrary.simpleMessage( - "Esto puede utilizarse para recuperar tu cuenta si pierdes tu segundo factor"), - "thisDevice": MessageLookupByLibrary.simpleMessage("Este dispositivo"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "Este correo electrónico ya está en uso"), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Esta imagen no tiene datos exif"), - "thisIsMeExclamation": - MessageLookupByLibrary.simpleMessage("¡Este soy yo!"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Esta es tu ID de verificación"), - "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( - "Esta semana a través de los años"), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Esto cerrará la sesión del siguiente dispositivo:"), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "¡Esto cerrará la sesión de este dispositivo!"), - "thisWillMakeTheDateAndTimeOfAllSelected": - MessageLookupByLibrary.simpleMessage( - "Esto hará que la fecha y la hora de todas las fotos seleccionadas sean las mismas."), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "Esto eliminará los enlaces públicos de todos los enlaces rápidos seleccionados."), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "Para habilitar el bloqueo de la aplicación, por favor configura el código de acceso del dispositivo o el bloqueo de pantalla en los ajustes del sistema."), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( - "Para ocultar una foto o video"), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Para restablecer tu contraseña, por favor verifica tu correo electrónico primero."), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Registros de hoy"), - "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( - "Demasiados intentos incorrectos"), - "total": MessageLookupByLibrary.simpleMessage("total"), - "totalSize": MessageLookupByLibrary.simpleMessage("Tamaño total"), - "trash": MessageLookupByLibrary.simpleMessage("Papelera"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Ajustar duración"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": - MessageLookupByLibrary.simpleMessage("Contactos de confianza"), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Inténtalo de nuevo"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Activar la copia de seguridad para subir automáticamente archivos añadidos a la carpeta de este dispositivo a Ente."), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "2 meses gratis en planes anuales"), - "twofactor": MessageLookupByLibrary.simpleMessage("Dos factores"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "La autenticación de dos factores fue deshabilitada"), - "twofactorAuthenticationPageTitle": - MessageLookupByLibrary.simpleMessage("Autenticación en dos pasos"), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "Autenticación de doble factor restablecida con éxito"), - "twofactorSetup": - MessageLookupByLibrary.simpleMessage("Configuración de dos pasos"), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("Desarchivar"), - "unarchiveAlbum": - MessageLookupByLibrary.simpleMessage("Desarchivar álbum"), - "unarchiving": MessageLookupByLibrary.simpleMessage("Desarchivando..."), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Lo sentimos, este código no está disponible."), - "uncategorized": - MessageLookupByLibrary.simpleMessage("Sin categorizar"), - "unhide": MessageLookupByLibrary.simpleMessage("Dejar de ocultar"), - "unhideToAlbum": - MessageLookupByLibrary.simpleMessage("Hacer visible al álbum"), - "unhiding": MessageLookupByLibrary.simpleMessage("Desocultando..."), - "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Desocultando archivos del álbum"), - "unlock": MessageLookupByLibrary.simpleMessage("Desbloquear"), - "unpinAlbum": - MessageLookupByLibrary.simpleMessage("Dejar de fijar álbum"), - "unselectAll": MessageLookupByLibrary.simpleMessage("Desmarcar todos"), - "update": MessageLookupByLibrary.simpleMessage("Actualizar"), - "updateAvailable": - MessageLookupByLibrary.simpleMessage("Actualizacion disponible"), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Actualizando la selección de carpeta..."), - "upgrade": MessageLookupByLibrary.simpleMessage("Mejorar"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Subiendo archivos al álbum..."), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": - MessageLookupByLibrary.simpleMessage("Preservando 1 memoria..."), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "Hasta el 50% de descuento, hasta el 4 de diciembre."), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "El almacenamiento utilizable está limitado por tu plan actual. El exceso de almacenamiento que obtengas se volverá automáticamente utilizable cuando actualices tu plan."), - "useAsCover": - MessageLookupByLibrary.simpleMessage("Usar como cubierta"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "¿Tienes problemas para reproducir este video? Mantén pulsado aquí para probar un reproductor diferente."), - "usePublicLinksForPeopleNotOnEnte": - MessageLookupByLibrary.simpleMessage( - "Usar enlaces públicos para personas que no están en Ente"), - "useRecoveryKey": - MessageLookupByLibrary.simpleMessage("Usar clave de recuperación"), - "useSelectedPhoto": - MessageLookupByLibrary.simpleMessage("Usar foto seleccionada"), - "usedSpace": MessageLookupByLibrary.simpleMessage("Espacio usado"), - "validTill": m110, - "verificationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Verificación fallida, por favor inténtalo de nuevo"), - "verificationId": - MessageLookupByLibrary.simpleMessage("ID de verificación"), - "verify": MessageLookupByLibrary.simpleMessage("Verificar"), - "verifyEmail": MessageLookupByLibrary.simpleMessage( - "Verificar correo electrónico"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Verificar"), - "verifyPasskey": - MessageLookupByLibrary.simpleMessage("Verificar clave de acceso"), - "verifyPassword": - MessageLookupByLibrary.simpleMessage("Verificar contraseña"), - "verifying": MessageLookupByLibrary.simpleMessage("Verificando..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Verificando clave de recuperación..."), - "videoInfo": - MessageLookupByLibrary.simpleMessage("Información de video"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("vídeo"), - "videos": MessageLookupByLibrary.simpleMessage("Vídeos"), - "viewActiveSessions": - MessageLookupByLibrary.simpleMessage("Ver sesiones activas"), - "viewAddOnButton": - MessageLookupByLibrary.simpleMessage("Ver complementos"), - "viewAll": MessageLookupByLibrary.simpleMessage("Ver todo"), - "viewAllExifData": - MessageLookupByLibrary.simpleMessage("Ver todos los datos EXIF"), - "viewLargeFiles": - MessageLookupByLibrary.simpleMessage("Archivos grandes"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Ver los archivos que consumen la mayor cantidad de almacenamiento."), - "viewLogs": MessageLookupByLibrary.simpleMessage("Ver Registros"), - "viewRecoveryKey": - MessageLookupByLibrary.simpleMessage("Ver código de recuperación"), - "viewer": MessageLookupByLibrary.simpleMessage("Espectador"), - "viewersSuccessfullyAdded": m113, - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Por favor, visita web.ente.io para administrar tu suscripción"), - "waitingForVerification": - MessageLookupByLibrary.simpleMessage("Esperando verificación..."), - "waitingForWifi": - MessageLookupByLibrary.simpleMessage("Esperando WiFi..."), - "warning": MessageLookupByLibrary.simpleMessage("Advertencia"), - "weAreOpenSource": - MessageLookupByLibrary.simpleMessage("¡Somos de código abierto!"), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "No admitimos la edición de fotos y álbumes que aún no son tuyos"), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Poco segura"), - "welcomeBack": - MessageLookupByLibrary.simpleMessage("¡Bienvenido de nuevo!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("Qué hay de nuevo"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "Un contacto de confianza puede ayudar a recuperar sus datos."), - "yearShort": MessageLookupByLibrary.simpleMessage("año"), - "yearly": MessageLookupByLibrary.simpleMessage("Anualmente"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Sí"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Sí, cancelar"), - "yesConvertToViewer": - MessageLookupByLibrary.simpleMessage("Sí, convertir a espectador"), - "yesDelete": MessageLookupByLibrary.simpleMessage("Sí, eliminar"), - "yesDiscardChanges": - MessageLookupByLibrary.simpleMessage("Sí, descartar cambios"), - "yesLogout": MessageLookupByLibrary.simpleMessage("Sí, cerrar sesión"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Sí, quitar"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Sí, renovar"), - "yesResetPerson": - MessageLookupByLibrary.simpleMessage("Si, eliminar persona"), - "you": MessageLookupByLibrary.simpleMessage("Tu"), - "youAndThem": m117, - "youAreOnAFamilyPlan": - MessageLookupByLibrary.simpleMessage("¡Estás en un plan familiar!"), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Estás usando la última versión"), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Como máximo puedes duplicar tu almacenamiento"), - "youCanManageYourLinksInTheShareTab": - MessageLookupByLibrary.simpleMessage( - "Puedes administrar tus enlaces en la pestaña compartir."), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "Puedes intentar buscar una consulta diferente."), - "youCannotDowngradeToThisPlan": - MessageLookupByLibrary.simpleMessage("No puedes bajar a este plan"), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "No puedes compartir contigo mismo"), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "No tienes ningún elemento archivado."), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": - MessageLookupByLibrary.simpleMessage("Tu cuenta ha sido eliminada"), - "yourMap": MessageLookupByLibrary.simpleMessage("Tu mapa"), - "yourPlanWasSuccessfullyDowngraded": - MessageLookupByLibrary.simpleMessage( - "Tu plan ha sido degradado con éxito"), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "Tu plan se ha actualizado correctamente"), - "yourPurchaseWasSuccessful": - MessageLookupByLibrary.simpleMessage("Tu compra ha sido exitosa"), - "yourStorageDetailsCouldNotBeFetched": - MessageLookupByLibrary.simpleMessage( - "Tus datos de almacenamiento no se han podido obtener"), - "yourSubscriptionHasExpired": - MessageLookupByLibrary.simpleMessage("Tu suscripción ha caducado"), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "Tu suscripción se ha actualizado con éxito"), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "Tu código de verificación ha expirado"), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage( - "No tienes archivos duplicados que se puedan borrar"), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "No tienes archivos en este álbum que puedan ser borrados"), - "zoomOutToSeePhotos": - MessageLookupByLibrary.simpleMessage("Alejar para ver las fotos") - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Hay una nueva versión de Ente disponible.", + ), + "about": MessageLookupByLibrary.simpleMessage("Acerca de"), + "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( + "Aceptar invitación", + ), + "account": MessageLookupByLibrary.simpleMessage("Cuenta"), + "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( + "La cuenta ya está configurada.", + ), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( + "¡Bienvenido de nuevo!", + ), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Entiendo que si pierdo mi contraseña podría perder mis datos, ya que mis datos están cifrados de extremo a extremo.", + ), + "actionNotSupportedOnFavouritesAlbum": MessageLookupByLibrary.simpleMessage( + "Acción no compatible con el álbum de Favoritos", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage("Sesiones activas"), + "add": MessageLookupByLibrary.simpleMessage("Añadir"), + "addAName": MessageLookupByLibrary.simpleMessage("Añade un nombre"), + "addANewEmail": MessageLookupByLibrary.simpleMessage( + "Agregar nuevo correo electrónico", + ), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Añade un widget de álbum a tu pantalla de inicio y vuelve aquí para personalizarlo.", + ), + "addCollaborator": MessageLookupByLibrary.simpleMessage( + "Agregar colaborador", + ), + "addCollaborators": m1, + "addFiles": MessageLookupByLibrary.simpleMessage("Añadir archivos"), + "addFromDevice": MessageLookupByLibrary.simpleMessage( + "Agregar desde el dispositivo", + ), + "addItem": m2, + "addLocation": MessageLookupByLibrary.simpleMessage("Agregar ubicación"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Añadir"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Añade un widget de recuerdos a tu pantalla de inicio y vuelve aquí para personalizarlo.", + ), + "addMore": MessageLookupByLibrary.simpleMessage("Añadir más"), + "addName": MessageLookupByLibrary.simpleMessage("Añadir nombre"), + "addNameOrMerge": MessageLookupByLibrary.simpleMessage( + "Añadir nombre o combinar", + ), + "addNew": MessageLookupByLibrary.simpleMessage("Añadir nuevo"), + "addNewPerson": MessageLookupByLibrary.simpleMessage( + "Añadir nueva persona", + ), + "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( + "Detalles de los complementos", + ), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("Complementos"), + "addParticipants": MessageLookupByLibrary.simpleMessage( + "Añadir participantes", + ), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Añade un widget de personas a tu pantalla de inicio y vuelve aquí para personalizarlo.", + ), + "addPhotos": MessageLookupByLibrary.simpleMessage("Agregar fotos"), + "addSelected": MessageLookupByLibrary.simpleMessage("Agregar selección"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("Añadir al álbum"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Añadir a Ente"), + "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Añadir al álbum oculto", + ), + "addTrustedContact": MessageLookupByLibrary.simpleMessage( + "Añadir contacto de confianza", + ), + "addViewer": MessageLookupByLibrary.simpleMessage("Añadir espectador"), + "addViewers": m4, + "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( + "Añade tus fotos ahora", + ), + "addedAs": MessageLookupByLibrary.simpleMessage("Agregado como"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": MessageLookupByLibrary.simpleMessage( + "Añadiendo a favoritos...", + ), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("Avanzado"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Avanzado"), + "after1Day": MessageLookupByLibrary.simpleMessage("Después de un día"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Después de 1 hora"), + "after1Month": MessageLookupByLibrary.simpleMessage("Después de un mes"), + "after1Week": MessageLookupByLibrary.simpleMessage("Después de una semana"), + "after1Year": MessageLookupByLibrary.simpleMessage("Después de un año"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Propietario"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Título del álbum"), + "albumUpdated": MessageLookupByLibrary.simpleMessage("Álbum actualizado"), + "albums": MessageLookupByLibrary.simpleMessage("Álbumes"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Seleccione los álbumes que desea ver en su pantalla de inicio.", + ), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Todo limpio"), + "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( + "Todos los recuerdos preservados", + ), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "Se eliminarán todas las agrupaciones para esta persona, y se eliminarán todas sus sugerencias", + ), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "Todos los grupos sin nombre se combinarán en la persona seleccionada. Esto puede deshacerse desde el historial de sugerencias de la persona.", + ), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "Este es el primero en el grupo. Otras fotos seleccionadas cambiarán automáticamente basándose en esta nueva fecha", + ), + "allow": MessageLookupByLibrary.simpleMessage("Permitir"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Permitir a las personas con el enlace añadir fotos al álbum compartido.", + ), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( + "Permitir añadir fotos", + ), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "Permitir a la aplicación abrir enlaces de álbum compartidos", + ), + "allowDownloads": MessageLookupByLibrary.simpleMessage( + "Permitir descargas", + ), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Permitir que la gente añada fotos", + ), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Por favor, permite el acceso a tus fotos desde Ajustes para que Ente pueda mostrar y hacer una copia de seguridad de tu biblioteca.", + ), + "allowPermTitle": MessageLookupByLibrary.simpleMessage( + "Permitir el acceso a las fotos", + ), + "androidBiometricHint": MessageLookupByLibrary.simpleMessage( + "Verificar identidad", + ), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "No reconocido. Inténtelo nuevamente.", + ), + "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( + "Autenticación biométrica necesaria", + ), + "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("Listo"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Cancelar"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage( + "Se necesitan credenciales de dispositivo", + ), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage( + "Se necesitan credenciales de dispositivo", + ), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "La autenticación biométrica no está configurada en su dispositivo. \'Ve a Ajustes > Seguridad\' para añadir autenticación biométrica.", + ), + "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( + "Android, iOS, Web, Computadora", + ), + "androidSignInTitle": MessageLookupByLibrary.simpleMessage( + "Se necesita autenticación biométrica", + ), + "appIcon": MessageLookupByLibrary.simpleMessage("Ícono"), + "appLock": MessageLookupByLibrary.simpleMessage("Bloqueo de aplicación"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Escoge entre la pantalla de bloqueo por defecto de tu dispositivo y una pantalla de bloqueo personalizada con un PIN o contraseña.", + ), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("ID de Apple"), + "apply": MessageLookupByLibrary.simpleMessage("Aplicar"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Usar código"), + "appstoreSubscription": MessageLookupByLibrary.simpleMessage( + "Suscripción en la AppStore", + ), + "archive": MessageLookupByLibrary.simpleMessage("Archivo"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("Archivar álbum"), + "archiving": MessageLookupByLibrary.simpleMessage("Archivando..."), + "areThey": MessageLookupByLibrary.simpleMessage("¿Son ellos"), + "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( + "¿Estás seguro de que quieres eliminar esta cara de esta persona?", + ), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "¿Está seguro de que desea abandonar el plan familiar?", + ), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "¿Estás seguro de que quieres cancelar?", + ), + "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( + "¿Estás seguro de que quieres cambiar tu plan?", + ), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "¿Estás seguro de que deseas salir?", + ), + "areYouSureYouWantToIgnoreThesePersons": + MessageLookupByLibrary.simpleMessage( + "¿Estás seguro de que quieres ignorar a estas personas?", + ), + "areYouSureYouWantToIgnoreThisPerson": MessageLookupByLibrary.simpleMessage( + "¿Estás seguro de que quieres ignorar a esta persona?", + ), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "¿Estás seguro de que quieres cerrar la sesión?", + ), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "¿Estás seguro de que quieres combinarlas?", + ), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "¿Estás seguro de que quieres renovar?", + ), + "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( + "¿Seguro que desea eliminar esta persona?", + ), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "Tu suscripción ha sido cancelada. ¿Quieres compartir el motivo?", + ), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "¿Cuál es la razón principal por la que eliminas tu cuenta?", + ), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Pide a tus seres queridos que compartan", + ), + "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( + "en un refugio blindado", + ), + "authToChangeEmailVerificationSetting": MessageLookupByLibrary.simpleMessage( + "Por favor, autentícate para cambiar la verificación por correo electrónico", + ), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Por favor, autentícate para cambiar la configuración de la pantalla de bloqueo", + ), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Por favor, autentícate para cambiar tu correo electrónico", + ), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Por favor, autentícate para cambiar tu contraseña", + ), + "authToConfigureTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( + "Por favor, autentícate para configurar la autenticación de dos factores", + ), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Por favor, autentícate para iniciar la eliminación de la cuenta", + ), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Por favor, autentícate para administrar tus contactos de confianza", + ), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Por favor, autentícate para ver tu clave de acceso", + ), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Por favor, autentícate para ver los archivos enviados a la papelera", + ), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Por favor, autentícate para ver tus sesiones activas", + ), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Por favor, autentícate para ver tus archivos ocultos", + ), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Por favor, autentícate para ver tus recuerdos", + ), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Por favor, autentícate para ver tu clave de recuperación", + ), + "authenticating": MessageLookupByLibrary.simpleMessage("Autenticando..."), + "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Error de autenticación, por favor inténtalo de nuevo", + ), + "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( + "¡Autenticación exitosa!", + ), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Aquí verás los dispositivos de transmisión disponibles.", + ), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Asegúrate de que los permisos de la red local están activados para la aplicación Ente Fotos, en Configuración.", + ), + "autoLock": MessageLookupByLibrary.simpleMessage("Bloqueo automático"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Tiempo después de que la aplicación esté en segundo plano", + ), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "Debido a un fallo técnico, has sido desconectado. Nuestras disculpas por las molestias.", + ), + "autoPair": MessageLookupByLibrary.simpleMessage( + "Emparejamiento automático", + ), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "El emparejamiento automático funciona sólo con dispositivos compatibles con Chromecast.", + ), + "available": MessageLookupByLibrary.simpleMessage("Disponible"), + "availableStorageSpace": m10, + "backedUpFolders": MessageLookupByLibrary.simpleMessage( + "Carpetas con copia de seguridad", + ), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("Copia de seguridad"), + "backupFailed": MessageLookupByLibrary.simpleMessage( + "La copia de seguridad ha fallado", + ), + "backupFile": MessageLookupByLibrary.simpleMessage( + "Archivo de copia de seguridad", + ), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Copia de seguridad usando datos móviles", + ), + "backupSettings": MessageLookupByLibrary.simpleMessage( + "Ajustes de copia de seguridad", + ), + "backupStatus": MessageLookupByLibrary.simpleMessage( + "Estado de la copia de seguridad", + ), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Los elementos con copia seguridad aparecerán aquí", + ), + "backupVideos": MessageLookupByLibrary.simpleMessage( + "Copia de seguridad de vídeos", + ), + "beach": MessageLookupByLibrary.simpleMessage("Arena y mar "), + "birthday": MessageLookupByLibrary.simpleMessage("Cumpleaños"), + "birthdayNotifications": MessageLookupByLibrary.simpleMessage( + "Notificaciones de cumpleaños", + ), + "birthdays": MessageLookupByLibrary.simpleMessage("Cumpleaños"), + "blackFridaySale": MessageLookupByLibrary.simpleMessage( + "Oferta del Black Friday", + ), + "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cLDesc1": MessageLookupByLibrary.simpleMessage( + "Dado el trabajo que hemos hecho en la versión beta de vídeos en streaming y en las cargas y descargas reanudables, hemos aumentado el límite de subida de archivos a 10 GB. Esto ya está disponible tanto en la aplicación de escritorio como en la móvil.", + ), + "cLDesc2": MessageLookupByLibrary.simpleMessage( + "Las subidas en segundo plano ya están también soportadas en iOS, además de los dispositivos Android. No es necesario abrir la aplicación para hacer una copia de seguridad de tus fotos y vídeos más recientes.", + ), + "cLDesc3": MessageLookupByLibrary.simpleMessage( + "Hemos hecho mejoras significativas en nuestra experiencia de recuerdos, incluyendo la reproducción automática, el deslizado a la memoria siguiente y mucho más.", + ), + "cLDesc4": MessageLookupByLibrary.simpleMessage( + "Junto con un montón de mejoras adicionales, ahora es mucho más fácil ver todas las caras detectadas, proporcionar comentarios sobre caras similares, y añadir o quitar caras de una sola foto.", + ), + "cLDesc5": MessageLookupByLibrary.simpleMessage( + "Ahora recibirás una notificación de exclusión voluntaria para todos los cumpleaños que hayas guardado en Ente, junto con una colección de sus mejores fotos.", + ), + "cLDesc6": MessageLookupByLibrary.simpleMessage( + "Ya no tienes que esperar a que las subidas o descargas se completen para cerrar la aplicación. Ahora, todas las subidas y descargas se pueden pausar a mitad de proceso y reanudarse justo donde lo dejaste.", + ), + "cLTitle1": MessageLookupByLibrary.simpleMessage( + "Subiendo archivos de vídeo grandes", + ), + "cLTitle2": MessageLookupByLibrary.simpleMessage("Subida en segundo plano"), + "cLTitle3": MessageLookupByLibrary.simpleMessage( + "Reproducción automática de recuerdos", + ), + "cLTitle4": MessageLookupByLibrary.simpleMessage( + "Reconocimiento facial mejorado", + ), + "cLTitle5": MessageLookupByLibrary.simpleMessage( + "Notificación de cumpleaños", + ), + "cLTitle6": MessageLookupByLibrary.simpleMessage( + "Subidas y Descargas reanudables", + ), + "cachedData": MessageLookupByLibrary.simpleMessage( + "Datos almacenados en caché", + ), + "calculating": MessageLookupByLibrary.simpleMessage("Calculando..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Lo sentimos, este álbum no se puede abrir en la aplicación.", + ), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( + "No es posible abrir este álbum", + ), + "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( + "No se puede subir a álbumes que sean propiedad de otros", + ), + "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Sólo puedes crear un enlace para archivos de tu propiedad", + ), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Sólo puede eliminar archivos de tu propiedad", + ), + "cancel": MessageLookupByLibrary.simpleMessage("Cancelar"), + "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( + "Cancelar la recuperación", + ), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "¿Estás seguro de que quieres cancelar la recuperación?", + ), + "cancelOtherSubscription": m12, + "cancelSubscription": MessageLookupByLibrary.simpleMessage( + "Cancelar suscripción", + ), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "No se pueden eliminar los archivos compartidos", + ), + "castAlbum": MessageLookupByLibrary.simpleMessage("Enviar álbum"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Por favor, asegúrate de estar en la misma red que el televisor.", + ), + "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( + "Error al transmitir álbum", + ), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Visita cast.ente.io en el dispositivo que quieres emparejar.\n\nIntroduce el código de abajo para reproducir el álbum en tu TV.", + ), + "centerPoint": MessageLookupByLibrary.simpleMessage("Punto central"), + "change": MessageLookupByLibrary.simpleMessage("Cambiar"), + "changeEmail": MessageLookupByLibrary.simpleMessage( + "Cambiar correo electrónico", + ), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "¿Cambiar la ubicación de los elementos seleccionados?", + ), + "changePassword": MessageLookupByLibrary.simpleMessage( + "Cambiar contraseña", + ), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Cambiar contraseña", + ), + "changePermissions": MessageLookupByLibrary.simpleMessage( + "¿Cambiar permisos?", + ), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Cambiar tu código de referido", + ), + "checkForUpdates": MessageLookupByLibrary.simpleMessage( + "Comprobar actualizaciones", + ), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Revisa tu bandeja de entrada (y spam) para completar la verificación", + ), + "checkStatus": MessageLookupByLibrary.simpleMessage("Comprobar estado"), + "checking": MessageLookupByLibrary.simpleMessage("Comprobando..."), + "checkingModels": MessageLookupByLibrary.simpleMessage( + "Comprobando modelos...", + ), + "city": MessageLookupByLibrary.simpleMessage("En la ciudad"), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage( + "Obtén almacenamiento gratuito", + ), + "claimMore": MessageLookupByLibrary.simpleMessage("¡Obtén más!"), + "claimed": MessageLookupByLibrary.simpleMessage("Obtenido"), + "claimedStorageSoFar": m14, + "cleanUncategorized": MessageLookupByLibrary.simpleMessage( + "Limpiar sin categorizar", + ), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Elimina todos los archivos de Sin categorizar que están presentes en otros álbumes", + ), + "clearCaches": MessageLookupByLibrary.simpleMessage("Limpiar cachés"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Limpiar índices"), + "click": MessageLookupByLibrary.simpleMessage("• Clic"), + "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( + "• Haga clic en el menú desbordante", + ), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Haz clic para instalar nuestra mejor versión hasta la fecha", + ), + "close": MessageLookupByLibrary.simpleMessage("Cerrar"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( + "Agrupar por tiempo de captura", + ), + "clubByFileName": MessageLookupByLibrary.simpleMessage( + "Club por nombre de archivo", + ), + "clusteringProgress": MessageLookupByLibrary.simpleMessage( + "Proceso de agrupación", + ), + "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( + "Código aplicado", + ), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Lo sentimos, has alcanzado el límite de cambios de códigos.", + ), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Código copiado al portapapeles", + ), + "codeUsedByYou": MessageLookupByLibrary.simpleMessage( + "Código usado por ti", + ), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Crea un enlace para permitir que otros pueda añadir y ver fotos en tu álbum compartido sin necesitar la aplicación Ente o una cuenta. Genial para recolectar fotos de eventos.", + ), + "collaborativeLink": MessageLookupByLibrary.simpleMessage( + "Enlace colaborativo", + ), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Colaborador"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Colaboradores pueden añadir fotos y videos al álbum compartido.", + ), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("Disposición"), + "collageSaved": MessageLookupByLibrary.simpleMessage( + "Collage guardado en la galería", + ), + "collect": MessageLookupByLibrary.simpleMessage("Recolectar"), + "collectEventPhotos": MessageLookupByLibrary.simpleMessage( + "Recopilar fotos del evento", + ), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Recolectar fotos"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Crea un enlace donde tus amigos pueden subir fotos en su calidad original.", + ), + "color": MessageLookupByLibrary.simpleMessage("Color"), + "configuration": MessageLookupByLibrary.simpleMessage("Configuración"), + "confirm": MessageLookupByLibrary.simpleMessage("Confirmar"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "¿Estás seguro de que deseas deshabilitar la autenticación de doble factor?", + ), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Confirmar eliminación de cuenta", + ), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Sí, quiero eliminar permanentemente esta cuenta y todos sus datos en todas las aplicaciones.", + ), + "confirmPassword": MessageLookupByLibrary.simpleMessage( + "Confirmar contraseña", + ), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage( + "Confirmar los cambios en el plan", + ), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Confirmar clave de recuperación", + ), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Confirma tu clave de recuperación", + ), + "connectToDevice": MessageLookupByLibrary.simpleMessage( + "Conectar a dispositivo", + ), + "contactFamilyAdmin": m18, + "contactSupport": MessageLookupByLibrary.simpleMessage( + "Contactar con soporte", + ), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Contactos"), + "contents": MessageLookupByLibrary.simpleMessage("Contenidos"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Continuar"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "Continuar con el plan gratuito", + ), + "convertToAlbum": MessageLookupByLibrary.simpleMessage("Convertir a álbum"), + "copyEmailAddress": MessageLookupByLibrary.simpleMessage( + "Copiar dirección de correo electrónico", + ), + "copyLink": MessageLookupByLibrary.simpleMessage("Copiar enlace"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Copia y pega este código\na tu aplicación de autenticador", + ), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "No pudimos hacer una copia de seguridad de tus datos.\nVolveremos a intentarlo más tarde.", + ), + "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( + "No se pudo liberar espacio", + ), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "No se pudo actualizar la suscripción", + ), + "count": MessageLookupByLibrary.simpleMessage("Cuenta"), + "crashReporting": MessageLookupByLibrary.simpleMessage( + "Reporte de errores", + ), + "create": MessageLookupByLibrary.simpleMessage("Crear"), + "createAccount": MessageLookupByLibrary.simpleMessage("Crear cuenta"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Manten presionado para seleccionar fotos y haz clic en + para crear un álbum", + ), + "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( + "Crear enlace colaborativo", + ), + "createCollage": MessageLookupByLibrary.simpleMessage("Crear un collage"), + "createNewAccount": MessageLookupByLibrary.simpleMessage( + "Crear nueva cuenta", + ), + "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( + "Crear o seleccionar álbum", + ), + "createPublicLink": MessageLookupByLibrary.simpleMessage( + "Crear enlace público", + ), + "creatingLink": MessageLookupByLibrary.simpleMessage("Creando enlace..."), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "Actualización crítica disponible", + ), + "crop": MessageLookupByLibrary.simpleMessage("Ajustar encuadre"), + "curatedMemories": MessageLookupByLibrary.simpleMessage( + "Memorias revisadas", + ), + "currentUsageIs": MessageLookupByLibrary.simpleMessage( + "El uso actual es de ", + ), + "currentlyRunning": MessageLookupByLibrary.simpleMessage("ejecutando"), + "custom": MessageLookupByLibrary.simpleMessage("Personalizado"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Oscuro"), + "dayToday": MessageLookupByLibrary.simpleMessage("Hoy"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Ayer"), + "declineTrustInvite": MessageLookupByLibrary.simpleMessage( + "Rechazar invitación", + ), + "decrypting": MessageLookupByLibrary.simpleMessage("Descifrando..."), + "decryptingVideo": MessageLookupByLibrary.simpleMessage( + "Descifrando video...", + ), + "deduplicateFiles": MessageLookupByLibrary.simpleMessage( + "Deduplicar archivos", + ), + "delete": MessageLookupByLibrary.simpleMessage("Eliminar"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Eliminar cuenta"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Lamentamos que te vayas. Por favor, explícanos el motivo para ayudarnos a mejorar.", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Eliminar cuenta permanentemente", + ), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Borrar álbum"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "¿También eliminar las fotos (y los vídeos) presentes en este álbum de todos los otros álbumes de los que forman parte?", + ), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "Esto eliminará todos los álbumes vacíos. Esto es útil cuando quieres reducir el desorden en tu lista de álbumes.", + ), + "deleteAll": MessageLookupByLibrary.simpleMessage("Borrar Todo"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "Esta cuenta está vinculada a otras aplicaciones de Ente, si utilizas alguna. Se programará la eliminación de los datos cargados en todas las aplicaciones de Ente, y tu cuenta se eliminará permanentemente.", + ), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Por favor, envía un correo electrónico a account-deletion@ente.io desde la dirección de correo electrónico que usó para registrarse.", + ), + "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( + "Eliminar álbumes vacíos", + ), + "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( + "¿Eliminar álbumes vacíos?", + ), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage("Eliminar de ambos"), + "deleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Eliminar del dispositivo", + ), + "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Eliminar de Ente"), + "deleteItemCount": m21, + "deleteLocation": MessageLookupByLibrary.simpleMessage( + "Borrar la ubicación", + ), + "deleteMultipleAlbumDialog": m22, + "deletePhotos": MessageLookupByLibrary.simpleMessage("Borrar las fotos"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Falta una función clave que necesito", + ), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "La aplicación o una característica determinada no se comporta como creo que debería", + ), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "He encontrado otro servicio que me gusta más", + ), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "Mi motivo no se encuentra en la lista", + ), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Tu solicitud será procesada dentro de las siguientes 72 horas.", + ), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "¿Borrar álbum compartido?", + ), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "El álbum se eliminará para todos\n\nPerderás el acceso a las fotos compartidas en este álbum que son propiedad de otros", + ), + "deselectAll": MessageLookupByLibrary.simpleMessage("Deseleccionar todo"), + "designedToOutlive": MessageLookupByLibrary.simpleMessage( + "Diseñado para sobrevivir", + ), + "details": MessageLookupByLibrary.simpleMessage("Detalles"), + "developerSettings": MessageLookupByLibrary.simpleMessage( + "Ajustes de desarrollador", + ), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "¿Estás seguro de que quieres modificar los ajustes de desarrollador?", + ), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage( + "Introduce el código", + ), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "Los archivos añadidos a este álbum de dispositivo se subirán automáticamente a Ente.", + ), + "deviceLock": MessageLookupByLibrary.simpleMessage( + "Bloqueo del dispositivo", + ), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Deshabilita el bloqueo de pantalla del dispositivo cuando Ente está en primer plano y haya una copia de seguridad en curso. Normalmente esto no es necesario, pero puede ayudar a que las grandes cargas y las importaciones iniciales de grandes bibliotecas se completen más rápido.", + ), + "deviceNotFound": MessageLookupByLibrary.simpleMessage( + "Dispositivo no encontrado", + ), + "didYouKnow": MessageLookupByLibrary.simpleMessage("¿Sabías que?"), + "different": MessageLookupByLibrary.simpleMessage("Diferente"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage( + "Desactivar bloqueo automático", + ), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Los espectadores todavía pueden tomar capturas de pantalla o guardar una copia de tus fotos usando herramientas externas", + ), + "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( + "Por favor, ten en cuenta", + ), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "Deshabilitar dos factores", + ), + "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( + "Deshabilitando la autenticación de dos factores...", + ), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Descubrir"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Bebés"), + "discover_celebrations": MessageLookupByLibrary.simpleMessage( + "Celebraciones", + ), + "discover_food": MessageLookupByLibrary.simpleMessage("Comida"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Verdor"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Colinas"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Identidad"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Notas"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Mascotas"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Recibos"), + "discover_screenshots": MessageLookupByLibrary.simpleMessage( + "Capturas de pantalla", + ), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfies"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Atardecer"), + "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( + "Tarjetas de visita", + ), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage( + "Fondos de pantalla", + ), + "dismiss": MessageLookupByLibrary.simpleMessage("Descartar"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage("No cerrar la sesión"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Hacerlo más tarde"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "¿Quieres descartar las ediciones que has hecho?", + ), + "done": MessageLookupByLibrary.simpleMessage("Hecho"), + "dontSave": MessageLookupByLibrary.simpleMessage("No guardar"), + "doubleYourStorage": MessageLookupByLibrary.simpleMessage( + "Duplica tu almacenamiento", + ), + "download": MessageLookupByLibrary.simpleMessage("Descargar"), + "downloadFailed": MessageLookupByLibrary.simpleMessage("Descarga fallida"), + "downloading": MessageLookupByLibrary.simpleMessage("Descargando..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Editar"), + "editEmailAlreadyLinked": m28, + "editLocation": MessageLookupByLibrary.simpleMessage("Editar la ubicación"), + "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( + "Editar la ubicación", + ), + "editPerson": MessageLookupByLibrary.simpleMessage("Editar persona"), + "editTime": MessageLookupByLibrary.simpleMessage("Editar hora"), + "editsSaved": MessageLookupByLibrary.simpleMessage("Ediciones guardadas"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Las ediciones a la ubicación sólo se verán dentro de Ente", + ), + "eligible": MessageLookupByLibrary.simpleMessage("elegible"), + "email": MessageLookupByLibrary.simpleMessage("Correo electrónico"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "Correo electrónico ya registrado.", + ), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "Correo electrónico no registrado.", + ), + "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( + "Verificación por correo electrónico", + ), + "emailYourLogs": MessageLookupByLibrary.simpleMessage( + "Envía tus registros por correo electrónico", + ), + "embracingThem": m32, + "emergencyContacts": MessageLookupByLibrary.simpleMessage( + "Contactos de emergencia", + ), + "empty": MessageLookupByLibrary.simpleMessage("Vaciar"), + "emptyTrash": MessageLookupByLibrary.simpleMessage("¿Vaciar la papelera?"), + "enable": MessageLookupByLibrary.simpleMessage("Habilitar"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "Ente soporta aprendizaje automático en el dispositivo para la detección de caras, búsqueda mágica y otras características de búsqueda avanzada", + ), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Activar aprendizaje automático para búsqueda mágica y reconocimiento facial", + ), + "enableMaps": MessageLookupByLibrary.simpleMessage("Activar Mapas"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "Esto mostrará tus fotos en el mapa mundial.\n\nEste mapa está gestionado por Open Street Map, y la ubicación exacta de tus fotos nunca se comparte.\n\nPuedes deshabilitar esta función en cualquier momento en Ajustes.", + ), + "enabled": MessageLookupByLibrary.simpleMessage("Habilitado"), + "encryptingBackup": MessageLookupByLibrary.simpleMessage( + "Cifrando copia de seguridad...", + ), + "encryption": MessageLookupByLibrary.simpleMessage("Cifrado"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage("Claves de cifrado"), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Punto final actualizado con éxito", + ), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Encriptado de extremo a extremo por defecto", + ), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente puede cifrar y preservar archivos solo si concedes acceso a ellos", + ), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente necesita permiso para preservar tus fotos", + ), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "Ente conserva tus recuerdos, así que siempre están disponibles para ti, incluso si pierdes tu dispositivo.", + ), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Tu familia también puede ser agregada a tu plan.", + ), + "enterAlbumName": MessageLookupByLibrary.simpleMessage( + "Introduce el nombre del álbum", + ), + "enterCode": MessageLookupByLibrary.simpleMessage("Introduce el código"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Introduce el código proporcionado por tu amigo para reclamar almacenamiento gratuito para ambos", + ), + "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( + "Cumpleaños (opcional)", + ), + "enterEmail": MessageLookupByLibrary.simpleMessage( + "Ingresar correo electrónico ", + ), + "enterFileName": MessageLookupByLibrary.simpleMessage( + "Introduce el nombre del archivo", + ), + "enterName": MessageLookupByLibrary.simpleMessage("Introducir nombre"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Introduce una nueva contraseña que podamos usar para cifrar tus datos", + ), + "enterPassword": MessageLookupByLibrary.simpleMessage( + "Introduzca contraseña", + ), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Introduce una contraseña que podamos usar para cifrar tus datos", + ), + "enterPersonName": MessageLookupByLibrary.simpleMessage( + "Ingresar el nombre de una persona", + ), + "enterPin": MessageLookupByLibrary.simpleMessage("Ingresa tu contraseña"), + "enterReferralCode": MessageLookupByLibrary.simpleMessage( + "Introduce el código de referido", + ), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Ingresa el código de seis dígitos de tu aplicación de autenticación", + ), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Por favor, introduce una dirección de correo electrónico válida.", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Escribe tu correo electrónico", + ), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Introduce tu nueva dirección de correo electrónico", + ), + "enterYourPassword": MessageLookupByLibrary.simpleMessage( + "Ingresa tu contraseña", + ), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Introduce tu clave de recuperación", + ), + "error": MessageLookupByLibrary.simpleMessage("Error"), + "everywhere": MessageLookupByLibrary.simpleMessage("todas partes"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": MessageLookupByLibrary.simpleMessage("Usuario existente"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Este enlace ha caducado. Por favor, selecciona una nueva fecha de caducidad o deshabilita la fecha de caducidad.", + ), + "exportLogs": MessageLookupByLibrary.simpleMessage("Exportar registros"), + "exportYourData": MessageLookupByLibrary.simpleMessage( + "Exportar tus datos", + ), + "extraPhotosFound": MessageLookupByLibrary.simpleMessage( + "Fotos adicionales encontradas", + ), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Cara no agrupada todavía, por favor vuelve más tarde", + ), + "faceRecognition": MessageLookupByLibrary.simpleMessage( + "Reconocimiento facial", + ), + "faces": MessageLookupByLibrary.simpleMessage("Caras"), + "failed": MessageLookupByLibrary.simpleMessage("Fallido"), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage( + "Error al aplicar el código", + ), + "failedToCancel": MessageLookupByLibrary.simpleMessage("Error al cancelar"), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( + "Error al descargar el vídeo", + ), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Error al recuperar las sesiones activas", + ), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "No se pudo obtener el original para editar", + ), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "No se pueden obtener los detalles de la referencia. Por favor, inténtalo de nuevo más tarde.", + ), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "Error al cargar álbumes", + ), + "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Error al reproducir el video", + ), + "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( + "Error al actualizar la suscripción", + ), + "failedToRenew": MessageLookupByLibrary.simpleMessage("Renovación fallida"), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Error al verificar el estado de tu pago", + ), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Añade 5 familiares a tu plan existente sin pagar más.\n\nCada miembro tiene su propio espacio privado y no puede ver los archivos del otro a menos que sean compartidos.\n\nLos planes familiares están disponibles para los clientes que tienen una suscripción de Ente pagada.\n\n¡Suscríbete ahora para empezar!", + ), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Familia"), + "familyPlans": MessageLookupByLibrary.simpleMessage("Planes familiares"), + "faq": MessageLookupByLibrary.simpleMessage("Preguntas Frecuentes"), + "faqs": MessageLookupByLibrary.simpleMessage("Preguntas frecuentes"), + "favorite": MessageLookupByLibrary.simpleMessage("Favorito"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("Sugerencias"), + "file": MessageLookupByLibrary.simpleMessage("Archivo"), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "No se pudo guardar el archivo en la galería", + ), + "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( + "Añadir descripción...", + ), + "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( + "El archivo aún no se ha subido", + ), + "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Archivo guardado en la galería", + ), + "fileTypes": MessageLookupByLibrary.simpleMessage("Tipos de archivos"), + "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( + "Tipos de archivo y nombres", + ), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage("Archivos eliminados"), + "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Archivo guardado en la galería", + ), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "Encuentra gente rápidamente por su nombre", + ), + "findThemQuickly": MessageLookupByLibrary.simpleMessage( + "Encuéntralos rápidamente", + ), + "flip": MessageLookupByLibrary.simpleMessage("Voltear"), + "food": MessageLookupByLibrary.simpleMessage("Delicia culinaria"), + "forYourMemories": MessageLookupByLibrary.simpleMessage( + "para tus recuerdos", + ), + "forgotPassword": MessageLookupByLibrary.simpleMessage( + "Olvidé mi contraseña", + ), + "foundFaces": MessageLookupByLibrary.simpleMessage("Caras encontradas"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( + "Almacenamiento gratuito obtenido", + ), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Almacenamiento libre disponible", + ), + "freeTrial": MessageLookupByLibrary.simpleMessage("Prueba gratuita"), + "freeTrialValidTill": m38, + "freeUpAccessPostDelete": m39, + "freeUpAmount": m40, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( + "Liberar espacio del dispositivo", + ), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Ahorra espacio en tu dispositivo limpiando archivos que tienen copia de seguridad.", + ), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("Liberar espacio"), + "freeUpSpaceSaving": m41, + "gallery": MessageLookupByLibrary.simpleMessage("Galería"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "Hasta 1000 memorias mostradas en la galería", + ), + "general": MessageLookupByLibrary.simpleMessage("General"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Generando claves de cifrado...", + ), + "genericProgress": m42, + "goToSettings": MessageLookupByLibrary.simpleMessage("Ir a Ajustes"), + "googlePlayId": MessageLookupByLibrary.simpleMessage("ID de Google Play"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Por favor, permite el acceso a todas las fotos en Ajustes", + ), + "grantPermission": MessageLookupByLibrary.simpleMessage("Conceder permiso"), + "greenery": MessageLookupByLibrary.simpleMessage("La vida verde"), + "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( + "Agrupar fotos cercanas", + ), + "guestView": MessageLookupByLibrary.simpleMessage("Vista de invitado"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "Para habilitar la vista de invitados, por favor configure el código de acceso del dispositivo o el bloqueo de pantalla en los ajustes de su sistema.", + ), + "happyBirthday": MessageLookupByLibrary.simpleMessage( + "¡Feliz cumpleaños! 🥳", + ), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "No rastreamos las aplicaciones instaladas. ¡Nos ayudarías si nos dijeras dónde nos encontraste!", + ), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "¿Cómo escuchaste acerca de Ente? (opcional)", + ), + "help": MessageLookupByLibrary.simpleMessage("Ayuda"), + "hidden": MessageLookupByLibrary.simpleMessage("Oculto"), + "hide": MessageLookupByLibrary.simpleMessage("Ocultar"), + "hideContent": MessageLookupByLibrary.simpleMessage("Ocultar contenido"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Oculta el contenido de la aplicación en el selector de aplicaciones y desactivar capturas de pantalla", + ), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Ocultar el contenido de la aplicación en el selector de aplicaciones", + ), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Ocultar elementos compartidos de la galería de inicio", + ), + "hiding": MessageLookupByLibrary.simpleMessage("Ocultando..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( + "Alojado en OSM France", + ), + "howItWorks": MessageLookupByLibrary.simpleMessage("Cómo funciona"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Por favor, pídeles que mantengan presionada su dirección de correo electrónico en la pantalla de ajustes, y verifica que los identificadores de ambos dispositivos coincidan.", + ), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "La autenticación biométrica no está configurada en tu dispositivo. Por favor, activa Touch ID o Face ID en tu teléfono.", + ), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "La autenticación biométrica está deshabilitada. Por favor, bloquea y desbloquea la pantalla para habilitarla.", + ), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("Aceptar"), + "ignore": MessageLookupByLibrary.simpleMessage("Ignorar"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorar"), + "ignored": MessageLookupByLibrary.simpleMessage("ignorado"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Algunos archivos de este álbum son ignorados de la carga porque previamente habían sido borrados de Ente.", + ), + "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( + "Imagen no analizada", + ), + "immediately": MessageLookupByLibrary.simpleMessage("Inmediatamente"), + "importing": MessageLookupByLibrary.simpleMessage("Importando...."), + "incorrectCode": MessageLookupByLibrary.simpleMessage("Código incorrecto"), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Contraseña incorrecta", + ), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Clave de recuperación incorrecta", + ), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "La clave de recuperación introducida es incorrecta", + ), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Clave de recuperación incorrecta", + ), + "indexedItems": MessageLookupByLibrary.simpleMessage("Elementos indexados"), + "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( + "La indexación está pausada. Se reanudará automáticamente cuando el dispositivo esté listo. El dispositivo se considera listo cuando su nivel de batería, la salud de la batería y temperatura están en un rango saludable.", + ), + "ineligible": MessageLookupByLibrary.simpleMessage("Inelegible"), + "info": MessageLookupByLibrary.simpleMessage("Info"), + "insecureDevice": MessageLookupByLibrary.simpleMessage( + "Dispositivo inseguro", + ), + "installManually": MessageLookupByLibrary.simpleMessage( + "Instalar manualmente", + ), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "Dirección de correo electrónico no válida", + ), + "invalidEndpoint": MessageLookupByLibrary.simpleMessage( + "Punto final no válido", + ), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Lo sentimos, el punto final introducido no es válido. Por favor, introduce un punto final válido y vuelve a intentarlo.", + ), + "invalidKey": MessageLookupByLibrary.simpleMessage("Clave inválida"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "La clave de recuperación introducida no es válida. Por favor, asegúrate de que contenga 24 palabras y comprueba la ortografía de cada una.\n\nSi has introducido un código de recuperación antiguo, asegúrate de que tiene 64 caracteres de largo y comprueba cada uno de ellos.", + ), + "invite": MessageLookupByLibrary.simpleMessage("Invitar"), + "inviteToEnte": MessageLookupByLibrary.simpleMessage("Invitar a Ente"), + "inviteYourFriends": MessageLookupByLibrary.simpleMessage( + "Invita a tus amigos", + ), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "Invita a tus amigos a Ente", + ), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Parece que algo salió mal. Por favor, vuelve a intentarlo después de algún tiempo. Si el error persiste, ponte en contacto con nuestro equipo de soporte.", + ), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "Los artículos muestran el número de días restantes antes de ser borrados permanente", + ), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Los elementos seleccionados serán eliminados de este álbum", + ), + "join": MessageLookupByLibrary.simpleMessage("Unir"), + "joinAlbum": MessageLookupByLibrary.simpleMessage("Unir álbum"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "Unirse a un álbum hará visible tu correo electrónico a sus participantes.", + ), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( + "para ver y añadir tus fotos", + ), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "para añadir esto a los álbumes compartidos", + ), + "joinDiscord": MessageLookupByLibrary.simpleMessage("Únete al Discord"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Conservar las fotos"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Por favor ayúdanos con esta información", + ), + "language": MessageLookupByLibrary.simpleMessage("Idioma"), + "lastTimeWithThem": m45, + "lastUpdated": MessageLookupByLibrary.simpleMessage("Última actualización"), + "lastYearsTrip": MessageLookupByLibrary.simpleMessage( + "Viaje del año pasado", + ), + "leave": MessageLookupByLibrary.simpleMessage("Abandonar"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Abandonar álbum"), + "leaveFamily": MessageLookupByLibrary.simpleMessage( + "Abandonar plan familiar", + ), + "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( + "¿Dejar álbum compartido?", + ), + "left": MessageLookupByLibrary.simpleMessage("Izquierda"), + "legacy": MessageLookupByLibrary.simpleMessage("Legado"), + "legacyAccounts": MessageLookupByLibrary.simpleMessage("Cuentas legadas"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "Legado permite a los contactos de confianza acceder a su cuenta en su ausencia.", + ), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "Los contactos de confianza pueden iniciar la recuperación de la cuenta, y si no están bloqueados en un plazo de 30 días, restablecer su contraseña y acceder a su cuenta.", + ), + "light": MessageLookupByLibrary.simpleMessage("Brillo"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Claro"), + "link": MessageLookupByLibrary.simpleMessage("Enlace"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Enlace copiado al portapapeles", + ), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage( + "Límite del dispositivo", + ), + "linkEmail": MessageLookupByLibrary.simpleMessage( + "Vincular correo electrónico", + ), + "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( + "para compartir más rápido", + ), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Habilitado"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Vencido"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Enlace vence"), + "linkHasExpired": MessageLookupByLibrary.simpleMessage( + "El enlace ha caducado", + ), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Nunca"), + "linkPerson": MessageLookupByLibrary.simpleMessage("Vincular persona"), + "linkPersonCaption": MessageLookupByLibrary.simpleMessage( + "para una mejor experiencia compartida", + ), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("Foto en vivo"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "Puedes compartir tu suscripción con tu familia", + ), + "loadMessage2": MessageLookupByLibrary.simpleMessage( + "Hasta ahora hemos conservado más de 200 millones de recuerdos", + ), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "Guardamos 3 copias de tus datos, una en un refugio subterráneo", + ), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "Todas nuestras aplicaciones son de código abierto", + ), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Nuestro código fuente y criptografía han sido auditados externamente", + ), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "Puedes compartir enlaces a tus álbumes con tus seres queridos", + ), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Nuestras aplicaciones móviles se ejecutan en segundo plano para cifrar y hacer copias de seguridad de las nuevas fotos que hagas clic", + ), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io tiene un cargador sofisticado", + ), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Utilizamos Xchacha20Poly1305 para cifrar tus datos de forma segura", + ), + "loadingExifData": MessageLookupByLibrary.simpleMessage( + "Cargando datos EXIF...", + ), + "loadingGallery": MessageLookupByLibrary.simpleMessage( + "Cargando galería...", + ), + "loadingMessage": MessageLookupByLibrary.simpleMessage( + "Cargando tus fotos...", + ), + "loadingModel": MessageLookupByLibrary.simpleMessage( + "Descargando modelos...", + ), + "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( + "Cargando tus fotos...", + ), + "localGallery": MessageLookupByLibrary.simpleMessage("Galería local"), + "localIndexing": MessageLookupByLibrary.simpleMessage("Indexado local"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Parece que algo salió mal ya que la sincronización de fotos locales está tomando más tiempo del esperado. Por favor contacta con nuestro equipo de soporte", + ), + "location": MessageLookupByLibrary.simpleMessage("Ubicación"), + "locationName": MessageLookupByLibrary.simpleMessage( + "Nombre de la ubicación", + ), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Una etiqueta de ubicación agrupa todas las fotos que fueron tomadas dentro de un radio de una foto", + ), + "locations": MessageLookupByLibrary.simpleMessage("Ubicaciones"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Bloquear"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Pantalla de bloqueo"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Iniciar sesión"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Cerrando sesión..."), + "loginSessionExpired": MessageLookupByLibrary.simpleMessage( + "La sesión ha expirado", + ), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "Tu sesión ha expirado. Por favor, vuelve a iniciar sesión.", + ), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Al hacer clic en iniciar sesión, acepto los términos de servicio y la política de privacidad", + ), + "loginWithTOTP": MessageLookupByLibrary.simpleMessage( + "Iniciar sesión con TOTP", + ), + "logout": MessageLookupByLibrary.simpleMessage("Cerrar sesión"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "Esto enviará registros para ayudarnos a depurar su problema. Ten en cuenta que los nombres de los archivos se incluirán para ayudar a rastrear problemas con archivos específicos.", + ), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Mantén pulsado un correo electrónico para verificar el cifrado de extremo a extremo.", + ), + "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( + "Manten presionado un elemento para ver en pantalla completa", + ), + "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( + "Revisa tus recuerdos 🌄", + ), + "loopVideoOff": MessageLookupByLibrary.simpleMessage( + "Vídeo en bucle desactivado", + ), + "loopVideoOn": MessageLookupByLibrary.simpleMessage( + "Vídeo en bucle activado", + ), + "lostDevice": MessageLookupByLibrary.simpleMessage( + "¿Perdiste tu dispositivo?", + ), + "machineLearning": MessageLookupByLibrary.simpleMessage( + "Aprendizaje automático", + ), + "magicSearch": MessageLookupByLibrary.simpleMessage("Búsqueda mágica"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "La búsqueda mágica permite buscar fotos por su contenido. Por ejemplo, \"flor\", \"coche rojo\", \"documentos de identidad\"", + ), + "manage": MessageLookupByLibrary.simpleMessage("Administrar"), + "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( + "Gestionar almacenamiento caché del dispositivo", + ), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Revisar y borrar almacenamiento caché local.", + ), + "manageFamily": MessageLookupByLibrary.simpleMessage("Administrar familia"), + "manageLink": MessageLookupByLibrary.simpleMessage("Administrar enlace"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Administrar"), + "manageSubscription": MessageLookupByLibrary.simpleMessage( + "Administrar tu suscripción", + ), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "El emparejamiento con PIN funciona con cualquier pantalla en la que desees ver tu álbum.", + ), + "map": MessageLookupByLibrary.simpleMessage("Mapa"), + "maps": MessageLookupByLibrary.simpleMessage("Mapas"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("Yo"), + "memories": MessageLookupByLibrary.simpleMessage("Recuerdos"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Seleccione el tipo de recuerdos que desea ver en su pantalla de inicio.", + ), + "memoryCount": m50, + "merchandise": MessageLookupByLibrary.simpleMessage("Mercancías"), + "merge": MessageLookupByLibrary.simpleMessage("Combinar"), + "mergeWithExisting": MessageLookupByLibrary.simpleMessage( + "Combinar con existente", + ), + "mergedPhotos": MessageLookupByLibrary.simpleMessage("Fotos combinadas"), + "mlConsent": MessageLookupByLibrary.simpleMessage( + "Habilitar aprendizaje automático", + ), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Entiendo y deseo habilitar el aprendizaje automático", + ), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Si habilitas el aprendizaje automático, Ente extraerá información como la geometría de la cara de los archivos, incluyendo aquellos compartidos contigo.\n\nEsto sucederá en tu dispositivo, y cualquier información biométrica generada será encriptada de extremo a extremo.", + ), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Por favor, haz clic aquí para más detalles sobre esta característica en nuestra política de privacidad", + ), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "¿Habilitar aprendizaje automático?", + ), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Por favor ten en cuenta que el aprendizaje automático dará como resultado un mayor consumo de ancho de banda y de batería hasta que todos los elementos estén indexados. Considera usar la aplicación de escritorio para una indexación más rápida. Todos los resultados se sincronizarán automáticamente.", + ), + "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( + "Celular, Web, Computadora", + ), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Moderada"), + "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( + "Modifica tu consulta o intenta buscar", + ), + "moments": MessageLookupByLibrary.simpleMessage("Momentos"), + "month": MessageLookupByLibrary.simpleMessage("mes"), + "monthly": MessageLookupByLibrary.simpleMessage("Mensualmente"), + "moon": MessageLookupByLibrary.simpleMessage("A la luz de la luna"), + "moreDetails": MessageLookupByLibrary.simpleMessage("Más detalles"), + "mostRecent": MessageLookupByLibrary.simpleMessage("Más reciente"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("Más relevante"), + "mountains": MessageLookupByLibrary.simpleMessage("Sobre las colinas"), + "moveItem": m51, + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "Mover las fotos seleccionadas a una fecha", + ), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("Mover al álbum"), + "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Mover al álbum oculto", + ), + "movedSuccessfullyTo": m52, + "movedToTrash": MessageLookupByLibrary.simpleMessage( + "Movido a la papelera", + ), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Moviendo archivos al álbum...", + ), + "name": MessageLookupByLibrary.simpleMessage("Nombre"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Nombre el álbum"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "No se puede conectar a Ente. Por favor, vuelve a intentarlo pasado un tiempo. Si el error persiste, ponte en contacto con el soporte técnico.", + ), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "No se puede conectar a Ente. Por favor, comprueba tu configuración de red y ponte en contacto con el soporte técnico si el error persiste.", + ), + "never": MessageLookupByLibrary.simpleMessage("Nunca"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Nuevo álbum"), + "newLocation": MessageLookupByLibrary.simpleMessage("Nueva localización"), + "newPerson": MessageLookupByLibrary.simpleMessage("Nueva persona"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" nuevo 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("Nuevo rango"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Nuevo en Ente"), + "newest": MessageLookupByLibrary.simpleMessage("Más reciente"), + "next": MessageLookupByLibrary.simpleMessage("Siguiente"), + "no": MessageLookupByLibrary.simpleMessage("No"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Aún no has compartido ningún álbum", + ), + "noDeviceFound": MessageLookupByLibrary.simpleMessage( + "No se encontró ningún dispositivo", + ), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Ninguno"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "No tienes archivos en este dispositivo que puedan ser borrados", + ), + "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Sin duplicados"), + "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( + "¡No existe una cuenta de Ente!", + ), + "noExifData": MessageLookupByLibrary.simpleMessage("No hay datos EXIF"), + "noFacesFound": MessageLookupByLibrary.simpleMessage( + "No se han encontrado caras", + ), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "No hay fotos ni vídeos ocultos", + ), + "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( + "No hay imágenes con ubicación", + ), + "noInternetConnection": MessageLookupByLibrary.simpleMessage( + "No hay conexión al Internet", + ), + "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( + "No se están realizando copias de seguridad de ninguna foto en este momento", + ), + "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( + "No se encontró ninguna foto aquí", + ), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( + "No se han seleccionado enlaces rápidos", + ), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "¿Sin clave de recuperación?", + ), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Debido a la naturaleza de nuestro protocolo de cifrado de extremo a extremo, tus datos no pueden ser descifrados sin tu contraseña o clave de recuperación", + ), + "noResults": MessageLookupByLibrary.simpleMessage("Sin resultados"), + "noResultsFound": MessageLookupByLibrary.simpleMessage( + "No se han encontrado resultados", + ), + "noSuggestionsForPerson": m53, + "noSystemLockFound": MessageLookupByLibrary.simpleMessage( + "Bloqueo de sistema no encontrado", + ), + "notPersonLabel": m54, + "notThisPerson": MessageLookupByLibrary.simpleMessage( + "¿No es esta persona?", + ), + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "Aún no hay nada compartido contigo", + ), + "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( + "¡No hay nada que ver aquí! 👀", + ), + "notifications": MessageLookupByLibrary.simpleMessage("Notificaciones"), + "ok": MessageLookupByLibrary.simpleMessage("Aceptar"), + "onDevice": MessageLookupByLibrary.simpleMessage("En el dispositivo"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "En ente", + ), + "onTheRoad": MessageLookupByLibrary.simpleMessage( + "De nuevo en la carretera", + ), + "onThisDay": MessageLookupByLibrary.simpleMessage("Un día como hoy"), + "onThisDayMemories": MessageLookupByLibrary.simpleMessage( + "Recuerdos de un día como hoy", + ), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "Recibe recordatorios sobre recuerdos de este día en años anteriores.", + ), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Solo ellos"), + "oops": MessageLookupByLibrary.simpleMessage("Ups"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Ups, no se pudieron guardar las ediciónes", + ), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Ups, algo salió mal", + ), + "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( + "Abrir álbum en el navegador", + ), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Por favor, utiliza la aplicación web para añadir fotos a este álbum", + ), + "openFile": MessageLookupByLibrary.simpleMessage("Abrir archivo"), + "openSettings": MessageLookupByLibrary.simpleMessage("Abrir Ajustes"), + "openTheItem": MessageLookupByLibrary.simpleMessage("• Abrir el elemento"), + "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( + "Contribuidores de OpenStreetMap", + ), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Opcional, tan corto como quieras...", + ), + "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( + "O combinar con persona existente", + ), + "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( + "O elige uno existente", + ), + "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( + "o elige de entre tus contactos", + ), + "otherDetectedFaces": MessageLookupByLibrary.simpleMessage( + "Otras caras detectadas", + ), + "pair": MessageLookupByLibrary.simpleMessage("Emparejar"), + "pairWithPin": MessageLookupByLibrary.simpleMessage("Emparejar con PIN"), + "pairingComplete": MessageLookupByLibrary.simpleMessage( + "Emparejamiento completo", + ), + "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), + "partyWithThem": m56, + "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( + "La verificación aún está pendiente", + ), + "passkey": MessageLookupByLibrary.simpleMessage("Clave de acceso"), + "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( + "Verificación de clave de acceso", + ), + "password": MessageLookupByLibrary.simpleMessage("Contraseña"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Contraseña cambiada correctamente", + ), + "passwordLock": MessageLookupByLibrary.simpleMessage( + "Bloqueo con contraseña", + ), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "La fortaleza de la contraseña se calcula teniendo en cuenta la longitud de la contraseña, los caracteres utilizados, y si la contraseña aparece o no en el top 10.000 de contraseñas más usadas", + ), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "No almacenamos esta contraseña, así que si la olvidas, no podremos descifrar tus datos", + ), + "pastYearsMemories": MessageLookupByLibrary.simpleMessage( + "Recuerdos de los últimos años", + ), + "paymentDetails": MessageLookupByLibrary.simpleMessage("Detalles de pago"), + "paymentFailed": MessageLookupByLibrary.simpleMessage("Pago fallido"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "Lamentablemente tu pago falló. Por favor, ¡contacta con el soporte técnico y te ayudaremos!", + ), + "paymentFailedTalkToProvider": m58, + "pendingItems": MessageLookupByLibrary.simpleMessage( + "Elementos pendientes", + ), + "pendingSync": MessageLookupByLibrary.simpleMessage( + "Sincronización pendiente", + ), + "people": MessageLookupByLibrary.simpleMessage("Personas"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Personas usando tu código", + ), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Selecciona las personas que deseas ver en tu pantalla de inicio.", + ), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Todos los elementos de la papelera serán eliminados permanentemente\n\nEsta acción no se puede deshacer", + ), + "permanentlyDelete": MessageLookupByLibrary.simpleMessage( + "Borrar permanentemente", + ), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "¿Eliminar permanentemente del dispositivo?", + ), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("Nombre de la persona"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("Compañeros peludos"), + "photoDescriptions": MessageLookupByLibrary.simpleMessage( + "Descripciones de fotos", + ), + "photoGridSize": MessageLookupByLibrary.simpleMessage( + "Tamaño de la cuadrícula de fotos", + ), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("Fotos"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "Las fotos añadidas por ti serán removidas del álbum", + ), + "photosCount": m62, + "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( + "Las fotos mantienen una diferencia de tiempo relativa", + ), + "pickCenterPoint": MessageLookupByLibrary.simpleMessage( + "Elegir punto central", + ), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Fijar álbum"), + "pinLock": MessageLookupByLibrary.simpleMessage("Bloqueo con Pin"), + "playOnTv": MessageLookupByLibrary.simpleMessage("Reproducir álbum en TV"), + "playOriginal": MessageLookupByLibrary.simpleMessage("Reproducir original"), + "playStoreFreeTrialValidTill": m63, + "playStream": MessageLookupByLibrary.simpleMessage( + "Reproducir transmisión", + ), + "playstoreSubscription": MessageLookupByLibrary.simpleMessage( + "Suscripción en la PlayStore", + ), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Por favor, revisa tu conexión a Internet e inténtalo otra vez.", + ), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "¡Por favor, contacta con support@ente.io y estaremos encantados de ayudar!", + ), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Por favor, contacta a soporte técnico si el problema persiste", + ), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( + "Por favor, concede permiso", + ), + "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( + "Por favor, vuelve a iniciar sesión", + ), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Por favor, selecciona enlaces rápidos para eliminar", + ), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Por favor, inténtalo nuevamente", + ), + "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( + "Por favor, verifica el código que has introducido", + ), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Por favor, espera..."), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Por favor espera. Borrando el álbum", + ), + "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( + "Por favor, espera un momento antes de volver a intentarlo", + ), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "Espera. Esto tardará un poco.", + ), + "posingWithThem": m66, + "preparingLogs": MessageLookupByLibrary.simpleMessage( + "Preparando registros...", + ), + "preserveMore": MessageLookupByLibrary.simpleMessage("Preservar más"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Presiona y mantén presionado para reproducir el video", + ), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Mantén pulsada la imagen para reproducir el video", + ), + "previous": MessageLookupByLibrary.simpleMessage("Anterior"), + "privacy": MessageLookupByLibrary.simpleMessage("Privacidad"), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "Política de Privacidad", + ), + "privateBackups": MessageLookupByLibrary.simpleMessage( + "Copias de seguridad privadas", + ), + "privateSharing": MessageLookupByLibrary.simpleMessage( + "Compartir en privado", + ), + "proceed": MessageLookupByLibrary.simpleMessage("Continuar"), + "processed": MessageLookupByLibrary.simpleMessage("Procesado"), + "processing": MessageLookupByLibrary.simpleMessage("Procesando"), + "processingImport": m67, + "processingVideos": MessageLookupByLibrary.simpleMessage( + "Procesando vídeos", + ), + "publicLinkCreated": MessageLookupByLibrary.simpleMessage( + "Enlace público creado", + ), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( + "Enlace público habilitado", + ), + "questionmark": MessageLookupByLibrary.simpleMessage("?"), + "queued": MessageLookupByLibrary.simpleMessage("En cola"), + "quickLinks": MessageLookupByLibrary.simpleMessage("Acceso rápido"), + "radius": MessageLookupByLibrary.simpleMessage("Radio"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Generar ticket"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("Evalúa la aplicación"), + "rateUs": MessageLookupByLibrary.simpleMessage("Califícanos"), + "rateUsOnStore": m68, + "reassignMe": MessageLookupByLibrary.simpleMessage("Reasignar \"Yo\""), + "reassignedToName": m69, + "reassigningLoading": MessageLookupByLibrary.simpleMessage( + "Reasignando...", + ), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Recibe recordatorios cuando es el cumpleaños de alguien. Pulsar en la notificación te llevará a las fotos de la persona que cumple años.", + ), + "recover": MessageLookupByLibrary.simpleMessage("Recuperar"), + "recoverAccount": MessageLookupByLibrary.simpleMessage("Recuperar cuenta"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Recuperar"), + "recoveryAccount": MessageLookupByLibrary.simpleMessage("Recuperar cuenta"), + "recoveryInitiated": MessageLookupByLibrary.simpleMessage( + "Recuperación iniciada", + ), + "recoveryInitiatedDesc": m70, + "recoveryKey": MessageLookupByLibrary.simpleMessage( + "Clave de recuperación", + ), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Clave de recuperación copiada al portapapeles", + ), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Si olvidas tu contraseña, la única forma de recuperar tus datos es con esta clave.", + ), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Nosotros no almacenamos esta clave. Por favor, guarda esta clave de 24 palabras en un lugar seguro.", + ), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "¡Genial! Tu clave de recuperación es válida. Gracias por verificar.\n\nPor favor, recuerda mantener tu clave de recuperación segura.", + ), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Clave de recuperación verificada", + ), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Tu clave de recuperación es la única forma de recuperar tus fotos si olvidas tu contraseña. Puedes encontrar tu clave de recuperación en Ajustes > Cuenta.\n\nPor favor, introduce tu clave de recuperación aquí para verificar que la has guardado correctamente.", + ), + "recoveryReady": m71, + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "¡Recuperación exitosa!", + ), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "Un contacto de confianza está intentando acceder a tu cuenta", + ), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "El dispositivo actual no es lo suficientemente potente para verificar su contraseña, pero podemos regenerarla de una manera que funcione con todos los dispositivos.\n\nPor favor inicie sesión usando su clave de recuperación y regenere su contraseña (puede volver a utilizar la misma si lo desea).", + ), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Recrear contraseña", + ), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": MessageLookupByLibrary.simpleMessage( + "Rescribe tu contraseña", + ), + "reenterPin": MessageLookupByLibrary.simpleMessage("Rescribe tu PIN"), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Refiere a amigos y 2x su plan", + ), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Dale este código a tus amigos", + ), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Se suscriben a un plan de pago", + ), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Referidos"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "Las referencias están actualmente en pausa", + ), + "rejectRecovery": MessageLookupByLibrary.simpleMessage( + "Rechazar la recuperación", + ), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "También vacía \"Eliminado Recientemente\" de \"Configuración\" -> \"Almacenamiento\" para reclamar el espacio libre", + ), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "También vacía tu \"Papelera\" para reclamar el espacio liberado", + ), + "remoteImages": MessageLookupByLibrary.simpleMessage("Imágenes remotas"), + "remoteThumbnails": MessageLookupByLibrary.simpleMessage( + "Miniaturas remotas", + ), + "remoteVideos": MessageLookupByLibrary.simpleMessage("Videos remotos"), + "remove": MessageLookupByLibrary.simpleMessage("Quitar"), + "removeDuplicates": MessageLookupByLibrary.simpleMessage( + "Eliminar duplicados", + ), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Revisar y eliminar archivos que son duplicados exactos.", + ), + "removeFromAlbum": MessageLookupByLibrary.simpleMessage( + "Eliminar del álbum", + ), + "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( + "¿Eliminar del álbum?", + ), + "removeFromFavorite": MessageLookupByLibrary.simpleMessage( + "Remover desde favoritos", + ), + "removeInvite": MessageLookupByLibrary.simpleMessage("Eliminar invitación"), + "removeLink": MessageLookupByLibrary.simpleMessage("Eliminar enlace"), + "removeParticipant": MessageLookupByLibrary.simpleMessage( + "Quitar participante", + ), + "removeParticipantBody": m74, + "removePersonLabel": MessageLookupByLibrary.simpleMessage( + "Eliminar etiqueta de persona", + ), + "removePublicLink": MessageLookupByLibrary.simpleMessage( + "Quitar enlace público", + ), + "removePublicLinks": MessageLookupByLibrary.simpleMessage( + "Eliminar enlaces públicos", + ), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Algunos de los elementos que estás eliminando fueron añadidos por otras personas, y perderás el acceso a ellos", + ), + "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Quitar?"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Quitarse como contacto de confianza", + ), + "removingFromFavorites": MessageLookupByLibrary.simpleMessage( + "Quitando de favoritos...", + ), + "rename": MessageLookupByLibrary.simpleMessage("Renombrar"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("Renombrar álbum"), + "renameFile": MessageLookupByLibrary.simpleMessage("Renombrar archivo"), + "renewSubscription": MessageLookupByLibrary.simpleMessage( + "Renovar suscripción", + ), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Reportar un error"), + "reportBug": MessageLookupByLibrary.simpleMessage("Reportar error"), + "resendEmail": MessageLookupByLibrary.simpleMessage( + "Reenviar correo electrónico", + ), + "reset": MessageLookupByLibrary.simpleMessage("Restablecer"), + "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( + "Restablecer archivos ignorados", + ), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Restablecer contraseña", + ), + "resetPerson": MessageLookupByLibrary.simpleMessage("Eliminar"), + "resetToDefault": MessageLookupByLibrary.simpleMessage( + "Restablecer valores predeterminados", + ), + "restore": MessageLookupByLibrary.simpleMessage("Restaurar"), + "restoreToAlbum": MessageLookupByLibrary.simpleMessage( + "Restaurar al álbum", + ), + "restoringFiles": MessageLookupByLibrary.simpleMessage( + "Restaurando los archivos...", + ), + "resumableUploads": MessageLookupByLibrary.simpleMessage( + "Subidas reanudables", + ), + "retry": MessageLookupByLibrary.simpleMessage("Reintentar"), + "review": MessageLookupByLibrary.simpleMessage("Revisar"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Por favor, revisa y elimina los elementos que crees que están duplicados.", + ), + "reviewSuggestions": MessageLookupByLibrary.simpleMessage( + "Revisar sugerencias", + ), + "right": MessageLookupByLibrary.simpleMessage("Derecha"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("Girar"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Girar a la izquierda"), + "rotateRight": MessageLookupByLibrary.simpleMessage("Girar a la derecha"), + "safelyStored": MessageLookupByLibrary.simpleMessage( + "Almacenado con seguridad", + ), + "same": MessageLookupByLibrary.simpleMessage("Igual"), + "sameperson": MessageLookupByLibrary.simpleMessage("la misma persona?"), + "save": MessageLookupByLibrary.simpleMessage("Guardar"), + "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage( + "Guardar como otra persona", + ), + "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( + "¿Guardar cambios antes de salir?", + ), + "saveCollage": MessageLookupByLibrary.simpleMessage("Guardar collage"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Guardar copia"), + "saveKey": MessageLookupByLibrary.simpleMessage("Guardar Clave"), + "savePerson": MessageLookupByLibrary.simpleMessage("Guardar persona"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Guarda tu clave de recuperación si aún no lo has hecho", + ), + "saving": MessageLookupByLibrary.simpleMessage("Saving..."), + "savingEdits": MessageLookupByLibrary.simpleMessage( + "Guardando las ediciones...", + ), + "scanCode": MessageLookupByLibrary.simpleMessage("Escanear código"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Escanea este código QR con tu aplicación de autenticación", + ), + "search": MessageLookupByLibrary.simpleMessage("Buscar"), + "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Álbumes"), + "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage( + "Nombre del álbum", + ), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Nombres de álbumes (por ejemplo, \"Cámara\")\n• Tipos de archivos (por ejemplo, \"Videos\", \".gif\")\n• Años y meses (por ejemplo, \"2022\", \"Enero\")\n• Vacaciones (por ejemplo, \"Navidad\")\n• Descripciones fotográficas (por ejemplo, \"#diversión\")", + ), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Agrega descripciones como \"#viaje\" en la información de la foto para encontrarlas aquí rápidamente", + ), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Buscar por fecha, mes o año", + ), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "Las imágenes se mostrarán aquí cuando se complete el procesado y la sincronización", + ), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "Las personas se mostrarán aquí una vez que se haya hecho la indexación", + ), + "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( + "Tipos y nombres de archivo", + ), + "searchHint1": MessageLookupByLibrary.simpleMessage( + "Búsqueda rápida en el dispositivo", + ), + "searchHint2": MessageLookupByLibrary.simpleMessage( + "Fechas de fotos, descripciones", + ), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "Álbumes, nombres de archivos y tipos", + ), + "searchHint4": MessageLookupByLibrary.simpleMessage("Ubicación"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "Próximamente: Caras y búsqueda mágica ✨", + ), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Agrupar las fotos que se tomaron cerca de la localización de una foto", + ), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "Invita a gente y verás todas las fotos compartidas aquí", + ), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "Las personas se mostrarán aquí cuando se complete el procesado y la sincronización", + ), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Seguridad"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "Ver enlaces del álbum público en la aplicación", + ), + "selectALocation": MessageLookupByLibrary.simpleMessage( + "Seleccionar una ubicación", + ), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage( + "Primero, selecciona una ubicación", + ), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Seleccionar álbum"), + "selectAll": MessageLookupByLibrary.simpleMessage("Seleccionar todos"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("Todas"), + "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( + "Seleccionar foto de portada", + ), + "selectDate": MessageLookupByLibrary.simpleMessage("Seleccionar fecha"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Seleccionar carpetas para la copia de seguridad", + ), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "Selecciona elementos para agregar", + ), + "selectLanguage": MessageLookupByLibrary.simpleMessage( + "Seleccionar idioma", + ), + "selectMailApp": MessageLookupByLibrary.simpleMessage( + "Seleccionar app de correo", + ), + "selectMorePhotos": MessageLookupByLibrary.simpleMessage( + "Seleccionar más fotos", + ), + "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( + "Seleccionar fecha y hora", + ), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "Seleccione una fecha y hora para todas", + ), + "selectPersonToLink": MessageLookupByLibrary.simpleMessage( + "Selecciona persona a vincular", + ), + "selectReason": MessageLookupByLibrary.simpleMessage("Seleccionar motivo"), + "selectStartOfRange": MessageLookupByLibrary.simpleMessage( + "Seleccionar inicio del rango", + ), + "selectTime": MessageLookupByLibrary.simpleMessage("Seleccionar hora"), + "selectYourFace": MessageLookupByLibrary.simpleMessage( + "Selecciona tu cara", + ), + "selectYourPlan": MessageLookupByLibrary.simpleMessage( + "Elegir tu suscripción", + ), + "selectedAlbums": m79, + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Los archivos seleccionados no están en Ente", + ), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Las carpetas seleccionadas se cifrarán y se realizará una copia de seguridad", + ), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Los archivos seleccionados serán eliminados de todos los álbumes y movidos a la papelera.", + ), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "Los elementos seleccionados se eliminarán de esta persona, pero no se eliminarán de tu biblioteca.", + ), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("Enviar"), + "sendEmail": MessageLookupByLibrary.simpleMessage( + "Enviar correo electrónico", + ), + "sendInvite": MessageLookupByLibrary.simpleMessage("Enviar invitación"), + "sendLink": MessageLookupByLibrary.simpleMessage("Enviar enlace"), + "serverEndpoint": MessageLookupByLibrary.simpleMessage( + "Punto final del servidor", + ), + "sessionExpired": MessageLookupByLibrary.simpleMessage( + "La sesión ha expirado", + ), + "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( + "El ID de sesión no coincide", + ), + "setAPassword": MessageLookupByLibrary.simpleMessage( + "Establecer una contraseña", + ), + "setAs": MessageLookupByLibrary.simpleMessage("Establecer como"), + "setCover": MessageLookupByLibrary.simpleMessage("Definir portada"), + "setLabel": MessageLookupByLibrary.simpleMessage("Establecer"), + "setNewPassword": MessageLookupByLibrary.simpleMessage( + "Ingresa tu nueva contraseña", + ), + "setNewPin": MessageLookupByLibrary.simpleMessage("Ingresa tu nuevo PIN"), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Establecer contraseña", + ), + "setRadius": MessageLookupByLibrary.simpleMessage("Establecer radio"), + "setupComplete": MessageLookupByLibrary.simpleMessage( + "Configuración completa", + ), + "share": MessageLookupByLibrary.simpleMessage("Compartir"), + "shareALink": MessageLookupByLibrary.simpleMessage("Compartir un enlace"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Abre un álbum y pulsa el botón compartir en la parte superior derecha para compartir.", + ), + "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( + "Compartir un álbum ahora", + ), + "shareLink": MessageLookupByLibrary.simpleMessage("Compartir enlace"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Comparte sólo con la gente que quieres", + ), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Descarga Ente para que podamos compartir fácilmente fotos y videos en calidad original.\n\nhttps://ente.io", + ), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Compartir con usuarios fuera de Ente", + ), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( + "Comparte tu primer álbum", + ), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Crea álbumes compartidos y colaborativos con otros usuarios de Ente, incluyendo usuarios de planes gratuitos.", + ), + "sharedByMe": MessageLookupByLibrary.simpleMessage("Compartido por mí"), + "sharedByYou": MessageLookupByLibrary.simpleMessage("Compartido por ti"), + "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( + "Nuevas fotos compartidas", + ), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Recibir notificaciones cuando alguien agrega una foto a un álbum compartido contigo", + ), + "sharedWith": m87, + "sharedWithMe": MessageLookupByLibrary.simpleMessage("Compartido conmigo"), + "sharedWithYou": MessageLookupByLibrary.simpleMessage("Compartido contigo"), + "sharing": MessageLookupByLibrary.simpleMessage("Compartiendo..."), + "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( + "Cambiar fechas y hora", + ), + "showLessFaces": MessageLookupByLibrary.simpleMessage( + "Mostrar menos caras", + ), + "showMemories": MessageLookupByLibrary.simpleMessage("Mostrar recuerdos"), + "showMoreFaces": MessageLookupByLibrary.simpleMessage("Mostrar más caras"), + "showPerson": MessageLookupByLibrary.simpleMessage("Mostrar persona"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "Cerrar sesión de otros dispositivos", + ), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Si crees que alguien puede conocer tu contraseña, puedes forzar a todos los demás dispositivos que usan tu cuenta a cerrar la sesión.", + ), + "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( + "Cerrar la sesión de otros dispositivos", + ), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Estoy de acuerdo con los términos del servicio y la política de privacidad", + ), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Se borrará de todos los álbumes.", + ), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Omitir"), + "smartMemories": MessageLookupByLibrary.simpleMessage( + "Recuerdos inteligentes", + ), + "social": MessageLookupByLibrary.simpleMessage("Social"), + "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( + "Algunos elementos están tanto en Ente como en tu dispositivo.", + ), + "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( + "Algunos de los archivos que estás intentando eliminar sólo están disponibles en tu dispositivo y no pueden ser recuperados si se eliminan", + ), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Alguien que comparta álbumes contigo debería ver el mismo ID en su dispositivo.", + ), + "somethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Algo salió mal", + ), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Algo salió mal, por favor inténtalo de nuevo", + ), + "sorry": MessageLookupByLibrary.simpleMessage("Lo sentimos"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "Lo sentimos, no hemos podido hacer una copia de seguridad de este archivo, lo intentaremos más tarde.", + ), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "¡Lo sentimos, no se pudo añadir a favoritos!", + ), + "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( + "¡Lo sentimos, no se pudo quitar de favoritos!", + ), + "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "Lo sentimos, el código que has introducido es incorrecto", + ), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Lo sentimos, no hemos podido generar claves seguras en este dispositivo.\n\nPor favor, regístrate desde un dispositivo diferente.", + ), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Lo sentimos, tuvimos que pausar tus copias de seguridad", + ), + "sort": MessageLookupByLibrary.simpleMessage("Ordenar"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Ordenar por"), + "sortNewestFirst": MessageLookupByLibrary.simpleMessage( + "Más recientes primero", + ), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage( + "Más antiguos primero", + ), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Éxito"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": MessageLookupByLibrary.simpleMessage( + "Enfócate a ti mismo", + ), + "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( + "Iniciar la recuperación", + ), + "startBackup": MessageLookupByLibrary.simpleMessage( + "Iniciar copia de seguridad", + ), + "status": MessageLookupByLibrary.simpleMessage("Estado"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "¿Quieres dejar de transmitir?", + ), + "stopCastingTitle": MessageLookupByLibrary.simpleMessage( + "Detener la transmisión", + ), + "storage": MessageLookupByLibrary.simpleMessage("Almacenamiento"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Familia"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Usted"), + "storageInGB": m93, + "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( + "Límite de datos excedido", + ), + "storageUsageInfo": m94, + "streamDetails": MessageLookupByLibrary.simpleMessage( + "Detalles de la transmisión", + ), + "strongStrength": MessageLookupByLibrary.simpleMessage("Segura"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Suscribirse"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Necesitas una suscripción activa de pago para habilitar el compartir.", + ), + "subscription": MessageLookupByLibrary.simpleMessage("Suscripción"), + "success": MessageLookupByLibrary.simpleMessage("Éxito"), + "successfullyArchived": MessageLookupByLibrary.simpleMessage( + "Archivado correctamente", + ), + "successfullyHid": MessageLookupByLibrary.simpleMessage( + "Ocultado con éxito", + ), + "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( + "Desarchivado correctamente", + ), + "successfullyUnhid": MessageLookupByLibrary.simpleMessage( + "Desocultado con éxito", + ), + "suggestFeatures": MessageLookupByLibrary.simpleMessage( + "Sugerir una característica", + ), + "sunrise": MessageLookupByLibrary.simpleMessage("Sobre el horizonte"), + "support": MessageLookupByLibrary.simpleMessage("Soporte"), + "syncProgress": m97, + "syncStopped": MessageLookupByLibrary.simpleMessage( + "Sincronización detenida", + ), + "syncing": MessageLookupByLibrary.simpleMessage("Sincronizando..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("Sistema"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("toca para copiar"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage( + "Toca para introducir el código", + ), + "tapToUnlock": MessageLookupByLibrary.simpleMessage( + "Toca para desbloquear", + ), + "tapToUpload": MessageLookupByLibrary.simpleMessage("Toca para subir"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Parece que algo salió mal. Por favor, vuelve a intentarlo después de algún tiempo. Si el error persiste, ponte en contacto con nuestro equipo de soporte.", + ), + "terminate": MessageLookupByLibrary.simpleMessage("Terminar"), + "terminateSession": MessageLookupByLibrary.simpleMessage( + "¿Terminar sesión?", + ), + "terms": MessageLookupByLibrary.simpleMessage("Términos"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Términos"), + "thankYou": MessageLookupByLibrary.simpleMessage("Gracias"), + "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( + "¡Gracias por suscribirte!", + ), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "No se ha podido completar la descarga", + ), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "El enlace al que intenta acceder ha caducado.", + ), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Los grupos de personas ya no se mostrarán en la sección de personas. Las fotos permanecerán intactas.", + ), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "La persona ya no se mostrará en la sección de personas. Las fotos permanecerán intactas.", + ), + "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "La clave de recuperación introducida es incorrecta", + ), + "theme": MessageLookupByLibrary.simpleMessage("Tema"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Estos elementos se eliminarán de tu dispositivo.", + ), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "Se borrarán de todos los álbumes.", + ), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Esta acción no se puede deshacer", + ), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "Este álbum ya tiene un enlace de colaboración", + ), + "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( + "Esto puede utilizarse para recuperar tu cuenta si pierdes tu segundo factor", + ), + "thisDevice": MessageLookupByLibrary.simpleMessage("Este dispositivo"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "Este correo electrónico ya está en uso", + ), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Esta imagen no tiene datos exif", + ), + "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage( + "¡Este soy yo!", + ), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Esta es tu ID de verificación", + ), + "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( + "Esta semana a través de los años", + ), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Esto cerrará la sesión del siguiente dispositivo:", + ), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "¡Esto cerrará la sesión de este dispositivo!", + ), + "thisWillMakeTheDateAndTimeOfAllSelected": MessageLookupByLibrary.simpleMessage( + "Esto hará que la fecha y la hora de todas las fotos seleccionadas sean las mismas.", + ), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "Esto eliminará los enlaces públicos de todos los enlaces rápidos seleccionados.", + ), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "Para habilitar el bloqueo de la aplicación, por favor configura el código de acceso del dispositivo o el bloqueo de pantalla en los ajustes del sistema.", + ), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( + "Para ocultar una foto o video", + ), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Para restablecer tu contraseña, por favor verifica tu correo electrónico primero.", + ), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Registros de hoy"), + "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( + "Demasiados intentos incorrectos", + ), + "total": MessageLookupByLibrary.simpleMessage("total"), + "totalSize": MessageLookupByLibrary.simpleMessage("Tamaño total"), + "trash": MessageLookupByLibrary.simpleMessage("Papelera"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Ajustar duración"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": MessageLookupByLibrary.simpleMessage( + "Contactos de confianza", + ), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Inténtalo de nuevo"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Activar la copia de seguridad para subir automáticamente archivos añadidos a la carpeta de este dispositivo a Ente.", + ), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "2 meses gratis en planes anuales", + ), + "twofactor": MessageLookupByLibrary.simpleMessage("Dos factores"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "La autenticación de dos factores fue deshabilitada", + ), + "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( + "Autenticación en dos pasos", + ), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "Autenticación de doble factor restablecida con éxito", + ), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Configuración de dos pasos", + ), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("Desarchivar"), + "unarchiveAlbum": MessageLookupByLibrary.simpleMessage("Desarchivar álbum"), + "unarchiving": MessageLookupByLibrary.simpleMessage("Desarchivando..."), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Lo sentimos, este código no está disponible.", + ), + "uncategorized": MessageLookupByLibrary.simpleMessage("Sin categorizar"), + "unhide": MessageLookupByLibrary.simpleMessage("Dejar de ocultar"), + "unhideToAlbum": MessageLookupByLibrary.simpleMessage( + "Hacer visible al álbum", + ), + "unhiding": MessageLookupByLibrary.simpleMessage("Desocultando..."), + "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Desocultando archivos del álbum", + ), + "unlock": MessageLookupByLibrary.simpleMessage("Desbloquear"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("Dejar de fijar álbum"), + "unselectAll": MessageLookupByLibrary.simpleMessage("Desmarcar todos"), + "update": MessageLookupByLibrary.simpleMessage("Actualizar"), + "updateAvailable": MessageLookupByLibrary.simpleMessage( + "Actualizacion disponible", + ), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Actualizando la selección de carpeta...", + ), + "upgrade": MessageLookupByLibrary.simpleMessage("Mejorar"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Subiendo archivos al álbum...", + ), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( + "Preservando 1 memoria...", + ), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "Hasta el 50% de descuento, hasta el 4 de diciembre.", + ), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "El almacenamiento utilizable está limitado por tu plan actual. El exceso de almacenamiento que obtengas se volverá automáticamente utilizable cuando actualices tu plan.", + ), + "useAsCover": MessageLookupByLibrary.simpleMessage("Usar como cubierta"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "¿Tienes problemas para reproducir este video? Mantén pulsado aquí para probar un reproductor diferente.", + ), + "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Usar enlaces públicos para personas que no están en Ente", + ), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Usar clave de recuperación", + ), + "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( + "Usar foto seleccionada", + ), + "usedSpace": MessageLookupByLibrary.simpleMessage("Espacio usado"), + "validTill": m110, + "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Verificación fallida, por favor inténtalo de nuevo", + ), + "verificationId": MessageLookupByLibrary.simpleMessage( + "ID de verificación", + ), + "verify": MessageLookupByLibrary.simpleMessage("Verificar"), + "verifyEmail": MessageLookupByLibrary.simpleMessage( + "Verificar correo electrónico", + ), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Verificar"), + "verifyPasskey": MessageLookupByLibrary.simpleMessage( + "Verificar clave de acceso", + ), + "verifyPassword": MessageLookupByLibrary.simpleMessage( + "Verificar contraseña", + ), + "verifying": MessageLookupByLibrary.simpleMessage("Verificando..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Verificando clave de recuperación...", + ), + "videoInfo": MessageLookupByLibrary.simpleMessage("Información de video"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("vídeo"), + "videoStreaming": MessageLookupByLibrary.simpleMessage( + "Vídeos en streaming", + ), + "videos": MessageLookupByLibrary.simpleMessage("Vídeos"), + "viewActiveSessions": MessageLookupByLibrary.simpleMessage( + "Ver sesiones activas", + ), + "viewAddOnButton": MessageLookupByLibrary.simpleMessage("Ver complementos"), + "viewAll": MessageLookupByLibrary.simpleMessage("Ver todo"), + "viewAllExifData": MessageLookupByLibrary.simpleMessage( + "Ver todos los datos EXIF", + ), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Archivos grandes"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Ver los archivos que consumen la mayor cantidad de almacenamiento.", + ), + "viewLogs": MessageLookupByLibrary.simpleMessage("Ver Registros"), + "viewPersonToUnlink": m112, + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Ver código de recuperación", + ), + "viewer": MessageLookupByLibrary.simpleMessage("Espectador"), + "viewersSuccessfullyAdded": m113, + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Por favor, visita web.ente.io para administrar tu suscripción", + ), + "waitingForVerification": MessageLookupByLibrary.simpleMessage( + "Esperando verificación...", + ), + "waitingForWifi": MessageLookupByLibrary.simpleMessage("Esperando WiFi..."), + "warning": MessageLookupByLibrary.simpleMessage("Advertencia"), + "weAreOpenSource": MessageLookupByLibrary.simpleMessage( + "¡Somos de código abierto!", + ), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "No admitimos la edición de fotos y álbumes que aún no son tuyos", + ), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Poco segura"), + "welcomeBack": MessageLookupByLibrary.simpleMessage( + "¡Bienvenido de nuevo!", + ), + "whatsNew": MessageLookupByLibrary.simpleMessage("Qué hay de nuevo"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "Un contacto de confianza puede ayudar a recuperar sus datos.", + ), + "widgets": MessageLookupByLibrary.simpleMessage("Widgets"), + "wishThemAHappyBirthday": m115, + "yearShort": MessageLookupByLibrary.simpleMessage("año"), + "yearly": MessageLookupByLibrary.simpleMessage("Anualmente"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Sí"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Sí, cancelar"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "Sí, convertir a espectador", + ), + "yesDelete": MessageLookupByLibrary.simpleMessage("Sí, eliminar"), + "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( + "Sí, descartar cambios", + ), + "yesIgnore": MessageLookupByLibrary.simpleMessage("Sí, ignorar"), + "yesLogout": MessageLookupByLibrary.simpleMessage("Sí, cerrar sesión"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Sí, quitar"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Sí, renovar"), + "yesResetPerson": MessageLookupByLibrary.simpleMessage( + "Si, eliminar persona", + ), + "you": MessageLookupByLibrary.simpleMessage("Tu"), + "youAndThem": m117, + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( + "¡Estás en un plan familiar!", + ), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Estás usando la última versión", + ), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Como máximo puedes duplicar tu almacenamiento", + ), + "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( + "Puedes administrar tus enlaces en la pestaña compartir.", + ), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "Puedes intentar buscar una consulta diferente.", + ), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "No puedes bajar a este plan", + ), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "No puedes compartir contigo mismo", + ), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "No tienes ningún elemento archivado.", + ), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "Tu cuenta ha sido eliminada", + ), + "yourMap": MessageLookupByLibrary.simpleMessage("Tu mapa"), + "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( + "Tu plan ha sido degradado con éxito", + ), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "Tu plan se ha actualizado correctamente", + ), + "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( + "Tu compra ha sido exitosa", + ), + "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( + "Tus datos de almacenamiento no se han podido obtener", + ), + "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( + "Tu suscripción ha caducado", + ), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "Tu suscripción se ha actualizado con éxito", + ), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "Tu código de verificación ha expirado", + ), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "No tienes archivos duplicados que se puedan borrar", + ), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "No tienes archivos en este álbum que puedan ser borrados", + ), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( + "Alejar para ver las fotos", + ), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_et.dart b/mobile/apps/photos/lib/generated/intl/messages_et.dart index dc3a61a6ff..05b12d04bf 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_et.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_et.dart @@ -22,253 +22,266 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "about": MessageLookupByLibrary.simpleMessage("Info"), - "account": MessageLookupByLibrary.simpleMessage("Konto"), - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("Tere tulemast tagasi!"), - "activeSessions": - MessageLookupByLibrary.simpleMessage("Aktiivsed sessioonid"), - "addLocation": MessageLookupByLibrary.simpleMessage("Lisa asukoht"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Lisa"), - "addMore": MessageLookupByLibrary.simpleMessage("Lisa veel"), - "addedAs": MessageLookupByLibrary.simpleMessage("Lisatud kui"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Omanik"), - "albumUpdated": - MessageLookupByLibrary.simpleMessage("Albumit on uuendatud"), - "allowDownloads": - MessageLookupByLibrary.simpleMessage("Luba allalaadimised"), - "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), - "apply": MessageLookupByLibrary.simpleMessage("Rakenda"), - "blog": MessageLookupByLibrary.simpleMessage("Blogi"), - "cancel": MessageLookupByLibrary.simpleMessage("Loobu"), - "changeEmail": MessageLookupByLibrary.simpleMessage("Muuda e-posti"), - "changePermissions": - MessageLookupByLibrary.simpleMessage("Muuta õiguseid?"), - "checkForUpdates": - MessageLookupByLibrary.simpleMessage("Kontrolli uuendusi"), - "checkStatus": - MessageLookupByLibrary.simpleMessage("Kontrolli staatust"), - "checking": MessageLookupByLibrary.simpleMessage("Kontrollimine..."), - "collaborator": MessageLookupByLibrary.simpleMessage("Kaastööline"), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Kogu fotod"), - "color": MessageLookupByLibrary.simpleMessage("Värv"), - "confirm": MessageLookupByLibrary.simpleMessage("Kinnita"), - "confirmPassword": - MessageLookupByLibrary.simpleMessage("Kinnita parool"), - "contactSupport": - MessageLookupByLibrary.simpleMessage("Võtke ühendust klienditoega"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Jätka"), - "convertToAlbum": - MessageLookupByLibrary.simpleMessage("Konverdi albumiks"), - "copyLink": MessageLookupByLibrary.simpleMessage("Kopeeri link"), - "createAccount": MessageLookupByLibrary.simpleMessage("Loo konto"), - "createNewAccount": - MessageLookupByLibrary.simpleMessage("Loo uus konto"), - "creatingLink": - MessageLookupByLibrary.simpleMessage("Lingi loomine..."), - "custom": MessageLookupByLibrary.simpleMessage("Kohandatud"), - "darkTheme": MessageLookupByLibrary.simpleMessage("Tume"), - "dayToday": MessageLookupByLibrary.simpleMessage("Täna"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Eile"), - "delete": MessageLookupByLibrary.simpleMessage("Kustuta"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Kustuta konto"), - "deleteAll": MessageLookupByLibrary.simpleMessage("Kustuta kõik"), - "deleteFromBoth": - MessageLookupByLibrary.simpleMessage("Kustuta mõlemast"), - "deleteFromDevice": - MessageLookupByLibrary.simpleMessage("Kustutage seadmest"), - "deleteLocation": - MessageLookupByLibrary.simpleMessage("Kustuta asukoht"), - "deletePhotos": MessageLookupByLibrary.simpleMessage("Kustuta fotod"), - "details": MessageLookupByLibrary.simpleMessage("Üksikasjad"), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Avasta"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Beebid"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Identiteet"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Meemid"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Märkmed"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Lemmikloomad"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Kviitungid"), - "discover_screenshots": - MessageLookupByLibrary.simpleMessage("Ekraanipildid"), - "discover_visiting_cards": - MessageLookupByLibrary.simpleMessage("Visiitkaardid"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doThisLater": MessageLookupByLibrary.simpleMessage("Tee seda hiljem"), - "done": MessageLookupByLibrary.simpleMessage("Valmis"), - "edit": MessageLookupByLibrary.simpleMessage("Muuda"), - "email": MessageLookupByLibrary.simpleMessage("E-post"), - "encryption": MessageLookupByLibrary.simpleMessage("Krüpteerimine"), - "enterCode": MessageLookupByLibrary.simpleMessage("Sisesta kood"), - "enterEmail": MessageLookupByLibrary.simpleMessage("Sisesta e-post"), - "enterPassword": MessageLookupByLibrary.simpleMessage("Sisesta parool"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Palun sisesta korrektne e-posti aadress."), - "enterYourEmailAddress": - MessageLookupByLibrary.simpleMessage("Sisesta oma e-posti aadress"), - "enterYourPassword": - MessageLookupByLibrary.simpleMessage("Sisesta oma parool"), - "exportYourData": - MessageLookupByLibrary.simpleMessage("Ekspordi oma andmed"), - "faq": MessageLookupByLibrary.simpleMessage("KKK"), - "faqs": MessageLookupByLibrary.simpleMessage("KKK"), - "feedback": MessageLookupByLibrary.simpleMessage("Tagasiside"), - "flip": MessageLookupByLibrary.simpleMessage("Pööra ümber"), - "freeTrial": MessageLookupByLibrary.simpleMessage("Tasuta prooviaeg"), - "general": MessageLookupByLibrary.simpleMessage("Üldine"), - "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), - "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( - "Grupeeri lähedal olevad fotod"), - "help": MessageLookupByLibrary.simpleMessage("Abiinfo"), - "hidden": MessageLookupByLibrary.simpleMessage("Peidetud"), - "hide": MessageLookupByLibrary.simpleMessage("Peida"), - "importing": MessageLookupByLibrary.simpleMessage("Importimine...."), - "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("Vale parool"), - "invalidEmailAddress": - MessageLookupByLibrary.simpleMessage("Vigane e-posti aadress"), - "invalidKey": MessageLookupByLibrary.simpleMessage("Vigane võti"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Säilita fotod"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "language": MessageLookupByLibrary.simpleMessage("Keel"), - "lastUpdated": - MessageLookupByLibrary.simpleMessage("Viimati uuendatud"), - "leaveSharedAlbum": - MessageLookupByLibrary.simpleMessage("Lahkuda jagatud albumist?"), - "light": MessageLookupByLibrary.simpleMessage("Hele"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Hele"), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Seadme limit"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Sees"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Aegunud"), - "linkExpiry": MessageLookupByLibrary.simpleMessage("Lingi aegumine"), - "linkHasExpired": - MessageLookupByLibrary.simpleMessage("Link on aegunud"), - "linkNeverExpires": - MessageLookupByLibrary.simpleMessage("Mitte kunagi"), - "locationName": MessageLookupByLibrary.simpleMessage("Asukoha nimi"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Lukusta"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Logi sisse"), - "logout": MessageLookupByLibrary.simpleMessage("Logi välja"), - "manage": MessageLookupByLibrary.simpleMessage("Halda"), - "manageLink": MessageLookupByLibrary.simpleMessage("Halda linki"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Halda"), - "manageSubscription": - MessageLookupByLibrary.simpleMessage("Halda tellimust"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "merchandise": MessageLookupByLibrary.simpleMessage("Kaup"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Keskmine"), - "movedToTrash": - MessageLookupByLibrary.simpleMessage("Liigutatud prügikasti"), - "name": MessageLookupByLibrary.simpleMessage("Nimi"), - "never": MessageLookupByLibrary.simpleMessage("Mitte kunagi"), - "newest": MessageLookupByLibrary.simpleMessage("Uusimad"), - "no": MessageLookupByLibrary.simpleMessage("Ei"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Puudub"), - "ok": MessageLookupByLibrary.simpleMessage("OK"), - "oops": MessageLookupByLibrary.simpleMessage("Oih"), - "oopsSomethingWentWrong": - MessageLookupByLibrary.simpleMessage("Oih, midagi läks valesti"), - "password": MessageLookupByLibrary.simpleMessage("Parool"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), - "pleaseTryAgain": - MessageLookupByLibrary.simpleMessage("Palun proovi uuesti"), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Palun oota..."), - "privacy": MessageLookupByLibrary.simpleMessage("Privaatsus"), - "privacyPolicyTitle": - MessageLookupByLibrary.simpleMessage("Privaatsus"), - "radius": MessageLookupByLibrary.simpleMessage("Raadius"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Taasta"), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "remove": MessageLookupByLibrary.simpleMessage("Eemalda"), - "removeFromAlbum": - MessageLookupByLibrary.simpleMessage("Eemalda albumist"), - "removeLink": MessageLookupByLibrary.simpleMessage("Eemalda link"), - "removeParticipant": - MessageLookupByLibrary.simpleMessage("Eemalda osaleja"), - "removePublicLink": - MessageLookupByLibrary.simpleMessage("Eemalda avalik link"), - "removeWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Eemaldada?"), - "rename": MessageLookupByLibrary.simpleMessage("Nimeta ümber"), - "renameAlbum": - MessageLookupByLibrary.simpleMessage("Nimeta album ümber"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Pööra vasakule"), - "rotateRight": MessageLookupByLibrary.simpleMessage("Pööra paremale"), - "save": MessageLookupByLibrary.simpleMessage("Salvesta"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Salvesta koopia"), - "saveKey": MessageLookupByLibrary.simpleMessage("Salvesta võti"), - "saving": MessageLookupByLibrary.simpleMessage("Salvestamine..."), - "scanCode": MessageLookupByLibrary.simpleMessage("Skanni koodi"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Skaneeri seda QR koodi\noma autentimisrakendusega"), - "security": MessageLookupByLibrary.simpleMessage("Turvalisus"), - "selectAll": MessageLookupByLibrary.simpleMessage("Vali kõik"), - "selectLanguage": MessageLookupByLibrary.simpleMessage("Vali keel"), - "selectReason": MessageLookupByLibrary.simpleMessage("Vali põhjus"), - "selectYourPlan": MessageLookupByLibrary.simpleMessage("Vali pakett"), - "sendLink": MessageLookupByLibrary.simpleMessage("Saada link"), - "setAPassword": MessageLookupByLibrary.simpleMessage("Määra parool"), - "setCover": MessageLookupByLibrary.simpleMessage("Määra kaanepilt"), - "setupComplete": - MessageLookupByLibrary.simpleMessage("Seadistamine on lõpetatud"), - "share": MessageLookupByLibrary.simpleMessage("Jaga"), - "shareALink": MessageLookupByLibrary.simpleMessage("Jaga linki"), - "sharing": MessageLookupByLibrary.simpleMessage("Jagamine..."), - "skip": MessageLookupByLibrary.simpleMessage("Jäta vahele"), - "somethingWentWrongPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Midagi läks valesti, palun proovi uuesti"), - "sorry": MessageLookupByLibrary.simpleMessage("Vabandust"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sorteeri"), - "sortNewestFirst": - MessageLookupByLibrary.simpleMessage("Uuemad eespool"), - "sortOldestFirst": - MessageLookupByLibrary.simpleMessage("Vanemad eespool"), - "storage": MessageLookupByLibrary.simpleMessage("Mäluruum"), - "storageBreakupFamily": - MessageLookupByLibrary.simpleMessage("Perekond"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Sina"), - "strongStrength": MessageLookupByLibrary.simpleMessage("Tugev"), - "subscribe": MessageLookupByLibrary.simpleMessage("Telli"), - "support": MessageLookupByLibrary.simpleMessage("Kasutajatugi"), - "systemTheme": MessageLookupByLibrary.simpleMessage("Süsteem"), - "tapToCopy": - MessageLookupByLibrary.simpleMessage("kopeerimiseks vajuta"), - "terminate": MessageLookupByLibrary.simpleMessage("Lõpeta"), - "terms": MessageLookupByLibrary.simpleMessage("Tingimused"), - "termsOfServicesTitle": - MessageLookupByLibrary.simpleMessage("Tingimused"), - "theme": MessageLookupByLibrary.simpleMessage("Teema"), - "thisDevice": MessageLookupByLibrary.simpleMessage("See seade"), - "trash": MessageLookupByLibrary.simpleMessage("Prügikast"), - "tryAgain": MessageLookupByLibrary.simpleMessage("Proovi uuesti"), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "uncategorized": MessageLookupByLibrary.simpleMessage("Liigitamata"), - "useRecoveryKey": - MessageLookupByLibrary.simpleMessage("Kasuta taastevõtit"), - "usedSpace": - MessageLookupByLibrary.simpleMessage("Kasutatud kettaruum"), - "verify": MessageLookupByLibrary.simpleMessage("Kinnita"), - "verifyPassword": - MessageLookupByLibrary.simpleMessage("Kinnita parool"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), - "viewer": MessageLookupByLibrary.simpleMessage("Vaataja"), - "weakStrength": MessageLookupByLibrary.simpleMessage("Nõrk"), - "welcomeBack": - MessageLookupByLibrary.simpleMessage("Tere tulemast tagasi!"), - "yes": MessageLookupByLibrary.simpleMessage("Jah"), - "yesConvertToViewer": - MessageLookupByLibrary.simpleMessage("Jah, muuda vaatajaks"), - "yesDelete": MessageLookupByLibrary.simpleMessage("Jah, kustuta"), - "yesDiscardChanges": - MessageLookupByLibrary.simpleMessage("Jah, tühista muutused"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Jah, eemalda"), - "you": MessageLookupByLibrary.simpleMessage("Sina"), - "youAreOnTheLatestVersion": - MessageLookupByLibrary.simpleMessage("Kasutad viimast versiooni"), - "youCannotShareWithYourself": - MessageLookupByLibrary.simpleMessage("Sa ei saa iseendaga jagada") - }; + "about": MessageLookupByLibrary.simpleMessage("Info"), + "account": MessageLookupByLibrary.simpleMessage("Konto"), + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( + "Tere tulemast tagasi!", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage( + "Aktiivsed sessioonid", + ), + "addLocation": MessageLookupByLibrary.simpleMessage("Lisa asukoht"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Lisa"), + "addMore": MessageLookupByLibrary.simpleMessage("Lisa veel"), + "addedAs": MessageLookupByLibrary.simpleMessage("Lisatud kui"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Omanik"), + "albumUpdated": MessageLookupByLibrary.simpleMessage( + "Albumit on uuendatud", + ), + "allowDownloads": MessageLookupByLibrary.simpleMessage( + "Luba allalaadimised", + ), + "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), + "apply": MessageLookupByLibrary.simpleMessage("Rakenda"), + "blog": MessageLookupByLibrary.simpleMessage("Blogi"), + "cancel": MessageLookupByLibrary.simpleMessage("Loobu"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Muuda e-posti"), + "changePermissions": MessageLookupByLibrary.simpleMessage( + "Muuta õiguseid?", + ), + "checkForUpdates": MessageLookupByLibrary.simpleMessage( + "Kontrolli uuendusi", + ), + "checkStatus": MessageLookupByLibrary.simpleMessage("Kontrolli staatust"), + "checking": MessageLookupByLibrary.simpleMessage("Kontrollimine..."), + "collaborator": MessageLookupByLibrary.simpleMessage("Kaastööline"), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Kogu fotod"), + "color": MessageLookupByLibrary.simpleMessage("Värv"), + "confirm": MessageLookupByLibrary.simpleMessage("Kinnita"), + "confirmPassword": MessageLookupByLibrary.simpleMessage("Kinnita parool"), + "contactSupport": MessageLookupByLibrary.simpleMessage( + "Võtke ühendust klienditoega", + ), + "continueLabel": MessageLookupByLibrary.simpleMessage("Jätka"), + "convertToAlbum": MessageLookupByLibrary.simpleMessage("Konverdi albumiks"), + "copyLink": MessageLookupByLibrary.simpleMessage("Kopeeri link"), + "createAccount": MessageLookupByLibrary.simpleMessage("Loo konto"), + "createNewAccount": MessageLookupByLibrary.simpleMessage("Loo uus konto"), + "creatingLink": MessageLookupByLibrary.simpleMessage("Lingi loomine..."), + "custom": MessageLookupByLibrary.simpleMessage("Kohandatud"), + "darkTheme": MessageLookupByLibrary.simpleMessage("Tume"), + "dayToday": MessageLookupByLibrary.simpleMessage("Täna"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Eile"), + "delete": MessageLookupByLibrary.simpleMessage("Kustuta"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Kustuta konto"), + "deleteAll": MessageLookupByLibrary.simpleMessage("Kustuta kõik"), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage("Kustuta mõlemast"), + "deleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Kustutage seadmest", + ), + "deleteLocation": MessageLookupByLibrary.simpleMessage("Kustuta asukoht"), + "deletePhotos": MessageLookupByLibrary.simpleMessage("Kustuta fotod"), + "details": MessageLookupByLibrary.simpleMessage("Üksikasjad"), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Avasta"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Beebid"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Identiteet"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Meemid"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Märkmed"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Lemmikloomad"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Kviitungid"), + "discover_screenshots": MessageLookupByLibrary.simpleMessage( + "Ekraanipildid", + ), + "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( + "Visiitkaardid", + ), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Tee seda hiljem"), + "done": MessageLookupByLibrary.simpleMessage("Valmis"), + "edit": MessageLookupByLibrary.simpleMessage("Muuda"), + "email": MessageLookupByLibrary.simpleMessage("E-post"), + "encryption": MessageLookupByLibrary.simpleMessage("Krüpteerimine"), + "enterCode": MessageLookupByLibrary.simpleMessage("Sisesta kood"), + "enterEmail": MessageLookupByLibrary.simpleMessage("Sisesta e-post"), + "enterPassword": MessageLookupByLibrary.simpleMessage("Sisesta parool"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Palun sisesta korrektne e-posti aadress.", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Sisesta oma e-posti aadress", + ), + "enterYourPassword": MessageLookupByLibrary.simpleMessage( + "Sisesta oma parool", + ), + "exportYourData": MessageLookupByLibrary.simpleMessage( + "Ekspordi oma andmed", + ), + "faq": MessageLookupByLibrary.simpleMessage("KKK"), + "faqs": MessageLookupByLibrary.simpleMessage("KKK"), + "feedback": MessageLookupByLibrary.simpleMessage("Tagasiside"), + "flip": MessageLookupByLibrary.simpleMessage("Pööra ümber"), + "freeTrial": MessageLookupByLibrary.simpleMessage("Tasuta prooviaeg"), + "general": MessageLookupByLibrary.simpleMessage("Üldine"), + "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), + "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( + "Grupeeri lähedal olevad fotod", + ), + "help": MessageLookupByLibrary.simpleMessage("Abiinfo"), + "hidden": MessageLookupByLibrary.simpleMessage("Peidetud"), + "hide": MessageLookupByLibrary.simpleMessage("Peida"), + "importing": MessageLookupByLibrary.simpleMessage("Importimine...."), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Vale parool", + ), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "Vigane e-posti aadress", + ), + "invalidKey": MessageLookupByLibrary.simpleMessage("Vigane võti"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Säilita fotod"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "language": MessageLookupByLibrary.simpleMessage("Keel"), + "lastUpdated": MessageLookupByLibrary.simpleMessage("Viimati uuendatud"), + "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Lahkuda jagatud albumist?", + ), + "light": MessageLookupByLibrary.simpleMessage("Hele"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Hele"), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Seadme limit"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Sees"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Aegunud"), + "linkExpiry": MessageLookupByLibrary.simpleMessage("Lingi aegumine"), + "linkHasExpired": MessageLookupByLibrary.simpleMessage("Link on aegunud"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Mitte kunagi"), + "locationName": MessageLookupByLibrary.simpleMessage("Asukoha nimi"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Lukusta"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Logi sisse"), + "logout": MessageLookupByLibrary.simpleMessage("Logi välja"), + "manage": MessageLookupByLibrary.simpleMessage("Halda"), + "manageLink": MessageLookupByLibrary.simpleMessage("Halda linki"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Halda"), + "manageSubscription": MessageLookupByLibrary.simpleMessage( + "Halda tellimust", + ), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "merchandise": MessageLookupByLibrary.simpleMessage("Kaup"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Keskmine"), + "movedToTrash": MessageLookupByLibrary.simpleMessage( + "Liigutatud prügikasti", + ), + "name": MessageLookupByLibrary.simpleMessage("Nimi"), + "never": MessageLookupByLibrary.simpleMessage("Mitte kunagi"), + "newest": MessageLookupByLibrary.simpleMessage("Uusimad"), + "no": MessageLookupByLibrary.simpleMessage("Ei"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Puudub"), + "ok": MessageLookupByLibrary.simpleMessage("OK"), + "oops": MessageLookupByLibrary.simpleMessage("Oih"), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Oih, midagi läks valesti", + ), + "password": MessageLookupByLibrary.simpleMessage("Parool"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Palun proovi uuesti", + ), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Palun oota..."), + "privacy": MessageLookupByLibrary.simpleMessage("Privaatsus"), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage("Privaatsus"), + "radius": MessageLookupByLibrary.simpleMessage("Raadius"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Taasta"), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "remove": MessageLookupByLibrary.simpleMessage("Eemalda"), + "removeFromAlbum": MessageLookupByLibrary.simpleMessage("Eemalda albumist"), + "removeLink": MessageLookupByLibrary.simpleMessage("Eemalda link"), + "removeParticipant": MessageLookupByLibrary.simpleMessage( + "Eemalda osaleja", + ), + "removePublicLink": MessageLookupByLibrary.simpleMessage( + "Eemalda avalik link", + ), + "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage( + "Eemaldada?", + ), + "rename": MessageLookupByLibrary.simpleMessage("Nimeta ümber"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("Nimeta album ümber"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Pööra vasakule"), + "rotateRight": MessageLookupByLibrary.simpleMessage("Pööra paremale"), + "save": MessageLookupByLibrary.simpleMessage("Salvesta"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Salvesta koopia"), + "saveKey": MessageLookupByLibrary.simpleMessage("Salvesta võti"), + "saving": MessageLookupByLibrary.simpleMessage("Salvestamine..."), + "scanCode": MessageLookupByLibrary.simpleMessage("Skanni koodi"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Skaneeri seda QR koodi\noma autentimisrakendusega", + ), + "security": MessageLookupByLibrary.simpleMessage("Turvalisus"), + "selectAll": MessageLookupByLibrary.simpleMessage("Vali kõik"), + "selectLanguage": MessageLookupByLibrary.simpleMessage("Vali keel"), + "selectReason": MessageLookupByLibrary.simpleMessage("Vali põhjus"), + "selectYourPlan": MessageLookupByLibrary.simpleMessage("Vali pakett"), + "sendLink": MessageLookupByLibrary.simpleMessage("Saada link"), + "setAPassword": MessageLookupByLibrary.simpleMessage("Määra parool"), + "setCover": MessageLookupByLibrary.simpleMessage("Määra kaanepilt"), + "setupComplete": MessageLookupByLibrary.simpleMessage( + "Seadistamine on lõpetatud", + ), + "share": MessageLookupByLibrary.simpleMessage("Jaga"), + "shareALink": MessageLookupByLibrary.simpleMessage("Jaga linki"), + "sharing": MessageLookupByLibrary.simpleMessage("Jagamine..."), + "skip": MessageLookupByLibrary.simpleMessage("Jäta vahele"), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Midagi läks valesti, palun proovi uuesti", + ), + "sorry": MessageLookupByLibrary.simpleMessage("Vabandust"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sorteeri"), + "sortNewestFirst": MessageLookupByLibrary.simpleMessage("Uuemad eespool"), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Vanemad eespool"), + "storage": MessageLookupByLibrary.simpleMessage("Mäluruum"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Perekond"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Sina"), + "strongStrength": MessageLookupByLibrary.simpleMessage("Tugev"), + "subscribe": MessageLookupByLibrary.simpleMessage("Telli"), + "support": MessageLookupByLibrary.simpleMessage("Kasutajatugi"), + "systemTheme": MessageLookupByLibrary.simpleMessage("Süsteem"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("kopeerimiseks vajuta"), + "terminate": MessageLookupByLibrary.simpleMessage("Lõpeta"), + "terms": MessageLookupByLibrary.simpleMessage("Tingimused"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Tingimused"), + "theme": MessageLookupByLibrary.simpleMessage("Teema"), + "thisDevice": MessageLookupByLibrary.simpleMessage("See seade"), + "trash": MessageLookupByLibrary.simpleMessage("Prügikast"), + "tryAgain": MessageLookupByLibrary.simpleMessage("Proovi uuesti"), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "uncategorized": MessageLookupByLibrary.simpleMessage("Liigitamata"), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Kasuta taastevõtit", + ), + "usedSpace": MessageLookupByLibrary.simpleMessage("Kasutatud kettaruum"), + "verify": MessageLookupByLibrary.simpleMessage("Kinnita"), + "verifyPassword": MessageLookupByLibrary.simpleMessage("Kinnita parool"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), + "viewer": MessageLookupByLibrary.simpleMessage("Vaataja"), + "weakStrength": MessageLookupByLibrary.simpleMessage("Nõrk"), + "welcomeBack": MessageLookupByLibrary.simpleMessage( + "Tere tulemast tagasi!", + ), + "yes": MessageLookupByLibrary.simpleMessage("Jah"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "Jah, muuda vaatajaks", + ), + "yesDelete": MessageLookupByLibrary.simpleMessage("Jah, kustuta"), + "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( + "Jah, tühista muutused", + ), + "yesRemove": MessageLookupByLibrary.simpleMessage("Jah, eemalda"), + "you": MessageLookupByLibrary.simpleMessage("Sina"), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Kasutad viimast versiooni", + ), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Sa ei saa iseendaga jagada", + ), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_eu.dart b/mobile/apps/photos/lib/generated/intl/messages_eu.dart index 232f0cdb1c..7b003a5ffb 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_eu.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_eu.dart @@ -27,11 +27,7 @@ class MessageLookup extends MessageLookupByLibrary { "${user}-(e)k ezin izango du argazki gehiago gehitu album honetan \n\nBaina haiek gehitutako argazkiak kendu ahal izango dituzte"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, { - 'true': 'Zure familiak ${storageAmountInGb} GB eskatu du dagoeneko', - 'false': 'Zuk ${storageAmountInGb} GB eskatu duzu dagoeneko', - 'other': 'Zuk ${storageAmountInGb} GB eskatu duzu dagoeneko!', - })}"; + "${Intl.select(isFamilyMember, {'true': 'Zure familiak ${storageAmountInGb} GB eskatu du dagoeneko', 'false': 'Zuk ${storageAmountInGb} GB eskatu duzu dagoeneko', 'other': 'Zuk ${storageAmountInGb} GB eskatu duzu dagoeneko!'})}"; static String m24(albumName) => "Honen bidez ${albumName} eskuratzeko esteka publikoa ezabatuko da."; @@ -101,544 +97,680 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("Ongi etorri berriro!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Nire datuak puntutik puntura zifratuta daudenez, pasahitza ahaztuz gero nire datuak gal ditzakedala ulertzen dut."), - "activeSessions": MessageLookupByLibrary.simpleMessage("Saio aktiboak"), - "addANewEmail": - MessageLookupByLibrary.simpleMessage("Gehitu e-mail berria"), - "addCollaborator": - MessageLookupByLibrary.simpleMessage("Gehitu laguntzailea"), - "addMore": MessageLookupByLibrary.simpleMessage("Gehitu gehiago"), - "addViewer": MessageLookupByLibrary.simpleMessage("Gehitu ikuslea"), - "addedAs": MessageLookupByLibrary.simpleMessage("Honela gehituta:"), - "addingToFavorites": - MessageLookupByLibrary.simpleMessage("Gogokoetan gehitzen..."), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Aurreratuak"), - "after1Day": MessageLookupByLibrary.simpleMessage("Egun bat barru"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Ordubete barru"), - "after1Month": - MessageLookupByLibrary.simpleMessage("Hilabete bat barru"), - "after1Week": MessageLookupByLibrary.simpleMessage("Astebete barru"), - "after1Year": MessageLookupByLibrary.simpleMessage("Urtebete barru"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Jabea"), - "albumParticipantsCount": m8, - "albumUpdated": - MessageLookupByLibrary.simpleMessage("Albuma eguneratuta"), - "albums": MessageLookupByLibrary.simpleMessage("Albumak"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Utzi esteka duen jendeari ere album partekatuan argazkiak gehitzen."), - "allowAddingPhotos": - MessageLookupByLibrary.simpleMessage("Baimendu argazkiak gehitzea"), - "allowDownloads": - MessageLookupByLibrary.simpleMessage("Baimendu jaitsierak"), - "apply": MessageLookupByLibrary.simpleMessage("Aplikatu"), - "applyCodeTitle": - MessageLookupByLibrary.simpleMessage("Aplikatu kodea"), - "archive": MessageLookupByLibrary.simpleMessage("Artxiboa"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Zein da zure kontua ezabatzeko arrazoi nagusia?"), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Mesedez, autentifikatu emailaren egiaztatzea aldatzeko"), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Mesedez, autentifikatu pantaila blokeatzeko ezarpenak aldatzeko"), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Mesedez, autentifikatu zure emaila aldatzeko"), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Mesedez, autentifikatu zure pasahitza aldatzeko"), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Mesedez, autentifikatu faktore biko autentifikazioa konfiguratzeko"), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Mesedez, autentifikatu kontu ezabaketa hasteko"), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Mesedez, autentifikatu paperontzira botatako zure fitxategiak ikusteko"), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Mesedez, autentifikatu indarrean dauden zure saioak ikusteko"), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Mesedez, autentifikatu zure ezkutatutako fitxategiak ikusteko"), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Mesedez, autentifikatu zure berreskuratze giltza ikusteko"), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Sentitzen dugu, album hau ezin da aplikazioan ireki."), - "canNotOpenTitle": - MessageLookupByLibrary.simpleMessage("Ezin dut album hau ireki"), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Zure fitxategiak baino ezin duzu ezabatu"), - "cancel": MessageLookupByLibrary.simpleMessage("Utzi"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "change": MessageLookupByLibrary.simpleMessage("Aldatu"), - "changeEmail": MessageLookupByLibrary.simpleMessage("Aldatu e-maila"), - "changePasswordTitle": - MessageLookupByLibrary.simpleMessage("Aldatu pasahitza"), - "changePermissions": - MessageLookupByLibrary.simpleMessage("Baimenak aldatu nahi?"), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Aldatu zure erreferentzia kodea"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Mesedez, aztertu zure inbox (eta spam) karpetak egiaztatzea osotzeko"), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage( - "Eskatu debaldeko biltegiratzea"), - "claimMore": MessageLookupByLibrary.simpleMessage("Eskatu gehiago!"), - "claimed": MessageLookupByLibrary.simpleMessage("Eskatuta"), - "claimedStorageSoFar": m14, - "codeAppliedPageTitle": - MessageLookupByLibrary.simpleMessage("Kodea aplikatuta"), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Sentitzen dugu, zure kode aldaketa muga gainditu duzu."), - "codeCopiedToClipboard": - MessageLookupByLibrary.simpleMessage("Kodea arbelean kopiatuta"), - "codeUsedByYou": - MessageLookupByLibrary.simpleMessage("Zuk erabilitako kodea"), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Sortu esteka bat beste pertsona batzuei zure album partekatuan arriskuak gehitu eta ikusten uzteko, naiz eta Ente aplikazio edo kontua ez izan. Oso egokia gertakizun bateko argazkiak biltzeko."), - "collaborativeLink": - MessageLookupByLibrary.simpleMessage("Parte hartzeko esteka"), - "collaborator": MessageLookupByLibrary.simpleMessage("Laguntzailea"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Laguntzaileek argazkiak eta bideoak gehitu ahal dituzte album partekatuan."), - "collectPhotos": - MessageLookupByLibrary.simpleMessage("Bildu argazkiak"), - "confirm": MessageLookupByLibrary.simpleMessage("Baieztatu"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Seguru zaude faktore biko autentifikazioa deuseztatu nahi duzula?"), - "confirmAccountDeletion": - MessageLookupByLibrary.simpleMessage("Baieztatu Kontu Ezabaketa"), - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Bai, betiko ezabatu nahi dut kontu hau eta berarekiko data aplikazio guztietan zehar."), - "confirmPassword": - MessageLookupByLibrary.simpleMessage("Egiaztatu pasahitza"), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Egiaztatu berreskuratze kodea"), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Egiaztatu zure berreskuratze giltza"), - "contactSupport": - MessageLookupByLibrary.simpleMessage("Kontaktatu laguntza"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Jarraitu"), - "copyLink": MessageLookupByLibrary.simpleMessage("Kopiatu esteka"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Kopiatu eta itsatsi kode hau zure autentifikazio aplikaziora"), - "createAccount": MessageLookupByLibrary.simpleMessage("Sortu kontua"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Luze klikatu argazkiak hautatzeko eta klikatu + albuma sortzeko"), - "createNewAccount": - MessageLookupByLibrary.simpleMessage("Sortu kontu berria"), - "createPublicLink": - MessageLookupByLibrary.simpleMessage("Sortu esteka publikoa"), - "creatingLink": - MessageLookupByLibrary.simpleMessage("Esteka sortzen..."), - "custom": MessageLookupByLibrary.simpleMessage("Aukeran"), - "decrypting": MessageLookupByLibrary.simpleMessage("Deszifratzen..."), - "deleteAccount": - MessageLookupByLibrary.simpleMessage("Ezabatu zure kontua"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Sentitzen dugu zu joateaz. Mesedez, utziguzu zure feedbacka hobetzen laguntzeko."), - "deleteAccountPermanentlyButton": - MessageLookupByLibrary.simpleMessage("Ezabatu Kontua Betiko"), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Ezabatu albuma"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Ezabatu nahi dituzu album honetan dauden argazkiak (eta bideoak) parte diren beste album guztietatik ere?"), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Mesedez, bidali e-mail bat account-deletion@ente.io helbidea zure erregistatutako helbidetik."), - "deleteFromBoth": - MessageLookupByLibrary.simpleMessage("Ezabatu bietatik"), - "deleteFromDevice": - MessageLookupByLibrary.simpleMessage("Ezabatu gailutik"), - "deleteFromEnte": - MessageLookupByLibrary.simpleMessage("Ezabatu Ente-tik"), - "deletePhotos": - MessageLookupByLibrary.simpleMessage("Ezabatu argazkiak"), - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Behar dudan ezaugarre nagusiren bat falta zaio"), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "Aplikazioak edo ezaugarriren batek ez du funtzionatzen nik espero nuenez"), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Gustukoago dudan beste zerbitzu bat aurkitu dut"), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "Nire arrazoia ez dago zerrendan"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Zure eskaera 72 ordutan prozesatua izango da."), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Partekatutako albuma ezabatu?"), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "Albuma guztiontzat ezabatuko da \n\nAlbum honetan dauden beste pertsonek partekatutako argazkiak ezin izango dituzu eskuratu"), - "details": MessageLookupByLibrary.simpleMessage("Detaileak"), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Ikusleek pantaila-irudiak atera ahal dituzte, edo kanpoko tresnen bidez zure argazkien kopiak gorde"), - "disableDownloadWarningTitle": - MessageLookupByLibrary.simpleMessage("Mesedez, ohartu"), - "disableLinkMessage": m24, - "discover": MessageLookupByLibrary.simpleMessage("Aurkitu"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Umeak"), - "discover_celebrations": - MessageLookupByLibrary.simpleMessage("Ospakizunak"), - "discover_food": MessageLookupByLibrary.simpleMessage("Janaria"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Hostoa"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Muinoak"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Nortasuna"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Memeak"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Oharrak"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Etxe-animaliak"), - "discover_receipts": - MessageLookupByLibrary.simpleMessage("Ordainagiriak"), - "discover_screenshots": - MessageLookupByLibrary.simpleMessage("Pantaila argazkiak"), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfiak"), - "discover_sunset": - MessageLookupByLibrary.simpleMessage("Eguzki-sartzea"), - "discover_visiting_cards": - MessageLookupByLibrary.simpleMessage("Bisita txartelak"), - "discover_wallpapers": - MessageLookupByLibrary.simpleMessage("Horma-paperak"), - "doThisLater": MessageLookupByLibrary.simpleMessage("Egin hau geroago"), - "done": MessageLookupByLibrary.simpleMessage("Eginda"), - "dropSupportEmail": m25, - "eligible": MessageLookupByLibrary.simpleMessage("aukerakoak"), - "email": MessageLookupByLibrary.simpleMessage("E-maila"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "Helbide hau badago erregistratuta lehendik."), - "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "Helbide hau ez dago erregistratuta."), - "encryption": MessageLookupByLibrary.simpleMessage("Zifratzea"), - "encryptionKeys": - MessageLookupByLibrary.simpleMessage("Zifratze giltzak"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente-k zure baimena behar du zure argazkiak gordetzeko"), - "enterCode": MessageLookupByLibrary.simpleMessage("Sartu kodea"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Sartu zure lagunak emandako kodea, biontzat debaldeko biltegiratzea lortzeko"), - "enterEmail": MessageLookupByLibrary.simpleMessage("Sartu e-maila"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Sartu pasahitz berri bat, zure data zifratu ahal izateko"), - "enterPassword": - MessageLookupByLibrary.simpleMessage("Sartu pasahitza"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Sartu pasahitz bat, zure data deszifratu ahal izateko"), - "enterReferralCode": - MessageLookupByLibrary.simpleMessage("Sartu erreferentzia kodea"), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Sartu 6 digituko kodea zure autentifikazio aplikaziotik"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Mesedez, sartu zuzena den helbidea."), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Sartu zure helbide elektronikoa"), - "enterYourPassword": - MessageLookupByLibrary.simpleMessage("Sartu zure pasahitza"), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Sartu zure berreskuratze giltza"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Esteka hau iraungi da. Mesedez, aukeratu beste epemuga bat edo deuseztatu estekaren epemuga."), - "failedToApplyCode": - MessageLookupByLibrary.simpleMessage("Akatsa kodea aplikatzean"), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Ezin dugu zure erreferentziaren detailerik lortu. Mesedez, saiatu berriro geroago."), - "failedToLoadAlbums": - MessageLookupByLibrary.simpleMessage("Errorea albumak kargatzen"), - "faq": MessageLookupByLibrary.simpleMessage("FAQ"), - "feedback": MessageLookupByLibrary.simpleMessage("Feedbacka"), - "forgotPassword": - MessageLookupByLibrary.simpleMessage("Ahaztu pasahitza"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( - "Debaldeko biltegiratzea eskatuta"), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Debaldeko biltegiratzea erabilgarri"), - "generatingEncryptionKeys": - MessageLookupByLibrary.simpleMessage("Zifratze giltzak sortzen..."), - "help": MessageLookupByLibrary.simpleMessage("Laguntza"), - "hidden": MessageLookupByLibrary.simpleMessage("Ezkutatuta"), - "howItWorks": - MessageLookupByLibrary.simpleMessage("Nola funtzionatzen duen"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Mesedez, eska iezaiozu ezarpenen landutako bere e-mail helbidean luze klikatzeko, eta egiaztatu gailu bietako IDak bat direla."), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "Autentifikazio biometrikoa deuseztatuta dago. Mesedez, blokeatu eta desblokeatu zure pantaila indarrean jartzeko."), - "importing": MessageLookupByLibrary.simpleMessage("Inportatzen...."), - "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("Pasahitz okerra"), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "Sartu duzun berreskuratze giltza ez da zuzena"), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Berreskuratze giltza ez da zuzena"), - "insecureDevice": - MessageLookupByLibrary.simpleMessage("Gailua ez da segurua"), - "invalidEmailAddress": - MessageLookupByLibrary.simpleMessage("Helbide hau ez da zuzena"), - "invalidKey": MessageLookupByLibrary.simpleMessage("Kode okerra"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Sartu duzun berreskuratze kodea ez da zuzena. Mesedez, ziurtatu 24 hitz duela, eta egiaztatu hitz bakoitzaren idazkera. \n\nBerreskuratze kode zaharren bat sartu baduzu, ziurtatu 64 karaktere duela, eta egiaztatu horietako bakoitza."), - "inviteToEnte": - MessageLookupByLibrary.simpleMessage("Gonbidatu Ente-ra"), - "inviteYourFriends": - MessageLookupByLibrary.simpleMessage("Gonbidatu zure lagunak"), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Hautatutako elementuak album honetatik kenduko dira"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Gorde Argazkiak"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Mesedez, lagun gaitzazu informazio honekin"), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Gailu muga"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Indarrean"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Iraungita"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Estekaren epemuga"), - "linkHasExpired": - MessageLookupByLibrary.simpleMessage("Esteka iraungi da"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Inoiz ez"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Blokeatu"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Sartu"), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Sartzeko klikatuz, zerbitzu baldintzak eta pribatutasun politikak onartzen ditut"), - "lostDevice": - MessageLookupByLibrary.simpleMessage("Gailua galdu duzu?"), - "machineLearning": - MessageLookupByLibrary.simpleMessage("Ikasketa automatikoa"), - "magicSearch": MessageLookupByLibrary.simpleMessage("Bilaketa magikoa"), - "manage": MessageLookupByLibrary.simpleMessage("Kudeatu"), - "manageDeviceStorage": - MessageLookupByLibrary.simpleMessage("Kudeatu gailuaren katxea"), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Berrikusi eta garbitu katxe lokalaren biltegiratzea."), - "manageLink": MessageLookupByLibrary.simpleMessage("Kudeatu esteka"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Kudeatu"), - "memoryCount": m50, - "mlConsent": MessageLookupByLibrary.simpleMessage( - "Aktibatu ikasketa automatikoa"), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Ulertzen dut, eta ikasketa automatikoa aktibatu nahi dut"), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Ikasketa automatikoa aktibatuz gero, Ente-k fitxategietatik informazioa aterako du (ad. argazkien geometria), zurekin partekatutako argazkietatik ere.\n\nHau zure gailuan gertatuko da, eta sortutako informazio biometrikoa puntutik puntura zifratuta egongo da."), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Mesedez, klikatu hemen gure pribatutasun politikan ezaugarri honi buruz detaile gehiago izateko"), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "Ikasketa automatikoa aktibatuko?"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Ertaina"), - "movedToTrash": MessageLookupByLibrary.simpleMessage("Zarama mugituta"), - "never": MessageLookupByLibrary.simpleMessage("Inoiz ez"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Album berria"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Bat ere ez"), - "noRecoveryKey": - MessageLookupByLibrary.simpleMessage("Berreskuratze giltzarik ez?"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Gure puntutik-puntura zifratze protokoloa dela eta, zure data ezin da deszifratu zure pasahitza edo berreskuratze giltzarik gabe"), - "ok": MessageLookupByLibrary.simpleMessage("Ondo"), - "onlyFamilyAdminCanChangeCode": m55, - "oops": MessageLookupByLibrary.simpleMessage("Ai!"), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Oops, zerbait txarto joan da"), - "orPickAnExistingOne": - MessageLookupByLibrary.simpleMessage("Edo aukeratu lehengo bat"), - "password": MessageLookupByLibrary.simpleMessage("Pasahitza"), - "passwordChangedSuccessfully": - MessageLookupByLibrary.simpleMessage("Pasahitza zuzenki aldatuta"), - "passwordLock": - MessageLookupByLibrary.simpleMessage("Pasahitza blokeoa"), - "passwordStrength": m57, - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Ezin dugu zure pasahitza gorde, beraz, ahazten baduzu, ezin dugu zure data deszifratu"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Jendea zure kodea erabiltzen"), - "photoGridSize": - MessageLookupByLibrary.simpleMessage("Argazki sarearen tamaina"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("argazkia"), - "pleaseTryAgain": - MessageLookupByLibrary.simpleMessage("Saiatu berriro, mesedez"), - "pleaseWait": - MessageLookupByLibrary.simpleMessage("Mesedez, itxaron..."), - "privacyPolicyTitle": - MessageLookupByLibrary.simpleMessage("Pribatutasun Politikak"), - "publicLinkEnabled": - MessageLookupByLibrary.simpleMessage("Esteka publikoa indarrean"), - "recover": MessageLookupByLibrary.simpleMessage("Berreskuratu"), - "recoverAccount": - MessageLookupByLibrary.simpleMessage("Berreskuratu kontua"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Berreskuratu"), - "recoveryKey": - MessageLookupByLibrary.simpleMessage("Berreskuratze giltza"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Berreskuratze giltza arbelean kopiatu da"), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Zure pasahitza ahazten baduzu, zure datuak berreskuratzeko modu bakarra gailu honen bidez izango da."), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Guk ez dugu gailu hau gordetzen; mesedez, gorde 24 hitzeko giltza hau lege seguru batean."), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Primeran! Zure berreskuratze giltza zuzena da. Eskerrik asko egiaztatzeagatik.\n\nMesedez, gogoratu zure berreskuratze giltza leku seguruan gordetzea."), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Berreskuratze giltza egiaztatuta"), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Pasahitza ahazten baduzu, zure berreskuratze giltza argazkiak berreskuratzeko modu bakarra da. Berreskuratze giltza hemen aurkitu ahal duzu Ezarpenak > Kontua.\n\nMesedez sartu hemen zure berreskuratze giltza ondo gorde duzula egiaztatzeko."), - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "Berreskurapen arrakastatsua!"), - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "Gailu hau ez da zure pasahitza egiaztatzeko bezain indartsua, baina gailu guztietan funtzionatzen duen modu batean birsortu ahal dugu. \n\nMesedez sartu zure berreskuratze giltza erabiliz eta birsortu zure pasahitza (aurreko berbera erabili ahal duzu nahi izanez gero)."), - "recreatePasswordTitle": - MessageLookupByLibrary.simpleMessage("Berrezarri pasahitza"), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Eman kode hau zure lagunei"), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Haiek ordainpeko plan batean sinatu behar dute"), - "referralStep3": m73, - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "Erreferentziak momentuz geldituta daude"), - "remove": MessageLookupByLibrary.simpleMessage("Kendu"), - "removeFromAlbum": - MessageLookupByLibrary.simpleMessage("Kendu albumetik"), - "removeFromAlbumTitle": - MessageLookupByLibrary.simpleMessage("Albumetik kendu?"), - "removeLink": MessageLookupByLibrary.simpleMessage("Ezabatu esteka"), - "removeParticipant": - MessageLookupByLibrary.simpleMessage("Kendu parte hartzailea"), - "removeParticipantBody": m74, - "removePublicLink": - MessageLookupByLibrary.simpleMessage("Ezabatu esteka publikoa"), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Kentzen ari zaren elementu batzuk beste pertsona batzuek gehitu zituzten, beraz ezin izango dituzu eskuratu"), - "removeWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Ezabatuko?"), - "removingFromFavorites": - MessageLookupByLibrary.simpleMessage("Gogokoetatik kentzen..."), - "resendEmail": - MessageLookupByLibrary.simpleMessage("Birbidali e-maila"), - "resetPasswordTitle": - MessageLookupByLibrary.simpleMessage("Berrezarri pasahitza"), - "saveKey": MessageLookupByLibrary.simpleMessage("Gorde giltza"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Gorde zure berreskuratze giltza ez baduzu oraindik egin"), - "scanCode": MessageLookupByLibrary.simpleMessage("Eskaneatu kodea"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Eskaneatu barra kode hau zure autentifikazio aplikazioaz"), - "selectReason": - MessageLookupByLibrary.simpleMessage("Aukeratu arrazoia"), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "sendEmail": MessageLookupByLibrary.simpleMessage("Bidali mezua"), - "sendInvite": - MessageLookupByLibrary.simpleMessage("Bidali gonbidapena"), - "sendLink": MessageLookupByLibrary.simpleMessage("Bidali esteka"), - "setAPassword": - MessageLookupByLibrary.simpleMessage("Ezarri pasahitza"), - "setPasswordTitle": - MessageLookupByLibrary.simpleMessage("Ezarri pasahitza"), - "setupComplete": - MessageLookupByLibrary.simpleMessage("Prestaketa burututa"), - "shareALink": MessageLookupByLibrary.simpleMessage("Partekatu esteka"), - "shareMyVerificationID": m83, - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Jaitsi Ente argazkiak eta bideoak jatorrizko kalitatean errez partekatu ahal izateko \n\nhttps://ente.io"), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Partekatu Ente erabiltzen ez dutenekin"), - "shareWithPeopleSectionTitle": m86, - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Sortu partekatutako eta parte hartzeko albumak beste Ente erabiltzaileekin, debaldeko planak dituztenak barne."), - "sharing": MessageLookupByLibrary.simpleMessage("Partekatzen..."), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Zerbitzu baldintzak eta pribatutasun politikak onartzen ditut"), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Album guztietatik ezabatuko da."), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Zurekin albumak partekatzen dituen norbaitek ID berbera ikusi beharko luke bere gailuan."), - "somethingWentWrong": - MessageLookupByLibrary.simpleMessage("Zerbait oker joan da"), - "somethingWentWrongPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Zerbait ez da ondo joan, mesedez, saiatu berriro"), - "sorry": MessageLookupByLibrary.simpleMessage("Barkatu"), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Sentitzen dut, ezin izan dugu zure gogokoetan gehitu!"), - "sorryCouldNotRemoveFromFavorites": - MessageLookupByLibrary.simpleMessage( - "Sentitzen dugu, ezin izan dugu zure gogokoetatik kendu!"), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Tamalez, ezin dugu giltza segururik sortu gailu honetan. \n\nMesedez, eman izena beste gailu batetik."), - "storageInGB": m93, - "strongStrength": MessageLookupByLibrary.simpleMessage("Gogorra"), - "subscribe": MessageLookupByLibrary.simpleMessage("Harpidetu"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Ordainpeko harpidetza behar duzu partekatzea aktibatzeko."), - "tapToCopy": MessageLookupByLibrary.simpleMessage("jo kopiatzeko"), - "tapToEnterCode": - MessageLookupByLibrary.simpleMessage("Klikatu kodea sartzeko"), - "terminate": MessageLookupByLibrary.simpleMessage("Bukatu"), - "terminateSession": - MessageLookupByLibrary.simpleMessage("Saioa bukatu?"), - "termsOfServicesTitle": - MessageLookupByLibrary.simpleMessage("Baldintzak"), - "theyAlsoGetXGb": m99, - "thisCanBeUsedToRecoverYourAccountIfYou": - MessageLookupByLibrary.simpleMessage( - "Hau zure kontua berreskuratzeko erabili ahal duzu, zure bigarren faktorea ahaztuz gero"), - "thisDevice": MessageLookupByLibrary.simpleMessage("Gailu hau"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": - MessageLookupByLibrary.simpleMessage("Hau da zure Egiaztatze IDa"), - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Hau egiteak hurrengo gailutik aterako zaitu:"), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Hau egiteak gailu honetatik aterako zaitu!"), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Zure pasahitza berrezartzeko, mesedez egiaztatu zure e-maila lehenengoz."), - "total": MessageLookupByLibrary.simpleMessage("osotara"), - "trash": MessageLookupByLibrary.simpleMessage("Zarama"), - "tryAgain": MessageLookupByLibrary.simpleMessage("Saiatu berriro"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "Faktore biko autentifikazioa deuseztatua izan da"), - "twofactorAuthenticationPageTitle": - MessageLookupByLibrary.simpleMessage( - "Faktore biko autentifikatzea"), - "twofactorSetup": - MessageLookupByLibrary.simpleMessage("Faktore biko ezarpena"), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Sentitzen dugu, kode hau ezin da erabili."), - "uncategorized": - MessageLookupByLibrary.simpleMessage("Kategori gabekoa"), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "Biltegiratze erabilgarria zure oraingo planaren arabera mugatuta dago. Soberan eskatutako biltegiratzea automatikoki erabili ahal izango duzu zure plan gaurkotzen duzunean."), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Erabili berreskuratze giltza"), - "verificationId": - MessageLookupByLibrary.simpleMessage("Egiaztatze IDa"), - "verify": MessageLookupByLibrary.simpleMessage("Egiaztatu"), - "verifyEmail": - MessageLookupByLibrary.simpleMessage("Egiaztatu e-maila"), - "verifyEmailID": m111, - "verifyPassword": - MessageLookupByLibrary.simpleMessage("Egiaztatu pasahitza"), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Berreskuratze giltza egiaztatuz..."), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("bideoa"), - "viewRecoveryKey": - MessageLookupByLibrary.simpleMessage("Ikusi berreskuratze kodea"), - "viewer": MessageLookupByLibrary.simpleMessage("Ikuslea"), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Ahula"), - "welcomeBack": - MessageLookupByLibrary.simpleMessage("Ongi etorri berriro!"), - "yesConvertToViewer": - MessageLookupByLibrary.simpleMessage("Bai, egin ikusle"), - "yesDelete": MessageLookupByLibrary.simpleMessage("Bai, ezabatu"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Bai, ezabatu"), - "you": MessageLookupByLibrary.simpleMessage("Zu"), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Gehienez zure biltegiratzea bikoiztu ahal duzu"), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Ezin duzu zeure buruarekin partekatu"), - "yourAccountHasBeenDeleted": - MessageLookupByLibrary.simpleMessage("Zure kontua ezabatua izan da") - }; + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( + "Ongi etorri berriro!", + ), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Nire datuak puntutik puntura zifratuta daudenez, pasahitza ahaztuz gero nire datuak gal ditzakedala ulertzen dut.", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage("Saio aktiboak"), + "addANewEmail": MessageLookupByLibrary.simpleMessage( + "Gehitu e-mail berria", + ), + "addCollaborator": MessageLookupByLibrary.simpleMessage( + "Gehitu laguntzailea", + ), + "addMore": MessageLookupByLibrary.simpleMessage("Gehitu gehiago"), + "addViewer": MessageLookupByLibrary.simpleMessage("Gehitu ikuslea"), + "addedAs": MessageLookupByLibrary.simpleMessage("Honela gehituta:"), + "addingToFavorites": MessageLookupByLibrary.simpleMessage( + "Gogokoetan gehitzen...", + ), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Aurreratuak"), + "after1Day": MessageLookupByLibrary.simpleMessage("Egun bat barru"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Ordubete barru"), + "after1Month": MessageLookupByLibrary.simpleMessage("Hilabete bat barru"), + "after1Week": MessageLookupByLibrary.simpleMessage("Astebete barru"), + "after1Year": MessageLookupByLibrary.simpleMessage("Urtebete barru"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Jabea"), + "albumParticipantsCount": m8, + "albumUpdated": MessageLookupByLibrary.simpleMessage("Albuma eguneratuta"), + "albums": MessageLookupByLibrary.simpleMessage("Albumak"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Utzi esteka duen jendeari ere album partekatuan argazkiak gehitzen.", + ), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( + "Baimendu argazkiak gehitzea", + ), + "allowDownloads": MessageLookupByLibrary.simpleMessage( + "Baimendu jaitsierak", + ), + "apply": MessageLookupByLibrary.simpleMessage("Aplikatu"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Aplikatu kodea"), + "archive": MessageLookupByLibrary.simpleMessage("Artxiboa"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Zein da zure kontua ezabatzeko arrazoi nagusia?", + ), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Mesedez, autentifikatu emailaren egiaztatzea aldatzeko", + ), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Mesedez, autentifikatu pantaila blokeatzeko ezarpenak aldatzeko", + ), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Mesedez, autentifikatu zure emaila aldatzeko", + ), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Mesedez, autentifikatu zure pasahitza aldatzeko", + ), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Mesedez, autentifikatu faktore biko autentifikazioa konfiguratzeko", + ), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Mesedez, autentifikatu kontu ezabaketa hasteko", + ), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Mesedez, autentifikatu paperontzira botatako zure fitxategiak ikusteko", + ), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Mesedez, autentifikatu indarrean dauden zure saioak ikusteko", + ), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Mesedez, autentifikatu zure ezkutatutako fitxategiak ikusteko", + ), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Mesedez, autentifikatu zure berreskuratze giltza ikusteko", + ), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Sentitzen dugu, album hau ezin da aplikazioan ireki.", + ), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( + "Ezin dut album hau ireki", + ), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Zure fitxategiak baino ezin duzu ezabatu", + ), + "cancel": MessageLookupByLibrary.simpleMessage("Utzi"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "change": MessageLookupByLibrary.simpleMessage("Aldatu"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Aldatu e-maila"), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Aldatu pasahitza", + ), + "changePermissions": MessageLookupByLibrary.simpleMessage( + "Baimenak aldatu nahi?", + ), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Aldatu zure erreferentzia kodea", + ), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Mesedez, aztertu zure inbox (eta spam) karpetak egiaztatzea osotzeko", + ), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage( + "Eskatu debaldeko biltegiratzea", + ), + "claimMore": MessageLookupByLibrary.simpleMessage("Eskatu gehiago!"), + "claimed": MessageLookupByLibrary.simpleMessage("Eskatuta"), + "claimedStorageSoFar": m14, + "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( + "Kodea aplikatuta", + ), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Sentitzen dugu, zure kode aldaketa muga gainditu duzu.", + ), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Kodea arbelean kopiatuta", + ), + "codeUsedByYou": MessageLookupByLibrary.simpleMessage( + "Zuk erabilitako kodea", + ), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Sortu esteka bat beste pertsona batzuei zure album partekatuan arriskuak gehitu eta ikusten uzteko, naiz eta Ente aplikazio edo kontua ez izan. Oso egokia gertakizun bateko argazkiak biltzeko.", + ), + "collaborativeLink": MessageLookupByLibrary.simpleMessage( + "Parte hartzeko esteka", + ), + "collaborator": MessageLookupByLibrary.simpleMessage("Laguntzailea"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Laguntzaileek argazkiak eta bideoak gehitu ahal dituzte album partekatuan.", + ), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Bildu argazkiak"), + "confirm": MessageLookupByLibrary.simpleMessage("Baieztatu"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Seguru zaude faktore biko autentifikazioa deuseztatu nahi duzula?", + ), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Baieztatu Kontu Ezabaketa", + ), + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Bai, betiko ezabatu nahi dut kontu hau eta berarekiko data aplikazio guztietan zehar.", + ), + "confirmPassword": MessageLookupByLibrary.simpleMessage( + "Egiaztatu pasahitza", + ), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Egiaztatu berreskuratze kodea", + ), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Egiaztatu zure berreskuratze giltza", + ), + "contactSupport": MessageLookupByLibrary.simpleMessage( + "Kontaktatu laguntza", + ), + "continueLabel": MessageLookupByLibrary.simpleMessage("Jarraitu"), + "copyLink": MessageLookupByLibrary.simpleMessage("Kopiatu esteka"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Kopiatu eta itsatsi kode hau zure autentifikazio aplikaziora", + ), + "createAccount": MessageLookupByLibrary.simpleMessage("Sortu kontua"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Luze klikatu argazkiak hautatzeko eta klikatu + albuma sortzeko", + ), + "createNewAccount": MessageLookupByLibrary.simpleMessage( + "Sortu kontu berria", + ), + "createPublicLink": MessageLookupByLibrary.simpleMessage( + "Sortu esteka publikoa", + ), + "creatingLink": MessageLookupByLibrary.simpleMessage("Esteka sortzen..."), + "custom": MessageLookupByLibrary.simpleMessage("Aukeran"), + "decrypting": MessageLookupByLibrary.simpleMessage("Deszifratzen..."), + "deleteAccount": MessageLookupByLibrary.simpleMessage( + "Ezabatu zure kontua", + ), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Sentitzen dugu zu joateaz. Mesedez, utziguzu zure feedbacka hobetzen laguntzeko.", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Ezabatu Kontua Betiko", + ), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Ezabatu albuma"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Ezabatu nahi dituzu album honetan dauden argazkiak (eta bideoak) parte diren beste album guztietatik ere?", + ), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Mesedez, bidali e-mail bat account-deletion@ente.io helbidea zure erregistatutako helbidetik.", + ), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage("Ezabatu bietatik"), + "deleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Ezabatu gailutik", + ), + "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Ezabatu Ente-tik"), + "deletePhotos": MessageLookupByLibrary.simpleMessage("Ezabatu argazkiak"), + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Behar dudan ezaugarre nagusiren bat falta zaio", + ), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "Aplikazioak edo ezaugarriren batek ez du funtzionatzen nik espero nuenez", + ), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Gustukoago dudan beste zerbitzu bat aurkitu dut", + ), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "Nire arrazoia ez dago zerrendan", + ), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Zure eskaera 72 ordutan prozesatua izango da.", + ), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Partekatutako albuma ezabatu?", + ), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "Albuma guztiontzat ezabatuko da \n\nAlbum honetan dauden beste pertsonek partekatutako argazkiak ezin izango dituzu eskuratu", + ), + "details": MessageLookupByLibrary.simpleMessage("Detaileak"), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Ikusleek pantaila-irudiak atera ahal dituzte, edo kanpoko tresnen bidez zure argazkien kopiak gorde", + ), + "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( + "Mesedez, ohartu", + ), + "disableLinkMessage": m24, + "discover": MessageLookupByLibrary.simpleMessage("Aurkitu"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Umeak"), + "discover_celebrations": MessageLookupByLibrary.simpleMessage( + "Ospakizunak", + ), + "discover_food": MessageLookupByLibrary.simpleMessage("Janaria"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Hostoa"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Muinoak"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Nortasuna"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Memeak"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Oharrak"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Etxe-animaliak"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Ordainagiriak"), + "discover_screenshots": MessageLookupByLibrary.simpleMessage( + "Pantaila argazkiak", + ), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfiak"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Eguzki-sartzea"), + "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( + "Bisita txartelak", + ), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage( + "Horma-paperak", + ), + "doThisLater": MessageLookupByLibrary.simpleMessage("Egin hau geroago"), + "done": MessageLookupByLibrary.simpleMessage("Eginda"), + "dropSupportEmail": m25, + "eligible": MessageLookupByLibrary.simpleMessage("aukerakoak"), + "email": MessageLookupByLibrary.simpleMessage("E-maila"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "Helbide hau badago erregistratuta lehendik.", + ), + "emailNoEnteAccount": m31, + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "Helbide hau ez dago erregistratuta.", + ), + "encryption": MessageLookupByLibrary.simpleMessage("Zifratzea"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage("Zifratze giltzak"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente-k zure baimena behar du zure argazkiak gordetzeko", + ), + "enterCode": MessageLookupByLibrary.simpleMessage("Sartu kodea"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Sartu zure lagunak emandako kodea, biontzat debaldeko biltegiratzea lortzeko", + ), + "enterEmail": MessageLookupByLibrary.simpleMessage("Sartu e-maila"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Sartu pasahitz berri bat, zure data zifratu ahal izateko", + ), + "enterPassword": MessageLookupByLibrary.simpleMessage("Sartu pasahitza"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Sartu pasahitz bat, zure data deszifratu ahal izateko", + ), + "enterReferralCode": MessageLookupByLibrary.simpleMessage( + "Sartu erreferentzia kodea", + ), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Sartu 6 digituko kodea zure autentifikazio aplikaziotik", + ), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Mesedez, sartu zuzena den helbidea.", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Sartu zure helbide elektronikoa", + ), + "enterYourPassword": MessageLookupByLibrary.simpleMessage( + "Sartu zure pasahitza", + ), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Sartu zure berreskuratze giltza", + ), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Esteka hau iraungi da. Mesedez, aukeratu beste epemuga bat edo deuseztatu estekaren epemuga.", + ), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage( + "Akatsa kodea aplikatzean", + ), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Ezin dugu zure erreferentziaren detailerik lortu. Mesedez, saiatu berriro geroago.", + ), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "Errorea albumak kargatzen", + ), + "faq": MessageLookupByLibrary.simpleMessage("FAQ"), + "feedback": MessageLookupByLibrary.simpleMessage("Feedbacka"), + "forgotPassword": MessageLookupByLibrary.simpleMessage("Ahaztu pasahitza"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( + "Debaldeko biltegiratzea eskatuta", + ), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Debaldeko biltegiratzea erabilgarri", + ), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Zifratze giltzak sortzen...", + ), + "help": MessageLookupByLibrary.simpleMessage("Laguntza"), + "hidden": MessageLookupByLibrary.simpleMessage("Ezkutatuta"), + "howItWorks": MessageLookupByLibrary.simpleMessage( + "Nola funtzionatzen duen", + ), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Mesedez, eska iezaiozu ezarpenen landutako bere e-mail helbidean luze klikatzeko, eta egiaztatu gailu bietako IDak bat direla.", + ), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "Autentifikazio biometrikoa deuseztatuta dago. Mesedez, blokeatu eta desblokeatu zure pantaila indarrean jartzeko.", + ), + "importing": MessageLookupByLibrary.simpleMessage("Inportatzen...."), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Pasahitz okerra", + ), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Sartu duzun berreskuratze giltza ez da zuzena", + ), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Berreskuratze giltza ez da zuzena", + ), + "insecureDevice": MessageLookupByLibrary.simpleMessage( + "Gailua ez da segurua", + ), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "Helbide hau ez da zuzena", + ), + "invalidKey": MessageLookupByLibrary.simpleMessage("Kode okerra"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Sartu duzun berreskuratze kodea ez da zuzena. Mesedez, ziurtatu 24 hitz duela, eta egiaztatu hitz bakoitzaren idazkera. \n\nBerreskuratze kode zaharren bat sartu baduzu, ziurtatu 64 karaktere duela, eta egiaztatu horietako bakoitza.", + ), + "inviteToEnte": MessageLookupByLibrary.simpleMessage("Gonbidatu Ente-ra"), + "inviteYourFriends": MessageLookupByLibrary.simpleMessage( + "Gonbidatu zure lagunak", + ), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Hautatutako elementuak album honetatik kenduko dira", + ), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Gorde Argazkiak"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Mesedez, lagun gaitzazu informazio honekin", + ), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Gailu muga"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Indarrean"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Iraungita"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Estekaren epemuga"), + "linkHasExpired": MessageLookupByLibrary.simpleMessage("Esteka iraungi da"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Inoiz ez"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Blokeatu"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Sartu"), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Sartzeko klikatuz, zerbitzu baldintzak eta pribatutasun politikak onartzen ditut", + ), + "lostDevice": MessageLookupByLibrary.simpleMessage("Gailua galdu duzu?"), + "machineLearning": MessageLookupByLibrary.simpleMessage( + "Ikasketa automatikoa", + ), + "magicSearch": MessageLookupByLibrary.simpleMessage("Bilaketa magikoa"), + "manage": MessageLookupByLibrary.simpleMessage("Kudeatu"), + "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( + "Kudeatu gailuaren katxea", + ), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Berrikusi eta garbitu katxe lokalaren biltegiratzea.", + ), + "manageLink": MessageLookupByLibrary.simpleMessage("Kudeatu esteka"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Kudeatu"), + "memoryCount": m50, + "mlConsent": MessageLookupByLibrary.simpleMessage( + "Aktibatu ikasketa automatikoa", + ), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Ulertzen dut, eta ikasketa automatikoa aktibatu nahi dut", + ), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Ikasketa automatikoa aktibatuz gero, Ente-k fitxategietatik informazioa aterako du (ad. argazkien geometria), zurekin partekatutako argazkietatik ere.\n\nHau zure gailuan gertatuko da, eta sortutako informazio biometrikoa puntutik puntura zifratuta egongo da.", + ), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Mesedez, klikatu hemen gure pribatutasun politikan ezaugarri honi buruz detaile gehiago izateko", + ), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "Ikasketa automatikoa aktibatuko?", + ), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Ertaina"), + "movedToTrash": MessageLookupByLibrary.simpleMessage("Zarama mugituta"), + "never": MessageLookupByLibrary.simpleMessage("Inoiz ez"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Album berria"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Bat ere ez"), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Berreskuratze giltzarik ez?", + ), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Gure puntutik-puntura zifratze protokoloa dela eta, zure data ezin da deszifratu zure pasahitza edo berreskuratze giltzarik gabe", + ), + "ok": MessageLookupByLibrary.simpleMessage("Ondo"), + "onlyFamilyAdminCanChangeCode": m55, + "oops": MessageLookupByLibrary.simpleMessage("Ai!"), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Oops, zerbait txarto joan da", + ), + "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( + "Edo aukeratu lehengo bat", + ), + "password": MessageLookupByLibrary.simpleMessage("Pasahitza"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Pasahitza zuzenki aldatuta", + ), + "passwordLock": MessageLookupByLibrary.simpleMessage("Pasahitza blokeoa"), + "passwordStrength": m57, + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Ezin dugu zure pasahitza gorde, beraz, ahazten baduzu, ezin dugu zure data deszifratu", + ), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Jendea zure kodea erabiltzen", + ), + "photoGridSize": MessageLookupByLibrary.simpleMessage( + "Argazki sarearen tamaina", + ), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("argazkia"), + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Saiatu berriro, mesedez", + ), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Mesedez, itxaron..."), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "Pribatutasun Politikak", + ), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( + "Esteka publikoa indarrean", + ), + "recover": MessageLookupByLibrary.simpleMessage("Berreskuratu"), + "recoverAccount": MessageLookupByLibrary.simpleMessage( + "Berreskuratu kontua", + ), + "recoverButton": MessageLookupByLibrary.simpleMessage("Berreskuratu"), + "recoveryKey": MessageLookupByLibrary.simpleMessage("Berreskuratze giltza"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Berreskuratze giltza arbelean kopiatu da", + ), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Zure pasahitza ahazten baduzu, zure datuak berreskuratzeko modu bakarra gailu honen bidez izango da.", + ), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Guk ez dugu gailu hau gordetzen; mesedez, gorde 24 hitzeko giltza hau lege seguru batean.", + ), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Primeran! Zure berreskuratze giltza zuzena da. Eskerrik asko egiaztatzeagatik.\n\nMesedez, gogoratu zure berreskuratze giltza leku seguruan gordetzea.", + ), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Berreskuratze giltza egiaztatuta", + ), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Pasahitza ahazten baduzu, zure berreskuratze giltza argazkiak berreskuratzeko modu bakarra da. Berreskuratze giltza hemen aurkitu ahal duzu Ezarpenak > Kontua.\n\nMesedez sartu hemen zure berreskuratze giltza ondo gorde duzula egiaztatzeko.", + ), + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "Berreskurapen arrakastatsua!", + ), + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Gailu hau ez da zure pasahitza egiaztatzeko bezain indartsua, baina gailu guztietan funtzionatzen duen modu batean birsortu ahal dugu. \n\nMesedez sartu zure berreskuratze giltza erabiliz eta birsortu zure pasahitza (aurreko berbera erabili ahal duzu nahi izanez gero).", + ), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Berrezarri pasahitza", + ), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Eman kode hau zure lagunei", + ), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Haiek ordainpeko plan batean sinatu behar dute", + ), + "referralStep3": m73, + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "Erreferentziak momentuz geldituta daude", + ), + "remove": MessageLookupByLibrary.simpleMessage("Kendu"), + "removeFromAlbum": MessageLookupByLibrary.simpleMessage("Kendu albumetik"), + "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( + "Albumetik kendu?", + ), + "removeLink": MessageLookupByLibrary.simpleMessage("Ezabatu esteka"), + "removeParticipant": MessageLookupByLibrary.simpleMessage( + "Kendu parte hartzailea", + ), + "removeParticipantBody": m74, + "removePublicLink": MessageLookupByLibrary.simpleMessage( + "Ezabatu esteka publikoa", + ), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Kentzen ari zaren elementu batzuk beste pertsona batzuek gehitu zituzten, beraz ezin izango dituzu eskuratu", + ), + "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage( + "Ezabatuko?", + ), + "removingFromFavorites": MessageLookupByLibrary.simpleMessage( + "Gogokoetatik kentzen...", + ), + "resendEmail": MessageLookupByLibrary.simpleMessage("Birbidali e-maila"), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Berrezarri pasahitza", + ), + "saveKey": MessageLookupByLibrary.simpleMessage("Gorde giltza"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Gorde zure berreskuratze giltza ez baduzu oraindik egin", + ), + "scanCode": MessageLookupByLibrary.simpleMessage("Eskaneatu kodea"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Eskaneatu barra kode hau zure autentifikazio aplikazioaz", + ), + "selectReason": MessageLookupByLibrary.simpleMessage("Aukeratu arrazoia"), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "sendEmail": MessageLookupByLibrary.simpleMessage("Bidali mezua"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Bidali gonbidapena"), + "sendLink": MessageLookupByLibrary.simpleMessage("Bidali esteka"), + "setAPassword": MessageLookupByLibrary.simpleMessage("Ezarri pasahitza"), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Ezarri pasahitza", + ), + "setupComplete": MessageLookupByLibrary.simpleMessage( + "Prestaketa burututa", + ), + "shareALink": MessageLookupByLibrary.simpleMessage("Partekatu esteka"), + "shareMyVerificationID": m83, + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Jaitsi Ente argazkiak eta bideoak jatorrizko kalitatean errez partekatu ahal izateko \n\nhttps://ente.io", + ), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Partekatu Ente erabiltzen ez dutenekin", + ), + "shareWithPeopleSectionTitle": m86, + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Sortu partekatutako eta parte hartzeko albumak beste Ente erabiltzaileekin, debaldeko planak dituztenak barne.", + ), + "sharing": MessageLookupByLibrary.simpleMessage("Partekatzen..."), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Zerbitzu baldintzak eta pribatutasun politikak onartzen ditut", + ), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Album guztietatik ezabatuko da.", + ), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Zurekin albumak partekatzen dituen norbaitek ID berbera ikusi beharko luke bere gailuan.", + ), + "somethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Zerbait oker joan da", + ), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Zerbait ez da ondo joan, mesedez, saiatu berriro", + ), + "sorry": MessageLookupByLibrary.simpleMessage("Barkatu"), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Sentitzen dut, ezin izan dugu zure gogokoetan gehitu!", + ), + "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( + "Sentitzen dugu, ezin izan dugu zure gogokoetatik kendu!", + ), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Tamalez, ezin dugu giltza segururik sortu gailu honetan. \n\nMesedez, eman izena beste gailu batetik.", + ), + "storageInGB": m93, + "strongStrength": MessageLookupByLibrary.simpleMessage("Gogorra"), + "subscribe": MessageLookupByLibrary.simpleMessage("Harpidetu"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Ordainpeko harpidetza behar duzu partekatzea aktibatzeko.", + ), + "tapToCopy": MessageLookupByLibrary.simpleMessage("jo kopiatzeko"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage( + "Klikatu kodea sartzeko", + ), + "terminate": MessageLookupByLibrary.simpleMessage("Bukatu"), + "terminateSession": MessageLookupByLibrary.simpleMessage("Saioa bukatu?"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Baldintzak"), + "theyAlsoGetXGb": m99, + "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( + "Hau zure kontua berreskuratzeko erabili ahal duzu, zure bigarren faktorea ahaztuz gero", + ), + "thisDevice": MessageLookupByLibrary.simpleMessage("Gailu hau"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Hau da zure Egiaztatze IDa", + ), + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Hau egiteak hurrengo gailutik aterako zaitu:", + ), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Hau egiteak gailu honetatik aterako zaitu!", + ), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Zure pasahitza berrezartzeko, mesedez egiaztatu zure e-maila lehenengoz.", + ), + "total": MessageLookupByLibrary.simpleMessage("osotara"), + "trash": MessageLookupByLibrary.simpleMessage("Zarama"), + "tryAgain": MessageLookupByLibrary.simpleMessage("Saiatu berriro"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "Faktore biko autentifikazioa deuseztatua izan da", + ), + "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( + "Faktore biko autentifikatzea", + ), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Faktore biko ezarpena", + ), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Sentitzen dugu, kode hau ezin da erabili.", + ), + "uncategorized": MessageLookupByLibrary.simpleMessage("Kategori gabekoa"), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "Biltegiratze erabilgarria zure oraingo planaren arabera mugatuta dago. Soberan eskatutako biltegiratzea automatikoki erabili ahal izango duzu zure plan gaurkotzen duzunean.", + ), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Erabili berreskuratze giltza", + ), + "verificationId": MessageLookupByLibrary.simpleMessage("Egiaztatze IDa"), + "verify": MessageLookupByLibrary.simpleMessage("Egiaztatu"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("Egiaztatu e-maila"), + "verifyEmailID": m111, + "verifyPassword": MessageLookupByLibrary.simpleMessage( + "Egiaztatu pasahitza", + ), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Berreskuratze giltza egiaztatuz...", + ), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("bideoa"), + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Ikusi berreskuratze kodea", + ), + "viewer": MessageLookupByLibrary.simpleMessage("Ikuslea"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Ahula"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("Ongi etorri berriro!"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "Bai, egin ikusle", + ), + "yesDelete": MessageLookupByLibrary.simpleMessage("Bai, ezabatu"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Bai, ezabatu"), + "you": MessageLookupByLibrary.simpleMessage("Zu"), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Gehienez zure biltegiratzea bikoiztu ahal duzu", + ), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Ezin duzu zeure buruarekin partekatu", + ), + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "Zure kontua ezabatua izan da", + ), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_fa.dart b/mobile/apps/photos/lib/generated/intl/messages_fa.dart index b2c0bfef1f..322d8862a3 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_fa.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_fa.dart @@ -34,7 +34,11 @@ class MessageLookup extends MessageLookupByLibrary { static String m68(storeName) => "به ما در ${storeName} امتیاز دهید"; static String m94( - usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => + usedAmount, + usedStorageUnit, + totalAmount, + totalStorageUnit, + ) => "${usedAmount} ${usedStorageUnit} از ${totalAmount} ${totalStorageUnit} استفاده شده"; static String m111(email) => "تایید ${email}"; @@ -44,396 +48,471 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "نسخه جدید Ente در دسترس است."), - "about": MessageLookupByLibrary.simpleMessage("درباره ما"), - "account": MessageLookupByLibrary.simpleMessage("حساب کاربری"), - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("خوش آمدید!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "من درک می‌کنم که اگر رمز عبور خود را گم کنم، ممکن است اطلاعات خود را از دست بدهم، زیرا اطلاعات من رمزگذاری سرتاسر شده است."), - "activeSessions": - MessageLookupByLibrary.simpleMessage("دستگاه‌های فعال"), - "addANewEmail": - MessageLookupByLibrary.simpleMessage("افزودن ایمیل جدید"), - "addCollaborator": MessageLookupByLibrary.simpleMessage("افزودن همکار"), - "addMore": MessageLookupByLibrary.simpleMessage("افزودن بیشتر"), - "addViewer": MessageLookupByLibrary.simpleMessage("افزودن بیننده"), - "addedAs": MessageLookupByLibrary.simpleMessage("اضافه شده به عنوان"), - "advanced": MessageLookupByLibrary.simpleMessage("پیشرفته"), - "albumUpdated": MessageLookupByLibrary.simpleMessage("آلبوم به‌روز شد"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "به افراد که این پیوند را دارند، اجازه دهید عکس‌ها را به آلبوم اشتراک گذاری شده اضافه کنند."), - "allowAddingPhotos": - MessageLookupByLibrary.simpleMessage("اجازه اضافه کردن عکس"), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "به افراد اجازه دهید عکس اضافه کنند"), - "androidBiometricHint": - MessageLookupByLibrary.simpleMessage("تایید هویت"), - "androidBiometricSuccess": - MessageLookupByLibrary.simpleMessage("موفقیت"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("لغو"), - "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( - "اندروید، آی‌اواس، وب، رایانه رومیزی"), - "appVersion": m9, - "archive": MessageLookupByLibrary.simpleMessage("بایگانی"), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "آیا برای خارج شدن مطمئن هستید؟"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "دلیل اصلی که حساب کاربری‌تان را حذف می‌کنید، چیست؟"), - "atAFalloutShelter": - MessageLookupByLibrary.simpleMessage("در یک پناهگاه ذخیره می‌شود"), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "لطفاً برای مشاهده دستگاه‌های فعال خود احراز هویت کنید"), - "available": MessageLookupByLibrary.simpleMessage("در دسترس"), - "availableStorageSpace": m10, - "backedUpFolders": - MessageLookupByLibrary.simpleMessage("پوشه‌های پشتیبان گیری شده"), - "backup": MessageLookupByLibrary.simpleMessage("پشتیبان گیری"), - "blog": MessageLookupByLibrary.simpleMessage("وبلاگ"), - "cancel": MessageLookupByLibrary.simpleMessage("لغو"), - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "پرونده‌های به اشتراک گذاشته شده را نمی‌توان حذف کرد"), - "changeEmail": MessageLookupByLibrary.simpleMessage("تغییر ایمیل"), - "changePasswordTitle": - MessageLookupByLibrary.simpleMessage("تغییر رمز عبور"), - "checkForUpdates": - MessageLookupByLibrary.simpleMessage("بررسی برای به‌روزرسانی"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "لطفا صندوق ورودی (و هرزنامه) خود را برای تایید کامل بررسی کنید"), - "checkStatus": MessageLookupByLibrary.simpleMessage("بررسی وضعیت"), - "checking": MessageLookupByLibrary.simpleMessage("در حال بررسی..."), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "پیوندی ایجاد کنید تا به افراد اجازه دهید بدون نیاز به برنامه یا حساب کاربری Ente عکس‌ها را در آلبوم اشتراک گذاشته شده شما اضافه و مشاهده کنند. برای جمع‌آوری عکس‌های رویداد عالی است."), - "collaborator": MessageLookupByLibrary.simpleMessage("همکار"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "همکاران می‌توانند عکس‌ها و ویدیوها را به آلبوم اشتراک گذاری شده اضافه کنند."), - "color": MessageLookupByLibrary.simpleMessage("رنگ"), - "confirm": MessageLookupByLibrary.simpleMessage("تایید"), - "confirmAccountDeletion": - MessageLookupByLibrary.simpleMessage("تایید حذف حساب کاربری"), - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "بله، می خواهم این حساب و داده های آن را در همه برنامه ها برای همیشه حذف کنم."), - "confirmPassword": - MessageLookupByLibrary.simpleMessage("تایید رمز عبور"), - "confirmRecoveryKey": - MessageLookupByLibrary.simpleMessage("تایید کلید بازیابی"), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "کلید بازیابی خود را تایید کنید"), - "contactSupport": - MessageLookupByLibrary.simpleMessage("ارتباط با پشتیبانی"), - "continueLabel": MessageLookupByLibrary.simpleMessage("ادامه"), - "convertToAlbum": - MessageLookupByLibrary.simpleMessage("تبدیل به آلبوم"), - "createAccount": - MessageLookupByLibrary.simpleMessage("ایجاد حساب کاربری"), - "createNewAccount": - MessageLookupByLibrary.simpleMessage("ایجاد حساب کاربری جدید"), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "به‌روزرسانی حیاتی در دسترس است"), - "custom": MessageLookupByLibrary.simpleMessage("سفارشی"), - "darkTheme": MessageLookupByLibrary.simpleMessage("تیره"), - "dayToday": MessageLookupByLibrary.simpleMessage("امروز"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("دیروز"), - "decrypting": - MessageLookupByLibrary.simpleMessage("در حال رمزگشایی..."), - "deleteAccount": - MessageLookupByLibrary.simpleMessage("حذف حساب کاربری"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "ما متاسفیم که می‌بینیم شما می‌روید. لطفا نظرات خود را برای کمک به بهبود ما به اشتراک بگذارید."), - "deleteAccountPermanentlyButton": - MessageLookupByLibrary.simpleMessage("حذف دائمی حساب کاربری"), - "deleteAll": MessageLookupByLibrary.simpleMessage("حذف همه"), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "لطفا یک ایمیل به account-deletion@ente.io از آدرس ایمیل ثبت شده خود ارسال کنید."), - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "یک ویژگی کلیدی که به آن نیاز دارم، وجود ندارد"), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "برنامه یا یک ویژگی خاص آنطور که من فکر می‌کنم، عمل نمی‌کند"), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "سرویس دیگری پیدا کردم که بهتر می‌پسندم"), - "deleteReason4": - MessageLookupByLibrary.simpleMessage("دلیل من ذکر نشده است"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "درخواست شما ظرف مدت ۷۲ ساعت پردازش خواهد شد."), - "designedToOutlive": MessageLookupByLibrary.simpleMessage( - "طراحی شده تا بیشتر زنده بماند"), - "details": MessageLookupByLibrary.simpleMessage("جزئیات"), - "developerSettings": - MessageLookupByLibrary.simpleMessage("تنظیمات توسعه‌دهنده"), - "didYouKnow": MessageLookupByLibrary.simpleMessage("آیا می‌دانستید؟"), - "discord": MessageLookupByLibrary.simpleMessage("دیسکورد"), - "doThisLater": MessageLookupByLibrary.simpleMessage("بعداً انجام شود"), - "downloading": MessageLookupByLibrary.simpleMessage("در حال دانلود..."), - "dropSupportEmail": m25, - "editLocationTagTitle": - MessageLookupByLibrary.simpleMessage("ویرایش مکان"), - "email": MessageLookupByLibrary.simpleMessage("ایمیل"), - "encryption": MessageLookupByLibrary.simpleMessage("رمزگذاری"), - "encryptionKeys": - MessageLookupByLibrary.simpleMessage("کلیدهای رمزنگاری"), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "به صورت پیش‌فرض رمزگذاری سرتاسر"), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente فقط در صورتی می‌تواند پرونده‌ها را رمزگذاری و نگه‌داری کند که به آن‌ها دسترسی داشته باشید"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente برای نگه‌داری عکس‌های شما به دسترسی نیاز دارد"), - "enterEmail": - MessageLookupByLibrary.simpleMessage("ایمیل را وارد کنید"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "رمز عبور جدیدی را وارد کنید که بتوانیم از آن برای رمزگذاری اطلاعات شما استفاده کنیم"), - "enterPassword": - MessageLookupByLibrary.simpleMessage("رمز عبور را وارد کنید"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "رمز عبوری را وارد کنید که بتوانیم از آن برای رمزگذاری اطلاعات شما استفاده کنیم"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "لطفا یک ایمیل معتبر وارد کنید."), - "enterYourEmailAddress": - MessageLookupByLibrary.simpleMessage("آدرس ایمیل خود را وارد کنید"), - "enterYourPassword": - MessageLookupByLibrary.simpleMessage("رمز عبور خود را وارد کنید"), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "کلید بازیابی خود را وارد کنید"), - "error": MessageLookupByLibrary.simpleMessage("خطا"), - "everywhere": MessageLookupByLibrary.simpleMessage("همه جا"), - "existingUser": MessageLookupByLibrary.simpleMessage("کاربر موجود"), - "familyPlanPortalTitle": - MessageLookupByLibrary.simpleMessage("خانوادگی"), - "familyPlans": - MessageLookupByLibrary.simpleMessage("برنامه‌های خانوادگی"), - "faq": MessageLookupByLibrary.simpleMessage("سوالات متداول"), - "feedback": MessageLookupByLibrary.simpleMessage("بازخورد"), - "fileInfoAddDescHint": - MessageLookupByLibrary.simpleMessage("افزودن توضیحات..."), - "fileTypes": MessageLookupByLibrary.simpleMessage("انواع پرونده"), - "forYourMemories": - MessageLookupByLibrary.simpleMessage("برای خاطرات شما"), - "forgotPassword": - MessageLookupByLibrary.simpleMessage("رمز عبور را فراموش کرده‌اید"), - "general": MessageLookupByLibrary.simpleMessage("عمومی"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "در حال تولید کلیدهای رمزگذاری..."), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "لطفا اجازه دسترسی به تمام عکس‌ها را در تنظیمات برنامه بدهید"), - "grantPermission": MessageLookupByLibrary.simpleMessage("دسترسی دادن"), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "ما نصب برنامه را ردیابی نمی‌کنیم. اگر بگویید کجا ما را پیدا کردید، به ما کمک می‌کند!"), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "از کجا در مورد Ente شنیدی؟ (اختیاری)"), - "howItWorks": MessageLookupByLibrary.simpleMessage("چگونه کار می‌کند"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("نادیده گرفتن"), - "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("رمز عبور درست نیست"), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "کلید بازیابی که وارد کردید درست نیست"), - "incorrectRecoveryKeyTitle": - MessageLookupByLibrary.simpleMessage("کلید بازیابی درست نیست"), - "insecureDevice": MessageLookupByLibrary.simpleMessage("دستگاه ناامن"), - "installManually": MessageLookupByLibrary.simpleMessage("نصب دستی"), - "invalidEmailAddress": - MessageLookupByLibrary.simpleMessage("آدرس ایمیل معتبر نیست"), - "invalidKey": MessageLookupByLibrary.simpleMessage("کلید نامعتبر"), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "به نظر می‌رسد مشکلی وجود دارد. لطفا بعد از مدتی دوباره تلاش کنید. اگر همچنان با خطا مواجه می‌شوید، لطفا با تیم پشتیبانی ما ارتباط برقرار کنید."), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "لطفا با این اطلاعات به ما کمک کنید"), - "lightTheme": MessageLookupByLibrary.simpleMessage("روشن"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("قفل"), - "logInLabel": MessageLookupByLibrary.simpleMessage("ورود"), - "loggingOut": MessageLookupByLibrary.simpleMessage("در حال خروج..."), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "با کلیک بر روی ورود به سیستم، من با شرایط خدمات و سیاست حفظ حریم خصوصی موافقم"), - "logout": MessageLookupByLibrary.simpleMessage("خروج"), - "manage": MessageLookupByLibrary.simpleMessage("مدیریت"), - "manageFamily": MessageLookupByLibrary.simpleMessage("مدیریت خانواده"), - "manageLink": MessageLookupByLibrary.simpleMessage("مدیریت پیوند"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("مدیریت"), - "manageSubscription": - MessageLookupByLibrary.simpleMessage("مدیریت اشتراک"), - "mastodon": MessageLookupByLibrary.simpleMessage("ماستودون"), - "matrix": MessageLookupByLibrary.simpleMessage("ماتریس"), - "merchandise": MessageLookupByLibrary.simpleMessage("کالا"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("متوسط"), - "never": MessageLookupByLibrary.simpleMessage("هرگز"), - "newToEnte": MessageLookupByLibrary.simpleMessage("کاربر جدید Ente"), - "no": MessageLookupByLibrary.simpleMessage("خیر"), - "noRecoveryKey": - MessageLookupByLibrary.simpleMessage("کلید بازیابی ندارید؟"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "با توجه به ماهیت پروتکل رمزگذاری سرتاسر ما، اطلاعات شما بدون رمز عبور یا کلید بازیابی شما قابل رمزگشایی نیست"), - "notifications": MessageLookupByLibrary.simpleMessage("آگاه‌سازی‌ها"), - "ok": MessageLookupByLibrary.simpleMessage("تایید"), - "oops": MessageLookupByLibrary.simpleMessage("اوه"), - "password": MessageLookupByLibrary.simpleMessage("رمز عبور"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "رمز عبور با موفقیت تغییر کرد"), - "passwordStrength": m57, - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "ما این رمز عبور را ذخیره نمی‌کنیم، بنابراین اگر فراموش کنید، نمی‌توانیم اطلاعات شما را رمزگشایی کنیم"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("عکس"), - "pleaseGrantPermissions": - MessageLookupByLibrary.simpleMessage("لطفا دسترسی بدهید"), - "pleaseLoginAgain": - MessageLookupByLibrary.simpleMessage("لطفا دوباره وارد شوید"), - "pleaseTryAgain": - MessageLookupByLibrary.simpleMessage("لطفا دوباره تلاش کنید"), - "pleaseWait": MessageLookupByLibrary.simpleMessage("لطفا صبر کنید..."), - "preparingLogs": - MessageLookupByLibrary.simpleMessage("در حال آماده‌سازی لاگ‌ها..."), - "privacy": MessageLookupByLibrary.simpleMessage("حریم خصوصی"), - "privacyPolicyTitle": - MessageLookupByLibrary.simpleMessage("سیاست حفظ حریم خصوصی"), - "privateBackups": - MessageLookupByLibrary.simpleMessage("پشتیبان گیری خصوصی"), - "privateSharing": - MessageLookupByLibrary.simpleMessage("اشتراک گذاری خصوصی"), - "rateUsOnStore": m68, - "recover": MessageLookupByLibrary.simpleMessage("بازیابی"), - "recoverAccount": - MessageLookupByLibrary.simpleMessage("بازیابی حساب کاربری"), - "recoverButton": MessageLookupByLibrary.simpleMessage("بازیابی"), - "recoveryKey": MessageLookupByLibrary.simpleMessage("کلید بازیابی"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "کلید بازیابی در کلیپ‌بورد کپی شد"), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "اگر رمز عبور خود را فراموش کردید، تنها راهی که می‌توانید اطلاعات خود را بازیابی کنید با این کلید است."), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "ما این کلید را ذخیره نمی‌کنیم، لطفا این کلید ۲۴ کلمه‌ای را در مکانی امن ذخیره کنید."), - "recoverySuccessful": - MessageLookupByLibrary.simpleMessage("بازیابی موفقیت آمیز بود!"), - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "دستگاه فعلی به اندازه کافی قدرتمند نیست تا رمز عبور شما را تایید کند، اما ما می‌توانیم به گونه‌ای بازسازی کنیم که با تمام دستگاه‌ها کار کند.\n\nلطفا با استفاده از کلید بازیابی خود وارد شوید و رمز عبور خود را دوباره ایجاد کنید (در صورت تمایل می‌توانید دوباره از همان رمز عبور استفاده کنید)."), - "recreatePasswordTitle": - MessageLookupByLibrary.simpleMessage("بازتولید رمز عبور"), - "reddit": MessageLookupByLibrary.simpleMessage("ردیت"), - "removeLink": MessageLookupByLibrary.simpleMessage("حذف پیوند"), - "rename": MessageLookupByLibrary.simpleMessage("تغییر نام"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("تغییر نام آلبوم"), - "renameFile": MessageLookupByLibrary.simpleMessage("تغییر نام پرونده"), - "resendEmail": MessageLookupByLibrary.simpleMessage("ارسال مجدد ایمیل"), - "resetPasswordTitle": - MessageLookupByLibrary.simpleMessage("بازنشانی رمز عبور"), - "retry": MessageLookupByLibrary.simpleMessage("سعی مجدد"), - "reviewSuggestions": - MessageLookupByLibrary.simpleMessage("مرور پیشنهادها"), - "safelyStored": MessageLookupByLibrary.simpleMessage("به طور ایمن"), - "saveKey": MessageLookupByLibrary.simpleMessage("ذخیره کلید"), - "search": MessageLookupByLibrary.simpleMessage("جستجو"), - "security": MessageLookupByLibrary.simpleMessage("امنیت"), - "selectAll": MessageLookupByLibrary.simpleMessage("انتخاب همه"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "پوشه‌ها را برای پشتیبان گیری انتخاب کنید"), - "selectReason": MessageLookupByLibrary.simpleMessage("انتخاب دلیل"), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "پوشه‌های انتخاب شده، رمزگذاری شده و از آنها نسخه پشتیبان تهیه می‌شود"), - "send": MessageLookupByLibrary.simpleMessage("ارسال"), - "sendEmail": MessageLookupByLibrary.simpleMessage("ارسال ایمیل"), - "setPasswordTitle": - MessageLookupByLibrary.simpleMessage("تنظیم رمز عبور"), - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "فقط با افرادی که می‌خواهید به اشتراک بگذارید"), - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Ente را دانلود کنید تا بتوانید به راحتی عکس‌ها و ویدیوهای با کیفیت اصلی را به اشتراک بگذارید\n\nhttps://ente.io"), - "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( - "عکس‌های جدید به اشتراک گذاشته شده"), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "هنگامی که شخصی عکسی را به آلبوم مشترکی که شما بخشی از آن هستید اضافه می‌کند، آگاه‌سازی دریافت می‌کنید"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "من با شرایط خدمات و سیاست حفظ حریم خصوصی موافقم"), - "skip": MessageLookupByLibrary.simpleMessage("رد کردن"), - "social": MessageLookupByLibrary.simpleMessage("شبکه اجتماعی"), - "somethingWentWrongPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "مشکلی پیش آمده، لطفا دوباره تلاش کنید"), - "sorry": MessageLookupByLibrary.simpleMessage("متاسفیم"), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "با عرض پوزش، ما نمی‌توانیم کلیدهای امن را در این دستگاه تولید کنیم.\n\nلطفا از دستگاه دیگری ثبت نام کنید."), - "sortAlbumsBy": - MessageLookupByLibrary.simpleMessage("مرتب‌سازی براساس"), - "sortNewestFirst": - MessageLookupByLibrary.simpleMessage("ایتدا جدیدترین"), - "sortOldestFirst": - MessageLookupByLibrary.simpleMessage("ایتدا قدیمی‌ترین"), - "startBackup": - MessageLookupByLibrary.simpleMessage("شروع پشتیبان گیری"), - "status": MessageLookupByLibrary.simpleMessage("وضعیت"), - "storage": MessageLookupByLibrary.simpleMessage("حافظه ذخیره‌سازی"), - "storageBreakupFamily": - MessageLookupByLibrary.simpleMessage("خانوادگی"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("شما"), - "storageUsageInfo": m94, - "strongStrength": MessageLookupByLibrary.simpleMessage("قوی"), - "support": MessageLookupByLibrary.simpleMessage("پشتیبانی"), - "systemTheme": MessageLookupByLibrary.simpleMessage("سیستم"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage( - "برای وارد کردن کد ضربه بزنید"), - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "به نظر می‌رسد مشکلی وجود دارد. لطفا بعد از مدتی دوباره تلاش کنید. اگر همچنان با خطا مواجه می‌شوید، لطفا با تیم پشتیبانی ما ارتباط برقرار کنید."), - "terminate": MessageLookupByLibrary.simpleMessage("خروج"), - "terminateSession": - MessageLookupByLibrary.simpleMessage("خروچ دستگاه؟"), - "terms": MessageLookupByLibrary.simpleMessage("شرایط و مقررات"), - "termsOfServicesTitle": - MessageLookupByLibrary.simpleMessage("شرایط و مقررات"), - "theDownloadCouldNotBeCompleted": - MessageLookupByLibrary.simpleMessage("دانلود کامل نشد"), - "theme": MessageLookupByLibrary.simpleMessage("تم"), - "thisDevice": MessageLookupByLibrary.simpleMessage("این دستگاه"), - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "با این کار شما از دستگاه زیر خارج می‌شوید:"), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "این کار شما را از این دستگاه خارج می‌کند!"), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "برای تنظیم مجدد رمز عبور، لطفا ابتدا ایمیل خود را تایید کنید."), - "tryAgain": MessageLookupByLibrary.simpleMessage("دوباره امتحان کنید"), - "twitter": MessageLookupByLibrary.simpleMessage("توییتر"), - "uncategorized": MessageLookupByLibrary.simpleMessage("دسته‌بندی نشده"), - "unselectAll": MessageLookupByLibrary.simpleMessage("لغو انتخاب همه"), - "update": MessageLookupByLibrary.simpleMessage("به‌روزرسانی"), - "updateAvailable": - MessageLookupByLibrary.simpleMessage("به‌رورزرسانی در دسترس است"), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "در حال به‌روزرسانی گزینش پوشه..."), - "usePublicLinksForPeopleNotOnEnte": - MessageLookupByLibrary.simpleMessage( - "استفاده از پیوندهای عمومی برای افرادی که در Ente نیستند"), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "از کلید بازیابی استفاده کنید"), - "verify": MessageLookupByLibrary.simpleMessage("تایید"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("تایید ایمیل"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("تایید"), - "verifyPassword": - MessageLookupByLibrary.simpleMessage("تایید رمز عبور"), - "verifying": MessageLookupByLibrary.simpleMessage("در حال تایید..."), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("ویدیو"), - "viewActiveSessions": - MessageLookupByLibrary.simpleMessage("مشاهده دستگاه‌های فعال"), - "viewRecoveryKey": - MessageLookupByLibrary.simpleMessage("نمایش کلید بازیابی"), - "viewer": MessageLookupByLibrary.simpleMessage("بیننده"), - "weAreOpenSource": - MessageLookupByLibrary.simpleMessage("ما متن‌باز هستیم!"), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("ضعیف"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("خوش آمدید!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("تغییرات جدید"), - "yes": MessageLookupByLibrary.simpleMessage("بله"), - "yesConvertToViewer": - MessageLookupByLibrary.simpleMessage("بله، تبدیل به بیننده شود"), - "yesLogout": MessageLookupByLibrary.simpleMessage("بله، خارج می‌شوم"), - "you": MessageLookupByLibrary.simpleMessage("شما"), - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( - "شما در یک برنامه خانوادگی هستید!"), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "شما در حال استفاده از آخرین نسخه هستید"), - "yourAccountHasBeenDeleted": - MessageLookupByLibrary.simpleMessage("حساب کاربری شما حذف شده است") - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "نسخه جدید Ente در دسترس است.", + ), + "about": MessageLookupByLibrary.simpleMessage("درباره ما"), + "account": MessageLookupByLibrary.simpleMessage("حساب کاربری"), + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage("خوش آمدید!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "من درک می‌کنم که اگر رمز عبور خود را گم کنم، ممکن است اطلاعات خود را از دست بدهم، زیرا اطلاعات من رمزگذاری سرتاسر شده است.", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage("دستگاه‌های فعال"), + "addANewEmail": MessageLookupByLibrary.simpleMessage("افزودن ایمیل جدید"), + "addCollaborator": MessageLookupByLibrary.simpleMessage("افزودن همکار"), + "addMore": MessageLookupByLibrary.simpleMessage("افزودن بیشتر"), + "addViewer": MessageLookupByLibrary.simpleMessage("افزودن بیننده"), + "addedAs": MessageLookupByLibrary.simpleMessage("اضافه شده به عنوان"), + "advanced": MessageLookupByLibrary.simpleMessage("پیشرفته"), + "albumUpdated": MessageLookupByLibrary.simpleMessage("آلبوم به‌روز شد"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "به افراد که این پیوند را دارند، اجازه دهید عکس‌ها را به آلبوم اشتراک گذاری شده اضافه کنند.", + ), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( + "اجازه اضافه کردن عکس", + ), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "به افراد اجازه دهید عکس اضافه کنند", + ), + "androidBiometricHint": MessageLookupByLibrary.simpleMessage("تایید هویت"), + "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("موفقیت"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("لغو"), + "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( + "اندروید، آی‌اواس، وب، رایانه رومیزی", + ), + "appVersion": m9, + "archive": MessageLookupByLibrary.simpleMessage("بایگانی"), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "آیا برای خارج شدن مطمئن هستید؟", + ), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "دلیل اصلی که حساب کاربری‌تان را حذف می‌کنید، چیست؟", + ), + "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( + "در یک پناهگاه ذخیره می‌شود", + ), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "لطفاً برای مشاهده دستگاه‌های فعال خود احراز هویت کنید", + ), + "available": MessageLookupByLibrary.simpleMessage("در دسترس"), + "availableStorageSpace": m10, + "backedUpFolders": MessageLookupByLibrary.simpleMessage( + "پوشه‌های پشتیبان گیری شده", + ), + "backup": MessageLookupByLibrary.simpleMessage("پشتیبان گیری"), + "blog": MessageLookupByLibrary.simpleMessage("وبلاگ"), + "cancel": MessageLookupByLibrary.simpleMessage("لغو"), + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "پرونده‌های به اشتراک گذاشته شده را نمی‌توان حذف کرد", + ), + "changeEmail": MessageLookupByLibrary.simpleMessage("تغییر ایمیل"), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage( + "تغییر رمز عبور", + ), + "checkForUpdates": MessageLookupByLibrary.simpleMessage( + "بررسی برای به‌روزرسانی", + ), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "لطفا صندوق ورودی (و هرزنامه) خود را برای تایید کامل بررسی کنید", + ), + "checkStatus": MessageLookupByLibrary.simpleMessage("بررسی وضعیت"), + "checking": MessageLookupByLibrary.simpleMessage("در حال بررسی..."), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "پیوندی ایجاد کنید تا به افراد اجازه دهید بدون نیاز به برنامه یا حساب کاربری Ente عکس‌ها را در آلبوم اشتراک گذاشته شده شما اضافه و مشاهده کنند. برای جمع‌آوری عکس‌های رویداد عالی است.", + ), + "collaborator": MessageLookupByLibrary.simpleMessage("همکار"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "همکاران می‌توانند عکس‌ها و ویدیوها را به آلبوم اشتراک گذاری شده اضافه کنند.", + ), + "color": MessageLookupByLibrary.simpleMessage("رنگ"), + "confirm": MessageLookupByLibrary.simpleMessage("تایید"), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "تایید حذف حساب کاربری", + ), + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "بله، می خواهم این حساب و داده های آن را در همه برنامه ها برای همیشه حذف کنم.", + ), + "confirmPassword": MessageLookupByLibrary.simpleMessage("تایید رمز عبور"), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "تایید کلید بازیابی", + ), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "کلید بازیابی خود را تایید کنید", + ), + "contactSupport": MessageLookupByLibrary.simpleMessage( + "ارتباط با پشتیبانی", + ), + "continueLabel": MessageLookupByLibrary.simpleMessage("ادامه"), + "convertToAlbum": MessageLookupByLibrary.simpleMessage("تبدیل به آلبوم"), + "createAccount": MessageLookupByLibrary.simpleMessage("ایجاد حساب کاربری"), + "createNewAccount": MessageLookupByLibrary.simpleMessage( + "ایجاد حساب کاربری جدید", + ), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "به‌روزرسانی حیاتی در دسترس است", + ), + "custom": MessageLookupByLibrary.simpleMessage("سفارشی"), + "darkTheme": MessageLookupByLibrary.simpleMessage("تیره"), + "dayToday": MessageLookupByLibrary.simpleMessage("امروز"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("دیروز"), + "decrypting": MessageLookupByLibrary.simpleMessage("در حال رمزگشایی..."), + "deleteAccount": MessageLookupByLibrary.simpleMessage("حذف حساب کاربری"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "ما متاسفیم که می‌بینیم شما می‌روید. لطفا نظرات خود را برای کمک به بهبود ما به اشتراک بگذارید.", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "حذف دائمی حساب کاربری", + ), + "deleteAll": MessageLookupByLibrary.simpleMessage("حذف همه"), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "لطفا یک ایمیل به account-deletion@ente.io از آدرس ایمیل ثبت شده خود ارسال کنید.", + ), + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "یک ویژگی کلیدی که به آن نیاز دارم، وجود ندارد", + ), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "برنامه یا یک ویژگی خاص آنطور که من فکر می‌کنم، عمل نمی‌کند", + ), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "سرویس دیگری پیدا کردم که بهتر می‌پسندم", + ), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "دلیل من ذکر نشده است", + ), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "درخواست شما ظرف مدت ۷۲ ساعت پردازش خواهد شد.", + ), + "designedToOutlive": MessageLookupByLibrary.simpleMessage( + "طراحی شده تا بیشتر زنده بماند", + ), + "details": MessageLookupByLibrary.simpleMessage("جزئیات"), + "developerSettings": MessageLookupByLibrary.simpleMessage( + "تنظیمات توسعه‌دهنده", + ), + "didYouKnow": MessageLookupByLibrary.simpleMessage("آیا می‌دانستید؟"), + "discord": MessageLookupByLibrary.simpleMessage("دیسکورد"), + "doThisLater": MessageLookupByLibrary.simpleMessage("بعداً انجام شود"), + "downloading": MessageLookupByLibrary.simpleMessage("در حال دانلود..."), + "dropSupportEmail": m25, + "editLocationTagTitle": MessageLookupByLibrary.simpleMessage("ویرایش مکان"), + "email": MessageLookupByLibrary.simpleMessage("ایمیل"), + "encryption": MessageLookupByLibrary.simpleMessage("رمزگذاری"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage("کلیدهای رمزنگاری"), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "به صورت پیش‌فرض رمزگذاری سرتاسر", + ), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente فقط در صورتی می‌تواند پرونده‌ها را رمزگذاری و نگه‌داری کند که به آن‌ها دسترسی داشته باشید", + ), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente برای نگه‌داری عکس‌های شما به دسترسی نیاز دارد", + ), + "enterEmail": MessageLookupByLibrary.simpleMessage("ایمیل را وارد کنید"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "رمز عبور جدیدی را وارد کنید که بتوانیم از آن برای رمزگذاری اطلاعات شما استفاده کنیم", + ), + "enterPassword": MessageLookupByLibrary.simpleMessage( + "رمز عبور را وارد کنید", + ), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "رمز عبوری را وارد کنید که بتوانیم از آن برای رمزگذاری اطلاعات شما استفاده کنیم", + ), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "لطفا یک ایمیل معتبر وارد کنید.", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "آدرس ایمیل خود را وارد کنید", + ), + "enterYourPassword": MessageLookupByLibrary.simpleMessage( + "رمز عبور خود را وارد کنید", + ), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "کلید بازیابی خود را وارد کنید", + ), + "error": MessageLookupByLibrary.simpleMessage("خطا"), + "everywhere": MessageLookupByLibrary.simpleMessage("همه جا"), + "existingUser": MessageLookupByLibrary.simpleMessage("کاربر موجود"), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("خانوادگی"), + "familyPlans": MessageLookupByLibrary.simpleMessage("برنامه‌های خانوادگی"), + "faq": MessageLookupByLibrary.simpleMessage("سوالات متداول"), + "feedback": MessageLookupByLibrary.simpleMessage("بازخورد"), + "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( + "افزودن توضیحات...", + ), + "fileTypes": MessageLookupByLibrary.simpleMessage("انواع پرونده"), + "forYourMemories": MessageLookupByLibrary.simpleMessage("برای خاطرات شما"), + "forgotPassword": MessageLookupByLibrary.simpleMessage( + "رمز عبور را فراموش کرده‌اید", + ), + "general": MessageLookupByLibrary.simpleMessage("عمومی"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "در حال تولید کلیدهای رمزگذاری...", + ), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "لطفا اجازه دسترسی به تمام عکس‌ها را در تنظیمات برنامه بدهید", + ), + "grantPermission": MessageLookupByLibrary.simpleMessage("دسترسی دادن"), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "ما نصب برنامه را ردیابی نمی‌کنیم. اگر بگویید کجا ما را پیدا کردید، به ما کمک می‌کند!", + ), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "از کجا در مورد Ente شنیدی؟ (اختیاری)", + ), + "howItWorks": MessageLookupByLibrary.simpleMessage("چگونه کار می‌کند"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("نادیده گرفتن"), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( + "رمز عبور درست نیست", + ), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "کلید بازیابی که وارد کردید درست نیست", + ), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "کلید بازیابی درست نیست", + ), + "insecureDevice": MessageLookupByLibrary.simpleMessage("دستگاه ناامن"), + "installManually": MessageLookupByLibrary.simpleMessage("نصب دستی"), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "آدرس ایمیل معتبر نیست", + ), + "invalidKey": MessageLookupByLibrary.simpleMessage("کلید نامعتبر"), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "به نظر می‌رسد مشکلی وجود دارد. لطفا بعد از مدتی دوباره تلاش کنید. اگر همچنان با خطا مواجه می‌شوید، لطفا با تیم پشتیبانی ما ارتباط برقرار کنید.", + ), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "لطفا با این اطلاعات به ما کمک کنید", + ), + "lightTheme": MessageLookupByLibrary.simpleMessage("روشن"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("قفل"), + "logInLabel": MessageLookupByLibrary.simpleMessage("ورود"), + "loggingOut": MessageLookupByLibrary.simpleMessage("در حال خروج..."), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "با کلیک بر روی ورود به سیستم، من با شرایط خدمات و سیاست حفظ حریم خصوصی موافقم", + ), + "logout": MessageLookupByLibrary.simpleMessage("خروج"), + "manage": MessageLookupByLibrary.simpleMessage("مدیریت"), + "manageFamily": MessageLookupByLibrary.simpleMessage("مدیریت خانواده"), + "manageLink": MessageLookupByLibrary.simpleMessage("مدیریت پیوند"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("مدیریت"), + "manageSubscription": MessageLookupByLibrary.simpleMessage("مدیریت اشتراک"), + "mastodon": MessageLookupByLibrary.simpleMessage("ماستودون"), + "matrix": MessageLookupByLibrary.simpleMessage("ماتریس"), + "merchandise": MessageLookupByLibrary.simpleMessage("کالا"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("متوسط"), + "never": MessageLookupByLibrary.simpleMessage("هرگز"), + "newToEnte": MessageLookupByLibrary.simpleMessage("کاربر جدید Ente"), + "no": MessageLookupByLibrary.simpleMessage("خیر"), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "کلید بازیابی ندارید؟", + ), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "با توجه به ماهیت پروتکل رمزگذاری سرتاسر ما، اطلاعات شما بدون رمز عبور یا کلید بازیابی شما قابل رمزگشایی نیست", + ), + "notifications": MessageLookupByLibrary.simpleMessage("آگاه‌سازی‌ها"), + "ok": MessageLookupByLibrary.simpleMessage("تایید"), + "oops": MessageLookupByLibrary.simpleMessage("اوه"), + "password": MessageLookupByLibrary.simpleMessage("رمز عبور"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "رمز عبور با موفقیت تغییر کرد", + ), + "passwordStrength": m57, + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "ما این رمز عبور را ذخیره نمی‌کنیم، بنابراین اگر فراموش کنید، نمی‌توانیم اطلاعات شما را رمزگشایی کنیم", + ), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("عکس"), + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( + "لطفا دسترسی بدهید", + ), + "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( + "لطفا دوباره وارد شوید", + ), + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "لطفا دوباره تلاش کنید", + ), + "pleaseWait": MessageLookupByLibrary.simpleMessage("لطفا صبر کنید..."), + "preparingLogs": MessageLookupByLibrary.simpleMessage( + "در حال آماده‌سازی لاگ‌ها...", + ), + "privacy": MessageLookupByLibrary.simpleMessage("حریم خصوصی"), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "سیاست حفظ حریم خصوصی", + ), + "privateBackups": MessageLookupByLibrary.simpleMessage( + "پشتیبان گیری خصوصی", + ), + "privateSharing": MessageLookupByLibrary.simpleMessage( + "اشتراک گذاری خصوصی", + ), + "rateUsOnStore": m68, + "recover": MessageLookupByLibrary.simpleMessage("بازیابی"), + "recoverAccount": MessageLookupByLibrary.simpleMessage( + "بازیابی حساب کاربری", + ), + "recoverButton": MessageLookupByLibrary.simpleMessage("بازیابی"), + "recoveryKey": MessageLookupByLibrary.simpleMessage("کلید بازیابی"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "کلید بازیابی در کلیپ‌بورد کپی شد", + ), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "اگر رمز عبور خود را فراموش کردید، تنها راهی که می‌توانید اطلاعات خود را بازیابی کنید با این کلید است.", + ), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "ما این کلید را ذخیره نمی‌کنیم، لطفا این کلید ۲۴ کلمه‌ای را در مکانی امن ذخیره کنید.", + ), + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "بازیابی موفقیت آمیز بود!", + ), + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "دستگاه فعلی به اندازه کافی قدرتمند نیست تا رمز عبور شما را تایید کند، اما ما می‌توانیم به گونه‌ای بازسازی کنیم که با تمام دستگاه‌ها کار کند.\n\nلطفا با استفاده از کلید بازیابی خود وارد شوید و رمز عبور خود را دوباره ایجاد کنید (در صورت تمایل می‌توانید دوباره از همان رمز عبور استفاده کنید).", + ), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( + "بازتولید رمز عبور", + ), + "reddit": MessageLookupByLibrary.simpleMessage("ردیت"), + "removeLink": MessageLookupByLibrary.simpleMessage("حذف پیوند"), + "rename": MessageLookupByLibrary.simpleMessage("تغییر نام"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("تغییر نام آلبوم"), + "renameFile": MessageLookupByLibrary.simpleMessage("تغییر نام پرونده"), + "resendEmail": MessageLookupByLibrary.simpleMessage("ارسال مجدد ایمیل"), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( + "بازنشانی رمز عبور", + ), + "retry": MessageLookupByLibrary.simpleMessage("سعی مجدد"), + "reviewSuggestions": MessageLookupByLibrary.simpleMessage("مرور پیشنهادها"), + "safelyStored": MessageLookupByLibrary.simpleMessage("به طور ایمن"), + "saveKey": MessageLookupByLibrary.simpleMessage("ذخیره کلید"), + "search": MessageLookupByLibrary.simpleMessage("جستجو"), + "security": MessageLookupByLibrary.simpleMessage("امنیت"), + "selectAll": MessageLookupByLibrary.simpleMessage("انتخاب همه"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "پوشه‌ها را برای پشتیبان گیری انتخاب کنید", + ), + "selectReason": MessageLookupByLibrary.simpleMessage("انتخاب دلیل"), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "پوشه‌های انتخاب شده، رمزگذاری شده و از آنها نسخه پشتیبان تهیه می‌شود", + ), + "send": MessageLookupByLibrary.simpleMessage("ارسال"), + "sendEmail": MessageLookupByLibrary.simpleMessage("ارسال ایمیل"), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage("تنظیم رمز عبور"), + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "فقط با افرادی که می‌خواهید به اشتراک بگذارید", + ), + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Ente را دانلود کنید تا بتوانید به راحتی عکس‌ها و ویدیوهای با کیفیت اصلی را به اشتراک بگذارید\n\nhttps://ente.io", + ), + "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( + "عکس‌های جدید به اشتراک گذاشته شده", + ), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "هنگامی که شخصی عکسی را به آلبوم مشترکی که شما بخشی از آن هستید اضافه می‌کند، آگاه‌سازی دریافت می‌کنید", + ), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "من با شرایط خدمات و سیاست حفظ حریم خصوصی موافقم", + ), + "skip": MessageLookupByLibrary.simpleMessage("رد کردن"), + "social": MessageLookupByLibrary.simpleMessage("شبکه اجتماعی"), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "مشکلی پیش آمده، لطفا دوباره تلاش کنید", + ), + "sorry": MessageLookupByLibrary.simpleMessage("متاسفیم"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "با عرض پوزش، ما نمی‌توانیم کلیدهای امن را در این دستگاه تولید کنیم.\n\nلطفا از دستگاه دیگری ثبت نام کنید.", + ), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("مرتب‌سازی براساس"), + "sortNewestFirst": MessageLookupByLibrary.simpleMessage("ایتدا جدیدترین"), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage("ایتدا قدیمی‌ترین"), + "startBackup": MessageLookupByLibrary.simpleMessage("شروع پشتیبان گیری"), + "status": MessageLookupByLibrary.simpleMessage("وضعیت"), + "storage": MessageLookupByLibrary.simpleMessage("حافظه ذخیره‌سازی"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("خانوادگی"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("شما"), + "storageUsageInfo": m94, + "strongStrength": MessageLookupByLibrary.simpleMessage("قوی"), + "support": MessageLookupByLibrary.simpleMessage("پشتیبانی"), + "systemTheme": MessageLookupByLibrary.simpleMessage("سیستم"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage( + "برای وارد کردن کد ضربه بزنید", + ), + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "به نظر می‌رسد مشکلی وجود دارد. لطفا بعد از مدتی دوباره تلاش کنید. اگر همچنان با خطا مواجه می‌شوید، لطفا با تیم پشتیبانی ما ارتباط برقرار کنید.", + ), + "terminate": MessageLookupByLibrary.simpleMessage("خروج"), + "terminateSession": MessageLookupByLibrary.simpleMessage("خروچ دستگاه؟"), + "terms": MessageLookupByLibrary.simpleMessage("شرایط و مقررات"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage( + "شرایط و مقررات", + ), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "دانلود کامل نشد", + ), + "theme": MessageLookupByLibrary.simpleMessage("تم"), + "thisDevice": MessageLookupByLibrary.simpleMessage("این دستگاه"), + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "با این کار شما از دستگاه زیر خارج می‌شوید:", + ), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "این کار شما را از این دستگاه خارج می‌کند!", + ), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "برای تنظیم مجدد رمز عبور، لطفا ابتدا ایمیل خود را تایید کنید.", + ), + "tryAgain": MessageLookupByLibrary.simpleMessage("دوباره امتحان کنید"), + "twitter": MessageLookupByLibrary.simpleMessage("توییتر"), + "uncategorized": MessageLookupByLibrary.simpleMessage("دسته‌بندی نشده"), + "unselectAll": MessageLookupByLibrary.simpleMessage("لغو انتخاب همه"), + "update": MessageLookupByLibrary.simpleMessage("به‌روزرسانی"), + "updateAvailable": MessageLookupByLibrary.simpleMessage( + "به‌رورزرسانی در دسترس است", + ), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "در حال به‌روزرسانی گزینش پوشه...", + ), + "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( + "استفاده از پیوندهای عمومی برای افرادی که در Ente نیستند", + ), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "از کلید بازیابی استفاده کنید", + ), + "verify": MessageLookupByLibrary.simpleMessage("تایید"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("تایید ایمیل"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("تایید"), + "verifyPassword": MessageLookupByLibrary.simpleMessage("تایید رمز عبور"), + "verifying": MessageLookupByLibrary.simpleMessage("در حال تایید..."), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("ویدیو"), + "viewActiveSessions": MessageLookupByLibrary.simpleMessage( + "مشاهده دستگاه‌های فعال", + ), + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( + "نمایش کلید بازیابی", + ), + "viewer": MessageLookupByLibrary.simpleMessage("بیننده"), + "weAreOpenSource": MessageLookupByLibrary.simpleMessage( + "ما متن‌باز هستیم!", + ), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("ضعیف"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("خوش آمدید!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("تغییرات جدید"), + "yes": MessageLookupByLibrary.simpleMessage("بله"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "بله، تبدیل به بیننده شود", + ), + "yesLogout": MessageLookupByLibrary.simpleMessage("بله، خارج می‌شوم"), + "you": MessageLookupByLibrary.simpleMessage("شما"), + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( + "شما در یک برنامه خانوادگی هستید!", + ), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "شما در حال استفاده از آخرین نسخه هستید", + ), + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "حساب کاربری شما حذف شده است", + ), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_fr.dart b/mobile/apps/photos/lib/generated/intl/messages_fr.dart index 0bd7ac8648..6bb7f8c2b6 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_fr.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_fr.dart @@ -57,14 +57,7 @@ class MessageLookup extends MessageLookupByLibrary { "${user} ne pourra pas ajouter plus de photos à cet album\n\nIl pourra toujours supprimer les photos existantes ajoutées par eux"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, { - 'true': - 'Votre famille a obtenu ${storageAmountInGb} Go jusqu\'à présent', - 'false': - 'Vous avez obtenu ${storageAmountInGb} Go jusqu\'à présent', - 'other': - 'Vous avez obtenu ${storageAmountInGb} Go jusqu\'à présent !', - })}"; + "${Intl.select(isFamilyMember, {'true': 'Votre famille a obtenu ${storageAmountInGb} Go jusqu\'à présent', 'false': 'Vous avez obtenu ${storageAmountInGb} Go jusqu\'à présent', 'other': 'Vous avez obtenu ${storageAmountInGb} Go jusqu\'à présent !'})}"; static String m15(albumName) => "Lien collaboratif créé pour ${albumName}"; @@ -267,7 +260,11 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} Go"; static String m94( - usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => + usedAmount, + usedStorageUnit, + totalAmount, + totalStorageUnit, + ) => "${usedAmount} ${usedStorageUnit} sur ${totalAmount} ${totalStorageUnit} utilisés"; static String m95(id) => @@ -333,2071 +330,2642 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Une nouvelle version de Ente est disponible."), - "about": MessageLookupByLibrary.simpleMessage("À propos d\'Ente"), - "acceptTrustInvite": - MessageLookupByLibrary.simpleMessage("Accepter l\'invitation"), - "account": MessageLookupByLibrary.simpleMessage("Compte"), - "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( - "Le compte est déjà configuré."), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("Bon retour parmi nous !"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Je comprends que si je perds mon mot de passe, je perdrai mes données puisque mes données sont chiffrées de bout en bout."), - "actionNotSupportedOnFavouritesAlbum": - MessageLookupByLibrary.simpleMessage( - "Action non prise en charge sur l\'album des Favoris"), - "activeSessions": - MessageLookupByLibrary.simpleMessage("Sessions actives"), - "add": MessageLookupByLibrary.simpleMessage("Ajouter"), - "addAName": MessageLookupByLibrary.simpleMessage("Ajouter un nom"), - "addANewEmail": - MessageLookupByLibrary.simpleMessage("Ajouter un nouvel email"), - "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Ajoutez un gadget d\'album à votre écran d\'accueil et revenez ici pour le personnaliser."), - "addCollaborator": - MessageLookupByLibrary.simpleMessage("Ajouter un collaborateur"), - "addCollaborators": m1, - "addFiles": - MessageLookupByLibrary.simpleMessage("Ajouter des fichiers"), - "addFromDevice": - MessageLookupByLibrary.simpleMessage("Ajouter depuis l\'appareil"), - "addItem": m2, - "addLocation": - MessageLookupByLibrary.simpleMessage("Ajouter la localisation"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Ajouter"), - "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Ajoutez un gadget des souvenirs à votre écran d\'accueil et revenez ici pour le personnaliser."), - "addMore": MessageLookupByLibrary.simpleMessage("Ajouter"), - "addName": MessageLookupByLibrary.simpleMessage("Ajouter un nom"), - "addNameOrMerge": - MessageLookupByLibrary.simpleMessage("Ajouter un nom ou fusionner"), - "addNew": MessageLookupByLibrary.simpleMessage("Ajouter un nouveau"), - "addNewPerson": MessageLookupByLibrary.simpleMessage( - "Ajouter une nouvelle personne"), - "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( - "Détails des modules complémentaires"), - "addOnValidTill": m3, - "addOns": - MessageLookupByLibrary.simpleMessage("Modules complémentaires"), - "addParticipants": - MessageLookupByLibrary.simpleMessage("Ajouter des participants"), - "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Ajoutez un gadget des personnes à votre écran d\'accueil et revenez ici pour le personnaliser."), - "addPhotos": MessageLookupByLibrary.simpleMessage("Ajouter des photos"), - "addSelected": - MessageLookupByLibrary.simpleMessage("Ajouter la sélection"), - "addToAlbum": - MessageLookupByLibrary.simpleMessage("Ajouter à l\'album"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Ajouter à Ente"), - "addToHiddenAlbum": - MessageLookupByLibrary.simpleMessage("Ajouter à un album masqué"), - "addTrustedContact": MessageLookupByLibrary.simpleMessage( - "Ajouter un contact de confiance"), - "addViewer": - MessageLookupByLibrary.simpleMessage("Ajouter un observateur"), - "addViewers": m4, - "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( - "Ajoutez vos photos maintenant"), - "addedAs": MessageLookupByLibrary.simpleMessage("Ajouté comme"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": - MessageLookupByLibrary.simpleMessage("Ajout aux favoris..."), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("Avancé"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Avancé"), - "after1Day": MessageLookupByLibrary.simpleMessage("Après 1 jour"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Après 1 heure"), - "after1Month": MessageLookupByLibrary.simpleMessage("Après 1 mois"), - "after1Week": MessageLookupByLibrary.simpleMessage("Après 1 semaine"), - "after1Year": MessageLookupByLibrary.simpleMessage("Après 1 an"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Propriétaire"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Titre de l\'album"), - "albumUpdated": - MessageLookupByLibrary.simpleMessage("Album mis à jour"), - "albums": MessageLookupByLibrary.simpleMessage("Albums"), - "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Sélectionnez les personnes que vous souhaitez voir sur votre écran d\'accueil."), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Tout est effacé"), - "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( - "Tous les souvenirs sont sauvegardés"), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "Tous les groupements pour cette personne seront réinitialisés, et vous perdrez toutes les suggestions faites pour cette personne"), - "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": - MessageLookupByLibrary.simpleMessage( - "Tous les groupes sans nom seront fusionnés dans la personne sélectionnée. Cela peut toujours être annulé à partir de l\'historique des suggestions de la personne."), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "C\'est la première dans le groupe. Les autres photos sélectionnées se déplaceront automatiquement en fonction de cette nouvelle date"), - "allow": MessageLookupByLibrary.simpleMessage("Autoriser"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Autorisez les personnes ayant le lien à ajouter des photos dans l\'album partagé."), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( - "Autoriser l\'ajout de photos"), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "Autoriser l\'application à ouvrir les liens d\'albums partagés"), - "allowDownloads": MessageLookupByLibrary.simpleMessage( - "Autoriser les téléchargements"), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Autoriser les personnes à ajouter des photos"), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Veuillez autoriser dans les paramètres l\'accès à vos photos pour qu\'Ente puisse afficher et sauvegarder votre bibliothèque."), - "allowPermTitle": MessageLookupByLibrary.simpleMessage( - "Autoriser l\'accès aux photos"), - "androidBiometricHint": - MessageLookupByLibrary.simpleMessage("Vérifier l’identité"), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "Reconnaissance impossible. Réessayez."), - "androidBiometricRequiredTitle": - MessageLookupByLibrary.simpleMessage("Empreinte digitale requise"), - "androidBiometricSuccess": - MessageLookupByLibrary.simpleMessage("Succès"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Annuler"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage("Identifiants requis"), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage("Identifiants requis"), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "L\'authentification biométrique n\'est pas configurée sur votre appareil. Allez dans \'Paramètres > Sécurité\' pour ajouter l\'authentification biométrique."), - "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( - "Android, iOS, Web, Ordinateur"), - "androidSignInTitle": - MessageLookupByLibrary.simpleMessage("Authentification requise"), - "appIcon": MessageLookupByLibrary.simpleMessage("Icône de l\'appli"), - "appLock": MessageLookupByLibrary.simpleMessage( - "Verrouillage de l\'application"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Choisissez entre l\'écran de verrouillage par défaut de votre appareil et un écran de verrouillage personnalisé avec un code PIN ou un mot de passe."), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), - "apply": MessageLookupByLibrary.simpleMessage("Appliquer"), - "applyCodeTitle": - MessageLookupByLibrary.simpleMessage("Utiliser le code"), - "appstoreSubscription": - MessageLookupByLibrary.simpleMessage("Abonnement à l\'AppStore"), - "archive": MessageLookupByLibrary.simpleMessage("Archivée"), - "archiveAlbum": - MessageLookupByLibrary.simpleMessage("Archiver l\'album"), - "archiving": - MessageLookupByLibrary.simpleMessage("Archivage en cours..."), - "areThey": MessageLookupByLibrary.simpleMessage("Vraiment"), - "areYouSureRemoveThisFaceFromPerson": - MessageLookupByLibrary.simpleMessage( - "Êtes-vous sûr de vouloir retirer ce visage de cette personne ?"), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Êtes-vous certains de vouloir quitter le plan familial?"), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "Es-tu sûre de vouloir annuler?"), - "areYouSureYouWantToChangeYourPlan": - MessageLookupByLibrary.simpleMessage( - "Êtes-vous certains de vouloir changer d\'offre ?"), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "Êtes-vous sûr de vouloir quitter ?"), - "areYouSureYouWantToIgnoreThesePersons": - MessageLookupByLibrary.simpleMessage( - "Êtes-vous sûr de vouloir ignorer ces personnes ?"), - "areYouSureYouWantToIgnoreThisPerson": - MessageLookupByLibrary.simpleMessage( - "Êtes-vous sûr de vouloir ignorer cette personne ?"), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Voulez-vous vraiment vous déconnecter ?"), - "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( - "Êtes-vous sûr de vouloir les fusionner?"), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "Êtes-vous sûr de vouloir renouveler ?"), - "areYouSureYouWantToResetThisPerson": - MessageLookupByLibrary.simpleMessage( - "Êtes-vous certain de vouloir réinitialiser cette personne ?"), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "Votre abonnement a été annulé. Souhaitez-vous partager la raison ?"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Quelle est la principale raison pour laquelle vous supprimez votre compte ?"), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Demandez à vos proches de partager"), - "atAFalloutShelter": - MessageLookupByLibrary.simpleMessage("dans un abri antiatomique"), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Authentifiez-vous pour modifier l\'authentification à deux facteurs par email"), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Veuillez vous authentifier pour modifier les paramètres de l\'écran de verrouillage"), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Authentifiez-vous pour modifier votre adresse email"), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Veuillez vous authentifier pour modifier votre mot de passe"), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Veuillez vous authentifier pour configurer l\'authentification à deux facteurs"), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Veuillez vous authentifier pour débuter la suppression du compte"), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Veuillez vous authentifier pour gérer vos contacts de confiance"), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Veuillez vous authentifier pour afficher votre clé de récupération"), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Veuillez vous authentifier pour voir vos fichiers mis à la corbeille"), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Authentifiez-vous pour voir les connexions actives"), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Veuillez vous authentifier pour voir vos fichiers cachés"), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Authentifiez-vous pour voir vos souvenirs"), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Veuillez vous authentifier pour afficher votre clé de récupération"), - "authenticating": - MessageLookupByLibrary.simpleMessage("Authentification..."), - "authenticationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "L\'authentification a échouée, veuillez réessayer"), - "authenticationSuccessful": - MessageLookupByLibrary.simpleMessage("Authentification réussie!"), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Vous verrez ici les appareils Cast disponibles."), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Assurez-vous que les autorisations de réseau local sont activées pour l\'application Ente Photos, dans les paramètres."), - "autoLock": - MessageLookupByLibrary.simpleMessage("Verrouillage automatique"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Délai après lequel l\'application se verrouille une fois qu\'elle est en arrière-plan"), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "En raison d\'un problème technique, vous avez été déconnecté. Veuillez nous excuser pour le désagrément."), - "autoPair": - MessageLookupByLibrary.simpleMessage("Appairage automatique"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "L\'appairage automatique ne fonctionne qu\'avec les appareils qui prennent en charge Chromecast."), - "available": MessageLookupByLibrary.simpleMessage("Disponible"), - "availableStorageSpace": m10, - "backedUpFolders": - MessageLookupByLibrary.simpleMessage("Dossiers sauvegardés"), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("Sauvegarde"), - "backupFailed": - MessageLookupByLibrary.simpleMessage("Échec de la sauvegarde"), - "backupFile": - MessageLookupByLibrary.simpleMessage("Sauvegarder le fichier"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Sauvegarder avec les données mobiles"), - "backupSettings": - MessageLookupByLibrary.simpleMessage("Paramètres de la sauvegarde"), - "backupStatus": - MessageLookupByLibrary.simpleMessage("État de la sauvegarde"), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Les éléments qui ont été sauvegardés apparaîtront ici"), - "backupVideos": - MessageLookupByLibrary.simpleMessage("Sauvegarde des vidéos"), - "beach": MessageLookupByLibrary.simpleMessage("Sable et mer"), - "birthday": MessageLookupByLibrary.simpleMessage("Anniversaire"), - "birthdayNotifications": MessageLookupByLibrary.simpleMessage( - "Notifications d’anniversaire"), - "birthdays": MessageLookupByLibrary.simpleMessage("Anniversaires"), - "blackFridaySale": - MessageLookupByLibrary.simpleMessage("Offre Black Friday"), - "blog": MessageLookupByLibrary.simpleMessage("Blog"), - "cLDesc1": MessageLookupByLibrary.simpleMessage( - "Derrière la version beta du streaming vidéo, tout en travaillant sur la reprise des chargements et téléchargements, nous avons maintenant augmenté la limite de téléchargement de fichiers à 10 Go. Ceci est maintenant disponible dans les applications bureau et mobiles."), - "cLDesc2": MessageLookupByLibrary.simpleMessage( - "Les chargements en arrière-plan sont maintenant pris en charge sur iOS, en plus des appareils Android. Inutile d\'ouvrir l\'application pour sauvegarder vos dernières photos et vidéos."), - "cLDesc3": MessageLookupByLibrary.simpleMessage( - "Nous avons apporté des améliorations significatives à l\'expérience des souvenirs, comme la lecture automatique, la glisse vers le souvenir suivant et bien plus encore."), - "cLDesc4": MessageLookupByLibrary.simpleMessage( - "Avec un tas d\'améliorations sous le capot, il est maintenant beaucoup plus facile de voir tous les visages détectés, mettre des commentaires sur des visages similaires, et ajouter/supprimer des visages depuis une seule photo."), - "cLDesc5": MessageLookupByLibrary.simpleMessage( - "Vous recevrez maintenant une notification de désinscription pour tous les anniversaires que vous avez enregistrés sur Ente, ainsi qu\'une collection de leurs meilleures photos."), - "cLDesc6": MessageLookupByLibrary.simpleMessage( - "Plus besoin d\'attendre la fin des chargements/téléchargements avant de pouvoir fermer l\'application. Tous peuvent maintenant être mis en pause en cours de route et reprendre à partir de là où ça s\'est arrêté."), - "cLTitle1": MessageLookupByLibrary.simpleMessage( - "Envoi de gros fichiers vidéo"), - "cLTitle2": - MessageLookupByLibrary.simpleMessage("Charger en arrière-plan"), - "cLTitle3": MessageLookupByLibrary.simpleMessage( - "Lecture automatique des souvenirs"), - "cLTitle4": MessageLookupByLibrary.simpleMessage( - "Amélioration de la reconnaissance faciale"), - "cLTitle5": MessageLookupByLibrary.simpleMessage( - "Notifications d’anniversaire"), - "cLTitle6": MessageLookupByLibrary.simpleMessage( - "Reprise des chargements et téléchargements"), - "cachedData": - MessageLookupByLibrary.simpleMessage("Données mises en cache"), - "calculating": - MessageLookupByLibrary.simpleMessage("Calcul en cours..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Désolé, cet album ne peut pas être ouvert dans l\'application."), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( - "Impossible d\'ouvrir cet album"), - "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( - "Impossible de télécharger dans les albums appartenant à d\'autres personnes"), - "canOnlyCreateLinkForFilesOwnedByYou": - MessageLookupByLibrary.simpleMessage( - "Ne peut créer de lien que pour les fichiers que vous possédez"), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Vous ne pouvez supprimer que les fichiers que vous possédez"), - "cancel": MessageLookupByLibrary.simpleMessage("Annuler"), - "cancelAccountRecovery": - MessageLookupByLibrary.simpleMessage("Annuler la récupération"), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "Êtes-vous sûr de vouloir annuler la récupération ?"), - "cancelOtherSubscription": m12, - "cancelSubscription": - MessageLookupByLibrary.simpleMessage("Annuler l\'abonnement"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Les fichiers partagés ne peuvent pas être supprimés"), - "castAlbum": MessageLookupByLibrary.simpleMessage("Caster l\'album"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Veuillez vous assurer que vous êtes sur le même réseau que la TV."), - "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( - "Échec de la diffusion de l\'album"), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Visitez cast.ente.io sur l\'appareil que vous voulez associer.\n\nEntrez le code ci-dessous pour lire l\'album sur votre TV."), - "centerPoint": MessageLookupByLibrary.simpleMessage("Point central"), - "change": MessageLookupByLibrary.simpleMessage("Modifier"), - "changeEmail": - MessageLookupByLibrary.simpleMessage("Modifier l\'e-mail"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Changer l\'emplacement des éléments sélectionnés ?"), - "changePassword": - MessageLookupByLibrary.simpleMessage("Modifier le mot de passe"), - "changePasswordTitle": - MessageLookupByLibrary.simpleMessage("Modifier le mot de passe"), - "changePermissions": - MessageLookupByLibrary.simpleMessage("Modifier les permissions ?"), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Modifier votre code de parrainage"), - "checkForUpdates": - MessageLookupByLibrary.simpleMessage("Vérifier les mises à jour"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Consultez votre boîte de réception (et les indésirables) pour finaliser la vérification"), - "checkStatus": - MessageLookupByLibrary.simpleMessage("Vérifier le statut"), - "checking": MessageLookupByLibrary.simpleMessage("Vérification..."), - "checkingModels": - MessageLookupByLibrary.simpleMessage("Vérification des modèles..."), - "city": MessageLookupByLibrary.simpleMessage("Dans la ville"), - "claimFreeStorage": - MessageLookupByLibrary.simpleMessage("Obtenez du stockage gratuit"), - "claimMore": MessageLookupByLibrary.simpleMessage("Réclamez plus !"), - "claimed": MessageLookupByLibrary.simpleMessage("Obtenu"), - "claimedStorageSoFar": m14, - "cleanUncategorized": MessageLookupByLibrary.simpleMessage( - "Effacer les éléments non classés"), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Supprimer tous les fichiers non-catégorisés étant présents dans d\'autres albums"), - "clearCaches": - MessageLookupByLibrary.simpleMessage("Nettoyer le cache"), - "clearIndexes": - MessageLookupByLibrary.simpleMessage("Effacer les index"), - "click": MessageLookupByLibrary.simpleMessage("• Cliquez sur"), - "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( - "• Cliquez sur le menu de débordement"), - "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( - "Cliquez pour installer notre meilleure version"), - "close": MessageLookupByLibrary.simpleMessage("Fermer"), - "clubByCaptureTime": - MessageLookupByLibrary.simpleMessage("Grouper par durée"), - "clubByFileName": - MessageLookupByLibrary.simpleMessage("Grouper par nom de fichier"), - "clusteringProgress": - MessageLookupByLibrary.simpleMessage("Progression du regroupement"), - "codeAppliedPageTitle": - MessageLookupByLibrary.simpleMessage("Code appliqué"), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Désolé, vous avez atteint la limite de changements de code."), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Code copié dans le presse-papiers"), - "codeUsedByYou": - MessageLookupByLibrary.simpleMessage("Code utilisé par vous"), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Créez un lien pour permettre aux personnes d\'ajouter et de voir des photos dans votre album partagé sans avoir besoin d\'une application Ente ou d\'un compte. Idéal pour récupérer des photos d\'événement."), - "collaborativeLink": - MessageLookupByLibrary.simpleMessage("Lien collaboratif"), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Collaborateur"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Les collaborateurs peuvent ajouter des photos et des vidéos à l\'album partagé."), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("Disposition"), - "collageSaved": MessageLookupByLibrary.simpleMessage( - "Collage sauvegardé dans la galerie"), - "collect": MessageLookupByLibrary.simpleMessage("Récupérer"), - "collectEventPhotos": MessageLookupByLibrary.simpleMessage( - "Collecter les photos d\'un événement"), - "collectPhotos": - MessageLookupByLibrary.simpleMessage("Récupérer les photos"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Créez un lien où vos amis peuvent ajouter des photos en qualité originale."), - "color": MessageLookupByLibrary.simpleMessage("Couleur "), - "configuration": MessageLookupByLibrary.simpleMessage("Paramètres"), - "confirm": MessageLookupByLibrary.simpleMessage("Confirmer"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Voulez-vous vraiment désactiver l\'authentification à deux facteurs ?"), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Confirmer la suppression du compte"), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Oui, je veux supprimer définitivement ce compte et ses données dans toutes les applications."), - "confirmPassword": - MessageLookupByLibrary.simpleMessage("Confirmer le mot de passe"), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage( - "Confirmer le changement de l\'offre"), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Confirmer la clé de récupération"), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Confirmer la clé de récupération"), - "connectToDevice": - MessageLookupByLibrary.simpleMessage("Connexion à l\'appareil"), - "contactFamilyAdmin": m18, - "contactSupport": - MessageLookupByLibrary.simpleMessage("Contacter l\'assistance"), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Contacts"), - "contents": MessageLookupByLibrary.simpleMessage("Contenus"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Continuer"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "Poursuivre avec la version d\'essai gratuite"), - "convertToAlbum": - MessageLookupByLibrary.simpleMessage("Convertir en album"), - "copyEmailAddress": - MessageLookupByLibrary.simpleMessage("Copier l’adresse email"), - "copyLink": MessageLookupByLibrary.simpleMessage("Copier le lien"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Copiez-collez ce code\ndans votre application d\'authentification"), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "Nous n\'avons pas pu sauvegarder vos données.\nNous allons réessayer plus tard."), - "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( - "Impossible de libérer de l\'espace"), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Impossible de mettre à jour l’abonnement"), - "count": MessageLookupByLibrary.simpleMessage("Total"), - "crashReporting": - MessageLookupByLibrary.simpleMessage("Rapport d\'erreur"), - "create": MessageLookupByLibrary.simpleMessage("Créer"), - "createAccount": - MessageLookupByLibrary.simpleMessage("Créer un compte"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Appuyez longuement pour sélectionner des photos et cliquez sur + pour créer un album"), - "createCollaborativeLink": - MessageLookupByLibrary.simpleMessage("Créer un lien collaboratif"), - "createCollage": - MessageLookupByLibrary.simpleMessage("Créez un collage"), - "createNewAccount": - MessageLookupByLibrary.simpleMessage("Créer un nouveau compte"), - "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( - "Créez ou sélectionnez un album"), - "createPublicLink": - MessageLookupByLibrary.simpleMessage("Créer un lien public"), - "creatingLink": - MessageLookupByLibrary.simpleMessage("Création du lien..."), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "Mise à jour critique disponible"), - "crop": MessageLookupByLibrary.simpleMessage("Rogner"), - "curatedMemories": - MessageLookupByLibrary.simpleMessage("Souvenirs conservés"), - "currentUsageIs": MessageLookupByLibrary.simpleMessage( - "L\'utilisation actuelle est de "), - "currentlyRunning": - MessageLookupByLibrary.simpleMessage("en cours d\'exécution"), - "custom": MessageLookupByLibrary.simpleMessage("Personnaliser"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Sombre"), - "dayToday": MessageLookupByLibrary.simpleMessage("Aujourd\'hui"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Hier"), - "declineTrustInvite": - MessageLookupByLibrary.simpleMessage("Refuser l’invitation"), - "decrypting": - MessageLookupByLibrary.simpleMessage("Déchiffrement en cours..."), - "decryptingVideo": MessageLookupByLibrary.simpleMessage( - "Déchiffrement de la vidéo..."), - "deduplicateFiles": - MessageLookupByLibrary.simpleMessage("Déduplication de fichiers"), - "delete": MessageLookupByLibrary.simpleMessage("Supprimer"), - "deleteAccount": - MessageLookupByLibrary.simpleMessage("Supprimer mon compte"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Nous sommes désolés de vous voir partir. N\'hésitez pas à partager vos commentaires pour nous aider à nous améliorer."), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Supprimer définitivement le compte"), - "deleteAlbum": - MessageLookupByLibrary.simpleMessage("Supprimer l\'album"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Supprimer aussi les photos (et vidéos) présentes dans cet album de tous les autres albums dont elles font partie ?"), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "Ceci supprimera tous les albums vides. Ceci est utile lorsque vous voulez réduire l\'encombrement dans votre liste d\'albums."), - "deleteAll": MessageLookupByLibrary.simpleMessage("Tout Supprimer"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "Ce compte est lié à d\'autres applications Ente, si vous en utilisez une. Vos données téléchargées, dans toutes les applications ente, seront planifiées pour suppression, et votre compte sera définitivement supprimé."), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Veuillez envoyer un e-mail à account-deletion@ente.io à partir de votre adresse e-mail enregistrée."), - "deleteEmptyAlbums": - MessageLookupByLibrary.simpleMessage("Supprimer les albums vides"), - "deleteEmptyAlbumsWithQuestionMark": - MessageLookupByLibrary.simpleMessage( - "Supprimer les albums vides ?"), - "deleteFromBoth": - MessageLookupByLibrary.simpleMessage("Supprimer des deux"), - "deleteFromDevice": - MessageLookupByLibrary.simpleMessage("Supprimer de l\'appareil"), - "deleteFromEnte": - MessageLookupByLibrary.simpleMessage("Supprimer de Ente"), - "deleteItemCount": m21, - "deleteLocation": - MessageLookupByLibrary.simpleMessage("Supprimer la localisation"), - "deleteMultipleAlbumDialog": m22, - "deletePhotos": - MessageLookupByLibrary.simpleMessage("Supprimer des photos"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Il manque une fonction clé dont j\'ai besoin"), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "L\'application ou une certaine fonctionnalité ne se comporte pas comme je pense qu\'elle devrait"), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "J\'ai trouvé un autre service que je préfère"), - "deleteReason4": - MessageLookupByLibrary.simpleMessage("Ma raison n\'est pas listée"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Votre demande sera traitée sous 72 heures."), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Supprimer l\'album partagé ?"), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "L\'album sera supprimé pour tout le monde\n\nVous perdrez l\'accès aux photos partagées dans cet album qui sont détenues par d\'autres personnes"), - "deselectAll": - MessageLookupByLibrary.simpleMessage("Tout déselectionner"), - "designedToOutlive": - MessageLookupByLibrary.simpleMessage("Conçu pour survivre"), - "details": MessageLookupByLibrary.simpleMessage("Détails"), - "developerSettings": - MessageLookupByLibrary.simpleMessage("Paramètres du développeur"), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Êtes-vous sûr de vouloir modifier les paramètres du développeur ?"), - "deviceCodeHint": - MessageLookupByLibrary.simpleMessage("Saisissez le code"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "Les fichiers ajoutés à cet album seront automatiquement téléchargés sur Ente."), - "deviceLock": MessageLookupByLibrary.simpleMessage( - "Verrouillage par défaut de l\'appareil"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Désactiver le verrouillage de l\'écran lorsque Ente est au premier plan et qu\'une sauvegarde est en cours. Ce n\'est normalement pas nécessaire mais cela peut faciliter les gros téléchargements et les premières importations de grandes bibliothèques."), - "deviceNotFound": - MessageLookupByLibrary.simpleMessage("Appareil non trouvé"), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Le savais-tu ?"), - "different": MessageLookupByLibrary.simpleMessage("Différent(e)"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage( - "Désactiver le verrouillage automatique"), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Les observateurs peuvent toujours prendre des captures d\'écran ou enregistrer une copie de vos photos en utilisant des outils externes"), - "disableDownloadWarningTitle": - MessageLookupByLibrary.simpleMessage("Veuillez remarquer"), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "Désactiver l\'authentification à deux facteurs"), - "disablingTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Désactivation de l\'authentification à deux facteurs..."), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Découverte"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Bébés"), - "discover_celebrations": MessageLookupByLibrary.simpleMessage("Fêtes"), - "discover_food": MessageLookupByLibrary.simpleMessage("Alimentation"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Plantes"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Montagnes"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Identité"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Mèmes"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Notes"), - "discover_pets": - MessageLookupByLibrary.simpleMessage("Animaux de compagnie"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Recettes"), - "discover_screenshots": - MessageLookupByLibrary.simpleMessage("Captures d\'écran "), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfies"), - "discover_sunset": - MessageLookupByLibrary.simpleMessage("Coucher du soleil"), - "discover_visiting_cards": - MessageLookupByLibrary.simpleMessage("Carte de Visite"), - "discover_wallpapers": - MessageLookupByLibrary.simpleMessage("Fonds d\'écran"), - "dismiss": MessageLookupByLibrary.simpleMessage("Rejeter"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": - MessageLookupByLibrary.simpleMessage("Ne pas se déconnecter"), - "doThisLater": MessageLookupByLibrary.simpleMessage("Plus tard"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Voulez-vous annuler les modifications que vous avez faites ?"), - "done": MessageLookupByLibrary.simpleMessage("Terminé"), - "dontSave": MessageLookupByLibrary.simpleMessage("Ne pas enregistrer"), - "doubleYourStorage": MessageLookupByLibrary.simpleMessage( - "Doublez votre espace de stockage"), - "download": MessageLookupByLibrary.simpleMessage("Télécharger"), - "downloadFailed": - MessageLookupByLibrary.simpleMessage("Échec du téléchargement"), - "downloading": - MessageLookupByLibrary.simpleMessage("Téléchargement en cours..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Éditer"), - "editEmailAlreadyLinked": m28, - "editLocation": - MessageLookupByLibrary.simpleMessage("Modifier l’emplacement"), - "editLocationTagTitle": - MessageLookupByLibrary.simpleMessage("Modifier l’emplacement"), - "editPerson": - MessageLookupByLibrary.simpleMessage("Modifier la personne"), - "editTime": MessageLookupByLibrary.simpleMessage("Modifier l\'heure"), - "editsSaved": - MessageLookupByLibrary.simpleMessage("Modification sauvegardée"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Les modifications de l\'emplacement ne seront visibles que dans Ente"), - "eligible": MessageLookupByLibrary.simpleMessage("éligible"), - "email": MessageLookupByLibrary.simpleMessage("E-mail"), - "emailAlreadyRegistered": - MessageLookupByLibrary.simpleMessage("Email déjà enregistré."), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": - MessageLookupByLibrary.simpleMessage("E-mail non enregistré."), - "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( - "Authentification à deux facteurs par email"), - "emailYourLogs": MessageLookupByLibrary.simpleMessage( - "Envoyez vos journaux par email"), - "embracingThem": m32, - "emergencyContacts": - MessageLookupByLibrary.simpleMessage("Contacts d\'urgence"), - "empty": MessageLookupByLibrary.simpleMessage("Vider"), - "emptyTrash": - MessageLookupByLibrary.simpleMessage("Vider la corbeille ?"), - "enable": MessageLookupByLibrary.simpleMessage("Activer"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "Ente prend en charge l\'apprentissage automatique sur l\'appareil pour la reconnaissance des visages, la recherche magique et d\'autres fonctionnalités de recherche avancée"), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Activer l\'apprentissage automatique pour la reconnaissance des visages et la recherche magique"), - "enableMaps": MessageLookupByLibrary.simpleMessage("Activer la carte"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "Vos photos seront affichées sur une carte du monde.\n\nCette carte est hébergée par Open Street Map, et les emplacements exacts de vos photos ne sont jamais partagés.\n\nVous pouvez désactiver cette fonction à tout moment dans les Paramètres."), - "enabled": MessageLookupByLibrary.simpleMessage("Activé"), - "encryptingBackup": MessageLookupByLibrary.simpleMessage( - "Chiffrement de la sauvegarde..."), - "encryption": MessageLookupByLibrary.simpleMessage("Chiffrement"), - "encryptionKeys": - MessageLookupByLibrary.simpleMessage("Clés de chiffrement"), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Point de terminaison mis à jour avec succès"), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Chiffrement de bout en bout par défaut"), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente peut chiffrer et conserver des fichiers que si vous leur accordez l\'accès"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente a besoin d\'une autorisation pour préserver vos photos"), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "Ente conserve vos souvenirs pour qu\'ils soient toujours disponible, même si vous perdez cet appareil."), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Vous pouvez également ajouter votre famille à votre forfait."), - "enterAlbumName": - MessageLookupByLibrary.simpleMessage("Saisir un nom d\'album"), - "enterCode": MessageLookupByLibrary.simpleMessage("Entrer le code"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Entrez le code fourni par votre ami·e pour débloquer l\'espace de stockage gratuit"), - "enterDateOfBirth": - MessageLookupByLibrary.simpleMessage("Anniversaire (facultatif)"), - "enterEmail": MessageLookupByLibrary.simpleMessage("Entrer un email"), - "enterFileName": - MessageLookupByLibrary.simpleMessage("Entrez le nom du fichier"), - "enterName": MessageLookupByLibrary.simpleMessage("Saisir un nom"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Saisissez votre nouveau mot de passe qui sera utilisé pour chiffrer vos données"), - "enterPassword": - MessageLookupByLibrary.simpleMessage("Saisissez le mot de passe"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Entrez un mot de passe que nous pouvons utiliser pour chiffrer vos données"), - "enterPersonName": MessageLookupByLibrary.simpleMessage( - "Entrez le nom d\'une personne"), - "enterPin": MessageLookupByLibrary.simpleMessage("Saisir le code PIN"), - "enterReferralCode": - MessageLookupByLibrary.simpleMessage("Code de parrainage"), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Entrez le code à 6 chiffres de\nvotre application d\'authentification"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Veuillez entrer une adresse email valide."), - "enterYourEmailAddress": - MessageLookupByLibrary.simpleMessage("Entrez votre adresse e-mail"), - "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( - "Entrez votre nouvelle adresse e-mail"), - "enterYourPassword": - MessageLookupByLibrary.simpleMessage("Entrez votre mot de passe"), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Entrez votre clé de récupération"), - "error": MessageLookupByLibrary.simpleMessage("Erreur"), - "everywhere": MessageLookupByLibrary.simpleMessage("partout"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": - MessageLookupByLibrary.simpleMessage("Utilisateur existant"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Ce lien a expiré. Veuillez sélectionner un nouveau délai d\'expiration ou désactiver l\'expiration du lien."), - "exportLogs": MessageLookupByLibrary.simpleMessage("Exporter les logs"), - "exportYourData": - MessageLookupByLibrary.simpleMessage("Exportez vos données"), - "extraPhotosFound": MessageLookupByLibrary.simpleMessage( - "Photos supplémentaires trouvées"), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Ce visage n\'a pas encore été regroupé, veuillez revenir plus tard"), - "faceRecognition": - MessageLookupByLibrary.simpleMessage("Reconnaissance faciale"), - "faces": MessageLookupByLibrary.simpleMessage("Visages"), - "failed": MessageLookupByLibrary.simpleMessage("Échec"), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage( - "Impossible d\'appliquer le code"), - "failedToCancel": - MessageLookupByLibrary.simpleMessage("Échec de l\'annulation"), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( - "Échec du téléchargement de la vidéo"), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Impossible de récupérer les connexions actives"), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Impossible de récupérer l\'original pour l\'édition"), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Impossible de récupérer les détails du parrainage. Veuillez réessayer plus tard."), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "Impossible de charger les albums"), - "failedToPlayVideo": - MessageLookupByLibrary.simpleMessage("Impossible de lire la vidéo"), - "failedToRefreshStripeSubscription": - MessageLookupByLibrary.simpleMessage( - "Impossible de rafraîchir l\'abonnement"), - "failedToRenew": - MessageLookupByLibrary.simpleMessage("Échec du renouvellement"), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Échec de la vérification du statut du paiement"), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Ajoutez 5 membres de votre famille à votre abonnement existant sans payer de supplément.\n\nChaque membre dispose de son propre espace privé et ne peut pas voir les fichiers des autres membres, sauf s\'ils sont partagés.\n\nLes abonnement familiaux sont disponibles pour les clients qui ont un abonnement Ente payant.\n\nAbonnez-vous maintenant pour commencer !"), - "familyPlanPortalTitle": - MessageLookupByLibrary.simpleMessage("Famille"), - "familyPlans": - MessageLookupByLibrary.simpleMessage("Abonnements famille"), - "faq": MessageLookupByLibrary.simpleMessage("FAQ"), - "faqs": MessageLookupByLibrary.simpleMessage("FAQ"), - "favorite": MessageLookupByLibrary.simpleMessage("Favori"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("Commentaires"), - "file": MessageLookupByLibrary.simpleMessage("Fichier"), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Échec de l\'enregistrement dans la galerie"), - "fileInfoAddDescHint": - MessageLookupByLibrary.simpleMessage("Ajouter une description..."), - "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( - "Le fichier n\'a pas encore été envoyé"), - "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Fichier enregistré dans la galerie"), - "fileTypes": MessageLookupByLibrary.simpleMessage("Types de fichiers"), - "fileTypesAndNames": - MessageLookupByLibrary.simpleMessage("Types et noms de fichiers"), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": - MessageLookupByLibrary.simpleMessage("Fichiers supprimés"), - "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Fichiers enregistrés dans la galerie"), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Trouver des personnes rapidement par leur nom"), - "findThemQuickly": - MessageLookupByLibrary.simpleMessage("Trouvez-les rapidement"), - "flip": MessageLookupByLibrary.simpleMessage("Retourner"), - "food": MessageLookupByLibrary.simpleMessage("Plaisir culinaire"), - "forYourMemories": - MessageLookupByLibrary.simpleMessage("pour vos souvenirs"), - "forgotPassword": - MessageLookupByLibrary.simpleMessage("Mot de passe oublié"), - "foundFaces": MessageLookupByLibrary.simpleMessage("Visages trouvés"), - "freeStorageClaimed": - MessageLookupByLibrary.simpleMessage("Stockage gratuit obtenu"), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": - MessageLookupByLibrary.simpleMessage("Stockage gratuit disponible"), - "freeTrial": MessageLookupByLibrary.simpleMessage("Essai gratuit"), - "freeTrialValidTill": m38, - "freeUpAccessPostDelete": m39, - "freeUpAmount": m40, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( - "Libérer de l\'espace sur l\'appareil"), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Économisez de l\'espace sur votre appareil en effaçant les fichiers qui ont déjà été sauvegardés."), - "freeUpSpace": - MessageLookupByLibrary.simpleMessage("Libérer de l\'espace"), - "freeUpSpaceSaving": m41, - "gallery": MessageLookupByLibrary.simpleMessage("Galerie"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "Jusqu\'à 1000 souvenirs affichés dans la galerie"), - "general": MessageLookupByLibrary.simpleMessage("Général"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Génération des clés de chiffrement..."), - "genericProgress": m42, - "goToSettings": - MessageLookupByLibrary.simpleMessage("Allez aux réglages"), - "googlePlayId": - MessageLookupByLibrary.simpleMessage("Identifiant Google Play"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Veuillez autoriser l’accès à toutes les photos dans les paramètres"), - "grantPermission": - MessageLookupByLibrary.simpleMessage("Accorder la permission"), - "greenery": MessageLookupByLibrary.simpleMessage("La vie au vert"), - "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( - "Grouper les photos à proximité"), - "guestView": MessageLookupByLibrary.simpleMessage("Vue invité"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "Pour activer la vue invité, veuillez configurer le code d\'accès de l\'appareil ou le verrouillage de l\'écran dans les paramètres de votre système."), - "happyBirthday": - MessageLookupByLibrary.simpleMessage("Joyeux anniversaire ! 🥳"), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "Nous ne suivons pas les installations d\'applications. Il serait utile que vous nous disiez comment vous nous avez trouvés !"), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Comment avez-vous entendu parler de Ente? (facultatif)"), - "help": MessageLookupByLibrary.simpleMessage("Documentation"), - "hidden": MessageLookupByLibrary.simpleMessage("Masqué"), - "hide": MessageLookupByLibrary.simpleMessage("Masquer"), - "hideContent": - MessageLookupByLibrary.simpleMessage("Masquer le contenu"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Masque le contenu de l\'application dans le sélecteur d\'applications et désactive les captures d\'écran"), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Masque le contenu de l\'application dans le sélecteur d\'application"), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "Masquer les éléments partagés avec vous dans la galerie"), - "hiding": MessageLookupByLibrary.simpleMessage("Masquage en cours..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": - MessageLookupByLibrary.simpleMessage("Hébergé chez OSM France"), - "howItWorks": - MessageLookupByLibrary.simpleMessage("Comment cela fonctionne"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Demandez-leur d\'appuyer longuement sur leur adresse email dans l\'écran des paramètres pour vérifier que les identifiants des deux appareils correspondent."), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "L\'authentification biométrique n\'est pas configurée sur votre appareil. Veuillez activer Touch ID ou Face ID sur votre téléphone."), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "L\'authentification biométrique est désactivée. Veuillez verrouiller et déverrouiller votre écran pour l\'activer."), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("Ok"), - "ignore": MessageLookupByLibrary.simpleMessage("Ignorer"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorer"), - "ignored": MessageLookupByLibrary.simpleMessage("ignoré"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Certains fichiers de cet album sont ignorés parce qu\'ils avaient été précédemment supprimés de Ente."), - "imageNotAnalyzed": - MessageLookupByLibrary.simpleMessage("Image non analysée"), - "immediately": MessageLookupByLibrary.simpleMessage("Immédiatement"), - "importing": - MessageLookupByLibrary.simpleMessage("Importation en cours..."), - "incorrectCode": - MessageLookupByLibrary.simpleMessage("Code non valide"), - "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("Mot de passe incorrect"), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Clé de récupération non valide"), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "La clé de secours que vous avez entrée est incorrecte"), - "incorrectRecoveryKeyTitle": - MessageLookupByLibrary.simpleMessage("Clé de secours non valide"), - "indexedItems": - MessageLookupByLibrary.simpleMessage("Éléments indexés"), - "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( - "L\'indexation est en pause. Elle reprendra automatiquement lorsque l\'appareil sera prêt. Celui-ci est considéré comme prêt lorsque le niveau de batterie, sa santé et son état thermique sont dans une plage saine."), - "ineligible": MessageLookupByLibrary.simpleMessage("Non compatible"), - "info": MessageLookupByLibrary.simpleMessage("Info"), - "insecureDevice": - MessageLookupByLibrary.simpleMessage("Appareil non sécurisé"), - "installManually": - MessageLookupByLibrary.simpleMessage("Installation manuelle"), - "invalidEmailAddress": - MessageLookupByLibrary.simpleMessage("Adresse e-mail invalide"), - "invalidEndpoint": MessageLookupByLibrary.simpleMessage( - "Point de terminaison non valide"), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Désolé, le point de terminaison que vous avez entré n\'est pas valide. Veuillez en entrer un valide puis réessayez."), - "invalidKey": MessageLookupByLibrary.simpleMessage("Clé invalide"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "La clé de récupération que vous avez saisie n\'est pas valide. Veuillez vérifier qu\'elle contient 24 caractères et qu\'ils sont correctement orthographiés.\n\nSi vous avez saisi un ancien code de récupération, veuillez vérifier qu\'il contient 64 caractères et qu\'ils sont correctement orthographiés."), - "invite": MessageLookupByLibrary.simpleMessage("Inviter"), - "inviteToEnte": - MessageLookupByLibrary.simpleMessage("Inviter à rejoindre Ente"), - "inviteYourFriends": - MessageLookupByLibrary.simpleMessage("Parrainez vos ami·e·s"), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "Invitez vos ami·e·s sur Ente"), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Il semble qu\'une erreur s\'est produite. Veuillez réessayer après un certain temps. Si l\'erreur persiste, veuillez contacter notre équipe d\'assistance."), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "Les éléments montrent le nombre de jours restants avant la suppression définitive"), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Les éléments sélectionnés seront supprimés de cet album"), - "join": MessageLookupByLibrary.simpleMessage("Rejoindre"), - "joinAlbum": MessageLookupByLibrary.simpleMessage("Rejoindre l\'album"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "Rejoindre un album rendra votre e-mail visible à ses participants."), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( - "pour afficher et ajouter vos photos"), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "pour ajouter ceci aux albums partagés"), - "joinDiscord": - MessageLookupByLibrary.simpleMessage("Rejoindre Discord"), - "keepPhotos": - MessageLookupByLibrary.simpleMessage("Conserver les photos"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Merci de nous aider avec cette information"), - "language": MessageLookupByLibrary.simpleMessage("Langue"), - "lastTimeWithThem": m45, - "lastUpdated": - MessageLookupByLibrary.simpleMessage("Dernière mise à jour"), - "lastYearsTrip": - MessageLookupByLibrary.simpleMessage("Voyage de l\'an dernier"), - "leave": MessageLookupByLibrary.simpleMessage("Quitter"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Quitter l\'album"), - "leaveFamily": - MessageLookupByLibrary.simpleMessage("Quitter le plan familial"), - "leaveSharedAlbum": - MessageLookupByLibrary.simpleMessage("Quitter l\'album partagé?"), - "left": MessageLookupByLibrary.simpleMessage("Gauche"), - "legacy": MessageLookupByLibrary.simpleMessage("Héritage"), - "legacyAccounts": - MessageLookupByLibrary.simpleMessage("Comptes hérités"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "L\'héritage permet aux contacts de confiance d\'accéder à votre compte en votre absence."), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "Ces contacts peuvent initier la récupération du compte et, s\'ils ne sont pas bloqués dans les 30 jours qui suivent, peuvent réinitialiser votre mot de passe et accéder à votre compte."), - "light": MessageLookupByLibrary.simpleMessage("Clair"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Clair"), - "link": MessageLookupByLibrary.simpleMessage("Lier"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Lien copié dans le presse-papiers"), - "linkDeviceLimit": - MessageLookupByLibrary.simpleMessage("Limite d\'appareil"), - "linkEmail": MessageLookupByLibrary.simpleMessage("Lier l\'email"), - "linkEmailToContactBannerCaption": - MessageLookupByLibrary.simpleMessage("pour un partage plus rapide"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Activé"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Expiré"), - "linkExpiresOn": m47, - "linkExpiry": - MessageLookupByLibrary.simpleMessage("Expiration du lien"), - "linkHasExpired": - MessageLookupByLibrary.simpleMessage("Le lien a expiré"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Jamais"), - "linkPerson": MessageLookupByLibrary.simpleMessage("Lier la personne"), - "linkPersonCaption": MessageLookupByLibrary.simpleMessage( - "pour une meilleure expérience de partage"), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("Photos en direct"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "Vous pouvez partager votre abonnement avec votre famille"), - "loadMessage2": MessageLookupByLibrary.simpleMessage( - "Nous avons préservé plus de 200 millions de souvenirs jusqu\'à présent"), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "Nous conservons 3 copies de vos données, l\'une dans un abri anti-atomique"), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "Toutes nos applications sont open source"), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Notre code source et notre cryptographie ont été audités en externe"), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "Vous pouvez partager des liens vers vos albums avec vos proches"), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Nos applications mobiles s\'exécutent en arrière-plan pour chiffrer et sauvegarder automatiquement les nouvelles photos que vous prenez"), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io dispose d\'un outil de téléchargement facile à utiliser"), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Nous utilisons Xchacha20Poly1305 pour chiffrer vos données en toute sécurité"), - "loadingExifData": MessageLookupByLibrary.simpleMessage( - "Chargement des données EXIF..."), - "loadingGallery": - MessageLookupByLibrary.simpleMessage("Chargement de la galerie..."), - "loadingMessage": - MessageLookupByLibrary.simpleMessage("Chargement de vos photos..."), - "loadingModel": MessageLookupByLibrary.simpleMessage( - "Téléchargement des modèles..."), - "loadingYourPhotos": - MessageLookupByLibrary.simpleMessage("Chargement de vos photos..."), - "localGallery": MessageLookupByLibrary.simpleMessage("Galerie locale"), - "localIndexing": - MessageLookupByLibrary.simpleMessage("Indexation locale"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Il semble que quelque chose s\'est mal passé car la synchronisation des photos locales prend plus de temps que prévu. Veuillez contacter notre équipe d\'assistance"), - "location": MessageLookupByLibrary.simpleMessage("Emplacement"), - "locationName": MessageLookupByLibrary.simpleMessage("Nom du lieu"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Un tag d\'emplacement regroupe toutes les photos qui ont été prises dans un certain rayon d\'une photo"), - "locations": MessageLookupByLibrary.simpleMessage("Emplacements"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Verrouiller"), - "lockscreen": - MessageLookupByLibrary.simpleMessage("Écran de verrouillage"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Se connecter"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Deconnexion..."), - "loginSessionExpired": - MessageLookupByLibrary.simpleMessage("Session expirée"), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "Votre session a expiré. Veuillez vous reconnecter."), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "En cliquant sur connecter, j\'accepte les conditions d\'utilisation et la politique de confidentialité"), - "loginWithTOTP": - MessageLookupByLibrary.simpleMessage("Se connecter avec TOTP"), - "logout": MessageLookupByLibrary.simpleMessage("Déconnexion"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Les journaux seront envoyés pour nous aider à déboguer votre problème. Les noms de fichiers seront inclus pour aider à identifier les problèmes."), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Appuyez longuement sur un email pour vérifier le chiffrement de bout en bout."), - "longpressOnAnItemToViewInFullscreen": - MessageLookupByLibrary.simpleMessage( - "Appuyez longuement sur un élément pour le voir en plein écran"), - "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( - "Regarde tes souvenirs passés 🌄"), - "loopVideoOff": - MessageLookupByLibrary.simpleMessage("Vidéo en boucle désactivée"), - "loopVideoOn": - MessageLookupByLibrary.simpleMessage("Vidéo en boucle activée"), - "lostDevice": MessageLookupByLibrary.simpleMessage("Appareil perdu ?"), - "machineLearning": MessageLookupByLibrary.simpleMessage( - "Apprentissage automatique (IA locale)"), - "magicSearch": - MessageLookupByLibrary.simpleMessage("Recherche magique"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "La recherche magique permet de rechercher des photos par leur contenu, par exemple \'fleur\', \'voiture rouge\', \'documents d\'identité\'"), - "manage": MessageLookupByLibrary.simpleMessage("Gérer"), - "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( - "Gérer le cache de l\'appareil"), - "manageDeviceStorageDesc": - MessageLookupByLibrary.simpleMessage("Examiner et vider le cache."), - "manageFamily": - MessageLookupByLibrary.simpleMessage("Gérer la famille"), - "manageLink": MessageLookupByLibrary.simpleMessage("Gérer le lien"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Gérer"), - "manageSubscription": - MessageLookupByLibrary.simpleMessage("Gérer l\'abonnement"), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "L\'appairage avec le code PIN fonctionne avec n\'importe quel écran sur lequel vous souhaitez voir votre album."), - "map": MessageLookupByLibrary.simpleMessage("Carte"), - "maps": MessageLookupByLibrary.simpleMessage("Carte"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("Moi"), - "memories": MessageLookupByLibrary.simpleMessage("Souvenirs"), - "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Sélectionnez le type de souvenirs que vous souhaitez voir sur votre écran d\'accueil."), - "memoryCount": m50, - "merchandise": MessageLookupByLibrary.simpleMessage("Boutique"), - "merge": MessageLookupByLibrary.simpleMessage("Fusionner"), - "mergeWithExisting": - MessageLookupByLibrary.simpleMessage("Fusionner avec existant"), - "mergedPhotos": - MessageLookupByLibrary.simpleMessage("Photos fusionnées"), - "mlConsent": MessageLookupByLibrary.simpleMessage( - "Activer l\'apprentissage automatique"), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Je comprends et je souhaite activer l\'apprentissage automatique"), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Si vous activez l\'apprentissage automatique Ente extraira des informations comme la géométrie des visages, y compris dans les photos partagées avec vous. \nCela se fera localement sur votre appareil et avec un chiffrement bout-en-bout de toutes les données biométriques générées."), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Veuillez cliquer ici pour plus de détails sur cette fonctionnalité dans notre politique de confidentialité"), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "Activer l\'apprentissage automatique ?"), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Veuillez noter que l\'apprentissage automatique entraînera une augmentation de l\'utilisation de la connexion Internet et de la batterie jusqu\'à ce que tous les souvenirs soient indexés. \nVous pouvez utiliser l\'application de bureau Ente pour accélérer cette étape, tous les résultats seront synchronisés."), - "mobileWebDesktop": - MessageLookupByLibrary.simpleMessage("Mobile, Web, Ordinateur"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Moyen"), - "modifyYourQueryOrTrySearchingFor": - MessageLookupByLibrary.simpleMessage( - "Modifiez votre requête, ou essayez de rechercher"), - "moments": MessageLookupByLibrary.simpleMessage("Souvenirs"), - "month": MessageLookupByLibrary.simpleMessage("mois"), - "monthly": MessageLookupByLibrary.simpleMessage("Mensuel"), - "moon": MessageLookupByLibrary.simpleMessage("Au clair de lune"), - "moreDetails": MessageLookupByLibrary.simpleMessage("Plus de détails"), - "mostRecent": MessageLookupByLibrary.simpleMessage("Les plus récents"), - "mostRelevant": - MessageLookupByLibrary.simpleMessage("Les plus pertinents"), - "mountains": - MessageLookupByLibrary.simpleMessage("Au-dessus des collines"), - "moveItem": m51, - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "Déplacer les photos sélectionnées vers une date"), - "moveToAlbum": - MessageLookupByLibrary.simpleMessage("Déplacer vers l\'album"), - "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Déplacer vers un album masqué"), - "movedSuccessfullyTo": m52, - "movedToTrash": - MessageLookupByLibrary.simpleMessage("Déplacé dans la corbeille"), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Déplacement des fichiers vers l\'album..."), - "name": MessageLookupByLibrary.simpleMessage("Nom"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Nommez l\'album"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Impossible de se connecter à Ente, veuillez réessayer après un certain temps. Si l\'erreur persiste, veuillez contacter le support."), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Impossible de se connecter à Ente, veuillez vérifier vos paramètres réseau et contacter le support si l\'erreur persiste."), - "never": MessageLookupByLibrary.simpleMessage("Jamais"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Nouvel album"), - "newLocation": MessageLookupByLibrary.simpleMessage("Nouveau lieu"), - "newPerson": MessageLookupByLibrary.simpleMessage("Nouvelle personne"), - "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" nouveau 📸"), - "newRange": MessageLookupByLibrary.simpleMessage("Nouvelle plage"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Nouveau sur Ente"), - "newest": MessageLookupByLibrary.simpleMessage("Le plus récent"), - "next": MessageLookupByLibrary.simpleMessage("Suivant"), - "no": MessageLookupByLibrary.simpleMessage("Non"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Aucun album que vous avez partagé"), - "noDeviceFound": - MessageLookupByLibrary.simpleMessage("Aucun appareil trouvé"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Aucune"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "Vous n\'avez pas de fichiers sur cet appareil qui peuvent être supprimés"), - "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Aucun doublon"), - "noEnteAccountExclamation": - MessageLookupByLibrary.simpleMessage("Aucun compte Ente !"), - "noExifData": - MessageLookupByLibrary.simpleMessage("Aucune donnée EXIF"), - "noFacesFound": - MessageLookupByLibrary.simpleMessage("Aucun visage détecté"), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "Aucune photo ou vidéo masquée"), - "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( - "Aucune image avec localisation"), - "noInternetConnection": - MessageLookupByLibrary.simpleMessage("Aucune connexion internet"), - "noPhotosAreBeingBackedUpRightNow": - MessageLookupByLibrary.simpleMessage( - "Aucune photo en cours de sauvegarde"), - "noPhotosFoundHere": - MessageLookupByLibrary.simpleMessage("Aucune photo trouvée"), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( - "Aucun lien rapide sélectionné"), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Aucune clé de récupération ?"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "En raison de notre protocole de chiffrement de bout en bout, vos données ne peuvent pas être déchiffré sans votre mot de passe ou clé de récupération"), - "noResults": MessageLookupByLibrary.simpleMessage("Aucun résultat"), - "noResultsFound": - MessageLookupByLibrary.simpleMessage("Aucun résultat trouvé"), - "noSuggestionsForPerson": m53, - "noSystemLockFound": - MessageLookupByLibrary.simpleMessage("Aucun verrou système trouvé"), - "notPersonLabel": m54, - "notThisPerson": MessageLookupByLibrary.simpleMessage( - "Ce n\'est pas cette personne ?"), - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "Rien n\'a encore été partagé avec vous"), - "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( - "Il n\'y a encore rien à voir ici 👀"), - "notifications": MessageLookupByLibrary.simpleMessage("Notifications"), - "ok": MessageLookupByLibrary.simpleMessage("Ok"), - "onDevice": MessageLookupByLibrary.simpleMessage("Sur votre appareil"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "Sur Ente"), - "onTheRoad": - MessageLookupByLibrary.simpleMessage("De nouveau sur la route"), - "onThisDay": MessageLookupByLibrary.simpleMessage("Ce jour-ci"), - "onThisDayMemories": - MessageLookupByLibrary.simpleMessage("Souvenirs du jour"), - "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( - "Recevoir des rappels sur les souvenirs de cette journée des années précédentes."), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Seulement eux"), - "oops": MessageLookupByLibrary.simpleMessage("Oups"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Oups, impossible d\'enregistrer les modifications"), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Oups, une erreur est arrivée"), - "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( - "Ouvrir l\'album dans le navigateur"), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Veuillez utiliser l\'application web pour ajouter des photos à cet album"), - "openFile": MessageLookupByLibrary.simpleMessage("Ouvrir le fichier"), - "openSettings": - MessageLookupByLibrary.simpleMessage("Ouvrir les paramètres"), - "openTheItem": - MessageLookupByLibrary.simpleMessage("• Ouvrir l\'élément"), - "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( - "Contributeurs d\'OpenStreetMap"), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Optionnel, aussi court que vous le souhaitez..."), - "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( - "Ou fusionner avec une personne existante"), - "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( - "Ou sélectionner un email existant"), - "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( - "ou choisissez parmi vos contacts"), - "otherDetectedFaces": - MessageLookupByLibrary.simpleMessage("Autres visages détectés"), - "pair": MessageLookupByLibrary.simpleMessage("Associer"), - "pairWithPin": - MessageLookupByLibrary.simpleMessage("Appairer avec le code PIN"), - "pairingComplete": - MessageLookupByLibrary.simpleMessage("Appairage terminé"), - "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), - "partyWithThem": m56, - "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( - "La vérification est toujours en attente"), - "passkey": MessageLookupByLibrary.simpleMessage( - "Authentification à deux facteurs avec une clé de sécurité"), - "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( - "Vérification de la clé de sécurité"), - "password": MessageLookupByLibrary.simpleMessage("Mot de passe"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Le mot de passe a été modifié"), - "passwordLock": MessageLookupByLibrary.simpleMessage( - "Verrouillage par mot de passe"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "La force du mot de passe est calculée en tenant compte de la longueur du mot de passe, des caractères utilisés et du fait que le mot de passe figure ou non parmi les 10 000 mots de passe les plus utilisés"), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Nous ne stockons pas ce mot de passe, donc si vous l\'oubliez, nous ne pouvons pas déchiffrer vos données"), - "pastYearsMemories": MessageLookupByLibrary.simpleMessage( - "Souvenirs de ces dernières années"), - "paymentDetails": - MessageLookupByLibrary.simpleMessage("Détails de paiement"), - "paymentFailed": - MessageLookupByLibrary.simpleMessage("Échec du paiement"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "Malheureusement votre paiement a échoué. Veuillez contacter le support et nous vous aiderons !"), - "paymentFailedTalkToProvider": m58, - "pendingItems": - MessageLookupByLibrary.simpleMessage("Éléments en attente"), - "pendingSync": - MessageLookupByLibrary.simpleMessage("Synchronisation en attente"), - "people": MessageLookupByLibrary.simpleMessage("Personnes"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Filleul·e·s utilisant votre code"), - "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Sélectionnez les personnes que vous souhaitez voir sur votre écran d\'accueil."), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Tous les éléments de la corbeille seront définitivement supprimés\n\nCette action ne peut pas être annulée"), - "permanentlyDelete": - MessageLookupByLibrary.simpleMessage("Supprimer définitivement"), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Supprimer définitivement de l\'appareil ?"), - "personIsAge": m59, - "personName": - MessageLookupByLibrary.simpleMessage("Nom de la personne"), - "personTurningAge": m60, - "pets": - MessageLookupByLibrary.simpleMessage("Compagnons à quatre pattes"), - "photoDescriptions": - MessageLookupByLibrary.simpleMessage("Descriptions de la photo"), - "photoGridSize": - MessageLookupByLibrary.simpleMessage("Taille de la grille photo"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("photo"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("Photos"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "Les photos ajoutées par vous seront retirées de l\'album"), - "photosCount": m62, - "photosKeepRelativeTimeDifference": - MessageLookupByLibrary.simpleMessage( - "Les photos gardent une différence de temps relative"), - "pickCenterPoint": MessageLookupByLibrary.simpleMessage( - "Sélectionner le point central"), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Épingler l\'album"), - "pinLock": - MessageLookupByLibrary.simpleMessage("Verrouillage par code PIN"), - "playOnTv": - MessageLookupByLibrary.simpleMessage("Lire l\'album sur la TV"), - "playOriginal": - MessageLookupByLibrary.simpleMessage("Lire l\'original"), - "playStoreFreeTrialValidTill": m63, - "playStream": MessageLookupByLibrary.simpleMessage("Lire le stream"), - "playstoreSubscription": - MessageLookupByLibrary.simpleMessage("Abonnement au PlayStore"), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "S\'il vous plaît, vérifiez votre connexion à internet et réessayez."), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Veuillez contacter support@ente.io et nous serons heureux de vous aider!"), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Merci de contacter l\'assistance si cette erreur persiste"), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( - "Veuillez accorder la permission"), - "pleaseLoginAgain": - MessageLookupByLibrary.simpleMessage("Veuillez vous reconnecter"), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Veuillez sélectionner les liens rapides à supprimer"), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": - MessageLookupByLibrary.simpleMessage("Veuillez réessayer"), - "pleaseVerifyTheCodeYouHaveEntered": - MessageLookupByLibrary.simpleMessage( - "Veuillez vérifier le code que vous avez entré"), - "pleaseWait": - MessageLookupByLibrary.simpleMessage("Veuillez patienter..."), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Veuillez patienter, suppression de l\'album"), - "pleaseWaitForSometimeBeforeRetrying": - MessageLookupByLibrary.simpleMessage( - "Veuillez attendre quelque temps avant de réessayer"), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "Veuillez patienter, cela prendra un peu de temps."), - "posingWithThem": m66, - "preparingLogs": - MessageLookupByLibrary.simpleMessage("Préparation des journaux..."), - "preserveMore": MessageLookupByLibrary.simpleMessage("Conserver plus"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Appuyez et maintenez enfoncé pour lire la vidéo"), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Maintenez appuyé sur l\'image pour lire la vidéo"), - "previous": MessageLookupByLibrary.simpleMessage("Précédent"), - "privacy": MessageLookupByLibrary.simpleMessage( - "Politique de confidentialité"), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( - "Politique de Confidentialité"), - "privateBackups": - MessageLookupByLibrary.simpleMessage("Sauvegardes privées"), - "privateSharing": MessageLookupByLibrary.simpleMessage("Partage privé"), - "proceed": MessageLookupByLibrary.simpleMessage("Procéder"), - "processed": MessageLookupByLibrary.simpleMessage("Appris"), - "processing": - MessageLookupByLibrary.simpleMessage("Traitement en cours"), - "processingImport": m67, - "processingVideos": - MessageLookupByLibrary.simpleMessage("Traitement des vidéos"), - "publicLinkCreated": - MessageLookupByLibrary.simpleMessage("Lien public créé"), - "publicLinkEnabled": - MessageLookupByLibrary.simpleMessage("Lien public activé"), - "questionmark": MessageLookupByLibrary.simpleMessage("?"), - "queued": MessageLookupByLibrary.simpleMessage("En file d\'attente"), - "quickLinks": MessageLookupByLibrary.simpleMessage("Liens rapides"), - "radius": MessageLookupByLibrary.simpleMessage("Rayon"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Créer un ticket"), - "rateTheApp": - MessageLookupByLibrary.simpleMessage("Évaluer l\'application"), - "rateUs": MessageLookupByLibrary.simpleMessage("Évaluez-nous"), - "rateUsOnStore": m68, - "reassignMe": - MessageLookupByLibrary.simpleMessage("Réassigner \"Moi\""), - "reassignedToName": m69, - "reassigningLoading": - MessageLookupByLibrary.simpleMessage("Réassignation..."), - "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( - "Recevoir des rappels quand c\'est l\'anniversaire de quelqu\'un. Appuyer sur la notification vous amènera à des photos de son anniversaire."), - "recover": MessageLookupByLibrary.simpleMessage("Récupérer"), - "recoverAccount": - MessageLookupByLibrary.simpleMessage("Récupérer un compte"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Restaurer"), - "recoveryAccount": - MessageLookupByLibrary.simpleMessage("Récupérer un compte"), - "recoveryInitiated": - MessageLookupByLibrary.simpleMessage("Récupération initiée"), - "recoveryInitiatedDesc": m70, - "recoveryKey": MessageLookupByLibrary.simpleMessage("Clé de secours"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Clé de secours copiée dans le presse-papiers"), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Si vous oubliez votre mot de passe, la seule façon de récupérer vos données sera grâce à cette clé."), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Nous ne la stockons pas, veuillez la conserver en lieu endroit sûr."), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Génial ! Votre clé de récupération est valide. Merci de votre vérification.\n\nN\'oubliez pas de garder votre clé de récupération sauvegardée."), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Clé de récupération vérifiée"), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Votre clé de récupération est la seule façon de récupérer vos photos si vous oubliez votre mot de passe. Vous pouvez trouver votre clé de récupération dans Paramètres > Compte.\n\nVeuillez saisir votre clé de récupération ici pour vous assurer de l\'avoir enregistré correctement."), - "recoveryReady": m71, - "recoverySuccessful": - MessageLookupByLibrary.simpleMessage("Restauration réussie !"), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "Un contact de confiance tente d\'accéder à votre compte"), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "L\'appareil actuel n\'est pas assez puissant pour vérifier votre mot de passe, mais nous pouvons le régénérer d\'une manière qui fonctionne avec tous les appareils.\n\nVeuillez vous connecter à l\'aide de votre clé de secours et régénérer votre mot de passe (vous pouvez réutiliser le même si vous le souhaitez)."), - "recreatePasswordTitle": - MessageLookupByLibrary.simpleMessage("Recréer le mot de passe"), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": - MessageLookupByLibrary.simpleMessage("Ressaisir le mot de passe"), - "reenterPin": - MessageLookupByLibrary.simpleMessage("Ressaisir le code PIN"), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Parrainez vos ami·e·s et doublez votre stockage"), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Donnez ce code à vos ami·e·s"), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Ils souscrivent à une offre payante"), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Parrainages"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "Les recommandations sont actuellement en pause"), - "rejectRecovery": - MessageLookupByLibrary.simpleMessage("Rejeter la récupération"), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "Également vide \"récemment supprimé\" de \"Paramètres\" -> \"Stockage\" pour réclamer l\'espace libéré"), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Vide aussi votre \"Corbeille\" pour réclamer l\'espace libéré"), - "remoteImages": - MessageLookupByLibrary.simpleMessage("Images distantes"), - "remoteThumbnails": - MessageLookupByLibrary.simpleMessage("Miniatures distantes"), - "remoteVideos": - MessageLookupByLibrary.simpleMessage("Vidéos distantes"), - "remove": MessageLookupByLibrary.simpleMessage("Supprimer"), - "removeDuplicates": - MessageLookupByLibrary.simpleMessage("Supprimer les doublons"), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Examinez et supprimez les fichiers étant des doublons exacts."), - "removeFromAlbum": - MessageLookupByLibrary.simpleMessage("Retirer de l\'album"), - "removeFromAlbumTitle": - MessageLookupByLibrary.simpleMessage("Retirer de l\'album ?"), - "removeFromFavorite": - MessageLookupByLibrary.simpleMessage("Retirer des favoris"), - "removeInvite": - MessageLookupByLibrary.simpleMessage("Supprimer l’Invitation"), - "removeLink": MessageLookupByLibrary.simpleMessage("Supprimer le lien"), - "removeParticipant": - MessageLookupByLibrary.simpleMessage("Supprimer le participant"), - "removeParticipantBody": m74, - "removePersonLabel": MessageLookupByLibrary.simpleMessage( - "Supprimer le libellé d\'une personne"), - "removePublicLink": - MessageLookupByLibrary.simpleMessage("Supprimer le lien public"), - "removePublicLinks": - MessageLookupByLibrary.simpleMessage("Supprimer les liens publics"), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Certains des éléments que vous êtes en train de retirer ont été ajoutés par d\'autres personnes, vous perdrez l\'accès vers ces éléments"), - "removeWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Enlever?"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Retirez-vous comme contact de confiance"), - "removingFromFavorites": - MessageLookupByLibrary.simpleMessage("Suppression des favoris…"), - "rename": MessageLookupByLibrary.simpleMessage("Renommer"), - "renameAlbum": - MessageLookupByLibrary.simpleMessage("Renommer l\'album"), - "renameFile": - MessageLookupByLibrary.simpleMessage("Renommer le fichier"), - "renewSubscription": - MessageLookupByLibrary.simpleMessage("Renouveler l’abonnement"), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Signaler un bogue"), - "reportBug": MessageLookupByLibrary.simpleMessage("Signaler un bogue"), - "resendEmail": - MessageLookupByLibrary.simpleMessage("Renvoyer l\'email"), - "reset": MessageLookupByLibrary.simpleMessage("Réinitialiser"), - "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( - "Réinitialiser les fichiers ignorés"), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Réinitialiser le mot de passe"), - "resetPerson": MessageLookupByLibrary.simpleMessage("Réinitialiser"), - "resetToDefault": MessageLookupByLibrary.simpleMessage( - "Réinitialiser aux valeurs par défaut"), - "restore": MessageLookupByLibrary.simpleMessage("Restaurer"), - "restoreToAlbum": - MessageLookupByLibrary.simpleMessage("Restaurer vers l\'album"), - "restoringFiles": MessageLookupByLibrary.simpleMessage( - "Restauration des fichiers..."), - "resumableUploads": MessageLookupByLibrary.simpleMessage( - "Reprise automatique des transferts"), - "retry": MessageLookupByLibrary.simpleMessage("Réessayer"), - "review": MessageLookupByLibrary.simpleMessage("Suggestions"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Veuillez vérifier et supprimer les éléments que vous croyez dupliqués."), - "reviewSuggestions": - MessageLookupByLibrary.simpleMessage("Examiner les suggestions"), - "right": MessageLookupByLibrary.simpleMessage("Droite"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("Pivoter"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Pivoter à gauche"), - "rotateRight": - MessageLookupByLibrary.simpleMessage("Faire pivoter à droite"), - "safelyStored": - MessageLookupByLibrary.simpleMessage("Stockage sécurisé"), - "same": MessageLookupByLibrary.simpleMessage("Identique"), - "sameperson": MessageLookupByLibrary.simpleMessage("Même personne ?"), - "save": MessageLookupByLibrary.simpleMessage("Sauvegarder"), - "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage( - "Enregistrer comme une autre personne"), - "saveChangesBeforeLeavingQuestion": - MessageLookupByLibrary.simpleMessage( - "Enregistrer les modifications avant de quitter ?"), - "saveCollage": - MessageLookupByLibrary.simpleMessage("Enregistrer le collage"), - "saveCopy": - MessageLookupByLibrary.simpleMessage("Enregistrer une copie"), - "saveKey": MessageLookupByLibrary.simpleMessage("Enregistrer la clé"), - "savePerson": - MessageLookupByLibrary.simpleMessage("Enregistrer la personne"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Enregistrez votre clé de récupération si vous ne l\'avez pas déjà fait"), - "saving": MessageLookupByLibrary.simpleMessage("Enregistrement..."), - "savingEdits": MessageLookupByLibrary.simpleMessage( - "Enregistrement des modifications..."), - "scanCode": MessageLookupByLibrary.simpleMessage("Scanner le code"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Scannez ce code-barres avec\nvotre application d\'authentification"), - "search": MessageLookupByLibrary.simpleMessage("Rechercher"), - "searchAlbumsEmptySection": - MessageLookupByLibrary.simpleMessage("Albums"), - "searchByAlbumNameHint": - MessageLookupByLibrary.simpleMessage("Nom de l\'album"), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Noms d\'albums (par exemple \"Caméra\")\n• Types de fichiers (par exemple \"Vidéos\", \".gif\")\n• Années et mois (par exemple \"2022\", \"Janvier\")\n• Vacances (par exemple \"Noël\")\n• Descriptions de photos (par exemple \"#fun\")"), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Ajoutez des descriptions comme \"#trip\" dans les infos photo pour les retrouver ici plus rapidement"), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Recherche par date, mois ou année"), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "Les images seront affichées ici une fois le traitement terminé"), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "Les personnes seront affichées ici une fois l\'indexation terminée"), - "searchFileTypesAndNamesEmptySection": - MessageLookupByLibrary.simpleMessage("Types et noms de fichiers"), - "searchHint1": MessageLookupByLibrary.simpleMessage( - "Recherche rapide, sur l\'appareil"), - "searchHint2": MessageLookupByLibrary.simpleMessage( - "Dates des photos, descriptions"), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "Albums, noms de fichiers et types"), - "searchHint4": MessageLookupByLibrary.simpleMessage("Emplacement"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "Bientôt: Visages & recherche magique ✨"), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Grouper les photos qui sont prises dans un certain angle d\'une photo"), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "Invitez quelqu\'un·e et vous verrez ici toutes les photos partagées"), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "Les personnes seront affichées ici une fois le traitement terminé"), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Sécurité"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "Ouvrir les liens des albums publics dans l\'application"), - "selectALocation": - MessageLookupByLibrary.simpleMessage("Sélectionnez un emplacement"), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage( - "Sélectionnez d\'abord un emplacement"), - "selectAlbum": - MessageLookupByLibrary.simpleMessage("Sélectionner album"), - "selectAll": MessageLookupByLibrary.simpleMessage("Tout sélectionner"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("Tout"), - "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( - "Sélectionnez la photo de couverture"), - "selectDate": - MessageLookupByLibrary.simpleMessage("Sélectionner la date"), - "selectFoldersForBackup": - MessageLookupByLibrary.simpleMessage("Dossiers à sauvegarder"), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "Sélectionner les éléments à ajouter"), - "selectLanguage": - MessageLookupByLibrary.simpleMessage("Sélectionnez une langue"), - "selectMailApp": MessageLookupByLibrary.simpleMessage( - "Sélectionnez l\'application mail"), - "selectMorePhotos": - MessageLookupByLibrary.simpleMessage("Sélectionner plus de photos"), - "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( - "Sélectionner une date et une heure"), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "Sélectionnez une date et une heure pour tous"), - "selectPersonToLink": MessageLookupByLibrary.simpleMessage( - "Sélectionnez la personne à associer"), - "selectReason": - MessageLookupByLibrary.simpleMessage("Sélectionnez une raison"), - "selectStartOfRange": MessageLookupByLibrary.simpleMessage( - "Sélectionner le début de la plage"), - "selectTime": - MessageLookupByLibrary.simpleMessage("Sélectionner l\'heure"), - "selectYourFace": - MessageLookupByLibrary.simpleMessage("Sélectionnez votre visage"), - "selectYourPlan": - MessageLookupByLibrary.simpleMessage("Sélectionner votre offre"), - "selectedAlbums": m79, - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Les fichiers sélectionnés ne sont pas sur Ente"), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Les dossiers sélectionnés seront chiffrés et sauvegardés"), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Les éléments sélectionnés seront supprimés de tous les albums et déplacés dans la corbeille."), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "Les éléments sélectionnés seront retirés de cette personne, mais pas supprimés de votre bibliothèque."), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("Envoyer"), - "sendEmail": MessageLookupByLibrary.simpleMessage("Envoyer un e-mail"), - "sendInvite": - MessageLookupByLibrary.simpleMessage("Envoyer Invitations"), - "sendLink": MessageLookupByLibrary.simpleMessage("Envoyer le lien"), - "serverEndpoint": MessageLookupByLibrary.simpleMessage( - "Point de terminaison serveur"), - "sessionExpired": - MessageLookupByLibrary.simpleMessage("Session expirée"), - "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( - "Incompatibilité de l\'ID de session"), - "setAPassword": - MessageLookupByLibrary.simpleMessage("Définir un mot de passe"), - "setAs": MessageLookupByLibrary.simpleMessage("Définir comme"), - "setCover": - MessageLookupByLibrary.simpleMessage("Définir la couverture"), - "setLabel": MessageLookupByLibrary.simpleMessage("Définir"), - "setNewPassword": MessageLookupByLibrary.simpleMessage( - "Définir un nouveau mot de passe"), - "setNewPin": - MessageLookupByLibrary.simpleMessage("Définir un nouveau code PIN"), - "setPasswordTitle": - MessageLookupByLibrary.simpleMessage("Définir le mot de passe"), - "setRadius": MessageLookupByLibrary.simpleMessage("Définir le rayon"), - "setupComplete": - MessageLookupByLibrary.simpleMessage("Configuration terminée"), - "share": MessageLookupByLibrary.simpleMessage("Partager"), - "shareALink": MessageLookupByLibrary.simpleMessage("Partager le lien"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Ouvrez un album et appuyez sur le bouton de partage en haut à droite pour le partager."), - "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( - "Partagez un album maintenant"), - "shareLink": MessageLookupByLibrary.simpleMessage("Partager le lien"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Partagez uniquement avec les personnes que vous souhaitez"), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Téléchargez Ente pour pouvoir facilement partager des photos et vidéos en qualité originale\n\nhttps://ente.io"), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Partager avec des utilisateurs non-Ente"), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( - "Partagez votre premier album"), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Créez des albums partagés et collaboratifs avec d\'autres utilisateurs de Ente, y compris des utilisateurs ayant des plans gratuits."), - "sharedByMe": MessageLookupByLibrary.simpleMessage("Partagé par moi"), - "sharedByYou": MessageLookupByLibrary.simpleMessage("Partagé par vous"), - "sharedPhotoNotifications": - MessageLookupByLibrary.simpleMessage("Nouvelles photos partagées"), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Recevoir des notifications quand quelqu\'un·e ajoute une photo à un album partagé dont vous faites partie"), - "sharedWith": m87, - "sharedWithMe": - MessageLookupByLibrary.simpleMessage("Partagés avec moi"), - "sharedWithYou": - MessageLookupByLibrary.simpleMessage("Partagé avec vous"), - "sharing": MessageLookupByLibrary.simpleMessage("Partage..."), - "shiftDatesAndTime": - MessageLookupByLibrary.simpleMessage("Dates et heure de décalage"), - "showLessFaces": - MessageLookupByLibrary.simpleMessage("Afficher moins de visages"), - "showMemories": - MessageLookupByLibrary.simpleMessage("Afficher les souvenirs"), - "showMoreFaces": - MessageLookupByLibrary.simpleMessage("Afficher plus de visages"), - "showPerson": - MessageLookupByLibrary.simpleMessage("Montrer la personne"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "Se déconnecter d\'autres appareils"), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Si vous pensez que quelqu\'un peut connaître votre mot de passe, vous pouvez forcer tous les autres appareils utilisant votre compte à se déconnecter."), - "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( - "Déconnecter les autres appareils"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "J\'accepte les conditions d\'utilisation et la politique de confidentialité"), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Elle sera supprimée de tous les albums."), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Ignorer"), - "smartMemories": - MessageLookupByLibrary.simpleMessage("Souvenirs intelligents"), - "social": MessageLookupByLibrary.simpleMessage("Retrouvez nous"), - "someItemsAreInBothEnteAndYourDevice": - MessageLookupByLibrary.simpleMessage( - "Certains éléments sont à la fois sur Ente et votre appareil."), - "someOfTheFilesYouAreTryingToDeleteAre": - MessageLookupByLibrary.simpleMessage( - "Certains des fichiers que vous essayez de supprimer ne sont disponibles que sur votre appareil et ne peuvent pas être récupérés s\'ils sont supprimés"), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Quelqu\'un qui partage des albums avec vous devrait voir le même ID sur son appareil."), - "somethingWentWrong": - MessageLookupByLibrary.simpleMessage("Un problème est survenu"), - "somethingWentWrongPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Quelque chose s\'est mal passé, veuillez recommencer"), - "sorry": MessageLookupByLibrary.simpleMessage("Désolé"), - "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( - "Désolé, nous n\'avons pas pu sauvegarder ce fichier maintenant, nous allons réessayer plus tard."), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Désolé, impossible d\'ajouter aux favoris !"), - "sorryCouldNotRemoveFromFavorites": - MessageLookupByLibrary.simpleMessage( - "Désolé, impossible de supprimer des favoris !"), - "sorryTheCodeYouveEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "Le code que vous avez saisi est incorrect"), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Désolé, nous n\'avons pas pu générer de clés sécurisées sur cet appareil.\n\nVeuillez vous inscrire depuis un autre appareil."), - "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( - "Désolé, nous avons dû mettre en pause vos sauvegardes"), - "sort": MessageLookupByLibrary.simpleMessage("Trier"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Trier par"), - "sortNewestFirst": - MessageLookupByLibrary.simpleMessage("Plus récent en premier"), - "sortOldestFirst": - MessageLookupByLibrary.simpleMessage("Plus ancien en premier"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Succès"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": - MessageLookupByLibrary.simpleMessage("Éclairage sur vous-même"), - "startAccountRecoveryTitle": - MessageLookupByLibrary.simpleMessage("Démarrer la récupération"), - "startBackup": - MessageLookupByLibrary.simpleMessage("Démarrer la sauvegarde"), - "status": MessageLookupByLibrary.simpleMessage("État"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "Voulez-vous arrêter la diffusion ?"), - "stopCastingTitle": - MessageLookupByLibrary.simpleMessage("Arrêter la diffusion"), - "storage": MessageLookupByLibrary.simpleMessage("Stockage"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Famille"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Vous"), - "storageInGB": m93, - "storageLimitExceeded": - MessageLookupByLibrary.simpleMessage("Limite de stockage atteinte"), - "storageUsageInfo": m94, - "streamDetails": - MessageLookupByLibrary.simpleMessage("Détails du stream"), - "strongStrength": MessageLookupByLibrary.simpleMessage("Forte"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("S\'abonner"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Vous avez besoin d\'un abonnement payant actif pour activer le partage."), - "subscription": MessageLookupByLibrary.simpleMessage("Abonnement"), - "success": MessageLookupByLibrary.simpleMessage("Succès"), - "successfullyArchived": - MessageLookupByLibrary.simpleMessage("Archivé avec succès"), - "successfullyHid": - MessageLookupByLibrary.simpleMessage("Masquage réussi"), - "successfullyUnarchived": - MessageLookupByLibrary.simpleMessage("Désarchivé avec succès"), - "successfullyUnhid": - MessageLookupByLibrary.simpleMessage("Masquage réussi"), - "suggestFeatures": - MessageLookupByLibrary.simpleMessage("Suggérer une fonctionnalité"), - "sunrise": MessageLookupByLibrary.simpleMessage("À l\'horizon"), - "support": MessageLookupByLibrary.simpleMessage("Support"), - "syncProgress": m97, - "syncStopped": - MessageLookupByLibrary.simpleMessage("Synchronisation arrêtée ?"), - "syncing": MessageLookupByLibrary.simpleMessage( - "En cours de synchronisation..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("Système"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("taper pour copier"), - "tapToEnterCode": - MessageLookupByLibrary.simpleMessage("Appuyez pour entrer le code"), - "tapToUnlock": - MessageLookupByLibrary.simpleMessage("Appuyer pour déverrouiller"), - "tapToUpload": - MessageLookupByLibrary.simpleMessage("Appuyer pour envoyer"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Il semble qu\'une erreur s\'est produite. Veuillez réessayer après un certain temps. Si l\'erreur persiste, veuillez contacter notre équipe d\'assistance."), - "terminate": MessageLookupByLibrary.simpleMessage("Se déconnecter"), - "terminateSession": - MessageLookupByLibrary.simpleMessage("Se déconnecter ?"), - "terms": MessageLookupByLibrary.simpleMessage("Conditions"), - "termsOfServicesTitle": - MessageLookupByLibrary.simpleMessage("Conditions d\'utilisation"), - "thankYou": MessageLookupByLibrary.simpleMessage("Merci"), - "thankYouForSubscribing": - MessageLookupByLibrary.simpleMessage("Merci de vous être abonné !"), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "Le téléchargement n\'a pas pu être terminé"), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "Le lien que vous essayez d\'accéder a expiré."), - "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "Les groupes de personnes ne seront plus affichés dans la section personnes. Les photos resteront intactes."), - "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "Les groupes de personnes ne seront plus affichés dans la section personnes. Les photos resteront intactes."), - "theRecoveryKeyYouEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "La clé de récupération que vous avez entrée est incorrecte"), - "theme": MessageLookupByLibrary.simpleMessage("Thème"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Ces éléments seront supprimés de votre appareil."), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "Ils seront supprimés de tous les albums."), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Cette action ne peut pas être annulée"), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "Cet album a déjà un lien collaboratif"), - "thisCanBeUsedToRecoverYourAccountIfYou": - MessageLookupByLibrary.simpleMessage( - "Cela peut être utilisé pour récupérer votre compte si vous perdez votre deuxième facteur"), - "thisDevice": MessageLookupByLibrary.simpleMessage("Cet appareil"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "Cette adresse mail est déjà utilisé"), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Cette image n\'a pas de données exif"), - "thisIsMeExclamation": - MessageLookupByLibrary.simpleMessage("C\'est moi !"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Ceci est votre ID de vérification"), - "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( - "Cette semaine au fil des années"), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Cela vous déconnectera de l\'appareil suivant :"), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Cela vous déconnectera de cet appareil !"), - "thisWillMakeTheDateAndTimeOfAllSelected": - MessageLookupByLibrary.simpleMessage( - "Cela rendra la date et l\'heure identique à toutes les photos sélectionnées."), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "Ceci supprimera les liens publics de tous les liens rapides sélectionnés."), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "Pour activer le verrouillage de l\'application vous devez configurer le code d\'accès de l\'appareil ou le verrouillage de l\'écran dans les paramètres de votre système."), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( - "Pour masquer une photo ou une vidéo:"), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Pour réinitialiser votre mot de passe, vérifiez d\'abord votre email."), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Journaux du jour"), - "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( - "Trop de tentatives incorrectes"), - "total": MessageLookupByLibrary.simpleMessage("total"), - "totalSize": MessageLookupByLibrary.simpleMessage("Taille totale"), - "trash": MessageLookupByLibrary.simpleMessage("Corbeille"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Recadrer"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": - MessageLookupByLibrary.simpleMessage("Contacts de confiance"), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Réessayer"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Activez la sauvegarde pour charger automatiquement sur Ente les fichiers ajoutés à ce dossier de l\'appareil."), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "2 mois gratuits sur les forfaits annuels"), - "twofactor": MessageLookupByLibrary.simpleMessage( - "Authentification à deux facteurs (A2F)"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "L\'authentification à deux facteurs a été désactivée"), - "twofactorAuthenticationPageTitle": - MessageLookupByLibrary.simpleMessage( - "Authentification à deux facteurs (A2F)"), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "L\'authentification à deux facteurs a été réinitialisée avec succès "), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Configuration de l\'authentification à deux facteurs"), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("Désarchiver"), - "unarchiveAlbum": - MessageLookupByLibrary.simpleMessage("Désarchiver l\'album"), - "unarchiving": - MessageLookupByLibrary.simpleMessage("Désarchivage en cours..."), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Désolé, ce code n\'est pas disponible."), - "uncategorized": - MessageLookupByLibrary.simpleMessage("Aucune catégorie"), - "unhide": MessageLookupByLibrary.simpleMessage("Dévoiler"), - "unhideToAlbum": - MessageLookupByLibrary.simpleMessage("Afficher dans l\'album"), - "unhiding": - MessageLookupByLibrary.simpleMessage("Démasquage en cours..."), - "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Démasquage des fichiers vers l\'album"), - "unlock": MessageLookupByLibrary.simpleMessage("Déverrouiller"), - "unpinAlbum": - MessageLookupByLibrary.simpleMessage("Désépingler l\'album"), - "unselectAll": - MessageLookupByLibrary.simpleMessage("Désélectionner tout"), - "update": MessageLookupByLibrary.simpleMessage("Mise à jour"), - "updateAvailable": MessageLookupByLibrary.simpleMessage( - "Une mise à jour est disponible"), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Mise à jour de la sélection du dossier..."), - "upgrade": MessageLookupByLibrary.simpleMessage("Améliorer"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Envoi des fichiers vers l\'album..."), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( - "Sauvegarde d\'un souvenir..."), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "Jusqu\'à 50% de réduction, jusqu\'au 4ème déc."), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "Le stockage gratuit possible est limité par votre offre actuelle. Vous pouvez au maximum doubler votre espace de stockage gratuitement, le stockage supplémentaire deviendra donc automatiquement utilisable lorsque vous mettrez à niveau votre offre."), - "useAsCover": - MessageLookupByLibrary.simpleMessage("Utiliser comme couverture"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "Vous avez des difficultés pour lire cette vidéo ? Appuyez longuement ici pour essayer un autre lecteur."), - "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Utilisez des liens publics pour les personnes qui ne sont pas sur Ente"), - "useRecoveryKey": - MessageLookupByLibrary.simpleMessage("Utiliser la clé de secours"), - "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( - "Utiliser la photo sélectionnée"), - "usedSpace": MessageLookupByLibrary.simpleMessage("Stockage utilisé"), - "validTill": m110, - "verificationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "La vérification a échouée, veuillez réessayer"), - "verificationId": - MessageLookupByLibrary.simpleMessage("ID de vérification"), - "verify": MessageLookupByLibrary.simpleMessage("Vérifier"), - "verifyEmail": - MessageLookupByLibrary.simpleMessage("Vérifier l\'email"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Vérifier"), - "verifyPasskey": - MessageLookupByLibrary.simpleMessage("Vérifier la clé de sécurité"), - "verifyPassword": - MessageLookupByLibrary.simpleMessage("Vérifier le mot de passe"), - "verifying": - MessageLookupByLibrary.simpleMessage("Validation en cours..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Vérification de la clé de récupération..."), - "videoInfo": MessageLookupByLibrary.simpleMessage("Informations vidéo"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("vidéo"), - "videoStreaming": - MessageLookupByLibrary.simpleMessage("Vidéos diffusables"), - "videos": MessageLookupByLibrary.simpleMessage("Vidéos"), - "viewActiveSessions": MessageLookupByLibrary.simpleMessage( - "Afficher les connexions actives"), - "viewAddOnButton": MessageLookupByLibrary.simpleMessage( - "Afficher les modules complémentaires"), - "viewAll": MessageLookupByLibrary.simpleMessage("Tout afficher"), - "viewAllExifData": MessageLookupByLibrary.simpleMessage( - "Visualiser toutes les données EXIF"), - "viewLargeFiles": - MessageLookupByLibrary.simpleMessage("Fichiers volumineux"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Affichez les fichiers qui consomment le plus de stockage."), - "viewLogs": - MessageLookupByLibrary.simpleMessage("Afficher les journaux"), - "viewPersonToUnlink": m112, - "viewRecoveryKey": - MessageLookupByLibrary.simpleMessage("Voir la clé de récupération"), - "viewer": MessageLookupByLibrary.simpleMessage("Observateur"), - "viewersSuccessfullyAdded": m113, - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Vous pouvez gérer votre abonnement sur web.ente.io"), - "waitingForVerification": MessageLookupByLibrary.simpleMessage( - "En attente de vérification..."), - "waitingForWifi": MessageLookupByLibrary.simpleMessage( - "En attente de connexion Wi-Fi..."), - "warning": MessageLookupByLibrary.simpleMessage("Attention"), - "weAreOpenSource": - MessageLookupByLibrary.simpleMessage("Nous sommes open source !"), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "Nous ne prenons pas en charge l\'édition des photos et des albums que vous ne possédez pas encore"), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Securité Faible"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("Bienvenue !"), - "whatsNew": MessageLookupByLibrary.simpleMessage("Nouveautés"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "Un contact de confiance peut vous aider à récupérer vos données."), - "widgets": MessageLookupByLibrary.simpleMessage("Gadgets"), - "wishThemAHappyBirthday": m115, - "yearShort": MessageLookupByLibrary.simpleMessage("an"), - "yearly": MessageLookupByLibrary.simpleMessage("Annuel"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Oui"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Oui, annuler"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "Oui, convertir en observateur"), - "yesDelete": MessageLookupByLibrary.simpleMessage("Oui, supprimer"), - "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( - "Oui, ignorer les modifications"), - "yesIgnore": MessageLookupByLibrary.simpleMessage("Oui, ignorer"), - "yesLogout": - MessageLookupByLibrary.simpleMessage("Oui, se déconnecter"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Oui, supprimer"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Oui, renouveler"), - "yesResetPerson": MessageLookupByLibrary.simpleMessage( - "Oui, réinitialiser la personne"), - "you": MessageLookupByLibrary.simpleMessage("Vous"), - "youAndThem": m117, - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( - "Vous êtes sur un plan familial !"), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Vous êtes sur la dernière version"), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Vous pouvez au maximum doubler votre espace de stockage"), - "youCanManageYourLinksInTheShareTab": - MessageLookupByLibrary.simpleMessage( - "Vous pouvez gérer vos liens dans l\'onglet Partage."), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "Vous pouvez essayer de rechercher une autre requête."), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "Vous ne pouvez pas rétrograder vers cette offre"), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Vous ne pouvez pas partager avec vous-même"), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "Vous n\'avez aucun élément archivé."), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": - MessageLookupByLibrary.simpleMessage("Votre compte a été supprimé"), - "yourMap": MessageLookupByLibrary.simpleMessage("Votre carte"), - "yourPlanWasSuccessfullyDowngraded": - MessageLookupByLibrary.simpleMessage( - "Votre plan a été rétrogradé avec succès"), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "Votre offre a été mise à jour avec succès"), - "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( - "Votre achat a été effectué avec succès"), - "yourStorageDetailsCouldNotBeFetched": - MessageLookupByLibrary.simpleMessage( - "Vos informations de stockage n\'ont pas pu être récupérées"), - "yourSubscriptionHasExpired": - MessageLookupByLibrary.simpleMessage("Votre abonnement a expiré"), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "Votre abonnement a été mis à jour avec succès"), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "Votre code de vérification a expiré"), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage( - "Vous n\'avez aucun fichier dupliqué pouvant être nettoyé"), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "Vous n\'avez pas de fichiers dans cet album qui peuvent être supprimés"), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( - "Zoom en arrière pour voir les photos") - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Une nouvelle version de Ente est disponible.", + ), + "about": MessageLookupByLibrary.simpleMessage("À propos d\'Ente"), + "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( + "Accepter l\'invitation", + ), + "account": MessageLookupByLibrary.simpleMessage("Compte"), + "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( + "Le compte est déjà configuré.", + ), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( + "Bon retour parmi nous !", + ), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Je comprends que si je perds mon mot de passe, je perdrai mes données puisque mes données sont chiffrées de bout en bout.", + ), + "actionNotSupportedOnFavouritesAlbum": MessageLookupByLibrary.simpleMessage( + "Action non prise en charge sur l\'album des Favoris", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage("Sessions actives"), + "add": MessageLookupByLibrary.simpleMessage("Ajouter"), + "addAName": MessageLookupByLibrary.simpleMessage("Ajouter un nom"), + "addANewEmail": MessageLookupByLibrary.simpleMessage( + "Ajouter un nouvel email", + ), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Ajoutez un gadget d\'album à votre écran d\'accueil et revenez ici pour le personnaliser.", + ), + "addCollaborator": MessageLookupByLibrary.simpleMessage( + "Ajouter un collaborateur", + ), + "addCollaborators": m1, + "addFiles": MessageLookupByLibrary.simpleMessage("Ajouter des fichiers"), + "addFromDevice": MessageLookupByLibrary.simpleMessage( + "Ajouter depuis l\'appareil", + ), + "addItem": m2, + "addLocation": MessageLookupByLibrary.simpleMessage( + "Ajouter la localisation", + ), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Ajouter"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Ajoutez un gadget des souvenirs à votre écran d\'accueil et revenez ici pour le personnaliser.", + ), + "addMore": MessageLookupByLibrary.simpleMessage("Ajouter"), + "addName": MessageLookupByLibrary.simpleMessage("Ajouter un nom"), + "addNameOrMerge": MessageLookupByLibrary.simpleMessage( + "Ajouter un nom ou fusionner", + ), + "addNew": MessageLookupByLibrary.simpleMessage("Ajouter un nouveau"), + "addNewPerson": MessageLookupByLibrary.simpleMessage( + "Ajouter une nouvelle personne", + ), + "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( + "Détails des modules complémentaires", + ), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("Modules complémentaires"), + "addParticipants": MessageLookupByLibrary.simpleMessage( + "Ajouter des participants", + ), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Ajoutez un gadget des personnes à votre écran d\'accueil et revenez ici pour le personnaliser.", + ), + "addPhotos": MessageLookupByLibrary.simpleMessage("Ajouter des photos"), + "addSelected": MessageLookupByLibrary.simpleMessage("Ajouter la sélection"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("Ajouter à l\'album"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Ajouter à Ente"), + "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Ajouter à un album masqué", + ), + "addTrustedContact": MessageLookupByLibrary.simpleMessage( + "Ajouter un contact de confiance", + ), + "addViewer": MessageLookupByLibrary.simpleMessage("Ajouter un observateur"), + "addViewers": m4, + "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( + "Ajoutez vos photos maintenant", + ), + "addedAs": MessageLookupByLibrary.simpleMessage("Ajouté comme"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": MessageLookupByLibrary.simpleMessage( + "Ajout aux favoris...", + ), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("Avancé"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Avancé"), + "after1Day": MessageLookupByLibrary.simpleMessage("Après 1 jour"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Après 1 heure"), + "after1Month": MessageLookupByLibrary.simpleMessage("Après 1 mois"), + "after1Week": MessageLookupByLibrary.simpleMessage("Après 1 semaine"), + "after1Year": MessageLookupByLibrary.simpleMessage("Après 1 an"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Propriétaire"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Titre de l\'album"), + "albumUpdated": MessageLookupByLibrary.simpleMessage("Album mis à jour"), + "albums": MessageLookupByLibrary.simpleMessage("Albums"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Sélectionnez les personnes que vous souhaitez voir sur votre écran d\'accueil.", + ), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Tout est effacé"), + "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( + "Tous les souvenirs sont sauvegardés", + ), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "Tous les groupements pour cette personne seront réinitialisés, et vous perdrez toutes les suggestions faites pour cette personne", + ), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "Tous les groupes sans nom seront fusionnés dans la personne sélectionnée. Cela peut toujours être annulé à partir de l\'historique des suggestions de la personne.", + ), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "C\'est la première dans le groupe. Les autres photos sélectionnées se déplaceront automatiquement en fonction de cette nouvelle date", + ), + "allow": MessageLookupByLibrary.simpleMessage("Autoriser"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Autorisez les personnes ayant le lien à ajouter des photos dans l\'album partagé.", + ), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( + "Autoriser l\'ajout de photos", + ), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "Autoriser l\'application à ouvrir les liens d\'albums partagés", + ), + "allowDownloads": MessageLookupByLibrary.simpleMessage( + "Autoriser les téléchargements", + ), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Autoriser les personnes à ajouter des photos", + ), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Veuillez autoriser dans les paramètres l\'accès à vos photos pour qu\'Ente puisse afficher et sauvegarder votre bibliothèque.", + ), + "allowPermTitle": MessageLookupByLibrary.simpleMessage( + "Autoriser l\'accès aux photos", + ), + "androidBiometricHint": MessageLookupByLibrary.simpleMessage( + "Vérifier l’identité", + ), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "Reconnaissance impossible. Réessayez.", + ), + "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( + "Empreinte digitale requise", + ), + "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("Succès"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Annuler"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage("Identifiants requis"), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage("Identifiants requis"), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "L\'authentification biométrique n\'est pas configurée sur votre appareil. Allez dans \'Paramètres > Sécurité\' pour ajouter l\'authentification biométrique.", + ), + "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( + "Android, iOS, Web, Ordinateur", + ), + "androidSignInTitle": MessageLookupByLibrary.simpleMessage( + "Authentification requise", + ), + "appIcon": MessageLookupByLibrary.simpleMessage("Icône de l\'appli"), + "appLock": MessageLookupByLibrary.simpleMessage( + "Verrouillage de l\'application", + ), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Choisissez entre l\'écran de verrouillage par défaut de votre appareil et un écran de verrouillage personnalisé avec un code PIN ou un mot de passe.", + ), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), + "apply": MessageLookupByLibrary.simpleMessage("Appliquer"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Utiliser le code"), + "appstoreSubscription": MessageLookupByLibrary.simpleMessage( + "Abonnement à l\'AppStore", + ), + "archive": MessageLookupByLibrary.simpleMessage("Archivée"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("Archiver l\'album"), + "archiving": MessageLookupByLibrary.simpleMessage("Archivage en cours..."), + "areThey": MessageLookupByLibrary.simpleMessage("Vraiment"), + "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( + "Êtes-vous sûr de vouloir retirer ce visage de cette personne ?", + ), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Êtes-vous certains de vouloir quitter le plan familial?", + ), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "Es-tu sûre de vouloir annuler?", + ), + "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( + "Êtes-vous certains de vouloir changer d\'offre ?", + ), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "Êtes-vous sûr de vouloir quitter ?", + ), + "areYouSureYouWantToIgnoreThesePersons": + MessageLookupByLibrary.simpleMessage( + "Êtes-vous sûr de vouloir ignorer ces personnes ?", + ), + "areYouSureYouWantToIgnoreThisPerson": MessageLookupByLibrary.simpleMessage( + "Êtes-vous sûr de vouloir ignorer cette personne ?", + ), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Voulez-vous vraiment vous déconnecter ?", + ), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "Êtes-vous sûr de vouloir les fusionner?", + ), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "Êtes-vous sûr de vouloir renouveler ?", + ), + "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( + "Êtes-vous certain de vouloir réinitialiser cette personne ?", + ), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "Votre abonnement a été annulé. Souhaitez-vous partager la raison ?", + ), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Quelle est la principale raison pour laquelle vous supprimez votre compte ?", + ), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Demandez à vos proches de partager", + ), + "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( + "dans un abri antiatomique", + ), + "authToChangeEmailVerificationSetting": MessageLookupByLibrary.simpleMessage( + "Authentifiez-vous pour modifier l\'authentification à deux facteurs par email", + ), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Veuillez vous authentifier pour modifier les paramètres de l\'écran de verrouillage", + ), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Authentifiez-vous pour modifier votre adresse email", + ), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Veuillez vous authentifier pour modifier votre mot de passe", + ), + "authToConfigureTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( + "Veuillez vous authentifier pour configurer l\'authentification à deux facteurs", + ), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Veuillez vous authentifier pour débuter la suppression du compte", + ), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Veuillez vous authentifier pour gérer vos contacts de confiance", + ), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Veuillez vous authentifier pour afficher votre clé de récupération", + ), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Veuillez vous authentifier pour voir vos fichiers mis à la corbeille", + ), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Authentifiez-vous pour voir les connexions actives", + ), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Veuillez vous authentifier pour voir vos fichiers cachés", + ), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Authentifiez-vous pour voir vos souvenirs", + ), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Veuillez vous authentifier pour afficher votre clé de récupération", + ), + "authenticating": MessageLookupByLibrary.simpleMessage( + "Authentification...", + ), + "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "L\'authentification a échouée, veuillez réessayer", + ), + "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( + "Authentification réussie!", + ), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Vous verrez ici les appareils Cast disponibles.", + ), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Assurez-vous que les autorisations de réseau local sont activées pour l\'application Ente Photos, dans les paramètres.", + ), + "autoLock": MessageLookupByLibrary.simpleMessage( + "Verrouillage automatique", + ), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Délai après lequel l\'application se verrouille une fois qu\'elle est en arrière-plan", + ), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "En raison d\'un problème technique, vous avez été déconnecté. Veuillez nous excuser pour le désagrément.", + ), + "autoPair": MessageLookupByLibrary.simpleMessage("Appairage automatique"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "L\'appairage automatique ne fonctionne qu\'avec les appareils qui prennent en charge Chromecast.", + ), + "available": MessageLookupByLibrary.simpleMessage("Disponible"), + "availableStorageSpace": m10, + "backedUpFolders": MessageLookupByLibrary.simpleMessage( + "Dossiers sauvegardés", + ), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("Sauvegarde"), + "backupFailed": MessageLookupByLibrary.simpleMessage( + "Échec de la sauvegarde", + ), + "backupFile": MessageLookupByLibrary.simpleMessage( + "Sauvegarder le fichier", + ), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Sauvegarder avec les données mobiles", + ), + "backupSettings": MessageLookupByLibrary.simpleMessage( + "Paramètres de la sauvegarde", + ), + "backupStatus": MessageLookupByLibrary.simpleMessage( + "État de la sauvegarde", + ), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Les éléments qui ont été sauvegardés apparaîtront ici", + ), + "backupVideos": MessageLookupByLibrary.simpleMessage( + "Sauvegarde des vidéos", + ), + "beach": MessageLookupByLibrary.simpleMessage("Sable et mer"), + "birthday": MessageLookupByLibrary.simpleMessage("Anniversaire"), + "birthdayNotifications": MessageLookupByLibrary.simpleMessage( + "Notifications d’anniversaire", + ), + "birthdays": MessageLookupByLibrary.simpleMessage("Anniversaires"), + "blackFridaySale": MessageLookupByLibrary.simpleMessage( + "Offre Black Friday", + ), + "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cLDesc1": MessageLookupByLibrary.simpleMessage( + "Derrière la version beta du streaming vidéo, tout en travaillant sur la reprise des chargements et téléchargements, nous avons maintenant augmenté la limite de téléchargement de fichiers à 10 Go. Ceci est maintenant disponible dans les applications bureau et mobiles.", + ), + "cLDesc2": MessageLookupByLibrary.simpleMessage( + "Les chargements en arrière-plan sont maintenant pris en charge sur iOS, en plus des appareils Android. Inutile d\'ouvrir l\'application pour sauvegarder vos dernières photos et vidéos.", + ), + "cLDesc3": MessageLookupByLibrary.simpleMessage( + "Nous avons apporté des améliorations significatives à l\'expérience des souvenirs, comme la lecture automatique, la glisse vers le souvenir suivant et bien plus encore.", + ), + "cLDesc4": MessageLookupByLibrary.simpleMessage( + "Avec un tas d\'améliorations sous le capot, il est maintenant beaucoup plus facile de voir tous les visages détectés, mettre des commentaires sur des visages similaires, et ajouter/supprimer des visages depuis une seule photo.", + ), + "cLDesc5": MessageLookupByLibrary.simpleMessage( + "Vous recevrez maintenant une notification de désinscription pour tous les anniversaires que vous avez enregistrés sur Ente, ainsi qu\'une collection de leurs meilleures photos.", + ), + "cLDesc6": MessageLookupByLibrary.simpleMessage( + "Plus besoin d\'attendre la fin des chargements/téléchargements avant de pouvoir fermer l\'application. Tous peuvent maintenant être mis en pause en cours de route et reprendre à partir de là où ça s\'est arrêté.", + ), + "cLTitle1": MessageLookupByLibrary.simpleMessage( + "Envoi de gros fichiers vidéo", + ), + "cLTitle2": MessageLookupByLibrary.simpleMessage("Charger en arrière-plan"), + "cLTitle3": MessageLookupByLibrary.simpleMessage( + "Lecture automatique des souvenirs", + ), + "cLTitle4": MessageLookupByLibrary.simpleMessage( + "Amélioration de la reconnaissance faciale", + ), + "cLTitle5": MessageLookupByLibrary.simpleMessage( + "Notifications d’anniversaire", + ), + "cLTitle6": MessageLookupByLibrary.simpleMessage( + "Reprise des chargements et téléchargements", + ), + "cachedData": MessageLookupByLibrary.simpleMessage( + "Données mises en cache", + ), + "calculating": MessageLookupByLibrary.simpleMessage("Calcul en cours..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Désolé, cet album ne peut pas être ouvert dans l\'application.", + ), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( + "Impossible d\'ouvrir cet album", + ), + "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( + "Impossible de télécharger dans les albums appartenant à d\'autres personnes", + ), + "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Ne peut créer de lien que pour les fichiers que vous possédez", + ), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Vous ne pouvez supprimer que les fichiers que vous possédez", + ), + "cancel": MessageLookupByLibrary.simpleMessage("Annuler"), + "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( + "Annuler la récupération", + ), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "Êtes-vous sûr de vouloir annuler la récupération ?", + ), + "cancelOtherSubscription": m12, + "cancelSubscription": MessageLookupByLibrary.simpleMessage( + "Annuler l\'abonnement", + ), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Les fichiers partagés ne peuvent pas être supprimés", + ), + "castAlbum": MessageLookupByLibrary.simpleMessage("Caster l\'album"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Veuillez vous assurer que vous êtes sur le même réseau que la TV.", + ), + "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( + "Échec de la diffusion de l\'album", + ), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Visitez cast.ente.io sur l\'appareil que vous voulez associer.\n\nEntrez le code ci-dessous pour lire l\'album sur votre TV.", + ), + "centerPoint": MessageLookupByLibrary.simpleMessage("Point central"), + "change": MessageLookupByLibrary.simpleMessage("Modifier"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Modifier l\'e-mail"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Changer l\'emplacement des éléments sélectionnés ?", + ), + "changePassword": MessageLookupByLibrary.simpleMessage( + "Modifier le mot de passe", + ), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Modifier le mot de passe", + ), + "changePermissions": MessageLookupByLibrary.simpleMessage( + "Modifier les permissions ?", + ), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Modifier votre code de parrainage", + ), + "checkForUpdates": MessageLookupByLibrary.simpleMessage( + "Vérifier les mises à jour", + ), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Consultez votre boîte de réception (et les indésirables) pour finaliser la vérification", + ), + "checkStatus": MessageLookupByLibrary.simpleMessage("Vérifier le statut"), + "checking": MessageLookupByLibrary.simpleMessage("Vérification..."), + "checkingModels": MessageLookupByLibrary.simpleMessage( + "Vérification des modèles...", + ), + "city": MessageLookupByLibrary.simpleMessage("Dans la ville"), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage( + "Obtenez du stockage gratuit", + ), + "claimMore": MessageLookupByLibrary.simpleMessage("Réclamez plus !"), + "claimed": MessageLookupByLibrary.simpleMessage("Obtenu"), + "claimedStorageSoFar": m14, + "cleanUncategorized": MessageLookupByLibrary.simpleMessage( + "Effacer les éléments non classés", + ), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Supprimer tous les fichiers non-catégorisés étant présents dans d\'autres albums", + ), + "clearCaches": MessageLookupByLibrary.simpleMessage("Nettoyer le cache"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Effacer les index"), + "click": MessageLookupByLibrary.simpleMessage("• Cliquez sur"), + "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( + "• Cliquez sur le menu de débordement", + ), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Cliquez pour installer notre meilleure version", + ), + "close": MessageLookupByLibrary.simpleMessage("Fermer"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( + "Grouper par durée", + ), + "clubByFileName": MessageLookupByLibrary.simpleMessage( + "Grouper par nom de fichier", + ), + "clusteringProgress": MessageLookupByLibrary.simpleMessage( + "Progression du regroupement", + ), + "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( + "Code appliqué", + ), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Désolé, vous avez atteint la limite de changements de code.", + ), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Code copié dans le presse-papiers", + ), + "codeUsedByYou": MessageLookupByLibrary.simpleMessage( + "Code utilisé par vous", + ), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Créez un lien pour permettre aux personnes d\'ajouter et de voir des photos dans votre album partagé sans avoir besoin d\'une application Ente ou d\'un compte. Idéal pour récupérer des photos d\'événement.", + ), + "collaborativeLink": MessageLookupByLibrary.simpleMessage( + "Lien collaboratif", + ), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Collaborateur"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Les collaborateurs peuvent ajouter des photos et des vidéos à l\'album partagé.", + ), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("Disposition"), + "collageSaved": MessageLookupByLibrary.simpleMessage( + "Collage sauvegardé dans la galerie", + ), + "collect": MessageLookupByLibrary.simpleMessage("Récupérer"), + "collectEventPhotos": MessageLookupByLibrary.simpleMessage( + "Collecter les photos d\'un événement", + ), + "collectPhotos": MessageLookupByLibrary.simpleMessage( + "Récupérer les photos", + ), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Créez un lien où vos amis peuvent ajouter des photos en qualité originale.", + ), + "color": MessageLookupByLibrary.simpleMessage("Couleur "), + "configuration": MessageLookupByLibrary.simpleMessage("Paramètres"), + "confirm": MessageLookupByLibrary.simpleMessage("Confirmer"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Voulez-vous vraiment désactiver l\'authentification à deux facteurs ?", + ), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Confirmer la suppression du compte", + ), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Oui, je veux supprimer définitivement ce compte et ses données dans toutes les applications.", + ), + "confirmPassword": MessageLookupByLibrary.simpleMessage( + "Confirmer le mot de passe", + ), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage( + "Confirmer le changement de l\'offre", + ), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Confirmer la clé de récupération", + ), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Confirmer la clé de récupération", + ), + "connectToDevice": MessageLookupByLibrary.simpleMessage( + "Connexion à l\'appareil", + ), + "contactFamilyAdmin": m18, + "contactSupport": MessageLookupByLibrary.simpleMessage( + "Contacter l\'assistance", + ), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Contacts"), + "contents": MessageLookupByLibrary.simpleMessage("Contenus"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Continuer"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "Poursuivre avec la version d\'essai gratuite", + ), + "convertToAlbum": MessageLookupByLibrary.simpleMessage( + "Convertir en album", + ), + "copyEmailAddress": MessageLookupByLibrary.simpleMessage( + "Copier l’adresse email", + ), + "copyLink": MessageLookupByLibrary.simpleMessage("Copier le lien"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Copiez-collez ce code\ndans votre application d\'authentification", + ), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "Nous n\'avons pas pu sauvegarder vos données.\nNous allons réessayer plus tard.", + ), + "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( + "Impossible de libérer de l\'espace", + ), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Impossible de mettre à jour l’abonnement", + ), + "count": MessageLookupByLibrary.simpleMessage("Total"), + "crashReporting": MessageLookupByLibrary.simpleMessage("Rapport d\'erreur"), + "create": MessageLookupByLibrary.simpleMessage("Créer"), + "createAccount": MessageLookupByLibrary.simpleMessage("Créer un compte"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Appuyez longuement pour sélectionner des photos et cliquez sur + pour créer un album", + ), + "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( + "Créer un lien collaboratif", + ), + "createCollage": MessageLookupByLibrary.simpleMessage("Créez un collage"), + "createNewAccount": MessageLookupByLibrary.simpleMessage( + "Créer un nouveau compte", + ), + "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( + "Créez ou sélectionnez un album", + ), + "createPublicLink": MessageLookupByLibrary.simpleMessage( + "Créer un lien public", + ), + "creatingLink": MessageLookupByLibrary.simpleMessage("Création du lien..."), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "Mise à jour critique disponible", + ), + "crop": MessageLookupByLibrary.simpleMessage("Rogner"), + "curatedMemories": MessageLookupByLibrary.simpleMessage( + "Souvenirs conservés", + ), + "currentUsageIs": MessageLookupByLibrary.simpleMessage( + "L\'utilisation actuelle est de ", + ), + "currentlyRunning": MessageLookupByLibrary.simpleMessage( + "en cours d\'exécution", + ), + "custom": MessageLookupByLibrary.simpleMessage("Personnaliser"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Sombre"), + "dayToday": MessageLookupByLibrary.simpleMessage("Aujourd\'hui"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Hier"), + "declineTrustInvite": MessageLookupByLibrary.simpleMessage( + "Refuser l’invitation", + ), + "decrypting": MessageLookupByLibrary.simpleMessage( + "Déchiffrement en cours...", + ), + "decryptingVideo": MessageLookupByLibrary.simpleMessage( + "Déchiffrement de la vidéo...", + ), + "deduplicateFiles": MessageLookupByLibrary.simpleMessage( + "Déduplication de fichiers", + ), + "delete": MessageLookupByLibrary.simpleMessage("Supprimer"), + "deleteAccount": MessageLookupByLibrary.simpleMessage( + "Supprimer mon compte", + ), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Nous sommes désolés de vous voir partir. N\'hésitez pas à partager vos commentaires pour nous aider à nous améliorer.", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Supprimer définitivement le compte", + ), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Supprimer l\'album"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Supprimer aussi les photos (et vidéos) présentes dans cet album de tous les autres albums dont elles font partie ?", + ), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "Ceci supprimera tous les albums vides. Ceci est utile lorsque vous voulez réduire l\'encombrement dans votre liste d\'albums.", + ), + "deleteAll": MessageLookupByLibrary.simpleMessage("Tout Supprimer"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "Ce compte est lié à d\'autres applications Ente, si vous en utilisez une. Vos données téléchargées, dans toutes les applications ente, seront planifiées pour suppression, et votre compte sera définitivement supprimé.", + ), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Veuillez envoyer un e-mail à account-deletion@ente.io à partir de votre adresse e-mail enregistrée.", + ), + "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( + "Supprimer les albums vides", + ), + "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( + "Supprimer les albums vides ?", + ), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage( + "Supprimer des deux", + ), + "deleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Supprimer de l\'appareil", + ), + "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Supprimer de Ente"), + "deleteItemCount": m21, + "deleteLocation": MessageLookupByLibrary.simpleMessage( + "Supprimer la localisation", + ), + "deleteMultipleAlbumDialog": m22, + "deletePhotos": MessageLookupByLibrary.simpleMessage( + "Supprimer des photos", + ), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Il manque une fonction clé dont j\'ai besoin", + ), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "L\'application ou une certaine fonctionnalité ne se comporte pas comme je pense qu\'elle devrait", + ), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "J\'ai trouvé un autre service que je préfère", + ), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "Ma raison n\'est pas listée", + ), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Votre demande sera traitée sous 72 heures.", + ), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Supprimer l\'album partagé ?", + ), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "L\'album sera supprimé pour tout le monde\n\nVous perdrez l\'accès aux photos partagées dans cet album qui sont détenues par d\'autres personnes", + ), + "deselectAll": MessageLookupByLibrary.simpleMessage("Tout déselectionner"), + "designedToOutlive": MessageLookupByLibrary.simpleMessage( + "Conçu pour survivre", + ), + "details": MessageLookupByLibrary.simpleMessage("Détails"), + "developerSettings": MessageLookupByLibrary.simpleMessage( + "Paramètres du développeur", + ), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Êtes-vous sûr de vouloir modifier les paramètres du développeur ?", + ), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Saisissez le code"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "Les fichiers ajoutés à cet album seront automatiquement téléchargés sur Ente.", + ), + "deviceLock": MessageLookupByLibrary.simpleMessage( + "Verrouillage par défaut de l\'appareil", + ), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Désactiver le verrouillage de l\'écran lorsque Ente est au premier plan et qu\'une sauvegarde est en cours. Ce n\'est normalement pas nécessaire mais cela peut faciliter les gros téléchargements et les premières importations de grandes bibliothèques.", + ), + "deviceNotFound": MessageLookupByLibrary.simpleMessage( + "Appareil non trouvé", + ), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Le savais-tu ?"), + "different": MessageLookupByLibrary.simpleMessage("Différent(e)"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage( + "Désactiver le verrouillage automatique", + ), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Les observateurs peuvent toujours prendre des captures d\'écran ou enregistrer une copie de vos photos en utilisant des outils externes", + ), + "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( + "Veuillez remarquer", + ), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "Désactiver l\'authentification à deux facteurs", + ), + "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( + "Désactivation de l\'authentification à deux facteurs...", + ), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Découverte"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Bébés"), + "discover_celebrations": MessageLookupByLibrary.simpleMessage("Fêtes"), + "discover_food": MessageLookupByLibrary.simpleMessage("Alimentation"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Plantes"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Montagnes"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Identité"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Mèmes"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Notes"), + "discover_pets": MessageLookupByLibrary.simpleMessage( + "Animaux de compagnie", + ), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Recettes"), + "discover_screenshots": MessageLookupByLibrary.simpleMessage( + "Captures d\'écran ", + ), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfies"), + "discover_sunset": MessageLookupByLibrary.simpleMessage( + "Coucher du soleil", + ), + "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( + "Carte de Visite", + ), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage( + "Fonds d\'écran", + ), + "dismiss": MessageLookupByLibrary.simpleMessage("Rejeter"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage( + "Ne pas se déconnecter", + ), + "doThisLater": MessageLookupByLibrary.simpleMessage("Plus tard"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Voulez-vous annuler les modifications que vous avez faites ?", + ), + "done": MessageLookupByLibrary.simpleMessage("Terminé"), + "dontSave": MessageLookupByLibrary.simpleMessage("Ne pas enregistrer"), + "doubleYourStorage": MessageLookupByLibrary.simpleMessage( + "Doublez votre espace de stockage", + ), + "download": MessageLookupByLibrary.simpleMessage("Télécharger"), + "downloadFailed": MessageLookupByLibrary.simpleMessage( + "Échec du téléchargement", + ), + "downloading": MessageLookupByLibrary.simpleMessage( + "Téléchargement en cours...", + ), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Éditer"), + "editEmailAlreadyLinked": m28, + "editLocation": MessageLookupByLibrary.simpleMessage( + "Modifier l’emplacement", + ), + "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( + "Modifier l’emplacement", + ), + "editPerson": MessageLookupByLibrary.simpleMessage("Modifier la personne"), + "editTime": MessageLookupByLibrary.simpleMessage("Modifier l\'heure"), + "editsSaved": MessageLookupByLibrary.simpleMessage( + "Modification sauvegardée", + ), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Les modifications de l\'emplacement ne seront visibles que dans Ente", + ), + "eligible": MessageLookupByLibrary.simpleMessage("éligible"), + "email": MessageLookupByLibrary.simpleMessage("E-mail"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "Email déjà enregistré.", + ), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "E-mail non enregistré.", + ), + "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( + "Authentification à deux facteurs par email", + ), + "emailYourLogs": MessageLookupByLibrary.simpleMessage( + "Envoyez vos journaux par email", + ), + "embracingThem": m32, + "emergencyContacts": MessageLookupByLibrary.simpleMessage( + "Contacts d\'urgence", + ), + "empty": MessageLookupByLibrary.simpleMessage("Vider"), + "emptyTrash": MessageLookupByLibrary.simpleMessage("Vider la corbeille ?"), + "enable": MessageLookupByLibrary.simpleMessage("Activer"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "Ente prend en charge l\'apprentissage automatique sur l\'appareil pour la reconnaissance des visages, la recherche magique et d\'autres fonctionnalités de recherche avancée", + ), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Activer l\'apprentissage automatique pour la reconnaissance des visages et la recherche magique", + ), + "enableMaps": MessageLookupByLibrary.simpleMessage("Activer la carte"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "Vos photos seront affichées sur une carte du monde.\n\nCette carte est hébergée par Open Street Map, et les emplacements exacts de vos photos ne sont jamais partagés.\n\nVous pouvez désactiver cette fonction à tout moment dans les Paramètres.", + ), + "enabled": MessageLookupByLibrary.simpleMessage("Activé"), + "encryptingBackup": MessageLookupByLibrary.simpleMessage( + "Chiffrement de la sauvegarde...", + ), + "encryption": MessageLookupByLibrary.simpleMessage("Chiffrement"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage( + "Clés de chiffrement", + ), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Point de terminaison mis à jour avec succès", + ), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Chiffrement de bout en bout par défaut", + ), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente peut chiffrer et conserver des fichiers que si vous leur accordez l\'accès", + ), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente a besoin d\'une autorisation pour préserver vos photos", + ), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "Ente conserve vos souvenirs pour qu\'ils soient toujours disponible, même si vous perdez cet appareil.", + ), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Vous pouvez également ajouter votre famille à votre forfait.", + ), + "enterAlbumName": MessageLookupByLibrary.simpleMessage( + "Saisir un nom d\'album", + ), + "enterCode": MessageLookupByLibrary.simpleMessage("Entrer le code"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Entrez le code fourni par votre ami·e pour débloquer l\'espace de stockage gratuit", + ), + "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( + "Anniversaire (facultatif)", + ), + "enterEmail": MessageLookupByLibrary.simpleMessage("Entrer un email"), + "enterFileName": MessageLookupByLibrary.simpleMessage( + "Entrez le nom du fichier", + ), + "enterName": MessageLookupByLibrary.simpleMessage("Saisir un nom"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Saisissez votre nouveau mot de passe qui sera utilisé pour chiffrer vos données", + ), + "enterPassword": MessageLookupByLibrary.simpleMessage( + "Saisissez le mot de passe", + ), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Entrez un mot de passe que nous pouvons utiliser pour chiffrer vos données", + ), + "enterPersonName": MessageLookupByLibrary.simpleMessage( + "Entrez le nom d\'une personne", + ), + "enterPin": MessageLookupByLibrary.simpleMessage("Saisir le code PIN"), + "enterReferralCode": MessageLookupByLibrary.simpleMessage( + "Code de parrainage", + ), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Entrez le code à 6 chiffres de\nvotre application d\'authentification", + ), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Veuillez entrer une adresse email valide.", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Entrez votre adresse e-mail", + ), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Entrez votre nouvelle adresse e-mail", + ), + "enterYourPassword": MessageLookupByLibrary.simpleMessage( + "Entrez votre mot de passe", + ), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Entrez votre clé de récupération", + ), + "error": MessageLookupByLibrary.simpleMessage("Erreur"), + "everywhere": MessageLookupByLibrary.simpleMessage("partout"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": MessageLookupByLibrary.simpleMessage( + "Utilisateur existant", + ), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Ce lien a expiré. Veuillez sélectionner un nouveau délai d\'expiration ou désactiver l\'expiration du lien.", + ), + "exportLogs": MessageLookupByLibrary.simpleMessage("Exporter les logs"), + "exportYourData": MessageLookupByLibrary.simpleMessage( + "Exportez vos données", + ), + "extraPhotosFound": MessageLookupByLibrary.simpleMessage( + "Photos supplémentaires trouvées", + ), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Ce visage n\'a pas encore été regroupé, veuillez revenir plus tard", + ), + "faceRecognition": MessageLookupByLibrary.simpleMessage( + "Reconnaissance faciale", + ), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "Impossible de créer des miniatures de visage", + ), + "faces": MessageLookupByLibrary.simpleMessage("Visages"), + "failed": MessageLookupByLibrary.simpleMessage("Échec"), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage( + "Impossible d\'appliquer le code", + ), + "failedToCancel": MessageLookupByLibrary.simpleMessage( + "Échec de l\'annulation", + ), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( + "Échec du téléchargement de la vidéo", + ), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Impossible de récupérer les connexions actives", + ), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Impossible de récupérer l\'original pour l\'édition", + ), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Impossible de récupérer les détails du parrainage. Veuillez réessayer plus tard.", + ), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "Impossible de charger les albums", + ), + "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Impossible de lire la vidéo", + ), + "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( + "Impossible de rafraîchir l\'abonnement", + ), + "failedToRenew": MessageLookupByLibrary.simpleMessage( + "Échec du renouvellement", + ), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Échec de la vérification du statut du paiement", + ), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Ajoutez 5 membres de votre famille à votre abonnement existant sans payer de supplément.\n\nChaque membre dispose de son propre espace privé et ne peut pas voir les fichiers des autres membres, sauf s\'ils sont partagés.\n\nLes abonnement familiaux sont disponibles pour les clients qui ont un abonnement Ente payant.\n\nAbonnez-vous maintenant pour commencer !", + ), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Famille"), + "familyPlans": MessageLookupByLibrary.simpleMessage("Abonnements famille"), + "faq": MessageLookupByLibrary.simpleMessage("FAQ"), + "faqs": MessageLookupByLibrary.simpleMessage("FAQ"), + "favorite": MessageLookupByLibrary.simpleMessage("Favori"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("Commentaires"), + "file": MessageLookupByLibrary.simpleMessage("Fichier"), + "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage( + "Impossible d\'analyser le fichier", + ), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Échec de l\'enregistrement dans la galerie", + ), + "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( + "Ajouter une description...", + ), + "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( + "Le fichier n\'a pas encore été envoyé", + ), + "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Fichier enregistré dans la galerie", + ), + "fileTypes": MessageLookupByLibrary.simpleMessage("Types de fichiers"), + "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( + "Types et noms de fichiers", + ), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage("Fichiers supprimés"), + "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Fichiers enregistrés dans la galerie", + ), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "Trouver des personnes rapidement par leur nom", + ), + "findThemQuickly": MessageLookupByLibrary.simpleMessage( + "Trouvez-les rapidement", + ), + "flip": MessageLookupByLibrary.simpleMessage("Retourner"), + "food": MessageLookupByLibrary.simpleMessage("Plaisir culinaire"), + "forYourMemories": MessageLookupByLibrary.simpleMessage( + "pour vos souvenirs", + ), + "forgotPassword": MessageLookupByLibrary.simpleMessage( + "Mot de passe oublié", + ), + "foundFaces": MessageLookupByLibrary.simpleMessage("Visages trouvés"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( + "Stockage gratuit obtenu", + ), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Stockage gratuit disponible", + ), + "freeTrial": MessageLookupByLibrary.simpleMessage("Essai gratuit"), + "freeTrialValidTill": m38, + "freeUpAccessPostDelete": m39, + "freeUpAmount": m40, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( + "Libérer de l\'espace sur l\'appareil", + ), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Économisez de l\'espace sur votre appareil en effaçant les fichiers qui ont déjà été sauvegardés.", + ), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("Libérer de l\'espace"), + "freeUpSpaceSaving": m41, + "gallery": MessageLookupByLibrary.simpleMessage("Galerie"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "Jusqu\'à 1000 souvenirs affichés dans la galerie", + ), + "general": MessageLookupByLibrary.simpleMessage("Général"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Génération des clés de chiffrement...", + ), + "genericProgress": m42, + "goToSettings": MessageLookupByLibrary.simpleMessage("Allez aux réglages"), + "googlePlayId": MessageLookupByLibrary.simpleMessage( + "Identifiant Google Play", + ), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Veuillez autoriser l’accès à toutes les photos dans les paramètres", + ), + "grantPermission": MessageLookupByLibrary.simpleMessage( + "Accorder la permission", + ), + "greenery": MessageLookupByLibrary.simpleMessage("La vie au vert"), + "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( + "Grouper les photos à proximité", + ), + "guestView": MessageLookupByLibrary.simpleMessage("Vue invité"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "Pour activer la vue invité, veuillez configurer le code d\'accès de l\'appareil ou le verrouillage de l\'écran dans les paramètres de votre système.", + ), + "happyBirthday": MessageLookupByLibrary.simpleMessage( + "Joyeux anniversaire ! 🥳", + ), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "Nous ne suivons pas les installations d\'applications. Il serait utile que vous nous disiez comment vous nous avez trouvés !", + ), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Comment avez-vous entendu parler de Ente? (facultatif)", + ), + "help": MessageLookupByLibrary.simpleMessage("Documentation"), + "hidden": MessageLookupByLibrary.simpleMessage("Masqué"), + "hide": MessageLookupByLibrary.simpleMessage("Masquer"), + "hideContent": MessageLookupByLibrary.simpleMessage("Masquer le contenu"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Masque le contenu de l\'application dans le sélecteur d\'applications et désactive les captures d\'écran", + ), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Masque le contenu de l\'application dans le sélecteur d\'application", + ), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Masquer les éléments partagés avec vous dans la galerie", + ), + "hiding": MessageLookupByLibrary.simpleMessage("Masquage en cours..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( + "Hébergé chez OSM France", + ), + "howItWorks": MessageLookupByLibrary.simpleMessage( + "Comment cela fonctionne", + ), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Demandez-leur d\'appuyer longuement sur leur adresse email dans l\'écran des paramètres pour vérifier que les identifiants des deux appareils correspondent.", + ), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "L\'authentification biométrique n\'est pas configurée sur votre appareil. Veuillez activer Touch ID ou Face ID sur votre téléphone.", + ), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "L\'authentification biométrique est désactivée. Veuillez verrouiller et déverrouiller votre écran pour l\'activer.", + ), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("Ok"), + "ignore": MessageLookupByLibrary.simpleMessage("Ignorer"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorer"), + "ignored": MessageLookupByLibrary.simpleMessage("ignoré"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Certains fichiers de cet album sont ignorés parce qu\'ils avaient été précédemment supprimés de Ente.", + ), + "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( + "Image non analysée", + ), + "immediately": MessageLookupByLibrary.simpleMessage("Immédiatement"), + "importing": MessageLookupByLibrary.simpleMessage( + "Importation en cours...", + ), + "incorrectCode": MessageLookupByLibrary.simpleMessage("Code non valide"), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Mot de passe incorrect", + ), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Clé de récupération non valide", + ), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "La clé de secours que vous avez entrée est incorrecte", + ), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Clé de secours non valide", + ), + "indexedItems": MessageLookupByLibrary.simpleMessage("Éléments indexés"), + "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( + "L\'indexation est en pause. Elle reprendra automatiquement lorsque l\'appareil sera prêt. Celui-ci est considéré comme prêt lorsque le niveau de batterie, sa santé et son état thermique sont dans une plage saine.", + ), + "ineligible": MessageLookupByLibrary.simpleMessage("Non compatible"), + "info": MessageLookupByLibrary.simpleMessage("Info"), + "insecureDevice": MessageLookupByLibrary.simpleMessage( + "Appareil non sécurisé", + ), + "installManually": MessageLookupByLibrary.simpleMessage( + "Installation manuelle", + ), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "Adresse e-mail invalide", + ), + "invalidEndpoint": MessageLookupByLibrary.simpleMessage( + "Point de terminaison non valide", + ), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Désolé, le point de terminaison que vous avez entré n\'est pas valide. Veuillez en entrer un valide puis réessayez.", + ), + "invalidKey": MessageLookupByLibrary.simpleMessage("Clé invalide"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "La clé de récupération que vous avez saisie n\'est pas valide. Veuillez vérifier qu\'elle contient 24 caractères et qu\'ils sont correctement orthographiés.\n\nSi vous avez saisi un ancien code de récupération, veuillez vérifier qu\'il contient 64 caractères et qu\'ils sont correctement orthographiés.", + ), + "invite": MessageLookupByLibrary.simpleMessage("Inviter"), + "inviteToEnte": MessageLookupByLibrary.simpleMessage( + "Inviter à rejoindre Ente", + ), + "inviteYourFriends": MessageLookupByLibrary.simpleMessage( + "Parrainez vos ami·e·s", + ), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "Invitez vos ami·e·s sur Ente", + ), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Il semble qu\'une erreur s\'est produite. Veuillez réessayer après un certain temps. Si l\'erreur persiste, veuillez contacter notre équipe d\'assistance.", + ), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "Les éléments montrent le nombre de jours restants avant la suppression définitive", + ), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Les éléments sélectionnés seront supprimés de cet album", + ), + "join": MessageLookupByLibrary.simpleMessage("Rejoindre"), + "joinAlbum": MessageLookupByLibrary.simpleMessage("Rejoindre l\'album"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "Rejoindre un album rendra votre e-mail visible à ses participants.", + ), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( + "pour afficher et ajouter vos photos", + ), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "pour ajouter ceci aux albums partagés", + ), + "joinDiscord": MessageLookupByLibrary.simpleMessage("Rejoindre Discord"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Conserver les photos"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Merci de nous aider avec cette information", + ), + "language": MessageLookupByLibrary.simpleMessage("Langue"), + "lastTimeWithThem": m45, + "lastUpdated": MessageLookupByLibrary.simpleMessage("Dernière mise à jour"), + "lastYearsTrip": MessageLookupByLibrary.simpleMessage( + "Voyage de l\'an dernier", + ), + "leave": MessageLookupByLibrary.simpleMessage("Quitter"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Quitter l\'album"), + "leaveFamily": MessageLookupByLibrary.simpleMessage( + "Quitter le plan familial", + ), + "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Quitter l\'album partagé?", + ), + "left": MessageLookupByLibrary.simpleMessage("Gauche"), + "legacy": MessageLookupByLibrary.simpleMessage("Héritage"), + "legacyAccounts": MessageLookupByLibrary.simpleMessage("Comptes hérités"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "L\'héritage permet aux contacts de confiance d\'accéder à votre compte en votre absence.", + ), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "Ces contacts peuvent initier la récupération du compte et, s\'ils ne sont pas bloqués dans les 30 jours qui suivent, peuvent réinitialiser votre mot de passe et accéder à votre compte.", + ), + "light": MessageLookupByLibrary.simpleMessage("Clair"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Clair"), + "link": MessageLookupByLibrary.simpleMessage("Lier"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Lien copié dans le presse-papiers", + ), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage( + "Limite d\'appareil", + ), + "linkEmail": MessageLookupByLibrary.simpleMessage("Lier l\'email"), + "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( + "pour un partage plus rapide", + ), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Activé"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Expiré"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Expiration du lien"), + "linkHasExpired": MessageLookupByLibrary.simpleMessage("Le lien a expiré"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Jamais"), + "linkPerson": MessageLookupByLibrary.simpleMessage("Lier la personne"), + "linkPersonCaption": MessageLookupByLibrary.simpleMessage( + "pour une meilleure expérience de partage", + ), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("Photos en direct"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "Vous pouvez partager votre abonnement avec votre famille", + ), + "loadMessage2": MessageLookupByLibrary.simpleMessage( + "Nous avons préservé plus de 200 millions de souvenirs jusqu\'à présent", + ), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "Nous conservons 3 copies de vos données, l\'une dans un abri anti-atomique", + ), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "Toutes nos applications sont open source", + ), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Notre code source et notre cryptographie ont été audités en externe", + ), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "Vous pouvez partager des liens vers vos albums avec vos proches", + ), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Nos applications mobiles s\'exécutent en arrière-plan pour chiffrer et sauvegarder automatiquement les nouvelles photos que vous prenez", + ), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io dispose d\'un outil de téléchargement facile à utiliser", + ), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Nous utilisons Xchacha20Poly1305 pour chiffrer vos données en toute sécurité", + ), + "loadingExifData": MessageLookupByLibrary.simpleMessage( + "Chargement des données EXIF...", + ), + "loadingGallery": MessageLookupByLibrary.simpleMessage( + "Chargement de la galerie...", + ), + "loadingMessage": MessageLookupByLibrary.simpleMessage( + "Chargement de vos photos...", + ), + "loadingModel": MessageLookupByLibrary.simpleMessage( + "Téléchargement des modèles...", + ), + "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( + "Chargement de vos photos...", + ), + "localGallery": MessageLookupByLibrary.simpleMessage("Galerie locale"), + "localIndexing": MessageLookupByLibrary.simpleMessage("Indexation locale"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Il semble que quelque chose s\'est mal passé car la synchronisation des photos locales prend plus de temps que prévu. Veuillez contacter notre équipe d\'assistance", + ), + "location": MessageLookupByLibrary.simpleMessage("Emplacement"), + "locationName": MessageLookupByLibrary.simpleMessage("Nom du lieu"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Un tag d\'emplacement regroupe toutes les photos qui ont été prises dans un certain rayon d\'une photo", + ), + "locations": MessageLookupByLibrary.simpleMessage("Emplacements"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Verrouiller"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Écran de verrouillage"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Se connecter"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Deconnexion..."), + "loginSessionExpired": MessageLookupByLibrary.simpleMessage( + "Session expirée", + ), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "Votre session a expiré. Veuillez vous reconnecter.", + ), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "En cliquant sur connecter, j\'accepte les conditions d\'utilisation et la politique de confidentialité", + ), + "loginWithTOTP": MessageLookupByLibrary.simpleMessage( + "Se connecter avec TOTP", + ), + "logout": MessageLookupByLibrary.simpleMessage("Déconnexion"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "Les journaux seront envoyés pour nous aider à déboguer votre problème. Les noms de fichiers seront inclus pour aider à identifier les problèmes.", + ), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Appuyez longuement sur un email pour vérifier le chiffrement de bout en bout.", + ), + "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( + "Appuyez longuement sur un élément pour le voir en plein écran", + ), + "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( + "Regarde tes souvenirs passés 🌄", + ), + "loopVideoOff": MessageLookupByLibrary.simpleMessage( + "Vidéo en boucle désactivée", + ), + "loopVideoOn": MessageLookupByLibrary.simpleMessage( + "Vidéo en boucle activée", + ), + "lostDevice": MessageLookupByLibrary.simpleMessage("Appareil perdu ?"), + "machineLearning": MessageLookupByLibrary.simpleMessage( + "Apprentissage automatique (IA locale)", + ), + "magicSearch": MessageLookupByLibrary.simpleMessage("Recherche magique"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "La recherche magique permet de rechercher des photos par leur contenu, par exemple \'fleur\', \'voiture rouge\', \'documents d\'identité\'", + ), + "manage": MessageLookupByLibrary.simpleMessage("Gérer"), + "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( + "Gérer le cache de l\'appareil", + ), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Examiner et vider le cache.", + ), + "manageFamily": MessageLookupByLibrary.simpleMessage("Gérer la famille"), + "manageLink": MessageLookupByLibrary.simpleMessage("Gérer le lien"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Gérer"), + "manageSubscription": MessageLookupByLibrary.simpleMessage( + "Gérer l\'abonnement", + ), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "L\'appairage avec le code PIN fonctionne avec n\'importe quel écran sur lequel vous souhaitez voir votre album.", + ), + "map": MessageLookupByLibrary.simpleMessage("Carte"), + "maps": MessageLookupByLibrary.simpleMessage("Carte"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("Moi"), + "memories": MessageLookupByLibrary.simpleMessage("Souvenirs"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Sélectionnez le type de souvenirs que vous souhaitez voir sur votre écran d\'accueil.", + ), + "memoryCount": m50, + "merchandise": MessageLookupByLibrary.simpleMessage("Boutique"), + "merge": MessageLookupByLibrary.simpleMessage("Fusionner"), + "mergeWithExisting": MessageLookupByLibrary.simpleMessage( + "Fusionner avec existant", + ), + "mergedPhotos": MessageLookupByLibrary.simpleMessage("Photos fusionnées"), + "mlConsent": MessageLookupByLibrary.simpleMessage( + "Activer l\'apprentissage automatique", + ), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Je comprends et je souhaite activer l\'apprentissage automatique", + ), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Si vous activez l\'apprentissage automatique Ente extraira des informations comme la géométrie des visages, y compris dans les photos partagées avec vous. \nCela se fera localement sur votre appareil et avec un chiffrement bout-en-bout de toutes les données biométriques générées.", + ), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Veuillez cliquer ici pour plus de détails sur cette fonctionnalité dans notre politique de confidentialité", + ), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "Activer l\'apprentissage automatique ?", + ), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Veuillez noter que l\'apprentissage automatique entraînera une augmentation de l\'utilisation de la connexion Internet et de la batterie jusqu\'à ce que tous les souvenirs soient indexés. \nVous pouvez utiliser l\'application de bureau Ente pour accélérer cette étape, tous les résultats seront synchronisés.", + ), + "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( + "Mobile, Web, Ordinateur", + ), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Moyen"), + "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( + "Modifiez votre requête, ou essayez de rechercher", + ), + "moments": MessageLookupByLibrary.simpleMessage("Souvenirs"), + "month": MessageLookupByLibrary.simpleMessage("mois"), + "monthly": MessageLookupByLibrary.simpleMessage("Mensuel"), + "moon": MessageLookupByLibrary.simpleMessage("Au clair de lune"), + "moreDetails": MessageLookupByLibrary.simpleMessage("Plus de détails"), + "mostRecent": MessageLookupByLibrary.simpleMessage("Les plus récents"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("Les plus pertinents"), + "mountains": MessageLookupByLibrary.simpleMessage("Au-dessus des collines"), + "moveItem": m51, + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "Déplacer les photos sélectionnées vers une date", + ), + "moveToAlbum": MessageLookupByLibrary.simpleMessage( + "Déplacer vers l\'album", + ), + "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Déplacer vers un album masqué", + ), + "movedSuccessfullyTo": m52, + "movedToTrash": MessageLookupByLibrary.simpleMessage( + "Déplacé dans la corbeille", + ), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Déplacement des fichiers vers l\'album...", + ), + "name": MessageLookupByLibrary.simpleMessage("Nom"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Nommez l\'album"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Impossible de se connecter à Ente, veuillez réessayer après un certain temps. Si l\'erreur persiste, veuillez contacter le support.", + ), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Impossible de se connecter à Ente, veuillez vérifier vos paramètres réseau et contacter le support si l\'erreur persiste.", + ), + "never": MessageLookupByLibrary.simpleMessage("Jamais"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Nouvel album"), + "newLocation": MessageLookupByLibrary.simpleMessage("Nouveau lieu"), + "newPerson": MessageLookupByLibrary.simpleMessage("Nouvelle personne"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" nouveau 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("Nouvelle plage"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Nouveau sur Ente"), + "newest": MessageLookupByLibrary.simpleMessage("Le plus récent"), + "next": MessageLookupByLibrary.simpleMessage("Suivant"), + "no": MessageLookupByLibrary.simpleMessage("Non"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Aucun album que vous avez partagé", + ), + "noDeviceFound": MessageLookupByLibrary.simpleMessage( + "Aucun appareil trouvé", + ), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Aucune"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "Vous n\'avez pas de fichiers sur cet appareil qui peuvent être supprimés", + ), + "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Aucun doublon"), + "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( + "Aucun compte Ente !", + ), + "noExifData": MessageLookupByLibrary.simpleMessage("Aucune donnée EXIF"), + "noFacesFound": MessageLookupByLibrary.simpleMessage( + "Aucun visage détecté", + ), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "Aucune photo ou vidéo masquée", + ), + "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( + "Aucune image avec localisation", + ), + "noInternetConnection": MessageLookupByLibrary.simpleMessage( + "Aucune connexion internet", + ), + "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( + "Aucune photo en cours de sauvegarde", + ), + "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( + "Aucune photo trouvée", + ), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( + "Aucun lien rapide sélectionné", + ), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Aucune clé de récupération ?", + ), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "En raison de notre protocole de chiffrement de bout en bout, vos données ne peuvent pas être déchiffré sans votre mot de passe ou clé de récupération", + ), + "noResults": MessageLookupByLibrary.simpleMessage("Aucun résultat"), + "noResultsFound": MessageLookupByLibrary.simpleMessage( + "Aucun résultat trouvé", + ), + "noSuggestionsForPerson": m53, + "noSystemLockFound": MessageLookupByLibrary.simpleMessage( + "Aucun verrou système trouvé", + ), + "notPersonLabel": m54, + "notThisPerson": MessageLookupByLibrary.simpleMessage( + "Ce n\'est pas cette personne ?", + ), + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "Rien n\'a encore été partagé avec vous", + ), + "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( + "Il n\'y a encore rien à voir ici 👀", + ), + "notifications": MessageLookupByLibrary.simpleMessage("Notifications"), + "ok": MessageLookupByLibrary.simpleMessage("Ok"), + "onDevice": MessageLookupByLibrary.simpleMessage("Sur votre appareil"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "Sur Ente", + ), + "onTheRoad": MessageLookupByLibrary.simpleMessage( + "De nouveau sur la route", + ), + "onThisDay": MessageLookupByLibrary.simpleMessage("Ce jour-ci"), + "onThisDayMemories": MessageLookupByLibrary.simpleMessage( + "Souvenirs du jour", + ), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "Recevoir des rappels sur les souvenirs de cette journée des années précédentes.", + ), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Seulement eux"), + "oops": MessageLookupByLibrary.simpleMessage("Oups"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Oups, impossible d\'enregistrer les modifications", + ), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Oups, une erreur est arrivée", + ), + "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( + "Ouvrir l\'album dans le navigateur", + ), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Veuillez utiliser l\'application web pour ajouter des photos à cet album", + ), + "openFile": MessageLookupByLibrary.simpleMessage("Ouvrir le fichier"), + "openSettings": MessageLookupByLibrary.simpleMessage( + "Ouvrir les paramètres", + ), + "openTheItem": MessageLookupByLibrary.simpleMessage("• Ouvrir l\'élément"), + "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( + "Contributeurs d\'OpenStreetMap", + ), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Optionnel, aussi court que vous le souhaitez...", + ), + "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( + "Ou fusionner avec une personne existante", + ), + "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( + "Ou sélectionner un email existant", + ), + "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( + "ou choisissez parmi vos contacts", + ), + "otherDetectedFaces": MessageLookupByLibrary.simpleMessage( + "Autres visages détectés", + ), + "pair": MessageLookupByLibrary.simpleMessage("Associer"), + "pairWithPin": MessageLookupByLibrary.simpleMessage( + "Appairer avec le code PIN", + ), + "pairingComplete": MessageLookupByLibrary.simpleMessage( + "Appairage terminé", + ), + "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), + "partyWithThem": m56, + "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( + "La vérification est toujours en attente", + ), + "passkey": MessageLookupByLibrary.simpleMessage( + "Authentification à deux facteurs avec une clé de sécurité", + ), + "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( + "Vérification de la clé de sécurité", + ), + "password": MessageLookupByLibrary.simpleMessage("Mot de passe"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Le mot de passe a été modifié", + ), + "passwordLock": MessageLookupByLibrary.simpleMessage( + "Verrouillage par mot de passe", + ), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "La force du mot de passe est calculée en tenant compte de la longueur du mot de passe, des caractères utilisés et du fait que le mot de passe figure ou non parmi les 10 000 mots de passe les plus utilisés", + ), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Nous ne stockons pas ce mot de passe, donc si vous l\'oubliez, nous ne pouvons pas déchiffrer vos données", + ), + "pastYearsMemories": MessageLookupByLibrary.simpleMessage( + "Souvenirs de ces dernières années", + ), + "paymentDetails": MessageLookupByLibrary.simpleMessage( + "Détails de paiement", + ), + "paymentFailed": MessageLookupByLibrary.simpleMessage("Échec du paiement"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "Malheureusement votre paiement a échoué. Veuillez contacter le support et nous vous aiderons !", + ), + "paymentFailedTalkToProvider": m58, + "pendingItems": MessageLookupByLibrary.simpleMessage("Éléments en attente"), + "pendingSync": MessageLookupByLibrary.simpleMessage( + "Synchronisation en attente", + ), + "people": MessageLookupByLibrary.simpleMessage("Personnes"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Filleul·e·s utilisant votre code", + ), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Sélectionnez les personnes que vous souhaitez voir sur votre écran d\'accueil.", + ), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Tous les éléments de la corbeille seront définitivement supprimés\n\nCette action ne peut pas être annulée", + ), + "permanentlyDelete": MessageLookupByLibrary.simpleMessage( + "Supprimer définitivement", + ), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Supprimer définitivement de l\'appareil ?", + ), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("Nom de la personne"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("Compagnons à quatre pattes"), + "photoDescriptions": MessageLookupByLibrary.simpleMessage( + "Descriptions de la photo", + ), + "photoGridSize": MessageLookupByLibrary.simpleMessage( + "Taille de la grille photo", + ), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("photo"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("Photos"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "Les photos ajoutées par vous seront retirées de l\'album", + ), + "photosCount": m62, + "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( + "Les photos gardent une différence de temps relative", + ), + "pickCenterPoint": MessageLookupByLibrary.simpleMessage( + "Sélectionner le point central", + ), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Épingler l\'album"), + "pinLock": MessageLookupByLibrary.simpleMessage( + "Verrouillage par code PIN", + ), + "playOnTv": MessageLookupByLibrary.simpleMessage("Lire l\'album sur la TV"), + "playOriginal": MessageLookupByLibrary.simpleMessage("Lire l\'original"), + "playStoreFreeTrialValidTill": m63, + "playStream": MessageLookupByLibrary.simpleMessage("Lire le stream"), + "playstoreSubscription": MessageLookupByLibrary.simpleMessage( + "Abonnement au PlayStore", + ), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "S\'il vous plaît, vérifiez votre connexion à internet et réessayez.", + ), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Veuillez contacter support@ente.io et nous serons heureux de vous aider!", + ), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Merci de contacter l\'assistance si cette erreur persiste", + ), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( + "Veuillez accorder la permission", + ), + "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( + "Veuillez vous reconnecter", + ), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Veuillez sélectionner les liens rapides à supprimer", + ), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Veuillez réessayer", + ), + "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( + "Veuillez vérifier le code que vous avez entré", + ), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Veuillez patienter..."), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Veuillez patienter, suppression de l\'album", + ), + "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( + "Veuillez attendre quelque temps avant de réessayer", + ), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "Veuillez patienter, cela prendra un peu de temps.", + ), + "posingWithThem": m66, + "preparingLogs": MessageLookupByLibrary.simpleMessage( + "Préparation des journaux...", + ), + "preserveMore": MessageLookupByLibrary.simpleMessage("Conserver plus"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Appuyez et maintenez enfoncé pour lire la vidéo", + ), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Maintenez appuyé sur l\'image pour lire la vidéo", + ), + "previous": MessageLookupByLibrary.simpleMessage("Précédent"), + "privacy": MessageLookupByLibrary.simpleMessage( + "Politique de confidentialité", + ), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "Politique de Confidentialité", + ), + "privateBackups": MessageLookupByLibrary.simpleMessage( + "Sauvegardes privées", + ), + "privateSharing": MessageLookupByLibrary.simpleMessage("Partage privé"), + "proceed": MessageLookupByLibrary.simpleMessage("Procéder"), + "processed": MessageLookupByLibrary.simpleMessage("Appris"), + "processing": MessageLookupByLibrary.simpleMessage("Traitement en cours"), + "processingImport": m67, + "processingVideos": MessageLookupByLibrary.simpleMessage( + "Traitement des vidéos", + ), + "publicLinkCreated": MessageLookupByLibrary.simpleMessage( + "Lien public créé", + ), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( + "Lien public activé", + ), + "questionmark": MessageLookupByLibrary.simpleMessage("?"), + "queued": MessageLookupByLibrary.simpleMessage("En file d\'attente"), + "quickLinks": MessageLookupByLibrary.simpleMessage("Liens rapides"), + "radius": MessageLookupByLibrary.simpleMessage("Rayon"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Créer un ticket"), + "rateTheApp": MessageLookupByLibrary.simpleMessage( + "Évaluer l\'application", + ), + "rateUs": MessageLookupByLibrary.simpleMessage("Évaluez-nous"), + "rateUsOnStore": m68, + "reassignMe": MessageLookupByLibrary.simpleMessage("Réassigner \"Moi\""), + "reassignedToName": m69, + "reassigningLoading": MessageLookupByLibrary.simpleMessage( + "Réassignation...", + ), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Recevoir des rappels quand c\'est l\'anniversaire de quelqu\'un. Appuyer sur la notification vous amènera à des photos de son anniversaire.", + ), + "recover": MessageLookupByLibrary.simpleMessage("Récupérer"), + "recoverAccount": MessageLookupByLibrary.simpleMessage( + "Récupérer un compte", + ), + "recoverButton": MessageLookupByLibrary.simpleMessage("Restaurer"), + "recoveryAccount": MessageLookupByLibrary.simpleMessage( + "Récupérer un compte", + ), + "recoveryInitiated": MessageLookupByLibrary.simpleMessage( + "Récupération initiée", + ), + "recoveryInitiatedDesc": m70, + "recoveryKey": MessageLookupByLibrary.simpleMessage("Clé de secours"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Clé de secours copiée dans le presse-papiers", + ), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Si vous oubliez votre mot de passe, la seule façon de récupérer vos données sera grâce à cette clé.", + ), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Nous ne la stockons pas, veuillez la conserver en lieu endroit sûr.", + ), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Génial ! Votre clé de récupération est valide. Merci de votre vérification.\n\nN\'oubliez pas de garder votre clé de récupération sauvegardée.", + ), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Clé de récupération vérifiée", + ), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Votre clé de récupération est la seule façon de récupérer vos photos si vous oubliez votre mot de passe. Vous pouvez trouver votre clé de récupération dans Paramètres > Compte.\n\nVeuillez saisir votre clé de récupération ici pour vous assurer de l\'avoir enregistré correctement.", + ), + "recoveryReady": m71, + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "Restauration réussie !", + ), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "Un contact de confiance tente d\'accéder à votre compte", + ), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "L\'appareil actuel n\'est pas assez puissant pour vérifier votre mot de passe, mais nous pouvons le régénérer d\'une manière qui fonctionne avec tous les appareils.\n\nVeuillez vous connecter à l\'aide de votre clé de secours et régénérer votre mot de passe (vous pouvez réutiliser le même si vous le souhaitez).", + ), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Recréer le mot de passe", + ), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": MessageLookupByLibrary.simpleMessage( + "Ressaisir le mot de passe", + ), + "reenterPin": MessageLookupByLibrary.simpleMessage("Ressaisir le code PIN"), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Parrainez vos ami·e·s et doublez votre stockage", + ), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Donnez ce code à vos ami·e·s", + ), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Ils souscrivent à une offre payante", + ), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Parrainages"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "Les recommandations sont actuellement en pause", + ), + "rejectRecovery": MessageLookupByLibrary.simpleMessage( + "Rejeter la récupération", + ), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "Également vide \"récemment supprimé\" de \"Paramètres\" -> \"Stockage\" pour réclamer l\'espace libéré", + ), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Vide aussi votre \"Corbeille\" pour réclamer l\'espace libéré", + ), + "remoteImages": MessageLookupByLibrary.simpleMessage("Images distantes"), + "remoteThumbnails": MessageLookupByLibrary.simpleMessage( + "Miniatures distantes", + ), + "remoteVideos": MessageLookupByLibrary.simpleMessage("Vidéos distantes"), + "remove": MessageLookupByLibrary.simpleMessage("Supprimer"), + "removeDuplicates": MessageLookupByLibrary.simpleMessage( + "Supprimer les doublons", + ), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Examinez et supprimez les fichiers étant des doublons exacts.", + ), + "removeFromAlbum": MessageLookupByLibrary.simpleMessage( + "Retirer de l\'album", + ), + "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( + "Retirer de l\'album ?", + ), + "removeFromFavorite": MessageLookupByLibrary.simpleMessage( + "Retirer des favoris", + ), + "removeInvite": MessageLookupByLibrary.simpleMessage( + "Supprimer l’Invitation", + ), + "removeLink": MessageLookupByLibrary.simpleMessage("Supprimer le lien"), + "removeParticipant": MessageLookupByLibrary.simpleMessage( + "Supprimer le participant", + ), + "removeParticipantBody": m74, + "removePersonLabel": MessageLookupByLibrary.simpleMessage( + "Supprimer le libellé d\'une personne", + ), + "removePublicLink": MessageLookupByLibrary.simpleMessage( + "Supprimer le lien public", + ), + "removePublicLinks": MessageLookupByLibrary.simpleMessage( + "Supprimer les liens publics", + ), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Certains des éléments que vous êtes en train de retirer ont été ajoutés par d\'autres personnes, vous perdrez l\'accès vers ces éléments", + ), + "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Enlever?"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Retirez-vous comme contact de confiance", + ), + "removingFromFavorites": MessageLookupByLibrary.simpleMessage( + "Suppression des favoris…", + ), + "rename": MessageLookupByLibrary.simpleMessage("Renommer"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("Renommer l\'album"), + "renameFile": MessageLookupByLibrary.simpleMessage("Renommer le fichier"), + "renewSubscription": MessageLookupByLibrary.simpleMessage( + "Renouveler l’abonnement", + ), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Signaler un bogue"), + "reportBug": MessageLookupByLibrary.simpleMessage("Signaler un bogue"), + "resendEmail": MessageLookupByLibrary.simpleMessage("Renvoyer l\'email"), + "reset": MessageLookupByLibrary.simpleMessage("Réinitialiser"), + "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( + "Réinitialiser les fichiers ignorés", + ), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Réinitialiser le mot de passe", + ), + "resetPerson": MessageLookupByLibrary.simpleMessage("Réinitialiser"), + "resetToDefault": MessageLookupByLibrary.simpleMessage( + "Réinitialiser aux valeurs par défaut", + ), + "restore": MessageLookupByLibrary.simpleMessage("Restaurer"), + "restoreToAlbum": MessageLookupByLibrary.simpleMessage( + "Restaurer vers l\'album", + ), + "restoringFiles": MessageLookupByLibrary.simpleMessage( + "Restauration des fichiers...", + ), + "resumableUploads": MessageLookupByLibrary.simpleMessage( + "Reprise automatique des transferts", + ), + "retry": MessageLookupByLibrary.simpleMessage("Réessayer"), + "review": MessageLookupByLibrary.simpleMessage("Suggestions"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Veuillez vérifier et supprimer les éléments que vous croyez dupliqués.", + ), + "reviewSuggestions": MessageLookupByLibrary.simpleMessage( + "Examiner les suggestions", + ), + "right": MessageLookupByLibrary.simpleMessage("Droite"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("Pivoter"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Pivoter à gauche"), + "rotateRight": MessageLookupByLibrary.simpleMessage( + "Faire pivoter à droite", + ), + "safelyStored": MessageLookupByLibrary.simpleMessage("Stockage sécurisé"), + "same": MessageLookupByLibrary.simpleMessage("Identique"), + "sameperson": MessageLookupByLibrary.simpleMessage("Même personne ?"), + "save": MessageLookupByLibrary.simpleMessage("Sauvegarder"), + "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage( + "Enregistrer comme une autre personne", + ), + "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( + "Enregistrer les modifications avant de quitter ?", + ), + "saveCollage": MessageLookupByLibrary.simpleMessage( + "Enregistrer le collage", + ), + "saveCopy": MessageLookupByLibrary.simpleMessage("Enregistrer une copie"), + "saveKey": MessageLookupByLibrary.simpleMessage("Enregistrer la clé"), + "savePerson": MessageLookupByLibrary.simpleMessage( + "Enregistrer la personne", + ), + "saveYourRecoveryKeyIfYouHaventAlready": MessageLookupByLibrary.simpleMessage( + "Enregistrez votre clé de récupération si vous ne l\'avez pas déjà fait", + ), + "saving": MessageLookupByLibrary.simpleMessage("Enregistrement..."), + "savingEdits": MessageLookupByLibrary.simpleMessage( + "Enregistrement des modifications...", + ), + "scanCode": MessageLookupByLibrary.simpleMessage("Scanner le code"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Scannez ce code-barres avec\nvotre application d\'authentification", + ), + "search": MessageLookupByLibrary.simpleMessage("Rechercher"), + "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Albums"), + "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage( + "Nom de l\'album", + ), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Noms d\'albums (par exemple \"Caméra\")\n• Types de fichiers (par exemple \"Vidéos\", \".gif\")\n• Années et mois (par exemple \"2022\", \"Janvier\")\n• Vacances (par exemple \"Noël\")\n• Descriptions de photos (par exemple \"#fun\")", + ), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Ajoutez des descriptions comme \"#trip\" dans les infos photo pour les retrouver ici plus rapidement", + ), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Recherche par date, mois ou année", + ), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "Les images seront affichées ici une fois le traitement terminé", + ), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "Les personnes seront affichées ici une fois l\'indexation terminée", + ), + "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( + "Types et noms de fichiers", + ), + "searchHint1": MessageLookupByLibrary.simpleMessage( + "Recherche rapide, sur l\'appareil", + ), + "searchHint2": MessageLookupByLibrary.simpleMessage( + "Dates des photos, descriptions", + ), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "Albums, noms de fichiers et types", + ), + "searchHint4": MessageLookupByLibrary.simpleMessage("Emplacement"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "Bientôt: Visages & recherche magique ✨", + ), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Grouper les photos qui sont prises dans un certain angle d\'une photo", + ), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "Invitez quelqu\'un·e et vous verrez ici toutes les photos partagées", + ), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "Les personnes seront affichées ici une fois le traitement terminé", + ), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Sécurité"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "Ouvrir les liens des albums publics dans l\'application", + ), + "selectALocation": MessageLookupByLibrary.simpleMessage( + "Sélectionnez un emplacement", + ), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage( + "Sélectionnez d\'abord un emplacement", + ), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Sélectionner album"), + "selectAll": MessageLookupByLibrary.simpleMessage("Tout sélectionner"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("Tout"), + "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( + "Sélectionnez la photo de couverture", + ), + "selectDate": MessageLookupByLibrary.simpleMessage("Sélectionner la date"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Dossiers à sauvegarder", + ), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "Sélectionner les éléments à ajouter", + ), + "selectLanguage": MessageLookupByLibrary.simpleMessage( + "Sélectionnez une langue", + ), + "selectMailApp": MessageLookupByLibrary.simpleMessage( + "Sélectionnez l\'application mail", + ), + "selectMorePhotos": MessageLookupByLibrary.simpleMessage( + "Sélectionner plus de photos", + ), + "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( + "Sélectionner une date et une heure", + ), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "Sélectionnez une date et une heure pour tous", + ), + "selectPersonToLink": MessageLookupByLibrary.simpleMessage( + "Sélectionnez la personne à associer", + ), + "selectReason": MessageLookupByLibrary.simpleMessage( + "Sélectionnez une raison", + ), + "selectStartOfRange": MessageLookupByLibrary.simpleMessage( + "Sélectionner le début de la plage", + ), + "selectTime": MessageLookupByLibrary.simpleMessage("Sélectionner l\'heure"), + "selectYourFace": MessageLookupByLibrary.simpleMessage( + "Sélectionnez votre visage", + ), + "selectYourPlan": MessageLookupByLibrary.simpleMessage( + "Sélectionner votre offre", + ), + "selectedAlbums": m79, + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Les fichiers sélectionnés ne sont pas sur Ente", + ), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Les dossiers sélectionnés seront chiffrés et sauvegardés", + ), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Les éléments sélectionnés seront supprimés de tous les albums et déplacés dans la corbeille.", + ), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "Les éléments sélectionnés seront retirés de cette personne, mais pas supprimés de votre bibliothèque.", + ), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("Envoyer"), + "sendEmail": MessageLookupByLibrary.simpleMessage("Envoyer un e-mail"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Envoyer Invitations"), + "sendLink": MessageLookupByLibrary.simpleMessage("Envoyer le lien"), + "serverEndpoint": MessageLookupByLibrary.simpleMessage( + "Point de terminaison serveur", + ), + "sessionExpired": MessageLookupByLibrary.simpleMessage("Session expirée"), + "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( + "Incompatibilité de l\'ID de session", + ), + "setAPassword": MessageLookupByLibrary.simpleMessage( + "Définir un mot de passe", + ), + "setAs": MessageLookupByLibrary.simpleMessage("Définir comme"), + "setCover": MessageLookupByLibrary.simpleMessage("Définir la couverture"), + "setLabel": MessageLookupByLibrary.simpleMessage("Définir"), + "setNewPassword": MessageLookupByLibrary.simpleMessage( + "Définir un nouveau mot de passe", + ), + "setNewPin": MessageLookupByLibrary.simpleMessage( + "Définir un nouveau code PIN", + ), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Définir le mot de passe", + ), + "setRadius": MessageLookupByLibrary.simpleMessage("Définir le rayon"), + "setupComplete": MessageLookupByLibrary.simpleMessage( + "Configuration terminée", + ), + "share": MessageLookupByLibrary.simpleMessage("Partager"), + "shareALink": MessageLookupByLibrary.simpleMessage("Partager le lien"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Ouvrez un album et appuyez sur le bouton de partage en haut à droite pour le partager.", + ), + "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( + "Partagez un album maintenant", + ), + "shareLink": MessageLookupByLibrary.simpleMessage("Partager le lien"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Partagez uniquement avec les personnes que vous souhaitez", + ), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Téléchargez Ente pour pouvoir facilement partager des photos et vidéos en qualité originale\n\nhttps://ente.io", + ), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Partager avec des utilisateurs non-Ente", + ), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( + "Partagez votre premier album", + ), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Créez des albums partagés et collaboratifs avec d\'autres utilisateurs de Ente, y compris des utilisateurs ayant des plans gratuits.", + ), + "sharedByMe": MessageLookupByLibrary.simpleMessage("Partagé par moi"), + "sharedByYou": MessageLookupByLibrary.simpleMessage("Partagé par vous"), + "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( + "Nouvelles photos partagées", + ), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Recevoir des notifications quand quelqu\'un·e ajoute une photo à un album partagé dont vous faites partie", + ), + "sharedWith": m87, + "sharedWithMe": MessageLookupByLibrary.simpleMessage("Partagés avec moi"), + "sharedWithYou": MessageLookupByLibrary.simpleMessage("Partagé avec vous"), + "sharing": MessageLookupByLibrary.simpleMessage("Partage..."), + "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( + "Dates et heure de décalage", + ), + "showLessFaces": MessageLookupByLibrary.simpleMessage( + "Afficher moins de visages", + ), + "showMemories": MessageLookupByLibrary.simpleMessage( + "Afficher les souvenirs", + ), + "showMoreFaces": MessageLookupByLibrary.simpleMessage( + "Afficher plus de visages", + ), + "showPerson": MessageLookupByLibrary.simpleMessage("Montrer la personne"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "Se déconnecter d\'autres appareils", + ), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Si vous pensez que quelqu\'un peut connaître votre mot de passe, vous pouvez forcer tous les autres appareils utilisant votre compte à se déconnecter.", + ), + "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( + "Déconnecter les autres appareils", + ), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "J\'accepte les conditions d\'utilisation et la politique de confidentialité", + ), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Elle sera supprimée de tous les albums.", + ), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Ignorer"), + "smartMemories": MessageLookupByLibrary.simpleMessage( + "Souvenirs intelligents", + ), + "social": MessageLookupByLibrary.simpleMessage("Retrouvez nous"), + "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( + "Certains éléments sont à la fois sur Ente et votre appareil.", + ), + "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( + "Certains des fichiers que vous essayez de supprimer ne sont disponibles que sur votre appareil et ne peuvent pas être récupérés s\'ils sont supprimés", + ), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Quelqu\'un qui partage des albums avec vous devrait voir le même ID sur son appareil.", + ), + "somethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Un problème est survenu", + ), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Quelque chose s\'est mal passé, veuillez recommencer", + ), + "sorry": MessageLookupByLibrary.simpleMessage("Désolé"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "Désolé, nous n\'avons pas pu sauvegarder ce fichier maintenant, nous allons réessayer plus tard.", + ), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Désolé, impossible d\'ajouter aux favoris !", + ), + "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( + "Désolé, impossible de supprimer des favoris !", + ), + "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "Le code que vous avez saisi est incorrect", + ), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Désolé, nous n\'avons pas pu générer de clés sécurisées sur cet appareil.\n\nVeuillez vous inscrire depuis un autre appareil.", + ), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Désolé, nous avons dû mettre en pause vos sauvegardes", + ), + "sort": MessageLookupByLibrary.simpleMessage("Trier"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Trier par"), + "sortNewestFirst": MessageLookupByLibrary.simpleMessage( + "Plus récent en premier", + ), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage( + "Plus ancien en premier", + ), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Succès"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": MessageLookupByLibrary.simpleMessage( + "Éclairage sur vous-même", + ), + "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( + "Démarrer la récupération", + ), + "startBackup": MessageLookupByLibrary.simpleMessage( + "Démarrer la sauvegarde", + ), + "status": MessageLookupByLibrary.simpleMessage("État"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "Voulez-vous arrêter la diffusion ?", + ), + "stopCastingTitle": MessageLookupByLibrary.simpleMessage( + "Arrêter la diffusion", + ), + "storage": MessageLookupByLibrary.simpleMessage("Stockage"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Famille"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Vous"), + "storageInGB": m93, + "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( + "Limite de stockage atteinte", + ), + "storageUsageInfo": m94, + "streamDetails": MessageLookupByLibrary.simpleMessage("Détails du stream"), + "strongStrength": MessageLookupByLibrary.simpleMessage("Forte"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("S\'abonner"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Vous avez besoin d\'un abonnement payant actif pour activer le partage.", + ), + "subscription": MessageLookupByLibrary.simpleMessage("Abonnement"), + "success": MessageLookupByLibrary.simpleMessage("Succès"), + "successfullyArchived": MessageLookupByLibrary.simpleMessage( + "Archivé avec succès", + ), + "successfullyHid": MessageLookupByLibrary.simpleMessage("Masquage réussi"), + "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( + "Désarchivé avec succès", + ), + "successfullyUnhid": MessageLookupByLibrary.simpleMessage( + "Masquage réussi", + ), + "suggestFeatures": MessageLookupByLibrary.simpleMessage( + "Suggérer une fonctionnalité", + ), + "sunrise": MessageLookupByLibrary.simpleMessage("À l\'horizon"), + "support": MessageLookupByLibrary.simpleMessage("Support"), + "syncProgress": m97, + "syncStopped": MessageLookupByLibrary.simpleMessage( + "Synchronisation arrêtée ?", + ), + "syncing": MessageLookupByLibrary.simpleMessage( + "En cours de synchronisation...", + ), + "systemTheme": MessageLookupByLibrary.simpleMessage("Système"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("taper pour copier"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage( + "Appuyez pour entrer le code", + ), + "tapToUnlock": MessageLookupByLibrary.simpleMessage( + "Appuyer pour déverrouiller", + ), + "tapToUpload": MessageLookupByLibrary.simpleMessage("Appuyer pour envoyer"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Il semble qu\'une erreur s\'est produite. Veuillez réessayer après un certain temps. Si l\'erreur persiste, veuillez contacter notre équipe d\'assistance.", + ), + "terminate": MessageLookupByLibrary.simpleMessage("Se déconnecter"), + "terminateSession": MessageLookupByLibrary.simpleMessage( + "Se déconnecter ?", + ), + "terms": MessageLookupByLibrary.simpleMessage("Conditions"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage( + "Conditions d\'utilisation", + ), + "thankYou": MessageLookupByLibrary.simpleMessage("Merci"), + "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( + "Merci de vous être abonné !", + ), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "Le téléchargement n\'a pas pu être terminé", + ), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "Le lien que vous essayez d\'accéder a expiré.", + ), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Les groupes de personnes ne seront plus affichés dans la section personnes. Les photos resteront intactes.", + ), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Les groupes de personnes ne seront plus affichés dans la section personnes. Les photos resteront intactes.", + ), + "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "La clé de récupération que vous avez entrée est incorrecte", + ), + "theme": MessageLookupByLibrary.simpleMessage("Thème"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Ces éléments seront supprimés de votre appareil.", + ), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "Ils seront supprimés de tous les albums.", + ), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Cette action ne peut pas être annulée", + ), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "Cet album a déjà un lien collaboratif", + ), + "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( + "Cela peut être utilisé pour récupérer votre compte si vous perdez votre deuxième facteur", + ), + "thisDevice": MessageLookupByLibrary.simpleMessage("Cet appareil"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "Cette adresse mail est déjà utilisé", + ), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Cette image n\'a pas de données exif", + ), + "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("C\'est moi !"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Ceci est votre ID de vérification", + ), + "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( + "Cette semaine au fil des années", + ), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Cela vous déconnectera de l\'appareil suivant :", + ), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Cela vous déconnectera de cet appareil !", + ), + "thisWillMakeTheDateAndTimeOfAllSelected": MessageLookupByLibrary.simpleMessage( + "Cela rendra la date et l\'heure identique à toutes les photos sélectionnées.", + ), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "Ceci supprimera les liens publics de tous les liens rapides sélectionnés.", + ), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "Pour activer le verrouillage de l\'application vous devez configurer le code d\'accès de l\'appareil ou le verrouillage de l\'écran dans les paramètres de votre système.", + ), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( + "Pour masquer une photo ou une vidéo:", + ), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Pour réinitialiser votre mot de passe, vérifiez d\'abord votre email.", + ), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Journaux du jour"), + "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( + "Trop de tentatives incorrectes", + ), + "total": MessageLookupByLibrary.simpleMessage("total"), + "totalSize": MessageLookupByLibrary.simpleMessage("Taille totale"), + "trash": MessageLookupByLibrary.simpleMessage("Corbeille"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Recadrer"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": MessageLookupByLibrary.simpleMessage( + "Contacts de confiance", + ), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Réessayer"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Activez la sauvegarde pour charger automatiquement sur Ente les fichiers ajoutés à ce dossier de l\'appareil.", + ), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "2 mois gratuits sur les forfaits annuels", + ), + "twofactor": MessageLookupByLibrary.simpleMessage( + "Authentification à deux facteurs (A2F)", + ), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "L\'authentification à deux facteurs a été désactivée", + ), + "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( + "Authentification à deux facteurs (A2F)", + ), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "L\'authentification à deux facteurs a été réinitialisée avec succès ", + ), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Configuration de l\'authentification à deux facteurs", + ), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("Désarchiver"), + "unarchiveAlbum": MessageLookupByLibrary.simpleMessage( + "Désarchiver l\'album", + ), + "unarchiving": MessageLookupByLibrary.simpleMessage( + "Désarchivage en cours...", + ), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Désolé, ce code n\'est pas disponible.", + ), + "uncategorized": MessageLookupByLibrary.simpleMessage("Aucune catégorie"), + "unhide": MessageLookupByLibrary.simpleMessage("Dévoiler"), + "unhideToAlbum": MessageLookupByLibrary.simpleMessage( + "Afficher dans l\'album", + ), + "unhiding": MessageLookupByLibrary.simpleMessage("Démasquage en cours..."), + "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Démasquage des fichiers vers l\'album", + ), + "unlock": MessageLookupByLibrary.simpleMessage("Déverrouiller"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("Désépingler l\'album"), + "unselectAll": MessageLookupByLibrary.simpleMessage("Désélectionner tout"), + "update": MessageLookupByLibrary.simpleMessage("Mise à jour"), + "updateAvailable": MessageLookupByLibrary.simpleMessage( + "Une mise à jour est disponible", + ), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Mise à jour de la sélection du dossier...", + ), + "upgrade": MessageLookupByLibrary.simpleMessage("Améliorer"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Envoi des fichiers vers l\'album...", + ), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( + "Sauvegarde d\'un souvenir...", + ), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "Jusqu\'à 50% de réduction, jusqu\'au 4ème déc.", + ), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "Le stockage gratuit possible est limité par votre offre actuelle. Vous pouvez au maximum doubler votre espace de stockage gratuitement, le stockage supplémentaire deviendra donc automatiquement utilisable lorsque vous mettrez à niveau votre offre.", + ), + "useAsCover": MessageLookupByLibrary.simpleMessage( + "Utiliser comme couverture", + ), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "Vous avez des difficultés pour lire cette vidéo ? Appuyez longuement ici pour essayer un autre lecteur.", + ), + "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Utilisez des liens publics pour les personnes qui ne sont pas sur Ente", + ), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Utiliser la clé de secours", + ), + "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( + "Utiliser la photo sélectionnée", + ), + "usedSpace": MessageLookupByLibrary.simpleMessage("Stockage utilisé"), + "validTill": m110, + "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "La vérification a échouée, veuillez réessayer", + ), + "verificationId": MessageLookupByLibrary.simpleMessage( + "ID de vérification", + ), + "verify": MessageLookupByLibrary.simpleMessage("Vérifier"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("Vérifier l\'email"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Vérifier"), + "verifyPasskey": MessageLookupByLibrary.simpleMessage( + "Vérifier la clé de sécurité", + ), + "verifyPassword": MessageLookupByLibrary.simpleMessage( + "Vérifier le mot de passe", + ), + "verifying": MessageLookupByLibrary.simpleMessage("Validation en cours..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Vérification de la clé de récupération...", + ), + "videoInfo": MessageLookupByLibrary.simpleMessage("Informations vidéo"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("vidéo"), + "videoStreaming": MessageLookupByLibrary.simpleMessage( + "Vidéos diffusables", + ), + "videos": MessageLookupByLibrary.simpleMessage("Vidéos"), + "viewActiveSessions": MessageLookupByLibrary.simpleMessage( + "Afficher les connexions actives", + ), + "viewAddOnButton": MessageLookupByLibrary.simpleMessage( + "Afficher les modules complémentaires", + ), + "viewAll": MessageLookupByLibrary.simpleMessage("Tout afficher"), + "viewAllExifData": MessageLookupByLibrary.simpleMessage( + "Visualiser toutes les données EXIF", + ), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage( + "Fichiers volumineux", + ), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Affichez les fichiers qui consomment le plus de stockage.", + ), + "viewLogs": MessageLookupByLibrary.simpleMessage("Afficher les journaux"), + "viewPersonToUnlink": m112, + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Voir la clé de récupération", + ), + "viewer": MessageLookupByLibrary.simpleMessage("Observateur"), + "viewersSuccessfullyAdded": m113, + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Vous pouvez gérer votre abonnement sur web.ente.io", + ), + "waitingForVerification": MessageLookupByLibrary.simpleMessage( + "En attente de vérification...", + ), + "waitingForWifi": MessageLookupByLibrary.simpleMessage( + "En attente de connexion Wi-Fi...", + ), + "warning": MessageLookupByLibrary.simpleMessage("Attention"), + "weAreOpenSource": MessageLookupByLibrary.simpleMessage( + "Nous sommes open source !", + ), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "Nous ne prenons pas en charge l\'édition des photos et des albums que vous ne possédez pas encore", + ), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Securité Faible"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("Bienvenue !"), + "whatsNew": MessageLookupByLibrary.simpleMessage("Nouveautés"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "Un contact de confiance peut vous aider à récupérer vos données.", + ), + "widgets": MessageLookupByLibrary.simpleMessage("Gadgets"), + "wishThemAHappyBirthday": m115, + "yearShort": MessageLookupByLibrary.simpleMessage("an"), + "yearly": MessageLookupByLibrary.simpleMessage("Annuel"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Oui"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Oui, annuler"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "Oui, convertir en observateur", + ), + "yesDelete": MessageLookupByLibrary.simpleMessage("Oui, supprimer"), + "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( + "Oui, ignorer les modifications", + ), + "yesIgnore": MessageLookupByLibrary.simpleMessage("Oui, ignorer"), + "yesLogout": MessageLookupByLibrary.simpleMessage("Oui, se déconnecter"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Oui, supprimer"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Oui, renouveler"), + "yesResetPerson": MessageLookupByLibrary.simpleMessage( + "Oui, réinitialiser la personne", + ), + "you": MessageLookupByLibrary.simpleMessage("Vous"), + "youAndThem": m117, + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( + "Vous êtes sur un plan familial !", + ), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Vous êtes sur la dernière version", + ), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Vous pouvez au maximum doubler votre espace de stockage", + ), + "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( + "Vous pouvez gérer vos liens dans l\'onglet Partage.", + ), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "Vous pouvez essayer de rechercher une autre requête.", + ), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "Vous ne pouvez pas rétrograder vers cette offre", + ), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Vous ne pouvez pas partager avec vous-même", + ), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "Vous n\'avez aucun élément archivé.", + ), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "Votre compte a été supprimé", + ), + "yourMap": MessageLookupByLibrary.simpleMessage("Votre carte"), + "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( + "Votre plan a été rétrogradé avec succès", + ), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "Votre offre a été mise à jour avec succès", + ), + "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( + "Votre achat a été effectué avec succès", + ), + "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( + "Vos informations de stockage n\'ont pas pu être récupérées", + ), + "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( + "Votre abonnement a expiré", + ), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "Votre abonnement a été mis à jour avec succès", + ), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "Votre code de vérification a expiré", + ), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "Vous n\'avez aucun fichier dupliqué pouvant être nettoyé", + ), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "Vous n\'avez pas de fichiers dans cet album qui peuvent être supprimés", + ), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( + "Zoom en arrière pour voir les photos", + ), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_he.dart b/mobile/apps/photos/lib/generated/intl/messages_he.dart index 28b4d06b6e..4bcd319c8e 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_he.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_he.dart @@ -30,11 +30,7 @@ class MessageLookup extends MessageLookupByLibrary { "${user} לא יוכל להוסיף עוד תמונות לאלבום זה\n\nהם עדיין יכולו להסיר תמונות קיימות שנוספו על ידיהם"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, { - 'true': 'קיבלת ${storageAmountInGb} GB עד כה', - 'false': 'קיבלת ${storageAmountInGb} GB עד כה', - 'other': 'קיבלת ${storageAmountInGb} GB עד כה!', - })}"; + "${Intl.select(isFamilyMember, {'true': 'קיבלת ${storageAmountInGb} GB עד כה', 'false': 'קיבלת ${storageAmountInGb} GB עד כה', 'other': 'קיבלת ${storageAmountInGb} GB עד כה!'})}"; static String m18(familyAdminEmail) => "אנא צור קשר עם ${familyAdminEmail} על מנת לנהל את המנוי שלך"; @@ -43,7 +39,7 @@ class MessageLookup extends MessageLookupByLibrary { "אנא צור איתנו קשר ב-support@ente.io על מנת לנהל את המנוי ${provider}."; static String m21(count) => - "${Intl.plural(count, one: 'מחק ${count} פריט', other: 'מחק ${count} פריטים')}"; + "${Intl.plural(count, one: 'מחק ${count} פריט', two: 'מחק ${count} פריטים', other: 'מחק ${count} פריטים')}"; static String m23(currentlyDeleting, totalCount) => "מוחק ${currentlyDeleting} / ${totalCount}"; @@ -66,7 +62,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m38(endDate) => "ניסיון חינם בתוקף עד ל-${endDate}"; static String m44(count) => - "${Intl.plural(count, one: '${count} פריט', other: '${count} פריטים')}"; + "${Intl.plural(count, one: '${count} פריט', two: '${count} פריטים', many: '${count} פריטים', other: '${count} פריטים')}"; static String m47(expiryTime) => "תוקף הקישור יפוג ב-${expiryTime}"; @@ -115,838 +111,985 @@ class MessageLookup extends MessageLookupByLibrary { static String m114(email) => "שלחנו דוא\"ל ל${email}"; static String m116(count) => - "${Intl.plural(count, one: 'לפני ${count} שנה', other: 'לפני ${count} שנים')}"; + "${Intl.plural(count, one: 'לפני ${count} שנה', two: 'לפני ${count} שנים', many: 'לפני ${count} שנים', other: 'לפני ${count} שנים')}"; static String m118(storageSaved) => "הצלחת לפנות ${storageSaved}!"; final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "about": MessageLookupByLibrary.simpleMessage("אודות"), - "account": MessageLookupByLibrary.simpleMessage("חשבון"), - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("ברוך שובך!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "אני מבין שאם אאבד את הסיסמא, אני עלול לאבד את המידע שלי מכיוון שהמידע שלי מוצפן מקצה אל קצה."), - "activeSessions": - MessageLookupByLibrary.simpleMessage("חיבורים פעילים"), - "addANewEmail": MessageLookupByLibrary.simpleMessage("הוסף דוא\"ל חדש"), - "addCollaborator": - MessageLookupByLibrary.simpleMessage("הוסף משתף פעולה"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("הוסף"), - "addMore": MessageLookupByLibrary.simpleMessage("הוסף עוד"), - "addPhotos": MessageLookupByLibrary.simpleMessage("הוסף תמונות"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("הוסף לאלבום"), - "addViewer": MessageLookupByLibrary.simpleMessage("הוסף צופה"), - "addedAs": MessageLookupByLibrary.simpleMessage("הוסף בתור"), - "addingToFavorites": - MessageLookupByLibrary.simpleMessage("מוסיף למועדפים..."), - "advanced": MessageLookupByLibrary.simpleMessage("מתקדם"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("מתקדם"), - "after1Day": MessageLookupByLibrary.simpleMessage("אחרי יום 1"), - "after1Hour": MessageLookupByLibrary.simpleMessage("אחרי שעה 1"), - "after1Month": MessageLookupByLibrary.simpleMessage("אחרי חודש 1"), - "after1Week": MessageLookupByLibrary.simpleMessage("אחרי שבוע 1"), - "after1Year": MessageLookupByLibrary.simpleMessage("אחרי שנה 1"), - "albumOwner": MessageLookupByLibrary.simpleMessage("בעלים"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("כותרת האלבום"), - "albumUpdated": MessageLookupByLibrary.simpleMessage("האלבום עודכן"), - "albums": MessageLookupByLibrary.simpleMessage("אלבומים"), - "allClear": MessageLookupByLibrary.simpleMessage("✨ הכל נוקה"), - "allMemoriesPreserved": - MessageLookupByLibrary.simpleMessage("כל הזכרונות נשמרו"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "בנוסף אפשר לאנשים עם הלינק להוסיף תמונות לאלבום המשותף."), - "allowAddingPhotos": - MessageLookupByLibrary.simpleMessage("אפשר הוספת תמונות"), - "allowDownloads": MessageLookupByLibrary.simpleMessage("אפשר הורדות"), - "allowPeopleToAddPhotos": - MessageLookupByLibrary.simpleMessage("תן לאנשים להוסיף תמונות"), - "androidBiometricSuccess": - MessageLookupByLibrary.simpleMessage("הצלחה"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("בטל"), - "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( - "Android, iOS, דפדפן, שולחן עבודה"), - "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), - "apply": MessageLookupByLibrary.simpleMessage("החל"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("החל קוד"), - "appstoreSubscription": - MessageLookupByLibrary.simpleMessage("מנוי AppStore"), - "archive": MessageLookupByLibrary.simpleMessage("שמירה בארכיון"), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "אתה בטוח שאתה רוצה לעזוב את התוכנית המשפתחית?"), - "areYouSureYouWantToCancel": - MessageLookupByLibrary.simpleMessage("אתה בטוח שאתה רוצה לבטל?"), - "areYouSureYouWantToChangeYourPlan": - MessageLookupByLibrary.simpleMessage( - "אתה בטוח שאתה רוצה לשנות את התוכנית שלך?"), - "areYouSureYouWantToExit": - MessageLookupByLibrary.simpleMessage("האם אתה בטוח שברצונך לצאת?"), - "areYouSureYouWantToLogout": - MessageLookupByLibrary.simpleMessage("אתה בטוח שאתה רוצה להתנתק?"), - "areYouSureYouWantToRenew": - MessageLookupByLibrary.simpleMessage("אתה בטוח שאתה רוצה לחדש?"), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "המנוי שלך בוטל. תרצה לשתף את הסיבה?"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "מה הסיבה העיקרית שבגללה אתה מוחק את החשבון שלך?"), - "atAFalloutShelter": - MessageLookupByLibrary.simpleMessage("במקלט גרעיני"), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "אנא התאמת על מנת לשנות את הדוא\"ל שלך"), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "אנא התאמת כדי לשנות את הגדרות מסך הנעילה"), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "אנא אנא התאמת על מנת לשנות את הדוא\"ל שלך"), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "אנא התאמת על מנת לשנות את הסיסמא שלך"), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "אנא התאמת כדי להגדיר את האימות הדו-גורמי"), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "אנא התאמת על מנת להתחיל את מחיקת החשבון שלך"), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "אנא התאמת על מנת לראות את החיבורים הפעילים שלך"), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "אנא התאמת על מנת לראות את הקבצים החבויים שלך"), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "אנא אמת על מנת לצפות בזכרונות שלך"), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "אנא התאמת על מנת לראות את מפתח השחזור שלך"), - "available": MessageLookupByLibrary.simpleMessage("זמין"), - "backedUpFolders": MessageLookupByLibrary.simpleMessage("תיקיות שגובו"), - "backup": MessageLookupByLibrary.simpleMessage("גיבוי"), - "backupFailed": MessageLookupByLibrary.simpleMessage("הגיבוי נכשל"), - "backupOverMobileData": - MessageLookupByLibrary.simpleMessage("גבה על רשת סלולרית"), - "backupSettings": MessageLookupByLibrary.simpleMessage("הגדרות גיבוי"), - "backupVideos": MessageLookupByLibrary.simpleMessage("גבה סרטונים"), - "blog": MessageLookupByLibrary.simpleMessage("בלוג"), - "cachedData": MessageLookupByLibrary.simpleMessage("נתונים מוטמנים"), - "canNotUploadToAlbumsOwnedByOthers": - MessageLookupByLibrary.simpleMessage( - "לא ניתן להעלות לאלבומים שבבעלות אחרים"), - "canOnlyCreateLinkForFilesOwnedByYou": - MessageLookupByLibrary.simpleMessage( - "ניתן אך ורק ליצור קישור לקבצים שאתה בבעולתם"), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "יכול להסיר רק קבצים שבבעלותך"), - "cancel": MessageLookupByLibrary.simpleMessage("בטל"), - "cancelOtherSubscription": m12, - "cancelSubscription": MessageLookupByLibrary.simpleMessage("בטל מנוי"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "לא ניתן למחוק את הקבצים המשותפים"), - "changeEmail": MessageLookupByLibrary.simpleMessage("שנה דוא\"ל"), - "changePassword": MessageLookupByLibrary.simpleMessage("שנה סיסמה"), - "changePasswordTitle": - MessageLookupByLibrary.simpleMessage("שנה סיסמה"), - "changePermissions": MessageLookupByLibrary.simpleMessage("שנה הרשאה?"), - "checkForUpdates": MessageLookupByLibrary.simpleMessage("בדוק עדכונים"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "אנא בדוק את תיבת הדואר שלך (והספאם) כדי להשלים את האימות"), - "checking": MessageLookupByLibrary.simpleMessage("בודק..."), - "claimFreeStorage": - MessageLookupByLibrary.simpleMessage("תבע מקום אחסון בחינם"), - "claimMore": MessageLookupByLibrary.simpleMessage("תבע עוד!"), - "claimed": MessageLookupByLibrary.simpleMessage("נתבע"), - "claimedStorageSoFar": m14, - "click": MessageLookupByLibrary.simpleMessage("• לחץ"), - "close": MessageLookupByLibrary.simpleMessage("סגור"), - "clubByCaptureTime": - MessageLookupByLibrary.simpleMessage("קבץ לפי זמן הצילום"), - "clubByFileName": - MessageLookupByLibrary.simpleMessage("קבץ לפי שם הקובץ"), - "codeAppliedPageTitle": - MessageLookupByLibrary.simpleMessage("הקוד הוחל"), - "codeCopiedToClipboard": - MessageLookupByLibrary.simpleMessage("הקוד הועתק ללוח"), - "codeUsedByYou": - MessageLookupByLibrary.simpleMessage("הקוד שומש על ידיך"), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "צור קישור על מנת לאפשר לאנשים להוסיף ולצפות בתמונות באלבום ששיתפת בלי צורך באפליקציית ente או חשבון. נהדר לאיסוף תמונות של אירועים."), - "collaborativeLink": - MessageLookupByLibrary.simpleMessage("קישור לשיתוף פעולה"), - "collaborator": MessageLookupByLibrary.simpleMessage("משתף פעולה"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "משתפי פעולה יכולים להוסיף תמונות וסרטונים לאלבום המשותף."), - "collageLayout": MessageLookupByLibrary.simpleMessage("פריסה"), - "collageSaved": - MessageLookupByLibrary.simpleMessage("הקולז נשמר לגלריה"), - "collectEventPhotos": - MessageLookupByLibrary.simpleMessage("אסף תמונות מאירוע"), - "collectPhotos": MessageLookupByLibrary.simpleMessage("אסוף תמונות"), - "color": MessageLookupByLibrary.simpleMessage("צבע"), - "confirm": MessageLookupByLibrary.simpleMessage("אשר"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "האם אתה בטוח שאתה רוצה להשבית את האימות הדו-גורמי?"), - "confirmAccountDeletion": - MessageLookupByLibrary.simpleMessage("אשר את מחיקת החשבון"), - "confirmPassword": MessageLookupByLibrary.simpleMessage("אמת סיסמא"), - "confirmPlanChange": - MessageLookupByLibrary.simpleMessage("אשר שינוי תוכנית"), - "confirmRecoveryKey": - MessageLookupByLibrary.simpleMessage("אמת את מפתח השחזור"), - "confirmYourRecoveryKey": - MessageLookupByLibrary.simpleMessage("אמת את מפתח השחזור"), - "contactFamilyAdmin": m18, - "contactSupport": - MessageLookupByLibrary.simpleMessage("צור קשר עם התמיכה"), - "contactToManageSubscription": m19, - "continueLabel": MessageLookupByLibrary.simpleMessage("המשך"), - "continueOnFreeTrial": - MessageLookupByLibrary.simpleMessage("המשך עם ניסיון חינמי"), - "copyLink": MessageLookupByLibrary.simpleMessage("העתק קישור"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "תעתיק ותדביק את הקוד הזה\nלאפליקציית האימות שלך"), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "לא יכולנו לגבות את המידע שלך.\nאנא נסה שוב מאוחר יותר."), - "couldNotUpdateSubscription": - MessageLookupByLibrary.simpleMessage("לא ניתן לעדכן את המנוי"), - "count": MessageLookupByLibrary.simpleMessage("כמות"), - "create": MessageLookupByLibrary.simpleMessage("צור"), - "createAccount": MessageLookupByLibrary.simpleMessage("צור חשבון"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "לחץ לחיצה ארוכה על מנת לבחור תמונות ולחץ על + על מנת ליצור אלבום"), - "createCollage": MessageLookupByLibrary.simpleMessage("צור קולז"), - "createNewAccount": - MessageLookupByLibrary.simpleMessage("צור חשבון חדש"), - "createOrSelectAlbum": - MessageLookupByLibrary.simpleMessage("צור או בחר אלבום"), - "createPublicLink": - MessageLookupByLibrary.simpleMessage("צור קישור ציבורי"), - "creatingLink": MessageLookupByLibrary.simpleMessage("יוצר קישור..."), - "criticalUpdateAvailable": - MessageLookupByLibrary.simpleMessage("עדכון חשוב זמין"), - "currentUsageIs": MessageLookupByLibrary.simpleMessage( - "השימוש במקום האחסון כרגע הוא "), - "custom": MessageLookupByLibrary.simpleMessage("מותאם אישית"), - "darkTheme": MessageLookupByLibrary.simpleMessage("כהה"), - "dayToday": MessageLookupByLibrary.simpleMessage("היום"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("אתמול"), - "decrypting": MessageLookupByLibrary.simpleMessage("מפענח..."), - "decryptingVideo": - MessageLookupByLibrary.simpleMessage("מפענח את הסרטון..."), - "deduplicateFiles": - MessageLookupByLibrary.simpleMessage("הסר קבצים כפולים"), - "delete": MessageLookupByLibrary.simpleMessage("מחק"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("מחק חשבון"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "אנחנו מצטערים לראות שאתה עוזב. אנא תחלוק את המשוב שלך כדי לעזור לנו להשתפר."), - "deleteAccountPermanentlyButton": - MessageLookupByLibrary.simpleMessage("מחק את החשבון לצמיתות"), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("מחק אלבום"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "גם להסיר תמונות (וסרטונים) שנמצאים באלבום הזה מכל שאר האלבומים שהם שייכים אליהם?"), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "זה ימחק את כל האלבומים הריקים. זה שימושי כשאתה רוצה להפחית את כמות האי סדר ברשימת האלבומים שלך."), - "deleteAll": MessageLookupByLibrary.simpleMessage("מחק הכל"), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "אנא תשלח דוא\"ל לaccount-deletion@ente.io מהכתובת דוא\"ל שנרשמת איתה."), - "deleteEmptyAlbums": - MessageLookupByLibrary.simpleMessage("למחוק אלבומים ריקים"), - "deleteEmptyAlbumsWithQuestionMark": - MessageLookupByLibrary.simpleMessage("למחוק אלבומים ריקים?"), - "deleteFromBoth": MessageLookupByLibrary.simpleMessage("מחק משניהם"), - "deleteFromDevice": MessageLookupByLibrary.simpleMessage("מחק מהמכשיר"), - "deleteItemCount": m21, - "deletePhotos": MessageLookupByLibrary.simpleMessage("מחק תמונות"), - "deleteProgress": m23, - "deleteReason1": - MessageLookupByLibrary.simpleMessage("חסר מאפיין מרכזי שאני צריך"), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "היישומון או מאפיין מסוים לא מתנהג כמו שאני חושב שהוא צריך"), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "מצאתי שירות אחר שאני יותר מחבב"), - "deleteReason4": - MessageLookupByLibrary.simpleMessage("הסיבה שלי לא כלולה"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "הבקשה שלך תועבד תוך 72 שעות."), - "deleteSharedAlbum": - MessageLookupByLibrary.simpleMessage("מחק את האלבום המשותף?"), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "האלבום הזה יימחק עבור כולם\n\nאתה תאבד גישה לתמונות משותפות באלבום הזה שבבעלות של אחרים"), - "deselectAll": MessageLookupByLibrary.simpleMessage("בטל בחירה של הכל"), - "designedToOutlive": - MessageLookupByLibrary.simpleMessage("עוצב על מנת לשרוד"), - "details": MessageLookupByLibrary.simpleMessage("פרטים"), - "disableAutoLock": - MessageLookupByLibrary.simpleMessage("השבת נעילה אוטומטית"), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "צופים יכולים עדיין לקחת צילומי מסך או לשמור עותק של התמונות שלך בעזרת כלים חיצוניים"), - "disableDownloadWarningTitle": - MessageLookupByLibrary.simpleMessage("שים לב"), - "disableLinkMessage": m24, - "disableTwofactor": - MessageLookupByLibrary.simpleMessage("השבת דו-גורמי"), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "dismiss": MessageLookupByLibrary.simpleMessage("התעלם"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("ק\"מ"), - "doThisLater": MessageLookupByLibrary.simpleMessage("מאוחר יותר"), - "done": MessageLookupByLibrary.simpleMessage("בוצע"), - "download": MessageLookupByLibrary.simpleMessage("הורד"), - "downloadFailed": MessageLookupByLibrary.simpleMessage("ההורדה נכשלה"), - "downloading": MessageLookupByLibrary.simpleMessage("מוריד..."), - "dropSupportEmail": m25, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("ערוך"), - "eligible": MessageLookupByLibrary.simpleMessage("זכאי"), - "email": MessageLookupByLibrary.simpleMessage("דוא\"ל"), - "emailNoEnteAccount": m31, - "emailVerificationToggle": - MessageLookupByLibrary.simpleMessage("אימות מייל"), - "empty": MessageLookupByLibrary.simpleMessage("ריק"), - "encryption": MessageLookupByLibrary.simpleMessage("הצפנה"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage("מפתחות ההצפנה"), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "מוצפן מקצה אל קצה כברירת מחדל"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente צריך הרשאות על מנת לשמור את התמונות שלך"), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "אפשר להוסיף גם את המשפחה שלך לתוכנית."), - "enterAlbumName": MessageLookupByLibrary.simpleMessage("הזן שם אלבום"), - "enterCode": MessageLookupByLibrary.simpleMessage("הזן קוד"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "הכנס את הקוד שנמסר לך מחברך בשביל לקבל מקום אחסון בחינם עבורך ועבורו"), - "enterEmail": MessageLookupByLibrary.simpleMessage("הזן דוא\"ל"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "הזן סיסמא חדשה שנוכל להשתמש בה כדי להצפין את המידע שלך"), - "enterPassword": MessageLookupByLibrary.simpleMessage("הזן את הסיסמה"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "הזן סיסמא כדי שנוכל לפענח את המידע שלך"), - "enterReferralCode": - MessageLookupByLibrary.simpleMessage("הזן קוד הפניה"), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "הכנס את הקוד בעל 6 ספרות מתוך\nאפליקציית האימות שלך"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "אנא הכנס כתובת דוא\"ל חוקית."), - "enterYourEmailAddress": - MessageLookupByLibrary.simpleMessage("הכנס את כתובת הדוא״ל שלך"), - "enterYourPassword": MessageLookupByLibrary.simpleMessage("הכנס סיסמא"), - "enterYourRecoveryKey": - MessageLookupByLibrary.simpleMessage("הזן את מפתח השחזור שלך"), - "error": MessageLookupByLibrary.simpleMessage("שגיאה"), - "everywhere": MessageLookupByLibrary.simpleMessage("בכל מקום"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": MessageLookupByLibrary.simpleMessage("משתמש קיים"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "פג תוקף הקישור. אנא בחר בתאריך תפוגה חדש או השבת את תאריך התפוגה של הקישור."), - "exportLogs": MessageLookupByLibrary.simpleMessage("ייצוא לוגים"), - "exportYourData": - MessageLookupByLibrary.simpleMessage("ייצוא הנתונים שלך"), - "failedToApplyCode": - MessageLookupByLibrary.simpleMessage("נכשל בהחלת הקוד"), - "failedToCancel": MessageLookupByLibrary.simpleMessage("הביטול נכשל"), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "אחזור פרטי ההפניה נכשל. אנא נסה שוב מאוחר יותר."), - "failedToLoadAlbums": - MessageLookupByLibrary.simpleMessage("נכשל בטעינת האלבומים"), - "failedToRenew": MessageLookupByLibrary.simpleMessage("החידוש נכשל"), - "failedToVerifyPaymentStatus": - MessageLookupByLibrary.simpleMessage("נכשל באימות סטטוס התשלום"), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("משפחה"), - "familyPlans": MessageLookupByLibrary.simpleMessage("תוכניות משפחה"), - "faq": MessageLookupByLibrary.simpleMessage("שאלות נפוצות"), - "faqs": MessageLookupByLibrary.simpleMessage("שאלות נפוצות"), - "favorite": MessageLookupByLibrary.simpleMessage("מועדף"), - "feedback": MessageLookupByLibrary.simpleMessage("משוב"), - "fileFailedToSaveToGallery": - MessageLookupByLibrary.simpleMessage("נכשל בעת שמירת הקובץ לגלריה"), - "fileSavedToGallery": - MessageLookupByLibrary.simpleMessage("הקובץ נשמר לגלריה"), - "flip": MessageLookupByLibrary.simpleMessage("הפוך"), - "forYourMemories": - MessageLookupByLibrary.simpleMessage("עבור הזכורונות שלך"), - "forgotPassword": MessageLookupByLibrary.simpleMessage("שכחתי סיסמה"), - "freeStorageClaimed": - MessageLookupByLibrary.simpleMessage("מקום אחסון בחינם נתבע"), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": - MessageLookupByLibrary.simpleMessage("מקום אחסון שמיש"), - "freeTrial": MessageLookupByLibrary.simpleMessage("ניסיון חינמי"), - "freeTrialValidTill": m38, - "freeUpDeviceSpace": - MessageLookupByLibrary.simpleMessage("פנה אחסון במכשיר"), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("פנה מקום"), - "general": MessageLookupByLibrary.simpleMessage("כללי"), - "generatingEncryptionKeys": - MessageLookupByLibrary.simpleMessage("יוצר מפתחות הצפנה..."), - "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "נא לתת גישה לכל התמונות בתוך ההגדרות של הטלפון"), - "grantPermission": MessageLookupByLibrary.simpleMessage("הענק הרשאה"), - "hidden": MessageLookupByLibrary.simpleMessage("מוסתר"), - "hide": MessageLookupByLibrary.simpleMessage("הסתר"), - "hiding": MessageLookupByLibrary.simpleMessage("מחביא..."), - "howItWorks": MessageLookupByLibrary.simpleMessage("איך זה עובד"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "אנא בקש מהם ללחוץ לחיצה ארוכה על הכתובת אימייל שלהם בעמוד ההגדרות, וודא שהמזההים בשני המכשירים תואמים."), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("אישור"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("התעלם"), - "importing": MessageLookupByLibrary.simpleMessage("מייבא...."), - "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("סיסמא לא נכונה"), - "incorrectRecoveryKeyBody": - MessageLookupByLibrary.simpleMessage("המפתח שחזור שהזנת שגוי"), - "incorrectRecoveryKeyTitle": - MessageLookupByLibrary.simpleMessage("מפתח שחזור שגוי"), - "insecureDevice": - MessageLookupByLibrary.simpleMessage("מכשיר בלתי מאובטח"), - "installManually": - MessageLookupByLibrary.simpleMessage("התקן באופן ידני"), - "invalidEmailAddress": - MessageLookupByLibrary.simpleMessage("כתובת דוא״ל לא תקינה"), - "invalidKey": MessageLookupByLibrary.simpleMessage("מפתח לא חוקי"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "מפתח השחזור שהזמנת אינו תקין. אנא וודא שהוא מכיל 24 מילים, ותבדוק את האיות של כל אחת.\n\nאם הכנסת קוד שחזור ישן, וודא שהוא בעל 64 אותיות, ותבדוק כל אחת מהן."), - "invite": MessageLookupByLibrary.simpleMessage("הזמן"), - "inviteYourFriends": - MessageLookupByLibrary.simpleMessage("הזמן את חברייך"), - "itemCount": m44, - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "הפריטים שנבחרו יוסרו מהאלבום הזה"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("השאר תמונות"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("ק\"מ"), - "kindlyHelpUsWithThisInformation": - MessageLookupByLibrary.simpleMessage("אנא עזור לנו עם המידע הזה"), - "language": MessageLookupByLibrary.simpleMessage("שפה"), - "lastUpdated": MessageLookupByLibrary.simpleMessage("עדכון אחרון"), - "leave": MessageLookupByLibrary.simpleMessage("עזוב"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("צא מהאלבום"), - "leaveFamily": MessageLookupByLibrary.simpleMessage("עזוב משפחה"), - "leaveSharedAlbum": - MessageLookupByLibrary.simpleMessage("לעזוב את האלבום המשותף?"), - "light": MessageLookupByLibrary.simpleMessage("אור"), - "lightTheme": MessageLookupByLibrary.simpleMessage("בהיר"), - "linkCopiedToClipboard": - MessageLookupByLibrary.simpleMessage("הקישור הועתק ללוח"), - "linkDeviceLimit": - MessageLookupByLibrary.simpleMessage("מגבלת כמות מכשירים"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("מאופשר"), - "linkExpired": MessageLookupByLibrary.simpleMessage("פג תוקף"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("תאריך תפוגה ללינק"), - "linkHasExpired": - MessageLookupByLibrary.simpleMessage("הקישור פג תוקף"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("לעולם לא"), - "location": MessageLookupByLibrary.simpleMessage("מקום"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("נעל"), - "lockscreen": MessageLookupByLibrary.simpleMessage("מסך נעילה"), - "logInLabel": MessageLookupByLibrary.simpleMessage("התחבר"), - "loggingOut": MessageLookupByLibrary.simpleMessage("מתנתק..."), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "על ידי לחיצה על התחברות, אני מסכים לתנאי שירות ולמדיניות הפרטיות"), - "logout": MessageLookupByLibrary.simpleMessage("התנתק"), - "longpressOnAnItemToViewInFullscreen": - MessageLookupByLibrary.simpleMessage( - "לחץ לחיצה ארוכה על פריט על מנת לראות אותו במסך מלא"), - "lostDevice": MessageLookupByLibrary.simpleMessage("איבדת את המכשיר?"), - "manage": MessageLookupByLibrary.simpleMessage("נהל"), - "manageFamily": MessageLookupByLibrary.simpleMessage("נהל משפחה"), - "manageLink": MessageLookupByLibrary.simpleMessage("ניהול קישור"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("נהל"), - "manageSubscription": MessageLookupByLibrary.simpleMessage("נהל מנוי"), - "map": MessageLookupByLibrary.simpleMessage("מפה"), - "maps": MessageLookupByLibrary.simpleMessage("מפות"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "merchandise": MessageLookupByLibrary.simpleMessage("סחורה"), - "mobileWebDesktop": - MessageLookupByLibrary.simpleMessage("פלאפון, דפדפן, שולחן עבודה"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("מתונה"), - "monthly": MessageLookupByLibrary.simpleMessage("חודשי"), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("הזז לאלבום"), - "movedToTrash": MessageLookupByLibrary.simpleMessage("הועבר לאשפה"), - "movingFilesToAlbum": - MessageLookupByLibrary.simpleMessage("מעביר קבצים לאלבום..."), - "name": MessageLookupByLibrary.simpleMessage("שם"), - "never": MessageLookupByLibrary.simpleMessage("לעולם לא"), - "newAlbum": MessageLookupByLibrary.simpleMessage("אלבום חדש"), - "newest": MessageLookupByLibrary.simpleMessage("החדש ביותר"), - "no": MessageLookupByLibrary.simpleMessage("לא"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("אין"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "אין לך קבצים במכשיר הזה שניתן למחוק אותם"), - "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ אין כפילויות"), - "noPhotosAreBeingBackedUpRightNow": - MessageLookupByLibrary.simpleMessage( - "אף תמונה אינה נמצאת בתהליך גיבוי כרגע"), - "noRecoveryKey": - MessageLookupByLibrary.simpleMessage("אין מפתח שחזור?"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "בשל טבע הפרוטוקול של ההצפנת קצה-אל-קצה שלנו, אין אפשרות לפענח את הנתונים שלך בלי הסיסמה או מפתח השחזור שלך"), - "noResults": MessageLookupByLibrary.simpleMessage("אין תוצאות"), - "notifications": MessageLookupByLibrary.simpleMessage("התראות"), - "ok": MessageLookupByLibrary.simpleMessage("אוקיי"), - "onDevice": MessageLookupByLibrary.simpleMessage("על המכשיר"), - "onEnte": - MessageLookupByLibrary.simpleMessage("באנטע"), - "oops": MessageLookupByLibrary.simpleMessage("אופס"), - "oopsSomethingWentWrong": - MessageLookupByLibrary.simpleMessage("אופס, משהו השתבש"), - "openSettings": MessageLookupByLibrary.simpleMessage("פתח הגדרות"), - "optionalAsShortAsYouLike": - MessageLookupByLibrary.simpleMessage("אופציונלי, קצר ככל שתרצה..."), - "orPickAnExistingOne": - MessageLookupByLibrary.simpleMessage("או בחר באחד קיים"), - "password": MessageLookupByLibrary.simpleMessage("סיסמא"), - "passwordChangedSuccessfully": - MessageLookupByLibrary.simpleMessage("הססמה הוחלפה בהצלחה"), - "passwordLock": MessageLookupByLibrary.simpleMessage("נעילת סיסמא"), - "passwordStrength": m57, - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "אנחנו לא שומרים את הסיסמא הזו, לכן אם אתה שוכח אותה, אנחנו לא יכולים לפענח את המידע שלך"), - "paymentDetails": MessageLookupByLibrary.simpleMessage("פרטי תשלום"), - "paymentFailed": MessageLookupByLibrary.simpleMessage("התשלום נכשל"), - "paymentFailedTalkToProvider": m58, - "peopleUsingYourCode": - MessageLookupByLibrary.simpleMessage("אנשים משתמשים בקוד שלך"), - "permanentlyDelete": - MessageLookupByLibrary.simpleMessage("למחוק לצמיתות?"), - "photoGridSize": - MessageLookupByLibrary.simpleMessage("גודל לוח של התמונה"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("תמונה"), - "playstoreSubscription": - MessageLookupByLibrary.simpleMessage("מנוי PlayStore"), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "אנא צור קשר עם support@ente.io ואנחנו נשמח לעזור!"), - "pleaseGrantPermissions": - MessageLookupByLibrary.simpleMessage("נא הענק את ההרשאות"), - "pleaseLoginAgain": - MessageLookupByLibrary.simpleMessage("אנא התחבר שוב"), - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("אנא נסה שנית"), - "pleaseWait": MessageLookupByLibrary.simpleMessage("אנא המתן..."), - "pleaseWaitForSometimeBeforeRetrying": - MessageLookupByLibrary.simpleMessage( - "אנא חכה מעט לפני שאתה מנסה שוב"), - "preparingLogs": MessageLookupByLibrary.simpleMessage("מכין לוגים..."), - "preserveMore": MessageLookupByLibrary.simpleMessage("שמור עוד"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "לחץ והחזק על מנת להריץ את הסרטון"), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "לחץ והחזק על התמונה על מנת להריץ את הסרטון"), - "privacy": MessageLookupByLibrary.simpleMessage("פרטיות"), - "privacyPolicyTitle": - MessageLookupByLibrary.simpleMessage("מדיניות פרטיות"), - "privateBackups": - MessageLookupByLibrary.simpleMessage("גיבויים פרטיים"), - "privateSharing": MessageLookupByLibrary.simpleMessage("שיתוף פרטי"), - "publicLinkCreated": - MessageLookupByLibrary.simpleMessage("קישור ציבורי נוצר"), - "publicLinkEnabled": - MessageLookupByLibrary.simpleMessage("לינק ציבורי אופשר"), - "radius": MessageLookupByLibrary.simpleMessage("רדיוס"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("צור ticket"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("דרג את האפליקציה"), - "rateUs": MessageLookupByLibrary.simpleMessage("דרג אותנו"), - "rateUsOnStore": m68, - "recover": MessageLookupByLibrary.simpleMessage("שחזר"), - "recoverAccount": MessageLookupByLibrary.simpleMessage("שחזר חשבון"), - "recoverButton": MessageLookupByLibrary.simpleMessage("שחזר"), - "recoveryKey": MessageLookupByLibrary.simpleMessage("מפתח שחזור"), - "recoveryKeyCopiedToClipboard": - MessageLookupByLibrary.simpleMessage("מפתח השחזור הועתק ללוח"), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "אם אתה שוכח את הסיסמא שלך, הדרך היחידה שתוכל לשחזר את המידע שלך היא עם המפתח הזה."), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "אנחנו לא מאחסנים את המפתח הזה, אנא שמור את המפתח 24 מילים הזה במקום בטוח."), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "נהדר! מפתח השחזור תקין. אנחנו מודים לך על האימות.\n\nאנא תזכור לגבות את מפתח השחזור שלך באופן בטוח."), - "recoveryKeyVerified": - MessageLookupByLibrary.simpleMessage("מפתח השחזור אומת"), - "recoverySuccessful": - MessageLookupByLibrary.simpleMessage("השחזור עבר בהצלחה!"), - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "המכשיר הנוכחי אינו חזק מספיק כדי לאמת את הסיסמא שלך, אבל אנחנו יכולים ליצור בצורה שתעבוד עם כל המכשירים.\n\nאנא התחבר בעזרת המפתח שחזור שלך וצור מחדש את הסיסמא שלך (אתה יכול להשתמש באותה אחת אם אתה רוצה)."), - "recreatePasswordTitle": - MessageLookupByLibrary.simpleMessage("צור סיסמא מחדש"), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. תמסור את הקוד הזה לחברייך"), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. הם נרשמים עבור תוכנית בתשלום"), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("הפניות"), - "referralsAreCurrentlyPaused": - MessageLookupByLibrary.simpleMessage("הפניות כרגע מושהות"), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "גם נקה \"נמחק לאחרונה\" מ-\"הגדרות\" -> \"אחסון\" על מנת לקבל המקום אחסון שהתפנה"), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "גם נקה את ה-\"אשפה\" שלך על מנת לקבל את המקום אחסון שהתפנה"), - "remove": MessageLookupByLibrary.simpleMessage("הסר"), - "removeDuplicates": - MessageLookupByLibrary.simpleMessage("הסר כפילויות"), - "removeFromAlbum": MessageLookupByLibrary.simpleMessage("הסר מהאלבום"), - "removeFromAlbumTitle": - MessageLookupByLibrary.simpleMessage("הסר מהאלבום?"), - "removeLink": MessageLookupByLibrary.simpleMessage("הסרת קישור"), - "removeParticipant": MessageLookupByLibrary.simpleMessage("הסר משתתף"), - "removeParticipantBody": m74, - "removePublicLink": - MessageLookupByLibrary.simpleMessage("הסר לינק ציבורי"), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "חלק מהפריטים שאתה מסיר הוספו על ידי אנשים אחרים, ואתה תאבד גישה אליהם"), - "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("הסר?"), - "removingFromFavorites": - MessageLookupByLibrary.simpleMessage("מסיר מהמועדפים..."), - "rename": MessageLookupByLibrary.simpleMessage("שנה שם"), - "renameFile": MessageLookupByLibrary.simpleMessage("שנה שם הקובץ"), - "renewSubscription": MessageLookupByLibrary.simpleMessage("חדש מנוי"), - "reportABug": MessageLookupByLibrary.simpleMessage("דווח על באג"), - "reportBug": MessageLookupByLibrary.simpleMessage("דווח על באג"), - "resendEmail": MessageLookupByLibrary.simpleMessage("שלח דוא\"ל מחדש"), - "resetPasswordTitle": - MessageLookupByLibrary.simpleMessage("איפוס סיסמה"), - "restore": MessageLookupByLibrary.simpleMessage("שחזר"), - "restoreToAlbum": MessageLookupByLibrary.simpleMessage("שחזר לאלבום"), - "restoringFiles": - MessageLookupByLibrary.simpleMessage("משחזר קבצים..."), - "retry": MessageLookupByLibrary.simpleMessage("נסה שוב"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "אנא בחן והסר את הפריטים שאתה מאמין שהם כפלים."), - "rotateLeft": MessageLookupByLibrary.simpleMessage("סובב שמאלה"), - "safelyStored": MessageLookupByLibrary.simpleMessage("נשמר באופן בטוח"), - "save": MessageLookupByLibrary.simpleMessage("שמור"), - "saveCollage": MessageLookupByLibrary.simpleMessage("שמור קולז"), - "saveCopy": MessageLookupByLibrary.simpleMessage("שמירת עותק"), - "saveKey": MessageLookupByLibrary.simpleMessage("שמור מפתח"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "שמור את מפתח השחזור שלך אם לא שמרת כבר"), - "saving": MessageLookupByLibrary.simpleMessage("שומר..."), - "scanCode": MessageLookupByLibrary.simpleMessage("סרוק קוד"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "סרוק את הברקוד הזה\nבעזרת אפליקציית האימות שלך"), - "searchByAlbumNameHint": - MessageLookupByLibrary.simpleMessage("שם האלבום"), - "security": MessageLookupByLibrary.simpleMessage("אבטחה"), - "selectAlbum": MessageLookupByLibrary.simpleMessage("בחר אלבום"), - "selectAll": MessageLookupByLibrary.simpleMessage("בחר הכל"), - "selectFoldersForBackup": - MessageLookupByLibrary.simpleMessage("בחר תיקיות לגיבוי"), - "selectMorePhotos": - MessageLookupByLibrary.simpleMessage("בחר תמונות נוספות"), - "selectReason": MessageLookupByLibrary.simpleMessage("בחר סיבה"), - "selectYourPlan": MessageLookupByLibrary.simpleMessage("בחר תוכנית"), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "התיקיות שנבחרו יוצפנו ויגובו"), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "send": MessageLookupByLibrary.simpleMessage("שלח"), - "sendEmail": MessageLookupByLibrary.simpleMessage("שלח דוא\"ל"), - "sendInvite": MessageLookupByLibrary.simpleMessage("שלח הזמנה"), - "sendLink": MessageLookupByLibrary.simpleMessage("שלח קישור"), - "sessionExpired": - MessageLookupByLibrary.simpleMessage("פג תוקף החיבור"), - "setAPassword": MessageLookupByLibrary.simpleMessage("הגדר סיסמה"), - "setAs": MessageLookupByLibrary.simpleMessage("הגדר בתור"), - "setCover": MessageLookupByLibrary.simpleMessage("הגדר כרקע"), - "setLabel": MessageLookupByLibrary.simpleMessage("הגדר"), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage("הגדר סיסמא"), - "setRadius": MessageLookupByLibrary.simpleMessage("הגדר רדיוס"), - "setupComplete": MessageLookupByLibrary.simpleMessage("ההתקנה הושלמה"), - "share": MessageLookupByLibrary.simpleMessage("שתף"), - "shareALink": MessageLookupByLibrary.simpleMessage("שתף קישור"), - "shareAnAlbumNow": - MessageLookupByLibrary.simpleMessage("שתף אלבום עכשיו"), - "shareLink": MessageLookupByLibrary.simpleMessage("שתף קישור"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": - MessageLookupByLibrary.simpleMessage("שתף רק אם אנשים שאתה בוחר"), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "הורד את ente על מנת שנוכל לשתף תמונות וסרטונים באיכות המקור באופן קל\n\nhttps://ente.io"), - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "שתף עם משתמשים שהם לא של ente"), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": - MessageLookupByLibrary.simpleMessage("שתף את האלבום הראשון שלך"), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "צור אלבומים הניתנים לשיתוף ושיתוף פעולה עם משתמשי ente אחרים, כולל משתמשים בתוכניות החינמיות."), - "sharedByMe": MessageLookupByLibrary.simpleMessage("שותף על ידי"), - "sharedPhotoNotifications": - MessageLookupByLibrary.simpleMessage("אלבומים משותפים חדשים"), - "sharedPhotoNotificationsExplanation": - MessageLookupByLibrary.simpleMessage( - "קבל התראות כשמישהו מוסיף תמונה לאלבום משותף שאתה חלק ממנו"), - "sharedWith": m87, - "sharedWithMe": MessageLookupByLibrary.simpleMessage("שותף איתי"), - "sharing": MessageLookupByLibrary.simpleMessage("משתף..."), - "showMemories": MessageLookupByLibrary.simpleMessage("הצג זכרונות"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "אני מסכים לתנאי שירות ולמדיניות הפרטיות"), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": - MessageLookupByLibrary.simpleMessage("זה יימחק מכל האלבומים."), - "skip": MessageLookupByLibrary.simpleMessage("דלג"), - "social": MessageLookupByLibrary.simpleMessage("חברתי"), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "מי שמשתף איתך אלבומים יוכל לראות את אותו המזהה במכשיר שלהם."), - "somethingWentWrong": - MessageLookupByLibrary.simpleMessage("משהו השתבש"), - "somethingWentWrongPleaseTryAgain": - MessageLookupByLibrary.simpleMessage("משהו השתבש, אנא נסה שנית"), - "sorry": MessageLookupByLibrary.simpleMessage("מצטער"), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "סליחה, לא ניתן להוסיף למועדפים!"), - "sorryCouldNotRemoveFromFavorites": - MessageLookupByLibrary.simpleMessage( - "סליחה, לא ניתן להסיר מהמועדפים!"), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "אנחנו מצטערים, לא הצלחנו ליצור מפתחות מאובטחים על מכשיר זה.\n\nאנא הירשם ממכשיר אחר."), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("מיין לפי"), - "sortOldestFirst": - MessageLookupByLibrary.simpleMessage("הישן ביותר קודם"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ הצלחה"), - "startBackup": MessageLookupByLibrary.simpleMessage("התחל גיבוי"), - "storage": MessageLookupByLibrary.simpleMessage("אחסון"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("משפחה"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("אתה"), - "storageInGB": m93, - "storageLimitExceeded": - MessageLookupByLibrary.simpleMessage("גבול מקום האחסון נחרג"), - "strongStrength": MessageLookupByLibrary.simpleMessage("חזקה"), - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("הרשם"), - "subscription": MessageLookupByLibrary.simpleMessage("מנוי"), - "success": MessageLookupByLibrary.simpleMessage("הצלחה"), - "suggestFeatures": - MessageLookupByLibrary.simpleMessage("הציעו מאפיינים"), - "support": MessageLookupByLibrary.simpleMessage("תמיכה"), - "syncProgress": m97, - "syncing": MessageLookupByLibrary.simpleMessage("מסנכרן..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("מערכת"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("הקש כדי להעתיק"), - "tapToEnterCode": - MessageLookupByLibrary.simpleMessage("הקש כדי להזין את הקוד"), - "terminate": MessageLookupByLibrary.simpleMessage("סיים"), - "terminateSession": MessageLookupByLibrary.simpleMessage("סיים חיבור?"), - "terms": MessageLookupByLibrary.simpleMessage("תנאים"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("תנאים"), - "thankYou": MessageLookupByLibrary.simpleMessage("תודה"), - "thankYouForSubscribing": - MessageLookupByLibrary.simpleMessage("תודה שנרשמת!"), - "theDownloadCouldNotBeCompleted": - MessageLookupByLibrary.simpleMessage("לא ניתן להשלים את ההורדה"), - "theme": MessageLookupByLibrary.simpleMessage("ערכת נושא"), - "theyAlsoGetXGb": m99, - "thisCanBeUsedToRecoverYourAccountIfYou": - MessageLookupByLibrary.simpleMessage( - "זה יכול לשמש לשחזור החשבון שלך במקרה ותאבד את הגורם השני"), - "thisDevice": MessageLookupByLibrary.simpleMessage("מכשיר זה"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": - MessageLookupByLibrary.simpleMessage("זה מזהה האימות שלך"), - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage("זה ינתק אותך מהמכשיר הבא:"), - "thisWillLogYouOutOfThisDevice": - MessageLookupByLibrary.simpleMessage("זה ינתק אותך במכשיר זה!"), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "כדי לאפס את הסיסמא שלך, אנא אמת את האימייל שלך קודם."), - "total": MessageLookupByLibrary.simpleMessage("סך הכל"), - "totalSize": MessageLookupByLibrary.simpleMessage("גודל כולל"), - "trash": MessageLookupByLibrary.simpleMessage("אשפה"), - "tryAgain": MessageLookupByLibrary.simpleMessage("נסה שוב"), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "חודשיים בחינם בתוכניות שנתיות"), - "twofactor": MessageLookupByLibrary.simpleMessage("דו-גורמי"), - "twofactorAuthenticationPageTitle": - MessageLookupByLibrary.simpleMessage("אימות דו-גורמי"), - "twofactorSetup": MessageLookupByLibrary.simpleMessage("אימות דו-שלבי"), - "unarchive": MessageLookupByLibrary.simpleMessage("הוצאה מארכיון"), - "uncategorized": MessageLookupByLibrary.simpleMessage("ללא קטגוריה"), - "unhide": MessageLookupByLibrary.simpleMessage("בטל הסתרה"), - "unhideToAlbum": - MessageLookupByLibrary.simpleMessage("בטל הסתרה בחזרה לאלבום"), - "unhidingFilesToAlbum": - MessageLookupByLibrary.simpleMessage("מבטל הסתרת הקבצים לאלבום"), - "unlock": MessageLookupByLibrary.simpleMessage("ביטול נעילה"), - "unselectAll": MessageLookupByLibrary.simpleMessage("בטל בחירה של הכל"), - "update": MessageLookupByLibrary.simpleMessage("עדכן"), - "updateAvailable": MessageLookupByLibrary.simpleMessage("עדכון זמין"), - "updatingFolderSelection": - MessageLookupByLibrary.simpleMessage("מעדכן את בחירת התיקיות..."), - "upgrade": MessageLookupByLibrary.simpleMessage("שדרג"), - "uploadingFilesToAlbum": - MessageLookupByLibrary.simpleMessage("מעלה קבצים לאלבום..."), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "כמות האחסון השמישה שלך מוגבלת בתוכנית הנוכחית. אחסון עודף יהפוך שוב לשמיש אחרי שתשדרג את התוכנית שלך."), - "useRecoveryKey": - MessageLookupByLibrary.simpleMessage("השתמש במפתח שחזור"), - "usedSpace": MessageLookupByLibrary.simpleMessage("מקום בשימוש"), - "verificationId": MessageLookupByLibrary.simpleMessage("מזהה אימות"), - "verify": MessageLookupByLibrary.simpleMessage("אמת"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("אימות דוא\"ל"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("אמת"), - "verifyPassword": MessageLookupByLibrary.simpleMessage("אמת סיסמא"), - "verifyingRecoveryKey": - MessageLookupByLibrary.simpleMessage("מוודא את מפתח השחזור..."), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("וידאו"), - "viewActiveSessions": - MessageLookupByLibrary.simpleMessage("צפה בחיבורים פעילים"), - "viewAll": MessageLookupByLibrary.simpleMessage("הצג הכל"), - "viewLogs": MessageLookupByLibrary.simpleMessage("צפייה בלוגים"), - "viewRecoveryKey": - MessageLookupByLibrary.simpleMessage("צפה במפתח השחזור"), - "viewer": MessageLookupByLibrary.simpleMessage("צפיין"), - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "אנא בקר ב-web.ente.io על מנת לנהל את המנוי שלך"), - "weAreOpenSource": - MessageLookupByLibrary.simpleMessage("הקוד שלנו פתוח!"), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("חלשה"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("ברוך שובך!"), - "yearly": MessageLookupByLibrary.simpleMessage("שנתי"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("כן"), - "yesCancel": MessageLookupByLibrary.simpleMessage("כן, בטל"), - "yesConvertToViewer": - MessageLookupByLibrary.simpleMessage("כן, המר לצפיין"), - "yesDelete": MessageLookupByLibrary.simpleMessage("כן, מחק"), - "yesLogout": MessageLookupByLibrary.simpleMessage("כן, התנתק"), - "yesRemove": MessageLookupByLibrary.simpleMessage("כן, הסר"), - "yesRenew": MessageLookupByLibrary.simpleMessage("כן, חדש"), - "you": MessageLookupByLibrary.simpleMessage("אתה"), - "youAreOnAFamilyPlan": - MessageLookupByLibrary.simpleMessage("אתה על תוכנית משפחתית!"), - "youAreOnTheLatestVersion": - MessageLookupByLibrary.simpleMessage("אתה על הגרסא הכי עדכנית"), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* אתה יכול במקסימום להכפיל את מקום האחסון שלך"), - "youCanManageYourLinksInTheShareTab": - MessageLookupByLibrary.simpleMessage( - "אתה יכול לנהת את הקישורים שלך בלשונית שיתוף."), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "אתה לא יכול לשנמך לתוכנית הזו"), - "youCannotShareWithYourself": - MessageLookupByLibrary.simpleMessage("אתה לא יכול לשתף עם עצמך"), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": - MessageLookupByLibrary.simpleMessage("החשבון שלך נמחק"), - "yourPlanWasSuccessfullyDowngraded": - MessageLookupByLibrary.simpleMessage("התוכנית שלך שונמכה בהצלחה"), - "yourPlanWasSuccessfullyUpgraded": - MessageLookupByLibrary.simpleMessage("התוכנית שלך שודרגה בהצלחה"), - "yourPurchaseWasSuccessful": - MessageLookupByLibrary.simpleMessage("התשלום שלך עבר בהצלחה"), - "yourStorageDetailsCouldNotBeFetched": - MessageLookupByLibrary.simpleMessage( - "לא ניתן לאחזר את פרטי מקום האחסון"), - "yourSubscriptionHasExpired": - MessageLookupByLibrary.simpleMessage("פג תוקף המנוי שלך"), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage("המנוי שלך עודכן בהצלחה") - }; + "about": MessageLookupByLibrary.simpleMessage("אודות"), + "account": MessageLookupByLibrary.simpleMessage("חשבון"), + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage("ברוך שובך!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "אני מבין שאם אאבד את הסיסמא, אני עלול לאבד את המידע שלי מכיוון שהמידע שלי מוצפן מקצה אל קצה.", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage("חיבורים פעילים"), + "addANewEmail": MessageLookupByLibrary.simpleMessage("הוסף דוא\"ל חדש"), + "addCollaborator": MessageLookupByLibrary.simpleMessage("הוסף משתף פעולה"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("הוסף"), + "addMore": MessageLookupByLibrary.simpleMessage("הוסף עוד"), + "addPhotos": MessageLookupByLibrary.simpleMessage("הוסף תמונות"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("הוסף לאלבום"), + "addViewer": MessageLookupByLibrary.simpleMessage("הוסף צופה"), + "addedAs": MessageLookupByLibrary.simpleMessage("הוסף בתור"), + "addingToFavorites": MessageLookupByLibrary.simpleMessage( + "מוסיף למועדפים...", + ), + "advanced": MessageLookupByLibrary.simpleMessage("מתקדם"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("מתקדם"), + "after1Day": MessageLookupByLibrary.simpleMessage("אחרי יום 1"), + "after1Hour": MessageLookupByLibrary.simpleMessage("אחרי שעה 1"), + "after1Month": MessageLookupByLibrary.simpleMessage("אחרי חודש 1"), + "after1Week": MessageLookupByLibrary.simpleMessage("אחרי שבוע 1"), + "after1Year": MessageLookupByLibrary.simpleMessage("אחרי שנה 1"), + "albumOwner": MessageLookupByLibrary.simpleMessage("בעלים"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("כותרת האלבום"), + "albumUpdated": MessageLookupByLibrary.simpleMessage("האלבום עודכן"), + "albums": MessageLookupByLibrary.simpleMessage("אלבומים"), + "allClear": MessageLookupByLibrary.simpleMessage("✨ הכל נוקה"), + "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( + "כל הזכרונות נשמרו", + ), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "בנוסף אפשר לאנשים עם הלינק להוסיף תמונות לאלבום המשותף.", + ), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( + "אפשר הוספת תמונות", + ), + "allowDownloads": MessageLookupByLibrary.simpleMessage("אפשר הורדות"), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "תן לאנשים להוסיף תמונות", + ), + "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("הצלחה"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("בטל"), + "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( + "Android, iOS, דפדפן, שולחן עבודה", + ), + "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), + "apply": MessageLookupByLibrary.simpleMessage("החל"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("החל קוד"), + "appstoreSubscription": MessageLookupByLibrary.simpleMessage( + "מנוי AppStore", + ), + "archive": MessageLookupByLibrary.simpleMessage("שמירה בארכיון"), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "אתה בטוח שאתה רוצה לעזוב את התוכנית המשפתחית?", + ), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "אתה בטוח שאתה רוצה לבטל?", + ), + "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( + "אתה בטוח שאתה רוצה לשנות את התוכנית שלך?", + ), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "האם אתה בטוח שברצונך לצאת?", + ), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "אתה בטוח שאתה רוצה להתנתק?", + ), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "אתה בטוח שאתה רוצה לחדש?", + ), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "המנוי שלך בוטל. תרצה לשתף את הסיבה?", + ), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "מה הסיבה העיקרית שבגללה אתה מוחק את החשבון שלך?", + ), + "atAFalloutShelter": MessageLookupByLibrary.simpleMessage("במקלט גרעיני"), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "אנא התאמת על מנת לשנות את הדוא\"ל שלך", + ), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "אנא התאמת כדי לשנות את הגדרות מסך הנעילה", + ), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "אנא אנא התאמת על מנת לשנות את הדוא\"ל שלך", + ), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "אנא התאמת על מנת לשנות את הסיסמא שלך", + ), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "אנא התאמת כדי להגדיר את האימות הדו-גורמי", + ), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "אנא התאמת על מנת להתחיל את מחיקת החשבון שלך", + ), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "אנא התאמת על מנת לראות את החיבורים הפעילים שלך", + ), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "אנא התאמת על מנת לראות את הקבצים החבויים שלך", + ), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "אנא אמת על מנת לצפות בזכרונות שלך", + ), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "אנא התאמת על מנת לראות את מפתח השחזור שלך", + ), + "available": MessageLookupByLibrary.simpleMessage("זמין"), + "backedUpFolders": MessageLookupByLibrary.simpleMessage("תיקיות שגובו"), + "backup": MessageLookupByLibrary.simpleMessage("גיבוי"), + "backupFailed": MessageLookupByLibrary.simpleMessage("הגיבוי נכשל"), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "גבה על רשת סלולרית", + ), + "backupSettings": MessageLookupByLibrary.simpleMessage("הגדרות גיבוי"), + "backupVideos": MessageLookupByLibrary.simpleMessage("גבה סרטונים"), + "blog": MessageLookupByLibrary.simpleMessage("בלוג"), + "cachedData": MessageLookupByLibrary.simpleMessage("נתונים מוטמנים"), + "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( + "לא ניתן להעלות לאלבומים שבבעלות אחרים", + ), + "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "ניתן אך ורק ליצור קישור לקבצים שאתה בבעולתם", + ), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "יכול להסיר רק קבצים שבבעלותך", + ), + "cancel": MessageLookupByLibrary.simpleMessage("בטל"), + "cancelOtherSubscription": m12, + "cancelSubscription": MessageLookupByLibrary.simpleMessage("בטל מנוי"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "לא ניתן למחוק את הקבצים המשותפים", + ), + "changeEmail": MessageLookupByLibrary.simpleMessage("שנה דוא\"ל"), + "changePassword": MessageLookupByLibrary.simpleMessage("שנה סיסמה"), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage("שנה סיסמה"), + "changePermissions": MessageLookupByLibrary.simpleMessage("שנה הרשאה?"), + "checkForUpdates": MessageLookupByLibrary.simpleMessage("בדוק עדכונים"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "אנא בדוק את תיבת הדואר שלך (והספאם) כדי להשלים את האימות", + ), + "checking": MessageLookupByLibrary.simpleMessage("בודק..."), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage( + "תבע מקום אחסון בחינם", + ), + "claimMore": MessageLookupByLibrary.simpleMessage("תבע עוד!"), + "claimed": MessageLookupByLibrary.simpleMessage("נתבע"), + "claimedStorageSoFar": m14, + "click": MessageLookupByLibrary.simpleMessage("• לחץ"), + "close": MessageLookupByLibrary.simpleMessage("סגור"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( + "קבץ לפי זמן הצילום", + ), + "clubByFileName": MessageLookupByLibrary.simpleMessage("קבץ לפי שם הקובץ"), + "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage("הקוד הוחל"), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "הקוד הועתק ללוח", + ), + "codeUsedByYou": MessageLookupByLibrary.simpleMessage("הקוד שומש על ידיך"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "צור קישור על מנת לאפשר לאנשים להוסיף ולצפות בתמונות באלבום ששיתפת בלי צורך באפליקציית ente או חשבון. נהדר לאיסוף תמונות של אירועים.", + ), + "collaborativeLink": MessageLookupByLibrary.simpleMessage( + "קישור לשיתוף פעולה", + ), + "collaborator": MessageLookupByLibrary.simpleMessage("משתף פעולה"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "משתפי פעולה יכולים להוסיף תמונות וסרטונים לאלבום המשותף.", + ), + "collageLayout": MessageLookupByLibrary.simpleMessage("פריסה"), + "collageSaved": MessageLookupByLibrary.simpleMessage("הקולז נשמר לגלריה"), + "collectEventPhotos": MessageLookupByLibrary.simpleMessage( + "אסף תמונות מאירוע", + ), + "collectPhotos": MessageLookupByLibrary.simpleMessage("אסוף תמונות"), + "color": MessageLookupByLibrary.simpleMessage("צבע"), + "confirm": MessageLookupByLibrary.simpleMessage("אשר"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "האם אתה בטוח שאתה רוצה להשבית את האימות הדו-גורמי?", + ), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "אשר את מחיקת החשבון", + ), + "confirmPassword": MessageLookupByLibrary.simpleMessage("אמת סיסמא"), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage( + "אשר שינוי תוכנית", + ), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "אמת את מפתח השחזור", + ), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "אמת את מפתח השחזור", + ), + "contactFamilyAdmin": m18, + "contactSupport": MessageLookupByLibrary.simpleMessage("צור קשר עם התמיכה"), + "contactToManageSubscription": m19, + "continueLabel": MessageLookupByLibrary.simpleMessage("המשך"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "המשך עם ניסיון חינמי", + ), + "copyLink": MessageLookupByLibrary.simpleMessage("העתק קישור"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "תעתיק ותדביק את הקוד הזה\nלאפליקציית האימות שלך", + ), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "לא יכולנו לגבות את המידע שלך.\nאנא נסה שוב מאוחר יותר.", + ), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "לא ניתן לעדכן את המנוי", + ), + "count": MessageLookupByLibrary.simpleMessage("כמות"), + "create": MessageLookupByLibrary.simpleMessage("צור"), + "createAccount": MessageLookupByLibrary.simpleMessage("צור חשבון"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "לחץ לחיצה ארוכה על מנת לבחור תמונות ולחץ על + על מנת ליצור אלבום", + ), + "createCollage": MessageLookupByLibrary.simpleMessage("צור קולז"), + "createNewAccount": MessageLookupByLibrary.simpleMessage("צור חשבון חדש"), + "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( + "צור או בחר אלבום", + ), + "createPublicLink": MessageLookupByLibrary.simpleMessage( + "צור קישור ציבורי", + ), + "creatingLink": MessageLookupByLibrary.simpleMessage("יוצר קישור..."), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "עדכון חשוב זמין", + ), + "currentUsageIs": MessageLookupByLibrary.simpleMessage( + "השימוש במקום האחסון כרגע הוא ", + ), + "custom": MessageLookupByLibrary.simpleMessage("מותאם אישית"), + "darkTheme": MessageLookupByLibrary.simpleMessage("כהה"), + "dayToday": MessageLookupByLibrary.simpleMessage("היום"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("אתמול"), + "decrypting": MessageLookupByLibrary.simpleMessage("מפענח..."), + "decryptingVideo": MessageLookupByLibrary.simpleMessage( + "מפענח את הסרטון...", + ), + "deduplicateFiles": MessageLookupByLibrary.simpleMessage( + "הסר קבצים כפולים", + ), + "delete": MessageLookupByLibrary.simpleMessage("מחק"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("מחק חשבון"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "אנחנו מצטערים לראות שאתה עוזב. אנא תחלוק את המשוב שלך כדי לעזור לנו להשתפר.", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "מחק את החשבון לצמיתות", + ), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("מחק אלבום"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "גם להסיר תמונות (וסרטונים) שנמצאים באלבום הזה מכל שאר האלבומים שהם שייכים אליהם?", + ), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "זה ימחק את כל האלבומים הריקים. זה שימושי כשאתה רוצה להפחית את כמות האי סדר ברשימת האלבומים שלך.", + ), + "deleteAll": MessageLookupByLibrary.simpleMessage("מחק הכל"), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "אנא תשלח דוא\"ל לaccount-deletion@ente.io מהכתובת דוא\"ל שנרשמת איתה.", + ), + "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( + "למחוק אלבומים ריקים", + ), + "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( + "למחוק אלבומים ריקים?", + ), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage("מחק משניהם"), + "deleteFromDevice": MessageLookupByLibrary.simpleMessage("מחק מהמכשיר"), + "deleteItemCount": m21, + "deletePhotos": MessageLookupByLibrary.simpleMessage("מחק תמונות"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "חסר מאפיין מרכזי שאני צריך", + ), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "היישומון או מאפיין מסוים לא מתנהג כמו שאני חושב שהוא צריך", + ), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "מצאתי שירות אחר שאני יותר מחבב", + ), + "deleteReason4": MessageLookupByLibrary.simpleMessage("הסיבה שלי לא כלולה"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "הבקשה שלך תועבד תוך 72 שעות.", + ), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "מחק את האלבום המשותף?", + ), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "האלבום הזה יימחק עבור כולם\n\nאתה תאבד גישה לתמונות משותפות באלבום הזה שבבעלות של אחרים", + ), + "deselectAll": MessageLookupByLibrary.simpleMessage("בטל בחירה של הכל"), + "designedToOutlive": MessageLookupByLibrary.simpleMessage( + "עוצב על מנת לשרוד", + ), + "details": MessageLookupByLibrary.simpleMessage("פרטים"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage( + "השבת נעילה אוטומטית", + ), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "צופים יכולים עדיין לקחת צילומי מסך או לשמור עותק של התמונות שלך בעזרת כלים חיצוניים", + ), + "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( + "שים לב", + ), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage("השבת דו-גורמי"), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "dismiss": MessageLookupByLibrary.simpleMessage("התעלם"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("ק\"מ"), + "doThisLater": MessageLookupByLibrary.simpleMessage("מאוחר יותר"), + "done": MessageLookupByLibrary.simpleMessage("בוצע"), + "download": MessageLookupByLibrary.simpleMessage("הורד"), + "downloadFailed": MessageLookupByLibrary.simpleMessage("ההורדה נכשלה"), + "downloading": MessageLookupByLibrary.simpleMessage("מוריד..."), + "dropSupportEmail": m25, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("ערוך"), + "eligible": MessageLookupByLibrary.simpleMessage("זכאי"), + "email": MessageLookupByLibrary.simpleMessage("דוא\"ל"), + "emailNoEnteAccount": m31, + "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( + "אימות מייל", + ), + "empty": MessageLookupByLibrary.simpleMessage("ריק"), + "encryption": MessageLookupByLibrary.simpleMessage("הצפנה"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage("מפתחות ההצפנה"), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "מוצפן מקצה אל קצה כברירת מחדל", + ), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente צריך הרשאות על מנת לשמור את התמונות שלך", + ), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "אפשר להוסיף גם את המשפחה שלך לתוכנית.", + ), + "enterAlbumName": MessageLookupByLibrary.simpleMessage("הזן שם אלבום"), + "enterCode": MessageLookupByLibrary.simpleMessage("הזן קוד"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "הכנס את הקוד שנמסר לך מחברך בשביל לקבל מקום אחסון בחינם עבורך ועבורו", + ), + "enterEmail": MessageLookupByLibrary.simpleMessage("הזן דוא\"ל"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "הזן סיסמא חדשה שנוכל להשתמש בה כדי להצפין את המידע שלך", + ), + "enterPassword": MessageLookupByLibrary.simpleMessage("הזן את הסיסמה"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "הזן סיסמא כדי שנוכל לפענח את המידע שלך", + ), + "enterReferralCode": MessageLookupByLibrary.simpleMessage("הזן קוד הפניה"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "הכנס את הקוד בעל 6 ספרות מתוך\nאפליקציית האימות שלך", + ), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "אנא הכנס כתובת דוא\"ל חוקית.", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "הכנס את כתובת הדוא״ל שלך", + ), + "enterYourPassword": MessageLookupByLibrary.simpleMessage("הכנס סיסמא"), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "הזן את מפתח השחזור שלך", + ), + "error": MessageLookupByLibrary.simpleMessage("שגיאה"), + "everywhere": MessageLookupByLibrary.simpleMessage("בכל מקום"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": MessageLookupByLibrary.simpleMessage("משתמש קיים"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "פג תוקף הקישור. אנא בחר בתאריך תפוגה חדש או השבת את תאריך התפוגה של הקישור.", + ), + "exportLogs": MessageLookupByLibrary.simpleMessage("ייצוא לוגים"), + "exportYourData": MessageLookupByLibrary.simpleMessage("ייצוא הנתונים שלך"), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage( + "נכשל בהחלת הקוד", + ), + "failedToCancel": MessageLookupByLibrary.simpleMessage("הביטול נכשל"), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "אחזור פרטי ההפניה נכשל. אנא נסה שוב מאוחר יותר.", + ), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "נכשל בטעינת האלבומים", + ), + "failedToRenew": MessageLookupByLibrary.simpleMessage("החידוש נכשל"), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "נכשל באימות סטטוס התשלום", + ), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("משפחה"), + "familyPlans": MessageLookupByLibrary.simpleMessage("תוכניות משפחה"), + "faq": MessageLookupByLibrary.simpleMessage("שאלות נפוצות"), + "faqs": MessageLookupByLibrary.simpleMessage("שאלות נפוצות"), + "favorite": MessageLookupByLibrary.simpleMessage("מועדף"), + "feedback": MessageLookupByLibrary.simpleMessage("משוב"), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "נכשל בעת שמירת הקובץ לגלריה", + ), + "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( + "הקובץ נשמר לגלריה", + ), + "flip": MessageLookupByLibrary.simpleMessage("הפוך"), + "forYourMemories": MessageLookupByLibrary.simpleMessage( + "עבור הזכורונות שלך", + ), + "forgotPassword": MessageLookupByLibrary.simpleMessage("שכחתי סיסמה"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( + "מקום אחסון בחינם נתבע", + ), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "מקום אחסון שמיש", + ), + "freeTrial": MessageLookupByLibrary.simpleMessage("ניסיון חינמי"), + "freeTrialValidTill": m38, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( + "פנה אחסון במכשיר", + ), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("פנה מקום"), + "general": MessageLookupByLibrary.simpleMessage("כללי"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "יוצר מפתחות הצפנה...", + ), + "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "נא לתת גישה לכל התמונות בתוך ההגדרות של הטלפון", + ), + "grantPermission": MessageLookupByLibrary.simpleMessage("הענק הרשאה"), + "hidden": MessageLookupByLibrary.simpleMessage("מוסתר"), + "hide": MessageLookupByLibrary.simpleMessage("הסתר"), + "hiding": MessageLookupByLibrary.simpleMessage("מחביא..."), + "howItWorks": MessageLookupByLibrary.simpleMessage("איך זה עובד"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "אנא בקש מהם ללחוץ לחיצה ארוכה על הכתובת אימייל שלהם בעמוד ההגדרות, וודא שהמזההים בשני המכשירים תואמים.", + ), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("אישור"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("התעלם"), + "importing": MessageLookupByLibrary.simpleMessage("מייבא...."), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( + "סיסמא לא נכונה", + ), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "המפתח שחזור שהזנת שגוי", + ), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "מפתח שחזור שגוי", + ), + "insecureDevice": MessageLookupByLibrary.simpleMessage("מכשיר בלתי מאובטח"), + "installManually": MessageLookupByLibrary.simpleMessage("התקן באופן ידני"), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "כתובת דוא״ל לא תקינה", + ), + "invalidKey": MessageLookupByLibrary.simpleMessage("מפתח לא חוקי"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "מפתח השחזור שהזמנת אינו תקין. אנא וודא שהוא מכיל 24 מילים, ותבדוק את האיות של כל אחת.\n\nאם הכנסת קוד שחזור ישן, וודא שהוא בעל 64 אותיות, ותבדוק כל אחת מהן.", + ), + "invite": MessageLookupByLibrary.simpleMessage("הזמן"), + "inviteYourFriends": MessageLookupByLibrary.simpleMessage("הזמן את חברייך"), + "itemCount": m44, + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "הפריטים שנבחרו יוסרו מהאלבום הזה", + ), + "keepPhotos": MessageLookupByLibrary.simpleMessage("השאר תמונות"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("ק\"מ"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "אנא עזור לנו עם המידע הזה", + ), + "language": MessageLookupByLibrary.simpleMessage("שפה"), + "lastUpdated": MessageLookupByLibrary.simpleMessage("עדכון אחרון"), + "leave": MessageLookupByLibrary.simpleMessage("עזוב"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("צא מהאלבום"), + "leaveFamily": MessageLookupByLibrary.simpleMessage("עזוב משפחה"), + "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( + "לעזוב את האלבום המשותף?", + ), + "light": MessageLookupByLibrary.simpleMessage("אור"), + "lightTheme": MessageLookupByLibrary.simpleMessage("בהיר"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "הקישור הועתק ללוח", + ), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage( + "מגבלת כמות מכשירים", + ), + "linkEnabled": MessageLookupByLibrary.simpleMessage("מאופשר"), + "linkExpired": MessageLookupByLibrary.simpleMessage("פג תוקף"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("תאריך תפוגה ללינק"), + "linkHasExpired": MessageLookupByLibrary.simpleMessage("הקישור פג תוקף"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("לעולם לא"), + "location": MessageLookupByLibrary.simpleMessage("מקום"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("נעל"), + "lockscreen": MessageLookupByLibrary.simpleMessage("מסך נעילה"), + "logInLabel": MessageLookupByLibrary.simpleMessage("התחבר"), + "loggingOut": MessageLookupByLibrary.simpleMessage("מתנתק..."), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "על ידי לחיצה על התחברות, אני מסכים לתנאי שירות ולמדיניות הפרטיות", + ), + "logout": MessageLookupByLibrary.simpleMessage("התנתק"), + "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( + "לחץ לחיצה ארוכה על פריט על מנת לראות אותו במסך מלא", + ), + "lostDevice": MessageLookupByLibrary.simpleMessage("איבדת את המכשיר?"), + "manage": MessageLookupByLibrary.simpleMessage("נהל"), + "manageFamily": MessageLookupByLibrary.simpleMessage("נהל משפחה"), + "manageLink": MessageLookupByLibrary.simpleMessage("ניהול קישור"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("נהל"), + "manageSubscription": MessageLookupByLibrary.simpleMessage("נהל מנוי"), + "map": MessageLookupByLibrary.simpleMessage("מפה"), + "maps": MessageLookupByLibrary.simpleMessage("מפות"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "merchandise": MessageLookupByLibrary.simpleMessage("סחורה"), + "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( + "פלאפון, דפדפן, שולחן עבודה", + ), + "moderateStrength": MessageLookupByLibrary.simpleMessage("מתונה"), + "monthly": MessageLookupByLibrary.simpleMessage("חודשי"), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("הזז לאלבום"), + "movedToTrash": MessageLookupByLibrary.simpleMessage("הועבר לאשפה"), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "מעביר קבצים לאלבום...", + ), + "name": MessageLookupByLibrary.simpleMessage("שם"), + "never": MessageLookupByLibrary.simpleMessage("לעולם לא"), + "newAlbum": MessageLookupByLibrary.simpleMessage("אלבום חדש"), + "newest": MessageLookupByLibrary.simpleMessage("החדש ביותר"), + "no": MessageLookupByLibrary.simpleMessage("לא"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("אין"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "אין לך קבצים במכשיר הזה שניתן למחוק אותם", + ), + "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ אין כפילויות"), + "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( + "אף תמונה אינה נמצאת בתהליך גיבוי כרגע", + ), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage("אין מפתח שחזור?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "בשל טבע הפרוטוקול של ההצפנת קצה-אל-קצה שלנו, אין אפשרות לפענח את הנתונים שלך בלי הסיסמה או מפתח השחזור שלך", + ), + "noResults": MessageLookupByLibrary.simpleMessage("אין תוצאות"), + "notifications": MessageLookupByLibrary.simpleMessage("התראות"), + "ok": MessageLookupByLibrary.simpleMessage("אוקיי"), + "onDevice": MessageLookupByLibrary.simpleMessage("על המכשיר"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "באנטע", + ), + "oops": MessageLookupByLibrary.simpleMessage("אופס"), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "אופס, משהו השתבש", + ), + "openSettings": MessageLookupByLibrary.simpleMessage("פתח הגדרות"), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "אופציונלי, קצר ככל שתרצה...", + ), + "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( + "או בחר באחד קיים", + ), + "password": MessageLookupByLibrary.simpleMessage("סיסמא"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "הססמה הוחלפה בהצלחה", + ), + "passwordLock": MessageLookupByLibrary.simpleMessage("נעילת סיסמא"), + "passwordStrength": m57, + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "אנחנו לא שומרים את הסיסמא הזו, לכן אם אתה שוכח אותה, אנחנו לא יכולים לפענח את המידע שלך", + ), + "paymentDetails": MessageLookupByLibrary.simpleMessage("פרטי תשלום"), + "paymentFailed": MessageLookupByLibrary.simpleMessage("התשלום נכשל"), + "paymentFailedTalkToProvider": m58, + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "אנשים משתמשים בקוד שלך", + ), + "permanentlyDelete": MessageLookupByLibrary.simpleMessage("למחוק לצמיתות?"), + "photoGridSize": MessageLookupByLibrary.simpleMessage("גודל לוח של התמונה"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("תמונה"), + "playstoreSubscription": MessageLookupByLibrary.simpleMessage( + "מנוי PlayStore", + ), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "אנא צור קשר עם support@ente.io ואנחנו נשמח לעזור!", + ), + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( + "נא הענק את ההרשאות", + ), + "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage("אנא התחבר שוב"), + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("אנא נסה שנית"), + "pleaseWait": MessageLookupByLibrary.simpleMessage("אנא המתן..."), + "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( + "אנא חכה מעט לפני שאתה מנסה שוב", + ), + "preparingLogs": MessageLookupByLibrary.simpleMessage("מכין לוגים..."), + "preserveMore": MessageLookupByLibrary.simpleMessage("שמור עוד"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "לחץ והחזק על מנת להריץ את הסרטון", + ), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "לחץ והחזק על התמונה על מנת להריץ את הסרטון", + ), + "privacy": MessageLookupByLibrary.simpleMessage("פרטיות"), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "מדיניות פרטיות", + ), + "privateBackups": MessageLookupByLibrary.simpleMessage("גיבויים פרטיים"), + "privateSharing": MessageLookupByLibrary.simpleMessage("שיתוף פרטי"), + "publicLinkCreated": MessageLookupByLibrary.simpleMessage( + "קישור ציבורי נוצר", + ), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( + "לינק ציבורי אופשר", + ), + "radius": MessageLookupByLibrary.simpleMessage("רדיוס"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("צור ticket"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("דרג את האפליקציה"), + "rateUs": MessageLookupByLibrary.simpleMessage("דרג אותנו"), + "rateUsOnStore": m68, + "recover": MessageLookupByLibrary.simpleMessage("שחזר"), + "recoverAccount": MessageLookupByLibrary.simpleMessage("שחזר חשבון"), + "recoverButton": MessageLookupByLibrary.simpleMessage("שחזר"), + "recoveryKey": MessageLookupByLibrary.simpleMessage("מפתח שחזור"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "מפתח השחזור הועתק ללוח", + ), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "אם אתה שוכח את הסיסמא שלך, הדרך היחידה שתוכל לשחזר את המידע שלך היא עם המפתח הזה.", + ), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "אנחנו לא מאחסנים את המפתח הזה, אנא שמור את המפתח 24 מילים הזה במקום בטוח.", + ), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "נהדר! מפתח השחזור תקין. אנחנו מודים לך על האימות.\n\nאנא תזכור לגבות את מפתח השחזור שלך באופן בטוח.", + ), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "מפתח השחזור אומת", + ), + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "השחזור עבר בהצלחה!", + ), + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "המכשיר הנוכחי אינו חזק מספיק כדי לאמת את הסיסמא שלך, אבל אנחנו יכולים ליצור בצורה שתעבוד עם כל המכשירים.\n\nאנא התחבר בעזרת המפתח שחזור שלך וצור מחדש את הסיסמא שלך (אתה יכול להשתמש באותה אחת אם אתה רוצה).", + ), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( + "צור סיסמא מחדש", + ), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. תמסור את הקוד הזה לחברייך", + ), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. הם נרשמים עבור תוכנית בתשלום", + ), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("הפניות"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "הפניות כרגע מושהות", + ), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "גם נקה \"נמחק לאחרונה\" מ-\"הגדרות\" -> \"אחסון\" על מנת לקבל המקום אחסון שהתפנה", + ), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "גם נקה את ה-\"אשפה\" שלך על מנת לקבל את המקום אחסון שהתפנה", + ), + "remove": MessageLookupByLibrary.simpleMessage("הסר"), + "removeDuplicates": MessageLookupByLibrary.simpleMessage("הסר כפילויות"), + "removeFromAlbum": MessageLookupByLibrary.simpleMessage("הסר מהאלבום"), + "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( + "הסר מהאלבום?", + ), + "removeLink": MessageLookupByLibrary.simpleMessage("הסרת קישור"), + "removeParticipant": MessageLookupByLibrary.simpleMessage("הסר משתתף"), + "removeParticipantBody": m74, + "removePublicLink": MessageLookupByLibrary.simpleMessage("הסר לינק ציבורי"), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "חלק מהפריטים שאתה מסיר הוספו על ידי אנשים אחרים, ואתה תאבד גישה אליהם", + ), + "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("הסר?"), + "removingFromFavorites": MessageLookupByLibrary.simpleMessage( + "מסיר מהמועדפים...", + ), + "rename": MessageLookupByLibrary.simpleMessage("שנה שם"), + "renameFile": MessageLookupByLibrary.simpleMessage("שנה שם הקובץ"), + "renewSubscription": MessageLookupByLibrary.simpleMessage("חדש מנוי"), + "reportABug": MessageLookupByLibrary.simpleMessage("דווח על באג"), + "reportBug": MessageLookupByLibrary.simpleMessage("דווח על באג"), + "resendEmail": MessageLookupByLibrary.simpleMessage("שלח דוא\"ל מחדש"), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage("איפוס סיסמה"), + "restore": MessageLookupByLibrary.simpleMessage("שחזר"), + "restoreToAlbum": MessageLookupByLibrary.simpleMessage("שחזר לאלבום"), + "restoringFiles": MessageLookupByLibrary.simpleMessage("משחזר קבצים..."), + "retry": MessageLookupByLibrary.simpleMessage("נסה שוב"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "אנא בחן והסר את הפריטים שאתה מאמין שהם כפלים.", + ), + "rotateLeft": MessageLookupByLibrary.simpleMessage("סובב שמאלה"), + "safelyStored": MessageLookupByLibrary.simpleMessage("נשמר באופן בטוח"), + "save": MessageLookupByLibrary.simpleMessage("שמור"), + "saveCollage": MessageLookupByLibrary.simpleMessage("שמור קולז"), + "saveCopy": MessageLookupByLibrary.simpleMessage("שמירת עותק"), + "saveKey": MessageLookupByLibrary.simpleMessage("שמור מפתח"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "שמור את מפתח השחזור שלך אם לא שמרת כבר", + ), + "saving": MessageLookupByLibrary.simpleMessage("שומר..."), + "scanCode": MessageLookupByLibrary.simpleMessage("סרוק קוד"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "סרוק את הברקוד הזה\nבעזרת אפליקציית האימות שלך", + ), + "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage("שם האלבום"), + "security": MessageLookupByLibrary.simpleMessage("אבטחה"), + "selectAlbum": MessageLookupByLibrary.simpleMessage("בחר אלבום"), + "selectAll": MessageLookupByLibrary.simpleMessage("בחר הכל"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "בחר תיקיות לגיבוי", + ), + "selectMorePhotos": MessageLookupByLibrary.simpleMessage( + "בחר תמונות נוספות", + ), + "selectReason": MessageLookupByLibrary.simpleMessage("בחר סיבה"), + "selectYourPlan": MessageLookupByLibrary.simpleMessage("בחר תוכנית"), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage("התיקיות שנבחרו יוצפנו ויגובו"), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "send": MessageLookupByLibrary.simpleMessage("שלח"), + "sendEmail": MessageLookupByLibrary.simpleMessage("שלח דוא\"ל"), + "sendInvite": MessageLookupByLibrary.simpleMessage("שלח הזמנה"), + "sendLink": MessageLookupByLibrary.simpleMessage("שלח קישור"), + "sessionExpired": MessageLookupByLibrary.simpleMessage("פג תוקף החיבור"), + "setAPassword": MessageLookupByLibrary.simpleMessage("הגדר סיסמה"), + "setAs": MessageLookupByLibrary.simpleMessage("הגדר בתור"), + "setCover": MessageLookupByLibrary.simpleMessage("הגדר כרקע"), + "setLabel": MessageLookupByLibrary.simpleMessage("הגדר"), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage("הגדר סיסמא"), + "setRadius": MessageLookupByLibrary.simpleMessage("הגדר רדיוס"), + "setupComplete": MessageLookupByLibrary.simpleMessage("ההתקנה הושלמה"), + "share": MessageLookupByLibrary.simpleMessage("שתף"), + "shareALink": MessageLookupByLibrary.simpleMessage("שתף קישור"), + "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage("שתף אלבום עכשיו"), + "shareLink": MessageLookupByLibrary.simpleMessage("שתף קישור"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "שתף רק אם אנשים שאתה בוחר", + ), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "הורד את ente על מנת שנוכל לשתף תמונות וסרטונים באיכות המקור באופן קל\n\nhttps://ente.io", + ), + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "שתף עם משתמשים שהם לא של ente", + ), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( + "שתף את האלבום הראשון שלך", + ), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "צור אלבומים הניתנים לשיתוף ושיתוף פעולה עם משתמשי ente אחרים, כולל משתמשים בתוכניות החינמיות.", + ), + "sharedByMe": MessageLookupByLibrary.simpleMessage("שותף על ידי"), + "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( + "אלבומים משותפים חדשים", + ), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "קבל התראות כשמישהו מוסיף תמונה לאלבום משותף שאתה חלק ממנו", + ), + "sharedWith": m87, + "sharedWithMe": MessageLookupByLibrary.simpleMessage("שותף איתי"), + "sharing": MessageLookupByLibrary.simpleMessage("משתף..."), + "showMemories": MessageLookupByLibrary.simpleMessage("הצג זכרונות"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "אני מסכים לתנאי שירות ולמדיניות הפרטיות", + ), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "זה יימחק מכל האלבומים.", + ), + "skip": MessageLookupByLibrary.simpleMessage("דלג"), + "social": MessageLookupByLibrary.simpleMessage("חברתי"), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "מי שמשתף איתך אלבומים יוכל לראות את אותו המזהה במכשיר שלהם.", + ), + "somethingWentWrong": MessageLookupByLibrary.simpleMessage("משהו השתבש"), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "משהו השתבש, אנא נסה שנית", + ), + "sorry": MessageLookupByLibrary.simpleMessage("מצטער"), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "סליחה, לא ניתן להוסיף למועדפים!", + ), + "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( + "סליחה, לא ניתן להסיר מהמועדפים!", + ), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "אנחנו מצטערים, לא הצלחנו ליצור מפתחות מאובטחים על מכשיר זה.\n\nאנא הירשם ממכשיר אחר.", + ), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("מיין לפי"), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage("הישן ביותר קודם"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ הצלחה"), + "startBackup": MessageLookupByLibrary.simpleMessage("התחל גיבוי"), + "storage": MessageLookupByLibrary.simpleMessage("אחסון"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("משפחה"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("אתה"), + "storageInGB": m93, + "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( + "גבול מקום האחסון נחרג", + ), + "strongStrength": MessageLookupByLibrary.simpleMessage("חזקה"), + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("הרשם"), + "subscription": MessageLookupByLibrary.simpleMessage("מנוי"), + "success": MessageLookupByLibrary.simpleMessage("הצלחה"), + "suggestFeatures": MessageLookupByLibrary.simpleMessage("הציעו מאפיינים"), + "support": MessageLookupByLibrary.simpleMessage("תמיכה"), + "syncProgress": m97, + "syncing": MessageLookupByLibrary.simpleMessage("מסנכרן..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("מערכת"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("הקש כדי להעתיק"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage( + "הקש כדי להזין את הקוד", + ), + "terminate": MessageLookupByLibrary.simpleMessage("סיים"), + "terminateSession": MessageLookupByLibrary.simpleMessage("סיים חיבור?"), + "terms": MessageLookupByLibrary.simpleMessage("תנאים"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("תנאים"), + "thankYou": MessageLookupByLibrary.simpleMessage("תודה"), + "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( + "תודה שנרשמת!", + ), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "לא ניתן להשלים את ההורדה", + ), + "theme": MessageLookupByLibrary.simpleMessage("ערכת נושא"), + "theyAlsoGetXGb": m99, + "thisCanBeUsedToRecoverYourAccountIfYou": + MessageLookupByLibrary.simpleMessage( + "זה יכול לשמש לשחזור החשבון שלך במקרה ותאבד את הגורם השני", + ), + "thisDevice": MessageLookupByLibrary.simpleMessage("מכשיר זה"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "זה מזהה האימות שלך", + ), + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage("זה ינתק אותך מהמכשיר הבא:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "זה ינתק אותך במכשיר זה!", + ), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "כדי לאפס את הסיסמא שלך, אנא אמת את האימייל שלך קודם.", + ), + "total": MessageLookupByLibrary.simpleMessage("סך הכל"), + "totalSize": MessageLookupByLibrary.simpleMessage("גודל כולל"), + "trash": MessageLookupByLibrary.simpleMessage("אשפה"), + "tryAgain": MessageLookupByLibrary.simpleMessage("נסה שוב"), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "חודשיים בחינם בתוכניות שנתיות", + ), + "twofactor": MessageLookupByLibrary.simpleMessage("דו-גורמי"), + "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( + "אימות דו-גורמי", + ), + "twofactorSetup": MessageLookupByLibrary.simpleMessage("אימות דו-שלבי"), + "unarchive": MessageLookupByLibrary.simpleMessage("הוצאה מארכיון"), + "uncategorized": MessageLookupByLibrary.simpleMessage("ללא קטגוריה"), + "unhide": MessageLookupByLibrary.simpleMessage("בטל הסתרה"), + "unhideToAlbum": MessageLookupByLibrary.simpleMessage( + "בטל הסתרה בחזרה לאלבום", + ), + "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "מבטל הסתרת הקבצים לאלבום", + ), + "unlock": MessageLookupByLibrary.simpleMessage("ביטול נעילה"), + "unselectAll": MessageLookupByLibrary.simpleMessage("בטל בחירה של הכל"), + "update": MessageLookupByLibrary.simpleMessage("עדכן"), + "updateAvailable": MessageLookupByLibrary.simpleMessage("עדכון זמין"), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "מעדכן את בחירת התיקיות...", + ), + "upgrade": MessageLookupByLibrary.simpleMessage("שדרג"), + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "מעלה קבצים לאלבום...", + ), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "כמות האחסון השמישה שלך מוגבלת בתוכנית הנוכחית. אחסון עודף יהפוך שוב לשמיש אחרי שתשדרג את התוכנית שלך.", + ), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage("השתמש במפתח שחזור"), + "usedSpace": MessageLookupByLibrary.simpleMessage("מקום בשימוש"), + "verificationId": MessageLookupByLibrary.simpleMessage("מזהה אימות"), + "verify": MessageLookupByLibrary.simpleMessage("אמת"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("אימות דוא\"ל"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("אמת"), + "verifyPassword": MessageLookupByLibrary.simpleMessage("אמת סיסמא"), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "מוודא את מפתח השחזור...", + ), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("וידאו"), + "viewActiveSessions": MessageLookupByLibrary.simpleMessage( + "צפה בחיבורים פעילים", + ), + "viewAll": MessageLookupByLibrary.simpleMessage("הצג הכל"), + "viewLogs": MessageLookupByLibrary.simpleMessage("צפייה בלוגים"), + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage("צפה במפתח השחזור"), + "viewer": MessageLookupByLibrary.simpleMessage("צפיין"), + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "אנא בקר ב-web.ente.io על מנת לנהל את המנוי שלך", + ), + "weAreOpenSource": MessageLookupByLibrary.simpleMessage("הקוד שלנו פתוח!"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("חלשה"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("ברוך שובך!"), + "yearly": MessageLookupByLibrary.simpleMessage("שנתי"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("כן"), + "yesCancel": MessageLookupByLibrary.simpleMessage("כן, בטל"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "כן, המר לצפיין", + ), + "yesDelete": MessageLookupByLibrary.simpleMessage("כן, מחק"), + "yesLogout": MessageLookupByLibrary.simpleMessage("כן, התנתק"), + "yesRemove": MessageLookupByLibrary.simpleMessage("כן, הסר"), + "yesRenew": MessageLookupByLibrary.simpleMessage("כן, חדש"), + "you": MessageLookupByLibrary.simpleMessage("אתה"), + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( + "אתה על תוכנית משפחתית!", + ), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "אתה על הגרסא הכי עדכנית", + ), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* אתה יכול במקסימום להכפיל את מקום האחסון שלך", + ), + "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( + "אתה יכול לנהת את הקישורים שלך בלשונית שיתוף.", + ), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "אתה לא יכול לשנמך לתוכנית הזו", + ), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "אתה לא יכול לשתף עם עצמך", + ), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "החשבון שלך נמחק", + ), + "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( + "התוכנית שלך שונמכה בהצלחה", + ), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "התוכנית שלך שודרגה בהצלחה", + ), + "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( + "התשלום שלך עבר בהצלחה", + ), + "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( + "לא ניתן לאחזר את פרטי מקום האחסון", + ), + "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( + "פג תוקף המנוי שלך", + ), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage("המנוי שלך עודכן בהצלחה"), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_hi.dart b/mobile/apps/photos/lib/generated/intl/messages_hi.dart index ff4756d8d4..995038ccd0 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_hi.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_hi.dart @@ -22,90 +22,115 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("आपका पुनः स्वागत है"), - "activeSessions": MessageLookupByLibrary.simpleMessage("एक्टिव सेशन"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "आपका अकाउंट हटाने का मुख्य कारण क्या है?"), - "cancel": MessageLookupByLibrary.simpleMessage("रद्द करें"), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "अकाउंट डिलीट करने की पुष्टि करें"), - "confirmPassword": - MessageLookupByLibrary.simpleMessage("पासवर्ड की पुष्टि करें"), - "createAccount": MessageLookupByLibrary.simpleMessage("अकाउंट बनायें"), - "createNewAccount": - MessageLookupByLibrary.simpleMessage("नया अकाउंट बनाएँ"), - "decrypting": - MessageLookupByLibrary.simpleMessage("डिक्रिप्ट हो रहा है..."), - "deleteAccount": - MessageLookupByLibrary.simpleMessage("अकाउंट डिलीट करें"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "आपको जाता हुए देख कर हमें खेद है। कृपया हमें बेहतर बनने में सहायता के लिए अपनी प्रतिक्रिया साझा करें।"), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "अकाउंट स्थायी रूप से डिलीट करें"), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "कृपया account-deletion@ente.io पर अपने पंजीकृत ईमेल एड्रेस से ईमेल भेजें।"), - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "इसमें एक मुख्य विशेषता गायब है जिसकी मुझे आवश्यकता है"), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "यह ऐप या इसका कोई एक फीचर मेरे विचारानुसार काम नहीं करता है"), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "मुझे कहीं और कोई दूरी सेवा मिली जो मुझे बेहतर लगी"), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "मेरा कारण इस लिस्ट में नहीं है"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "आपका अनुरोध 72 घंटों के भीतर संसाधित किया जाएगा।"), - "email": MessageLookupByLibrary.simpleMessage("ईमेल"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente को आपकी तस्वीरों को संरक्षित करने के लिए अनुमति की आवश्यकता है"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "कृपया वैद्य ईमेल ऐड्रेस डालें"), - "enterYourEmailAddress": - MessageLookupByLibrary.simpleMessage("अपना ईमेल ऐड्रेस डालें"), - "enterYourRecoveryKey": - MessageLookupByLibrary.simpleMessage("अपनी रिकवरी कुंजी दर्ज करें"), - "feedback": MessageLookupByLibrary.simpleMessage("प्रतिपुष्टि"), - "forgotPassword": - MessageLookupByLibrary.simpleMessage("पासवर्ड भूल गए"), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "आपके द्वारा दर्ज रिकवरी कुंजी ग़लत है"), - "incorrectRecoveryKeyTitle": - MessageLookupByLibrary.simpleMessage("रिकवरी कुंजी ग़लत है"), - "invalidEmailAddress": - MessageLookupByLibrary.simpleMessage("अमान्य ईमेल ऐड्रेस"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "कृपया हमें इस जानकारी के लिए सहायता करें"), - "noRecoveryKey": - MessageLookupByLibrary.simpleMessage("रिकवरी कुंजी नहीं है?"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "हमारे एंड-टू-एंड एन्क्रिप्शन प्रोटोकॉल की प्रकृति के कारण, आपके डेटा को आपके पासवर्ड या रिकवरी कुंजी के बिना डिक्रिप्ट नहीं किया जा सकता है"), - "ok": MessageLookupByLibrary.simpleMessage("ठीक है"), - "oops": MessageLookupByLibrary.simpleMessage("ओह!"), - "password": MessageLookupByLibrary.simpleMessage("पासवर्ड"), - "recoverButton": MessageLookupByLibrary.simpleMessage("पुनः प्राप्त"), - "recoverySuccessful": - MessageLookupByLibrary.simpleMessage("रिकवरी सफल हुई!"), - "selectReason": MessageLookupByLibrary.simpleMessage("कारण चुनें"), - "sendEmail": MessageLookupByLibrary.simpleMessage("ईमेल भेजें"), - "somethingWentWrongPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "कुछ गड़बड़ हुई है। कृपया दोबारा प्रयास करें।"), - "sorry": MessageLookupByLibrary.simpleMessage("क्षमा करें!"), - "terminate": MessageLookupByLibrary.simpleMessage("रद्द करें"), - "terminateSession": - MessageLookupByLibrary.simpleMessage("सेशन रद्द करें?"), - "thisDevice": MessageLookupByLibrary.simpleMessage("यह डिवाइस"), - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "इससे आप इन डिवाइसों से लॉग आउट हो जाएँगे:"), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "इससे आप इस डिवाइस से लॉग आउट हो जाएँगे!"), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "अपना पासवर्ड रीसेट करने के लिए, कृपया पहले अपना ईमेल सत्यापित करें।"), - "verify": MessageLookupByLibrary.simpleMessage("सत्यापित करें"), - "verifyEmail": - MessageLookupByLibrary.simpleMessage("ईमेल सत्यापित करें"), - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "आपका अकाउंट डिलीट कर दिया गया है") - }; + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( + "आपका पुनः स्वागत है", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage("एक्टिव सेशन"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "आपका अकाउंट हटाने का मुख्य कारण क्या है?", + ), + "cancel": MessageLookupByLibrary.simpleMessage("रद्द करें"), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "अकाउंट डिलीट करने की पुष्टि करें", + ), + "confirmPassword": MessageLookupByLibrary.simpleMessage( + "पासवर्ड की पुष्टि करें", + ), + "createAccount": MessageLookupByLibrary.simpleMessage("अकाउंट बनायें"), + "createNewAccount": MessageLookupByLibrary.simpleMessage( + "नया अकाउंट बनाएँ", + ), + "decrypting": MessageLookupByLibrary.simpleMessage( + "डिक्रिप्ट हो रहा है...", + ), + "deleteAccount": MessageLookupByLibrary.simpleMessage("अकाउंट डिलीट करें"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "आपको जाता हुए देख कर हमें खेद है। कृपया हमें बेहतर बनने में सहायता के लिए अपनी प्रतिक्रिया साझा करें।", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "अकाउंट स्थायी रूप से डिलीट करें", + ), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "कृपया account-deletion@ente.io पर अपने पंजीकृत ईमेल एड्रेस से ईमेल भेजें।", + ), + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "इसमें एक मुख्य विशेषता गायब है जिसकी मुझे आवश्यकता है", + ), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "यह ऐप या इसका कोई एक फीचर मेरे विचारानुसार काम नहीं करता है", + ), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "मुझे कहीं और कोई दूरी सेवा मिली जो मुझे बेहतर लगी", + ), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "मेरा कारण इस लिस्ट में नहीं है", + ), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "आपका अनुरोध 72 घंटों के भीतर संसाधित किया जाएगा।", + ), + "email": MessageLookupByLibrary.simpleMessage("ईमेल"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente को आपकी तस्वीरों को संरक्षित करने के लिए अनुमति की आवश्यकता है", + ), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "कृपया वैद्य ईमेल ऐड्रेस डालें", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "अपना ईमेल ऐड्रेस डालें", + ), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "अपनी रिकवरी कुंजी दर्ज करें", + ), + "feedback": MessageLookupByLibrary.simpleMessage("प्रतिपुष्टि"), + "forgotPassword": MessageLookupByLibrary.simpleMessage("पासवर्ड भूल गए"), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "आपके द्वारा दर्ज रिकवरी कुंजी ग़लत है", + ), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "रिकवरी कुंजी ग़लत है", + ), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "अमान्य ईमेल ऐड्रेस", + ), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "कृपया हमें इस जानकारी के लिए सहायता करें", + ), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "रिकवरी कुंजी नहीं है?", + ), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "हमारे एंड-टू-एंड एन्क्रिप्शन प्रोटोकॉल की प्रकृति के कारण, आपके डेटा को आपके पासवर्ड या रिकवरी कुंजी के बिना डिक्रिप्ट नहीं किया जा सकता है", + ), + "ok": MessageLookupByLibrary.simpleMessage("ठीक है"), + "oops": MessageLookupByLibrary.simpleMessage("ओह!"), + "password": MessageLookupByLibrary.simpleMessage("पासवर्ड"), + "recoverButton": MessageLookupByLibrary.simpleMessage("पुनः प्राप्त"), + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "रिकवरी सफल हुई!", + ), + "selectReason": MessageLookupByLibrary.simpleMessage("कारण चुनें"), + "sendEmail": MessageLookupByLibrary.simpleMessage("ईमेल भेजें"), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "कुछ गड़बड़ हुई है। कृपया दोबारा प्रयास करें।", + ), + "sorry": MessageLookupByLibrary.simpleMessage("क्षमा करें!"), + "terminate": MessageLookupByLibrary.simpleMessage("रद्द करें"), + "terminateSession": MessageLookupByLibrary.simpleMessage("सेशन रद्द करें?"), + "thisDevice": MessageLookupByLibrary.simpleMessage("यह डिवाइस"), + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "इससे आप इन डिवाइसों से लॉग आउट हो जाएँगे:", + ), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "इससे आप इस डिवाइस से लॉग आउट हो जाएँगे!", + ), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "अपना पासवर्ड रीसेट करने के लिए, कृपया पहले अपना ईमेल सत्यापित करें।", + ), + "verify": MessageLookupByLibrary.simpleMessage("सत्यापित करें"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("ईमेल सत्यापित करें"), + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "आपका अकाउंट डिलीट कर दिया गया है", + ), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_hu.dart b/mobile/apps/photos/lib/generated/intl/messages_hu.dart index 6099a04be2..123ebe5589 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_hu.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_hu.dart @@ -27,12 +27,7 @@ class MessageLookup extends MessageLookupByLibrary { "${user} nem tud több fotót hozzáadni ehhez az albumhoz.\n\nTovábbra is el tudja távolítani az általa hozzáadott meglévő fotókat"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, { - 'true': - 'A családod eddig ${storageAmountInGb} GB tárhelyet igényelt', - 'false': 'Eddig ${storageAmountInGb} GB tárhelyet igényelt', - 'other': 'Eddig ${storageAmountInGb} GB tárhelyet igényelt!', - })}"; + "${Intl.select(isFamilyMember, {'true': 'A családod eddig ${storageAmountInGb} GB tárhelyet igényelt', 'false': 'Eddig ${storageAmountInGb} GB tárhelyet igényelt', 'other': 'Eddig ${storageAmountInGb} GB tárhelyet igényelt!'})}"; static String m21(count) => "${Intl.plural(count, one: 'Elem ${count} törlése', other: 'Elemek ${count} törlése')}"; @@ -52,7 +47,8 @@ class MessageLookup extends MessageLookupByLibrary { static String m37(storageAmountInGB) => "${storageAmountInGB} GB minden alkalommal, amikor valaki fizetős csomagra fizet elő és felhasználja a kódodat"; - static String m44(count) => "${Intl.plural(count, other: '${count} elem')}"; + static String m44(count) => + "${Intl.plural(count, one: '${count} elem', other: '${count} elem')}"; static String m47(expiryTime) => "Hivatkozás lejár ${expiryTime} "; @@ -103,8 +99,6 @@ class MessageLookup extends MessageLookupByLibrary { static String m100(email) => "Ez ${email} ellenőrző azonosítója"; - static String m111(email) => "${email} ellenőrzése"; - static String m114(email) => "E-mailt küldtünk a következő címre: ${email}"; @@ -116,642 +110,830 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Megjelent az Ente új verziója."), - "about": MessageLookupByLibrary.simpleMessage("Rólunk"), - "account": MessageLookupByLibrary.simpleMessage("Fiók"), - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("Köszöntjük ismét!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Tudomásul veszem, hogy ha elveszítem a jelszavamat, elveszíthetem az adataimat, mivel adataim végponttól végpontig titkosítva vannak."), - "activeSessions": - MessageLookupByLibrary.simpleMessage("Bejelentkezések"), - "addANewEmail": - MessageLookupByLibrary.simpleMessage("Új email cím hozzáadása"), - "addCollaborator": - MessageLookupByLibrary.simpleMessage("Együttműködő hozzáadása"), - "addMore": MessageLookupByLibrary.simpleMessage("További hozzáadása"), - "addViewer": MessageLookupByLibrary.simpleMessage( - "Megtekintésre jogosult hozzáadása"), - "addedAs": MessageLookupByLibrary.simpleMessage("Hozzáadva mint"), - "addingToFavorites": - MessageLookupByLibrary.simpleMessage("Hozzáadás a kedvencekhez..."), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Haladó"), - "after1Day": MessageLookupByLibrary.simpleMessage("Egy nap mólva"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Egy óra múlva"), - "after1Month": MessageLookupByLibrary.simpleMessage("Egy hónap múlva"), - "after1Week": MessageLookupByLibrary.simpleMessage("Egy hét múlva"), - "after1Year": MessageLookupByLibrary.simpleMessage("Egy év múlva"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Tulajdonos"), - "albumParticipantsCount": m8, - "albumUpdated": MessageLookupByLibrary.simpleMessage("Album módosítva"), - "albums": MessageLookupByLibrary.simpleMessage("Album"), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Minden tiszta"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Engedélyezd a linkkel rendelkező személyeknek, hogy ők is hozzáadhassanak fotókat a megosztott albumhoz."), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( - "Fotók hozzáadásának engedélyezése"), - "allowDownloads": - MessageLookupByLibrary.simpleMessage("Letöltések engedélyezése"), - "apply": MessageLookupByLibrary.simpleMessage("Alkalmaz"), - "applyCodeTitle": - MessageLookupByLibrary.simpleMessage("Kód alkalmazása"), - "archive": MessageLookupByLibrary.simpleMessage("Archívum"), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Biztos benne, hogy kijelentkezik?"), - "askDeleteReason": - MessageLookupByLibrary.simpleMessage("Miért törli a fiókját?"), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Kérjük, hitelesítse magát az e-mail-cím ellenőrzésének módosításához"), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Kérjük, hitelesítse magát az e-mail címének módosításához"), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Kérjük, hitelesítse magát a jelszó módosításához"), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Kérjük, hitelesítse magát a fiók törlésének megkezdéséhez"), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Kérjük, hitelesítse magát a kukába helyezett fájlok megtekintéséhez"), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Kérjük, hitelesítse magát a rejtett fájlok megtekintéséhez"), - "backedUpFolders": MessageLookupByLibrary.simpleMessage( - "Biztonsági másolatban lévő mappák"), - "backup": MessageLookupByLibrary.simpleMessage("Biztonsági mentés"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Biztonsági mentés mobil adatkapcsolaton keresztül"), - "backupSettings": MessageLookupByLibrary.simpleMessage( - "Biztonsági mentés beállításai"), - "backupStatus": - MessageLookupByLibrary.simpleMessage("Biztonsági mentés állapota"), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Azok az elemek jelennek meg itt, amelyekről biztonsági másolat készült"), - "backupVideos": MessageLookupByLibrary.simpleMessage("Tartalék videók"), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Sajnálom, ez az album nem nyitható meg ebben az applikációban."), - "canNotOpenTitle": - MessageLookupByLibrary.simpleMessage("Album nem nyitható meg"), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Csak a saját tulajdonú fájlokat távolíthatja el"), - "cancel": MessageLookupByLibrary.simpleMessage("Mégse"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Nem lehet törölni a megosztott fájlokat"), - "change": MessageLookupByLibrary.simpleMessage("Módosítás"), - "changeEmail": - MessageLookupByLibrary.simpleMessage("E-mail cím módosítása"), - "changePassword": - MessageLookupByLibrary.simpleMessage("Jelszó megváltoztatása"), - "changePasswordTitle": - MessageLookupByLibrary.simpleMessage("Jelszó megváltoztatása"), - "changePermissions": - MessageLookupByLibrary.simpleMessage("Engedélyek módosítása?"), - "changeYourReferralCode": - MessageLookupByLibrary.simpleMessage("Módosítsa ajánló kódját"), - "checkForUpdates": - MessageLookupByLibrary.simpleMessage("Frissítések ellenőrzése"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Kérjük, ellenőrizze beérkező leveleit (és spam mappát) az ellenőrzés befejezéséhez"), - "checkStatus": - MessageLookupByLibrary.simpleMessage("Állapot ellenőrzése"), - "checking": MessageLookupByLibrary.simpleMessage("Ellenőrzés..."), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage( - "Igényeljen ingyenes tárhelyet"), - "claimMore": MessageLookupByLibrary.simpleMessage("Igényelj többet!"), - "claimed": MessageLookupByLibrary.simpleMessage("Megszerezve!"), - "claimedStorageSoFar": m14, - "clearIndexes": MessageLookupByLibrary.simpleMessage("Indexek törlése"), - "codeAppliedPageTitle": - MessageLookupByLibrary.simpleMessage("Kód alkalmazva"), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Sajnáljuk, elérted a kódmódosítások maximális számát."), - "codeCopiedToClipboard": - MessageLookupByLibrary.simpleMessage("A kód a vágólapra másolva"), - "codeUsedByYou": - MessageLookupByLibrary.simpleMessage("Ön által használt kód"), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Hozzon létre egy hivatkozást, amely lehetővé teszi az emberek számára, hogy fotókat adhassanak hozzá és tekintsenek meg megosztott albumában anélkül, hogy Ente alkalmazásra vagy fiókra lenne szükségük. Kiválóan alkalmas rendezvényfotók gyűjtésére."), - "collaborativeLink": - MessageLookupByLibrary.simpleMessage("Együttműködési hivatkozás"), - "collaborator": MessageLookupByLibrary.simpleMessage("Együttműködő"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Az együttműködők hozzá adhatnak fotókat és videókat a megosztott albumban."), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Fotók gyűjtése"), - "confirm": MessageLookupByLibrary.simpleMessage("Megerősítés"), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Felhasználó Törlés Megerősítés"), - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Igen, szeretném véglegesen törölni ezt a felhasználót, minden adattal, az összes platformon."), - "confirmPassword": - MessageLookupByLibrary.simpleMessage("Jelszó megerősítés"), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Helyreállítási kulcs megerősítése"), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Erősítse meg helyreállítási kulcsát"), - "contactSupport": MessageLookupByLibrary.simpleMessage( - "Lépj kapcsolatba az Ügyfélszolgálattal"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Folytatás"), - "copyLink": MessageLookupByLibrary.simpleMessage("Hivatkozás másolása"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Kód Másolása-Beillesztése az ön autentikátor alkalmazásába"), - "createAccount": - MessageLookupByLibrary.simpleMessage("Felhasználó létrehozás"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Hosszan nyomva tartva kiválaszthatod a fotókat, majd a + jelre kattintva albumot hozhatsz létre"), - "createNewAccount": - MessageLookupByLibrary.simpleMessage("Új felhasználó létrehozás"), - "createPublicLink": MessageLookupByLibrary.simpleMessage( - "Nyilvános hivatkozás létrehozása"), - "creatingLink": - MessageLookupByLibrary.simpleMessage("Link létrehozása..."), - "criticalUpdateAvailable": - MessageLookupByLibrary.simpleMessage("Kritikus frissítés elérhető"), - "custom": MessageLookupByLibrary.simpleMessage("Egyéni"), - "decrypting": MessageLookupByLibrary.simpleMessage("Dekódolás..."), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Fiók törlése"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Sajnáljuk, hogy távozik. Kérjük, ossza meg velünk visszajelzéseit, hogy segítsen nekünk a fejlődésben."), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Felhasználó Végleges Törlése"), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Album törlése"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Törli az ebben az albumban található fotókat (és videókat) az összes többi albumból is, amelynek részét képezik?"), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Kérem küldjön egy emailt a regisztrált email címéről, erre az emailcímre: account-deletion@ente.io."), - "deleteFromBoth": - MessageLookupByLibrary.simpleMessage("Törlés mindkettőből"), - "deleteFromDevice": - MessageLookupByLibrary.simpleMessage("Törlés az eszközről"), - "deleteFromEnte": - MessageLookupByLibrary.simpleMessage("Törlés az Ente-ből"), - "deleteItemCount": m21, - "deletePhotos": MessageLookupByLibrary.simpleMessage("Fotók törlése"), - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Hiányoznak olyan funkciók, amikre szükségem lenne"), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "Az applikáció vagy egy adott funkció nem úgy működik ahogy kellene"), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Találtam egy jobb szolgáltatót"), - "deleteReason4": - MessageLookupByLibrary.simpleMessage("Nincs a listán az ok"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "A kérése 72 órán belül feldolgozásra kerül."), - "deleteSharedAlbum": - MessageLookupByLibrary.simpleMessage("Törli a megosztott albumot?"), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "Az album mindenki számára törlődik.\n\nElveszíti a hozzáférést az albumban található, mások tulajdonában lévő megosztott fotókhoz."), - "details": MessageLookupByLibrary.simpleMessage("Részletek"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Disable the device screen lock when Ente is in the foreground and there is a backup in progress. This is normally not needed, but may help big uploads and initial imports of large libraries complete faster."), - "disableAutoLock": - MessageLookupByLibrary.simpleMessage("Automatikus zár letiltása"), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "A nézők továbbra is készíthetnek képernyőképeket, vagy menthetnek másolatot a fotóidról külső eszközök segítségével"), - "disableDownloadWarningTitle": - MessageLookupByLibrary.simpleMessage("Kérjük, vedd figyelembe"), - "disableLinkMessage": m24, - "discover": MessageLookupByLibrary.simpleMessage("Felfedezés"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Babák"), - "discover_celebrations": - MessageLookupByLibrary.simpleMessage("Ünnepségek"), - "discover_food": MessageLookupByLibrary.simpleMessage("Étel"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Lomb"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Dombok"), - "discover_identity": - MessageLookupByLibrary.simpleMessage("Személyazonosság"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Mémek"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Jegyzetek"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Kisállatok"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Nyugták"), - "discover_screenshots": - MessageLookupByLibrary.simpleMessage("Képernyőképek"), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Szelfik"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Napnyugta"), - "discover_visiting_cards": - MessageLookupByLibrary.simpleMessage("Névjegykártyák"), - "discover_wallpapers": - MessageLookupByLibrary.simpleMessage("Háttérképek"), - "doThisLater": MessageLookupByLibrary.simpleMessage("Később"), - "done": MessageLookupByLibrary.simpleMessage("Kész"), - "downloading": MessageLookupByLibrary.simpleMessage("Letöltés..."), - "dropSupportEmail": m25, - "duplicateItemsGroup": m27, - "eligible": MessageLookupByLibrary.simpleMessage("jogosult"), - "email": MessageLookupByLibrary.simpleMessage("E-mail"), - "emailAlreadyRegistered": - MessageLookupByLibrary.simpleMessage("Az email cím már foglalt."), - "emailNoEnteAccount": m31, - "emailNotRegistered": - MessageLookupByLibrary.simpleMessage("Nem regisztrált email cím."), - "emailVerificationToggle": - MessageLookupByLibrary.simpleMessage("E-mail cím ellenőrzése"), - "encryption": MessageLookupByLibrary.simpleMessage("Titkosítás"), - "encryptionKeys": - MessageLookupByLibrary.simpleMessage("Titkosító kulcsok"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Az Entének engedélyre van szüksége , hogy tárolhassa fotóit"), - "enterCode": MessageLookupByLibrary.simpleMessage("Kód beírása"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Add meg a barátod által megadott kódot, hogy mindkettőtöknek ingyenes tárhelyet igényelhess"), - "enterEmail": MessageLookupByLibrary.simpleMessage("Email megadása"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Adjon meg egy új jelszót, amellyel titkosíthatjuk adatait"), - "enterPassword": - MessageLookupByLibrary.simpleMessage("Adja meg a jelszót"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Adjon meg egy jelszót, amellyel titkosíthatjuk adatait"), - "enterReferralCode": - MessageLookupByLibrary.simpleMessage("Adja meg az ajánló kódot"), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Írja be a 6 számjegyű kódot a hitelesítő alkalmazásból"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Kérjük, adjon meg egy érvényes e-mail címet."), - "enterYourEmailAddress": - MessageLookupByLibrary.simpleMessage("Adja meg az e-mail címét"), - "enterYourNewEmailAddress": - MessageLookupByLibrary.simpleMessage("Add meg az új email címed"), - "enterYourPassword": - MessageLookupByLibrary.simpleMessage("Adja meg a jelszavát"), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Adja meg visszaállítási kulcsát"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Ez a link lejárt. Kérjük, válasszon új lejárati időt, vagy tiltsa le a link lejáratát."), - "exportYourData": - MessageLookupByLibrary.simpleMessage("Adatok exportálása"), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage( - "Nem sikerült alkalmazni a kódot"), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Nem sikerült lekérni a hivatkozási adatokat. Kérjük, próbálja meg később."), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "Nem sikerült betölteni az albumokat"), - "faq": MessageLookupByLibrary.simpleMessage("GY. I. K."), - "feedback": MessageLookupByLibrary.simpleMessage("Visszajelzés"), - "forgotPassword": - MessageLookupByLibrary.simpleMessage("Elfelejtett jelszó"), - "freeStorageClaimed": - MessageLookupByLibrary.simpleMessage("Ingyenes tárhely igénylése"), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Ingyenesen használható tárhely"), - "freeUpDeviceSpace": - MessageLookupByLibrary.simpleMessage("Szabadítson fel tárhelyet"), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Takarítson meg helyet az eszközén a már mentett fájlok törlésével."), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Titkosítási kulcs generálása..."), - "help": MessageLookupByLibrary.simpleMessage("Segítség"), - "hidden": MessageLookupByLibrary.simpleMessage("Rejtett"), - "howItWorks": MessageLookupByLibrary.simpleMessage("Hogyan működik"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Kérje meg őket, hogy hosszan nyomják meg az e-mail címüket a beállítások képernyőn, és ellenőrizzék, hogy a két eszköz azonosítója megegyezik-e."), - "ignoreUpdate": - MessageLookupByLibrary.simpleMessage("Figyelem kívül hagyás"), - "importing": MessageLookupByLibrary.simpleMessage("Importálás..."), - "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("Érvénytelen jelszó"), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "A megadott visszaállítási kulcs hibás"), - "incorrectRecoveryKeyTitle": - MessageLookupByLibrary.simpleMessage("Hibás visszaállítási kulcs"), - "indexedItems": MessageLookupByLibrary.simpleMessage("Indexelt elemek"), - "insecureDevice": - MessageLookupByLibrary.simpleMessage("Nem biztonságos eszköz"), - "installManually": - MessageLookupByLibrary.simpleMessage("Manuális telepítés"), - "invalidEmailAddress": - MessageLookupByLibrary.simpleMessage("Érvénytelen e-mail cím"), - "invalidKey": MessageLookupByLibrary.simpleMessage("Érvénytelen kulcs"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "A megadott helyreállítási kulcs érvénytelen. Kérjük, győződjön meg róla, hogy 24 szót tartalmaz, és ellenőrizze mindegyik helyesírását.\n\nHa régebbi helyreállítási kódot adott meg, győződjön meg arról, hogy az 64 karakter hosszú, és ellenőrizze mindegyiket."), - "inviteToEnte": - MessageLookupByLibrary.simpleMessage("Meghívás az Ente-re"), - "inviteYourFriends": - MessageLookupByLibrary.simpleMessage("Hívd meg a barátaidat"), - "itemCount": m44, - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "A kiválasztott elemek eltávolításra kerülnek ebből az albumból."), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Fotók megőrzése"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Legyen kedves segítsen, ezzel az információval"), - "linkDeviceLimit": - MessageLookupByLibrary.simpleMessage("Készülékkorlát"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Engedélyezett"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Lejárt"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Link lejárata"), - "linkHasExpired": MessageLookupByLibrary.simpleMessage( - "A hivatkozás érvényességi ideje lejárt"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Soha"), - "loadingModel": - MessageLookupByLibrary.simpleMessage("Modellek letöltése..."), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Zárolás"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Bejelentkezés"), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "A bejelentkezés gombra kattintva elfogadom az szolgáltatási feltételeket és az adatvédelmi irányelveket"), - "logout": MessageLookupByLibrary.simpleMessage("Kijelentkezés"), - "lostDevice": - MessageLookupByLibrary.simpleMessage("Elveszett a készüléked?"), - "machineLearning": MessageLookupByLibrary.simpleMessage("Gépi tanulás"), - "magicSearch": - MessageLookupByLibrary.simpleMessage("Varázslatos keresés"), - "manage": MessageLookupByLibrary.simpleMessage("Kezelés"), - "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( - "Eszköz gyorsítótárának kezelése"), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Tekintse át és törölje a helyi gyorsítótárat."), - "manageLink": - MessageLookupByLibrary.simpleMessage("Hivatkozás kezelése"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Kezelés"), - "manageSubscription": - MessageLookupByLibrary.simpleMessage("Előfizetés kezelése"), - "memoryCount": m50, - "mlConsent": - MessageLookupByLibrary.simpleMessage("Gépi tanulás engedélyezése"), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Értem, és szeretném engedélyezni a gépi tanulást"), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Ha engedélyezi a gépi tanulást, az Ente olyan információkat fog kinyerni, mint az arc geometriája, a fájlokból, beleértve azokat is, amelyeket Önnel megosztott.\n\nEz az Ön eszközén fog megtörténni, és minden generált biometrikus információ végponttól végpontig titkosítva lesz."), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Kérjük, kattintson ide az adatvédelmi irányelveinkben található további részletekért erről a funkcióról."), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "Engedélyezi a gépi tanulást?"), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Kérjük, vegye figyelembe, hogy a gépi tanulás nagyobb sávszélességet és akkumulátorhasználatot eredményez, amíg az összes elem indexelése meg nem történik. A gyorsabb indexelés érdekében érdemes lehet asztali alkalmazást használni, mivel minden eredmény automatikusan szinkronizálódik."), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Közepes"), - "movedToTrash": - MessageLookupByLibrary.simpleMessage("Áthelyezve a kukába"), - "never": MessageLookupByLibrary.simpleMessage("Soha"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Új album"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Egyik sem"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "Nincsenek törölhető fájlok ezen az eszközön."), - "noDuplicates": - MessageLookupByLibrary.simpleMessage("✨ Nincsenek duplikátumok"), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Nincs visszaállítási kulcsa?"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Az általunk használt végpontok közötti titkosítás miatt, az adatait nem lehet dekódolni a jelszava, vagy visszaállítási kulcsa nélkül"), - "ok": MessageLookupByLibrary.simpleMessage("Rendben"), - "onlyFamilyAdminCanChangeCode": m55, - "oops": MessageLookupByLibrary.simpleMessage("Hoppá"), - "oopsSomethingWentWrong": - MessageLookupByLibrary.simpleMessage("Hoppá, valami hiba történt"), - "orPickAnExistingOne": - MessageLookupByLibrary.simpleMessage("Vagy válasszon egy létezőt"), - "password": MessageLookupByLibrary.simpleMessage("Jelszó"), - "passwordChangedSuccessfully": - MessageLookupByLibrary.simpleMessage("Jelszó módosítása sikeres!"), - "passwordLock": - MessageLookupByLibrary.simpleMessage("Kóddal történő lezárás"), - "passwordStrength": m57, - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Ezt a jelszót nem tároljuk, így ha elfelejti, nem tudjuk visszafejteni adatait"), - "pendingItems": - MessageLookupByLibrary.simpleMessage("függőben lévő elemek"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Az emberek, akik a kódodat használják"), - "photoGridSize": - MessageLookupByLibrary.simpleMessage("Rács méret beállátás"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("fénykép"), - "pleaseTryAgain": - MessageLookupByLibrary.simpleMessage("Kérjük, próbálja meg újra"), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Kérem várjon..."), - "privacy": MessageLookupByLibrary.simpleMessage("Adatvédelem"), - "privacyPolicyTitle": - MessageLookupByLibrary.simpleMessage("Adatvédelmi irányelvek"), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( - "Nyilvános hivatkozás engedélyezve"), - "rateUs": MessageLookupByLibrary.simpleMessage("Értékeljen minket"), - "recover": MessageLookupByLibrary.simpleMessage("Visszaállít"), - "recoverAccount": - MessageLookupByLibrary.simpleMessage("Fiók visszaállítása"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Visszaállít"), - "recoveryKey": - MessageLookupByLibrary.simpleMessage("Visszaállítási kulcs"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "A helyreállítási kulcs a vágólapra másolva"), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Ha elfelejti jelszavát, csak ezzel a kulccsal tudja visszaállítani adatait."), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Ezt a kulcsot nem tároljuk, kérjük, őrizze meg ezt a 24 szavas kulcsot egy biztonságos helyen."), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Nagyszerű! A helyreállítási kulcs érvényes. Köszönjük az igazolást.\n\nNe felejtsen el biztonsági másolatot készíteni helyreállítási kulcsáról."), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "A helyreállítási kulcs ellenőrizve"), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "A helyreállítási kulcs az egyetlen módja annak, hogy visszaállítsa fényképeit, ha elfelejti jelszavát. A helyreállítási kulcsot a Beállítások > Fiók menüpontban találhatja meg.\n\nKérjük, írja be ide helyreállítási kulcsát annak ellenőrzéséhez, hogy megfelelően mentette-e el."), - "recoverySuccessful": - MessageLookupByLibrary.simpleMessage("Sikeres visszaállítás!"), - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "A jelenlegi eszköz nem elég erős a jelszavának ellenőrzéséhez, de újra tudjuk úgy generálni, hogy az minden eszközzel működjön.\n\nKérjük, jelentkezzen be helyreállítási kulcsával, és állítsa be újra jelszavát (ha szeretné, újra használhatja ugyanazt)."), - "recreatePasswordTitle": - MessageLookupByLibrary.simpleMessage("Új jelszó létrehozása"), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Add meg ezt a kódot a barátaidnak"), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Fizetős csomagra fizetnek elő"), - "referralStep3": m73, - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "Az ajánlások jelenleg szünetelnek"), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "A felszabadult hely igényléséhez ürítsd ki a „Nemrég törölt” részt a „Beállítások” -> „Tárhely” menüpontban."), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Ürítsd ki a \"Kukát\" is, hogy visszaszerezd a felszabadult helyet."), - "remove": MessageLookupByLibrary.simpleMessage("Eltávolítás"), - "removeDuplicates": MessageLookupByLibrary.simpleMessage( - "Távolítsa el a duplikációkat"), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Tekintse át és távolítsa el a pontos másolatokat tartalmazó fájlokat."), - "removeFromAlbum": - MessageLookupByLibrary.simpleMessage("Eltávolítás az albumból"), - "removeFromAlbumTitle": - MessageLookupByLibrary.simpleMessage("Eltávolítás az albumból?"), - "removeLink": - MessageLookupByLibrary.simpleMessage("Hivatkozás eltávolítása"), - "removeParticipant": - MessageLookupByLibrary.simpleMessage("Résztvevő eltávolítása"), - "removeParticipantBody": m74, - "removePublicLink": MessageLookupByLibrary.simpleMessage( - "Nyilvános hivatkozás eltávolítása"), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Néhány eltávolítandó elemet mások adtak hozzá, és elveszíted a hozzáférésedet hozzájuk."), - "removeWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Eltávolítás?"), - "removingFromFavorites": MessageLookupByLibrary.simpleMessage( - "Eltávolítás a kedvencek közül..."), - "resendEmail": - MessageLookupByLibrary.simpleMessage("E-mail újraküldése"), - "resetPasswordTitle": - MessageLookupByLibrary.simpleMessage("Jelszó visszaállítása"), - "retry": MessageLookupByLibrary.simpleMessage("Újrapróbálkozás"), - "saveKey": MessageLookupByLibrary.simpleMessage("Mentés"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Mentse el visszaállítási kulcsát, ha még nem tette"), - "scanCode": MessageLookupByLibrary.simpleMessage("Kód beolvasása"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Olvassa le ezt a QR kódot az autentikátor alkalmazásával"), - "selectAll": MessageLookupByLibrary.simpleMessage("Összes kijelölése"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Mappák kiválasztása biztonsági mentéshez"), - "selectReason": MessageLookupByLibrary.simpleMessage("Válasszon okot"), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "A kiválasztott mappák titkosítva lesznek, és biztonsági másolat készül róluk."), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "sendEmail": MessageLookupByLibrary.simpleMessage("Email küldése"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Meghívó küldése"), - "sendLink": MessageLookupByLibrary.simpleMessage("Hivatkozás küldése"), - "setAPassword": - MessageLookupByLibrary.simpleMessage("Állítson be egy jelszót"), - "setPasswordTitle": - MessageLookupByLibrary.simpleMessage("Jelszó beállítás"), - "setupComplete": MessageLookupByLibrary.simpleMessage("Beállítás kész"), - "shareALink": - MessageLookupByLibrary.simpleMessage("Hivatkozás megosztása"), - "shareMyVerificationID": m83, - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Töltsd le az Ente-t, hogy könnyen megoszthassunk eredeti minőségű fotókat és videókat\n\nhttps://ente.io"), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Megosztás nem Ente felhasználókkal"), - "shareWithPeopleSectionTitle": m86, - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Hozzon létre megosztott és együttműködő albumokat más Ente-felhasználókkal, beleértve az ingyenes csomagokat használó felhasználókat is."), - "sharing": MessageLookupByLibrary.simpleMessage("Megosztás..."), - "showMemories": - MessageLookupByLibrary.simpleMessage("Emlékek megjelenítése"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Elfogadom az szolgáltatási feltételeket és az adatvédelmi irányelveket"), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Az összes albumból törlésre kerül."), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Kihagyás"), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Valaki, aki megoszt Önnel albumokat, ugyanazt az azonosítót fogja látni az eszközén."), - "somethingWentWrong": - MessageLookupByLibrary.simpleMessage("Valami hiba történt"), - "somethingWentWrongPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Valami félre sikerült, próbálja újból"), - "sorry": MessageLookupByLibrary.simpleMessage("Sajnálom"), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Sajnálom, nem sikerült hozzáadni a kedvencekhez!"), - "sorryCouldNotRemoveFromFavorites": - MessageLookupByLibrary.simpleMessage( - "Sajnálom, nem sikerült eltávolítani a kedvencek közül!"), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Sajnáljuk, nem tudtunk biztonságos kulcsokat generálni ezen az eszközön.\n\nkérjük, regisztráljon egy másik eszközről."), - "status": MessageLookupByLibrary.simpleMessage("Állapot"), - "storageInGB": m93, - "strongStrength": MessageLookupByLibrary.simpleMessage("Erős"), - "subscribe": MessageLookupByLibrary.simpleMessage("Előfizetés"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "A megosztás engedélyezéséhez aktív fizetős előfizetésre van szükség."), - "success": MessageLookupByLibrary.simpleMessage("Sikeres"), - "tapToCopy": - MessageLookupByLibrary.simpleMessage("érintse meg másoláshoz"), - "tapToEnterCode": - MessageLookupByLibrary.simpleMessage("Koppintson a kód beírásához"), - "terminate": MessageLookupByLibrary.simpleMessage("Megszakít"), - "terminateSession": - MessageLookupByLibrary.simpleMessage("Megszakítja bejelentkezést?"), - "terms": MessageLookupByLibrary.simpleMessage("Feltételek"), - "termsOfServicesTitle": - MessageLookupByLibrary.simpleMessage("Használati feltételek"), - "theDownloadCouldNotBeCompleted": - MessageLookupByLibrary.simpleMessage("A letöltés nem fejezhető be"), - "theyAlsoGetXGb": m99, - "thisCanBeUsedToRecoverYourAccountIfYou": - MessageLookupByLibrary.simpleMessage( - "Ezzel tudja visszaállítani felhasználóját ha elveszítené a kétlépcsős azonosítóját"), - "thisDevice": MessageLookupByLibrary.simpleMessage("Ez az eszköz"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": - MessageLookupByLibrary.simpleMessage("Ez az ellenőrző azonosítód"), - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Ezzel kijelentkezik az alábbi eszközről:"), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Ezzel kijelentkezik az eszközről!"), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "A Jelszó visszaállításához, kérjük először erősítse meg emailcímét."), - "total": MessageLookupByLibrary.simpleMessage("összesen"), - "trash": MessageLookupByLibrary.simpleMessage("Kuka"), - "tryAgain": MessageLookupByLibrary.simpleMessage("Próbáld újra"), - "twofactorAuthenticationPageTitle": - MessageLookupByLibrary.simpleMessage( - "Kétlépcsős hitelesítés (2FA)"), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Kétlépcsős azonosító beállítás"), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Sajnáljuk, ez a kód nem érhető el."), - "uncategorized": - MessageLookupByLibrary.simpleMessage("Kategorizálatlan"), - "unselectAll": - MessageLookupByLibrary.simpleMessage("Összes kijelölés törlése"), - "update": MessageLookupByLibrary.simpleMessage("Frissítés"), - "updateAvailable": - MessageLookupByLibrary.simpleMessage("Elérhető frissítés"), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Mappakijelölés frissítése..."), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "A felhasználható tárhelyet a jelenlegi előfizetése korlátozza. A feleslegesen igényelt tárhely automatikusan felhasználhatóvá válik, amikor frissítesz a csomagodra."), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Helyreállítási kulcs használata"), - "verificationId": - MessageLookupByLibrary.simpleMessage("Ellenőrző azonosító"), - "verify": MessageLookupByLibrary.simpleMessage("Hitelesítés"), - "verifyEmail": - MessageLookupByLibrary.simpleMessage("Emailcím megerősítés"), - "verifyEmailID": m111, - "verifyPassword": - MessageLookupByLibrary.simpleMessage("Jelszó megerősítése"), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Helyreállítási kulcs ellenőrzése..."), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("videó"), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Nagy fájlok"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Tekintse meg a legtöbb tárhelyet foglaló fájlokat."), - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Helyreállítási kulcs megtekintése"), - "viewer": MessageLookupByLibrary.simpleMessage("Néző"), - "waitingForWifi": - MessageLookupByLibrary.simpleMessage("Várakozás a WiFi-re..."), - "weAreOpenSource": - MessageLookupByLibrary.simpleMessage("Nyílt forráskódúak vagyunk!"), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Gyenge"), - "welcomeBack": - MessageLookupByLibrary.simpleMessage("Köszöntjük ismét!"), - "yearsAgo": m116, - "yesConvertToViewer": - MessageLookupByLibrary.simpleMessage("Igen, alakítsa nézővé"), - "yesDelete": MessageLookupByLibrary.simpleMessage("Igen, törlés"), - "yesLogout": - MessageLookupByLibrary.simpleMessage("Igen, kijelentkezés"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Igen, eltávolítás"), - "you": MessageLookupByLibrary.simpleMessage("Te"), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Ön a legújabb verziót használja"), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Maximum megduplázhatod a tárhelyed"), - "youCannotShareWithYourself": - MessageLookupByLibrary.simpleMessage("Nem oszthatod meg magaddal"), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": - MessageLookupByLibrary.simpleMessage("A felhasználód törlődött"), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage( - "Nincsenek törölhető duplikált fájljaid") - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Megjelent az Ente új verziója.", + ), + "about": MessageLookupByLibrary.simpleMessage("Rólunk"), + "account": MessageLookupByLibrary.simpleMessage("Fiók"), + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( + "Köszöntjük ismét!", + ), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Tudomásul veszem, hogy ha elveszítem a jelszavamat, elveszíthetem az adataimat, mivel adataim végponttól végpontig titkosítva vannak.", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage("Bejelentkezések"), + "addANewEmail": MessageLookupByLibrary.simpleMessage( + "Új email cím hozzáadása", + ), + "addCollaborator": MessageLookupByLibrary.simpleMessage( + "Együttműködő hozzáadása", + ), + "addMore": MessageLookupByLibrary.simpleMessage("További hozzáadása"), + "addViewer": MessageLookupByLibrary.simpleMessage( + "Megtekintésre jogosult hozzáadása", + ), + "addedAs": MessageLookupByLibrary.simpleMessage("Hozzáadva mint"), + "addingToFavorites": MessageLookupByLibrary.simpleMessage( + "Hozzáadás a kedvencekhez...", + ), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Haladó"), + "after1Day": MessageLookupByLibrary.simpleMessage("Egy nap mólva"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Egy óra múlva"), + "after1Month": MessageLookupByLibrary.simpleMessage("Egy hónap múlva"), + "after1Week": MessageLookupByLibrary.simpleMessage("Egy hét múlva"), + "after1Year": MessageLookupByLibrary.simpleMessage("Egy év múlva"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Tulajdonos"), + "albumParticipantsCount": m8, + "albumUpdated": MessageLookupByLibrary.simpleMessage("Album módosítva"), + "albums": MessageLookupByLibrary.simpleMessage("Album"), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Minden tiszta"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Engedélyezd a linkkel rendelkező személyeknek, hogy ők is hozzáadhassanak fotókat a megosztott albumhoz.", + ), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( + "Fotók hozzáadásának engedélyezése", + ), + "allowDownloads": MessageLookupByLibrary.simpleMessage( + "Letöltések engedélyezése", + ), + "apply": MessageLookupByLibrary.simpleMessage("Alkalmaz"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Kód alkalmazása"), + "archive": MessageLookupByLibrary.simpleMessage("Archívum"), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Biztos benne, hogy kijelentkezik?", + ), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Miért törli a fiókját?", + ), + "authToChangeEmailVerificationSetting": MessageLookupByLibrary.simpleMessage( + "Kérjük, hitelesítse magát az e-mail-cím ellenőrzésének módosításához", + ), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Kérjük, hitelesítse magát az e-mail címének módosításához", + ), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Kérjük, hitelesítse magát a jelszó módosításához", + ), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Kérjük, hitelesítse magát a fiók törlésének megkezdéséhez", + ), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Kérjük, hitelesítse magát a kukába helyezett fájlok megtekintéséhez", + ), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Kérjük, hitelesítse magát a rejtett fájlok megtekintéséhez", + ), + "backedUpFolders": MessageLookupByLibrary.simpleMessage( + "Biztonsági másolatban lévő mappák", + ), + "backup": MessageLookupByLibrary.simpleMessage("Biztonsági mentés"), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Biztonsági mentés mobil adatkapcsolaton keresztül", + ), + "backupSettings": MessageLookupByLibrary.simpleMessage( + "Biztonsági mentés beállításai", + ), + "backupStatus": MessageLookupByLibrary.simpleMessage( + "Biztonsági mentés állapota", + ), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Azok az elemek jelennek meg itt, amelyekről biztonsági másolat készült", + ), + "backupVideos": MessageLookupByLibrary.simpleMessage("Tartalék videók"), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Sajnálom, ez az album nem nyitható meg ebben az applikációban.", + ), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( + "Album nem nyitható meg", + ), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Csak a saját tulajdonú fájlokat távolíthatja el", + ), + "cancel": MessageLookupByLibrary.simpleMessage("Mégse"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Nem lehet törölni a megosztott fájlokat", + ), + "change": MessageLookupByLibrary.simpleMessage("Módosítás"), + "changeEmail": MessageLookupByLibrary.simpleMessage( + "E-mail cím módosítása", + ), + "changePassword": MessageLookupByLibrary.simpleMessage( + "Jelszó megváltoztatása", + ), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Jelszó megváltoztatása", + ), + "changePermissions": MessageLookupByLibrary.simpleMessage( + "Engedélyek módosítása?", + ), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Módosítsa ajánló kódját", + ), + "checkForUpdates": MessageLookupByLibrary.simpleMessage( + "Frissítések ellenőrzése", + ), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Kérjük, ellenőrizze beérkező leveleit (és spam mappát) az ellenőrzés befejezéséhez", + ), + "checkStatus": MessageLookupByLibrary.simpleMessage("Állapot ellenőrzése"), + "checking": MessageLookupByLibrary.simpleMessage("Ellenőrzés..."), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage( + "Igényeljen ingyenes tárhelyet", + ), + "claimMore": MessageLookupByLibrary.simpleMessage("Igényelj többet!"), + "claimed": MessageLookupByLibrary.simpleMessage("Megszerezve!"), + "claimedStorageSoFar": m14, + "clearIndexes": MessageLookupByLibrary.simpleMessage("Indexek törlése"), + "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( + "Kód alkalmazva", + ), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Sajnáljuk, elérted a kódmódosítások maximális számát.", + ), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "A kód a vágólapra másolva", + ), + "codeUsedByYou": MessageLookupByLibrary.simpleMessage( + "Ön által használt kód", + ), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Hozzon létre egy hivatkozást, amely lehetővé teszi az emberek számára, hogy fotókat adhassanak hozzá és tekintsenek meg megosztott albumában anélkül, hogy Ente alkalmazásra vagy fiókra lenne szükségük. Kiválóan alkalmas rendezvényfotók gyűjtésére.", + ), + "collaborativeLink": MessageLookupByLibrary.simpleMessage( + "Együttműködési hivatkozás", + ), + "collaborator": MessageLookupByLibrary.simpleMessage("Együttműködő"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Az együttműködők hozzá adhatnak fotókat és videókat a megosztott albumban.", + ), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Fotók gyűjtése"), + "confirm": MessageLookupByLibrary.simpleMessage("Megerősítés"), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Felhasználó Törlés Megerősítés", + ), + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Igen, szeretném véglegesen törölni ezt a felhasználót, minden adattal, az összes platformon.", + ), + "confirmPassword": MessageLookupByLibrary.simpleMessage( + "Jelszó megerősítés", + ), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Helyreállítási kulcs megerősítése", + ), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Erősítse meg helyreállítási kulcsát", + ), + "contactSupport": MessageLookupByLibrary.simpleMessage( + "Lépj kapcsolatba az Ügyfélszolgálattal", + ), + "continueLabel": MessageLookupByLibrary.simpleMessage("Folytatás"), + "copyLink": MessageLookupByLibrary.simpleMessage("Hivatkozás másolása"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Kód Másolása-Beillesztése az ön autentikátor alkalmazásába", + ), + "createAccount": MessageLookupByLibrary.simpleMessage( + "Felhasználó létrehozás", + ), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Hosszan nyomva tartva kiválaszthatod a fotókat, majd a + jelre kattintva albumot hozhatsz létre", + ), + "createNewAccount": MessageLookupByLibrary.simpleMessage( + "Új felhasználó létrehozás", + ), + "createPublicLink": MessageLookupByLibrary.simpleMessage( + "Nyilvános hivatkozás létrehozása", + ), + "creatingLink": MessageLookupByLibrary.simpleMessage("Link létrehozása..."), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "Kritikus frissítés elérhető", + ), + "custom": MessageLookupByLibrary.simpleMessage("Egyéni"), + "decrypting": MessageLookupByLibrary.simpleMessage("Dekódolás..."), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Fiók törlése"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Sajnáljuk, hogy távozik. Kérjük, ossza meg velünk visszajelzéseit, hogy segítsen nekünk a fejlődésben.", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Felhasználó Végleges Törlése", + ), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Album törlése"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Törli az ebben az albumban található fotókat (és videókat) az összes többi albumból is, amelynek részét képezik?", + ), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Kérem küldjön egy emailt a regisztrált email címéről, erre az emailcímre: account-deletion@ente.io.", + ), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage( + "Törlés mindkettőből", + ), + "deleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Törlés az eszközről", + ), + "deleteFromEnte": MessageLookupByLibrary.simpleMessage( + "Törlés az Ente-ből", + ), + "deleteItemCount": m21, + "deletePhotos": MessageLookupByLibrary.simpleMessage("Fotók törlése"), + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Hiányoznak olyan funkciók, amikre szükségem lenne", + ), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "Az applikáció vagy egy adott funkció nem úgy működik ahogy kellene", + ), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Találtam egy jobb szolgáltatót", + ), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "Nincs a listán az ok", + ), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "A kérése 72 órán belül feldolgozásra kerül.", + ), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Törli a megosztott albumot?", + ), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "Az album mindenki számára törlődik.\n\nElveszíti a hozzáférést az albumban található, mások tulajdonában lévő megosztott fotókhoz.", + ), + "details": MessageLookupByLibrary.simpleMessage("Részletek"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Disable the device screen lock when Ente is in the foreground and there is a backup in progress. This is normally not needed, but may help big uploads and initial imports of large libraries complete faster.", + ), + "disableAutoLock": MessageLookupByLibrary.simpleMessage( + "Automatikus zár letiltása", + ), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "A nézők továbbra is készíthetnek képernyőképeket, vagy menthetnek másolatot a fotóidról külső eszközök segítségével", + ), + "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( + "Kérjük, vedd figyelembe", + ), + "disableLinkMessage": m24, + "discover": MessageLookupByLibrary.simpleMessage("Felfedezés"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Babák"), + "discover_celebrations": MessageLookupByLibrary.simpleMessage("Ünnepségek"), + "discover_food": MessageLookupByLibrary.simpleMessage("Étel"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Lomb"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Dombok"), + "discover_identity": MessageLookupByLibrary.simpleMessage( + "Személyazonosság", + ), + "discover_memes": MessageLookupByLibrary.simpleMessage("Mémek"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Jegyzetek"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Kisállatok"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Nyugták"), + "discover_screenshots": MessageLookupByLibrary.simpleMessage( + "Képernyőképek", + ), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Szelfik"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Napnyugta"), + "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( + "Névjegykártyák", + ), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Háttérképek"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Később"), + "done": MessageLookupByLibrary.simpleMessage("Kész"), + "downloading": MessageLookupByLibrary.simpleMessage("Letöltés..."), + "dropSupportEmail": m25, + "duplicateItemsGroup": m27, + "eligible": MessageLookupByLibrary.simpleMessage("jogosult"), + "email": MessageLookupByLibrary.simpleMessage("E-mail"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "Az email cím már foglalt.", + ), + "emailNoEnteAccount": m31, + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "Nem regisztrált email cím.", + ), + "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( + "E-mail cím ellenőrzése", + ), + "encryption": MessageLookupByLibrary.simpleMessage("Titkosítás"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage("Titkosító kulcsok"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Az Entének engedélyre van szüksége , hogy tárolhassa fotóit", + ), + "enterCode": MessageLookupByLibrary.simpleMessage("Kód beírása"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Add meg a barátod által megadott kódot, hogy mindkettőtöknek ingyenes tárhelyet igényelhess", + ), + "enterEmail": MessageLookupByLibrary.simpleMessage("Email megadása"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Adjon meg egy új jelszót, amellyel titkosíthatjuk adatait", + ), + "enterPassword": MessageLookupByLibrary.simpleMessage("Adja meg a jelszót"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Adjon meg egy jelszót, amellyel titkosíthatjuk adatait", + ), + "enterReferralCode": MessageLookupByLibrary.simpleMessage( + "Adja meg az ajánló kódot", + ), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Írja be a 6 számjegyű kódot a hitelesítő alkalmazásból", + ), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Kérjük, adjon meg egy érvényes e-mail címet.", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Adja meg az e-mail címét", + ), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Add meg az új email címed", + ), + "enterYourPassword": MessageLookupByLibrary.simpleMessage( + "Adja meg a jelszavát", + ), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Adja meg visszaállítási kulcsát", + ), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Ez a link lejárt. Kérjük, válasszon új lejárati időt, vagy tiltsa le a link lejáratát.", + ), + "exportYourData": MessageLookupByLibrary.simpleMessage( + "Adatok exportálása", + ), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage( + "Nem sikerült alkalmazni a kódot", + ), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Nem sikerült lekérni a hivatkozási adatokat. Kérjük, próbálja meg később.", + ), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "Nem sikerült betölteni az albumokat", + ), + "faq": MessageLookupByLibrary.simpleMessage("GY. I. K."), + "feedback": MessageLookupByLibrary.simpleMessage("Visszajelzés"), + "forgotPassword": MessageLookupByLibrary.simpleMessage( + "Elfelejtett jelszó", + ), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( + "Ingyenes tárhely igénylése", + ), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Ingyenesen használható tárhely", + ), + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( + "Szabadítson fel tárhelyet", + ), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Takarítson meg helyet az eszközén a már mentett fájlok törlésével.", + ), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Titkosítási kulcs generálása...", + ), + "help": MessageLookupByLibrary.simpleMessage("Segítség"), + "hidden": MessageLookupByLibrary.simpleMessage("Rejtett"), + "howItWorks": MessageLookupByLibrary.simpleMessage("Hogyan működik"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Kérje meg őket, hogy hosszan nyomják meg az e-mail címüket a beállítások képernyőn, és ellenőrizzék, hogy a két eszköz azonosítója megegyezik-e.", + ), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage( + "Figyelem kívül hagyás", + ), + "importing": MessageLookupByLibrary.simpleMessage("Importálás..."), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Érvénytelen jelszó", + ), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "A megadott visszaállítási kulcs hibás", + ), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Hibás visszaállítási kulcs", + ), + "indexedItems": MessageLookupByLibrary.simpleMessage("Indexelt elemek"), + "insecureDevice": MessageLookupByLibrary.simpleMessage( + "Nem biztonságos eszköz", + ), + "installManually": MessageLookupByLibrary.simpleMessage( + "Manuális telepítés", + ), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "Érvénytelen e-mail cím", + ), + "invalidKey": MessageLookupByLibrary.simpleMessage("Érvénytelen kulcs"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "A megadott helyreállítási kulcs érvénytelen. Kérjük, győződjön meg róla, hogy 24 szót tartalmaz, és ellenőrizze mindegyik helyesírását.\n\nHa régebbi helyreállítási kódot adott meg, győződjön meg arról, hogy az 64 karakter hosszú, és ellenőrizze mindegyiket.", + ), + "inviteToEnte": MessageLookupByLibrary.simpleMessage("Meghívás az Ente-re"), + "inviteYourFriends": MessageLookupByLibrary.simpleMessage( + "Hívd meg a barátaidat", + ), + "itemCount": m44, + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "A kiválasztott elemek eltávolításra kerülnek ebből az albumból.", + ), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Fotók megőrzése"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Legyen kedves segítsen, ezzel az információval", + ), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Készülékkorlát"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Engedélyezett"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Lejárt"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Link lejárata"), + "linkHasExpired": MessageLookupByLibrary.simpleMessage( + "A hivatkozás érvényességi ideje lejárt", + ), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Soha"), + "loadingModel": MessageLookupByLibrary.simpleMessage( + "Modellek letöltése...", + ), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Zárolás"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Bejelentkezés"), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "A bejelentkezés gombra kattintva elfogadom az szolgáltatási feltételeket és az adatvédelmi irányelveket", + ), + "logout": MessageLookupByLibrary.simpleMessage("Kijelentkezés"), + "lostDevice": MessageLookupByLibrary.simpleMessage( + "Elveszett a készüléked?", + ), + "machineLearning": MessageLookupByLibrary.simpleMessage("Gépi tanulás"), + "magicSearch": MessageLookupByLibrary.simpleMessage("Varázslatos keresés"), + "manage": MessageLookupByLibrary.simpleMessage("Kezelés"), + "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( + "Eszköz gyorsítótárának kezelése", + ), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Tekintse át és törölje a helyi gyorsítótárat.", + ), + "manageLink": MessageLookupByLibrary.simpleMessage("Hivatkozás kezelése"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Kezelés"), + "manageSubscription": MessageLookupByLibrary.simpleMessage( + "Előfizetés kezelése", + ), + "memoryCount": m50, + "mlConsent": MessageLookupByLibrary.simpleMessage( + "Gépi tanulás engedélyezése", + ), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Értem, és szeretném engedélyezni a gépi tanulást", + ), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Ha engedélyezi a gépi tanulást, az Ente olyan információkat fog kinyerni, mint az arc geometriája, a fájlokból, beleértve azokat is, amelyeket Önnel megosztott.\n\nEz az Ön eszközén fog megtörténni, és minden generált biometrikus információ végponttól végpontig titkosítva lesz.", + ), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Kérjük, kattintson ide az adatvédelmi irányelveinkben található további részletekért erről a funkcióról.", + ), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "Engedélyezi a gépi tanulást?", + ), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Kérjük, vegye figyelembe, hogy a gépi tanulás nagyobb sávszélességet és akkumulátorhasználatot eredményez, amíg az összes elem indexelése meg nem történik. A gyorsabb indexelés érdekében érdemes lehet asztali alkalmazást használni, mivel minden eredmény automatikusan szinkronizálódik.", + ), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Közepes"), + "movedToTrash": MessageLookupByLibrary.simpleMessage("Áthelyezve a kukába"), + "never": MessageLookupByLibrary.simpleMessage("Soha"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Új album"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Egyik sem"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "Nincsenek törölhető fájlok ezen az eszközön.", + ), + "noDuplicates": MessageLookupByLibrary.simpleMessage( + "✨ Nincsenek duplikátumok", + ), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Nincs visszaállítási kulcsa?", + ), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Az általunk használt végpontok közötti titkosítás miatt, az adatait nem lehet dekódolni a jelszava, vagy visszaállítási kulcsa nélkül", + ), + "ok": MessageLookupByLibrary.simpleMessage("Rendben"), + "onlyFamilyAdminCanChangeCode": m55, + "oops": MessageLookupByLibrary.simpleMessage("Hoppá"), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Hoppá, valami hiba történt", + ), + "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( + "Vagy válasszon egy létezőt", + ), + "password": MessageLookupByLibrary.simpleMessage("Jelszó"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Jelszó módosítása sikeres!", + ), + "passwordLock": MessageLookupByLibrary.simpleMessage( + "Kóddal történő lezárás", + ), + "passwordStrength": m57, + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Ezt a jelszót nem tároljuk, így ha elfelejti, nem tudjuk visszafejteni adatait", + ), + "pendingItems": MessageLookupByLibrary.simpleMessage( + "függőben lévő elemek", + ), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Az emberek, akik a kódodat használják", + ), + "photoGridSize": MessageLookupByLibrary.simpleMessage( + "Rács méret beállátás", + ), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("fénykép"), + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Kérjük, próbálja meg újra", + ), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Kérem várjon..."), + "privacy": MessageLookupByLibrary.simpleMessage("Adatvédelem"), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "Adatvédelmi irányelvek", + ), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( + "Nyilvános hivatkozás engedélyezve", + ), + "rateUs": MessageLookupByLibrary.simpleMessage("Értékeljen minket"), + "recover": MessageLookupByLibrary.simpleMessage("Visszaállít"), + "recoverAccount": MessageLookupByLibrary.simpleMessage( + "Fiók visszaállítása", + ), + "recoverButton": MessageLookupByLibrary.simpleMessage("Visszaállít"), + "recoveryKey": MessageLookupByLibrary.simpleMessage("Visszaállítási kulcs"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "A helyreállítási kulcs a vágólapra másolva", + ), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Ha elfelejti jelszavát, csak ezzel a kulccsal tudja visszaállítani adatait.", + ), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Ezt a kulcsot nem tároljuk, kérjük, őrizze meg ezt a 24 szavas kulcsot egy biztonságos helyen.", + ), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Nagyszerű! A helyreállítási kulcs érvényes. Köszönjük az igazolást.\n\nNe felejtsen el biztonsági másolatot készíteni helyreállítási kulcsáról.", + ), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "A helyreállítási kulcs ellenőrizve", + ), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "A helyreállítási kulcs az egyetlen módja annak, hogy visszaállítsa fényképeit, ha elfelejti jelszavát. A helyreállítási kulcsot a Beállítások > Fiók menüpontban találhatja meg.\n\nKérjük, írja be ide helyreállítási kulcsát annak ellenőrzéséhez, hogy megfelelően mentette-e el.", + ), + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "Sikeres visszaállítás!", + ), + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "A jelenlegi eszköz nem elég erős a jelszavának ellenőrzéséhez, de újra tudjuk úgy generálni, hogy az minden eszközzel működjön.\n\nKérjük, jelentkezzen be helyreállítási kulcsával, és állítsa be újra jelszavát (ha szeretné, újra használhatja ugyanazt).", + ), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Új jelszó létrehozása", + ), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Add meg ezt a kódot a barátaidnak", + ), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Fizetős csomagra fizetnek elő", + ), + "referralStep3": m73, + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "Az ajánlások jelenleg szünetelnek", + ), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "A felszabadult hely igényléséhez ürítsd ki a „Nemrég törölt” részt a „Beállítások” -> „Tárhely” menüpontban.", + ), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Ürítsd ki a \"Kukát\" is, hogy visszaszerezd a felszabadult helyet.", + ), + "remove": MessageLookupByLibrary.simpleMessage("Eltávolítás"), + "removeDuplicates": MessageLookupByLibrary.simpleMessage( + "Távolítsa el a duplikációkat", + ), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Tekintse át és távolítsa el a pontos másolatokat tartalmazó fájlokat.", + ), + "removeFromAlbum": MessageLookupByLibrary.simpleMessage( + "Eltávolítás az albumból", + ), + "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( + "Eltávolítás az albumból?", + ), + "removeLink": MessageLookupByLibrary.simpleMessage( + "Hivatkozás eltávolítása", + ), + "removeParticipant": MessageLookupByLibrary.simpleMessage( + "Résztvevő eltávolítása", + ), + "removeParticipantBody": m74, + "removePublicLink": MessageLookupByLibrary.simpleMessage( + "Nyilvános hivatkozás eltávolítása", + ), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Néhány eltávolítandó elemet mások adtak hozzá, és elveszíted a hozzáférésedet hozzájuk.", + ), + "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage( + "Eltávolítás?", + ), + "removingFromFavorites": MessageLookupByLibrary.simpleMessage( + "Eltávolítás a kedvencek közül...", + ), + "resendEmail": MessageLookupByLibrary.simpleMessage("E-mail újraküldése"), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Jelszó visszaállítása", + ), + "retry": MessageLookupByLibrary.simpleMessage("Újrapróbálkozás"), + "saveKey": MessageLookupByLibrary.simpleMessage("Mentés"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Mentse el visszaállítási kulcsát, ha még nem tette", + ), + "scanCode": MessageLookupByLibrary.simpleMessage("Kód beolvasása"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Olvassa le ezt a QR kódot az autentikátor alkalmazásával", + ), + "selectAll": MessageLookupByLibrary.simpleMessage("Összes kijelölése"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Mappák kiválasztása biztonsági mentéshez", + ), + "selectReason": MessageLookupByLibrary.simpleMessage("Válasszon okot"), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "A kiválasztott mappák titkosítva lesznek, és biztonsági másolat készül róluk.", + ), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "sendEmail": MessageLookupByLibrary.simpleMessage("Email küldése"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Meghívó küldése"), + "sendLink": MessageLookupByLibrary.simpleMessage("Hivatkozás küldése"), + "setAPassword": MessageLookupByLibrary.simpleMessage( + "Állítson be egy jelszót", + ), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Jelszó beállítás", + ), + "setupComplete": MessageLookupByLibrary.simpleMessage("Beállítás kész"), + "shareALink": MessageLookupByLibrary.simpleMessage("Hivatkozás megosztása"), + "shareMyVerificationID": m83, + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Töltsd le az Ente-t, hogy könnyen megoszthassunk eredeti minőségű fotókat és videókat\n\nhttps://ente.io", + ), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Megosztás nem Ente felhasználókkal", + ), + "shareWithPeopleSectionTitle": m86, + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Hozzon létre megosztott és együttműködő albumokat más Ente-felhasználókkal, beleértve az ingyenes csomagokat használó felhasználókat is.", + ), + "sharing": MessageLookupByLibrary.simpleMessage("Megosztás..."), + "showMemories": MessageLookupByLibrary.simpleMessage( + "Emlékek megjelenítése", + ), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Elfogadom az szolgáltatási feltételeket és az adatvédelmi irányelveket", + ), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Az összes albumból törlésre kerül.", + ), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Kihagyás"), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Valaki, aki megoszt Önnel albumokat, ugyanazt az azonosítót fogja látni az eszközén.", + ), + "somethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Valami hiba történt", + ), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Valami félre sikerült, próbálja újból", + ), + "sorry": MessageLookupByLibrary.simpleMessage("Sajnálom"), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Sajnálom, nem sikerült hozzáadni a kedvencekhez!", + ), + "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( + "Sajnálom, nem sikerült eltávolítani a kedvencek közül!", + ), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Sajnáljuk, nem tudtunk biztonságos kulcsokat generálni ezen az eszközön.\n\nkérjük, regisztráljon egy másik eszközről.", + ), + "status": MessageLookupByLibrary.simpleMessage("Állapot"), + "storageInGB": m93, + "strongStrength": MessageLookupByLibrary.simpleMessage("Erős"), + "subscribe": MessageLookupByLibrary.simpleMessage("Előfizetés"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "A megosztás engedélyezéséhez aktív fizetős előfizetésre van szükség.", + ), + "success": MessageLookupByLibrary.simpleMessage("Sikeres"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("érintse meg másoláshoz"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage( + "Koppintson a kód beírásához", + ), + "terminate": MessageLookupByLibrary.simpleMessage("Megszakít"), + "terminateSession": MessageLookupByLibrary.simpleMessage( + "Megszakítja bejelentkezést?", + ), + "terms": MessageLookupByLibrary.simpleMessage("Feltételek"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage( + "Használati feltételek", + ), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "A letöltés nem fejezhető be", + ), + "theyAlsoGetXGb": m99, + "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( + "Ezzel tudja visszaállítani felhasználóját ha elveszítené a kétlépcsős azonosítóját", + ), + "thisDevice": MessageLookupByLibrary.simpleMessage("Ez az eszköz"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Ez az ellenőrző azonosítód", + ), + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Ezzel kijelentkezik az alábbi eszközről:", + ), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Ezzel kijelentkezik az eszközről!", + ), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "A Jelszó visszaállításához, kérjük először erősítse meg emailcímét.", + ), + "total": MessageLookupByLibrary.simpleMessage("összesen"), + "trash": MessageLookupByLibrary.simpleMessage("Kuka"), + "tryAgain": MessageLookupByLibrary.simpleMessage("Próbáld újra"), + "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( + "Kétlépcsős hitelesítés (2FA)", + ), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Kétlépcsős azonosító beállítás", + ), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Sajnáljuk, ez a kód nem érhető el.", + ), + "uncategorized": MessageLookupByLibrary.simpleMessage("Kategorizálatlan"), + "unselectAll": MessageLookupByLibrary.simpleMessage( + "Összes kijelölés törlése", + ), + "update": MessageLookupByLibrary.simpleMessage("Frissítés"), + "updateAvailable": MessageLookupByLibrary.simpleMessage( + "Elérhető frissítés", + ), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Mappakijelölés frissítése...", + ), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "A felhasználható tárhelyet a jelenlegi előfizetése korlátozza. A feleslegesen igényelt tárhely automatikusan felhasználhatóvá válik, amikor frissítesz a csomagodra.", + ), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Helyreállítási kulcs használata", + ), + "verificationId": MessageLookupByLibrary.simpleMessage( + "Ellenőrző azonosító", + ), + "verify": MessageLookupByLibrary.simpleMessage("Hitelesítés"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("Emailcím megerősítés"), + "verifyPassword": MessageLookupByLibrary.simpleMessage( + "Jelszó megerősítése", + ), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Helyreállítási kulcs ellenőrzése...", + ), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("videó"), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Nagy fájlok"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Tekintse meg a legtöbb tárhelyet foglaló fájlokat.", + ), + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Helyreállítási kulcs megtekintése", + ), + "viewer": MessageLookupByLibrary.simpleMessage("Néző"), + "waitingForWifi": MessageLookupByLibrary.simpleMessage( + "Várakozás a WiFi-re...", + ), + "weAreOpenSource": MessageLookupByLibrary.simpleMessage( + "Nyílt forráskódúak vagyunk!", + ), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Gyenge"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("Köszöntjük ismét!"), + "yearsAgo": m116, + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "Igen, alakítsa nézővé", + ), + "yesDelete": MessageLookupByLibrary.simpleMessage("Igen, törlés"), + "yesLogout": MessageLookupByLibrary.simpleMessage("Igen, kijelentkezés"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Igen, eltávolítás"), + "you": MessageLookupByLibrary.simpleMessage("Te"), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Ön a legújabb verziót használja", + ), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Maximum megduplázhatod a tárhelyed", + ), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Nem oszthatod meg magaddal", + ), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "A felhasználód törlődött", + ), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "Nincsenek törölhető duplikált fájljaid", + ), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_id.dart b/mobile/apps/photos/lib/generated/intl/messages_id.dart index 8c2f7c48f0..800b851e18 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_id.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_id.dart @@ -42,12 +42,7 @@ class MessageLookup extends MessageLookupByLibrary { "${user} tidak akan dapat menambahkan foto lagi ke album ini\n\nIa masih dapat menghapus foto yang ditambahkan olehnya sendiri"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, { - 'true': - 'Keluargamu saat ini telah memperoleh ${storageAmountInGb} GB', - 'false': 'Kamu saat ini telah memperoleh ${storageAmountInGb} GB', - 'other': 'Kamu saat ini telah memperoleh ${storageAmountInGb} GB!', - })}"; + "${Intl.select(isFamilyMember, {'true': 'Keluargamu saat ini telah memperoleh ${storageAmountInGb} GB', 'false': 'Kamu saat ini telah memperoleh ${storageAmountInGb} GB', 'other': 'Kamu saat ini telah memperoleh ${storageAmountInGb} GB!'})}"; static String m15(albumName) => "Link kolaborasi terbuat untuk ${albumName}"; @@ -160,7 +155,11 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => + usedAmount, + usedStorageUnit, + totalAmount, + totalStorageUnit, + ) => "${usedAmount} ${usedStorageUnit} dari ${totalAmount} ${totalStorageUnit} terpakai"; static String m95(id) => @@ -189,1347 +188,1662 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Versi baru dari Ente telah tersedia."), - "about": MessageLookupByLibrary.simpleMessage("Tentang"), - "account": MessageLookupByLibrary.simpleMessage("Akun"), - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("Selamat datang kembali!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Saya mengerti bahwa jika saya lupa sandi saya, data saya bisa hilang karena dienkripsi dari ujung ke ujung."), - "activeSessions": MessageLookupByLibrary.simpleMessage("Sesi aktif"), - "addAName": MessageLookupByLibrary.simpleMessage("Tambahkan nama"), - "addANewEmail": - MessageLookupByLibrary.simpleMessage("Tambah email baru"), - "addCollaborator": - MessageLookupByLibrary.simpleMessage("Tambah kolaborator"), - "addFromDevice": - MessageLookupByLibrary.simpleMessage("Tambahkan dari perangkat"), - "addLocation": MessageLookupByLibrary.simpleMessage("Tambah tempat"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Tambah"), - "addMore": MessageLookupByLibrary.simpleMessage("Tambah lagi"), - "addOnValidTill": m3, - "addPhotos": MessageLookupByLibrary.simpleMessage("Tambah foto"), - "addSelected": - MessageLookupByLibrary.simpleMessage("Tambahkan yang dipilih"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("Tambah ke album"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Tambah ke Ente"), - "addToHiddenAlbum": - MessageLookupByLibrary.simpleMessage("Tambah ke album tersembunyi"), - "addViewer": MessageLookupByLibrary.simpleMessage("Tambahkan pemirsa"), - "addedAs": MessageLookupByLibrary.simpleMessage("Ditambahkan sebagai"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": - MessageLookupByLibrary.simpleMessage("Menambahkan ke favorit..."), - "advanced": MessageLookupByLibrary.simpleMessage("Lanjutan"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Lanjutan"), - "after1Day": MessageLookupByLibrary.simpleMessage("Setelah 1 hari"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Setelah 1 jam"), - "after1Month": MessageLookupByLibrary.simpleMessage("Setelah 1 bulan"), - "after1Week": MessageLookupByLibrary.simpleMessage("Setelah 1 minggu"), - "after1Year": MessageLookupByLibrary.simpleMessage("Setelah 1 tahun"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Pemilik"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Judul album"), - "albumUpdated": - MessageLookupByLibrary.simpleMessage("Album diperbarui"), - "albums": MessageLookupByLibrary.simpleMessage("Album"), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Sudah bersih"), - "allMemoriesPreserved": - MessageLookupByLibrary.simpleMessage("Semua kenangan terpelihara"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Izinkan orang yang memiliki link untuk menambahkan foto ke album berbagi ini."), - "allowAddingPhotos": - MessageLookupByLibrary.simpleMessage("Izinkan menambah foto"), - "allowDownloads": - MessageLookupByLibrary.simpleMessage("Izinkan pengunduhan"), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Izinkan orang lain menambahkan foto"), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Ijinkan akses ke foto Anda dari Pengaturan agar Ente dapat menampilkan dan mencadangkan pustaka Anda."), - "allowPermTitle": - MessageLookupByLibrary.simpleMessage("Izinkan akses ke foto"), - "androidBiometricHint": - MessageLookupByLibrary.simpleMessage("Verifikasi identitas"), - "androidBiometricNotRecognized": - MessageLookupByLibrary.simpleMessage("Tidak dikenal. Coba lagi."), - "androidBiometricRequiredTitle": - MessageLookupByLibrary.simpleMessage("Biometrik diperlukan"), - "androidBiometricSuccess": - MessageLookupByLibrary.simpleMessage("Berhasil"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Batal"), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Autentikasi biometrik belum aktif di perangkatmu. Buka \'Setelan > Keamanan\' untuk mengaktifkan autentikasi biometrik."), - "androidIosWebDesktop": - MessageLookupByLibrary.simpleMessage("Android, iOS, Web, Desktop"), - "androidSignInTitle": - MessageLookupByLibrary.simpleMessage("Autentikasi diperlukan"), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("ID Apple"), - "apply": MessageLookupByLibrary.simpleMessage("Terapkan"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Terapkan kode"), - "appstoreSubscription": - MessageLookupByLibrary.simpleMessage("Langganan AppStore"), - "archive": MessageLookupByLibrary.simpleMessage("Arsip"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("Arsipkan album"), - "archiving": MessageLookupByLibrary.simpleMessage("Mengarsipkan..."), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Apakah kamu yakin ingin meninggalkan paket keluarga ini?"), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "Apakah kamu yakin ingin membatalkan?"), - "areYouSureYouWantToChangeYourPlan": - MessageLookupByLibrary.simpleMessage( - "Apakah kamu yakin ingin mengubah paket kamu?"), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "Apakah kamu yakin ingin keluar?"), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Apakah kamu yakin ingin keluar akun?"), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "Apakah kamu yakin ingin memperpanjang?"), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "Langganan kamu telah dibatalkan. Apakah kamu ingin membagikan alasannya?"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Apa alasan utama kamu dalam menghapus akun?"), - "atAFalloutShelter": - MessageLookupByLibrary.simpleMessage("di tempat pengungsian"), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Harap autentikasi untuk mengatur verifikasi email"), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Lakukan autentikasi untuk mengubah pengaturan kunci layar"), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Harap autentikasi untuk mengubah email kamu"), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Harap autentikasi untuk mengubah sandi kamu"), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Harap autentikasi untuk mengatur autentikasi dua langkah"), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Harap autentikasi untuk mulai penghapusan akun"), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Harap autentikasi untuk melihat sesi aktif kamu"), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Harap autentikasi untuk melihat file tersembunyi kamu"), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Harap autentikasi untuk melihat kenanganmu"), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Harap autentikasi untuk melihat kunci pemulihan kamu"), - "authenticationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Autentikasi gagal, silakan coba lagi"), - "authenticationSuccessful": - MessageLookupByLibrary.simpleMessage("Autentikasi berhasil!"), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Perangkat Cast yang tersedia akan ditampilkan di sini."), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Pastikan izin Jaringan Lokal untuk app Ente Foto aktif di Pengaturan."), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "Akibat kesalahan teknis, kamu telah keluar dari akunmu. Kami mohon maaf atas ketidaknyamanannya."), - "autoPair": MessageLookupByLibrary.simpleMessage("Taut otomatis"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "Taut otomatis hanya tersedia di perangkat yang mendukung Chromecast."), - "available": MessageLookupByLibrary.simpleMessage("Tersedia"), - "availableStorageSpace": m10, - "backedUpFolders": - MessageLookupByLibrary.simpleMessage("Folder yang dicadangkan"), - "backup": MessageLookupByLibrary.simpleMessage("Pencadangan"), - "backupFailed": - MessageLookupByLibrary.simpleMessage("Pencadangan gagal"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Cadangkan dengan data seluler"), - "backupSettings": - MessageLookupByLibrary.simpleMessage("Pengaturan pencadangan"), - "backupStatus": - MessageLookupByLibrary.simpleMessage("Status pencadangan"), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Item yang sudah dicadangkan akan terlihat di sini"), - "backupVideos": MessageLookupByLibrary.simpleMessage("Cadangkan video"), - "blackFridaySale": - MessageLookupByLibrary.simpleMessage("Penawaran Black Friday"), - "blog": MessageLookupByLibrary.simpleMessage("Blog"), - "cachedData": MessageLookupByLibrary.simpleMessage("Data cache"), - "calculating": MessageLookupByLibrary.simpleMessage("Menghitung..."), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( - "Tidak dapat membuka album ini"), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Hanya dapat menghapus berkas yang dimiliki oleh mu"), - "cancel": MessageLookupByLibrary.simpleMessage("Batal"), - "cancelOtherSubscription": m12, - "cancelSubscription": - MessageLookupByLibrary.simpleMessage("Batalkan langganan"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Tidak dapat menghapus file berbagi"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Harap pastikan kamu berada pada jaringan yang sama dengan TV-nya."), - "castIPMismatchTitle": - MessageLookupByLibrary.simpleMessage("Gagal mentransmisikan album"), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Buka cast.ente.io pada perangkat yang ingin kamu tautkan.\n\nMasukkan kode yang ditampilkan untuk memutar album di TV."), - "change": MessageLookupByLibrary.simpleMessage("Ubah"), - "changeEmail": MessageLookupByLibrary.simpleMessage("Ubah email"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Ubah lokasi pada item terpilih?"), - "changePassword": MessageLookupByLibrary.simpleMessage("Ubah sandi"), - "changePasswordTitle": - MessageLookupByLibrary.simpleMessage("Ubah sandi"), - "changePermissions": MessageLookupByLibrary.simpleMessage("Ubah izin?"), - "changeYourReferralCode": - MessageLookupByLibrary.simpleMessage("Ganti kode rujukan kamu"), - "checkForUpdates": - MessageLookupByLibrary.simpleMessage("Periksa pembaruan"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Silakan periksa kotak masuk (serta kotak spam) untuk menyelesaikan verifikasi"), - "checkStatus": MessageLookupByLibrary.simpleMessage("Periksa status"), - "checking": MessageLookupByLibrary.simpleMessage("Memeriksa..."), - "claimFreeStorage": - MessageLookupByLibrary.simpleMessage("Peroleh kuota gratis"), - "claimMore": - MessageLookupByLibrary.simpleMessage("Peroleh lebih banyak!"), - "claimed": MessageLookupByLibrary.simpleMessage("Diperoleh"), - "claimedStorageSoFar": m14, - "clearIndexes": MessageLookupByLibrary.simpleMessage("Hapus indeks"), - "click": MessageLookupByLibrary.simpleMessage("• Click"), - "close": MessageLookupByLibrary.simpleMessage("Tutup"), - "codeAppliedPageTitle": - MessageLookupByLibrary.simpleMessage("Kode diterapkan"), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Maaf, kamu telah mencapai batas perubahan kode."), - "codeCopiedToClipboard": - MessageLookupByLibrary.simpleMessage("Kode tersalin ke papan klip"), - "codeUsedByYou": MessageLookupByLibrary.simpleMessage( - "Kode yang telah kamu gunakan"), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Buat link untuk memungkinkan orang lain menambahkan dan melihat foto yang ada pada album bersama kamu tanpa memerlukan app atau akun Ente. Ideal untuk mengumpulkan foto pada suatu acara."), - "collaborativeLink": - MessageLookupByLibrary.simpleMessage("Link kolaborasi"), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Kolaborator"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Kolaborator bisa menambahkan foto dan video ke album bersama ini."), - "collageLayout": MessageLookupByLibrary.simpleMessage("Tata letak"), - "collectEventPhotos": - MessageLookupByLibrary.simpleMessage("Kumpulkan foto acara"), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Kumpulkan foto"), - "color": MessageLookupByLibrary.simpleMessage("Warna"), - "confirm": MessageLookupByLibrary.simpleMessage("Konfirmasi"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Apakah kamu yakin ingin menonaktifkan autentikasi dua langkah?"), - "confirmAccountDeletion": - MessageLookupByLibrary.simpleMessage("Konfirmasi Penghapusan Akun"), - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Ya, saya ingin menghapus akun ini dan seluruh datanya secara permanen di semua aplikasi."), - "confirmPassword": - MessageLookupByLibrary.simpleMessage("Konfirmasi sandi"), - "confirmPlanChange": - MessageLookupByLibrary.simpleMessage("Konfirmasi perubahan paket"), - "confirmRecoveryKey": - MessageLookupByLibrary.simpleMessage("Konfirmasi kunci pemulihan"), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Konfirmasi kunci pemulihan kamu"), - "connectToDevice": - MessageLookupByLibrary.simpleMessage("Hubungkan ke perangkat"), - "contactFamilyAdmin": m18, - "contactSupport": - MessageLookupByLibrary.simpleMessage("Hubungi dukungan"), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Kontak"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Lanjut"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "Lanjut dengan percobaan gratis"), - "convertToAlbum": - MessageLookupByLibrary.simpleMessage("Ubah menjadi album"), - "copyEmailAddress": - MessageLookupByLibrary.simpleMessage("Salin alamat email"), - "copyLink": MessageLookupByLibrary.simpleMessage("Salin link"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Salin lalu tempel kode ini\ndi app autentikator kamu"), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "Kami tidak dapat mencadangkan data kamu.\nKami akan coba lagi nanti."), - "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( - "Tidak dapat membersihkan ruang"), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Tidak dapat memperbarui langganan"), - "count": MessageLookupByLibrary.simpleMessage("Jumlah"), - "crashReporting": - MessageLookupByLibrary.simpleMessage("Pelaporan crash"), - "create": MessageLookupByLibrary.simpleMessage("Buat"), - "createAccount": MessageLookupByLibrary.simpleMessage("Buat akun"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Tekan dan tahan foto lalu klik + untuk membuat album baru"), - "createCollaborativeLink": - MessageLookupByLibrary.simpleMessage("Buat link kolaborasi"), - "createNewAccount": - MessageLookupByLibrary.simpleMessage("Buat akun baru"), - "createOrSelectAlbum": - MessageLookupByLibrary.simpleMessage("Buat atau pilih album"), - "createPublicLink": - MessageLookupByLibrary.simpleMessage("Buat link publik"), - "creatingLink": MessageLookupByLibrary.simpleMessage("Membuat link..."), - "criticalUpdateAvailable": - MessageLookupByLibrary.simpleMessage("Pembaruan penting tersedia"), - "crop": MessageLookupByLibrary.simpleMessage("Potong"), - "currentUsageIs": - MessageLookupByLibrary.simpleMessage("Pemakaian saat ini sebesar "), - "custom": MessageLookupByLibrary.simpleMessage("Kustom"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Gelap"), - "dayToday": MessageLookupByLibrary.simpleMessage("Hari Ini"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Kemarin"), - "decrypting": MessageLookupByLibrary.simpleMessage("Mendekripsi..."), - "decryptingVideo": - MessageLookupByLibrary.simpleMessage("Mendekripsi video..."), - "delete": MessageLookupByLibrary.simpleMessage("Hapus"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Hapus akun"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Kami sedih kamu pergi. Silakan bagikan masukanmu agar kami bisa jadi lebih baik."), - "deleteAccountPermanentlyButton": - MessageLookupByLibrary.simpleMessage("Hapus Akun Secara Permanen"), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Hapus album"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Hapus foto (dan video) yang ada dalam album ini dari semua album lain yang juga menampungnya?"), - "deleteAll": MessageLookupByLibrary.simpleMessage("Hapus Semua"), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Silakan kirim email ke account-deletion@ente.io dari alamat email kamu yang terdaftar."), - "deleteEmptyAlbums": - MessageLookupByLibrary.simpleMessage("Hapus album kosong"), - "deleteEmptyAlbumsWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Hapus album yang kosong?"), - "deleteFromBoth": - MessageLookupByLibrary.simpleMessage("Hapus dari keduanya"), - "deleteFromDevice": - MessageLookupByLibrary.simpleMessage("Hapus dari perangkat ini"), - "deleteFromEnte": - MessageLookupByLibrary.simpleMessage("Hapus dari Ente"), - "deleteItemCount": m21, - "deletePhotos": MessageLookupByLibrary.simpleMessage("Hapus foto"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Fitur penting yang saya perlukan tidak ada"), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "App ini atau fitur tertentu tidak bekerja sesuai harapan saya"), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Saya menemukan layanan lain yang lebih baik"), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "Alasan saya tidak ada di daftar"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Permintaan kamu akan diproses dalam waktu 72 jam."), - "deleteSharedAlbum": - MessageLookupByLibrary.simpleMessage("Hapus album bersama?"), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "Album ini akan di hapus untuk semua\n\nKamu akan kehilangan akses ke foto yang di bagikan dalam album ini yang di miliki oleh pengguna lain"), - "designedToOutlive": - MessageLookupByLibrary.simpleMessage("Dibuat untuk melestarikan"), - "details": MessageLookupByLibrary.simpleMessage("Rincian"), - "developerSettings": - MessageLookupByLibrary.simpleMessage("Pengaturan pengembang"), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Apakah kamu yakin ingin mengubah pengaturan pengembang?"), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Masukkan kode"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "File yang ditambahkan ke album perangkat ini akan diunggah ke Ente secara otomatis."), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Nonaktfikan kunci layar perangkat saat Ente berada di latar depan dan ada pencadangan yang sedang berlangsung. Hal ini biasanya tidak diperlukan, namun dapat membantu unggahan dan import awal berkas berkas besar selesai lebih cepat."), - "deviceNotFound": - MessageLookupByLibrary.simpleMessage("Perangkat tidak ditemukan"), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Tahukah kamu?"), - "disableAutoLock": - MessageLookupByLibrary.simpleMessage("Nonaktifkan kunci otomatis"), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Orang yang melihat masih bisa mengambil tangkapan layar atau menyalin foto kamu menggunakan alat eksternal"), - "disableDownloadWarningTitle": - MessageLookupByLibrary.simpleMessage("Perlu diketahui"), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "Nonaktifkan autentikasi dua langkah"), - "disablingTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Menonaktifkan autentikasi dua langkah..."), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Temukan"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Bayi"), - "discover_celebrations": - MessageLookupByLibrary.simpleMessage("Perayaan"), - "discover_food": MessageLookupByLibrary.simpleMessage("Makanan"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Bukit"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Identitas"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Meme"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Catatan"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Hewan"), - "discover_receipts": - MessageLookupByLibrary.simpleMessage("Tanda Terima"), - "discover_screenshots": - MessageLookupByLibrary.simpleMessage("Tangkapan layar"), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Swafoto"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Senja"), - "discover_wallpapers": - MessageLookupByLibrary.simpleMessage("Gambar latar"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": - MessageLookupByLibrary.simpleMessage("Jangan keluarkan akun"), - "doThisLater": - MessageLookupByLibrary.simpleMessage("Lakukan lain kali"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Apakah kamu ingin membuang edit yang telah kamu buat?"), - "done": MessageLookupByLibrary.simpleMessage("Selesai"), - "doubleYourStorage": - MessageLookupByLibrary.simpleMessage("Gandakan kuota kamu"), - "download": MessageLookupByLibrary.simpleMessage("Unduh"), - "downloadFailed": - MessageLookupByLibrary.simpleMessage("Gagal mengunduh"), - "downloading": MessageLookupByLibrary.simpleMessage("Mengunduh..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "edit": MessageLookupByLibrary.simpleMessage("Edit"), - "editLocation": MessageLookupByLibrary.simpleMessage("Edit lokasi"), - "editLocationTagTitle": - MessageLookupByLibrary.simpleMessage("Edit lokasi"), - "editsSaved": - MessageLookupByLibrary.simpleMessage("Perubahan tersimpan"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Perubahan lokasi hanya akan terlihat di Ente"), - "eligible": MessageLookupByLibrary.simpleMessage("memenuhi syarat"), - "email": MessageLookupByLibrary.simpleMessage("Email"), - "emailAlreadyRegistered": - MessageLookupByLibrary.simpleMessage("Email sudah terdaftar."), - "emailChangedTo": m29, - "emailNoEnteAccount": m31, - "emailNotRegistered": - MessageLookupByLibrary.simpleMessage("Email belum terdaftar."), - "emailVerificationToggle": - MessageLookupByLibrary.simpleMessage("Verifikasi email"), - "empty": MessageLookupByLibrary.simpleMessage("Kosongkan"), - "emptyTrash": MessageLookupByLibrary.simpleMessage("Kosongkan sampah?"), - "enableMaps": MessageLookupByLibrary.simpleMessage("Aktifkan Peta"), - "encryptingBackup": - MessageLookupByLibrary.simpleMessage("Mengenkripsi cadangan..."), - "encryption": MessageLookupByLibrary.simpleMessage("Enkripsi"), - "encryptionKeys": - MessageLookupByLibrary.simpleMessage("Kunci enkripsi"), - "endpointUpdatedMessage": - MessageLookupByLibrary.simpleMessage("Endpoint berhasil diubah"), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Dirancang dengan enkripsi ujung ke ujung"), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente hanya dapat mengenkripsi dan menyimpan file jika kamu berikan izin"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente memerlukan izin untuk menyimpan fotomu"), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "Ente memelihara kenanganmu, sehingga ia selalu tersedia untukmu, bahkan jika kamu kehilangan perangkatmu."), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Anggota keluargamu juga bisa ditambahkan ke paketmu."), - "enterAlbumName": - MessageLookupByLibrary.simpleMessage("Masukkan nama album"), - "enterCode": MessageLookupByLibrary.simpleMessage("Masukkan kode"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Masukkan kode yang diberikan temanmu untuk memperoleh kuota gratis untuk kalian berdua"), - "enterEmail": MessageLookupByLibrary.simpleMessage("Masukkan email"), - "enterFileName": - MessageLookupByLibrary.simpleMessage("Masukkan nama file"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Masukkan sandi baru yang bisa kami gunakan untuk mengenkripsi data kamu"), - "enterPassword": MessageLookupByLibrary.simpleMessage("Masukkan sandi"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Masukkan sandi yang bisa kami gunakan untuk mengenkripsi data kamu"), - "enterPersonName": - MessageLookupByLibrary.simpleMessage("Masukkan nama orang"), - "enterReferralCode": - MessageLookupByLibrary.simpleMessage("Masukkan kode rujukan"), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Masukkan kode 6 angka dari\napp autentikator kamu"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Harap masukkan alamat email yang sah."), - "enterYourEmailAddress": - MessageLookupByLibrary.simpleMessage("Masukkan alamat email kamu"), - "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( - "Masukkan alamat email baru anda"), - "enterYourPassword": - MessageLookupByLibrary.simpleMessage("Masukkan sandi kamu"), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Masukkan kunci pemulihan kamu"), - "error": MessageLookupByLibrary.simpleMessage("Kesalahan"), - "everywhere": MessageLookupByLibrary.simpleMessage("di mana saja"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": MessageLookupByLibrary.simpleMessage("Masuk"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Link ini telah kedaluwarsa. Silakan pilih waktu kedaluwarsa baru atau nonaktifkan waktu kedaluwarsa."), - "exportLogs": MessageLookupByLibrary.simpleMessage("Ekspor log"), - "exportYourData": - MessageLookupByLibrary.simpleMessage("Ekspor data kamu"), - "faceRecognition": - MessageLookupByLibrary.simpleMessage("Pengenalan wajah"), - "faces": MessageLookupByLibrary.simpleMessage("Wajah"), - "failedToApplyCode": - MessageLookupByLibrary.simpleMessage("Gagal menerapkan kode"), - "failedToCancel": - MessageLookupByLibrary.simpleMessage("Gagal membatalkan"), - "failedToDownloadVideo": - MessageLookupByLibrary.simpleMessage("Gagal mengunduh video"), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Gagal memuat file asli untuk mengedit"), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Tidak dapat mengambil kode rujukan. Harap ulang lagi nanti."), - "failedToLoadAlbums": - MessageLookupByLibrary.simpleMessage("Gagal memuat album"), - "failedToRenew": - MessageLookupByLibrary.simpleMessage("Gagal memperpanjang"), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Gagal memeriksa status pembayaran"), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Tambahkan 5 anggota keluarga ke paket kamu tanpa perlu bayar lebih.\n\nSetiap anggota mendapat ruang pribadi mereka sendiri, dan tidak dapat melihat file orang lain kecuali dibagikan.\n\nPaket keluarga tersedia bagi pelanggan yang memiliki langganan berbayar Ente.\n\nLangganan sekarang untuk mulai!"), - "familyPlanPortalTitle": - MessageLookupByLibrary.simpleMessage("Keluarga"), - "familyPlans": MessageLookupByLibrary.simpleMessage("Paket keluarga"), - "faq": MessageLookupByLibrary.simpleMessage("Tanya Jawab Umum"), - "faqs": MessageLookupByLibrary.simpleMessage("Tanya Jawab Umum"), - "favorite": MessageLookupByLibrary.simpleMessage("Favorit"), - "feedback": MessageLookupByLibrary.simpleMessage("Masukan"), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Gagal menyimpan file ke galeri"), - "fileInfoAddDescHint": - MessageLookupByLibrary.simpleMessage("Tambahkan keterangan..."), - "fileSavedToGallery": - MessageLookupByLibrary.simpleMessage("File tersimpan ke galeri"), - "fileTypes": MessageLookupByLibrary.simpleMessage("Jenis file"), - "fileTypesAndNames": - MessageLookupByLibrary.simpleMessage("Nama dan jenis file"), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage("File terhapus"), - "filesSavedToGallery": - MessageLookupByLibrary.simpleMessage("File tersimpan ke galeri"), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Telusuri orang dengan mudah menggunakan nama"), - "flip": MessageLookupByLibrary.simpleMessage("Balik"), - "forYourMemories": - MessageLookupByLibrary.simpleMessage("untuk kenanganmu"), - "forgotPassword": MessageLookupByLibrary.simpleMessage("Lupa sandi"), - "foundFaces": - MessageLookupByLibrary.simpleMessage("Wajah yang ditemukan"), - "freeStorageClaimed": - MessageLookupByLibrary.simpleMessage("Kuota gratis diperoleh"), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Kuota gratis yang dapat digunakan"), - "freeTrial": MessageLookupByLibrary.simpleMessage("Percobaan gratis"), - "freeTrialValidTill": m38, - "freeUpAmount": m40, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( - "Bersihkan penyimpanan perangkat"), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Hemat ruang penyimpanan di perangkatmu dengan membersihkan file yang sudah tercadangkan."), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("Bersihkan ruang"), - "general": MessageLookupByLibrary.simpleMessage("Umum"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Menghasilkan kunci enkripsi..."), - "genericProgress": m42, - "goToSettings": MessageLookupByLibrary.simpleMessage("Buka pengaturan"), - "googlePlayId": MessageLookupByLibrary.simpleMessage("ID Google Play"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Harap berikan akses ke semua foto di app Pengaturan"), - "grantPermission": MessageLookupByLibrary.simpleMessage("Berikan izin"), - "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( - "Kelompokkan foto yang berdekatan"), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Dari mana Anda menemukan Ente? (opsional)"), - "help": MessageLookupByLibrary.simpleMessage("Bantuan"), - "hidden": MessageLookupByLibrary.simpleMessage("Tersembunyi"), - "hide": MessageLookupByLibrary.simpleMessage("Sembunyikan"), - "hiding": MessageLookupByLibrary.simpleMessage("Menyembunyikan..."), - "hostedAtOsmFrance": - MessageLookupByLibrary.simpleMessage("Dihosting oleh OSM France"), - "howItWorks": MessageLookupByLibrary.simpleMessage("Cara kerjanya"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Silakan minta dia untuk menekan lama alamat email-nya di layar pengaturan, dan pastikan bahwa ID di perangkatnya sama."), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Autentikasi biometrik belum aktif di perangkatmu. Silakan aktifkan Touch ID atau Face ID pada ponselmu."), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Abaikan"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Sejumlah file di album ini tidak terunggah karena telah dihapus sebelumnya dari Ente."), - "importing": MessageLookupByLibrary.simpleMessage("Mengimpor...."), - "incorrectCode": MessageLookupByLibrary.simpleMessage("Kode salah"), - "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("Sandi salah"), - "incorrectRecoveryKey": - MessageLookupByLibrary.simpleMessage("Kunci pemulihan salah"), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "Kunci pemulihan yang kamu masukkan salah"), - "incorrectRecoveryKeyTitle": - MessageLookupByLibrary.simpleMessage("Kunci pemulihan salah"), - "indexedItems": MessageLookupByLibrary.simpleMessage("Item terindeks"), - "insecureDevice": - MessageLookupByLibrary.simpleMessage("Perangkat tidak aman"), - "installManually": - MessageLookupByLibrary.simpleMessage("Instal secara manual"), - "invalidEmailAddress": - MessageLookupByLibrary.simpleMessage("Alamat email tidak sah"), - "invalidEndpoint": - MessageLookupByLibrary.simpleMessage("Endpoint tidak sah"), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Maaf, endpoint yang kamu masukkan tidak sah. Harap masukkan endpoint yang sah dan coba lagi."), - "invalidKey": MessageLookupByLibrary.simpleMessage("Kunci tidak sah"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Kunci pemulihan yang kamu masukkan tidak sah. Pastikan kunci tersebut berisi 24 kata, dan teliti ejaan masing-masing kata.\n\nJika kamu memasukkan kode pemulihan lama, pastikan kode tersebut berisi 64 karakter, dan teliti setiap karakter yang ada."), - "invite": MessageLookupByLibrary.simpleMessage("Undang"), - "inviteToEnte": MessageLookupByLibrary.simpleMessage("Undang ke Ente"), - "inviteYourFriends": - MessageLookupByLibrary.simpleMessage("Undang teman-temanmu"), - "inviteYourFriendsToEnte": - MessageLookupByLibrary.simpleMessage("Undang temanmu ke Ente"), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Sepertinya terjadi kesalahan. Silakan coba lagi setelah beberapa saat. Jika kesalahan terus terjadi, silakan hubungi tim dukungan kami."), - "itemCount": m44, - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Item yang dipilih akan dihapus dari album ini"), - "joinDiscord": - MessageLookupByLibrary.simpleMessage("Bergabung ke Discord"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Simpan foto"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Harap bantu kami dengan informasi ini"), - "language": MessageLookupByLibrary.simpleMessage("Bahasa"), - "lastUpdated": - MessageLookupByLibrary.simpleMessage("Terakhir diperbarui"), - "leave": MessageLookupByLibrary.simpleMessage("Tinggalkan"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Tinggalkan album"), - "leaveFamily": - MessageLookupByLibrary.simpleMessage("Tinggalkan keluarga"), - "leaveSharedAlbum": - MessageLookupByLibrary.simpleMessage("Tinggalkan album bersama?"), - "left": MessageLookupByLibrary.simpleMessage("Kiri"), - "light": MessageLookupByLibrary.simpleMessage("Cahaya"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Cerah"), - "linkCopiedToClipboard": - MessageLookupByLibrary.simpleMessage("Link tersalin ke papan klip"), - "linkDeviceLimit": - MessageLookupByLibrary.simpleMessage("Batas perangkat"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Aktif"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Kedaluwarsa"), - "linkExpiresOn": m47, - "linkExpiry": - MessageLookupByLibrary.simpleMessage("Waktu kedaluwarsa link"), - "linkHasExpired": - MessageLookupByLibrary.simpleMessage("Link telah kedaluwarsa"), - "linkNeverExpires": - MessageLookupByLibrary.simpleMessage("Tidak pernah"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "Kamu bisa membagikan langgananmu dengan keluarga"), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "Kami menyimpan 3 salinan dari data kamu, salah satunya di tempat pengungsian bawah tanah"), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "App seluler kami berjalan di latar belakang untuk mengenkripsi dan mencadangkan foto yang kamu potret"), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io menyediakan alat pengunggah yang bagus"), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Kami menggunakan Xchacha20Poly1305 untuk mengenkripsi data-mu dengan aman"), - "loadingExifData": - MessageLookupByLibrary.simpleMessage("Memuat data EXIF..."), - "loadingGallery": - MessageLookupByLibrary.simpleMessage("Memuat galeri..."), - "loadingMessage": - MessageLookupByLibrary.simpleMessage("Memuat fotomu..."), - "loadingModel": - MessageLookupByLibrary.simpleMessage("Mengunduh model..."), - "localGallery": MessageLookupByLibrary.simpleMessage("Galeri lokal"), - "locationName": MessageLookupByLibrary.simpleMessage("Nama tempat"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Kunci"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Kunci layar"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Masuk akun"), - "loggingOut": - MessageLookupByLibrary.simpleMessage("Mengeluarkan akun..."), - "loginSessionExpired": - MessageLookupByLibrary.simpleMessage("Sesi berakhir"), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "Sesi kamu telah berakhir. Silakan masuk akun kembali."), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Dengan mengklik masuk akun, saya menyetujui ketentuan layanan dan kebijakan privasi Ente"), - "logout": MessageLookupByLibrary.simpleMessage("Keluar akun"), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Tekan dan tahan email untuk membuktikan enkripsi ujung ke ujung."), - "lostDevice": MessageLookupByLibrary.simpleMessage("Perangkat hilang?"), - "machineLearning": - MessageLookupByLibrary.simpleMessage("Pemelajaran mesin"), - "magicSearch": - MessageLookupByLibrary.simpleMessage("Penelusuran ajaib"), - "manage": MessageLookupByLibrary.simpleMessage("Atur"), - "manageDeviceStorage": - MessageLookupByLibrary.simpleMessage("Mengelola cache perangkat"), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Tinjau dan hapus penyimpanan cache lokal."), - "manageFamily": MessageLookupByLibrary.simpleMessage("Atur Keluarga"), - "manageLink": MessageLookupByLibrary.simpleMessage("Atur link"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Atur"), - "manageSubscription": - MessageLookupByLibrary.simpleMessage("Atur langganan"), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "Tautkan dengan PIN berfungsi di layar mana pun yang kamu inginkan."), - "map": MessageLookupByLibrary.simpleMessage("Peta"), - "maps": MessageLookupByLibrary.simpleMessage("Peta"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "merchandise": MessageLookupByLibrary.simpleMessage("Merchandise"), - "mlConsent": - MessageLookupByLibrary.simpleMessage("Aktifkan pemelajaran mesin"), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Saya memahami, dan bersedia mengaktifkan pemelajaran mesin"), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Jika kamu mengaktifkan pemelajaran mesin, Ente akan memproses informasi seperti geometri wajah dari file yang ada, termasuk file yang dibagikan kepadamu.\n\nIni dijalankan pada perangkatmu, dan setiap informasi biometrik yang dibuat akan terenkripsi ujung ke ujung."), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Klik di sini untuk detail lebih lanjut tentang fitur ini pada kebijakan privasi kami"), - "mlConsentTitle": - MessageLookupByLibrary.simpleMessage("Aktifkan pemelajaran mesin?"), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Perlu diperhatikan bahwa pemelajaran mesin dapat meningkatkan penggunaan data dan baterai perangkat hingga seluruh item selesai terindeks. Gunakan aplikasi desktop untuk pengindeksan lebih cepat, seluruh hasil akan tersinkronkan secara otomatis."), - "mobileWebDesktop": - MessageLookupByLibrary.simpleMessage("Seluler, Web, Desktop"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Sedang"), - "moments": MessageLookupByLibrary.simpleMessage("Momen"), - "monthly": MessageLookupByLibrary.simpleMessage("Bulanan"), - "moveToAlbum": - MessageLookupByLibrary.simpleMessage("Pindahkan ke album"), - "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Pindahkan ke album tersembunyi"), - "movedSuccessfullyTo": m52, - "movedToTrash": - MessageLookupByLibrary.simpleMessage("Pindah ke sampah"), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Memindahkan file ke album..."), - "name": MessageLookupByLibrary.simpleMessage("Nama"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Tidak dapat terhubung dengan Ente, silakan coba lagi setelah beberapa saat. Jika masalah berlanjut, harap hubungi dukungan."), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Tidak dapat terhubung dengan Ente, harap periksa pengaturan jaringan kamu dan hubungi dukungan jika masalah berlanjut."), - "never": MessageLookupByLibrary.simpleMessage("Tidak pernah"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Album baru"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Baru di Ente"), - "newest": MessageLookupByLibrary.simpleMessage("Terbaru"), - "no": MessageLookupByLibrary.simpleMessage("Tidak"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Belum ada album yang kamu bagikan"), - "noDeviceFound": - MessageLookupByLibrary.simpleMessage("Tidak ditemukan perangkat"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Tidak ada"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "Tidak ada file yang perlu dihapus dari perangkat ini"), - "noDuplicates": - MessageLookupByLibrary.simpleMessage("✨ Tak ada file duplikat"), - "noExifData": - MessageLookupByLibrary.simpleMessage("Tidak ada data EXIF"), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "Tidak ada foto atau video tersembunyi"), - "noInternetConnection": - MessageLookupByLibrary.simpleMessage("Tidak ada koneksi internet"), - "noPhotosAreBeingBackedUpRightNow": - MessageLookupByLibrary.simpleMessage( - "Tidak ada foto yang sedang dicadangkan sekarang"), - "noPhotosFoundHere": - MessageLookupByLibrary.simpleMessage("Tidak ada foto di sini"), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Tidak punya kunci pemulihan?"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Karena sifat protokol enkripsi ujung ke ujung kami, data kamu tidak dapat didekripsi tanpa sandi atau kunci pemulihan kamu"), - "noResults": MessageLookupByLibrary.simpleMessage("Tidak ada hasil"), - "noResultsFound": - MessageLookupByLibrary.simpleMessage("Tidak ditemukan hasil"), - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "Belum ada yang dibagikan denganmu"), - "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( - "Tidak ada apa-apa di sini! 👀"), - "notifications": MessageLookupByLibrary.simpleMessage("Notifikasi"), - "ok": MessageLookupByLibrary.simpleMessage("Oke"), - "onDevice": MessageLookupByLibrary.simpleMessage("Di perangkat ini"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "Di ente"), - "onlyFamilyAdminCanChangeCode": m55, - "oops": MessageLookupByLibrary.simpleMessage("Aduh"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Aduh, tidak dapat menyimpan perubahan"), - "oopsSomethingWentWrong": - MessageLookupByLibrary.simpleMessage("Aduh, terjadi kesalahan"), - "openSettings": MessageLookupByLibrary.simpleMessage("Buka Pengaturan"), - "openTheItem": MessageLookupByLibrary.simpleMessage("• Buka item-nya"), - "openstreetmapContributors": - MessageLookupByLibrary.simpleMessage("Kontributor OpenStreetMap"), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Opsional, pendek pun tak apa..."), - "orPickAnExistingOne": - MessageLookupByLibrary.simpleMessage("Atau pilih yang sudah ada"), - "pair": MessageLookupByLibrary.simpleMessage("Tautkan"), - "pairWithPin": - MessageLookupByLibrary.simpleMessage("Tautkan dengan PIN"), - "pairingComplete": - MessageLookupByLibrary.simpleMessage("Penautan berhasil"), - "passkey": MessageLookupByLibrary.simpleMessage("Passkey"), - "passkeyAuthTitle": - MessageLookupByLibrary.simpleMessage("Verifikasi passkey"), - "password": MessageLookupByLibrary.simpleMessage("Sandi"), - "passwordChangedSuccessfully": - MessageLookupByLibrary.simpleMessage("Sandi berhasil diubah"), - "passwordLock": - MessageLookupByLibrary.simpleMessage("Kunci dengan sandi"), - "passwordStrength": m57, - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Kami tidak menyimpan sandi ini, jadi jika kamu melupakannya, kami tidak akan bisa mendekripsi data kamu"), - "paymentDetails": - MessageLookupByLibrary.simpleMessage("Rincian pembayaran"), - "paymentFailed": - MessageLookupByLibrary.simpleMessage("Pembayaran gagal"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "Sayangnya, pembayaranmu gagal. Silakan hubungi tim bantuan agar dapat kami bantu!"), - "paymentFailedTalkToProvider": m58, - "pendingItems": MessageLookupByLibrary.simpleMessage("Item menunggu"), - "pendingSync": - MessageLookupByLibrary.simpleMessage("Sinkronisasi tertunda"), - "people": MessageLookupByLibrary.simpleMessage("Orang"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Orang yang telah menggunakan kodemu"), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Semua item di sampah akan dihapus secara permanen\n\nTindakan ini tidak dapat dibatalkan"), - "permanentlyDelete": - MessageLookupByLibrary.simpleMessage("Hapus secara permanen"), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Hapus dari perangkat secara permanen?"), - "photoDescriptions": - MessageLookupByLibrary.simpleMessage("Keterangan foto"), - "photoGridSize": - MessageLookupByLibrary.simpleMessage("Ukuran kotak foto"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), - "photos": MessageLookupByLibrary.simpleMessage("Foto"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "Foto yang telah kamu tambahkan akan dihapus dari album ini"), - "playOnTv": MessageLookupByLibrary.simpleMessage("Putar album di TV"), - "playStoreFreeTrialValidTill": m63, - "playstoreSubscription": - MessageLookupByLibrary.simpleMessage("Langganan PlayStore"), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Silakan periksa koneksi internet kamu, lalu coba lagi."), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Silakan hubungi support@ente.io dan kami akan dengan senang hati membantu!"), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Silakan hubungi tim bantuan jika masalah terus terjadi"), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": - MessageLookupByLibrary.simpleMessage("Harap berikan izin"), - "pleaseLoginAgain": - MessageLookupByLibrary.simpleMessage("Silakan masuk akun lagi"), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": - MessageLookupByLibrary.simpleMessage("Silakan coba lagi"), - "pleaseVerifyTheCodeYouHaveEntered": - MessageLookupByLibrary.simpleMessage( - "Harap periksa kode yang kamu masukkan"), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Harap tunggu..."), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Harap tunggu, sedang menghapus album"), - "pleaseWaitForSometimeBeforeRetrying": - MessageLookupByLibrary.simpleMessage( - "Harap tunggu beberapa saat sebelum mencoba lagi"), - "preparingLogs": - MessageLookupByLibrary.simpleMessage("Menyiapkan log..."), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Tekan dan tahan untuk memutar video"), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Tekan dan tahan gambar untuk memutar video"), - "privacy": MessageLookupByLibrary.simpleMessage("Privasi"), - "privacyPolicyTitle": - MessageLookupByLibrary.simpleMessage("Kebijakan Privasi"), - "privateBackups": - MessageLookupByLibrary.simpleMessage("Cadangan pribadi"), - "privateSharing": - MessageLookupByLibrary.simpleMessage("Berbagi secara privat"), - "publicLinkCreated": - MessageLookupByLibrary.simpleMessage("Link publik dibuat"), - "publicLinkEnabled": - MessageLookupByLibrary.simpleMessage("Link publik aktif"), - "radius": MessageLookupByLibrary.simpleMessage("Radius"), - "raiseTicket": - MessageLookupByLibrary.simpleMessage("Buat tiket dukungan"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("Nilai app ini"), - "rateUs": MessageLookupByLibrary.simpleMessage("Beri kami nilai"), - "rateUsOnStore": m68, - "recover": MessageLookupByLibrary.simpleMessage("Pulihkan"), - "recoverAccount": MessageLookupByLibrary.simpleMessage("Pulihkan akun"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Pulihkan"), - "recoveryKey": MessageLookupByLibrary.simpleMessage("Kunci pemulihan"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Kunci pemulihan tersalin ke papan klip"), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Saat kamu lupa sandi, satu-satunya cara untuk memulihkan data kamu adalah dengan kunci ini."), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Kami tidak menyimpan kunci ini, jadi harap simpan kunci yang berisi 24 kata ini dengan aman."), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Bagus! Kunci pemulihan kamu sah. Terima kasih telah melakukan verifikasi.\n\nHarap simpan selalu kunci pemulihan kamu dengan aman."), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Kunci pemulihan terverifikasi"), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Kunci pemulihan kamu adalah satu-satunya cara untuk memulihkan foto-foto kamu jika kamu lupa kata sandi. Kamu bisa lihat kunci pemulihan kamu di Pengaturan > Akun.\n\nHarap masukkan kunci pemulihan kamu di sini untuk memastikan bahwa kamu telah menyimpannya dengan baik."), - "recoverySuccessful": - MessageLookupByLibrary.simpleMessage("Pemulihan berhasil!"), - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "Perangkat ini tidak cukup kuat untuk memverifikasi kata sandi kamu, tetapi kami dapat membuat ulang kata sandi kamu sehingga dapat digunakan di semua perangkat.\n\nSilakan masuk menggunakan kunci pemulihan dan buat ulang kata sandi kamu (kamu dapat menggunakan kata sandi yang sama lagi jika mau)."), - "recreatePasswordTitle": - MessageLookupByLibrary.simpleMessage("Buat ulang sandi"), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Berikan kode ini ke teman kamu"), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Ia perlu daftar ke paket berbayar"), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Referensi"), - "referralsAreCurrentlyPaused": - MessageLookupByLibrary.simpleMessage("Rujukan sedang dijeda"), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "Kosongkan juga “Baru Dihapus” dari “Pengaturan” -> “Penyimpanan” untuk memperoleh ruang yang baru saja dibersihkan"), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Kosongkan juga \"Sampah\" untuk memperoleh ruang yang baru dikosongkan"), - "remoteThumbnails": - MessageLookupByLibrary.simpleMessage("Thumbnail jarak jauh"), - "remove": MessageLookupByLibrary.simpleMessage("Hapus"), - "removeDuplicates": - MessageLookupByLibrary.simpleMessage("Hapus duplikat"), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Lihat dan hapus file yang sama persis."), - "removeFromAlbum": - MessageLookupByLibrary.simpleMessage("Hapus dari album"), - "removeFromAlbumTitle": - MessageLookupByLibrary.simpleMessage("Hapus dari album?"), - "removeLink": MessageLookupByLibrary.simpleMessage("Hapus link"), - "removeParticipant": - MessageLookupByLibrary.simpleMessage("Hapus peserta"), - "removeParticipantBody": m74, - "removePersonLabel": - MessageLookupByLibrary.simpleMessage("Hapus label orang"), - "removePublicLink": - MessageLookupByLibrary.simpleMessage("Hapus link publik"), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Beberapa item yang kamu hapus ditambahkan oleh orang lain, dan kamu akan kehilangan akses ke item tersebut"), - "removeWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Hapus?"), - "removingFromFavorites": - MessageLookupByLibrary.simpleMessage("Menghapus dari favorit..."), - "rename": MessageLookupByLibrary.simpleMessage("Ubah nama"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("Ubah nama album"), - "renameFile": MessageLookupByLibrary.simpleMessage("Ubah nama file"), - "renewSubscription": - MessageLookupByLibrary.simpleMessage("Perpanjang langganan"), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Laporkan bug"), - "reportBug": MessageLookupByLibrary.simpleMessage("Laporkan bug"), - "resendEmail": - MessageLookupByLibrary.simpleMessage("Kirim ulang email"), - "resetPasswordTitle": - MessageLookupByLibrary.simpleMessage("Atur ulang sandi"), - "restore": MessageLookupByLibrary.simpleMessage("Pulihkan"), - "restoringFiles": - MessageLookupByLibrary.simpleMessage("Memulihkan file..."), - "retry": MessageLookupByLibrary.simpleMessage("Coba lagi"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Silakan lihat dan hapus item yang merupakan duplikat."), - "right": MessageLookupByLibrary.simpleMessage("Kanan"), - "rotate": MessageLookupByLibrary.simpleMessage("Putar"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Putar ke kiri"), - "rotateRight": MessageLookupByLibrary.simpleMessage("Putar ke kanan"), - "safelyStored": MessageLookupByLibrary.simpleMessage("Tersimpan aman"), - "save": MessageLookupByLibrary.simpleMessage("Simpan"), - "saveKey": MessageLookupByLibrary.simpleMessage("Simpan kunci"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Jika belum, simpan kunci pemulihan kamu"), - "saving": MessageLookupByLibrary.simpleMessage("Menyimpan..."), - "savingEdits": - MessageLookupByLibrary.simpleMessage("Menyimpan edit..."), - "scanCode": MessageLookupByLibrary.simpleMessage("Pindai kode"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Pindai barcode ini dengan\napp autentikator kamu"), - "search": MessageLookupByLibrary.simpleMessage("Telusuri"), - "searchAlbumsEmptySection": - MessageLookupByLibrary.simpleMessage("Album"), - "searchByAlbumNameHint": - MessageLookupByLibrary.simpleMessage("Nama album"), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Nama album (cth. \"Kamera\")\n• Jenis file (cth. \"Video\", \".gif\")\n• Tahun atau bulan (cth. \"2022\", \"Januari\")\n• Musim liburan (cth. \"Natal\")\n• Keterangan foto (cth. “#seru”)"), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Tambah keterangan seperti \"#trip\" pada info foto agar mudah ditemukan di sini"), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Telusuri dengan tanggal, bulan, atau tahun"), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "Orang akan ditampilkan di sini setelah pengindeksan selesai"), - "searchFileTypesAndNamesEmptySection": - MessageLookupByLibrary.simpleMessage("Nama dan jenis file"), - "searchHint2": - MessageLookupByLibrary.simpleMessage("Tanggal, keterangan foto"), - "searchHint3": - MessageLookupByLibrary.simpleMessage("Album, nama dan jenis file"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "Segera tiba: Penelusuran wajah & ajaib ✨"), - "searchResultCount": m77, - "security": MessageLookupByLibrary.simpleMessage("Keamanan"), - "selectALocation": MessageLookupByLibrary.simpleMessage("Pilih lokasi"), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage( - "Pilih lokasi terlebih dahulu"), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Pilih album"), - "selectAll": MessageLookupByLibrary.simpleMessage("Pilih semua"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Pilih folder yang perlu dicadangkan"), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "Pilih item untuk ditambahkan"), - "selectLanguage": MessageLookupByLibrary.simpleMessage("Pilih Bahasa"), - "selectMorePhotos": - MessageLookupByLibrary.simpleMessage("Pilih lebih banyak foto"), - "selectReason": MessageLookupByLibrary.simpleMessage("Pilih alasan"), - "selectYourPlan": - MessageLookupByLibrary.simpleMessage("Pilih paket kamu"), - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "File terpilih tidak tersimpan di Ente"), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Folder yang terpilih akan dienkripsi dan dicadangkan"), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Item terpilih akan dihapus dari semua album dan dipindahkan ke sampah."), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "send": MessageLookupByLibrary.simpleMessage("Kirim"), - "sendEmail": MessageLookupByLibrary.simpleMessage("Kirim email"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Kirim undangan"), - "sendLink": MessageLookupByLibrary.simpleMessage("Kirim link"), - "serverEndpoint": - MessageLookupByLibrary.simpleMessage("Endpoint server"), - "sessionExpired": MessageLookupByLibrary.simpleMessage("Sesi berakhir"), - "setAPassword": MessageLookupByLibrary.simpleMessage("Atur sandi"), - "setAs": MessageLookupByLibrary.simpleMessage("Pasang sebagai"), - "setCover": MessageLookupByLibrary.simpleMessage("Ubah sampul"), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage("Atur sandi"), - "setupComplete": - MessageLookupByLibrary.simpleMessage("Penyiapan selesai"), - "share": MessageLookupByLibrary.simpleMessage("Bagikan"), - "shareALink": MessageLookupByLibrary.simpleMessage("Bagikan link"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Buka album lalu ketuk tombol bagikan di sudut kanan atas untuk berbagi."), - "shareAnAlbumNow": - MessageLookupByLibrary.simpleMessage("Bagikan album sekarang"), - "shareLink": MessageLookupByLibrary.simpleMessage("Bagikan link"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Bagikan hanya dengan orang yang kamu inginkan"), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Unduh Ente agar kita bisa berbagi foto dan video kualitas asli dengan mudah\n\nhttps://ente.io"), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Bagikan ke pengguna non-Ente"), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": - MessageLookupByLibrary.simpleMessage("Bagikan album pertamamu"), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Buat album bersama dan kolaborasi dengan pengguna Ente lain, termasuk pengguna paket gratis."), - "sharedByMe": - MessageLookupByLibrary.simpleMessage("Dibagikan oleh saya"), - "sharedByYou": - MessageLookupByLibrary.simpleMessage("Dibagikan oleh kamu"), - "sharedPhotoNotifications": - MessageLookupByLibrary.simpleMessage("Foto terbagi baru"), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Terima notifikasi apabila seseorang menambahkan foto ke album bersama yang kamu ikuti"), - "sharedWith": m87, - "sharedWithMe": - MessageLookupByLibrary.simpleMessage("Dibagikan dengan saya"), - "sharedWithYou": - MessageLookupByLibrary.simpleMessage("Dibagikan dengan kamu"), - "sharing": MessageLookupByLibrary.simpleMessage("Membagikan..."), - "showMemories": MessageLookupByLibrary.simpleMessage("Lihat kenangan"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "Keluarkan akun dari perangkat lain"), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Jika kamu merasa ada yang mengetahui sandimu, kamu bisa mengeluarkan akunmu secara paksa dari perangkat lain."), - "signOutOtherDevices": - MessageLookupByLibrary.simpleMessage("Keluar di perangkat lain"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Saya menyetujui ketentuan layanan dan kebijakan privasi Ente"), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Ia akan dihapus dari semua album."), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Lewati"), - "social": MessageLookupByLibrary.simpleMessage("Sosial"), - "someItemsAreInBothEnteAndYourDevice": - MessageLookupByLibrary.simpleMessage( - "Sejumlah item tersimpan di Ente serta di perangkat ini."), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Orang yang membagikan album denganmu bisa melihat ID yang sama di perangkat mereka."), - "somethingWentWrong": - MessageLookupByLibrary.simpleMessage("Terjadi kesalahan"), - "somethingWentWrongPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Terjadi kesalahan, silakan coba lagi"), - "sorry": MessageLookupByLibrary.simpleMessage("Maaf"), - "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( - "Maaf, kami tidak dapat mencadangkan berkas ini sekarang, kami akan mencobanya kembali nanti."), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Maaf, tidak dapat menambahkan ke favorit!"), - "sorryCouldNotRemoveFromFavorites": - MessageLookupByLibrary.simpleMessage( - "Maaf, tidak dapat menghapus dari favorit!"), - "sorryTheCodeYouveEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "Maaf, kode yang kamu masukkan salah"), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Maaf, kami tidak dapat menghasilkan kunci yang aman di perangkat ini.\n\nHarap mendaftar dengan perangkat lain."), - "sortAlbumsBy": - MessageLookupByLibrary.simpleMessage("Urut berdasarkan"), - "sortNewestFirst": MessageLookupByLibrary.simpleMessage("Terbaru dulu"), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Terlama dulu"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Berhasil"), - "startBackup": - MessageLookupByLibrary.simpleMessage("Mulai pencadangan"), - "status": MessageLookupByLibrary.simpleMessage("Status"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "Apakah kamu ingin menghentikan transmisi?"), - "stopCastingTitle": - MessageLookupByLibrary.simpleMessage("Hentikan transmisi"), - "storage": MessageLookupByLibrary.simpleMessage("Penyimpanan"), - "storageBreakupFamily": - MessageLookupByLibrary.simpleMessage("Keluarga"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Kamu"), - "storageInGB": m93, - "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( - "Batas penyimpanan terlampaui"), - "storageUsageInfo": m94, - "strongStrength": MessageLookupByLibrary.simpleMessage("Kuat"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Berlangganan"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Anda memerlukan langganan berbayar yang aktif untuk bisa berbagi."), - "subscription": MessageLookupByLibrary.simpleMessage("Langganan"), - "success": MessageLookupByLibrary.simpleMessage("Berhasil"), - "successfullyArchived": - MessageLookupByLibrary.simpleMessage("Berhasil diarsipkan"), - "successfullyHid": - MessageLookupByLibrary.simpleMessage("Berhasil disembunyikan"), - "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( - "Berhasil dikeluarkan dari arsip"), - "suggestFeatures": - MessageLookupByLibrary.simpleMessage("Sarankan fitur"), - "support": MessageLookupByLibrary.simpleMessage("Dukungan"), - "syncStopped": - MessageLookupByLibrary.simpleMessage("Sinkronisasi terhenti"), - "syncing": MessageLookupByLibrary.simpleMessage("Menyinkronkan..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("Sistem"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("ketuk untuk salin"), - "tapToEnterCode": - MessageLookupByLibrary.simpleMessage("Ketuk untuk masukkan kode"), - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Sepertinya terjadi kesalahan. Silakan coba lagi setelah beberapa saat. Jika kesalahan terus terjadi, silakan hubungi tim dukungan kami."), - "terminate": MessageLookupByLibrary.simpleMessage("Akhiri"), - "terminateSession": - MessageLookupByLibrary.simpleMessage("Akhiri sesi?"), - "terms": MessageLookupByLibrary.simpleMessage("Ketentuan"), - "termsOfServicesTitle": - MessageLookupByLibrary.simpleMessage("Ketentuan"), - "thankYou": MessageLookupByLibrary.simpleMessage("Terima kasih"), - "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( - "Terima kasih telah berlangganan!"), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "Unduhan tidak dapat diselesaikan"), - "theRecoveryKeyYouEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "Kunci pemulihan yang kamu masukkan salah"), - "theme": MessageLookupByLibrary.simpleMessage("Tema"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Item ini akan dihapus dari perangkat ini."), - "theyAlsoGetXGb": m99, - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Tindakan ini tidak dapat dibatalkan"), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "Link kolaborasi untuk album ini sudah terbuat"), - "thisCanBeUsedToRecoverYourAccountIfYou": - MessageLookupByLibrary.simpleMessage( - "Ini dapat digunakan untuk memulihkan akunmu jika kehilangan metode autentikasi dua langkah kamu"), - "thisDevice": MessageLookupByLibrary.simpleMessage("Perangkat ini"), - "thisEmailIsAlreadyInUse": - MessageLookupByLibrary.simpleMessage("Email ini telah digunakan"), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Gambar ini tidak memiliki data exif"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Ini adalah ID Verifikasi kamu"), - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Ini akan mengeluarkan akunmu dari perangkat berikut:"), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Ini akan mengeluarkan akunmu dari perangkat ini!"), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( - "Untuk menyembunyikan foto atau video"), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Untuk mengatur ulang sandimu, harap verifikasi email kamu terlebih dahulu."), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Log hari ini"), - "total": MessageLookupByLibrary.simpleMessage("total"), - "trash": MessageLookupByLibrary.simpleMessage("Sampah"), - "trim": MessageLookupByLibrary.simpleMessage("Pangkas"), - "tryAgain": MessageLookupByLibrary.simpleMessage("Coba lagi"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Aktifkan pencadangan untuk mengunggah file yang ditambahkan ke folder ini ke Ente secara otomatis."), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "2 bulan gratis dengan paket tahunan"), - "twofactor": - MessageLookupByLibrary.simpleMessage("Autentikasi dua langkah"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "Autentikasi dua langkah telah dinonaktifkan"), - "twofactorAuthenticationPageTitle": - MessageLookupByLibrary.simpleMessage("Autentikasi dua langkah"), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "Autentikasi dua langkah berhasil direset"), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Penyiapan autentikasi dua langkah"), - "unarchive": - MessageLookupByLibrary.simpleMessage("Keluarkan dari arsip"), - "unarchiveAlbum": - MessageLookupByLibrary.simpleMessage("Keluarkan album dari arsip"), - "unarchiving": - MessageLookupByLibrary.simpleMessage("Mengeluarkan dari arsip..."), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Maaf, kode ini tidak tersedia."), - "uncategorized": - MessageLookupByLibrary.simpleMessage("Tak Berkategori"), - "unlock": MessageLookupByLibrary.simpleMessage("Buka"), - "unselectAll": - MessageLookupByLibrary.simpleMessage("Batalkan semua pilihan"), - "update": MessageLookupByLibrary.simpleMessage("Perbarui"), - "updateAvailable": - MessageLookupByLibrary.simpleMessage("Pembaruan tersedia"), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Memperbaharui pilihan folder..."), - "upgrade": MessageLookupByLibrary.simpleMessage("Tingkatkan"), - "uploadingFilesToAlbum": - MessageLookupByLibrary.simpleMessage("Mengunggah file ke album..."), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "Potongan hingga 50%, sampai 4 Des."), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "Kuota yang dapat digunakan dibatasi oleh paket kamu saat ini. Kelebihan kuota yang diklaim akan dapat digunakan secara otomatis saat meningkatkan paket kamu."), - "usePublicLinksForPeopleNotOnEnte": - MessageLookupByLibrary.simpleMessage( - "Bagikan link publik ke orang yang tidak menggunakan Ente"), - "useRecoveryKey": - MessageLookupByLibrary.simpleMessage("Gunakan kunci pemulihan"), - "useSelectedPhoto": - MessageLookupByLibrary.simpleMessage("Gunakan foto terpilih"), - "validTill": m110, - "verificationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Verifikasi gagal, silakan coba lagi"), - "verificationId": MessageLookupByLibrary.simpleMessage("ID Verifikasi"), - "verify": MessageLookupByLibrary.simpleMessage("Verifikasi"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("Verifikasi email"), - "verifyEmailID": m111, - "verifyPasskey": - MessageLookupByLibrary.simpleMessage("Verifikasi passkey"), - "verifyPassword": - MessageLookupByLibrary.simpleMessage("Verifikasi sandi"), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Memverifikasi kunci pemulihan..."), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), - "videos": MessageLookupByLibrary.simpleMessage("Video"), - "viewActiveSessions": - MessageLookupByLibrary.simpleMessage("Lihat sesi aktif"), - "viewAll": MessageLookupByLibrary.simpleMessage("Lihat semua"), - "viewAllExifData": - MessageLookupByLibrary.simpleMessage("Lihat seluruh data EXIF"), - "viewLargeFiles": - MessageLookupByLibrary.simpleMessage("File berukuran besar"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Tampilkan file yang paling besar mengonsumsi ruang penyimpanan."), - "viewLogs": MessageLookupByLibrary.simpleMessage("Lihat log"), - "viewRecoveryKey": - MessageLookupByLibrary.simpleMessage("Lihat kunci pemulihan"), - "viewer": MessageLookupByLibrary.simpleMessage("Pemirsa"), - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Silakan buka web.ente.io untuk mengatur langgananmu"), - "waitingForVerification": - MessageLookupByLibrary.simpleMessage("Menunggu verifikasi..."), - "waitingForWifi": - MessageLookupByLibrary.simpleMessage("Menunggu WiFi..."), - "weAreOpenSource": - MessageLookupByLibrary.simpleMessage("Kode sumber kami terbuka!"), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Lemah"), - "welcomeBack": - MessageLookupByLibrary.simpleMessage("Selamat datang kembali!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("Hal yang baru"), - "yearly": MessageLookupByLibrary.simpleMessage("Tahunan"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Ya"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Ya, batalkan"), - "yesConvertToViewer": - MessageLookupByLibrary.simpleMessage("Ya, ubah ke pemirsa"), - "yesDelete": MessageLookupByLibrary.simpleMessage("Ya, hapus"), - "yesDiscardChanges": - MessageLookupByLibrary.simpleMessage("Ya, buang perubahan"), - "yesLogout": MessageLookupByLibrary.simpleMessage("Ya, keluar"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Ya, hapus"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Ya, Perpanjang"), - "you": MessageLookupByLibrary.simpleMessage("Kamu"), - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( - "Kamu menggunakan paket keluarga!"), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Kamu menggunakan versi terbaru"), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Maksimal dua kali lipat dari kuota penyimpananmu"), - "youCanManageYourLinksInTheShareTab": - MessageLookupByLibrary.simpleMessage( - "Kamu bisa atur link yang telah kamu buat di tab berbagi."), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "Kamu tidak dapat turun ke paket ini"), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Kamu tidak bisa berbagi dengan dirimu sendiri"), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "Kamu tidak memiliki item di arsip."), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": - MessageLookupByLibrary.simpleMessage("Akunmu telah dihapus"), - "yourMap": MessageLookupByLibrary.simpleMessage("Peta kamu"), - "yourPlanWasSuccessfullyDowngraded": - MessageLookupByLibrary.simpleMessage( - "Paket kamu berhasil di turunkan"), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "Paket kamu berhasil ditingkatkan"), - "yourPurchaseWasSuccessful": - MessageLookupByLibrary.simpleMessage("Pembelianmu berhasil"), - "yourStorageDetailsCouldNotBeFetched": - MessageLookupByLibrary.simpleMessage( - "Rincian penyimpananmu tidak dapat dimuat"), - "yourSubscriptionHasExpired": - MessageLookupByLibrary.simpleMessage("Langgananmu telah berakhir"), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "Langgananmu telah berhasil diperbarui"), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "Kode verifikasi kamu telah kedaluwarsa"), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( - "Perkecil peta untuk melihat foto lainnya") - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Versi baru dari Ente telah tersedia.", + ), + "about": MessageLookupByLibrary.simpleMessage("Tentang"), + "account": MessageLookupByLibrary.simpleMessage("Akun"), + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( + "Selamat datang kembali!", + ), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Saya mengerti bahwa jika saya lupa sandi saya, data saya bisa hilang karena dienkripsi dari ujung ke ujung.", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage("Sesi aktif"), + "addAName": MessageLookupByLibrary.simpleMessage("Tambahkan nama"), + "addANewEmail": MessageLookupByLibrary.simpleMessage("Tambah email baru"), + "addCollaborator": MessageLookupByLibrary.simpleMessage( + "Tambah kolaborator", + ), + "addFromDevice": MessageLookupByLibrary.simpleMessage( + "Tambahkan dari perangkat", + ), + "addLocation": MessageLookupByLibrary.simpleMessage("Tambah tempat"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Tambah"), + "addMore": MessageLookupByLibrary.simpleMessage("Tambah lagi"), + "addOnValidTill": m3, + "addPhotos": MessageLookupByLibrary.simpleMessage("Tambah foto"), + "addSelected": MessageLookupByLibrary.simpleMessage( + "Tambahkan yang dipilih", + ), + "addToAlbum": MessageLookupByLibrary.simpleMessage("Tambah ke album"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Tambah ke Ente"), + "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Tambah ke album tersembunyi", + ), + "addViewer": MessageLookupByLibrary.simpleMessage("Tambahkan pemirsa"), + "addedAs": MessageLookupByLibrary.simpleMessage("Ditambahkan sebagai"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": MessageLookupByLibrary.simpleMessage( + "Menambahkan ke favorit...", + ), + "advanced": MessageLookupByLibrary.simpleMessage("Lanjutan"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Lanjutan"), + "after1Day": MessageLookupByLibrary.simpleMessage("Setelah 1 hari"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Setelah 1 jam"), + "after1Month": MessageLookupByLibrary.simpleMessage("Setelah 1 bulan"), + "after1Week": MessageLookupByLibrary.simpleMessage("Setelah 1 minggu"), + "after1Year": MessageLookupByLibrary.simpleMessage("Setelah 1 tahun"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Pemilik"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Judul album"), + "albumUpdated": MessageLookupByLibrary.simpleMessage("Album diperbarui"), + "albums": MessageLookupByLibrary.simpleMessage("Album"), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Sudah bersih"), + "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( + "Semua kenangan terpelihara", + ), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Izinkan orang yang memiliki link untuk menambahkan foto ke album berbagi ini.", + ), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( + "Izinkan menambah foto", + ), + "allowDownloads": MessageLookupByLibrary.simpleMessage( + "Izinkan pengunduhan", + ), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Izinkan orang lain menambahkan foto", + ), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Ijinkan akses ke foto Anda dari Pengaturan agar Ente dapat menampilkan dan mencadangkan pustaka Anda.", + ), + "allowPermTitle": MessageLookupByLibrary.simpleMessage( + "Izinkan akses ke foto", + ), + "androidBiometricHint": MessageLookupByLibrary.simpleMessage( + "Verifikasi identitas", + ), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "Tidak dikenal. Coba lagi.", + ), + "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( + "Biometrik diperlukan", + ), + "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("Berhasil"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Batal"), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Autentikasi biometrik belum aktif di perangkatmu. Buka \'Setelan > Keamanan\' untuk mengaktifkan autentikasi biometrik.", + ), + "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( + "Android, iOS, Web, Desktop", + ), + "androidSignInTitle": MessageLookupByLibrary.simpleMessage( + "Autentikasi diperlukan", + ), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("ID Apple"), + "apply": MessageLookupByLibrary.simpleMessage("Terapkan"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Terapkan kode"), + "appstoreSubscription": MessageLookupByLibrary.simpleMessage( + "Langganan AppStore", + ), + "archive": MessageLookupByLibrary.simpleMessage("Arsip"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("Arsipkan album"), + "archiving": MessageLookupByLibrary.simpleMessage("Mengarsipkan..."), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Apakah kamu yakin ingin meninggalkan paket keluarga ini?", + ), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "Apakah kamu yakin ingin membatalkan?", + ), + "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( + "Apakah kamu yakin ingin mengubah paket kamu?", + ), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "Apakah kamu yakin ingin keluar?", + ), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Apakah kamu yakin ingin keluar akun?", + ), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "Apakah kamu yakin ingin memperpanjang?", + ), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "Langganan kamu telah dibatalkan. Apakah kamu ingin membagikan alasannya?", + ), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Apa alasan utama kamu dalam menghapus akun?", + ), + "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( + "di tempat pengungsian", + ), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Harap autentikasi untuk mengatur verifikasi email", + ), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Lakukan autentikasi untuk mengubah pengaturan kunci layar", + ), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Harap autentikasi untuk mengubah email kamu", + ), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Harap autentikasi untuk mengubah sandi kamu", + ), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Harap autentikasi untuk mengatur autentikasi dua langkah", + ), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Harap autentikasi untuk mulai penghapusan akun", + ), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Harap autentikasi untuk melihat sesi aktif kamu", + ), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Harap autentikasi untuk melihat file tersembunyi kamu", + ), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Harap autentikasi untuk melihat kenanganmu", + ), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Harap autentikasi untuk melihat kunci pemulihan kamu", + ), + "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Autentikasi gagal, silakan coba lagi", + ), + "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( + "Autentikasi berhasil!", + ), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Perangkat Cast yang tersedia akan ditampilkan di sini.", + ), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Pastikan izin Jaringan Lokal untuk app Ente Foto aktif di Pengaturan.", + ), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "Akibat kesalahan teknis, kamu telah keluar dari akunmu. Kami mohon maaf atas ketidaknyamanannya.", + ), + "autoPair": MessageLookupByLibrary.simpleMessage("Taut otomatis"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "Taut otomatis hanya tersedia di perangkat yang mendukung Chromecast.", + ), + "available": MessageLookupByLibrary.simpleMessage("Tersedia"), + "availableStorageSpace": m10, + "backedUpFolders": MessageLookupByLibrary.simpleMessage( + "Folder yang dicadangkan", + ), + "backup": MessageLookupByLibrary.simpleMessage("Pencadangan"), + "backupFailed": MessageLookupByLibrary.simpleMessage("Pencadangan gagal"), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Cadangkan dengan data seluler", + ), + "backupSettings": MessageLookupByLibrary.simpleMessage( + "Pengaturan pencadangan", + ), + "backupStatus": MessageLookupByLibrary.simpleMessage("Status pencadangan"), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Item yang sudah dicadangkan akan terlihat di sini", + ), + "backupVideos": MessageLookupByLibrary.simpleMessage("Cadangkan video"), + "blackFridaySale": MessageLookupByLibrary.simpleMessage( + "Penawaran Black Friday", + ), + "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cachedData": MessageLookupByLibrary.simpleMessage("Data cache"), + "calculating": MessageLookupByLibrary.simpleMessage("Menghitung..."), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( + "Tidak dapat membuka album ini", + ), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Hanya dapat menghapus berkas yang dimiliki oleh mu", + ), + "cancel": MessageLookupByLibrary.simpleMessage("Batal"), + "cancelOtherSubscription": m12, + "cancelSubscription": MessageLookupByLibrary.simpleMessage( + "Batalkan langganan", + ), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Tidak dapat menghapus file berbagi", + ), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Harap pastikan kamu berada pada jaringan yang sama dengan TV-nya.", + ), + "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( + "Gagal mentransmisikan album", + ), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Buka cast.ente.io pada perangkat yang ingin kamu tautkan.\n\nMasukkan kode yang ditampilkan untuk memutar album di TV.", + ), + "change": MessageLookupByLibrary.simpleMessage("Ubah"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Ubah email"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Ubah lokasi pada item terpilih?", + ), + "changePassword": MessageLookupByLibrary.simpleMessage("Ubah sandi"), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage("Ubah sandi"), + "changePermissions": MessageLookupByLibrary.simpleMessage("Ubah izin?"), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Ganti kode rujukan kamu", + ), + "checkForUpdates": MessageLookupByLibrary.simpleMessage( + "Periksa pembaruan", + ), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Silakan periksa kotak masuk (serta kotak spam) untuk menyelesaikan verifikasi", + ), + "checkStatus": MessageLookupByLibrary.simpleMessage("Periksa status"), + "checking": MessageLookupByLibrary.simpleMessage("Memeriksa..."), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage( + "Peroleh kuota gratis", + ), + "claimMore": MessageLookupByLibrary.simpleMessage("Peroleh lebih banyak!"), + "claimed": MessageLookupByLibrary.simpleMessage("Diperoleh"), + "claimedStorageSoFar": m14, + "clearIndexes": MessageLookupByLibrary.simpleMessage("Hapus indeks"), + "click": MessageLookupByLibrary.simpleMessage("• Click"), + "close": MessageLookupByLibrary.simpleMessage("Tutup"), + "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( + "Kode diterapkan", + ), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Maaf, kamu telah mencapai batas perubahan kode.", + ), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Kode tersalin ke papan klip", + ), + "codeUsedByYou": MessageLookupByLibrary.simpleMessage( + "Kode yang telah kamu gunakan", + ), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Buat link untuk memungkinkan orang lain menambahkan dan melihat foto yang ada pada album bersama kamu tanpa memerlukan app atau akun Ente. Ideal untuk mengumpulkan foto pada suatu acara.", + ), + "collaborativeLink": MessageLookupByLibrary.simpleMessage( + "Link kolaborasi", + ), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Kolaborator"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Kolaborator bisa menambahkan foto dan video ke album bersama ini.", + ), + "collageLayout": MessageLookupByLibrary.simpleMessage("Tata letak"), + "collectEventPhotos": MessageLookupByLibrary.simpleMessage( + "Kumpulkan foto acara", + ), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Kumpulkan foto"), + "color": MessageLookupByLibrary.simpleMessage("Warna"), + "confirm": MessageLookupByLibrary.simpleMessage("Konfirmasi"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Apakah kamu yakin ingin menonaktifkan autentikasi dua langkah?", + ), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Konfirmasi Penghapusan Akun", + ), + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Ya, saya ingin menghapus akun ini dan seluruh datanya secara permanen di semua aplikasi.", + ), + "confirmPassword": MessageLookupByLibrary.simpleMessage("Konfirmasi sandi"), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage( + "Konfirmasi perubahan paket", + ), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Konfirmasi kunci pemulihan", + ), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Konfirmasi kunci pemulihan kamu", + ), + "connectToDevice": MessageLookupByLibrary.simpleMessage( + "Hubungkan ke perangkat", + ), + "contactFamilyAdmin": m18, + "contactSupport": MessageLookupByLibrary.simpleMessage("Hubungi dukungan"), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Kontak"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Lanjut"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "Lanjut dengan percobaan gratis", + ), + "convertToAlbum": MessageLookupByLibrary.simpleMessage( + "Ubah menjadi album", + ), + "copyEmailAddress": MessageLookupByLibrary.simpleMessage( + "Salin alamat email", + ), + "copyLink": MessageLookupByLibrary.simpleMessage("Salin link"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Salin lalu tempel kode ini\ndi app autentikator kamu", + ), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "Kami tidak dapat mencadangkan data kamu.\nKami akan coba lagi nanti.", + ), + "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( + "Tidak dapat membersihkan ruang", + ), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Tidak dapat memperbarui langganan", + ), + "count": MessageLookupByLibrary.simpleMessage("Jumlah"), + "crashReporting": MessageLookupByLibrary.simpleMessage("Pelaporan crash"), + "create": MessageLookupByLibrary.simpleMessage("Buat"), + "createAccount": MessageLookupByLibrary.simpleMessage("Buat akun"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Tekan dan tahan foto lalu klik + untuk membuat album baru", + ), + "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( + "Buat link kolaborasi", + ), + "createNewAccount": MessageLookupByLibrary.simpleMessage("Buat akun baru"), + "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( + "Buat atau pilih album", + ), + "createPublicLink": MessageLookupByLibrary.simpleMessage( + "Buat link publik", + ), + "creatingLink": MessageLookupByLibrary.simpleMessage("Membuat link..."), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "Pembaruan penting tersedia", + ), + "crop": MessageLookupByLibrary.simpleMessage("Potong"), + "currentUsageIs": MessageLookupByLibrary.simpleMessage( + "Pemakaian saat ini sebesar ", + ), + "custom": MessageLookupByLibrary.simpleMessage("Kustom"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Gelap"), + "dayToday": MessageLookupByLibrary.simpleMessage("Hari Ini"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Kemarin"), + "decrypting": MessageLookupByLibrary.simpleMessage("Mendekripsi..."), + "decryptingVideo": MessageLookupByLibrary.simpleMessage( + "Mendekripsi video...", + ), + "delete": MessageLookupByLibrary.simpleMessage("Hapus"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Hapus akun"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Kami sedih kamu pergi. Silakan bagikan masukanmu agar kami bisa jadi lebih baik.", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Hapus Akun Secara Permanen", + ), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Hapus album"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Hapus foto (dan video) yang ada dalam album ini dari semua album lain yang juga menampungnya?", + ), + "deleteAll": MessageLookupByLibrary.simpleMessage("Hapus Semua"), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Silakan kirim email ke account-deletion@ente.io dari alamat email kamu yang terdaftar.", + ), + "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( + "Hapus album kosong", + ), + "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( + "Hapus album yang kosong?", + ), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage( + "Hapus dari keduanya", + ), + "deleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Hapus dari perangkat ini", + ), + "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Hapus dari Ente"), + "deleteItemCount": m21, + "deletePhotos": MessageLookupByLibrary.simpleMessage("Hapus foto"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Fitur penting yang saya perlukan tidak ada", + ), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "App ini atau fitur tertentu tidak bekerja sesuai harapan saya", + ), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Saya menemukan layanan lain yang lebih baik", + ), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "Alasan saya tidak ada di daftar", + ), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Permintaan kamu akan diproses dalam waktu 72 jam.", + ), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Hapus album bersama?", + ), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "Album ini akan di hapus untuk semua\n\nKamu akan kehilangan akses ke foto yang di bagikan dalam album ini yang di miliki oleh pengguna lain", + ), + "designedToOutlive": MessageLookupByLibrary.simpleMessage( + "Dibuat untuk melestarikan", + ), + "details": MessageLookupByLibrary.simpleMessage("Rincian"), + "developerSettings": MessageLookupByLibrary.simpleMessage( + "Pengaturan pengembang", + ), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Apakah kamu yakin ingin mengubah pengaturan pengembang?", + ), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Masukkan kode"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "File yang ditambahkan ke album perangkat ini akan diunggah ke Ente secara otomatis.", + ), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Nonaktfikan kunci layar perangkat saat Ente berada di latar depan dan ada pencadangan yang sedang berlangsung. Hal ini biasanya tidak diperlukan, namun dapat membantu unggahan dan import awal berkas berkas besar selesai lebih cepat.", + ), + "deviceNotFound": MessageLookupByLibrary.simpleMessage( + "Perangkat tidak ditemukan", + ), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Tahukah kamu?"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage( + "Nonaktifkan kunci otomatis", + ), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Orang yang melihat masih bisa mengambil tangkapan layar atau menyalin foto kamu menggunakan alat eksternal", + ), + "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( + "Perlu diketahui", + ), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "Nonaktifkan autentikasi dua langkah", + ), + "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( + "Menonaktifkan autentikasi dua langkah...", + ), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Temukan"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Bayi"), + "discover_celebrations": MessageLookupByLibrary.simpleMessage("Perayaan"), + "discover_food": MessageLookupByLibrary.simpleMessage("Makanan"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Bukit"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Identitas"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Meme"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Catatan"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Hewan"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Tanda Terima"), + "discover_screenshots": MessageLookupByLibrary.simpleMessage( + "Tangkapan layar", + ), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Swafoto"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Senja"), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Gambar latar"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage( + "Jangan keluarkan akun", + ), + "doThisLater": MessageLookupByLibrary.simpleMessage("Lakukan lain kali"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Apakah kamu ingin membuang edit yang telah kamu buat?", + ), + "done": MessageLookupByLibrary.simpleMessage("Selesai"), + "doubleYourStorage": MessageLookupByLibrary.simpleMessage( + "Gandakan kuota kamu", + ), + "download": MessageLookupByLibrary.simpleMessage("Unduh"), + "downloadFailed": MessageLookupByLibrary.simpleMessage("Gagal mengunduh"), + "downloading": MessageLookupByLibrary.simpleMessage("Mengunduh..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "edit": MessageLookupByLibrary.simpleMessage("Edit"), + "editLocation": MessageLookupByLibrary.simpleMessage("Edit lokasi"), + "editLocationTagTitle": MessageLookupByLibrary.simpleMessage("Edit lokasi"), + "editsSaved": MessageLookupByLibrary.simpleMessage("Perubahan tersimpan"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Perubahan lokasi hanya akan terlihat di Ente", + ), + "eligible": MessageLookupByLibrary.simpleMessage("memenuhi syarat"), + "email": MessageLookupByLibrary.simpleMessage("Email"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "Email sudah terdaftar.", + ), + "emailChangedTo": m29, + "emailNoEnteAccount": m31, + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "Email belum terdaftar.", + ), + "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( + "Verifikasi email", + ), + "empty": MessageLookupByLibrary.simpleMessage("Kosongkan"), + "emptyTrash": MessageLookupByLibrary.simpleMessage("Kosongkan sampah?"), + "enableMaps": MessageLookupByLibrary.simpleMessage("Aktifkan Peta"), + "encryptingBackup": MessageLookupByLibrary.simpleMessage( + "Mengenkripsi cadangan...", + ), + "encryption": MessageLookupByLibrary.simpleMessage("Enkripsi"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage("Kunci enkripsi"), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Endpoint berhasil diubah", + ), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Dirancang dengan enkripsi ujung ke ujung", + ), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente hanya dapat mengenkripsi dan menyimpan file jika kamu berikan izin", + ), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente memerlukan izin untuk menyimpan fotomu", + ), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "Ente memelihara kenanganmu, sehingga ia selalu tersedia untukmu, bahkan jika kamu kehilangan perangkatmu.", + ), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Anggota keluargamu juga bisa ditambahkan ke paketmu.", + ), + "enterAlbumName": MessageLookupByLibrary.simpleMessage( + "Masukkan nama album", + ), + "enterCode": MessageLookupByLibrary.simpleMessage("Masukkan kode"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Masukkan kode yang diberikan temanmu untuk memperoleh kuota gratis untuk kalian berdua", + ), + "enterEmail": MessageLookupByLibrary.simpleMessage("Masukkan email"), + "enterFileName": MessageLookupByLibrary.simpleMessage("Masukkan nama file"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Masukkan sandi baru yang bisa kami gunakan untuk mengenkripsi data kamu", + ), + "enterPassword": MessageLookupByLibrary.simpleMessage("Masukkan sandi"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Masukkan sandi yang bisa kami gunakan untuk mengenkripsi data kamu", + ), + "enterPersonName": MessageLookupByLibrary.simpleMessage( + "Masukkan nama orang", + ), + "enterReferralCode": MessageLookupByLibrary.simpleMessage( + "Masukkan kode rujukan", + ), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Masukkan kode 6 angka dari\napp autentikator kamu", + ), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Harap masukkan alamat email yang sah.", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Masukkan alamat email kamu", + ), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Masukkan alamat email baru anda", + ), + "enterYourPassword": MessageLookupByLibrary.simpleMessage( + "Masukkan sandi kamu", + ), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Masukkan kunci pemulihan kamu", + ), + "error": MessageLookupByLibrary.simpleMessage("Kesalahan"), + "everywhere": MessageLookupByLibrary.simpleMessage("di mana saja"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": MessageLookupByLibrary.simpleMessage("Masuk"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Link ini telah kedaluwarsa. Silakan pilih waktu kedaluwarsa baru atau nonaktifkan waktu kedaluwarsa.", + ), + "exportLogs": MessageLookupByLibrary.simpleMessage("Ekspor log"), + "exportYourData": MessageLookupByLibrary.simpleMessage("Ekspor data kamu"), + "faceRecognition": MessageLookupByLibrary.simpleMessage("Pengenalan wajah"), + "faces": MessageLookupByLibrary.simpleMessage("Wajah"), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage( + "Gagal menerapkan kode", + ), + "failedToCancel": MessageLookupByLibrary.simpleMessage("Gagal membatalkan"), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( + "Gagal mengunduh video", + ), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Gagal memuat file asli untuk mengedit", + ), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Tidak dapat mengambil kode rujukan. Harap ulang lagi nanti.", + ), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "Gagal memuat album", + ), + "failedToRenew": MessageLookupByLibrary.simpleMessage( + "Gagal memperpanjang", + ), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Gagal memeriksa status pembayaran", + ), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Tambahkan 5 anggota keluarga ke paket kamu tanpa perlu bayar lebih.\n\nSetiap anggota mendapat ruang pribadi mereka sendiri, dan tidak dapat melihat file orang lain kecuali dibagikan.\n\nPaket keluarga tersedia bagi pelanggan yang memiliki langganan berbayar Ente.\n\nLangganan sekarang untuk mulai!", + ), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Keluarga"), + "familyPlans": MessageLookupByLibrary.simpleMessage("Paket keluarga"), + "faq": MessageLookupByLibrary.simpleMessage("Tanya Jawab Umum"), + "faqs": MessageLookupByLibrary.simpleMessage("Tanya Jawab Umum"), + "favorite": MessageLookupByLibrary.simpleMessage("Favorit"), + "feedback": MessageLookupByLibrary.simpleMessage("Masukan"), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Gagal menyimpan file ke galeri", + ), + "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( + "Tambahkan keterangan...", + ), + "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( + "File tersimpan ke galeri", + ), + "fileTypes": MessageLookupByLibrary.simpleMessage("Jenis file"), + "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( + "Nama dan jenis file", + ), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage("File terhapus"), + "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( + "File tersimpan ke galeri", + ), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "Telusuri orang dengan mudah menggunakan nama", + ), + "flip": MessageLookupByLibrary.simpleMessage("Balik"), + "forYourMemories": MessageLookupByLibrary.simpleMessage("untuk kenanganmu"), + "forgotPassword": MessageLookupByLibrary.simpleMessage("Lupa sandi"), + "foundFaces": MessageLookupByLibrary.simpleMessage("Wajah yang ditemukan"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( + "Kuota gratis diperoleh", + ), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Kuota gratis yang dapat digunakan", + ), + "freeTrial": MessageLookupByLibrary.simpleMessage("Percobaan gratis"), + "freeTrialValidTill": m38, + "freeUpAmount": m40, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( + "Bersihkan penyimpanan perangkat", + ), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Hemat ruang penyimpanan di perangkatmu dengan membersihkan file yang sudah tercadangkan.", + ), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("Bersihkan ruang"), + "general": MessageLookupByLibrary.simpleMessage("Umum"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Menghasilkan kunci enkripsi...", + ), + "genericProgress": m42, + "goToSettings": MessageLookupByLibrary.simpleMessage("Buka pengaturan"), + "googlePlayId": MessageLookupByLibrary.simpleMessage("ID Google Play"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Harap berikan akses ke semua foto di app Pengaturan", + ), + "grantPermission": MessageLookupByLibrary.simpleMessage("Berikan izin"), + "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( + "Kelompokkan foto yang berdekatan", + ), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Dari mana Anda menemukan Ente? (opsional)", + ), + "help": MessageLookupByLibrary.simpleMessage("Bantuan"), + "hidden": MessageLookupByLibrary.simpleMessage("Tersembunyi"), + "hide": MessageLookupByLibrary.simpleMessage("Sembunyikan"), + "hiding": MessageLookupByLibrary.simpleMessage("Menyembunyikan..."), + "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( + "Dihosting oleh OSM France", + ), + "howItWorks": MessageLookupByLibrary.simpleMessage("Cara kerjanya"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Silakan minta dia untuk menekan lama alamat email-nya di layar pengaturan, dan pastikan bahwa ID di perangkatnya sama.", + ), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Autentikasi biometrik belum aktif di perangkatmu. Silakan aktifkan Touch ID atau Face ID pada ponselmu.", + ), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Abaikan"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Sejumlah file di album ini tidak terunggah karena telah dihapus sebelumnya dari Ente.", + ), + "importing": MessageLookupByLibrary.simpleMessage("Mengimpor...."), + "incorrectCode": MessageLookupByLibrary.simpleMessage("Kode salah"), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Sandi salah", + ), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Kunci pemulihan salah", + ), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Kunci pemulihan yang kamu masukkan salah", + ), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Kunci pemulihan salah", + ), + "indexedItems": MessageLookupByLibrary.simpleMessage("Item terindeks"), + "insecureDevice": MessageLookupByLibrary.simpleMessage( + "Perangkat tidak aman", + ), + "installManually": MessageLookupByLibrary.simpleMessage( + "Instal secara manual", + ), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "Alamat email tidak sah", + ), + "invalidEndpoint": MessageLookupByLibrary.simpleMessage( + "Endpoint tidak sah", + ), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Maaf, endpoint yang kamu masukkan tidak sah. Harap masukkan endpoint yang sah dan coba lagi.", + ), + "invalidKey": MessageLookupByLibrary.simpleMessage("Kunci tidak sah"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Kunci pemulihan yang kamu masukkan tidak sah. Pastikan kunci tersebut berisi 24 kata, dan teliti ejaan masing-masing kata.\n\nJika kamu memasukkan kode pemulihan lama, pastikan kode tersebut berisi 64 karakter, dan teliti setiap karakter yang ada.", + ), + "invite": MessageLookupByLibrary.simpleMessage("Undang"), + "inviteToEnte": MessageLookupByLibrary.simpleMessage("Undang ke Ente"), + "inviteYourFriends": MessageLookupByLibrary.simpleMessage( + "Undang teman-temanmu", + ), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "Undang temanmu ke Ente", + ), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Sepertinya terjadi kesalahan. Silakan coba lagi setelah beberapa saat. Jika kesalahan terus terjadi, silakan hubungi tim dukungan kami.", + ), + "itemCount": m44, + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Item yang dipilih akan dihapus dari album ini", + ), + "joinDiscord": MessageLookupByLibrary.simpleMessage("Bergabung ke Discord"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Simpan foto"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Harap bantu kami dengan informasi ini", + ), + "language": MessageLookupByLibrary.simpleMessage("Bahasa"), + "lastUpdated": MessageLookupByLibrary.simpleMessage("Terakhir diperbarui"), + "leave": MessageLookupByLibrary.simpleMessage("Tinggalkan"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Tinggalkan album"), + "leaveFamily": MessageLookupByLibrary.simpleMessage("Tinggalkan keluarga"), + "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Tinggalkan album bersama?", + ), + "left": MessageLookupByLibrary.simpleMessage("Kiri"), + "light": MessageLookupByLibrary.simpleMessage("Cahaya"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Cerah"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Link tersalin ke papan klip", + ), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Batas perangkat"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Aktif"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Kedaluwarsa"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage( + "Waktu kedaluwarsa link", + ), + "linkHasExpired": MessageLookupByLibrary.simpleMessage( + "Link telah kedaluwarsa", + ), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Tidak pernah"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "Kamu bisa membagikan langgananmu dengan keluarga", + ), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "Kami menyimpan 3 salinan dari data kamu, salah satunya di tempat pengungsian bawah tanah", + ), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "App seluler kami berjalan di latar belakang untuk mengenkripsi dan mencadangkan foto yang kamu potret", + ), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io menyediakan alat pengunggah yang bagus", + ), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Kami menggunakan Xchacha20Poly1305 untuk mengenkripsi data-mu dengan aman", + ), + "loadingExifData": MessageLookupByLibrary.simpleMessage( + "Memuat data EXIF...", + ), + "loadingGallery": MessageLookupByLibrary.simpleMessage("Memuat galeri..."), + "loadingMessage": MessageLookupByLibrary.simpleMessage("Memuat fotomu..."), + "loadingModel": MessageLookupByLibrary.simpleMessage("Mengunduh model..."), + "localGallery": MessageLookupByLibrary.simpleMessage("Galeri lokal"), + "locationName": MessageLookupByLibrary.simpleMessage("Nama tempat"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Kunci"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Kunci layar"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Masuk akun"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Mengeluarkan akun..."), + "loginSessionExpired": MessageLookupByLibrary.simpleMessage( + "Sesi berakhir", + ), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "Sesi kamu telah berakhir. Silakan masuk akun kembali.", + ), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Dengan mengklik masuk akun, saya menyetujui ketentuan layanan dan kebijakan privasi Ente", + ), + "logout": MessageLookupByLibrary.simpleMessage("Keluar akun"), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Tekan dan tahan email untuk membuktikan enkripsi ujung ke ujung.", + ), + "lostDevice": MessageLookupByLibrary.simpleMessage("Perangkat hilang?"), + "machineLearning": MessageLookupByLibrary.simpleMessage( + "Pemelajaran mesin", + ), + "magicSearch": MessageLookupByLibrary.simpleMessage("Penelusuran ajaib"), + "manage": MessageLookupByLibrary.simpleMessage("Atur"), + "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( + "Mengelola cache perangkat", + ), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Tinjau dan hapus penyimpanan cache lokal.", + ), + "manageFamily": MessageLookupByLibrary.simpleMessage("Atur Keluarga"), + "manageLink": MessageLookupByLibrary.simpleMessage("Atur link"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Atur"), + "manageSubscription": MessageLookupByLibrary.simpleMessage( + "Atur langganan", + ), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "Tautkan dengan PIN berfungsi di layar mana pun yang kamu inginkan.", + ), + "map": MessageLookupByLibrary.simpleMessage("Peta"), + "maps": MessageLookupByLibrary.simpleMessage("Peta"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "merchandise": MessageLookupByLibrary.simpleMessage("Merchandise"), + "mlConsent": MessageLookupByLibrary.simpleMessage( + "Aktifkan pemelajaran mesin", + ), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Saya memahami, dan bersedia mengaktifkan pemelajaran mesin", + ), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Jika kamu mengaktifkan pemelajaran mesin, Ente akan memproses informasi seperti geometri wajah dari file yang ada, termasuk file yang dibagikan kepadamu.\n\nIni dijalankan pada perangkatmu, dan setiap informasi biometrik yang dibuat akan terenkripsi ujung ke ujung.", + ), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Klik di sini untuk detail lebih lanjut tentang fitur ini pada kebijakan privasi kami", + ), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "Aktifkan pemelajaran mesin?", + ), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Perlu diperhatikan bahwa pemelajaran mesin dapat meningkatkan penggunaan data dan baterai perangkat hingga seluruh item selesai terindeks. Gunakan aplikasi desktop untuk pengindeksan lebih cepat, seluruh hasil akan tersinkronkan secara otomatis.", + ), + "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( + "Seluler, Web, Desktop", + ), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Sedang"), + "moments": MessageLookupByLibrary.simpleMessage("Momen"), + "monthly": MessageLookupByLibrary.simpleMessage("Bulanan"), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("Pindahkan ke album"), + "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Pindahkan ke album tersembunyi", + ), + "movedSuccessfullyTo": m52, + "movedToTrash": MessageLookupByLibrary.simpleMessage("Pindah ke sampah"), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Memindahkan file ke album...", + ), + "name": MessageLookupByLibrary.simpleMessage("Nama"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Tidak dapat terhubung dengan Ente, silakan coba lagi setelah beberapa saat. Jika masalah berlanjut, harap hubungi dukungan.", + ), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Tidak dapat terhubung dengan Ente, harap periksa pengaturan jaringan kamu dan hubungi dukungan jika masalah berlanjut.", + ), + "never": MessageLookupByLibrary.simpleMessage("Tidak pernah"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Album baru"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Baru di Ente"), + "newest": MessageLookupByLibrary.simpleMessage("Terbaru"), + "no": MessageLookupByLibrary.simpleMessage("Tidak"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Belum ada album yang kamu bagikan", + ), + "noDeviceFound": MessageLookupByLibrary.simpleMessage( + "Tidak ditemukan perangkat", + ), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Tidak ada"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "Tidak ada file yang perlu dihapus dari perangkat ini", + ), + "noDuplicates": MessageLookupByLibrary.simpleMessage( + "✨ Tak ada file duplikat", + ), + "noExifData": MessageLookupByLibrary.simpleMessage("Tidak ada data EXIF"), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "Tidak ada foto atau video tersembunyi", + ), + "noInternetConnection": MessageLookupByLibrary.simpleMessage( + "Tidak ada koneksi internet", + ), + "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( + "Tidak ada foto yang sedang dicadangkan sekarang", + ), + "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( + "Tidak ada foto di sini", + ), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Tidak punya kunci pemulihan?", + ), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Karena sifat protokol enkripsi ujung ke ujung kami, data kamu tidak dapat didekripsi tanpa sandi atau kunci pemulihan kamu", + ), + "noResults": MessageLookupByLibrary.simpleMessage("Tidak ada hasil"), + "noResultsFound": MessageLookupByLibrary.simpleMessage( + "Tidak ditemukan hasil", + ), + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "Belum ada yang dibagikan denganmu", + ), + "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( + "Tidak ada apa-apa di sini! 👀", + ), + "notifications": MessageLookupByLibrary.simpleMessage("Notifikasi"), + "ok": MessageLookupByLibrary.simpleMessage("Oke"), + "onDevice": MessageLookupByLibrary.simpleMessage("Di perangkat ini"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "Di ente", + ), + "onlyFamilyAdminCanChangeCode": m55, + "oops": MessageLookupByLibrary.simpleMessage("Aduh"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Aduh, tidak dapat menyimpan perubahan", + ), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Aduh, terjadi kesalahan", + ), + "openSettings": MessageLookupByLibrary.simpleMessage("Buka Pengaturan"), + "openTheItem": MessageLookupByLibrary.simpleMessage("• Buka item-nya"), + "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( + "Kontributor OpenStreetMap", + ), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Opsional, pendek pun tak apa...", + ), + "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( + "Atau pilih yang sudah ada", + ), + "pair": MessageLookupByLibrary.simpleMessage("Tautkan"), + "pairWithPin": MessageLookupByLibrary.simpleMessage("Tautkan dengan PIN"), + "pairingComplete": MessageLookupByLibrary.simpleMessage( + "Penautan berhasil", + ), + "passkey": MessageLookupByLibrary.simpleMessage("Passkey"), + "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( + "Verifikasi passkey", + ), + "password": MessageLookupByLibrary.simpleMessage("Sandi"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Sandi berhasil diubah", + ), + "passwordLock": MessageLookupByLibrary.simpleMessage("Kunci dengan sandi"), + "passwordStrength": m57, + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Kami tidak menyimpan sandi ini, jadi jika kamu melupakannya, kami tidak akan bisa mendekripsi data kamu", + ), + "paymentDetails": MessageLookupByLibrary.simpleMessage( + "Rincian pembayaran", + ), + "paymentFailed": MessageLookupByLibrary.simpleMessage("Pembayaran gagal"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "Sayangnya, pembayaranmu gagal. Silakan hubungi tim bantuan agar dapat kami bantu!", + ), + "paymentFailedTalkToProvider": m58, + "pendingItems": MessageLookupByLibrary.simpleMessage("Item menunggu"), + "pendingSync": MessageLookupByLibrary.simpleMessage( + "Sinkronisasi tertunda", + ), + "people": MessageLookupByLibrary.simpleMessage("Orang"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Orang yang telah menggunakan kodemu", + ), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Semua item di sampah akan dihapus secara permanen\n\nTindakan ini tidak dapat dibatalkan", + ), + "permanentlyDelete": MessageLookupByLibrary.simpleMessage( + "Hapus secara permanen", + ), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Hapus dari perangkat secara permanen?", + ), + "photoDescriptions": MessageLookupByLibrary.simpleMessage( + "Keterangan foto", + ), + "photoGridSize": MessageLookupByLibrary.simpleMessage("Ukuran kotak foto"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), + "photos": MessageLookupByLibrary.simpleMessage("Foto"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "Foto yang telah kamu tambahkan akan dihapus dari album ini", + ), + "playOnTv": MessageLookupByLibrary.simpleMessage("Putar album di TV"), + "playStoreFreeTrialValidTill": m63, + "playstoreSubscription": MessageLookupByLibrary.simpleMessage( + "Langganan PlayStore", + ), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Silakan periksa koneksi internet kamu, lalu coba lagi.", + ), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Silakan hubungi support@ente.io dan kami akan dengan senang hati membantu!", + ), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Silakan hubungi tim bantuan jika masalah terus terjadi", + ), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( + "Harap berikan izin", + ), + "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( + "Silakan masuk akun lagi", + ), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("Silakan coba lagi"), + "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( + "Harap periksa kode yang kamu masukkan", + ), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Harap tunggu..."), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Harap tunggu, sedang menghapus album", + ), + "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( + "Harap tunggu beberapa saat sebelum mencoba lagi", + ), + "preparingLogs": MessageLookupByLibrary.simpleMessage("Menyiapkan log..."), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Tekan dan tahan untuk memutar video", + ), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Tekan dan tahan gambar untuk memutar video", + ), + "privacy": MessageLookupByLibrary.simpleMessage("Privasi"), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "Kebijakan Privasi", + ), + "privateBackups": MessageLookupByLibrary.simpleMessage("Cadangan pribadi"), + "privateSharing": MessageLookupByLibrary.simpleMessage( + "Berbagi secara privat", + ), + "publicLinkCreated": MessageLookupByLibrary.simpleMessage( + "Link publik dibuat", + ), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( + "Link publik aktif", + ), + "radius": MessageLookupByLibrary.simpleMessage("Radius"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Buat tiket dukungan"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("Nilai app ini"), + "rateUs": MessageLookupByLibrary.simpleMessage("Beri kami nilai"), + "rateUsOnStore": m68, + "recover": MessageLookupByLibrary.simpleMessage("Pulihkan"), + "recoverAccount": MessageLookupByLibrary.simpleMessage("Pulihkan akun"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Pulihkan"), + "recoveryKey": MessageLookupByLibrary.simpleMessage("Kunci pemulihan"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Kunci pemulihan tersalin ke papan klip", + ), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Saat kamu lupa sandi, satu-satunya cara untuk memulihkan data kamu adalah dengan kunci ini.", + ), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Kami tidak menyimpan kunci ini, jadi harap simpan kunci yang berisi 24 kata ini dengan aman.", + ), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Bagus! Kunci pemulihan kamu sah. Terima kasih telah melakukan verifikasi.\n\nHarap simpan selalu kunci pemulihan kamu dengan aman.", + ), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Kunci pemulihan terverifikasi", + ), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Kunci pemulihan kamu adalah satu-satunya cara untuk memulihkan foto-foto kamu jika kamu lupa kata sandi. Kamu bisa lihat kunci pemulihan kamu di Pengaturan > Akun.\n\nHarap masukkan kunci pemulihan kamu di sini untuk memastikan bahwa kamu telah menyimpannya dengan baik.", + ), + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "Pemulihan berhasil!", + ), + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Perangkat ini tidak cukup kuat untuk memverifikasi kata sandi kamu, tetapi kami dapat membuat ulang kata sandi kamu sehingga dapat digunakan di semua perangkat.\n\nSilakan masuk menggunakan kunci pemulihan dan buat ulang kata sandi kamu (kamu dapat menggunakan kata sandi yang sama lagi jika mau).", + ), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Buat ulang sandi", + ), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Berikan kode ini ke teman kamu", + ), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Ia perlu daftar ke paket berbayar", + ), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Referensi"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "Rujukan sedang dijeda", + ), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "Kosongkan juga “Baru Dihapus” dari “Pengaturan” -> “Penyimpanan” untuk memperoleh ruang yang baru saja dibersihkan", + ), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Kosongkan juga \"Sampah\" untuk memperoleh ruang yang baru dikosongkan", + ), + "remoteThumbnails": MessageLookupByLibrary.simpleMessage( + "Thumbnail jarak jauh", + ), + "remove": MessageLookupByLibrary.simpleMessage("Hapus"), + "removeDuplicates": MessageLookupByLibrary.simpleMessage("Hapus duplikat"), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Lihat dan hapus file yang sama persis.", + ), + "removeFromAlbum": MessageLookupByLibrary.simpleMessage("Hapus dari album"), + "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( + "Hapus dari album?", + ), + "removeLink": MessageLookupByLibrary.simpleMessage("Hapus link"), + "removeParticipant": MessageLookupByLibrary.simpleMessage("Hapus peserta"), + "removeParticipantBody": m74, + "removePersonLabel": MessageLookupByLibrary.simpleMessage( + "Hapus label orang", + ), + "removePublicLink": MessageLookupByLibrary.simpleMessage( + "Hapus link publik", + ), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Beberapa item yang kamu hapus ditambahkan oleh orang lain, dan kamu akan kehilangan akses ke item tersebut", + ), + "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Hapus?"), + "removingFromFavorites": MessageLookupByLibrary.simpleMessage( + "Menghapus dari favorit...", + ), + "rename": MessageLookupByLibrary.simpleMessage("Ubah nama"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("Ubah nama album"), + "renameFile": MessageLookupByLibrary.simpleMessage("Ubah nama file"), + "renewSubscription": MessageLookupByLibrary.simpleMessage( + "Perpanjang langganan", + ), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Laporkan bug"), + "reportBug": MessageLookupByLibrary.simpleMessage("Laporkan bug"), + "resendEmail": MessageLookupByLibrary.simpleMessage("Kirim ulang email"), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Atur ulang sandi", + ), + "restore": MessageLookupByLibrary.simpleMessage("Pulihkan"), + "restoringFiles": MessageLookupByLibrary.simpleMessage( + "Memulihkan file...", + ), + "retry": MessageLookupByLibrary.simpleMessage("Coba lagi"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Silakan lihat dan hapus item yang merupakan duplikat.", + ), + "right": MessageLookupByLibrary.simpleMessage("Kanan"), + "rotate": MessageLookupByLibrary.simpleMessage("Putar"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Putar ke kiri"), + "rotateRight": MessageLookupByLibrary.simpleMessage("Putar ke kanan"), + "safelyStored": MessageLookupByLibrary.simpleMessage("Tersimpan aman"), + "save": MessageLookupByLibrary.simpleMessage("Simpan"), + "saveKey": MessageLookupByLibrary.simpleMessage("Simpan kunci"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Jika belum, simpan kunci pemulihan kamu", + ), + "saving": MessageLookupByLibrary.simpleMessage("Menyimpan..."), + "savingEdits": MessageLookupByLibrary.simpleMessage("Menyimpan edit..."), + "scanCode": MessageLookupByLibrary.simpleMessage("Pindai kode"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Pindai barcode ini dengan\napp autentikator kamu", + ), + "search": MessageLookupByLibrary.simpleMessage("Telusuri"), + "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Album"), + "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage("Nama album"), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Nama album (cth. \"Kamera\")\n• Jenis file (cth. \"Video\", \".gif\")\n• Tahun atau bulan (cth. \"2022\", \"Januari\")\n• Musim liburan (cth. \"Natal\")\n• Keterangan foto (cth. “#seru”)", + ), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Tambah keterangan seperti \"#trip\" pada info foto agar mudah ditemukan di sini", + ), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Telusuri dengan tanggal, bulan, atau tahun", + ), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "Orang akan ditampilkan di sini setelah pengindeksan selesai", + ), + "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( + "Nama dan jenis file", + ), + "searchHint2": MessageLookupByLibrary.simpleMessage( + "Tanggal, keterangan foto", + ), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "Album, nama dan jenis file", + ), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "Segera tiba: Penelusuran wajah & ajaib ✨", + ), + "searchResultCount": m77, + "security": MessageLookupByLibrary.simpleMessage("Keamanan"), + "selectALocation": MessageLookupByLibrary.simpleMessage("Pilih lokasi"), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage( + "Pilih lokasi terlebih dahulu", + ), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Pilih album"), + "selectAll": MessageLookupByLibrary.simpleMessage("Pilih semua"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Pilih folder yang perlu dicadangkan", + ), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "Pilih item untuk ditambahkan", + ), + "selectLanguage": MessageLookupByLibrary.simpleMessage("Pilih Bahasa"), + "selectMorePhotos": MessageLookupByLibrary.simpleMessage( + "Pilih lebih banyak foto", + ), + "selectReason": MessageLookupByLibrary.simpleMessage("Pilih alasan"), + "selectYourPlan": MessageLookupByLibrary.simpleMessage("Pilih paket kamu"), + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "File terpilih tidak tersimpan di Ente", + ), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Folder yang terpilih akan dienkripsi dan dicadangkan", + ), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Item terpilih akan dihapus dari semua album dan dipindahkan ke sampah.", + ), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "send": MessageLookupByLibrary.simpleMessage("Kirim"), + "sendEmail": MessageLookupByLibrary.simpleMessage("Kirim email"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Kirim undangan"), + "sendLink": MessageLookupByLibrary.simpleMessage("Kirim link"), + "serverEndpoint": MessageLookupByLibrary.simpleMessage("Endpoint server"), + "sessionExpired": MessageLookupByLibrary.simpleMessage("Sesi berakhir"), + "setAPassword": MessageLookupByLibrary.simpleMessage("Atur sandi"), + "setAs": MessageLookupByLibrary.simpleMessage("Pasang sebagai"), + "setCover": MessageLookupByLibrary.simpleMessage("Ubah sampul"), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage("Atur sandi"), + "setupComplete": MessageLookupByLibrary.simpleMessage("Penyiapan selesai"), + "share": MessageLookupByLibrary.simpleMessage("Bagikan"), + "shareALink": MessageLookupByLibrary.simpleMessage("Bagikan link"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Buka album lalu ketuk tombol bagikan di sudut kanan atas untuk berbagi.", + ), + "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( + "Bagikan album sekarang", + ), + "shareLink": MessageLookupByLibrary.simpleMessage("Bagikan link"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Bagikan hanya dengan orang yang kamu inginkan", + ), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Unduh Ente agar kita bisa berbagi foto dan video kualitas asli dengan mudah\n\nhttps://ente.io", + ), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Bagikan ke pengguna non-Ente", + ), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( + "Bagikan album pertamamu", + ), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Buat album bersama dan kolaborasi dengan pengguna Ente lain, termasuk pengguna paket gratis.", + ), + "sharedByMe": MessageLookupByLibrary.simpleMessage("Dibagikan oleh saya"), + "sharedByYou": MessageLookupByLibrary.simpleMessage("Dibagikan oleh kamu"), + "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( + "Foto terbagi baru", + ), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Terima notifikasi apabila seseorang menambahkan foto ke album bersama yang kamu ikuti", + ), + "sharedWith": m87, + "sharedWithMe": MessageLookupByLibrary.simpleMessage( + "Dibagikan dengan saya", + ), + "sharedWithYou": MessageLookupByLibrary.simpleMessage( + "Dibagikan dengan kamu", + ), + "sharing": MessageLookupByLibrary.simpleMessage("Membagikan..."), + "showMemories": MessageLookupByLibrary.simpleMessage("Lihat kenangan"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "Keluarkan akun dari perangkat lain", + ), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Jika kamu merasa ada yang mengetahui sandimu, kamu bisa mengeluarkan akunmu secara paksa dari perangkat lain.", + ), + "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( + "Keluar di perangkat lain", + ), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Saya menyetujui ketentuan layanan dan kebijakan privasi Ente", + ), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Ia akan dihapus dari semua album.", + ), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Lewati"), + "social": MessageLookupByLibrary.simpleMessage("Sosial"), + "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( + "Sejumlah item tersimpan di Ente serta di perangkat ini.", + ), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Orang yang membagikan album denganmu bisa melihat ID yang sama di perangkat mereka.", + ), + "somethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Terjadi kesalahan", + ), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Terjadi kesalahan, silakan coba lagi", + ), + "sorry": MessageLookupByLibrary.simpleMessage("Maaf"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "Maaf, kami tidak dapat mencadangkan berkas ini sekarang, kami akan mencobanya kembali nanti.", + ), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Maaf, tidak dapat menambahkan ke favorit!", + ), + "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( + "Maaf, tidak dapat menghapus dari favorit!", + ), + "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "Maaf, kode yang kamu masukkan salah", + ), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Maaf, kami tidak dapat menghasilkan kunci yang aman di perangkat ini.\n\nHarap mendaftar dengan perangkat lain.", + ), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Urut berdasarkan"), + "sortNewestFirst": MessageLookupByLibrary.simpleMessage("Terbaru dulu"), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Terlama dulu"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Berhasil"), + "startBackup": MessageLookupByLibrary.simpleMessage("Mulai pencadangan"), + "status": MessageLookupByLibrary.simpleMessage("Status"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "Apakah kamu ingin menghentikan transmisi?", + ), + "stopCastingTitle": MessageLookupByLibrary.simpleMessage( + "Hentikan transmisi", + ), + "storage": MessageLookupByLibrary.simpleMessage("Penyimpanan"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Keluarga"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Kamu"), + "storageInGB": m93, + "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( + "Batas penyimpanan terlampaui", + ), + "storageUsageInfo": m94, + "strongStrength": MessageLookupByLibrary.simpleMessage("Kuat"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Berlangganan"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Anda memerlukan langganan berbayar yang aktif untuk bisa berbagi.", + ), + "subscription": MessageLookupByLibrary.simpleMessage("Langganan"), + "success": MessageLookupByLibrary.simpleMessage("Berhasil"), + "successfullyArchived": MessageLookupByLibrary.simpleMessage( + "Berhasil diarsipkan", + ), + "successfullyHid": MessageLookupByLibrary.simpleMessage( + "Berhasil disembunyikan", + ), + "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( + "Berhasil dikeluarkan dari arsip", + ), + "suggestFeatures": MessageLookupByLibrary.simpleMessage("Sarankan fitur"), + "support": MessageLookupByLibrary.simpleMessage("Dukungan"), + "syncStopped": MessageLookupByLibrary.simpleMessage( + "Sinkronisasi terhenti", + ), + "syncing": MessageLookupByLibrary.simpleMessage("Menyinkronkan..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("Sistem"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("ketuk untuk salin"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage( + "Ketuk untuk masukkan kode", + ), + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Sepertinya terjadi kesalahan. Silakan coba lagi setelah beberapa saat. Jika kesalahan terus terjadi, silakan hubungi tim dukungan kami.", + ), + "terminate": MessageLookupByLibrary.simpleMessage("Akhiri"), + "terminateSession": MessageLookupByLibrary.simpleMessage("Akhiri sesi?"), + "terms": MessageLookupByLibrary.simpleMessage("Ketentuan"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Ketentuan"), + "thankYou": MessageLookupByLibrary.simpleMessage("Terima kasih"), + "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( + "Terima kasih telah berlangganan!", + ), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "Unduhan tidak dapat diselesaikan", + ), + "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "Kunci pemulihan yang kamu masukkan salah", + ), + "theme": MessageLookupByLibrary.simpleMessage("Tema"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Item ini akan dihapus dari perangkat ini.", + ), + "theyAlsoGetXGb": m99, + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Tindakan ini tidak dapat dibatalkan", + ), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "Link kolaborasi untuk album ini sudah terbuat", + ), + "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( + "Ini dapat digunakan untuk memulihkan akunmu jika kehilangan metode autentikasi dua langkah kamu", + ), + "thisDevice": MessageLookupByLibrary.simpleMessage("Perangkat ini"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "Email ini telah digunakan", + ), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Gambar ini tidak memiliki data exif", + ), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Ini adalah ID Verifikasi kamu", + ), + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Ini akan mengeluarkan akunmu dari perangkat berikut:", + ), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Ini akan mengeluarkan akunmu dari perangkat ini!", + ), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( + "Untuk menyembunyikan foto atau video", + ), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Untuk mengatur ulang sandimu, harap verifikasi email kamu terlebih dahulu.", + ), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Log hari ini"), + "total": MessageLookupByLibrary.simpleMessage("total"), + "trash": MessageLookupByLibrary.simpleMessage("Sampah"), + "trim": MessageLookupByLibrary.simpleMessage("Pangkas"), + "tryAgain": MessageLookupByLibrary.simpleMessage("Coba lagi"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Aktifkan pencadangan untuk mengunggah file yang ditambahkan ke folder ini ke Ente secara otomatis.", + ), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "2 bulan gratis dengan paket tahunan", + ), + "twofactor": MessageLookupByLibrary.simpleMessage( + "Autentikasi dua langkah", + ), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "Autentikasi dua langkah telah dinonaktifkan", + ), + "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( + "Autentikasi dua langkah", + ), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "Autentikasi dua langkah berhasil direset", + ), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Penyiapan autentikasi dua langkah", + ), + "unarchive": MessageLookupByLibrary.simpleMessage("Keluarkan dari arsip"), + "unarchiveAlbum": MessageLookupByLibrary.simpleMessage( + "Keluarkan album dari arsip", + ), + "unarchiving": MessageLookupByLibrary.simpleMessage( + "Mengeluarkan dari arsip...", + ), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Maaf, kode ini tidak tersedia.", + ), + "uncategorized": MessageLookupByLibrary.simpleMessage("Tak Berkategori"), + "unlock": MessageLookupByLibrary.simpleMessage("Buka"), + "unselectAll": MessageLookupByLibrary.simpleMessage( + "Batalkan semua pilihan", + ), + "update": MessageLookupByLibrary.simpleMessage("Perbarui"), + "updateAvailable": MessageLookupByLibrary.simpleMessage( + "Pembaruan tersedia", + ), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Memperbaharui pilihan folder...", + ), + "upgrade": MessageLookupByLibrary.simpleMessage("Tingkatkan"), + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Mengunggah file ke album...", + ), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "Potongan hingga 50%, sampai 4 Des.", + ), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "Kuota yang dapat digunakan dibatasi oleh paket kamu saat ini. Kelebihan kuota yang diklaim akan dapat digunakan secara otomatis saat meningkatkan paket kamu.", + ), + "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Bagikan link publik ke orang yang tidak menggunakan Ente", + ), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Gunakan kunci pemulihan", + ), + "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( + "Gunakan foto terpilih", + ), + "validTill": m110, + "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Verifikasi gagal, silakan coba lagi", + ), + "verificationId": MessageLookupByLibrary.simpleMessage("ID Verifikasi"), + "verify": MessageLookupByLibrary.simpleMessage("Verifikasi"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("Verifikasi email"), + "verifyEmailID": m111, + "verifyPasskey": MessageLookupByLibrary.simpleMessage("Verifikasi passkey"), + "verifyPassword": MessageLookupByLibrary.simpleMessage("Verifikasi sandi"), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Memverifikasi kunci pemulihan...", + ), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), + "videos": MessageLookupByLibrary.simpleMessage("Video"), + "viewActiveSessions": MessageLookupByLibrary.simpleMessage( + "Lihat sesi aktif", + ), + "viewAll": MessageLookupByLibrary.simpleMessage("Lihat semua"), + "viewAllExifData": MessageLookupByLibrary.simpleMessage( + "Lihat seluruh data EXIF", + ), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage( + "File berukuran besar", + ), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Tampilkan file yang paling besar mengonsumsi ruang penyimpanan.", + ), + "viewLogs": MessageLookupByLibrary.simpleMessage("Lihat log"), + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Lihat kunci pemulihan", + ), + "viewer": MessageLookupByLibrary.simpleMessage("Pemirsa"), + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Silakan buka web.ente.io untuk mengatur langgananmu", + ), + "waitingForVerification": MessageLookupByLibrary.simpleMessage( + "Menunggu verifikasi...", + ), + "waitingForWifi": MessageLookupByLibrary.simpleMessage("Menunggu WiFi..."), + "weAreOpenSource": MessageLookupByLibrary.simpleMessage( + "Kode sumber kami terbuka!", + ), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Lemah"), + "welcomeBack": MessageLookupByLibrary.simpleMessage( + "Selamat datang kembali!", + ), + "whatsNew": MessageLookupByLibrary.simpleMessage("Hal yang baru"), + "yearly": MessageLookupByLibrary.simpleMessage("Tahunan"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Ya"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Ya, batalkan"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "Ya, ubah ke pemirsa", + ), + "yesDelete": MessageLookupByLibrary.simpleMessage("Ya, hapus"), + "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( + "Ya, buang perubahan", + ), + "yesLogout": MessageLookupByLibrary.simpleMessage("Ya, keluar"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Ya, hapus"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Ya, Perpanjang"), + "you": MessageLookupByLibrary.simpleMessage("Kamu"), + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( + "Kamu menggunakan paket keluarga!", + ), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Kamu menggunakan versi terbaru", + ), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Maksimal dua kali lipat dari kuota penyimpananmu", + ), + "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( + "Kamu bisa atur link yang telah kamu buat di tab berbagi.", + ), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "Kamu tidak dapat turun ke paket ini", + ), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Kamu tidak bisa berbagi dengan dirimu sendiri", + ), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "Kamu tidak memiliki item di arsip.", + ), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "Akunmu telah dihapus", + ), + "yourMap": MessageLookupByLibrary.simpleMessage("Peta kamu"), + "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( + "Paket kamu berhasil di turunkan", + ), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "Paket kamu berhasil ditingkatkan", + ), + "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( + "Pembelianmu berhasil", + ), + "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( + "Rincian penyimpananmu tidak dapat dimuat", + ), + "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( + "Langgananmu telah berakhir", + ), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "Langgananmu telah berhasil diperbarui", + ), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "Kode verifikasi kamu telah kedaluwarsa", + ), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( + "Perkecil peta untuk melihat foto lainnya", + ), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_it.dart b/mobile/apps/photos/lib/generated/intl/messages_it.dart index 0981b4774e..a64bf4f91c 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_it.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_it.dart @@ -57,12 +57,7 @@ class MessageLookup extends MessageLookupByLibrary { "${user} non sarà più in grado di aggiungere altre foto a questo album\n\nSarà ancora in grado di rimuovere le foto esistenti aggiunte da lui o lei"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, { - 'true': - 'Il tuo piano famiglia ha già richiesto ${storageAmountInGb} GB finora', - 'false': 'Hai già richiesto ${storageAmountInGb} GB finora', - 'other': 'Hai già richiesto ${storageAmountInGb} GB finora!', - })}"; + "${Intl.select(isFamilyMember, {'true': 'Il tuo piano famiglia ha già richiesto ${storageAmountInGb} GB finora', 'false': 'Hai già richiesto ${storageAmountInGb} GB finora', 'other': 'Hai già richiesto ${storageAmountInGb} GB finora!'})}"; static String m15(albumName) => "Link collaborativo creato per ${albumName}"; @@ -263,7 +258,11 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => + usedAmount, + usedStorageUnit, + totalAmount, + totalStorageUnit, + ) => "${usedAmount} ${usedStorageUnit} di ${totalAmount} ${totalStorageUnit} utilizzati"; static String m95(id) => @@ -327,1956 +326,2476 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Una nuova versione di Ente è disponibile."), - "about": MessageLookupByLibrary.simpleMessage("Info"), - "acceptTrustInvite": - MessageLookupByLibrary.simpleMessage("Accetta l\'invito"), - "account": MessageLookupByLibrary.simpleMessage("Account"), - "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( - "L\'account è già configurato."), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("Bentornato!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Comprendo che se perdo la password potrei perdere l\'accesso ai miei dati poiché sono criptati end-to-end."), - "actionNotSupportedOnFavouritesAlbum": - MessageLookupByLibrary.simpleMessage( - "Questa azione non è supportata nei Preferiti"), - "activeSessions": - MessageLookupByLibrary.simpleMessage("Sessioni attive"), - "add": MessageLookupByLibrary.simpleMessage("Aggiungi"), - "addAName": MessageLookupByLibrary.simpleMessage("Aggiungi un nome"), - "addANewEmail": - MessageLookupByLibrary.simpleMessage("Aggiungi una nuova email"), - "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Aggiungi un widget per gli album nella schermata iniziale e torna qui per personalizzarlo."), - "addCollaborator": - MessageLookupByLibrary.simpleMessage("Aggiungi collaboratore"), - "addCollaborators": m1, - "addFiles": MessageLookupByLibrary.simpleMessage("Aggiungi File"), - "addFromDevice": - MessageLookupByLibrary.simpleMessage("Aggiungi dal dispositivo"), - "addItem": m2, - "addLocation": MessageLookupByLibrary.simpleMessage("Aggiungi luogo"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Aggiungi"), - "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Aggiungi un widget dei ricordi nella schermata iniziale e torna qui per personalizzarlo."), - "addMore": MessageLookupByLibrary.simpleMessage("Aggiungi altri"), - "addName": MessageLookupByLibrary.simpleMessage("Aggiungi nome"), - "addNameOrMerge": - MessageLookupByLibrary.simpleMessage("Aggiungi nome o unisci"), - "addNew": MessageLookupByLibrary.simpleMessage("Aggiungi nuovo"), - "addNewPerson": - MessageLookupByLibrary.simpleMessage("Aggiungi nuova persona"), - "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( - "Dettagli dei componenti aggiuntivi"), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("Componenti aggiuntivi"), - "addParticipants": - MessageLookupByLibrary.simpleMessage("Aggiungi Partecipanti"), - "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Aggiungi un widget delle persone nella schermata iniziale e torna qui per personalizzarlo."), - "addPhotos": MessageLookupByLibrary.simpleMessage("Aggiungi foto"), - "addSelected": - MessageLookupByLibrary.simpleMessage("Aggiungi selezionate"), - "addToAlbum": - MessageLookupByLibrary.simpleMessage("Aggiungi all\'album"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Aggiungi a Ente"), - "addToHiddenAlbum": - MessageLookupByLibrary.simpleMessage("Aggiungi ad album nascosto"), - "addTrustedContact": - MessageLookupByLibrary.simpleMessage("Aggiungi contatto fidato"), - "addViewer": - MessageLookupByLibrary.simpleMessage("Aggiungi in sola lettura"), - "addViewers": m4, - "addYourPhotosNow": - MessageLookupByLibrary.simpleMessage("Aggiungi le tue foto ora"), - "addedAs": MessageLookupByLibrary.simpleMessage("Aggiunto come"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": - MessageLookupByLibrary.simpleMessage("Aggiunto ai preferiti..."), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("Avanzate"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Avanzate"), - "after1Day": MessageLookupByLibrary.simpleMessage("Dopo un giorno"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Dopo un’ora "), - "after1Month": MessageLookupByLibrary.simpleMessage("Dopo un mese"), - "after1Week": - MessageLookupByLibrary.simpleMessage("Dopo una settimana"), - "after1Year": MessageLookupByLibrary.simpleMessage("Dopo un anno"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Proprietario"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Titolo album"), - "albumUpdated": - MessageLookupByLibrary.simpleMessage("Album aggiornato"), - "albums": MessageLookupByLibrary.simpleMessage("Album"), - "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Seleziona gli album che desideri vedere nella schermata principale."), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Tutto pulito"), - "allMemoriesPreserved": - MessageLookupByLibrary.simpleMessage("Tutti i ricordi conservati"), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "Tutti i raggruppamenti per questa persona saranno resettati e perderai tutti i suggerimenti fatti per questa persona"), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "Questo è il primo nel gruppo. Altre foto selezionate si sposteranno automaticamente in base a questa nuova data"), - "allow": MessageLookupByLibrary.simpleMessage("Consenti"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Permetti anche alle persone con il link di aggiungere foto all\'album condiviso."), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( - "Consenti l\'aggiunta di foto"), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "Consenti all\'app di aprire link all\'album condiviso"), - "allowDownloads": - MessageLookupByLibrary.simpleMessage("Consenti download"), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Permetti alle persone di aggiungere foto"), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Permetti l\'accesso alle tue foto da Impostazioni in modo che Ente possa visualizzare e fare il backup della tua libreria."), - "allowPermTitle": MessageLookupByLibrary.simpleMessage( - "Consenti l\'accesso alle foto"), - "androidBiometricHint": - MessageLookupByLibrary.simpleMessage("Verifica l\'identità"), - "androidBiometricNotRecognized": - MessageLookupByLibrary.simpleMessage("Non riconosciuto. Riprova."), - "androidBiometricRequiredTitle": - MessageLookupByLibrary.simpleMessage("Autenticazione biometrica"), - "androidBiometricSuccess": - MessageLookupByLibrary.simpleMessage("Operazione riuscita"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Annulla"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage( - "Inserisci le credenziali del dispositivo"), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage( - "Inserisci le credenziali del dispositivo"), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "L\'autenticazione biometrica non è impostata sul tuo dispositivo. Vai a \'Impostazioni > Sicurezza\' per impostarla."), - "androidIosWebDesktop": - MessageLookupByLibrary.simpleMessage("Android, iOS, Web, Desktop"), - "androidSignInTitle": - MessageLookupByLibrary.simpleMessage("Autenticazione necessaria"), - "appIcon": MessageLookupByLibrary.simpleMessage("Icona dell\'app"), - "appLock": MessageLookupByLibrary.simpleMessage("Blocco app"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Scegli tra la schermata di blocco predefinita del dispositivo e una schermata di blocco personalizzata con PIN o password."), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), - "apply": MessageLookupByLibrary.simpleMessage("Applica"), - "applyCodeTitle": - MessageLookupByLibrary.simpleMessage("Applica codice"), - "appstoreSubscription": - MessageLookupByLibrary.simpleMessage("abbonamento AppStore"), - "archive": MessageLookupByLibrary.simpleMessage("Archivio"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("Archivia album"), - "archiving": MessageLookupByLibrary.simpleMessage("Archiviazione..."), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Sei sicuro di voler uscire dal piano famiglia?"), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "Sicuro di volerlo cancellare?"), - "areYouSureYouWantToChangeYourPlan": - MessageLookupByLibrary.simpleMessage( - "Sei sicuro di voler cambiare il piano?"), - "areYouSureYouWantToExit": - MessageLookupByLibrary.simpleMessage("Sei sicuro di voler uscire?"), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Sei sicuro di volerti disconnettere?"), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "Sei sicuro di volere rinnovare?"), - "areYouSureYouWantToResetThisPerson": - MessageLookupByLibrary.simpleMessage( - "Sei sicuro di voler resettare questa persona?"), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "Il tuo abbonamento è stato annullato. Vuoi condividere il motivo?"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Qual è il motivo principale per cui stai cancellando il tuo account?"), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Invita amici, amiche e parenti su ente"), - "atAFalloutShelter": - MessageLookupByLibrary.simpleMessage("in un rifugio antiatomico"), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Autenticati per modificare la verifica email"), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Autenticati per modificare le impostazioni della schermata di blocco"), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Autenticati per cambiare la tua email"), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Autenticati per cambiare la tua password"), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Autenticati per configurare l\'autenticazione a due fattori"), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Autenticati per avviare l\'eliminazione dell\'account"), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Autenticati per gestire i tuoi contatti fidati"), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Autenticati per visualizzare le tue passkey"), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Autenticati per visualizzare i file cancellati"), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Autenticati per visualizzare le sessioni attive"), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Autenticati per visualizzare i file nascosti"), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Autenticati per visualizzare le tue foto"), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Autenticati per visualizzare la tua chiave di recupero"), - "authenticating": - MessageLookupByLibrary.simpleMessage("Autenticazione..."), - "authenticationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Autenticazione non riuscita, prova di nuovo"), - "authenticationSuccessful": - MessageLookupByLibrary.simpleMessage("Autenticazione riuscita!"), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Qui vedrai i dispositivi disponibili per la trasmissione."), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Assicurarsi che le autorizzazioni della rete locale siano attivate per l\'app Ente Photos nelle Impostazioni."), - "autoLock": MessageLookupByLibrary.simpleMessage("Blocco automatico"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Tempo dopo il quale l\'applicazione si blocca dopo essere stata messa in background"), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "A causa di problemi tecnici, sei stato disconnesso. Ci scusiamo per l\'inconveniente."), - "autoPair": - MessageLookupByLibrary.simpleMessage("Associazione automatica"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "L\'associazione automatica funziona solo con i dispositivi che supportano Chromecast."), - "available": MessageLookupByLibrary.simpleMessage("Disponibile"), - "availableStorageSpace": m10, - "backedUpFolders": - MessageLookupByLibrary.simpleMessage("Cartelle salvate"), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("Backup"), - "backupFailed": MessageLookupByLibrary.simpleMessage("Backup fallito"), - "backupFile": MessageLookupByLibrary.simpleMessage("File di backup"), - "backupOverMobileData": - MessageLookupByLibrary.simpleMessage("Backup su dati mobili"), - "backupSettings": - MessageLookupByLibrary.simpleMessage("Impostazioni backup"), - "backupStatus": MessageLookupByLibrary.simpleMessage("Stato backup"), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Gli elementi che sono stati sottoposti a backup verranno mostrati qui"), - "backupVideos": - MessageLookupByLibrary.simpleMessage("Backup dei video"), - "beach": MessageLookupByLibrary.simpleMessage("Sabbia e mare"), - "birthday": MessageLookupByLibrary.simpleMessage("Compleanno"), - "birthdayNotifications": - MessageLookupByLibrary.simpleMessage("Notifiche dei compleanni"), - "birthdays": MessageLookupByLibrary.simpleMessage("Compleanni"), - "blackFridaySale": - MessageLookupByLibrary.simpleMessage("Offerta del Black Friday"), - "blog": MessageLookupByLibrary.simpleMessage("Blog"), - "cachedData": MessageLookupByLibrary.simpleMessage("Dati nella cache"), - "calculating": MessageLookupByLibrary.simpleMessage("Calcolando..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Spiacente, questo album non può essere aperto nell\'app."), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( - "Impossibile aprire questo album"), - "canNotUploadToAlbumsOwnedByOthers": - MessageLookupByLibrary.simpleMessage( - "Impossibile caricare su album di proprietà altrui"), - "canOnlyCreateLinkForFilesOwnedByYou": - MessageLookupByLibrary.simpleMessage( - "Puoi creare solo link per i file di tua proprietà"), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Puoi rimuovere solo i file di tua proprietà"), - "cancel": MessageLookupByLibrary.simpleMessage("Annulla"), - "cancelAccountRecovery": - MessageLookupByLibrary.simpleMessage("Annulla il recupero"), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "Sei sicuro di voler annullare il recupero?"), - "cancelOtherSubscription": m12, - "cancelSubscription": - MessageLookupByLibrary.simpleMessage("Annulla abbonamento"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Impossibile eliminare i file condivisi"), - "castAlbum": MessageLookupByLibrary.simpleMessage("Trasmetti album"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Assicurati di essere sulla stessa rete della TV."), - "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( - "Errore nel trasmettere l\'album"), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Visita cast.ente.io sul dispositivo che vuoi abbinare.\n\nInserisci il codice qui sotto per riprodurre l\'album sulla tua TV."), - "centerPoint": MessageLookupByLibrary.simpleMessage("Punto centrale"), - "change": MessageLookupByLibrary.simpleMessage("Cambia"), - "changeEmail": MessageLookupByLibrary.simpleMessage("Modifica email"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Cambiare la posizione degli elementi selezionati?"), - "changePassword": - MessageLookupByLibrary.simpleMessage("Cambia password"), - "changePasswordTitle": - MessageLookupByLibrary.simpleMessage("Modifica password"), - "changePermissions": - MessageLookupByLibrary.simpleMessage("Cambio i permessi?"), - "changeYourReferralCode": - MessageLookupByLibrary.simpleMessage("Cambia il tuo codice invito"), - "checkForUpdates": - MessageLookupByLibrary.simpleMessage("Controlla aggiornamenti"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Per favore, controlla la tua casella di posta (e lo spam) per completare la verifica"), - "checkStatus": MessageLookupByLibrary.simpleMessage("Verifica stato"), - "checking": - MessageLookupByLibrary.simpleMessage("Controllo in corso..."), - "checkingModels": - MessageLookupByLibrary.simpleMessage("Verifica dei modelli..."), - "city": MessageLookupByLibrary.simpleMessage("In città"), - "claimFreeStorage": - MessageLookupByLibrary.simpleMessage("Richiedi spazio gratuito"), - "claimMore": MessageLookupByLibrary.simpleMessage("Richiedine di più!"), - "claimed": MessageLookupByLibrary.simpleMessage("Riscattato"), - "claimedStorageSoFar": m14, - "cleanUncategorized": - MessageLookupByLibrary.simpleMessage("Pulisci Senza Categoria"), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Rimuovi tutti i file da Senza Categoria che sono presenti in altri album"), - "clearCaches": MessageLookupByLibrary.simpleMessage("Svuota cache"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Cancella indici"), - "click": MessageLookupByLibrary.simpleMessage("• Clic"), - "clickOnTheOverflowMenu": - MessageLookupByLibrary.simpleMessage("• Fai clic sul menu"), - "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( - "Clicca per installare l\'ultima versione dell\'app"), - "close": MessageLookupByLibrary.simpleMessage("Chiudi"), - "clubByCaptureTime": - MessageLookupByLibrary.simpleMessage("Club per tempo di cattura"), - "clubByFileName": - MessageLookupByLibrary.simpleMessage("Unisci per nome file"), - "clusteringProgress": MessageLookupByLibrary.simpleMessage( - "Progresso del raggruppamento"), - "codeAppliedPageTitle": - MessageLookupByLibrary.simpleMessage("Codice applicato"), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Siamo spiacenti, hai raggiunto il limite di modifiche del codice."), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Codice copiato negli appunti"), - "codeUsedByYou": - MessageLookupByLibrary.simpleMessage("Codice utilizzato da te"), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Crea un link per consentire alle persone di aggiungere e visualizzare foto nel tuo album condiviso senza bisogno di un\'applicazione o di un account Ente. Ottimo per raccogliere foto di un evento."), - "collaborativeLink": - MessageLookupByLibrary.simpleMessage("Link collaborativo"), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Collaboratore"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "I collaboratori possono aggiungere foto e video all\'album condiviso."), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("Disposizione"), - "collageSaved": MessageLookupByLibrary.simpleMessage( - "Collage salvato nella galleria"), - "collect": MessageLookupByLibrary.simpleMessage("Raccogli"), - "collectEventPhotos": MessageLookupByLibrary.simpleMessage( - "Raccogli le foto di un evento"), - "collectPhotos": - MessageLookupByLibrary.simpleMessage("Raccogli le foto"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Crea un link dove i tuoi amici possono caricare le foto in qualità originale."), - "color": MessageLookupByLibrary.simpleMessage("Colore"), - "configuration": MessageLookupByLibrary.simpleMessage("Configurazione"), - "confirm": MessageLookupByLibrary.simpleMessage("Conferma"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Sei sicuro di voler disattivare l\'autenticazione a due fattori?"), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Conferma eliminazione account"), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Sì, voglio eliminare definitivamente questo account e i dati associati a esso su tutte le applicazioni."), - "confirmPassword": - MessageLookupByLibrary.simpleMessage("Conferma password"), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage( - "Conferma le modifiche al piano"), - "confirmRecoveryKey": - MessageLookupByLibrary.simpleMessage("Conferma chiave di recupero"), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Conferma la tua chiave di recupero"), - "connectToDevice": - MessageLookupByLibrary.simpleMessage("Connetti al dispositivo"), - "contactFamilyAdmin": m18, - "contactSupport": - MessageLookupByLibrary.simpleMessage("Contatta il supporto"), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Contatti"), - "contents": MessageLookupByLibrary.simpleMessage("Contenuti"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Continua"), - "continueOnFreeTrial": - MessageLookupByLibrary.simpleMessage("Continua la prova gratuita"), - "convertToAlbum": - MessageLookupByLibrary.simpleMessage("Converti in album"), - "copyEmailAddress": - MessageLookupByLibrary.simpleMessage("Copia indirizzo email"), - "copyLink": MessageLookupByLibrary.simpleMessage("Copia link"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Copia-incolla questo codice\nnella tua app di autenticazione"), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "Impossibile eseguire il backup dei tuoi dati.\nRiproveremo più tardi."), - "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( - "Impossibile liberare lo spazio"), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Impossibile aggiornare l\'abbonamento"), - "count": MessageLookupByLibrary.simpleMessage("Conteggio"), - "crashReporting": - MessageLookupByLibrary.simpleMessage("Segnalazione di crash"), - "create": MessageLookupByLibrary.simpleMessage("Crea"), - "createAccount": MessageLookupByLibrary.simpleMessage("Crea account"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Premi a lungo per selezionare le foto e fai clic su + per creare un album"), - "createCollaborativeLink": - MessageLookupByLibrary.simpleMessage("Crea link collaborativo"), - "createCollage": - MessageLookupByLibrary.simpleMessage("Crea un collage"), - "createNewAccount": - MessageLookupByLibrary.simpleMessage("Crea un nuovo account"), - "createOrSelectAlbum": - MessageLookupByLibrary.simpleMessage("Crea o seleziona album"), - "createPublicLink": - MessageLookupByLibrary.simpleMessage("Crea link pubblico"), - "creatingLink": - MessageLookupByLibrary.simpleMessage("Creazione link..."), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "Un aggiornamento importante è disponibile"), - "crop": MessageLookupByLibrary.simpleMessage("Ritaglia"), - "curatedMemories": - MessageLookupByLibrary.simpleMessage("Ricordi importanti"), - "currentUsageIs": MessageLookupByLibrary.simpleMessage( - "Spazio attualmente utilizzato "), - "currentlyRunning": - MessageLookupByLibrary.simpleMessage("attualmente in esecuzione"), - "custom": MessageLookupByLibrary.simpleMessage("Personalizza"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Scuro"), - "dayToday": MessageLookupByLibrary.simpleMessage("Oggi"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Ieri"), - "declineTrustInvite": - MessageLookupByLibrary.simpleMessage("Rifiuta l\'invito"), - "decrypting": MessageLookupByLibrary.simpleMessage("Decriptando..."), - "decryptingVideo": - MessageLookupByLibrary.simpleMessage("Decifratura video..."), - "deduplicateFiles": - MessageLookupByLibrary.simpleMessage("File Duplicati"), - "delete": MessageLookupByLibrary.simpleMessage("Cancella"), - "deleteAccount": - MessageLookupByLibrary.simpleMessage("Elimina account"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Ci dispiace vederti andare via. Facci sapere se hai bisogno di aiuto o se vuoi aiutarci a migliorare."), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Cancella definitivamente il tuo account"), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Elimina album"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Eliminare anche le foto (e i video) presenti in questo album da tutti gli altri album di cui fanno parte?"), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "Questo eliminerà tutti gli album vuoti. È utile quando si desidera ridurre l\'ingombro nella lista degli album."), - "deleteAll": MessageLookupByLibrary.simpleMessage("Elimina tutto"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "Questo account è collegato ad altre app di Ente, se ne utilizzi. I tuoi dati caricati, su tutte le app di Ente, saranno pianificati per la cancellazione e il tuo account verrà eliminato definitivamente."), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Invia un\'email a account-deletion@ente.io dal tuo indirizzo email registrato."), - "deleteEmptyAlbums": - MessageLookupByLibrary.simpleMessage("Elimina gli album vuoti"), - "deleteEmptyAlbumsWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Eliminare gli album vuoti?"), - "deleteFromBoth": - MessageLookupByLibrary.simpleMessage("Elimina da entrambi"), - "deleteFromDevice": - MessageLookupByLibrary.simpleMessage("Elimina dal dispositivo"), - "deleteFromEnte": - MessageLookupByLibrary.simpleMessage("Elimina da Ente"), - "deleteItemCount": m21, - "deleteLocation": - MessageLookupByLibrary.simpleMessage("Elimina posizione"), - "deleteMultipleAlbumDialog": m22, - "deletePhotos": MessageLookupByLibrary.simpleMessage("Elimina foto"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Manca una caratteristica chiave di cui ho bisogno"), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "L\'app o una determinata funzionalità non si comporta come dovrebbe"), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Ho trovato un altro servizio che mi piace di più"), - "deleteReason4": - MessageLookupByLibrary.simpleMessage("Il motivo non è elencato"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "La tua richiesta verrà elaborata entro 72 ore."), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Eliminare l\'album condiviso?"), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "L\'album verrà eliminato per tutti\n\nPerderai l\'accesso alle foto condivise in questo album che sono di proprietà di altri"), - "deselectAll": - MessageLookupByLibrary.simpleMessage("Deseleziona tutti"), - "designedToOutlive": - MessageLookupByLibrary.simpleMessage("Progettato per sopravvivere"), - "details": MessageLookupByLibrary.simpleMessage("Dettagli"), - "developerSettings": - MessageLookupByLibrary.simpleMessage("Impostazioni sviluppatore"), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Sei sicuro di voler modificare le Impostazioni sviluppatore?"), - "deviceCodeHint": - MessageLookupByLibrary.simpleMessage("Inserisci il codice"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "I file aggiunti a questo album del dispositivo verranno automaticamente caricati su Ente."), - "deviceLock": - MessageLookupByLibrary.simpleMessage("Blocco del dispositivo"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Disabilita il blocco schermo del dispositivo quando Ente è in primo piano e c\'è un backup in corso. Questo normalmente non è necessario ma può aiutare a completare più velocemente grossi caricamenti e l\'importazione iniziale di grandi librerie."), - "deviceNotFound": - MessageLookupByLibrary.simpleMessage("Dispositivo non trovato"), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Lo sapevi che?"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage( - "Disabilita blocco automatico"), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "I visualizzatori possono scattare screenshot o salvare una copia delle foto utilizzando strumenti esterni"), - "disableDownloadWarningTitle": - MessageLookupByLibrary.simpleMessage("Nota bene"), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "Disabilita autenticazione a due fattori"), - "disablingTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Disattivazione autenticazione a due fattori..."), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Scopri"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Neonati"), - "discover_celebrations": - MessageLookupByLibrary.simpleMessage("Festeggiamenti"), - "discover_food": MessageLookupByLibrary.simpleMessage("Cibo"), - "discover_greenery": - MessageLookupByLibrary.simpleMessage("Vegetazione"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Colline"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Identità"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Meme"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Note"), - "discover_pets": - MessageLookupByLibrary.simpleMessage("Animali domestici"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Ricette"), - "discover_screenshots": - MessageLookupByLibrary.simpleMessage("Schermate"), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfie"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Tramonto"), - "discover_visiting_cards": - MessageLookupByLibrary.simpleMessage("Biglietti da Visita"), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Sfondi"), - "dismiss": MessageLookupByLibrary.simpleMessage("Ignora"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage("Non uscire"), - "doThisLater": MessageLookupByLibrary.simpleMessage("In seguito"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Vuoi scartare le modifiche che hai fatto?"), - "done": MessageLookupByLibrary.simpleMessage("Completato"), - "dontSave": MessageLookupByLibrary.simpleMessage("Non salvare"), - "doubleYourStorage": - MessageLookupByLibrary.simpleMessage("Raddoppia il tuo spazio"), - "download": MessageLookupByLibrary.simpleMessage("Scarica"), - "downloadFailed": - MessageLookupByLibrary.simpleMessage("Scaricamento fallito"), - "downloading": - MessageLookupByLibrary.simpleMessage("Scaricamento in corso..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Modifica"), - "editEmailAlreadyLinked": m28, - "editLocation": MessageLookupByLibrary.simpleMessage("Modifica luogo"), - "editLocationTagTitle": - MessageLookupByLibrary.simpleMessage("Modifica luogo"), - "editPerson": MessageLookupByLibrary.simpleMessage("Modifica persona"), - "editTime": MessageLookupByLibrary.simpleMessage("Modifica orario"), - "editsSaved": MessageLookupByLibrary.simpleMessage("Modifiche salvate"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Le modifiche alla posizione saranno visibili solo all\'interno di Ente"), - "eligible": MessageLookupByLibrary.simpleMessage("idoneo"), - "email": MessageLookupByLibrary.simpleMessage("Email"), - "emailAlreadyRegistered": - MessageLookupByLibrary.simpleMessage("Email già registrata."), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": - MessageLookupByLibrary.simpleMessage("Email non registrata."), - "emailVerificationToggle": - MessageLookupByLibrary.simpleMessage("Verifica Email"), - "emailYourLogs": MessageLookupByLibrary.simpleMessage( - "Invia una mail con i tuoi log"), - "embracingThem": m32, - "emergencyContacts": - MessageLookupByLibrary.simpleMessage("Contatti di emergenza"), - "empty": MessageLookupByLibrary.simpleMessage("Svuota"), - "emptyTrash": - MessageLookupByLibrary.simpleMessage("Vuoi svuotare il cestino?"), - "enable": MessageLookupByLibrary.simpleMessage("Abilita"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "Ente supporta l\'apprendimento automatico eseguito sul dispositivo per il riconoscimento dei volti, la ricerca magica e altre funzioni di ricerca avanzata"), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Abilita l\'apprendimento automatico per la ricerca magica e il riconoscimento facciale"), - "enableMaps": MessageLookupByLibrary.simpleMessage("Abilita le Mappe"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "Questo mostrerà le tue foto su una mappa del mondo.\n\nQuesta mappa è ospitata da Open Street Map e le posizioni esatte delle tue foto non sono mai condivise.\n\nPuoi disabilitare questa funzionalità in qualsiasi momento, dalle Impostazioni."), - "enabled": MessageLookupByLibrary.simpleMessage("Abilitato"), - "encryptingBackup": - MessageLookupByLibrary.simpleMessage("Crittografando il backup..."), - "encryption": MessageLookupByLibrary.simpleMessage("Crittografia"), - "encryptionKeys": - MessageLookupByLibrary.simpleMessage("Chiavi di crittografia"), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Endpoint aggiornato con successo"), - "endtoendEncryptedByDefault": - MessageLookupByLibrary.simpleMessage("Crittografia end-to-end"), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente può criptare e conservare i file solo se gliene concedi l\'accesso"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente necessita del permesso per preservare le tue foto"), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "Ente conserva i tuoi ricordi in modo che siano sempre a disposizione, anche se perdi il tuo dispositivo."), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Aggiungi la tua famiglia al tuo piano."), - "enterAlbumName": MessageLookupByLibrary.simpleMessage( - "Inserisci il nome dell\'album"), - "enterCode": MessageLookupByLibrary.simpleMessage("Inserisci codice"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Inserisci il codice fornito dal tuo amico per richiedere spazio gratuito per entrambi"), - "enterDateOfBirth": - MessageLookupByLibrary.simpleMessage("Compleanno (Opzionale)"), - "enterEmail": MessageLookupByLibrary.simpleMessage("Inserisci email"), - "enterFileName": MessageLookupByLibrary.simpleMessage( - "Inserisci un nome per il file"), - "enterName": MessageLookupByLibrary.simpleMessage("Aggiungi nome"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Inserisci una nuova password per criptare i tuoi dati"), - "enterPassword": - MessageLookupByLibrary.simpleMessage("Inserisci password"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Inserisci una password per criptare i tuoi dati"), - "enterPersonName": MessageLookupByLibrary.simpleMessage( - "Inserisci il nome della persona"), - "enterPin": MessageLookupByLibrary.simpleMessage("Inserisci PIN"), - "enterReferralCode": MessageLookupByLibrary.simpleMessage( - "Inserisci il codice di invito"), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Inserisci il codice di 6 cifre\ndalla tua app di autenticazione"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Inserisci un indirizzo email valido."), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Inserisci il tuo indirizzo email"), - "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( - "Inserisci il tuo nuovo indirizzo email"), - "enterYourPassword": - MessageLookupByLibrary.simpleMessage("Inserisci la tua password"), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Inserisci la tua chiave di recupero"), - "error": MessageLookupByLibrary.simpleMessage("Errore"), - "everywhere": MessageLookupByLibrary.simpleMessage("ovunque"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": MessageLookupByLibrary.simpleMessage("Accedi"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Questo link è scaduto. Si prega di selezionare un nuovo orario di scadenza o disabilitare la scadenza del link."), - "exportLogs": MessageLookupByLibrary.simpleMessage("Esporta log"), - "exportYourData": MessageLookupByLibrary.simpleMessage("Esporta dati"), - "extraPhotosFound": - MessageLookupByLibrary.simpleMessage("Trovate foto aggiuntive"), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Faccia non ancora raggruppata, per favore torna più tardi"), - "faceRecognition": - MessageLookupByLibrary.simpleMessage("Riconoscimento facciale"), - "faces": MessageLookupByLibrary.simpleMessage("Volti"), - "failed": MessageLookupByLibrary.simpleMessage("Non riuscito"), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage( - "Impossibile applicare il codice"), - "failedToCancel": - MessageLookupByLibrary.simpleMessage("Impossibile annullare"), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( - "Download del video non riuscito"), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Recupero delle sessioni attive non riuscito"), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Impossibile recuperare l\'originale per la modifica"), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Impossibile recuperare i dettagli. Per favore, riprova più tardi."), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "Impossibile caricare gli album"), - "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Impossibile riprodurre il video"), - "failedToRefreshStripeSubscription": - MessageLookupByLibrary.simpleMessage( - "Impossibile aggiornare l\'abbonamento"), - "failedToRenew": - MessageLookupByLibrary.simpleMessage("Rinnovo fallito"), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Impossibile verificare lo stato del pagamento"), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Aggiungi 5 membri della famiglia al tuo piano esistente senza pagare extra.\n\nOgni membro ottiene il proprio spazio privato e non può vedere i file dell\'altro a meno che non siano condivisi.\n\nI piani familiari sono disponibili per i clienti che hanno un abbonamento Ente a pagamento.\n\nIscriviti ora per iniziare!"), - "familyPlanPortalTitle": - MessageLookupByLibrary.simpleMessage("Famiglia"), - "familyPlans": MessageLookupByLibrary.simpleMessage("Piano famiglia"), - "faq": MessageLookupByLibrary.simpleMessage("FAQ"), - "faqs": MessageLookupByLibrary.simpleMessage("FAQ"), - "favorite": MessageLookupByLibrary.simpleMessage("Preferito"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("Suggerimenti"), - "file": MessageLookupByLibrary.simpleMessage("File"), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Impossibile salvare il file nella galleria"), - "fileInfoAddDescHint": - MessageLookupByLibrary.simpleMessage("Aggiungi descrizione..."), - "fileNotUploadedYet": - MessageLookupByLibrary.simpleMessage("File non ancora caricato"), - "fileSavedToGallery": - MessageLookupByLibrary.simpleMessage("File salvato nella galleria"), - "fileTypes": MessageLookupByLibrary.simpleMessage("Tipi di file"), - "fileTypesAndNames": - MessageLookupByLibrary.simpleMessage("Tipi e nomi di file"), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage("File eliminati"), - "filesSavedToGallery": - MessageLookupByLibrary.simpleMessage("File salvati nella galleria"), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Trova rapidamente le persone per nome"), - "findThemQuickly": - MessageLookupByLibrary.simpleMessage("Trovali rapidamente"), - "flip": MessageLookupByLibrary.simpleMessage("Capovolgi"), - "food": MessageLookupByLibrary.simpleMessage("Delizia culinaria"), - "forYourMemories": - MessageLookupByLibrary.simpleMessage("per i tuoi ricordi"), - "forgotPassword": - MessageLookupByLibrary.simpleMessage("Password dimenticata"), - "foundFaces": MessageLookupByLibrary.simpleMessage("Volti trovati"), - "freeStorageClaimed": - MessageLookupByLibrary.simpleMessage("Spazio gratuito richiesto"), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": - MessageLookupByLibrary.simpleMessage("Spazio libero utilizzabile"), - "freeTrial": MessageLookupByLibrary.simpleMessage("Prova gratuita"), - "freeTrialValidTill": m38, - "freeUpAmount": m40, - "freeUpDeviceSpace": - MessageLookupByLibrary.simpleMessage("Libera spazio"), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Risparmia spazio sul tuo dispositivo cancellando i file che sono già stati salvati online."), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("Libera spazio"), - "freeUpSpaceSaving": m41, - "gallery": MessageLookupByLibrary.simpleMessage("Galleria"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "Fino a 1000 ricordi mostrati nella galleria"), - "general": MessageLookupByLibrary.simpleMessage("Generali"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Generazione delle chiavi di crittografia..."), - "genericProgress": m42, - "goToSettings": - MessageLookupByLibrary.simpleMessage("Vai alle impostazioni"), - "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Consenti l\'accesso a tutte le foto nelle Impostazioni"), - "grantPermission": - MessageLookupByLibrary.simpleMessage("Concedi il permesso"), - "greenery": MessageLookupByLibrary.simpleMessage("In mezzo al verde"), - "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( - "Raggruppa foto nelle vicinanze"), - "guestView": MessageLookupByLibrary.simpleMessage("Vista ospite"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "Per abilitare la vista ospite, configura il codice di accesso del dispositivo o il blocco schermo nelle impostazioni di sistema."), - "happyBirthday": - MessageLookupByLibrary.simpleMessage("Buon compleanno! 🥳"), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "Non teniamo traccia del numero di installazioni dell\'app. Sarebbe utile se ci dicesse dove ci ha trovato!"), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Come hai sentito parlare di Ente? (opzionale)"), - "help": MessageLookupByLibrary.simpleMessage("Aiuto"), - "hidden": MessageLookupByLibrary.simpleMessage("Nascosti"), - "hide": MessageLookupByLibrary.simpleMessage("Nascondi"), - "hideContent": - MessageLookupByLibrary.simpleMessage("Nascondi il contenuto"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Nasconde il contenuto nel selettore delle app e disabilita gli screenshot"), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Nasconde il contenuto nel selettore delle app"), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "Nascondi gli elementi condivisi dalla galleria principale"), - "hiding": MessageLookupByLibrary.simpleMessage("Nascondendo..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": - MessageLookupByLibrary.simpleMessage("Ospitato presso OSM France"), - "howItWorks": MessageLookupByLibrary.simpleMessage("Come funziona"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Chiedi di premere a lungo il loro indirizzo email nella schermata delle impostazioni e verificare che gli ID su entrambi i dispositivi corrispondano."), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "L\'autenticazione biometrica non è impostata sul tuo dispositivo. Abilita Touch ID o Face ID sul tuo telefono."), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "L\'autenticazione biometrica è disabilitata. Blocca e sblocca lo schermo per abilitarla."), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignora"), - "ignored": MessageLookupByLibrary.simpleMessage("ignorato"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Alcuni file in questo album vengono ignorati dal caricamento perché erano stati precedentemente eliminati da Ente."), - "imageNotAnalyzed": - MessageLookupByLibrary.simpleMessage("Immagine non analizzata"), - "immediately": MessageLookupByLibrary.simpleMessage("Immediatamente"), - "importing": - MessageLookupByLibrary.simpleMessage("Importazione in corso...."), - "incorrectCode": - MessageLookupByLibrary.simpleMessage("Codice sbagliato"), - "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("Password sbagliata"), - "incorrectRecoveryKey": - MessageLookupByLibrary.simpleMessage("Chiave di recupero errata"), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "Il codice che hai inserito non è corretto"), - "incorrectRecoveryKeyTitle": - MessageLookupByLibrary.simpleMessage("Chiave di recupero errata"), - "indexedItems": - MessageLookupByLibrary.simpleMessage("Elementi indicizzati"), - "ineligible": MessageLookupByLibrary.simpleMessage("Non idoneo"), - "info": MessageLookupByLibrary.simpleMessage("Info"), - "insecureDevice": - MessageLookupByLibrary.simpleMessage("Dispositivo non sicuro"), - "installManually": - MessageLookupByLibrary.simpleMessage("Installa manualmente"), - "invalidEmailAddress": - MessageLookupByLibrary.simpleMessage("Indirizzo email non valido"), - "invalidEndpoint": - MessageLookupByLibrary.simpleMessage("Endpoint invalido"), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Spiacenti, l\'endpoint inserito non è valido. Inserisci un endpoint valido e riprova."), - "invalidKey": MessageLookupByLibrary.simpleMessage("Chiave non valida"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "La chiave di recupero che hai inserito non è valida. Assicurati che contenga 24 parole e controlla l\'ortografia di ciascuna parola.\n\nSe hai inserito un vecchio codice di recupero, assicurati che sia lungo 64 caratteri e controlla ciascuno di essi."), - "invite": MessageLookupByLibrary.simpleMessage("Invita"), - "inviteToEnte": MessageLookupByLibrary.simpleMessage("Invita su Ente"), - "inviteYourFriends": - MessageLookupByLibrary.simpleMessage("Invita i tuoi amici"), - "inviteYourFriendsToEnte": - MessageLookupByLibrary.simpleMessage("Invita i tuoi amici a Ente"), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Sembra che qualcosa sia andato storto. Riprova tra un po\'. Se l\'errore persiste, contatta il nostro team di supporto."), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "Gli elementi mostrano il numero di giorni rimanenti prima della cancellazione permanente"), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Gli elementi selezionati saranno rimossi da questo album"), - "join": MessageLookupByLibrary.simpleMessage("Unisciti"), - "joinAlbum": - MessageLookupByLibrary.simpleMessage("Unisciti all\'album"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "Unirsi a un album renderà visibile la tua email ai suoi partecipanti."), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( - "per visualizzare e aggiungere le tue foto"), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "per aggiungerla agli album condivisi"), - "joinDiscord": - MessageLookupByLibrary.simpleMessage("Unisciti a Discord"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Mantieni foto"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Aiutaci con queste informazioni"), - "language": MessageLookupByLibrary.simpleMessage("Lingua"), - "lastTimeWithThem": m45, - "lastUpdated": - MessageLookupByLibrary.simpleMessage("Ultimo aggiornamento"), - "lastYearsTrip": - MessageLookupByLibrary.simpleMessage("Viaggio dello scorso anno"), - "leave": MessageLookupByLibrary.simpleMessage("Lascia"), - "leaveAlbum": - MessageLookupByLibrary.simpleMessage("Abbandona l\'album"), - "leaveFamily": - MessageLookupByLibrary.simpleMessage("Abbandona il piano famiglia"), - "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Abbandonare l\'album condiviso?"), - "left": MessageLookupByLibrary.simpleMessage("Sinistra"), - "legacy": MessageLookupByLibrary.simpleMessage("Legacy"), - "legacyAccounts": - MessageLookupByLibrary.simpleMessage("Account Legacy"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "Legacy consente ai contatti fidati di accedere al tuo account in tua assenza."), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "I contatti fidati possono avviare il recupero dell\'account e, se non sono bloccati entro 30 giorni, reimpostare la password e accedere al tuo account."), - "light": MessageLookupByLibrary.simpleMessage("Chiaro"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Chiaro"), - "link": MessageLookupByLibrary.simpleMessage("Link"), - "linkCopiedToClipboard": - MessageLookupByLibrary.simpleMessage("Link copiato negli appunti"), - "linkDeviceLimit": - MessageLookupByLibrary.simpleMessage("Limite dei dispositivi"), - "linkEmail": MessageLookupByLibrary.simpleMessage("Link Email"), - "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( - "per una condivisione più veloce"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Attivato"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Scaduto"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Scadenza del link"), - "linkHasExpired": - MessageLookupByLibrary.simpleMessage("Il link è scaduto"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Mai"), - "linkPerson": MessageLookupByLibrary.simpleMessage("Collega persona"), - "linkPersonCaption": MessageLookupByLibrary.simpleMessage( - "per una migliore esperienza di condivisione"), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("Live Photo"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "Puoi condividere il tuo abbonamento con la tua famiglia"), - "loadMessage2": MessageLookupByLibrary.simpleMessage( - "Finora abbiamo conservato oltre 200 milioni di ricordi"), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "Teniamo 3 copie dei tuoi dati, uno in un rifugio sotterraneo antiatomico"), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "Tutte le nostre app sono open source"), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Il nostro codice sorgente e la crittografia hanno ricevuto audit esterni"), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "Puoi condividere i link ai tuoi album con i tuoi cari"), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Le nostre app per smartphone vengono eseguite in background per crittografare e eseguire il backup di qualsiasi nuova foto o video"), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io ha un uploader intuitivo"), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Usiamo Xchacha20Poly1305 per crittografare in modo sicuro i tuoi dati"), - "loadingExifData": - MessageLookupByLibrary.simpleMessage("Caricamento dati EXIF..."), - "loadingGallery": - MessageLookupByLibrary.simpleMessage("Caricamento galleria..."), - "loadingMessage": - MessageLookupByLibrary.simpleMessage("Caricando le tue foto..."), - "loadingModel": - MessageLookupByLibrary.simpleMessage("Scaricamento modelli..."), - "loadingYourPhotos": - MessageLookupByLibrary.simpleMessage("Caricando le tue foto..."), - "localGallery": MessageLookupByLibrary.simpleMessage("Galleria locale"), - "localIndexing": - MessageLookupByLibrary.simpleMessage("Indicizzazione locale"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Sembra che qualcosa sia andato storto dal momento che la sincronizzazione delle foto locali richiede più tempo del previsto. Si prega di contattare il nostro team di supporto"), - "location": MessageLookupByLibrary.simpleMessage("Luogo"), - "locationName": - MessageLookupByLibrary.simpleMessage("Nome della località"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Un tag di localizzazione raggruppa tutte le foto scattate entro il raggio di una foto"), - "locations": MessageLookupByLibrary.simpleMessage("Luoghi"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Blocca"), - "lockscreen": - MessageLookupByLibrary.simpleMessage("Schermata di blocco"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Accedi"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Disconnessione..."), - "loginSessionExpired": - MessageLookupByLibrary.simpleMessage("Sessione scaduta"), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "La sessione è scaduta. Si prega di accedere nuovamente."), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Cliccando sul pulsante Accedi, accetti i termini di servizio e la politica sulla privacy"), - "loginWithTOTP": MessageLookupByLibrary.simpleMessage("Login con TOTP"), - "logout": MessageLookupByLibrary.simpleMessage("Disconnetti"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Invia i log per aiutarci a risolvere il tuo problema. Si prega di notare che i nomi dei file saranno inclusi per aiutare a tenere traccia di problemi con file specifici."), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Premi a lungo un\'email per verificare la crittografia end to end."), - "longpressOnAnItemToViewInFullscreen": - MessageLookupByLibrary.simpleMessage( - "Premi a lungo su un elemento per visualizzarlo a schermo intero"), - "lookBackOnYourMemories": - MessageLookupByLibrary.simpleMessage("Rivivi i tuoi ricordi 🌄"), - "loopVideoOff": - MessageLookupByLibrary.simpleMessage("Loop video disattivo"), - "loopVideoOn": - MessageLookupByLibrary.simpleMessage("Loop video attivo"), - "lostDevice": - MessageLookupByLibrary.simpleMessage("Dispositivo perso?"), - "machineLearning": MessageLookupByLibrary.simpleMessage( - "Apprendimento automatico (ML)"), - "magicSearch": MessageLookupByLibrary.simpleMessage("Ricerca magica"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "La ricerca magica ti permette di cercare le foto in base al loro contenuto, ad esempio \'fiore\', \'auto rossa\', \'documenti d\'identità\'"), - "manage": MessageLookupByLibrary.simpleMessage("Gestisci"), - "manageDeviceStorage": - MessageLookupByLibrary.simpleMessage("Gestisci cache dispositivo"), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Verifica e svuota la memoria cache locale."), - "manageFamily": - MessageLookupByLibrary.simpleMessage("Gestisci Piano famiglia"), - "manageLink": MessageLookupByLibrary.simpleMessage("Gestisci link"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Gestisci"), - "manageSubscription": - MessageLookupByLibrary.simpleMessage("Gestisci abbonamento"), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "L\'associazione con PIN funziona con qualsiasi schermo dove desideri visualizzare il tuo album."), - "map": MessageLookupByLibrary.simpleMessage("Mappa"), - "maps": MessageLookupByLibrary.simpleMessage("Mappe"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("Io"), - "memories": MessageLookupByLibrary.simpleMessage("Ricordi"), - "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Seleziona il tipo di ricordi che desideri vedere nella schermata principale."), - "memoryCount": m50, - "merchandise": MessageLookupByLibrary.simpleMessage("Merchandise"), - "mergeWithExisting": - MessageLookupByLibrary.simpleMessage("Unisci con esistente"), - "mergedPhotos": - MessageLookupByLibrary.simpleMessage("Fotografie unite"), - "mlConsent": MessageLookupByLibrary.simpleMessage( - "Abilita l\'apprendimento automatico"), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Comprendo e desidero abilitare l\'apprendimento automatico"), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Se abiliti il Machine Learning, Ente estrarrà informazioni come la geometria del volto dai file, inclusi quelli condivisi con te.\n\nQuesto accadrà sul tuo dispositivo, e qualsiasi informazione biometrica generata sarà crittografata end-to-end."), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Clicca qui per maggiori dettagli su questa funzione nella nostra informativa sulla privacy"), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "Abilita l\'apprendimento automatico?"), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Si prega di notare che l\'attivazione dell\'apprendimento automatico si tradurrà in un maggior utilizzo della connessione e della batteria fino a quando tutti gli elementi non saranno indicizzati. Valuta di utilizzare l\'applicazione desktop per un\'indicizzazione più veloce, tutti i risultati verranno sincronizzati automaticamente."), - "mobileWebDesktop": - MessageLookupByLibrary.simpleMessage("Mobile, Web, Desktop"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Mediocre"), - "modifyYourQueryOrTrySearchingFor": - MessageLookupByLibrary.simpleMessage( - "Modifica la tua ricerca o prova con"), - "moments": MessageLookupByLibrary.simpleMessage("Momenti"), - "month": MessageLookupByLibrary.simpleMessage("mese"), - "monthly": MessageLookupByLibrary.simpleMessage("Mensile"), - "moon": MessageLookupByLibrary.simpleMessage("Al chiaro di luna"), - "moreDetails": MessageLookupByLibrary.simpleMessage("Più dettagli"), - "mostRecent": MessageLookupByLibrary.simpleMessage("Più recenti"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("Più rilevanti"), - "mountains": MessageLookupByLibrary.simpleMessage("Oltre le colline"), - "moveItem": m51, - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "Sposta foto selezionate in una data specifica"), - "moveToAlbum": - MessageLookupByLibrary.simpleMessage("Sposta nell\'album"), - "moveToHiddenAlbum": - MessageLookupByLibrary.simpleMessage("Sposta in album nascosto"), - "movedSuccessfullyTo": m52, - "movedToTrash": - MessageLookupByLibrary.simpleMessage("Spostato nel cestino"), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Spostamento dei file nell\'album..."), - "name": MessageLookupByLibrary.simpleMessage("Nome"), - "nameTheAlbum": - MessageLookupByLibrary.simpleMessage("Dai un nome all\'album"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Impossibile connettersi a Ente, riprova tra un po\' di tempo. Se l\'errore persiste, contatta l\'assistenza."), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Impossibile connettersi a Ente, controlla le impostazioni di rete e contatta l\'assistenza se l\'errore persiste."), - "never": MessageLookupByLibrary.simpleMessage("Mai"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Nuovo album"), - "newLocation": MessageLookupByLibrary.simpleMessage("Nuova posizione"), - "newPerson": MessageLookupByLibrary.simpleMessage("Nuova persona"), - "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" nuova 📸"), - "newRange": MessageLookupByLibrary.simpleMessage("Nuovo intervallo"), - "newToEnte": - MessageLookupByLibrary.simpleMessage("Prima volta con Ente"), - "newest": MessageLookupByLibrary.simpleMessage("Più recenti"), - "next": MessageLookupByLibrary.simpleMessage("Successivo"), - "no": MessageLookupByLibrary.simpleMessage("No"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Ancora nessun album condiviso da te"), - "noDeviceFound": - MessageLookupByLibrary.simpleMessage("Nessun dispositivo trovato"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Nessuno"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "Non hai file su questo dispositivo che possono essere eliminati"), - "noDuplicates": - MessageLookupByLibrary.simpleMessage("✨ Nessun doppione"), - "noEnteAccountExclamation": - MessageLookupByLibrary.simpleMessage("Nessun account Ente!"), - "noExifData": MessageLookupByLibrary.simpleMessage("Nessun dato EXIF"), - "noFacesFound": - MessageLookupByLibrary.simpleMessage("Nessun volto trovato"), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "Nessuna foto o video nascosti"), - "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( - "Nessuna immagine con posizione"), - "noInternetConnection": MessageLookupByLibrary.simpleMessage( - "Nessuna connessione internet"), - "noPhotosAreBeingBackedUpRightNow": - MessageLookupByLibrary.simpleMessage( - "Il backup delle foto attualmente non viene eseguito"), - "noPhotosFoundHere": - MessageLookupByLibrary.simpleMessage("Nessuna foto trovata"), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( - "Nessun link rapido selezionato"), - "noRecoveryKey": - MessageLookupByLibrary.simpleMessage("Nessuna chiave di recupero?"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "A causa della natura del nostro protocollo di crittografia end-to-end, i tuoi dati non possono essere decifrati senza password o chiave di ripristino"), - "noResults": MessageLookupByLibrary.simpleMessage("Nessun risultato"), - "noResultsFound": - MessageLookupByLibrary.simpleMessage("Nessun risultato trovato"), - "noSuggestionsForPerson": m53, - "noSystemLockFound": MessageLookupByLibrary.simpleMessage( - "Nessun blocco di sistema trovato"), - "notPersonLabel": m54, - "notThisPerson": - MessageLookupByLibrary.simpleMessage("Non è questa persona?"), - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "Ancora nulla di condiviso con te"), - "nothingToSeeHere": - MessageLookupByLibrary.simpleMessage("Nulla da vedere qui! 👀"), - "notifications": MessageLookupByLibrary.simpleMessage("Notifiche"), - "ok": MessageLookupByLibrary.simpleMessage("Ok"), - "onDevice": MessageLookupByLibrary.simpleMessage("Sul dispositivo"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "Su ente"), - "onTheRoad": - MessageLookupByLibrary.simpleMessage("Un altro viaggio su strada"), - "onThisDay": MessageLookupByLibrary.simpleMessage("In questo giorno"), - "onThisDayMemories": - MessageLookupByLibrary.simpleMessage("Ricordi di questo giorno"), - "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( - "Ricevi promemoria sui ricordi da questo giorno negli anni precedenti."), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Solo loro"), - "oops": MessageLookupByLibrary.simpleMessage("Oops"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Ops, impossibile salvare le modifiche"), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Oops! Qualcosa è andato storto"), - "openAlbumInBrowser": - MessageLookupByLibrary.simpleMessage("Apri album nel browser"), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Utilizza l\'app web per aggiungere foto a questo album"), - "openFile": MessageLookupByLibrary.simpleMessage("Apri file"), - "openSettings": - MessageLookupByLibrary.simpleMessage("Apri Impostazioni"), - "openTheItem": - MessageLookupByLibrary.simpleMessage("• Apri la foto o il video"), - "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( - "Collaboratori di OpenStreetMap"), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Facoltativo, breve quanto vuoi..."), - "orMergeWithExistingPerson": - MessageLookupByLibrary.simpleMessage("O unisci con esistente"), - "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( - "Oppure scegline una esistente"), - "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( - "o scegli tra i tuoi contatti"), - "pair": MessageLookupByLibrary.simpleMessage("Abbina"), - "pairWithPin": MessageLookupByLibrary.simpleMessage("Associa con PIN"), - "pairingComplete": - MessageLookupByLibrary.simpleMessage("Associazione completata"), - "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), - "partyWithThem": m56, - "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( - "La verifica è ancora in corso"), - "passkey": MessageLookupByLibrary.simpleMessage("Passkey"), - "passkeyAuthTitle": - MessageLookupByLibrary.simpleMessage("Verifica della passkey"), - "password": MessageLookupByLibrary.simpleMessage("Password"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Password modificata con successo"), - "passwordLock": - MessageLookupByLibrary.simpleMessage("Blocco con password"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "La sicurezza della password viene calcolata considerando la lunghezza della password, i caratteri usati e se la password appare o meno nelle prime 10.000 password più usate"), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Noi non memorizziamo la tua password, quindi se te la dimentichi, non possiamo decriptare i tuoi dati"), - "pastYearsMemories": - MessageLookupByLibrary.simpleMessage("Ricordi degli ultimi anni"), - "paymentDetails": - MessageLookupByLibrary.simpleMessage("Dettagli di Pagamento"), - "paymentFailed": - MessageLookupByLibrary.simpleMessage("Pagamento non riuscito"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "Purtroppo il tuo pagamento non è riuscito. Contatta l\'assistenza e ti aiuteremo!"), - "paymentFailedTalkToProvider": m58, - "pendingItems": - MessageLookupByLibrary.simpleMessage("Elementi in sospeso"), - "pendingSync": - MessageLookupByLibrary.simpleMessage("Sincronizzazione in sospeso"), - "people": MessageLookupByLibrary.simpleMessage("Persone"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Persone che hanno usato il tuo codice"), - "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Seleziona le persone che desideri vedere nella schermata principale."), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Tutti gli elementi nel cestino verranno eliminati definitivamente\n\nQuesta azione non può essere annullata"), - "permanentlyDelete": - MessageLookupByLibrary.simpleMessage("Elimina definitivamente"), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Eliminare definitivamente dal dispositivo?"), - "personIsAge": m59, - "personName": - MessageLookupByLibrary.simpleMessage("Nome della persona"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("Compagni pelosetti"), - "photoDescriptions": - MessageLookupByLibrary.simpleMessage("Descrizioni delle foto"), - "photoGridSize": - MessageLookupByLibrary.simpleMessage("Dimensione griglia foto"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("Foto"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "Le foto aggiunte da te verranno rimosse dall\'album"), - "photosCount": m62, - "photosKeepRelativeTimeDifference": - MessageLookupByLibrary.simpleMessage( - "Le foto mantengono una differenza di tempo relativa"), - "pickCenterPoint": MessageLookupByLibrary.simpleMessage( - "Selezionare il punto centrale"), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Fissa l\'album"), - "pinLock": MessageLookupByLibrary.simpleMessage("Blocco con PIN"), - "playOnTv": - MessageLookupByLibrary.simpleMessage("Riproduci album sulla TV"), - "playOriginal": - MessageLookupByLibrary.simpleMessage("Riproduci originale"), - "playStoreFreeTrialValidTill": m63, - "playStream": - MessageLookupByLibrary.simpleMessage("Riproduci lo streaming"), - "playstoreSubscription": - MessageLookupByLibrary.simpleMessage("Abbonamento su PlayStore"), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Si prega di verificare la propria connessione Internet e riprovare."), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Contatta support@ente.io e saremo felici di aiutarti!"), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Riprova. Se il problema persiste, ti invitiamo a contattare l\'assistenza"), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": - MessageLookupByLibrary.simpleMessage("Concedi i permessi"), - "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( - "Effettua nuovamente l\'accesso"), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Si prega di selezionare i link rapidi da rimuovere"), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("Riprova"), - "pleaseVerifyTheCodeYouHaveEntered": - MessageLookupByLibrary.simpleMessage( - "Verifica il codice che hai inserito"), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Attendere..."), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Attendere, sto eliminando l\'album"), - "pleaseWaitForSometimeBeforeRetrying": - MessageLookupByLibrary.simpleMessage("Riprova tra qualche minuto"), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "Attendere, potrebbe volerci un po\' di tempo."), - "posingWithThem": m66, - "preparingLogs": - MessageLookupByLibrary.simpleMessage("Preparando i log..."), - "preserveMore": MessageLookupByLibrary.simpleMessage("Salva più foto"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Tieni premuto per riprodurre il video"), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Tieni premuto sull\'immagine per riprodurre il video"), - "previous": MessageLookupByLibrary.simpleMessage("Precedente"), - "privacy": MessageLookupByLibrary.simpleMessage("Privacy"), - "privacyPolicyTitle": - MessageLookupByLibrary.simpleMessage("Privacy Policy"), - "privateBackups": - MessageLookupByLibrary.simpleMessage("Backup privato"), - "privateSharing": - MessageLookupByLibrary.simpleMessage("Condivisioni private"), - "proceed": MessageLookupByLibrary.simpleMessage("Prosegui"), - "processed": MessageLookupByLibrary.simpleMessage("Processato"), - "processing": MessageLookupByLibrary.simpleMessage("In elaborazione"), - "processingImport": m67, - "processingVideos": - MessageLookupByLibrary.simpleMessage("Elaborando video"), - "publicLinkCreated": - MessageLookupByLibrary.simpleMessage("Link pubblico creato"), - "publicLinkEnabled": - MessageLookupByLibrary.simpleMessage("Link pubblico abilitato"), - "queued": MessageLookupByLibrary.simpleMessage("In coda"), - "quickLinks": - MessageLookupByLibrary.simpleMessage("Collegamenti rapidi"), - "radius": MessageLookupByLibrary.simpleMessage("Raggio"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Invia ticket"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("Valuta l\'app"), - "rateUs": MessageLookupByLibrary.simpleMessage("Lascia una recensione"), - "rateUsOnStore": m68, - "reassignMe": MessageLookupByLibrary.simpleMessage("Riassegna \"Io\""), - "reassignedToName": m69, - "reassigningLoading": - MessageLookupByLibrary.simpleMessage("Riassegnando..."), - "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( - "Ricevi promemoria quando è il compleanno di qualcuno. Toccare la notifica ti porterà alle foto della persona che compie gli anni."), - "recover": MessageLookupByLibrary.simpleMessage("Recupera"), - "recoverAccount": - MessageLookupByLibrary.simpleMessage("Recupera account"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Recupera"), - "recoveryAccount": - MessageLookupByLibrary.simpleMessage("Recupera l\'account"), - "recoveryInitiated": - MessageLookupByLibrary.simpleMessage("Recupero avviato"), - "recoveryInitiatedDesc": m70, - "recoveryKey": - MessageLookupByLibrary.simpleMessage("Chiave di recupero"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Chiave di recupero copiata negli appunti"), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Se dimentichi la password, questa chiave è l\'unico modo per recuperare i tuoi dati."), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Noi non memorizziamo questa chiave, per favore salva queste 24 parole in un posto sicuro."), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Ottimo! La tua chiave di recupero è valida. Grazie per averla verificata.\n\nRicordati di salvare la tua chiave di recupero in un posto sicuro."), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Chiave di recupero verificata"), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Se hai dimenticato la password, la tua chiave di ripristino è l\'unico modo per recuperare le tue foto. La puoi trovare in Impostazioni > Account.\n\nInserisci la tua chiave di recupero per verificare di averla salvata correttamente."), - "recoveryReady": m71, - "recoverySuccessful": - MessageLookupByLibrary.simpleMessage("Recupero riuscito!"), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "Un contatto fidato sta tentando di accedere al tuo account"), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "Il dispositivo attuale non è abbastanza potente per verificare la tua password, ma la possiamo rigenerare in un modo che funzioni su tutti i dispositivi.\n\nEffettua il login utilizzando la tua chiave di recupero e rigenera la tua password (puoi utilizzare nuovamente la stessa se vuoi)."), - "recreatePasswordTitle": - MessageLookupByLibrary.simpleMessage("Reimposta password"), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": - MessageLookupByLibrary.simpleMessage("Reinserisci la password"), - "reenterPin": - MessageLookupByLibrary.simpleMessage("Reinserisci il PIN"), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Invita un amico e raddoppia il tuo spazio"), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Condividi questo codice con i tuoi amici"), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Si iscrivono per un piano a pagamento"), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Invita un Amico"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "I referral code sono attualmente in pausa"), - "rejectRecovery": - MessageLookupByLibrary.simpleMessage("Rifiuta il recupero"), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "Vuota anche \"Cancellati di recente\" da \"Impostazioni\" -> \"Storage\" per avere più spazio libero"), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Svuota anche il tuo \"Cestino\" per avere più spazio libero"), - "remoteImages": MessageLookupByLibrary.simpleMessage("Immagini remote"), - "remoteThumbnails": - MessageLookupByLibrary.simpleMessage("Miniature remote"), - "remoteVideos": MessageLookupByLibrary.simpleMessage("Video remoti"), - "remove": MessageLookupByLibrary.simpleMessage("Rimuovi"), - "removeDuplicates": - MessageLookupByLibrary.simpleMessage("Rimuovi i doppioni"), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Verifica e rimuovi i file che sono esattamente duplicati."), - "removeFromAlbum": - MessageLookupByLibrary.simpleMessage("Rimuovi dall\'album"), - "removeFromAlbumTitle": - MessageLookupByLibrary.simpleMessage("Rimuovi dall\'album?"), - "removeFromFavorite": - MessageLookupByLibrary.simpleMessage("Rimuovi dai preferiti"), - "removeInvite": MessageLookupByLibrary.simpleMessage("Rimuovi invito"), - "removeLink": MessageLookupByLibrary.simpleMessage("Elimina link"), - "removeParticipant": - MessageLookupByLibrary.simpleMessage("Rimuovi partecipante"), - "removeParticipantBody": m74, - "removePersonLabel": - MessageLookupByLibrary.simpleMessage("Rimuovi etichetta persona"), - "removePublicLink": - MessageLookupByLibrary.simpleMessage("Rimuovi link pubblico"), - "removePublicLinks": - MessageLookupByLibrary.simpleMessage("Rimuovi i link pubblici"), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Alcuni degli elementi che stai rimuovendo sono stati aggiunti da altre persone e ne perderai l\'accesso"), - "removeWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Rimuovi?"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Rimuovi te stesso come contatto fidato"), - "removingFromFavorites": - MessageLookupByLibrary.simpleMessage("Rimosso dai preferiti..."), - "rename": MessageLookupByLibrary.simpleMessage("Rinomina"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("Rinomina album"), - "renameFile": MessageLookupByLibrary.simpleMessage("Rinomina file"), - "renewSubscription": - MessageLookupByLibrary.simpleMessage("Rinnova abbonamento"), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Segnala un bug"), - "reportBug": MessageLookupByLibrary.simpleMessage("Segnala un bug"), - "resendEmail": MessageLookupByLibrary.simpleMessage("Rinvia email"), - "resetIgnoredFiles": - MessageLookupByLibrary.simpleMessage("Ripristina i file ignorati"), - "resetPasswordTitle": - MessageLookupByLibrary.simpleMessage("Reimposta password"), - "resetPerson": MessageLookupByLibrary.simpleMessage("Rimuovi"), - "resetToDefault": - MessageLookupByLibrary.simpleMessage("Ripristina predefinita"), - "restore": MessageLookupByLibrary.simpleMessage("Ripristina"), - "restoreToAlbum": - MessageLookupByLibrary.simpleMessage("Ripristina l\'album"), - "restoringFiles": - MessageLookupByLibrary.simpleMessage("Ripristinando file..."), - "resumableUploads": - MessageLookupByLibrary.simpleMessage("Caricamenti riattivabili"), - "retry": MessageLookupByLibrary.simpleMessage("Riprova"), - "review": MessageLookupByLibrary.simpleMessage("Revisiona"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Controlla ed elimina gli elementi che credi siano dei doppioni."), - "reviewSuggestions": - MessageLookupByLibrary.simpleMessage("Esamina i suggerimenti"), - "right": MessageLookupByLibrary.simpleMessage("Destra"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("Ruota"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Ruota a sinistra"), - "rotateRight": MessageLookupByLibrary.simpleMessage("Ruota a destra"), - "safelyStored": - MessageLookupByLibrary.simpleMessage("Salvati in sicurezza"), - "save": MessageLookupByLibrary.simpleMessage("Salva"), - "saveChangesBeforeLeavingQuestion": - MessageLookupByLibrary.simpleMessage( - "Salvare le modifiche prima di uscire?"), - "saveCollage": MessageLookupByLibrary.simpleMessage("Salva il collage"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Salva una copia"), - "saveKey": MessageLookupByLibrary.simpleMessage("Salva chiave"), - "savePerson": MessageLookupByLibrary.simpleMessage("Salva persona"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Salva la tua chiave di recupero se non l\'hai ancora fatto"), - "saving": MessageLookupByLibrary.simpleMessage("Salvataggio..."), - "savingEdits": - MessageLookupByLibrary.simpleMessage("Salvataggio modifiche..."), - "scanCode": MessageLookupByLibrary.simpleMessage("Scansiona codice"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Scansione questo codice QR\ncon la tua app di autenticazione"), - "search": MessageLookupByLibrary.simpleMessage("Cerca"), - "searchAlbumsEmptySection": - MessageLookupByLibrary.simpleMessage("Album"), - "searchByAlbumNameHint": - MessageLookupByLibrary.simpleMessage("Nome album"), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Nomi degli album (es. \"Camera\")\n• Tipi di file (es. \"Video\", \".gif\")\n• Anni e mesi (e.. \"2022\", \"gennaio\")\n• Vacanze (ad es. \"Natale\")\n• Descrizioni delle foto (ad es. “#mare”)"), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Aggiungi descrizioni come \"#viaggio\" nelle informazioni delle foto per trovarle rapidamente qui"), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Ricerca per data, mese o anno"), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "Le immagini saranno mostrate qui una volta che l\'elaborazione e la sincronizzazione saranno completate"), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "Le persone saranno mostrate qui una volta completata l\'indicizzazione"), - "searchFileTypesAndNamesEmptySection": - MessageLookupByLibrary.simpleMessage("Tipi e nomi di file"), - "searchHint1": MessageLookupByLibrary.simpleMessage( - "Ricerca rapida sul dispositivo"), - "searchHint2": MessageLookupByLibrary.simpleMessage( - "Date delle foto, descrizioni"), - "searchHint3": - MessageLookupByLibrary.simpleMessage("Album, nomi di file e tipi"), - "searchHint4": MessageLookupByLibrary.simpleMessage("Luogo"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "In arrivo: Facce & ricerca magica ✨"), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Raggruppa foto scattate entro un certo raggio da una foto"), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "Invita persone e vedrai qui tutte le foto condivise da loro"), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "Le persone saranno mostrate qui una volta che l\'elaborazione e la sincronizzazione saranno completate"), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Sicurezza"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "Vedi link album pubblici nell\'app"), - "selectALocation": - MessageLookupByLibrary.simpleMessage("Seleziona un luogo"), - "selectALocationFirst": - MessageLookupByLibrary.simpleMessage("Scegli prima una posizione"), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Seleziona album"), - "selectAll": MessageLookupByLibrary.simpleMessage("Seleziona tutto"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("Tutte"), - "selectCoverPhoto": - MessageLookupByLibrary.simpleMessage("Seleziona foto di copertina"), - "selectDate": MessageLookupByLibrary.simpleMessage("Imposta data"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Seleziona cartelle per il backup"), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "Seleziona gli elementi da aggiungere"), - "selectLanguage": - MessageLookupByLibrary.simpleMessage("Seleziona una lingua"), - "selectMailApp": - MessageLookupByLibrary.simpleMessage("Seleziona app email"), - "selectMorePhotos": - MessageLookupByLibrary.simpleMessage("Seleziona più foto"), - "selectOneDateAndTime": - MessageLookupByLibrary.simpleMessage("Seleziona data e orario"), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "Seleziona una data e un\'ora per tutti"), - "selectPersonToLink": MessageLookupByLibrary.simpleMessage( - "Seleziona persona da collegare"), - "selectReason": - MessageLookupByLibrary.simpleMessage("Seleziona un motivo"), - "selectStartOfRange": MessageLookupByLibrary.simpleMessage( - "Seleziona inizio dell\'intervallo"), - "selectTime": MessageLookupByLibrary.simpleMessage("Imposta ora"), - "selectYourFace": - MessageLookupByLibrary.simpleMessage("Seleziona il tuo volto"), - "selectYourPlan": - MessageLookupByLibrary.simpleMessage("Seleziona un piano"), - "selectedAlbums": m79, - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "I file selezionati non sono su Ente"), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Le cartelle selezionate verranno crittografate e salvate su ente"), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Gli elementi selezionati verranno eliminati da tutti gli album e spostati nel cestino."), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "Gli elementi selezionati verranno rimossi da questa persona, ma non eliminati dalla tua libreria."), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("Invia"), - "sendEmail": MessageLookupByLibrary.simpleMessage("Invia email"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Invita"), - "sendLink": MessageLookupByLibrary.simpleMessage("Invia link"), - "serverEndpoint": - MessageLookupByLibrary.simpleMessage("Endpoint del server"), - "sessionExpired": - MessageLookupByLibrary.simpleMessage("Sessione scaduta"), - "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( - "ID sessione non corrispondente"), - "setAPassword": - MessageLookupByLibrary.simpleMessage("Imposta una password"), - "setAs": MessageLookupByLibrary.simpleMessage("Imposta come"), - "setCover": MessageLookupByLibrary.simpleMessage("Imposta copertina"), - "setLabel": MessageLookupByLibrary.simpleMessage("Imposta"), - "setNewPassword": - MessageLookupByLibrary.simpleMessage("Imposta una nuova password"), - "setNewPin": - MessageLookupByLibrary.simpleMessage("Imposta un nuovo PIN"), - "setPasswordTitle": - MessageLookupByLibrary.simpleMessage("Imposta password"), - "setRadius": MessageLookupByLibrary.simpleMessage("Imposta raggio"), - "setupComplete": - MessageLookupByLibrary.simpleMessage("Configurazione completata"), - "share": MessageLookupByLibrary.simpleMessage("Condividi"), - "shareALink": MessageLookupByLibrary.simpleMessage("Condividi un link"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Apri un album e tocca il pulsante di condivisione in alto a destra per condividerlo."), - "shareAnAlbumNow": - MessageLookupByLibrary.simpleMessage("Condividi un album"), - "shareLink": MessageLookupByLibrary.simpleMessage("Condividi link"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Condividi solo con le persone che vuoi"), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Scarica Ente in modo da poter facilmente condividere foto e video in qualità originale\n\nhttps://ente.io"), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Condividi con utenti che non hanno un account Ente"), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( - "Condividi il tuo primo album"), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Crea album condivisi e collaborativi con altri utenti di Ente, inclusi gli utenti con piani gratuiti."), - "sharedByMe": MessageLookupByLibrary.simpleMessage("Condiviso da me"), - "sharedByYou": MessageLookupByLibrary.simpleMessage("Condivise da te"), - "sharedPhotoNotifications": - MessageLookupByLibrary.simpleMessage("Nuove foto condivise"), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Ricevi notifiche quando qualcuno aggiunge una foto a un album condiviso, di cui fai parte"), - "sharedWith": m87, - "sharedWithMe": - MessageLookupByLibrary.simpleMessage("Condivisi con me"), - "sharedWithYou": - MessageLookupByLibrary.simpleMessage("Condivise con te"), - "sharing": - MessageLookupByLibrary.simpleMessage("Condivisione in corso..."), - "shiftDatesAndTime": - MessageLookupByLibrary.simpleMessage("Sposta date e orari"), - "showMemories": MessageLookupByLibrary.simpleMessage("Mostra ricordi"), - "showPerson": MessageLookupByLibrary.simpleMessage("Mostra persona"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "Esci dagli altri dispositivi"), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Se pensi che qualcuno possa conoscere la tua password, puoi forzare tutti gli altri dispositivi che usano il tuo account ad uscire."), - "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( - "Esci dagli altri dispositivi"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Accetto i termini di servizio e la politica sulla privacy"), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Verrà eliminato da tutti gli album."), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Salta"), - "smartMemories": - MessageLookupByLibrary.simpleMessage("Ricordi intelligenti"), - "social": MessageLookupByLibrary.simpleMessage("Social"), - "someItemsAreInBothEnteAndYourDevice": - MessageLookupByLibrary.simpleMessage( - "Alcuni elementi sono sia su Ente che sul tuo dispositivo."), - "someOfTheFilesYouAreTryingToDeleteAre": - MessageLookupByLibrary.simpleMessage( - "Alcuni dei file che si sta tentando di eliminare sono disponibili solo sul dispositivo e non possono essere recuperati se cancellati"), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Chi condivide gli album con te deve vedere lo stesso ID sul proprio dispositivo."), - "somethingWentWrong": - MessageLookupByLibrary.simpleMessage("Qualcosa è andato storto"), - "somethingWentWrongPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Qualcosa è andato storto, per favore riprova"), - "sorry": MessageLookupByLibrary.simpleMessage("Siamo spiacenti"), - "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( - "Purtroppo non è stato possibile eseguire il backup del file in questo momento, riproveremo più tardi."), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Spiacenti, non è stato possibile aggiungere ai preferiti!"), - "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( - "Siamo spiacenti, non è stato possibile rimuovere dai preferiti!"), - "sorryTheCodeYouveEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "Il codice immesso non è corretto"), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Siamo spiacenti, non possiamo generare le chiavi sicure su questo dispositivo.\n\nPer favore, accedi da un altro dispositivo."), - "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( - "Spiacenti, abbiamo dovuto mettere in pausa i backup"), - "sort": MessageLookupByLibrary.simpleMessage("Ordina"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Ordina per"), - "sortNewestFirst": - MessageLookupByLibrary.simpleMessage("Prima le più nuove"), - "sortOldestFirst": - MessageLookupByLibrary.simpleMessage("Prima le più vecchie"), - "sparkleSuccess": - MessageLookupByLibrary.simpleMessage("✨ Operazione riuscita"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": - MessageLookupByLibrary.simpleMessage("Tu in primo piano"), - "startAccountRecoveryTitle": - MessageLookupByLibrary.simpleMessage("Avvia il recupero"), - "startBackup": MessageLookupByLibrary.simpleMessage("Avvia backup"), - "status": MessageLookupByLibrary.simpleMessage("Stato"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "Vuoi interrompere la trasmissione?"), - "stopCastingTitle": - MessageLookupByLibrary.simpleMessage("Interrompi la trasmissione"), - "storage": - MessageLookupByLibrary.simpleMessage("Spazio di archiviazione"), - "storageBreakupFamily": - MessageLookupByLibrary.simpleMessage("Famiglia"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Tu"), - "storageInGB": m93, - "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( - "Limite d\'archiviazione superato"), - "storageUsageInfo": m94, - "streamDetails": - MessageLookupByLibrary.simpleMessage("Dettagli dello streaming"), - "strongStrength": MessageLookupByLibrary.simpleMessage("Forte"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Iscriviti"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "È necessario un abbonamento a pagamento attivo per abilitare la condivisione."), - "subscription": MessageLookupByLibrary.simpleMessage("Abbonamento"), - "success": MessageLookupByLibrary.simpleMessage("Operazione riuscita"), - "successfullyArchived": - MessageLookupByLibrary.simpleMessage("Archiviato correttamente"), - "successfullyHid": - MessageLookupByLibrary.simpleMessage("Nascosta con successo"), - "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( - "Rimosso dall\'archivio correttamente"), - "successfullyUnhid": MessageLookupByLibrary.simpleMessage( - "Rimossa dal nascondiglio con successo"), - "suggestFeatures": - MessageLookupByLibrary.simpleMessage("Suggerisci una funzionalità"), - "sunrise": MessageLookupByLibrary.simpleMessage("All\'orizzonte"), - "support": MessageLookupByLibrary.simpleMessage("Assistenza"), - "syncProgress": m97, - "syncStopped": - MessageLookupByLibrary.simpleMessage("Sincronizzazione interrotta"), - "syncing": MessageLookupByLibrary.simpleMessage( - "Sincronizzazione in corso..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("Sistema"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("tocca per copiare"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage( - "Tocca per inserire il codice"), - "tapToUnlock": - MessageLookupByLibrary.simpleMessage("Tocca per sbloccare"), - "tapToUpload": - MessageLookupByLibrary.simpleMessage("Premi per caricare"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Sembra che qualcosa sia andato storto. Riprova tra un po\'. Se l\'errore persiste, contatta il nostro team di supporto."), - "terminate": MessageLookupByLibrary.simpleMessage("Terminata"), - "terminateSession": - MessageLookupByLibrary.simpleMessage("Termina sessione?"), - "terms": MessageLookupByLibrary.simpleMessage("Termini d\'uso"), - "termsOfServicesTitle": - MessageLookupByLibrary.simpleMessage("Termini d\'uso"), - "thankYou": MessageLookupByLibrary.simpleMessage("Grazie"), - "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( - "Grazie per esserti iscritto!"), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "Il download non può essere completato"), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "Il link a cui stai cercando di accedere è scaduto."), - "theRecoveryKeyYouEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "La chiave di recupero inserita non è corretta"), - "theme": MessageLookupByLibrary.simpleMessage("Tema"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Questi file verranno eliminati dal tuo dispositivo."), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "Verranno eliminati da tutti gli album."), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Questa azione non può essere annullata"), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "Questo album ha già un link collaborativo"), - "thisCanBeUsedToRecoverYourAccountIfYou": - MessageLookupByLibrary.simpleMessage( - "Può essere utilizzata per recuperare il tuo account in caso tu non possa usare l\'autenticazione a due fattori"), - "thisDevice": - MessageLookupByLibrary.simpleMessage("Questo dispositivo"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "Questo indirizzo email è già registrato"), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Questa immagine non ha dati EXIF"), - "thisIsMeExclamation": - MessageLookupByLibrary.simpleMessage("Questo sono io!"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Questo è il tuo ID di verifica"), - "thisWeekThroughTheYears": - MessageLookupByLibrary.simpleMessage("Questa settimana negli anni"), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Verrai disconnesso dai seguenti dispositivi:"), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Verrai disconnesso dal tuo dispositivo!"), - "thisWillMakeTheDateAndTimeOfAllSelected": - MessageLookupByLibrary.simpleMessage( - "In questo modo la data e l\'ora di tutte le foto selezionate saranno uguali."), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "Questo rimuoverà i link pubblici di tutti i link rapidi selezionati."), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "Per abilitare il blocco dell\'app, configura il codice di accesso del dispositivo o il blocco schermo nelle impostazioni di sistema."), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( - "Per nascondere una foto o un video"), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Per reimpostare la tua password, verifica prima la tua email."), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Log di oggi"), - "tooManyIncorrectAttempts": - MessageLookupByLibrary.simpleMessage("Troppi tentativi errati"), - "total": MessageLookupByLibrary.simpleMessage("totale"), - "totalSize": MessageLookupByLibrary.simpleMessage("Dimensioni totali"), - "trash": MessageLookupByLibrary.simpleMessage("Cestino"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Taglia"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": - MessageLookupByLibrary.simpleMessage("Contatti fidati"), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Riprova"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Attiva il backup per caricare automaticamente i file aggiunti a questa cartella del dispositivo su Ente."), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "2 mesi gratis sui piani annuali"), - "twofactor": MessageLookupByLibrary.simpleMessage("Due fattori"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "L\'autenticazione a due fattori è stata disabilitata"), - "twofactorAuthenticationPageTitle": - MessageLookupByLibrary.simpleMessage( - "Autenticazione a due fattori"), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "Autenticazione a due fattori resettata con successo"), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Configura autenticazione a due fattori"), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": - MessageLookupByLibrary.simpleMessage("Rimuovi dall\'archivio"), - "unarchiveAlbum": MessageLookupByLibrary.simpleMessage( - "Rimuovi album dall\'archivio"), - "unarchiving": - MessageLookupByLibrary.simpleMessage("Togliendo dall\'archivio..."), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Siamo spiacenti, questo codice non è disponibile."), - "uncategorized": - MessageLookupByLibrary.simpleMessage("Senza categoria"), - "unhide": MessageLookupByLibrary.simpleMessage("Mostra"), - "unhideToAlbum": - MessageLookupByLibrary.simpleMessage("Non nascondere l\'album"), - "unhiding": MessageLookupByLibrary.simpleMessage("Rivelando..."), - "unhidingFilesToAlbum": - MessageLookupByLibrary.simpleMessage("Mostra i file nell\'album"), - "unlock": MessageLookupByLibrary.simpleMessage("Sblocca"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("Non fissare album"), - "unselectAll": - MessageLookupByLibrary.simpleMessage("Deseleziona tutto"), - "update": MessageLookupByLibrary.simpleMessage("Aggiorna"), - "updateAvailable": - MessageLookupByLibrary.simpleMessage("Aggiornamento disponibile"), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Aggiornamento della selezione delle cartelle..."), - "upgrade": - MessageLookupByLibrary.simpleMessage("Acquista altro spazio"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Caricamento dei file nell\'album..."), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": - MessageLookupByLibrary.simpleMessage("Conservando 1 ricordo..."), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "Sconto del 50%, fino al 4 dicembre."), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "Lo spazio disponibile è limitato dal tuo piano corrente. L\'archiviazione in eccesso diventerà automaticamente utilizzabile quando aggiornerai il tuo piano."), - "useAsCover": - MessageLookupByLibrary.simpleMessage("Usa come copertina"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "Hai problemi a riprodurre questo video? Premi a lungo qui per provare un altro lettore."), - "usePublicLinksForPeopleNotOnEnte": - MessageLookupByLibrary.simpleMessage( - "Usa link pubblici per persone non registrate su Ente"), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Utilizza un codice di recupero"), - "useSelectedPhoto": - MessageLookupByLibrary.simpleMessage("Usa la foto selezionata"), - "usedSpace": MessageLookupByLibrary.simpleMessage("Spazio utilizzato"), - "validTill": m110, - "verificationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Verifica fallita, per favore prova di nuovo"), - "verificationId": - MessageLookupByLibrary.simpleMessage("ID di verifica"), - "verify": MessageLookupByLibrary.simpleMessage("Verifica"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("Verifica email"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Verifica"), - "verifyPasskey": - MessageLookupByLibrary.simpleMessage("Verifica passkey"), - "verifyPassword": - MessageLookupByLibrary.simpleMessage("Verifica password"), - "verifying": - MessageLookupByLibrary.simpleMessage("Verifica in corso..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Verifica della chiave di recupero..."), - "videoInfo": MessageLookupByLibrary.simpleMessage("Informazioni video"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), - "videoStreaming": - MessageLookupByLibrary.simpleMessage("Video in streaming"), - "videos": MessageLookupByLibrary.simpleMessage("Video"), - "viewActiveSessions": - MessageLookupByLibrary.simpleMessage("Visualizza sessioni attive"), - "viewAddOnButton": MessageLookupByLibrary.simpleMessage( - "Visualizza componenti aggiuntivi"), - "viewAll": MessageLookupByLibrary.simpleMessage("Visualizza tutte"), - "viewAllExifData": - MessageLookupByLibrary.simpleMessage("Mostra tutti i dati EXIF"), - "viewLargeFiles": - MessageLookupByLibrary.simpleMessage("File di grandi dimensioni"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Visualizza i file che stanno occupando la maggior parte dello spazio di archiviazione."), - "viewLogs": MessageLookupByLibrary.simpleMessage("Visualizza i log"), - "viewPersonToUnlink": m112, - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Visualizza chiave di recupero"), - "viewer": MessageLookupByLibrary.simpleMessage("Sola lettura"), - "viewersSuccessfullyAdded": m113, - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Visita web.ente.io per gestire il tuo abbonamento"), - "waitingForVerification": - MessageLookupByLibrary.simpleMessage("In attesa di verifica..."), - "waitingForWifi": - MessageLookupByLibrary.simpleMessage("In attesa del WiFi..."), - "warning": MessageLookupByLibrary.simpleMessage("Attenzione"), - "weAreOpenSource": - MessageLookupByLibrary.simpleMessage("Siamo open source!"), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "Non puoi modificare foto e album che non possiedi"), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Debole"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("Bentornato/a!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("Novità"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "Un contatto fidato può aiutare a recuperare i tuoi dati."), - "widgets": MessageLookupByLibrary.simpleMessage("Widget"), - "yearShort": MessageLookupByLibrary.simpleMessage("anno"), - "yearly": MessageLookupByLibrary.simpleMessage("Annuale"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Si"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Sì, cancella"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "Sì, converti in sola lettura"), - "yesDelete": MessageLookupByLibrary.simpleMessage("Sì, elimina"), - "yesDiscardChanges": - MessageLookupByLibrary.simpleMessage("Sì, ignora le mie modifiche"), - "yesLogout": MessageLookupByLibrary.simpleMessage("Sì, disconnetti"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Sì, rimuovi"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Sì, Rinnova"), - "yesResetPerson": - MessageLookupByLibrary.simpleMessage("Sì, resetta persona"), - "you": MessageLookupByLibrary.simpleMessage("Tu"), - "youAndThem": m117, - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( - "Sei un utente con piano famiglia!"), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Stai utilizzando l\'ultima versione"), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Puoi al massimo raddoppiare il tuo spazio"), - "youCanManageYourLinksInTheShareTab": - MessageLookupByLibrary.simpleMessage( - "Puoi gestire i tuoi link nella scheda condivisione."), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "Prova con una ricerca differente."), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "Non puoi effettuare il downgrade su questo piano"), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Non puoi condividere con te stesso"), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "Non hai nulla di archiviato."), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "Il tuo account è stato eliminato"), - "yourMap": MessageLookupByLibrary.simpleMessage("La tua mappa"), - "yourPlanWasSuccessfullyDowngraded": - MessageLookupByLibrary.simpleMessage( - "Il tuo piano è stato aggiornato con successo"), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "Il tuo piano è stato aggiornato con successo"), - "yourPurchaseWasSuccessful": - MessageLookupByLibrary.simpleMessage("Acquisto andato a buon fine"), - "yourStorageDetailsCouldNotBeFetched": - MessageLookupByLibrary.simpleMessage( - "Impossibile recuperare i dettagli di archiviazione"), - "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( - "Il tuo abbonamento è scaduto"), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "Il tuo abbonamento è stato modificato correttamente"), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "Il tuo codice di verifica è scaduto"), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage( - "Non ci sono file duplicati che possono essere eliminati"), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "Non hai file in questo album che possono essere eliminati"), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( - "Zoom indietro per visualizzare le foto") - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Una nuova versione di Ente è disponibile.", + ), + "about": MessageLookupByLibrary.simpleMessage("Info"), + "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( + "Accetta l\'invito", + ), + "account": MessageLookupByLibrary.simpleMessage("Account"), + "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( + "L\'account è già configurato.", + ), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage("Bentornato!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Comprendo che se perdo la password potrei perdere l\'accesso ai miei dati poiché sono criptati end-to-end.", + ), + "actionNotSupportedOnFavouritesAlbum": MessageLookupByLibrary.simpleMessage( + "Questa azione non è supportata nei Preferiti", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage("Sessioni attive"), + "add": MessageLookupByLibrary.simpleMessage("Aggiungi"), + "addAName": MessageLookupByLibrary.simpleMessage("Aggiungi un nome"), + "addANewEmail": MessageLookupByLibrary.simpleMessage( + "Aggiungi una nuova email", + ), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Aggiungi un widget per gli album nella schermata iniziale e torna qui per personalizzarlo.", + ), + "addCollaborator": MessageLookupByLibrary.simpleMessage( + "Aggiungi collaboratore", + ), + "addCollaborators": m1, + "addFiles": MessageLookupByLibrary.simpleMessage("Aggiungi File"), + "addFromDevice": MessageLookupByLibrary.simpleMessage( + "Aggiungi dal dispositivo", + ), + "addItem": m2, + "addLocation": MessageLookupByLibrary.simpleMessage("Aggiungi luogo"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Aggiungi"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Aggiungi un widget dei ricordi nella schermata iniziale e torna qui per personalizzarlo.", + ), + "addMore": MessageLookupByLibrary.simpleMessage("Aggiungi altri"), + "addName": MessageLookupByLibrary.simpleMessage("Aggiungi nome"), + "addNameOrMerge": MessageLookupByLibrary.simpleMessage( + "Aggiungi nome o unisci", + ), + "addNew": MessageLookupByLibrary.simpleMessage("Aggiungi nuovo"), + "addNewPerson": MessageLookupByLibrary.simpleMessage( + "Aggiungi nuova persona", + ), + "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( + "Dettagli dei componenti aggiuntivi", + ), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("Componenti aggiuntivi"), + "addParticipants": MessageLookupByLibrary.simpleMessage( + "Aggiungi Partecipanti", + ), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Aggiungi un widget delle persone nella schermata iniziale e torna qui per personalizzarlo.", + ), + "addPhotos": MessageLookupByLibrary.simpleMessage("Aggiungi foto"), + "addSelected": MessageLookupByLibrary.simpleMessage("Aggiungi selezionate"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("Aggiungi all\'album"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Aggiungi a Ente"), + "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Aggiungi ad album nascosto", + ), + "addTrustedContact": MessageLookupByLibrary.simpleMessage( + "Aggiungi contatto fidato", + ), + "addViewer": MessageLookupByLibrary.simpleMessage( + "Aggiungi in sola lettura", + ), + "addViewers": m4, + "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( + "Aggiungi le tue foto ora", + ), + "addedAs": MessageLookupByLibrary.simpleMessage("Aggiunto come"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": MessageLookupByLibrary.simpleMessage( + "Aggiunto ai preferiti...", + ), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("Avanzate"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Avanzate"), + "after1Day": MessageLookupByLibrary.simpleMessage("Dopo un giorno"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Dopo un’ora "), + "after1Month": MessageLookupByLibrary.simpleMessage("Dopo un mese"), + "after1Week": MessageLookupByLibrary.simpleMessage("Dopo una settimana"), + "after1Year": MessageLookupByLibrary.simpleMessage("Dopo un anno"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Proprietario"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Titolo album"), + "albumUpdated": MessageLookupByLibrary.simpleMessage("Album aggiornato"), + "albums": MessageLookupByLibrary.simpleMessage("Album"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Seleziona gli album che desideri vedere nella schermata principale.", + ), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Tutto pulito"), + "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( + "Tutti i ricordi conservati", + ), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "Tutti i raggruppamenti per questa persona saranno resettati e perderai tutti i suggerimenti fatti per questa persona", + ), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "Questo è il primo nel gruppo. Altre foto selezionate si sposteranno automaticamente in base a questa nuova data", + ), + "allow": MessageLookupByLibrary.simpleMessage("Consenti"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Permetti anche alle persone con il link di aggiungere foto all\'album condiviso.", + ), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( + "Consenti l\'aggiunta di foto", + ), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "Consenti all\'app di aprire link all\'album condiviso", + ), + "allowDownloads": MessageLookupByLibrary.simpleMessage("Consenti download"), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Permetti alle persone di aggiungere foto", + ), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Permetti l\'accesso alle tue foto da Impostazioni in modo che Ente possa visualizzare e fare il backup della tua libreria.", + ), + "allowPermTitle": MessageLookupByLibrary.simpleMessage( + "Consenti l\'accesso alle foto", + ), + "androidBiometricHint": MessageLookupByLibrary.simpleMessage( + "Verifica l\'identità", + ), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "Non riconosciuto. Riprova.", + ), + "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( + "Autenticazione biometrica", + ), + "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage( + "Operazione riuscita", + ), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Annulla"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage( + "Inserisci le credenziali del dispositivo", + ), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage( + "Inserisci le credenziali del dispositivo", + ), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "L\'autenticazione biometrica non è impostata sul tuo dispositivo. Vai a \'Impostazioni > Sicurezza\' per impostarla.", + ), + "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( + "Android, iOS, Web, Desktop", + ), + "androidSignInTitle": MessageLookupByLibrary.simpleMessage( + "Autenticazione necessaria", + ), + "appIcon": MessageLookupByLibrary.simpleMessage("Icona dell\'app"), + "appLock": MessageLookupByLibrary.simpleMessage("Blocco app"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Scegli tra la schermata di blocco predefinita del dispositivo e una schermata di blocco personalizzata con PIN o password.", + ), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), + "apply": MessageLookupByLibrary.simpleMessage("Applica"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Applica codice"), + "appstoreSubscription": MessageLookupByLibrary.simpleMessage( + "abbonamento AppStore", + ), + "archive": MessageLookupByLibrary.simpleMessage("Archivio"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("Archivia album"), + "archiving": MessageLookupByLibrary.simpleMessage("Archiviazione..."), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Sei sicuro di voler uscire dal piano famiglia?", + ), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "Sicuro di volerlo cancellare?", + ), + "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( + "Sei sicuro di voler cambiare il piano?", + ), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "Sei sicuro di voler uscire?", + ), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Sei sicuro di volerti disconnettere?", + ), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "Sei sicuro di volere rinnovare?", + ), + "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( + "Sei sicuro di voler resettare questa persona?", + ), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "Il tuo abbonamento è stato annullato. Vuoi condividere il motivo?", + ), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Qual è il motivo principale per cui stai cancellando il tuo account?", + ), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Invita amici, amiche e parenti su ente", + ), + "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( + "in un rifugio antiatomico", + ), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Autenticati per modificare la verifica email", + ), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Autenticati per modificare le impostazioni della schermata di blocco", + ), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Autenticati per cambiare la tua email", + ), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Autenticati per cambiare la tua password", + ), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Autenticati per configurare l\'autenticazione a due fattori", + ), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Autenticati per avviare l\'eliminazione dell\'account", + ), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Autenticati per gestire i tuoi contatti fidati", + ), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Autenticati per visualizzare le tue passkey", + ), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Autenticati per visualizzare i file cancellati", + ), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Autenticati per visualizzare le sessioni attive", + ), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Autenticati per visualizzare i file nascosti", + ), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Autenticati per visualizzare le tue foto", + ), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Autenticati per visualizzare la tua chiave di recupero", + ), + "authenticating": MessageLookupByLibrary.simpleMessage("Autenticazione..."), + "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Autenticazione non riuscita, prova di nuovo", + ), + "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( + "Autenticazione riuscita!", + ), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Qui vedrai i dispositivi disponibili per la trasmissione.", + ), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Assicurarsi che le autorizzazioni della rete locale siano attivate per l\'app Ente Photos nelle Impostazioni.", + ), + "autoLock": MessageLookupByLibrary.simpleMessage("Blocco automatico"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Tempo dopo il quale l\'applicazione si blocca dopo essere stata messa in background", + ), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "A causa di problemi tecnici, sei stato disconnesso. Ci scusiamo per l\'inconveniente.", + ), + "autoPair": MessageLookupByLibrary.simpleMessage("Associazione automatica"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "L\'associazione automatica funziona solo con i dispositivi che supportano Chromecast.", + ), + "available": MessageLookupByLibrary.simpleMessage("Disponibile"), + "availableStorageSpace": m10, + "backedUpFolders": MessageLookupByLibrary.simpleMessage("Cartelle salvate"), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("Backup"), + "backupFailed": MessageLookupByLibrary.simpleMessage("Backup fallito"), + "backupFile": MessageLookupByLibrary.simpleMessage("File di backup"), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Backup su dati mobili", + ), + "backupSettings": MessageLookupByLibrary.simpleMessage( + "Impostazioni backup", + ), + "backupStatus": MessageLookupByLibrary.simpleMessage("Stato backup"), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Gli elementi che sono stati sottoposti a backup verranno mostrati qui", + ), + "backupVideos": MessageLookupByLibrary.simpleMessage("Backup dei video"), + "beach": MessageLookupByLibrary.simpleMessage("Sabbia e mare"), + "birthday": MessageLookupByLibrary.simpleMessage("Compleanno"), + "birthdayNotifications": MessageLookupByLibrary.simpleMessage( + "Notifiche dei compleanni", + ), + "birthdays": MessageLookupByLibrary.simpleMessage("Compleanni"), + "blackFridaySale": MessageLookupByLibrary.simpleMessage( + "Offerta del Black Friday", + ), + "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cachedData": MessageLookupByLibrary.simpleMessage("Dati nella cache"), + "calculating": MessageLookupByLibrary.simpleMessage("Calcolando..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Spiacente, questo album non può essere aperto nell\'app.", + ), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( + "Impossibile aprire questo album", + ), + "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( + "Impossibile caricare su album di proprietà altrui", + ), + "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Puoi creare solo link per i file di tua proprietà", + ), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Puoi rimuovere solo i file di tua proprietà", + ), + "cancel": MessageLookupByLibrary.simpleMessage("Annulla"), + "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( + "Annulla il recupero", + ), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "Sei sicuro di voler annullare il recupero?", + ), + "cancelOtherSubscription": m12, + "cancelSubscription": MessageLookupByLibrary.simpleMessage( + "Annulla abbonamento", + ), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Impossibile eliminare i file condivisi", + ), + "castAlbum": MessageLookupByLibrary.simpleMessage("Trasmetti album"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Assicurati di essere sulla stessa rete della TV.", + ), + "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( + "Errore nel trasmettere l\'album", + ), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Visita cast.ente.io sul dispositivo che vuoi abbinare.\n\nInserisci il codice qui sotto per riprodurre l\'album sulla tua TV.", + ), + "centerPoint": MessageLookupByLibrary.simpleMessage("Punto centrale"), + "change": MessageLookupByLibrary.simpleMessage("Cambia"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Modifica email"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Cambiare la posizione degli elementi selezionati?", + ), + "changePassword": MessageLookupByLibrary.simpleMessage("Cambia password"), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Modifica password", + ), + "changePermissions": MessageLookupByLibrary.simpleMessage( + "Cambio i permessi?", + ), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Cambia il tuo codice invito", + ), + "checkForUpdates": MessageLookupByLibrary.simpleMessage( + "Controlla aggiornamenti", + ), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Per favore, controlla la tua casella di posta (e lo spam) per completare la verifica", + ), + "checkStatus": MessageLookupByLibrary.simpleMessage("Verifica stato"), + "checking": MessageLookupByLibrary.simpleMessage("Controllo in corso..."), + "checkingModels": MessageLookupByLibrary.simpleMessage( + "Verifica dei modelli...", + ), + "city": MessageLookupByLibrary.simpleMessage("In città"), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage( + "Richiedi spazio gratuito", + ), + "claimMore": MessageLookupByLibrary.simpleMessage("Richiedine di più!"), + "claimed": MessageLookupByLibrary.simpleMessage("Riscattato"), + "claimedStorageSoFar": m14, + "cleanUncategorized": MessageLookupByLibrary.simpleMessage( + "Pulisci Senza Categoria", + ), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Rimuovi tutti i file da Senza Categoria che sono presenti in altri album", + ), + "clearCaches": MessageLookupByLibrary.simpleMessage("Svuota cache"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Cancella indici"), + "click": MessageLookupByLibrary.simpleMessage("• Clic"), + "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( + "• Fai clic sul menu", + ), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Clicca per installare l\'ultima versione dell\'app", + ), + "close": MessageLookupByLibrary.simpleMessage("Chiudi"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( + "Club per tempo di cattura", + ), + "clubByFileName": MessageLookupByLibrary.simpleMessage( + "Unisci per nome file", + ), + "clusteringProgress": MessageLookupByLibrary.simpleMessage( + "Progresso del raggruppamento", + ), + "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( + "Codice applicato", + ), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Siamo spiacenti, hai raggiunto il limite di modifiche del codice.", + ), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Codice copiato negli appunti", + ), + "codeUsedByYou": MessageLookupByLibrary.simpleMessage( + "Codice utilizzato da te", + ), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Crea un link per consentire alle persone di aggiungere e visualizzare foto nel tuo album condiviso senza bisogno di un\'applicazione o di un account Ente. Ottimo per raccogliere foto di un evento.", + ), + "collaborativeLink": MessageLookupByLibrary.simpleMessage( + "Link collaborativo", + ), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Collaboratore"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "I collaboratori possono aggiungere foto e video all\'album condiviso.", + ), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("Disposizione"), + "collageSaved": MessageLookupByLibrary.simpleMessage( + "Collage salvato nella galleria", + ), + "collect": MessageLookupByLibrary.simpleMessage("Raccogli"), + "collectEventPhotos": MessageLookupByLibrary.simpleMessage( + "Raccogli le foto di un evento", + ), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Raccogli le foto"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Crea un link dove i tuoi amici possono caricare le foto in qualità originale.", + ), + "color": MessageLookupByLibrary.simpleMessage("Colore"), + "configuration": MessageLookupByLibrary.simpleMessage("Configurazione"), + "confirm": MessageLookupByLibrary.simpleMessage("Conferma"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Sei sicuro di voler disattivare l\'autenticazione a due fattori?", + ), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Conferma eliminazione account", + ), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Sì, voglio eliminare definitivamente questo account e i dati associati a esso su tutte le applicazioni.", + ), + "confirmPassword": MessageLookupByLibrary.simpleMessage( + "Conferma password", + ), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage( + "Conferma le modifiche al piano", + ), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Conferma chiave di recupero", + ), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Conferma la tua chiave di recupero", + ), + "connectToDevice": MessageLookupByLibrary.simpleMessage( + "Connetti al dispositivo", + ), + "contactFamilyAdmin": m18, + "contactSupport": MessageLookupByLibrary.simpleMessage( + "Contatta il supporto", + ), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Contatti"), + "contents": MessageLookupByLibrary.simpleMessage("Contenuti"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Continua"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "Continua la prova gratuita", + ), + "convertToAlbum": MessageLookupByLibrary.simpleMessage("Converti in album"), + "copyEmailAddress": MessageLookupByLibrary.simpleMessage( + "Copia indirizzo email", + ), + "copyLink": MessageLookupByLibrary.simpleMessage("Copia link"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Copia-incolla questo codice\nnella tua app di autenticazione", + ), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "Impossibile eseguire il backup dei tuoi dati.\nRiproveremo più tardi.", + ), + "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( + "Impossibile liberare lo spazio", + ), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Impossibile aggiornare l\'abbonamento", + ), + "count": MessageLookupByLibrary.simpleMessage("Conteggio"), + "crashReporting": MessageLookupByLibrary.simpleMessage( + "Segnalazione di crash", + ), + "create": MessageLookupByLibrary.simpleMessage("Crea"), + "createAccount": MessageLookupByLibrary.simpleMessage("Crea account"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Premi a lungo per selezionare le foto e fai clic su + per creare un album", + ), + "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( + "Crea link collaborativo", + ), + "createCollage": MessageLookupByLibrary.simpleMessage("Crea un collage"), + "createNewAccount": MessageLookupByLibrary.simpleMessage( + "Crea un nuovo account", + ), + "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( + "Crea o seleziona album", + ), + "createPublicLink": MessageLookupByLibrary.simpleMessage( + "Crea link pubblico", + ), + "creatingLink": MessageLookupByLibrary.simpleMessage("Creazione link..."), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "Un aggiornamento importante è disponibile", + ), + "crop": MessageLookupByLibrary.simpleMessage("Ritaglia"), + "curatedMemories": MessageLookupByLibrary.simpleMessage( + "Ricordi importanti", + ), + "currentUsageIs": MessageLookupByLibrary.simpleMessage( + "Spazio attualmente utilizzato ", + ), + "currentlyRunning": MessageLookupByLibrary.simpleMessage( + "attualmente in esecuzione", + ), + "custom": MessageLookupByLibrary.simpleMessage("Personalizza"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Scuro"), + "dayToday": MessageLookupByLibrary.simpleMessage("Oggi"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Ieri"), + "declineTrustInvite": MessageLookupByLibrary.simpleMessage( + "Rifiuta l\'invito", + ), + "decrypting": MessageLookupByLibrary.simpleMessage("Decriptando..."), + "decryptingVideo": MessageLookupByLibrary.simpleMessage( + "Decifratura video...", + ), + "deduplicateFiles": MessageLookupByLibrary.simpleMessage("File Duplicati"), + "delete": MessageLookupByLibrary.simpleMessage("Cancella"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Elimina account"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Ci dispiace vederti andare via. Facci sapere se hai bisogno di aiuto o se vuoi aiutarci a migliorare.", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Cancella definitivamente il tuo account", + ), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Elimina album"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Eliminare anche le foto (e i video) presenti in questo album da tutti gli altri album di cui fanno parte?", + ), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "Questo eliminerà tutti gli album vuoti. È utile quando si desidera ridurre l\'ingombro nella lista degli album.", + ), + "deleteAll": MessageLookupByLibrary.simpleMessage("Elimina tutto"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "Questo account è collegato ad altre app di Ente, se ne utilizzi. I tuoi dati caricati, su tutte le app di Ente, saranno pianificati per la cancellazione e il tuo account verrà eliminato definitivamente.", + ), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Invia un\'email a account-deletion@ente.io dal tuo indirizzo email registrato.", + ), + "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( + "Elimina gli album vuoti", + ), + "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( + "Eliminare gli album vuoti?", + ), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage( + "Elimina da entrambi", + ), + "deleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Elimina dal dispositivo", + ), + "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Elimina da Ente"), + "deleteItemCount": m21, + "deleteLocation": MessageLookupByLibrary.simpleMessage("Elimina posizione"), + "deleteMultipleAlbumDialog": m22, + "deletePhotos": MessageLookupByLibrary.simpleMessage("Elimina foto"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Manca una caratteristica chiave di cui ho bisogno", + ), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "L\'app o una determinata funzionalità non si comporta come dovrebbe", + ), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Ho trovato un altro servizio che mi piace di più", + ), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "Il motivo non è elencato", + ), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "La tua richiesta verrà elaborata entro 72 ore.", + ), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Eliminare l\'album condiviso?", + ), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "L\'album verrà eliminato per tutti\n\nPerderai l\'accesso alle foto condivise in questo album che sono di proprietà di altri", + ), + "deselectAll": MessageLookupByLibrary.simpleMessage("Deseleziona tutti"), + "designedToOutlive": MessageLookupByLibrary.simpleMessage( + "Progettato per sopravvivere", + ), + "details": MessageLookupByLibrary.simpleMessage("Dettagli"), + "developerSettings": MessageLookupByLibrary.simpleMessage( + "Impostazioni sviluppatore", + ), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Sei sicuro di voler modificare le Impostazioni sviluppatore?", + ), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage( + "Inserisci il codice", + ), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "I file aggiunti a questo album del dispositivo verranno automaticamente caricati su Ente.", + ), + "deviceLock": MessageLookupByLibrary.simpleMessage( + "Blocco del dispositivo", + ), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Disabilita il blocco schermo del dispositivo quando Ente è in primo piano e c\'è un backup in corso. Questo normalmente non è necessario ma può aiutare a completare più velocemente grossi caricamenti e l\'importazione iniziale di grandi librerie.", + ), + "deviceNotFound": MessageLookupByLibrary.simpleMessage( + "Dispositivo non trovato", + ), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Lo sapevi che?"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage( + "Disabilita blocco automatico", + ), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "I visualizzatori possono scattare screenshot o salvare una copia delle foto utilizzando strumenti esterni", + ), + "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( + "Nota bene", + ), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "Disabilita autenticazione a due fattori", + ), + "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( + "Disattivazione autenticazione a due fattori...", + ), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Scopri"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Neonati"), + "discover_celebrations": MessageLookupByLibrary.simpleMessage( + "Festeggiamenti", + ), + "discover_food": MessageLookupByLibrary.simpleMessage("Cibo"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Vegetazione"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Colline"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Identità"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Meme"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Note"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Animali domestici"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Ricette"), + "discover_screenshots": MessageLookupByLibrary.simpleMessage("Schermate"), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfie"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Tramonto"), + "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( + "Biglietti da Visita", + ), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Sfondi"), + "dismiss": MessageLookupByLibrary.simpleMessage("Ignora"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage("Non uscire"), + "doThisLater": MessageLookupByLibrary.simpleMessage("In seguito"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Vuoi scartare le modifiche che hai fatto?", + ), + "done": MessageLookupByLibrary.simpleMessage("Completato"), + "dontSave": MessageLookupByLibrary.simpleMessage("Non salvare"), + "doubleYourStorage": MessageLookupByLibrary.simpleMessage( + "Raddoppia il tuo spazio", + ), + "download": MessageLookupByLibrary.simpleMessage("Scarica"), + "downloadFailed": MessageLookupByLibrary.simpleMessage( + "Scaricamento fallito", + ), + "downloading": MessageLookupByLibrary.simpleMessage( + "Scaricamento in corso...", + ), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Modifica"), + "editEmailAlreadyLinked": m28, + "editLocation": MessageLookupByLibrary.simpleMessage("Modifica luogo"), + "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( + "Modifica luogo", + ), + "editPerson": MessageLookupByLibrary.simpleMessage("Modifica persona"), + "editTime": MessageLookupByLibrary.simpleMessage("Modifica orario"), + "editsSaved": MessageLookupByLibrary.simpleMessage("Modifiche salvate"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Le modifiche alla posizione saranno visibili solo all\'interno di Ente", + ), + "eligible": MessageLookupByLibrary.simpleMessage("idoneo"), + "email": MessageLookupByLibrary.simpleMessage("Email"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "Email già registrata.", + ), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "Email non registrata.", + ), + "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( + "Verifica Email", + ), + "emailYourLogs": MessageLookupByLibrary.simpleMessage( + "Invia una mail con i tuoi log", + ), + "embracingThem": m32, + "emergencyContacts": MessageLookupByLibrary.simpleMessage( + "Contatti di emergenza", + ), + "empty": MessageLookupByLibrary.simpleMessage("Svuota"), + "emptyTrash": MessageLookupByLibrary.simpleMessage( + "Vuoi svuotare il cestino?", + ), + "enable": MessageLookupByLibrary.simpleMessage("Abilita"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "Ente supporta l\'apprendimento automatico eseguito sul dispositivo per il riconoscimento dei volti, la ricerca magica e altre funzioni di ricerca avanzata", + ), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Abilita l\'apprendimento automatico per la ricerca magica e il riconoscimento facciale", + ), + "enableMaps": MessageLookupByLibrary.simpleMessage("Abilita le Mappe"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "Questo mostrerà le tue foto su una mappa del mondo.\n\nQuesta mappa è ospitata da Open Street Map e le posizioni esatte delle tue foto non sono mai condivise.\n\nPuoi disabilitare questa funzionalità in qualsiasi momento, dalle Impostazioni.", + ), + "enabled": MessageLookupByLibrary.simpleMessage("Abilitato"), + "encryptingBackup": MessageLookupByLibrary.simpleMessage( + "Crittografando il backup...", + ), + "encryption": MessageLookupByLibrary.simpleMessage("Crittografia"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage( + "Chiavi di crittografia", + ), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Endpoint aggiornato con successo", + ), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Crittografia end-to-end", + ), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente può criptare e conservare i file solo se gliene concedi l\'accesso", + ), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente necessita del permesso per preservare le tue foto", + ), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "Ente conserva i tuoi ricordi in modo che siano sempre a disposizione, anche se perdi il tuo dispositivo.", + ), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Aggiungi la tua famiglia al tuo piano.", + ), + "enterAlbumName": MessageLookupByLibrary.simpleMessage( + "Inserisci il nome dell\'album", + ), + "enterCode": MessageLookupByLibrary.simpleMessage("Inserisci codice"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Inserisci il codice fornito dal tuo amico per richiedere spazio gratuito per entrambi", + ), + "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( + "Compleanno (Opzionale)", + ), + "enterEmail": MessageLookupByLibrary.simpleMessage("Inserisci email"), + "enterFileName": MessageLookupByLibrary.simpleMessage( + "Inserisci un nome per il file", + ), + "enterName": MessageLookupByLibrary.simpleMessage("Aggiungi nome"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Inserisci una nuova password per criptare i tuoi dati", + ), + "enterPassword": MessageLookupByLibrary.simpleMessage("Inserisci password"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Inserisci una password per criptare i tuoi dati", + ), + "enterPersonName": MessageLookupByLibrary.simpleMessage( + "Inserisci il nome della persona", + ), + "enterPin": MessageLookupByLibrary.simpleMessage("Inserisci PIN"), + "enterReferralCode": MessageLookupByLibrary.simpleMessage( + "Inserisci il codice di invito", + ), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Inserisci il codice di 6 cifre\ndalla tua app di autenticazione", + ), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Inserisci un indirizzo email valido.", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Inserisci il tuo indirizzo email", + ), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Inserisci il tuo nuovo indirizzo email", + ), + "enterYourPassword": MessageLookupByLibrary.simpleMessage( + "Inserisci la tua password", + ), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Inserisci la tua chiave di recupero", + ), + "error": MessageLookupByLibrary.simpleMessage("Errore"), + "everywhere": MessageLookupByLibrary.simpleMessage("ovunque"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": MessageLookupByLibrary.simpleMessage("Accedi"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Questo link è scaduto. Si prega di selezionare un nuovo orario di scadenza o disabilitare la scadenza del link.", + ), + "exportLogs": MessageLookupByLibrary.simpleMessage("Esporta log"), + "exportYourData": MessageLookupByLibrary.simpleMessage("Esporta dati"), + "extraPhotosFound": MessageLookupByLibrary.simpleMessage( + "Trovate foto aggiuntive", + ), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Faccia non ancora raggruppata, per favore torna più tardi", + ), + "faceRecognition": MessageLookupByLibrary.simpleMessage( + "Riconoscimento facciale", + ), + "faces": MessageLookupByLibrary.simpleMessage("Volti"), + "failed": MessageLookupByLibrary.simpleMessage("Non riuscito"), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage( + "Impossibile applicare il codice", + ), + "failedToCancel": MessageLookupByLibrary.simpleMessage( + "Impossibile annullare", + ), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( + "Download del video non riuscito", + ), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Recupero delle sessioni attive non riuscito", + ), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Impossibile recuperare l\'originale per la modifica", + ), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Impossibile recuperare i dettagli. Per favore, riprova più tardi.", + ), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "Impossibile caricare gli album", + ), + "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Impossibile riprodurre il video", + ), + "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( + "Impossibile aggiornare l\'abbonamento", + ), + "failedToRenew": MessageLookupByLibrary.simpleMessage("Rinnovo fallito"), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Impossibile verificare lo stato del pagamento", + ), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Aggiungi 5 membri della famiglia al tuo piano esistente senza pagare extra.\n\nOgni membro ottiene il proprio spazio privato e non può vedere i file dell\'altro a meno che non siano condivisi.\n\nI piani familiari sono disponibili per i clienti che hanno un abbonamento Ente a pagamento.\n\nIscriviti ora per iniziare!", + ), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Famiglia"), + "familyPlans": MessageLookupByLibrary.simpleMessage("Piano famiglia"), + "faq": MessageLookupByLibrary.simpleMessage("FAQ"), + "faqs": MessageLookupByLibrary.simpleMessage("FAQ"), + "favorite": MessageLookupByLibrary.simpleMessage("Preferito"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("Suggerimenti"), + "file": MessageLookupByLibrary.simpleMessage("File"), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Impossibile salvare il file nella galleria", + ), + "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( + "Aggiungi descrizione...", + ), + "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( + "File non ancora caricato", + ), + "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( + "File salvato nella galleria", + ), + "fileTypes": MessageLookupByLibrary.simpleMessage("Tipi di file"), + "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( + "Tipi e nomi di file", + ), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage("File eliminati"), + "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( + "File salvati nella galleria", + ), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "Trova rapidamente le persone per nome", + ), + "findThemQuickly": MessageLookupByLibrary.simpleMessage( + "Trovali rapidamente", + ), + "flip": MessageLookupByLibrary.simpleMessage("Capovolgi"), + "food": MessageLookupByLibrary.simpleMessage("Delizia culinaria"), + "forYourMemories": MessageLookupByLibrary.simpleMessage( + "per i tuoi ricordi", + ), + "forgotPassword": MessageLookupByLibrary.simpleMessage( + "Password dimenticata", + ), + "foundFaces": MessageLookupByLibrary.simpleMessage("Volti trovati"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( + "Spazio gratuito richiesto", + ), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Spazio libero utilizzabile", + ), + "freeTrial": MessageLookupByLibrary.simpleMessage("Prova gratuita"), + "freeTrialValidTill": m38, + "freeUpAmount": m40, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage("Libera spazio"), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Risparmia spazio sul tuo dispositivo cancellando i file che sono già stati salvati online.", + ), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("Libera spazio"), + "freeUpSpaceSaving": m41, + "gallery": MessageLookupByLibrary.simpleMessage("Galleria"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "Fino a 1000 ricordi mostrati nella galleria", + ), + "general": MessageLookupByLibrary.simpleMessage("Generali"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Generazione delle chiavi di crittografia...", + ), + "genericProgress": m42, + "goToSettings": MessageLookupByLibrary.simpleMessage( + "Vai alle impostazioni", + ), + "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Consenti l\'accesso a tutte le foto nelle Impostazioni", + ), + "grantPermission": MessageLookupByLibrary.simpleMessage( + "Concedi il permesso", + ), + "greenery": MessageLookupByLibrary.simpleMessage("In mezzo al verde"), + "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( + "Raggruppa foto nelle vicinanze", + ), + "guestView": MessageLookupByLibrary.simpleMessage("Vista ospite"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "Per abilitare la vista ospite, configura il codice di accesso del dispositivo o il blocco schermo nelle impostazioni di sistema.", + ), + "happyBirthday": MessageLookupByLibrary.simpleMessage( + "Buon compleanno! 🥳", + ), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "Non teniamo traccia del numero di installazioni dell\'app. Sarebbe utile se ci dicesse dove ci ha trovato!", + ), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Come hai sentito parlare di Ente? (opzionale)", + ), + "help": MessageLookupByLibrary.simpleMessage("Aiuto"), + "hidden": MessageLookupByLibrary.simpleMessage("Nascosti"), + "hide": MessageLookupByLibrary.simpleMessage("Nascondi"), + "hideContent": MessageLookupByLibrary.simpleMessage( + "Nascondi il contenuto", + ), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Nasconde il contenuto nel selettore delle app e disabilita gli screenshot", + ), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Nasconde il contenuto nel selettore delle app", + ), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Nascondi gli elementi condivisi dalla galleria principale", + ), + "hiding": MessageLookupByLibrary.simpleMessage("Nascondendo..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( + "Ospitato presso OSM France", + ), + "howItWorks": MessageLookupByLibrary.simpleMessage("Come funziona"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Chiedi di premere a lungo il loro indirizzo email nella schermata delle impostazioni e verificare che gli ID su entrambi i dispositivi corrispondano.", + ), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "L\'autenticazione biometrica non è impostata sul tuo dispositivo. Abilita Touch ID o Face ID sul tuo telefono.", + ), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "L\'autenticazione biometrica è disabilitata. Blocca e sblocca lo schermo per abilitarla.", + ), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignora"), + "ignored": MessageLookupByLibrary.simpleMessage("ignorato"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Alcuni file in questo album vengono ignorati dal caricamento perché erano stati precedentemente eliminati da Ente.", + ), + "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( + "Immagine non analizzata", + ), + "immediately": MessageLookupByLibrary.simpleMessage("Immediatamente"), + "importing": MessageLookupByLibrary.simpleMessage( + "Importazione in corso....", + ), + "incorrectCode": MessageLookupByLibrary.simpleMessage("Codice sbagliato"), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Password sbagliata", + ), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Chiave di recupero errata", + ), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Il codice che hai inserito non è corretto", + ), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Chiave di recupero errata", + ), + "indexedItems": MessageLookupByLibrary.simpleMessage( + "Elementi indicizzati", + ), + "ineligible": MessageLookupByLibrary.simpleMessage("Non idoneo"), + "info": MessageLookupByLibrary.simpleMessage("Info"), + "insecureDevice": MessageLookupByLibrary.simpleMessage( + "Dispositivo non sicuro", + ), + "installManually": MessageLookupByLibrary.simpleMessage( + "Installa manualmente", + ), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "Indirizzo email non valido", + ), + "invalidEndpoint": MessageLookupByLibrary.simpleMessage( + "Endpoint invalido", + ), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Spiacenti, l\'endpoint inserito non è valido. Inserisci un endpoint valido e riprova.", + ), + "invalidKey": MessageLookupByLibrary.simpleMessage("Chiave non valida"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "La chiave di recupero che hai inserito non è valida. Assicurati che contenga 24 parole e controlla l\'ortografia di ciascuna parola.\n\nSe hai inserito un vecchio codice di recupero, assicurati che sia lungo 64 caratteri e controlla ciascuno di essi.", + ), + "invite": MessageLookupByLibrary.simpleMessage("Invita"), + "inviteToEnte": MessageLookupByLibrary.simpleMessage("Invita su Ente"), + "inviteYourFriends": MessageLookupByLibrary.simpleMessage( + "Invita i tuoi amici", + ), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "Invita i tuoi amici a Ente", + ), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Sembra che qualcosa sia andato storto. Riprova tra un po\'. Se l\'errore persiste, contatta il nostro team di supporto.", + ), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "Gli elementi mostrano il numero di giorni rimanenti prima della cancellazione permanente", + ), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Gli elementi selezionati saranno rimossi da questo album", + ), + "join": MessageLookupByLibrary.simpleMessage("Unisciti"), + "joinAlbum": MessageLookupByLibrary.simpleMessage("Unisciti all\'album"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "Unirsi a un album renderà visibile la tua email ai suoi partecipanti.", + ), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( + "per visualizzare e aggiungere le tue foto", + ), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "per aggiungerla agli album condivisi", + ), + "joinDiscord": MessageLookupByLibrary.simpleMessage("Unisciti a Discord"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Mantieni foto"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Aiutaci con queste informazioni", + ), + "language": MessageLookupByLibrary.simpleMessage("Lingua"), + "lastTimeWithThem": m45, + "lastUpdated": MessageLookupByLibrary.simpleMessage("Ultimo aggiornamento"), + "lastYearsTrip": MessageLookupByLibrary.simpleMessage( + "Viaggio dello scorso anno", + ), + "leave": MessageLookupByLibrary.simpleMessage("Lascia"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Abbandona l\'album"), + "leaveFamily": MessageLookupByLibrary.simpleMessage( + "Abbandona il piano famiglia", + ), + "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Abbandonare l\'album condiviso?", + ), + "left": MessageLookupByLibrary.simpleMessage("Sinistra"), + "legacy": MessageLookupByLibrary.simpleMessage("Legacy"), + "legacyAccounts": MessageLookupByLibrary.simpleMessage("Account Legacy"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "Legacy consente ai contatti fidati di accedere al tuo account in tua assenza.", + ), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "I contatti fidati possono avviare il recupero dell\'account e, se non sono bloccati entro 30 giorni, reimpostare la password e accedere al tuo account.", + ), + "light": MessageLookupByLibrary.simpleMessage("Chiaro"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Chiaro"), + "link": MessageLookupByLibrary.simpleMessage("Link"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Link copiato negli appunti", + ), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage( + "Limite dei dispositivi", + ), + "linkEmail": MessageLookupByLibrary.simpleMessage("Link Email"), + "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( + "per una condivisione più veloce", + ), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Attivato"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Scaduto"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Scadenza del link"), + "linkHasExpired": MessageLookupByLibrary.simpleMessage("Il link è scaduto"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Mai"), + "linkPerson": MessageLookupByLibrary.simpleMessage("Collega persona"), + "linkPersonCaption": MessageLookupByLibrary.simpleMessage( + "per una migliore esperienza di condivisione", + ), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("Live Photo"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "Puoi condividere il tuo abbonamento con la tua famiglia", + ), + "loadMessage2": MessageLookupByLibrary.simpleMessage( + "Finora abbiamo conservato oltre 200 milioni di ricordi", + ), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "Teniamo 3 copie dei tuoi dati, uno in un rifugio sotterraneo antiatomico", + ), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "Tutte le nostre app sono open source", + ), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Il nostro codice sorgente e la crittografia hanno ricevuto audit esterni", + ), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "Puoi condividere i link ai tuoi album con i tuoi cari", + ), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Le nostre app per smartphone vengono eseguite in background per crittografare e eseguire il backup di qualsiasi nuova foto o video", + ), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io ha un uploader intuitivo", + ), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Usiamo Xchacha20Poly1305 per crittografare in modo sicuro i tuoi dati", + ), + "loadingExifData": MessageLookupByLibrary.simpleMessage( + "Caricamento dati EXIF...", + ), + "loadingGallery": MessageLookupByLibrary.simpleMessage( + "Caricamento galleria...", + ), + "loadingMessage": MessageLookupByLibrary.simpleMessage( + "Caricando le tue foto...", + ), + "loadingModel": MessageLookupByLibrary.simpleMessage( + "Scaricamento modelli...", + ), + "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( + "Caricando le tue foto...", + ), + "localGallery": MessageLookupByLibrary.simpleMessage("Galleria locale"), + "localIndexing": MessageLookupByLibrary.simpleMessage( + "Indicizzazione locale", + ), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Sembra che qualcosa sia andato storto dal momento che la sincronizzazione delle foto locali richiede più tempo del previsto. Si prega di contattare il nostro team di supporto", + ), + "location": MessageLookupByLibrary.simpleMessage("Luogo"), + "locationName": MessageLookupByLibrary.simpleMessage("Nome della località"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Un tag di localizzazione raggruppa tutte le foto scattate entro il raggio di una foto", + ), + "locations": MessageLookupByLibrary.simpleMessage("Luoghi"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Blocca"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Schermata di blocco"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Accedi"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Disconnessione..."), + "loginSessionExpired": MessageLookupByLibrary.simpleMessage( + "Sessione scaduta", + ), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "La sessione è scaduta. Si prega di accedere nuovamente.", + ), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Cliccando sul pulsante Accedi, accetti i termini di servizio e la politica sulla privacy", + ), + "loginWithTOTP": MessageLookupByLibrary.simpleMessage("Login con TOTP"), + "logout": MessageLookupByLibrary.simpleMessage("Disconnetti"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "Invia i log per aiutarci a risolvere il tuo problema. Si prega di notare che i nomi dei file saranno inclusi per aiutare a tenere traccia di problemi con file specifici.", + ), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Premi a lungo un\'email per verificare la crittografia end to end.", + ), + "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( + "Premi a lungo su un elemento per visualizzarlo a schermo intero", + ), + "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( + "Rivivi i tuoi ricordi 🌄", + ), + "loopVideoOff": MessageLookupByLibrary.simpleMessage( + "Loop video disattivo", + ), + "loopVideoOn": MessageLookupByLibrary.simpleMessage("Loop video attivo"), + "lostDevice": MessageLookupByLibrary.simpleMessage("Dispositivo perso?"), + "machineLearning": MessageLookupByLibrary.simpleMessage( + "Apprendimento automatico (ML)", + ), + "magicSearch": MessageLookupByLibrary.simpleMessage("Ricerca magica"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "La ricerca magica ti permette di cercare le foto in base al loro contenuto, ad esempio \'fiore\', \'auto rossa\', \'documenti d\'identità\'", + ), + "manage": MessageLookupByLibrary.simpleMessage("Gestisci"), + "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( + "Gestisci cache dispositivo", + ), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Verifica e svuota la memoria cache locale.", + ), + "manageFamily": MessageLookupByLibrary.simpleMessage( + "Gestisci Piano famiglia", + ), + "manageLink": MessageLookupByLibrary.simpleMessage("Gestisci link"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Gestisci"), + "manageSubscription": MessageLookupByLibrary.simpleMessage( + "Gestisci abbonamento", + ), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "L\'associazione con PIN funziona con qualsiasi schermo dove desideri visualizzare il tuo album.", + ), + "map": MessageLookupByLibrary.simpleMessage("Mappa"), + "maps": MessageLookupByLibrary.simpleMessage("Mappe"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("Io"), + "memories": MessageLookupByLibrary.simpleMessage("Ricordi"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Seleziona il tipo di ricordi che desideri vedere nella schermata principale.", + ), + "memoryCount": m50, + "merchandise": MessageLookupByLibrary.simpleMessage("Merchandise"), + "mergeWithExisting": MessageLookupByLibrary.simpleMessage( + "Unisci con esistente", + ), + "mergedPhotos": MessageLookupByLibrary.simpleMessage("Fotografie unite"), + "mlConsent": MessageLookupByLibrary.simpleMessage( + "Abilita l\'apprendimento automatico", + ), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Comprendo e desidero abilitare l\'apprendimento automatico", + ), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Se abiliti il Machine Learning, Ente estrarrà informazioni come la geometria del volto dai file, inclusi quelli condivisi con te.\n\nQuesto accadrà sul tuo dispositivo, e qualsiasi informazione biometrica generata sarà crittografata end-to-end.", + ), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Clicca qui per maggiori dettagli su questa funzione nella nostra informativa sulla privacy", + ), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "Abilita l\'apprendimento automatico?", + ), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Si prega di notare che l\'attivazione dell\'apprendimento automatico si tradurrà in un maggior utilizzo della connessione e della batteria fino a quando tutti gli elementi non saranno indicizzati. Valuta di utilizzare l\'applicazione desktop per un\'indicizzazione più veloce, tutti i risultati verranno sincronizzati automaticamente.", + ), + "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( + "Mobile, Web, Desktop", + ), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Mediocre"), + "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( + "Modifica la tua ricerca o prova con", + ), + "moments": MessageLookupByLibrary.simpleMessage("Momenti"), + "month": MessageLookupByLibrary.simpleMessage("mese"), + "monthly": MessageLookupByLibrary.simpleMessage("Mensile"), + "moon": MessageLookupByLibrary.simpleMessage("Al chiaro di luna"), + "moreDetails": MessageLookupByLibrary.simpleMessage("Più dettagli"), + "mostRecent": MessageLookupByLibrary.simpleMessage("Più recenti"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("Più rilevanti"), + "mountains": MessageLookupByLibrary.simpleMessage("Oltre le colline"), + "moveItem": m51, + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "Sposta foto selezionate in una data specifica", + ), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("Sposta nell\'album"), + "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Sposta in album nascosto", + ), + "movedSuccessfullyTo": m52, + "movedToTrash": MessageLookupByLibrary.simpleMessage( + "Spostato nel cestino", + ), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Spostamento dei file nell\'album...", + ), + "name": MessageLookupByLibrary.simpleMessage("Nome"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage( + "Dai un nome all\'album", + ), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Impossibile connettersi a Ente, riprova tra un po\' di tempo. Se l\'errore persiste, contatta l\'assistenza.", + ), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Impossibile connettersi a Ente, controlla le impostazioni di rete e contatta l\'assistenza se l\'errore persiste.", + ), + "never": MessageLookupByLibrary.simpleMessage("Mai"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Nuovo album"), + "newLocation": MessageLookupByLibrary.simpleMessage("Nuova posizione"), + "newPerson": MessageLookupByLibrary.simpleMessage("Nuova persona"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" nuova 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("Nuovo intervallo"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Prima volta con Ente"), + "newest": MessageLookupByLibrary.simpleMessage("Più recenti"), + "next": MessageLookupByLibrary.simpleMessage("Successivo"), + "no": MessageLookupByLibrary.simpleMessage("No"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Ancora nessun album condiviso da te", + ), + "noDeviceFound": MessageLookupByLibrary.simpleMessage( + "Nessun dispositivo trovato", + ), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Nessuno"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "Non hai file su questo dispositivo che possono essere eliminati", + ), + "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Nessun doppione"), + "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( + "Nessun account Ente!", + ), + "noExifData": MessageLookupByLibrary.simpleMessage("Nessun dato EXIF"), + "noFacesFound": MessageLookupByLibrary.simpleMessage( + "Nessun volto trovato", + ), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "Nessuna foto o video nascosti", + ), + "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( + "Nessuna immagine con posizione", + ), + "noInternetConnection": MessageLookupByLibrary.simpleMessage( + "Nessuna connessione internet", + ), + "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( + "Il backup delle foto attualmente non viene eseguito", + ), + "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( + "Nessuna foto trovata", + ), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( + "Nessun link rapido selezionato", + ), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Nessuna chiave di recupero?", + ), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "A causa della natura del nostro protocollo di crittografia end-to-end, i tuoi dati non possono essere decifrati senza password o chiave di ripristino", + ), + "noResults": MessageLookupByLibrary.simpleMessage("Nessun risultato"), + "noResultsFound": MessageLookupByLibrary.simpleMessage( + "Nessun risultato trovato", + ), + "noSuggestionsForPerson": m53, + "noSystemLockFound": MessageLookupByLibrary.simpleMessage( + "Nessun blocco di sistema trovato", + ), + "notPersonLabel": m54, + "notThisPerson": MessageLookupByLibrary.simpleMessage( + "Non è questa persona?", + ), + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "Ancora nulla di condiviso con te", + ), + "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( + "Nulla da vedere qui! 👀", + ), + "notifications": MessageLookupByLibrary.simpleMessage("Notifiche"), + "ok": MessageLookupByLibrary.simpleMessage("Ok"), + "onDevice": MessageLookupByLibrary.simpleMessage("Sul dispositivo"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "Su ente", + ), + "onTheRoad": MessageLookupByLibrary.simpleMessage( + "Un altro viaggio su strada", + ), + "onThisDay": MessageLookupByLibrary.simpleMessage("In questo giorno"), + "onThisDayMemories": MessageLookupByLibrary.simpleMessage( + "Ricordi di questo giorno", + ), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "Ricevi promemoria sui ricordi da questo giorno negli anni precedenti.", + ), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Solo loro"), + "oops": MessageLookupByLibrary.simpleMessage("Oops"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Ops, impossibile salvare le modifiche", + ), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Oops! Qualcosa è andato storto", + ), + "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( + "Apri album nel browser", + ), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Utilizza l\'app web per aggiungere foto a questo album", + ), + "openFile": MessageLookupByLibrary.simpleMessage("Apri file"), + "openSettings": MessageLookupByLibrary.simpleMessage("Apri Impostazioni"), + "openTheItem": MessageLookupByLibrary.simpleMessage( + "• Apri la foto o il video", + ), + "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( + "Collaboratori di OpenStreetMap", + ), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Facoltativo, breve quanto vuoi...", + ), + "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( + "O unisci con esistente", + ), + "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( + "Oppure scegline una esistente", + ), + "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( + "o scegli tra i tuoi contatti", + ), + "pair": MessageLookupByLibrary.simpleMessage("Abbina"), + "pairWithPin": MessageLookupByLibrary.simpleMessage("Associa con PIN"), + "pairingComplete": MessageLookupByLibrary.simpleMessage( + "Associazione completata", + ), + "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), + "partyWithThem": m56, + "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( + "La verifica è ancora in corso", + ), + "passkey": MessageLookupByLibrary.simpleMessage("Passkey"), + "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( + "Verifica della passkey", + ), + "password": MessageLookupByLibrary.simpleMessage("Password"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Password modificata con successo", + ), + "passwordLock": MessageLookupByLibrary.simpleMessage("Blocco con password"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "La sicurezza della password viene calcolata considerando la lunghezza della password, i caratteri usati e se la password appare o meno nelle prime 10.000 password più usate", + ), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Noi non memorizziamo la tua password, quindi se te la dimentichi, non possiamo decriptare i tuoi dati", + ), + "pastYearsMemories": MessageLookupByLibrary.simpleMessage( + "Ricordi degli ultimi anni", + ), + "paymentDetails": MessageLookupByLibrary.simpleMessage( + "Dettagli di Pagamento", + ), + "paymentFailed": MessageLookupByLibrary.simpleMessage( + "Pagamento non riuscito", + ), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "Purtroppo il tuo pagamento non è riuscito. Contatta l\'assistenza e ti aiuteremo!", + ), + "paymentFailedTalkToProvider": m58, + "pendingItems": MessageLookupByLibrary.simpleMessage("Elementi in sospeso"), + "pendingSync": MessageLookupByLibrary.simpleMessage( + "Sincronizzazione in sospeso", + ), + "people": MessageLookupByLibrary.simpleMessage("Persone"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Persone che hanno usato il tuo codice", + ), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Seleziona le persone che desideri vedere nella schermata principale.", + ), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Tutti gli elementi nel cestino verranno eliminati definitivamente\n\nQuesta azione non può essere annullata", + ), + "permanentlyDelete": MessageLookupByLibrary.simpleMessage( + "Elimina definitivamente", + ), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Eliminare definitivamente dal dispositivo?", + ), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("Nome della persona"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("Compagni pelosetti"), + "photoDescriptions": MessageLookupByLibrary.simpleMessage( + "Descrizioni delle foto", + ), + "photoGridSize": MessageLookupByLibrary.simpleMessage( + "Dimensione griglia foto", + ), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("Foto"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "Le foto aggiunte da te verranno rimosse dall\'album", + ), + "photosCount": m62, + "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( + "Le foto mantengono una differenza di tempo relativa", + ), + "pickCenterPoint": MessageLookupByLibrary.simpleMessage( + "Selezionare il punto centrale", + ), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Fissa l\'album"), + "pinLock": MessageLookupByLibrary.simpleMessage("Blocco con PIN"), + "playOnTv": MessageLookupByLibrary.simpleMessage( + "Riproduci album sulla TV", + ), + "playOriginal": MessageLookupByLibrary.simpleMessage("Riproduci originale"), + "playStoreFreeTrialValidTill": m63, + "playStream": MessageLookupByLibrary.simpleMessage( + "Riproduci lo streaming", + ), + "playstoreSubscription": MessageLookupByLibrary.simpleMessage( + "Abbonamento su PlayStore", + ), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Si prega di verificare la propria connessione Internet e riprovare.", + ), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Contatta support@ente.io e saremo felici di aiutarti!", + ), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Riprova. Se il problema persiste, ti invitiamo a contattare l\'assistenza", + ), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( + "Concedi i permessi", + ), + "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( + "Effettua nuovamente l\'accesso", + ), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Si prega di selezionare i link rapidi da rimuovere", + ), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("Riprova"), + "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( + "Verifica il codice che hai inserito", + ), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Attendere..."), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Attendere, sto eliminando l\'album", + ), + "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( + "Riprova tra qualche minuto", + ), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "Attendere, potrebbe volerci un po\' di tempo.", + ), + "posingWithThem": m66, + "preparingLogs": MessageLookupByLibrary.simpleMessage( + "Preparando i log...", + ), + "preserveMore": MessageLookupByLibrary.simpleMessage("Salva più foto"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Tieni premuto per riprodurre il video", + ), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Tieni premuto sull\'immagine per riprodurre il video", + ), + "previous": MessageLookupByLibrary.simpleMessage("Precedente"), + "privacy": MessageLookupByLibrary.simpleMessage("Privacy"), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "Privacy Policy", + ), + "privateBackups": MessageLookupByLibrary.simpleMessage("Backup privato"), + "privateSharing": MessageLookupByLibrary.simpleMessage( + "Condivisioni private", + ), + "proceed": MessageLookupByLibrary.simpleMessage("Prosegui"), + "processed": MessageLookupByLibrary.simpleMessage("Processato"), + "processing": MessageLookupByLibrary.simpleMessage("In elaborazione"), + "processingImport": m67, + "processingVideos": MessageLookupByLibrary.simpleMessage( + "Elaborando video", + ), + "publicLinkCreated": MessageLookupByLibrary.simpleMessage( + "Link pubblico creato", + ), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( + "Link pubblico abilitato", + ), + "queued": MessageLookupByLibrary.simpleMessage("In coda"), + "quickLinks": MessageLookupByLibrary.simpleMessage("Collegamenti rapidi"), + "radius": MessageLookupByLibrary.simpleMessage("Raggio"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Invia ticket"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("Valuta l\'app"), + "rateUs": MessageLookupByLibrary.simpleMessage("Lascia una recensione"), + "rateUsOnStore": m68, + "reassignMe": MessageLookupByLibrary.simpleMessage("Riassegna \"Io\""), + "reassignedToName": m69, + "reassigningLoading": MessageLookupByLibrary.simpleMessage( + "Riassegnando...", + ), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Ricevi promemoria quando è il compleanno di qualcuno. Toccare la notifica ti porterà alle foto della persona che compie gli anni.", + ), + "recover": MessageLookupByLibrary.simpleMessage("Recupera"), + "recoverAccount": MessageLookupByLibrary.simpleMessage("Recupera account"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Recupera"), + "recoveryAccount": MessageLookupByLibrary.simpleMessage( + "Recupera l\'account", + ), + "recoveryInitiated": MessageLookupByLibrary.simpleMessage( + "Recupero avviato", + ), + "recoveryInitiatedDesc": m70, + "recoveryKey": MessageLookupByLibrary.simpleMessage("Chiave di recupero"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Chiave di recupero copiata negli appunti", + ), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Se dimentichi la password, questa chiave è l\'unico modo per recuperare i tuoi dati.", + ), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Noi non memorizziamo questa chiave, per favore salva queste 24 parole in un posto sicuro.", + ), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Ottimo! La tua chiave di recupero è valida. Grazie per averla verificata.\n\nRicordati di salvare la tua chiave di recupero in un posto sicuro.", + ), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Chiave di recupero verificata", + ), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Se hai dimenticato la password, la tua chiave di ripristino è l\'unico modo per recuperare le tue foto. La puoi trovare in Impostazioni > Account.\n\nInserisci la tua chiave di recupero per verificare di averla salvata correttamente.", + ), + "recoveryReady": m71, + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "Recupero riuscito!", + ), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "Un contatto fidato sta tentando di accedere al tuo account", + ), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Il dispositivo attuale non è abbastanza potente per verificare la tua password, ma la possiamo rigenerare in un modo che funzioni su tutti i dispositivi.\n\nEffettua il login utilizzando la tua chiave di recupero e rigenera la tua password (puoi utilizzare nuovamente la stessa se vuoi).", + ), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Reimposta password", + ), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": MessageLookupByLibrary.simpleMessage( + "Reinserisci la password", + ), + "reenterPin": MessageLookupByLibrary.simpleMessage("Reinserisci il PIN"), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Invita un amico e raddoppia il tuo spazio", + ), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Condividi questo codice con i tuoi amici", + ), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Si iscrivono per un piano a pagamento", + ), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Invita un Amico"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "I referral code sono attualmente in pausa", + ), + "rejectRecovery": MessageLookupByLibrary.simpleMessage( + "Rifiuta il recupero", + ), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "Vuota anche \"Cancellati di recente\" da \"Impostazioni\" -> \"Storage\" per avere più spazio libero", + ), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Svuota anche il tuo \"Cestino\" per avere più spazio libero", + ), + "remoteImages": MessageLookupByLibrary.simpleMessage("Immagini remote"), + "remoteThumbnails": MessageLookupByLibrary.simpleMessage( + "Miniature remote", + ), + "remoteVideos": MessageLookupByLibrary.simpleMessage("Video remoti"), + "remove": MessageLookupByLibrary.simpleMessage("Rimuovi"), + "removeDuplicates": MessageLookupByLibrary.simpleMessage( + "Rimuovi i doppioni", + ), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Verifica e rimuovi i file che sono esattamente duplicati.", + ), + "removeFromAlbum": MessageLookupByLibrary.simpleMessage( + "Rimuovi dall\'album", + ), + "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( + "Rimuovi dall\'album?", + ), + "removeFromFavorite": MessageLookupByLibrary.simpleMessage( + "Rimuovi dai preferiti", + ), + "removeInvite": MessageLookupByLibrary.simpleMessage("Rimuovi invito"), + "removeLink": MessageLookupByLibrary.simpleMessage("Elimina link"), + "removeParticipant": MessageLookupByLibrary.simpleMessage( + "Rimuovi partecipante", + ), + "removeParticipantBody": m74, + "removePersonLabel": MessageLookupByLibrary.simpleMessage( + "Rimuovi etichetta persona", + ), + "removePublicLink": MessageLookupByLibrary.simpleMessage( + "Rimuovi link pubblico", + ), + "removePublicLinks": MessageLookupByLibrary.simpleMessage( + "Rimuovi i link pubblici", + ), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Alcuni degli elementi che stai rimuovendo sono stati aggiunti da altre persone e ne perderai l\'accesso", + ), + "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Rimuovi?"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Rimuovi te stesso come contatto fidato", + ), + "removingFromFavorites": MessageLookupByLibrary.simpleMessage( + "Rimosso dai preferiti...", + ), + "rename": MessageLookupByLibrary.simpleMessage("Rinomina"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("Rinomina album"), + "renameFile": MessageLookupByLibrary.simpleMessage("Rinomina file"), + "renewSubscription": MessageLookupByLibrary.simpleMessage( + "Rinnova abbonamento", + ), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Segnala un bug"), + "reportBug": MessageLookupByLibrary.simpleMessage("Segnala un bug"), + "resendEmail": MessageLookupByLibrary.simpleMessage("Rinvia email"), + "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( + "Ripristina i file ignorati", + ), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Reimposta password", + ), + "resetPerson": MessageLookupByLibrary.simpleMessage("Rimuovi"), + "resetToDefault": MessageLookupByLibrary.simpleMessage( + "Ripristina predefinita", + ), + "restore": MessageLookupByLibrary.simpleMessage("Ripristina"), + "restoreToAlbum": MessageLookupByLibrary.simpleMessage( + "Ripristina l\'album", + ), + "restoringFiles": MessageLookupByLibrary.simpleMessage( + "Ripristinando file...", + ), + "resumableUploads": MessageLookupByLibrary.simpleMessage( + "Caricamenti riattivabili", + ), + "retry": MessageLookupByLibrary.simpleMessage("Riprova"), + "review": MessageLookupByLibrary.simpleMessage("Revisiona"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Controlla ed elimina gli elementi che credi siano dei doppioni.", + ), + "reviewSuggestions": MessageLookupByLibrary.simpleMessage( + "Esamina i suggerimenti", + ), + "right": MessageLookupByLibrary.simpleMessage("Destra"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("Ruota"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Ruota a sinistra"), + "rotateRight": MessageLookupByLibrary.simpleMessage("Ruota a destra"), + "safelyStored": MessageLookupByLibrary.simpleMessage( + "Salvati in sicurezza", + ), + "save": MessageLookupByLibrary.simpleMessage("Salva"), + "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( + "Salvare le modifiche prima di uscire?", + ), + "saveCollage": MessageLookupByLibrary.simpleMessage("Salva il collage"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Salva una copia"), + "saveKey": MessageLookupByLibrary.simpleMessage("Salva chiave"), + "savePerson": MessageLookupByLibrary.simpleMessage("Salva persona"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Salva la tua chiave di recupero se non l\'hai ancora fatto", + ), + "saving": MessageLookupByLibrary.simpleMessage("Salvataggio..."), + "savingEdits": MessageLookupByLibrary.simpleMessage( + "Salvataggio modifiche...", + ), + "scanCode": MessageLookupByLibrary.simpleMessage("Scansiona codice"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Scansione questo codice QR\ncon la tua app di autenticazione", + ), + "search": MessageLookupByLibrary.simpleMessage("Cerca"), + "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Album"), + "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage("Nome album"), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Nomi degli album (es. \"Camera\")\n• Tipi di file (es. \"Video\", \".gif\")\n• Anni e mesi (e.. \"2022\", \"gennaio\")\n• Vacanze (ad es. \"Natale\")\n• Descrizioni delle foto (ad es. “#mare”)", + ), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Aggiungi descrizioni come \"#viaggio\" nelle informazioni delle foto per trovarle rapidamente qui", + ), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Ricerca per data, mese o anno", + ), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "Le immagini saranno mostrate qui una volta che l\'elaborazione e la sincronizzazione saranno completate", + ), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "Le persone saranno mostrate qui una volta completata l\'indicizzazione", + ), + "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( + "Tipi e nomi di file", + ), + "searchHint1": MessageLookupByLibrary.simpleMessage( + "Ricerca rapida sul dispositivo", + ), + "searchHint2": MessageLookupByLibrary.simpleMessage( + "Date delle foto, descrizioni", + ), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "Album, nomi di file e tipi", + ), + "searchHint4": MessageLookupByLibrary.simpleMessage("Luogo"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "In arrivo: Facce & ricerca magica ✨", + ), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Raggruppa foto scattate entro un certo raggio da una foto", + ), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "Invita persone e vedrai qui tutte le foto condivise da loro", + ), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "Le persone saranno mostrate qui una volta che l\'elaborazione e la sincronizzazione saranno completate", + ), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Sicurezza"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "Vedi link album pubblici nell\'app", + ), + "selectALocation": MessageLookupByLibrary.simpleMessage( + "Seleziona un luogo", + ), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage( + "Scegli prima una posizione", + ), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Seleziona album"), + "selectAll": MessageLookupByLibrary.simpleMessage("Seleziona tutto"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("Tutte"), + "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( + "Seleziona foto di copertina", + ), + "selectDate": MessageLookupByLibrary.simpleMessage("Imposta data"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Seleziona cartelle per il backup", + ), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "Seleziona gli elementi da aggiungere", + ), + "selectLanguage": MessageLookupByLibrary.simpleMessage( + "Seleziona una lingua", + ), + "selectMailApp": MessageLookupByLibrary.simpleMessage( + "Seleziona app email", + ), + "selectMorePhotos": MessageLookupByLibrary.simpleMessage( + "Seleziona più foto", + ), + "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( + "Seleziona data e orario", + ), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "Seleziona una data e un\'ora per tutti", + ), + "selectPersonToLink": MessageLookupByLibrary.simpleMessage( + "Seleziona persona da collegare", + ), + "selectReason": MessageLookupByLibrary.simpleMessage("Seleziona un motivo"), + "selectStartOfRange": MessageLookupByLibrary.simpleMessage( + "Seleziona inizio dell\'intervallo", + ), + "selectTime": MessageLookupByLibrary.simpleMessage("Imposta ora"), + "selectYourFace": MessageLookupByLibrary.simpleMessage( + "Seleziona il tuo volto", + ), + "selectYourPlan": MessageLookupByLibrary.simpleMessage( + "Seleziona un piano", + ), + "selectedAlbums": m79, + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "I file selezionati non sono su Ente", + ), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Le cartelle selezionate verranno crittografate e salvate su ente", + ), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Gli elementi selezionati verranno eliminati da tutti gli album e spostati nel cestino.", + ), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "Gli elementi selezionati verranno rimossi da questa persona, ma non eliminati dalla tua libreria.", + ), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("Invia"), + "sendEmail": MessageLookupByLibrary.simpleMessage("Invia email"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Invita"), + "sendLink": MessageLookupByLibrary.simpleMessage("Invia link"), + "serverEndpoint": MessageLookupByLibrary.simpleMessage( + "Endpoint del server", + ), + "sessionExpired": MessageLookupByLibrary.simpleMessage("Sessione scaduta"), + "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( + "ID sessione non corrispondente", + ), + "setAPassword": MessageLookupByLibrary.simpleMessage( + "Imposta una password", + ), + "setAs": MessageLookupByLibrary.simpleMessage("Imposta come"), + "setCover": MessageLookupByLibrary.simpleMessage("Imposta copertina"), + "setLabel": MessageLookupByLibrary.simpleMessage("Imposta"), + "setNewPassword": MessageLookupByLibrary.simpleMessage( + "Imposta una nuova password", + ), + "setNewPin": MessageLookupByLibrary.simpleMessage("Imposta un nuovo PIN"), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Imposta password", + ), + "setRadius": MessageLookupByLibrary.simpleMessage("Imposta raggio"), + "setupComplete": MessageLookupByLibrary.simpleMessage( + "Configurazione completata", + ), + "share": MessageLookupByLibrary.simpleMessage("Condividi"), + "shareALink": MessageLookupByLibrary.simpleMessage("Condividi un link"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Apri un album e tocca il pulsante di condivisione in alto a destra per condividerlo.", + ), + "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( + "Condividi un album", + ), + "shareLink": MessageLookupByLibrary.simpleMessage("Condividi link"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Condividi solo con le persone che vuoi", + ), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Scarica Ente in modo da poter facilmente condividere foto e video in qualità originale\n\nhttps://ente.io", + ), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Condividi con utenti che non hanno un account Ente", + ), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( + "Condividi il tuo primo album", + ), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Crea album condivisi e collaborativi con altri utenti di Ente, inclusi gli utenti con piani gratuiti.", + ), + "sharedByMe": MessageLookupByLibrary.simpleMessage("Condiviso da me"), + "sharedByYou": MessageLookupByLibrary.simpleMessage("Condivise da te"), + "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( + "Nuove foto condivise", + ), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Ricevi notifiche quando qualcuno aggiunge una foto a un album condiviso, di cui fai parte", + ), + "sharedWith": m87, + "sharedWithMe": MessageLookupByLibrary.simpleMessage("Condivisi con me"), + "sharedWithYou": MessageLookupByLibrary.simpleMessage("Condivise con te"), + "sharing": MessageLookupByLibrary.simpleMessage("Condivisione in corso..."), + "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( + "Sposta date e orari", + ), + "showMemories": MessageLookupByLibrary.simpleMessage("Mostra ricordi"), + "showPerson": MessageLookupByLibrary.simpleMessage("Mostra persona"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "Esci dagli altri dispositivi", + ), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Se pensi che qualcuno possa conoscere la tua password, puoi forzare tutti gli altri dispositivi che usano il tuo account ad uscire.", + ), + "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( + "Esci dagli altri dispositivi", + ), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Accetto i termini di servizio e la politica sulla privacy", + ), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Verrà eliminato da tutti gli album.", + ), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Salta"), + "smartMemories": MessageLookupByLibrary.simpleMessage( + "Ricordi intelligenti", + ), + "social": MessageLookupByLibrary.simpleMessage("Social"), + "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( + "Alcuni elementi sono sia su Ente che sul tuo dispositivo.", + ), + "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( + "Alcuni dei file che si sta tentando di eliminare sono disponibili solo sul dispositivo e non possono essere recuperati se cancellati", + ), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Chi condivide gli album con te deve vedere lo stesso ID sul proprio dispositivo.", + ), + "somethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Qualcosa è andato storto", + ), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Qualcosa è andato storto, per favore riprova", + ), + "sorry": MessageLookupByLibrary.simpleMessage("Siamo spiacenti"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "Purtroppo non è stato possibile eseguire il backup del file in questo momento, riproveremo più tardi.", + ), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Spiacenti, non è stato possibile aggiungere ai preferiti!", + ), + "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( + "Siamo spiacenti, non è stato possibile rimuovere dai preferiti!", + ), + "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "Il codice immesso non è corretto", + ), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Siamo spiacenti, non possiamo generare le chiavi sicure su questo dispositivo.\n\nPer favore, accedi da un altro dispositivo.", + ), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Spiacenti, abbiamo dovuto mettere in pausa i backup", + ), + "sort": MessageLookupByLibrary.simpleMessage("Ordina"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Ordina per"), + "sortNewestFirst": MessageLookupByLibrary.simpleMessage( + "Prima le più nuove", + ), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage( + "Prima le più vecchie", + ), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage( + "✨ Operazione riuscita", + ), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": MessageLookupByLibrary.simpleMessage( + "Tu in primo piano", + ), + "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( + "Avvia il recupero", + ), + "startBackup": MessageLookupByLibrary.simpleMessage("Avvia backup"), + "status": MessageLookupByLibrary.simpleMessage("Stato"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "Vuoi interrompere la trasmissione?", + ), + "stopCastingTitle": MessageLookupByLibrary.simpleMessage( + "Interrompi la trasmissione", + ), + "storage": MessageLookupByLibrary.simpleMessage("Spazio di archiviazione"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Famiglia"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Tu"), + "storageInGB": m93, + "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( + "Limite d\'archiviazione superato", + ), + "storageUsageInfo": m94, + "streamDetails": MessageLookupByLibrary.simpleMessage( + "Dettagli dello streaming", + ), + "strongStrength": MessageLookupByLibrary.simpleMessage("Forte"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Iscriviti"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "È necessario un abbonamento a pagamento attivo per abilitare la condivisione.", + ), + "subscription": MessageLookupByLibrary.simpleMessage("Abbonamento"), + "success": MessageLookupByLibrary.simpleMessage("Operazione riuscita"), + "successfullyArchived": MessageLookupByLibrary.simpleMessage( + "Archiviato correttamente", + ), + "successfullyHid": MessageLookupByLibrary.simpleMessage( + "Nascosta con successo", + ), + "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( + "Rimosso dall\'archivio correttamente", + ), + "successfullyUnhid": MessageLookupByLibrary.simpleMessage( + "Rimossa dal nascondiglio con successo", + ), + "suggestFeatures": MessageLookupByLibrary.simpleMessage( + "Suggerisci una funzionalità", + ), + "sunrise": MessageLookupByLibrary.simpleMessage("All\'orizzonte"), + "support": MessageLookupByLibrary.simpleMessage("Assistenza"), + "syncProgress": m97, + "syncStopped": MessageLookupByLibrary.simpleMessage( + "Sincronizzazione interrotta", + ), + "syncing": MessageLookupByLibrary.simpleMessage( + "Sincronizzazione in corso...", + ), + "systemTheme": MessageLookupByLibrary.simpleMessage("Sistema"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("tocca per copiare"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage( + "Tocca per inserire il codice", + ), + "tapToUnlock": MessageLookupByLibrary.simpleMessage("Tocca per sbloccare"), + "tapToUpload": MessageLookupByLibrary.simpleMessage("Premi per caricare"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Sembra che qualcosa sia andato storto. Riprova tra un po\'. Se l\'errore persiste, contatta il nostro team di supporto.", + ), + "terminate": MessageLookupByLibrary.simpleMessage("Terminata"), + "terminateSession": MessageLookupByLibrary.simpleMessage( + "Termina sessione?", + ), + "terms": MessageLookupByLibrary.simpleMessage("Termini d\'uso"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage( + "Termini d\'uso", + ), + "thankYou": MessageLookupByLibrary.simpleMessage("Grazie"), + "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( + "Grazie per esserti iscritto!", + ), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "Il download non può essere completato", + ), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "Il link a cui stai cercando di accedere è scaduto.", + ), + "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "La chiave di recupero inserita non è corretta", + ), + "theme": MessageLookupByLibrary.simpleMessage("Tema"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Questi file verranno eliminati dal tuo dispositivo.", + ), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "Verranno eliminati da tutti gli album.", + ), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Questa azione non può essere annullata", + ), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "Questo album ha già un link collaborativo", + ), + "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( + "Può essere utilizzata per recuperare il tuo account in caso tu non possa usare l\'autenticazione a due fattori", + ), + "thisDevice": MessageLookupByLibrary.simpleMessage("Questo dispositivo"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "Questo indirizzo email è già registrato", + ), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Questa immagine non ha dati EXIF", + ), + "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage( + "Questo sono io!", + ), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Questo è il tuo ID di verifica", + ), + "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( + "Questa settimana negli anni", + ), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Verrai disconnesso dai seguenti dispositivi:", + ), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Verrai disconnesso dal tuo dispositivo!", + ), + "thisWillMakeTheDateAndTimeOfAllSelected": MessageLookupByLibrary.simpleMessage( + "In questo modo la data e l\'ora di tutte le foto selezionate saranno uguali.", + ), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "Questo rimuoverà i link pubblici di tutti i link rapidi selezionati.", + ), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "Per abilitare il blocco dell\'app, configura il codice di accesso del dispositivo o il blocco schermo nelle impostazioni di sistema.", + ), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( + "Per nascondere una foto o un video", + ), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Per reimpostare la tua password, verifica prima la tua email.", + ), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Log di oggi"), + "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( + "Troppi tentativi errati", + ), + "total": MessageLookupByLibrary.simpleMessage("totale"), + "totalSize": MessageLookupByLibrary.simpleMessage("Dimensioni totali"), + "trash": MessageLookupByLibrary.simpleMessage("Cestino"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Taglia"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": MessageLookupByLibrary.simpleMessage("Contatti fidati"), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Riprova"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Attiva il backup per caricare automaticamente i file aggiunti a questa cartella del dispositivo su Ente.", + ), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "2 mesi gratis sui piani annuali", + ), + "twofactor": MessageLookupByLibrary.simpleMessage("Due fattori"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "L\'autenticazione a due fattori è stata disabilitata", + ), + "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( + "Autenticazione a due fattori", + ), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "Autenticazione a due fattori resettata con successo", + ), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Configura autenticazione a due fattori", + ), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("Rimuovi dall\'archivio"), + "unarchiveAlbum": MessageLookupByLibrary.simpleMessage( + "Rimuovi album dall\'archivio", + ), + "unarchiving": MessageLookupByLibrary.simpleMessage( + "Togliendo dall\'archivio...", + ), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Siamo spiacenti, questo codice non è disponibile.", + ), + "uncategorized": MessageLookupByLibrary.simpleMessage("Senza categoria"), + "unhide": MessageLookupByLibrary.simpleMessage("Mostra"), + "unhideToAlbum": MessageLookupByLibrary.simpleMessage( + "Non nascondere l\'album", + ), + "unhiding": MessageLookupByLibrary.simpleMessage("Rivelando..."), + "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Mostra i file nell\'album", + ), + "unlock": MessageLookupByLibrary.simpleMessage("Sblocca"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("Non fissare album"), + "unselectAll": MessageLookupByLibrary.simpleMessage("Deseleziona tutto"), + "update": MessageLookupByLibrary.simpleMessage("Aggiorna"), + "updateAvailable": MessageLookupByLibrary.simpleMessage( + "Aggiornamento disponibile", + ), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Aggiornamento della selezione delle cartelle...", + ), + "upgrade": MessageLookupByLibrary.simpleMessage("Acquista altro spazio"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Caricamento dei file nell\'album...", + ), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( + "Conservando 1 ricordo...", + ), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "Sconto del 50%, fino al 4 dicembre.", + ), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "Lo spazio disponibile è limitato dal tuo piano corrente. L\'archiviazione in eccesso diventerà automaticamente utilizzabile quando aggiornerai il tuo piano.", + ), + "useAsCover": MessageLookupByLibrary.simpleMessage("Usa come copertina"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "Hai problemi a riprodurre questo video? Premi a lungo qui per provare un altro lettore.", + ), + "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Usa link pubblici per persone non registrate su Ente", + ), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Utilizza un codice di recupero", + ), + "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( + "Usa la foto selezionata", + ), + "usedSpace": MessageLookupByLibrary.simpleMessage("Spazio utilizzato"), + "validTill": m110, + "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Verifica fallita, per favore prova di nuovo", + ), + "verificationId": MessageLookupByLibrary.simpleMessage("ID di verifica"), + "verify": MessageLookupByLibrary.simpleMessage("Verifica"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("Verifica email"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Verifica"), + "verifyPasskey": MessageLookupByLibrary.simpleMessage("Verifica passkey"), + "verifyPassword": MessageLookupByLibrary.simpleMessage("Verifica password"), + "verifying": MessageLookupByLibrary.simpleMessage("Verifica in corso..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Verifica della chiave di recupero...", + ), + "videoInfo": MessageLookupByLibrary.simpleMessage("Informazioni video"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), + "videoStreaming": MessageLookupByLibrary.simpleMessage( + "Video in streaming", + ), + "videos": MessageLookupByLibrary.simpleMessage("Video"), + "viewActiveSessions": MessageLookupByLibrary.simpleMessage( + "Visualizza sessioni attive", + ), + "viewAddOnButton": MessageLookupByLibrary.simpleMessage( + "Visualizza componenti aggiuntivi", + ), + "viewAll": MessageLookupByLibrary.simpleMessage("Visualizza tutte"), + "viewAllExifData": MessageLookupByLibrary.simpleMessage( + "Mostra tutti i dati EXIF", + ), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage( + "File di grandi dimensioni", + ), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Visualizza i file che stanno occupando la maggior parte dello spazio di archiviazione.", + ), + "viewLogs": MessageLookupByLibrary.simpleMessage("Visualizza i log"), + "viewPersonToUnlink": m112, + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Visualizza chiave di recupero", + ), + "viewer": MessageLookupByLibrary.simpleMessage("Sola lettura"), + "viewersSuccessfullyAdded": m113, + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Visita web.ente.io per gestire il tuo abbonamento", + ), + "waitingForVerification": MessageLookupByLibrary.simpleMessage( + "In attesa di verifica...", + ), + "waitingForWifi": MessageLookupByLibrary.simpleMessage( + "In attesa del WiFi...", + ), + "warning": MessageLookupByLibrary.simpleMessage("Attenzione"), + "weAreOpenSource": MessageLookupByLibrary.simpleMessage( + "Siamo open source!", + ), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "Non puoi modificare foto e album che non possiedi", + ), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Debole"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("Bentornato/a!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("Novità"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "Un contatto fidato può aiutare a recuperare i tuoi dati.", + ), + "widgets": MessageLookupByLibrary.simpleMessage("Widget"), + "yearShort": MessageLookupByLibrary.simpleMessage("anno"), + "yearly": MessageLookupByLibrary.simpleMessage("Annuale"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Si"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Sì, cancella"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "Sì, converti in sola lettura", + ), + "yesDelete": MessageLookupByLibrary.simpleMessage("Sì, elimina"), + "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( + "Sì, ignora le mie modifiche", + ), + "yesLogout": MessageLookupByLibrary.simpleMessage("Sì, disconnetti"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Sì, rimuovi"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Sì, Rinnova"), + "yesResetPerson": MessageLookupByLibrary.simpleMessage( + "Sì, resetta persona", + ), + "you": MessageLookupByLibrary.simpleMessage("Tu"), + "youAndThem": m117, + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( + "Sei un utente con piano famiglia!", + ), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Stai utilizzando l\'ultima versione", + ), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Puoi al massimo raddoppiare il tuo spazio", + ), + "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( + "Puoi gestire i tuoi link nella scheda condivisione.", + ), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "Prova con una ricerca differente.", + ), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "Non puoi effettuare il downgrade su questo piano", + ), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Non puoi condividere con te stesso", + ), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "Non hai nulla di archiviato.", + ), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "Il tuo account è stato eliminato", + ), + "yourMap": MessageLookupByLibrary.simpleMessage("La tua mappa"), + "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( + "Il tuo piano è stato aggiornato con successo", + ), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "Il tuo piano è stato aggiornato con successo", + ), + "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( + "Acquisto andato a buon fine", + ), + "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( + "Impossibile recuperare i dettagli di archiviazione", + ), + "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( + "Il tuo abbonamento è scaduto", + ), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "Il tuo abbonamento è stato modificato correttamente", + ), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "Il tuo codice di verifica è scaduto", + ), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "Non ci sono file duplicati che possono essere eliminati", + ), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "Non hai file in questo album che possono essere eliminati", + ), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( + "Zoom indietro per visualizzare le foto", + ), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_ja.dart b/mobile/apps/photos/lib/generated/intl/messages_ja.dart index b9fea86c7a..7a04b228a4 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_ja.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_ja.dart @@ -48,11 +48,7 @@ class MessageLookup extends MessageLookupByLibrary { "${user} は写真をアルバムに追加できなくなります\n\n※${user} が追加した写真は今後も${user} が削除できます"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, { - 'true': '家族は ${storageAmountInGb} GB 受け取っています', - 'false': 'あなたは ${storageAmountInGb} GB 受け取っています', - 'other': 'あなたは ${storageAmountInGb} GB受け取っています', - })}"; + "${Intl.select(isFamilyMember, {'true': '家族は ${storageAmountInGb} GB 受け取っています', 'false': 'あなたは ${storageAmountInGb} GB 受け取っています', 'other': 'あなたは ${storageAmountInGb} GB受け取っています'})}"; static String m15(albumName) => "${albumName} のコラボレーションリンクを生成しました"; @@ -82,7 +78,7 @@ class MessageLookup extends MessageLookupByLibrary { "あなたの登録したメールアドレスから${supportEmail} にメールを送ってください"; static String m26(count, storageSaved) => - "お掃除しました ${Intl.plural(count, other: '${count} 個の重複ファイル')}, (${storageSaved}が開放されます!)"; + "お掃除しました ${Intl.plural(count, one: '${count} 個の重複ファイル', other: '${count} 個の重複ファイル')}, (${storageSaved}が開放されます!)"; static String m27(count, formattedSize) => "${count} 個のファイル、それぞれ${formattedSize}"; @@ -184,7 +180,8 @@ class MessageLookup extends MessageLookupByLibrary { static String m76(name) => "${name}と車で旅行!"; - static String m77(count) => "${Intl.plural(count, other: '${count} 個の結果')}"; + static String m77(count) => + "${Intl.plural(count, one: '${count} 個の結果', other: '${count} 個の結果')}"; static String m78(snapshotLength, searchLength) => "セクションの長さの不一致: ${snapshotLength} != ${searchLength}"; @@ -221,7 +218,11 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => + usedAmount, + usedStorageUnit, + totalAmount, + totalStorageUnit, + ) => "${usedAmount} ${usedStorageUnit} / ${totalAmount} ${totalStorageUnit} 使用"; static String m95(id) => @@ -265,7 +266,8 @@ class MessageLookup extends MessageLookupByLibrary { static String m114(email) => "${email}にメールを送りました"; - static String m116(count) => "${Intl.plural(count, other: '${count} 年前')}"; + static String m116(count) => + "${Intl.plural(count, one: '${count} 年前', other: '${count} 年前')}"; static String m117(name) => "あなたと${name}"; @@ -273,1592 +275,1843 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": - MessageLookupByLibrary.simpleMessage("Enteの新しいバージョンが利用可能です。"), - "about": MessageLookupByLibrary.simpleMessage("このアプリについて"), - "acceptTrustInvite": MessageLookupByLibrary.simpleMessage("招待を受け入れる"), - "account": MessageLookupByLibrary.simpleMessage("アカウント"), - "accountIsAlreadyConfigured": - MessageLookupByLibrary.simpleMessage("アカウントが既に設定されています"), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage("おかえりなさい!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "もしパスワードを忘れたら、自身のデータを失うことを理解しました"), - "activeSessions": MessageLookupByLibrary.simpleMessage("アクティブなセッション"), - "add": MessageLookupByLibrary.simpleMessage("追加"), - "addAName": MessageLookupByLibrary.simpleMessage("名前を追加"), - "addANewEmail": MessageLookupByLibrary.simpleMessage("新しいEメールアドレスを追加"), - "addCollaborator": MessageLookupByLibrary.simpleMessage("コラボレーターを追加"), - "addFiles": MessageLookupByLibrary.simpleMessage("ファイルを追加"), - "addFromDevice": MessageLookupByLibrary.simpleMessage("デバイスから追加"), - "addLocation": MessageLookupByLibrary.simpleMessage("位置情報を追加"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("追加"), - "addMore": MessageLookupByLibrary.simpleMessage("さらに追加"), - "addName": MessageLookupByLibrary.simpleMessage("名前を追加"), - "addNameOrMerge": - MessageLookupByLibrary.simpleMessage("名前をつける、あるいは既存の人物にまとめる"), - "addNew": MessageLookupByLibrary.simpleMessage("新規追加"), - "addNewPerson": MessageLookupByLibrary.simpleMessage("新しい人物を追加"), - "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage("アドオンの詳細"), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("アドオン"), - "addPhotos": MessageLookupByLibrary.simpleMessage("写真を追加"), - "addSelected": MessageLookupByLibrary.simpleMessage("選んだものをアルバムに追加"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("アルバムに追加"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Enteに追加"), - "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage("非表示アルバムに追加"), - "addTrustedContact": MessageLookupByLibrary.simpleMessage("信頼する連絡先を追加"), - "addViewer": MessageLookupByLibrary.simpleMessage("ビューアーを追加"), - "addYourPhotosNow": MessageLookupByLibrary.simpleMessage("写真を今すぐ追加する"), - "addedAs": MessageLookupByLibrary.simpleMessage("追加:"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": - MessageLookupByLibrary.simpleMessage("お気に入りに追加しています..."), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("詳細"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("高度な設定"), - "after1Day": MessageLookupByLibrary.simpleMessage("1日後"), - "after1Hour": MessageLookupByLibrary.simpleMessage("1時間後"), - "after1Month": MessageLookupByLibrary.simpleMessage("1ヶ月後"), - "after1Week": MessageLookupByLibrary.simpleMessage("1週間後"), - "after1Year": MessageLookupByLibrary.simpleMessage("1年後"), - "albumOwner": MessageLookupByLibrary.simpleMessage("所有者"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("アルバムタイトル"), - "albumUpdated": MessageLookupByLibrary.simpleMessage("アルバムが更新されました"), - "albums": MessageLookupByLibrary.simpleMessage("アルバム"), - "allClear": MessageLookupByLibrary.simpleMessage("✨ オールクリア"), - "allMemoriesPreserved": - MessageLookupByLibrary.simpleMessage("すべての思い出が保存されました"), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "この人のグループ化がリセットされ、この人かもしれない写真への提案もなくなります"), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "これはグループ内の最初のものです。他の選択した写真は、この新しい日付に基づいて自動的にシフトされます"), - "allow": MessageLookupByLibrary.simpleMessage("許可"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "リンクを持つ人が共有アルバムに写真を追加できるようにします。"), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage("写真の追加を許可"), - "allowAppToOpenSharedAlbumLinks": - MessageLookupByLibrary.simpleMessage("共有アルバムリンクを開くことをアプリに許可する"), - "allowDownloads": MessageLookupByLibrary.simpleMessage("ダウンロードを許可"), - "allowPeopleToAddPhotos": - MessageLookupByLibrary.simpleMessage("写真の追加をメンバーに許可する"), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Enteがライブラリを表示およびバックアップできるように、端末の設定から写真へのアクセスを許可してください。"), - "allowPermTitle": MessageLookupByLibrary.simpleMessage("写真へのアクセスを許可"), - "androidBiometricHint": MessageLookupByLibrary.simpleMessage("本人確認を行う"), - "androidBiometricNotRecognized": - MessageLookupByLibrary.simpleMessage("認識できません。再試行してください。"), - "androidBiometricRequiredTitle": - MessageLookupByLibrary.simpleMessage("生体認証が必要です"), - "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("成功"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("キャンセル"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage("デバイスの認証情報が必要です"), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage("デバイスの認証情報が必要です"), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "生体認証がデバイスで設定されていません。生体認証を追加するには、\"設定 > セキュリティ\"を開いてください。"), - "androidIosWebDesktop": - MessageLookupByLibrary.simpleMessage("Android、iOS、Web、Desktop"), - "androidSignInTitle": MessageLookupByLibrary.simpleMessage("認証が必要です"), - "appIcon": MessageLookupByLibrary.simpleMessage("アプリアイコン"), - "appLock": MessageLookupByLibrary.simpleMessage("アプリのロック"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "デバイスのデフォルトのロック画面と、カスタムロック画面のどちらを利用しますか?"), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), - "apply": MessageLookupByLibrary.simpleMessage("適用"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("コードを適用"), - "appstoreSubscription": - MessageLookupByLibrary.simpleMessage("AppStore サブスクリプション"), - "archive": MessageLookupByLibrary.simpleMessage("アーカイブ"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("アルバムをアーカイブ"), - "archiving": MessageLookupByLibrary.simpleMessage("アーカイブ中です"), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage("本当にファミリープランを退会しますか?"), - "areYouSureYouWantToCancel": - MessageLookupByLibrary.simpleMessage("キャンセルしてもよろしいですか?"), - "areYouSureYouWantToChangeYourPlan": - MessageLookupByLibrary.simpleMessage("プランを変更して良いですか?"), - "areYouSureYouWantToExit": - MessageLookupByLibrary.simpleMessage("本当に中止してよろしいですか?"), - "areYouSureYouWantToLogout": - MessageLookupByLibrary.simpleMessage("本当にログアウトしてよろしいですか?"), - "areYouSureYouWantToRenew": - MessageLookupByLibrary.simpleMessage("更新してもよろしいですか?"), - "areYouSureYouWantToResetThisPerson": - MessageLookupByLibrary.simpleMessage("この人を忘れてもよろしいですね?"), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "サブスクリプションはキャンセルされました。理由を教えていただけますか?"), - "askDeleteReason": - MessageLookupByLibrary.simpleMessage("アカウントを削除する理由を教えて下さい"), - "askYourLovedOnesToShare": - MessageLookupByLibrary.simpleMessage("あなたの愛する人にシェアしてもらうように頼んでください"), - "atAFalloutShelter": MessageLookupByLibrary.simpleMessage("核シェルターで"), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage("メール確認を変更するには認証してください"), - "authToChangeLockscreenSetting": - MessageLookupByLibrary.simpleMessage("画面のロックの設定を変更するためには認証が必要です"), - "authToChangeYourEmail": - MessageLookupByLibrary.simpleMessage("メールアドレスを変更するには認証してください"), - "authToChangeYourPassword": - MessageLookupByLibrary.simpleMessage("メールアドレスを変更するには認証してください"), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage("2段階認証を設定するには認証してください"), - "authToInitiateAccountDeletion": - MessageLookupByLibrary.simpleMessage("アカウントの削除をするためには認証が必要です"), - "authToManageLegacy": - MessageLookupByLibrary.simpleMessage("信頼する連絡先を管理するために認証してください"), - "authToViewPasskey": - MessageLookupByLibrary.simpleMessage("パスキーを表示するには認証してください"), - "authToViewTrashedFiles": - MessageLookupByLibrary.simpleMessage("削除したファイルを閲覧するには認証が必要です"), - "authToViewYourActiveSessions": - MessageLookupByLibrary.simpleMessage("アクティブなセッションを表示するためには認証が必要です"), - "authToViewYourHiddenFiles": - MessageLookupByLibrary.simpleMessage("隠しファイルを表示するには認証してください"), - "authToViewYourMemories": - MessageLookupByLibrary.simpleMessage("思い出を閲覧するためには認証が必要です"), - "authToViewYourRecoveryKey": - MessageLookupByLibrary.simpleMessage("リカバリーキーを表示するためには認証が必要です"), - "authenticating": MessageLookupByLibrary.simpleMessage("認証中..."), - "authenticationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage("認証が間違っています。もう一度お試しください"), - "authenticationSuccessful": - MessageLookupByLibrary.simpleMessage("認証に成功しました!"), - "autoCastDialogBody": - MessageLookupByLibrary.simpleMessage("利用可能なキャストデバイスが表示されます。"), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "ローカルネットワークへのアクセス許可がEnte Photosアプリに与えられているか確認してください"), - "autoLock": MessageLookupByLibrary.simpleMessage("自動ロック"), - "autoLockFeatureDescription": - MessageLookupByLibrary.simpleMessage("アプリがバックグラウンドでロックするまでの時間"), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "技術的な不具合により、ログアウトしました。ご不便をおかけして申し訳ございません。"), - "autoPair": MessageLookupByLibrary.simpleMessage("オートペアリング"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "自動ペアリングは Chromecast に対応しているデバイスでのみ動作します。"), - "available": MessageLookupByLibrary.simpleMessage("ご利用可能"), - "availableStorageSpace": m10, - "backedUpFolders": - MessageLookupByLibrary.simpleMessage("バックアップされたフォルダ"), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("バックアップ"), - "backupFailed": MessageLookupByLibrary.simpleMessage("バックアップ失敗"), - "backupFile": MessageLookupByLibrary.simpleMessage("バックアップファイル"), - "backupOverMobileData": - MessageLookupByLibrary.simpleMessage("モバイルデータを使ってバックアップ"), - "backupSettings": MessageLookupByLibrary.simpleMessage("バックアップ設定"), - "backupStatus": MessageLookupByLibrary.simpleMessage("バックアップの状態"), - "backupStatusDescription": - MessageLookupByLibrary.simpleMessage("バックアップされたアイテムがここに表示されます"), - "backupVideos": MessageLookupByLibrary.simpleMessage("動画をバックアップ"), - "beach": MessageLookupByLibrary.simpleMessage("砂浜と海"), - "birthday": MessageLookupByLibrary.simpleMessage("誕生日"), - "blackFridaySale": MessageLookupByLibrary.simpleMessage("ブラックフライデーセール"), - "blog": MessageLookupByLibrary.simpleMessage("ブログ"), - "cachedData": MessageLookupByLibrary.simpleMessage("キャッシュデータ"), - "calculating": MessageLookupByLibrary.simpleMessage("計算中..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "申し訳ありません。このアルバムをアプリで開くことができませんでした。"), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage("このアルバムは開けません"), - "canNotUploadToAlbumsOwnedByOthers": - MessageLookupByLibrary.simpleMessage("他の人が作ったアルバムにはアップロードできません"), - "canOnlyCreateLinkForFilesOwnedByYou": - MessageLookupByLibrary.simpleMessage("あなたが所有するファイルのみリンクを作成できます"), - "canOnlyRemoveFilesOwnedByYou": - MessageLookupByLibrary.simpleMessage("あなたが所有しているファイルのみを削除できます"), - "cancel": MessageLookupByLibrary.simpleMessage("キャンセル"), - "cancelAccountRecovery": - MessageLookupByLibrary.simpleMessage("リカバリをキャンセル"), - "cancelAccountRecoveryBody": - MessageLookupByLibrary.simpleMessage("リカバリをキャンセルしてもよろしいですか?"), - "cancelOtherSubscription": m12, - "cancelSubscription": - MessageLookupByLibrary.simpleMessage("サブスクリプションをキャンセル"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": - MessageLookupByLibrary.simpleMessage("共有ファイルは削除できません"), - "castAlbum": MessageLookupByLibrary.simpleMessage("アルバムをキャスト"), - "castIPMismatchBody": - MessageLookupByLibrary.simpleMessage("TVと同じネットワーク上にいることを確認してください。"), - "castIPMismatchTitle": - MessageLookupByLibrary.simpleMessage("アルバムのキャストに失敗しました"), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "ペアリングしたいデバイスでcast.ente.ioにアクセスしてください。\n\nテレビでアルバムを再生するには以下のコードを入力してください。"), - "centerPoint": MessageLookupByLibrary.simpleMessage("中心点"), - "change": MessageLookupByLibrary.simpleMessage("変更"), - "changeEmail": MessageLookupByLibrary.simpleMessage("Eメールを変更"), - "changeLocationOfSelectedItems": - MessageLookupByLibrary.simpleMessage("選択したアイテムの位置を変更しますか?"), - "changePassword": MessageLookupByLibrary.simpleMessage("パスワードを変更"), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage("パスワードを変更"), - "changePermissions": MessageLookupByLibrary.simpleMessage("権限を変更する"), - "changeYourReferralCode": - MessageLookupByLibrary.simpleMessage("自分自身の紹介コードを変更する"), - "checkForUpdates": MessageLookupByLibrary.simpleMessage("アップデートを確認"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "メールボックスを確認してEメールの所有を証明してください(見つからない場合は、スパムの中も確認してください)"), - "checkStatus": MessageLookupByLibrary.simpleMessage("ステータスの確認"), - "checking": MessageLookupByLibrary.simpleMessage("確認中…"), - "checkingModels": - MessageLookupByLibrary.simpleMessage("モデルを確認しています..."), - "city": MessageLookupByLibrary.simpleMessage("市街"), - "claimFreeStorage": - MessageLookupByLibrary.simpleMessage("無料のストレージを受け取る"), - "claimMore": MessageLookupByLibrary.simpleMessage("もっと!"), - "claimed": MessageLookupByLibrary.simpleMessage("受け取り済"), - "claimedStorageSoFar": m14, - "cleanUncategorized": - MessageLookupByLibrary.simpleMessage("未分類のクリーンアップ"), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "他のアルバムに存在する「未分類」からすべてのファイルを削除"), - "clearCaches": MessageLookupByLibrary.simpleMessage("キャッシュをクリア"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("行った処理をクリアする"), - "click": MessageLookupByLibrary.simpleMessage("• クリック"), - "clickOnTheOverflowMenu": - MessageLookupByLibrary.simpleMessage("• 三点ドットをクリックしてください"), - "close": MessageLookupByLibrary.simpleMessage("閉じる"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage("時間ごとにまとめる"), - "clubByFileName": MessageLookupByLibrary.simpleMessage("ファイル名ごとにまとめる"), - "clusteringProgress": - MessageLookupByLibrary.simpleMessage("クラスタリングの進行状況"), - "codeAppliedPageTitle": - MessageLookupByLibrary.simpleMessage("コードが適用されました。"), - "codeChangeLimitReached": - MessageLookupByLibrary.simpleMessage("コード変更の回数上限に達しました。"), - "codeCopiedToClipboard": - MessageLookupByLibrary.simpleMessage("コードがクリップボードにコピーされました"), - "codeUsedByYou": MessageLookupByLibrary.simpleMessage("あなたが使用したコード"), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Enteアプリやアカウントを持っていない人にも、共有アルバムに写真を追加したり表示したりできるリンクを作成します。"), - "collaborativeLink": MessageLookupByLibrary.simpleMessage("共同作業リンク"), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("コラボレーター"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "コラボレーターは共有アルバムに写真やビデオを追加できます。"), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("レイアウト"), - "collageSaved": - MessageLookupByLibrary.simpleMessage("コラージュをギャラリーに保存しました"), - "collect": MessageLookupByLibrary.simpleMessage("集める"), - "collectEventPhotos": - MessageLookupByLibrary.simpleMessage("イベントの写真を集めよう"), - "collectPhotos": MessageLookupByLibrary.simpleMessage("写真を集めよう"), - "collectPhotosDescription": - MessageLookupByLibrary.simpleMessage("友達が写真をアップロードできるリンクを作成できます"), - "color": MessageLookupByLibrary.simpleMessage("色"), - "configuration": MessageLookupByLibrary.simpleMessage("設定"), - "confirm": MessageLookupByLibrary.simpleMessage("確認"), - "confirm2FADisable": - MessageLookupByLibrary.simpleMessage("2 要素認証を無効にしてよろしいですか。"), - "confirmAccountDeletion": - MessageLookupByLibrary.simpleMessage("アカウント削除の確認"), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": - MessageLookupByLibrary.simpleMessage("はい、アカウントとすべてのアプリのデータを削除します"), - "confirmPassword": MessageLookupByLibrary.simpleMessage("パスワードを確認"), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage("プランの変更を確認"), - "confirmRecoveryKey": - MessageLookupByLibrary.simpleMessage("リカバリーキーを確認"), - "confirmYourRecoveryKey": - MessageLookupByLibrary.simpleMessage("リカバリーキーを確認"), - "connectToDevice": MessageLookupByLibrary.simpleMessage("デバイスに接続"), - "contactFamilyAdmin": m18, - "contactSupport": MessageLookupByLibrary.simpleMessage("お問い合わせ"), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("連絡先"), - "contents": MessageLookupByLibrary.simpleMessage("内容"), - "continueLabel": MessageLookupByLibrary.simpleMessage("つづける"), - "continueOnFreeTrial": - MessageLookupByLibrary.simpleMessage("無料トライアルで続ける"), - "convertToAlbum": MessageLookupByLibrary.simpleMessage("アルバムに変換"), - "copyEmailAddress": MessageLookupByLibrary.simpleMessage("メールアドレスをコピー"), - "copyLink": MessageLookupByLibrary.simpleMessage("リンクをコピー"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage("認証アプリにこのコードをコピペしてください"), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "データをバックアップできませんでした。\n後で再試行します。"), - "couldNotFreeUpSpace": - MessageLookupByLibrary.simpleMessage("スペースを解放できませんでした"), - "couldNotUpdateSubscription": - MessageLookupByLibrary.simpleMessage("サブスクリプションを更新できませんでした"), - "count": MessageLookupByLibrary.simpleMessage("カウント"), - "crashReporting": MessageLookupByLibrary.simpleMessage("クラッシュを報告"), - "create": MessageLookupByLibrary.simpleMessage("作成"), - "createAccount": MessageLookupByLibrary.simpleMessage("アカウント作成"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "長押しで写真を選択し、+をクリックしてアルバムを作成します"), - "createCollaborativeLink": - MessageLookupByLibrary.simpleMessage("共同作業用リンクを作成"), - "createCollage": MessageLookupByLibrary.simpleMessage("コラージュを作る"), - "createNewAccount": MessageLookupByLibrary.simpleMessage("新規アカウントを作成"), - "createOrSelectAlbum": - MessageLookupByLibrary.simpleMessage("アルバムを作成または選択"), - "createPublicLink": MessageLookupByLibrary.simpleMessage("公開リンクを作成"), - "creatingLink": MessageLookupByLibrary.simpleMessage("リンクを作成中..."), - "criticalUpdateAvailable": - MessageLookupByLibrary.simpleMessage("重要なアップデートがあります"), - "crop": MessageLookupByLibrary.simpleMessage("クロップ"), - "currentUsageIs": MessageLookupByLibrary.simpleMessage("現在の使用状況 "), - "currentlyRunning": MessageLookupByLibrary.simpleMessage("現在実行中"), - "custom": MessageLookupByLibrary.simpleMessage("カスタム"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("ダーク"), - "dayToday": MessageLookupByLibrary.simpleMessage("今日"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("昨日"), - "declineTrustInvite": MessageLookupByLibrary.simpleMessage("招待を拒否する"), - "decrypting": MessageLookupByLibrary.simpleMessage("復号しています"), - "decryptingVideo": MessageLookupByLibrary.simpleMessage("ビデオの復号化中..."), - "deduplicateFiles": MessageLookupByLibrary.simpleMessage("重複ファイル"), - "delete": MessageLookupByLibrary.simpleMessage("削除"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("アカウントを削除"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "今までご利用ありがとうございました。改善点があれば、フィードバックをお寄せください"), - "deleteAccountPermanentlyButton": - MessageLookupByLibrary.simpleMessage("アカウントの削除"), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("アルバムの削除"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "このアルバムに含まれている写真 (およびビデオ) を すべて 他のアルバムからも削除しますか?"), - "deleteAlbumsDialogBody": - MessageLookupByLibrary.simpleMessage("空のアルバムはすべて削除されます。"), - "deleteAll": MessageLookupByLibrary.simpleMessage("全て削除"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "このアカウントは他のEnteアプリも使用している場合はそれらにも紐づけされています。\nすべてのEnteアプリでアップロードされたデータは削除され、アカウントは完全に削除されます。"), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "account-deletion@ente.ioにあなたの登録したメールアドレスからメールを送信してください"), - "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage("空のアルバムを削除"), - "deleteEmptyAlbumsWithQuestionMark": - MessageLookupByLibrary.simpleMessage("空のアルバムを削除しますか?"), - "deleteFromBoth": MessageLookupByLibrary.simpleMessage("両方から削除"), - "deleteFromDevice": MessageLookupByLibrary.simpleMessage("デバイスから削除"), - "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Enteから削除"), - "deleteItemCount": m21, - "deleteLocation": MessageLookupByLibrary.simpleMessage("位置情報を削除"), - "deletePhotos": MessageLookupByLibrary.simpleMessage("写真を削除"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage("いちばん必要な機能がない"), - "deleteReason2": - MessageLookupByLibrary.simpleMessage("アプリや特定の機能が想定通りに動かない"), - "deleteReason3": MessageLookupByLibrary.simpleMessage("より良いサービスを見つけた"), - "deleteReason4": MessageLookupByLibrary.simpleMessage("該当する理由がない"), - "deleteRequestSLAText": - MessageLookupByLibrary.simpleMessage("リクエストは72時間以内に処理されます"), - "deleteSharedAlbum": - MessageLookupByLibrary.simpleMessage("共有アルバムを削除しますか?"), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "このアルバムは他の人からも削除されます\n\n他の人が共有してくれた写真も、あなたからは見れなくなります"), - "deselectAll": MessageLookupByLibrary.simpleMessage("選択解除"), - "designedToOutlive": - MessageLookupByLibrary.simpleMessage("生き延びるためのデザイン"), - "details": MessageLookupByLibrary.simpleMessage("詳細"), - "developerSettings": MessageLookupByLibrary.simpleMessage("開発者向け設定"), - "developerSettingsWarning": - MessageLookupByLibrary.simpleMessage("開発者向け設定を変更してもよろしいですか?"), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage("コードを入力する"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "このデバイス上アルバムに追加されたファイルは自動的にEnteにアップロードされます。"), - "deviceLock": MessageLookupByLibrary.simpleMessage("デバイスロック"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "進行中のバックアップがある場合、デバイスがスリープしないようにします。\n\n※容量の大きいアップロードがある際にご活用ください。"), - "deviceNotFound": MessageLookupByLibrary.simpleMessage("デバイスが見つかりません"), - "didYouKnow": MessageLookupByLibrary.simpleMessage("ご存知ですか?"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage("自動ロックを無効にする"), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "ビューアーはスクリーンショットを撮ったり、外部ツールを使用して写真のコピーを保存したりすることができます"), - "disableDownloadWarningTitle": - MessageLookupByLibrary.simpleMessage("ご注意ください"), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage("2段階認証を無効にする"), - "disablingTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage("2要素認証を無効にしています..."), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("新たな発見"), - "discover_babies": MessageLookupByLibrary.simpleMessage("赤ちゃん"), - "discover_celebrations": MessageLookupByLibrary.simpleMessage("お祝い"), - "discover_food": MessageLookupByLibrary.simpleMessage("食べ物"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("自然"), - "discover_hills": MessageLookupByLibrary.simpleMessage("丘"), - "discover_identity": MessageLookupByLibrary.simpleMessage("身分証"), - "discover_memes": MessageLookupByLibrary.simpleMessage("ミーム"), - "discover_notes": MessageLookupByLibrary.simpleMessage("メモ"), - "discover_pets": MessageLookupByLibrary.simpleMessage("ペット"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("レシート"), - "discover_screenshots": - MessageLookupByLibrary.simpleMessage("スクリーンショット"), - "discover_selfies": MessageLookupByLibrary.simpleMessage("セルフィー"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("夕焼け"), - "discover_visiting_cards": - MessageLookupByLibrary.simpleMessage("訪問カード"), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage("壁紙"), - "dismiss": MessageLookupByLibrary.simpleMessage("閉じる"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage("サインアウトしない"), - "doThisLater": MessageLookupByLibrary.simpleMessage("あとで行う"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage("編集を破棄しますか?"), - "done": MessageLookupByLibrary.simpleMessage("完了"), - "dontSave": MessageLookupByLibrary.simpleMessage("保存しない"), - "doubleYourStorage": - MessageLookupByLibrary.simpleMessage("ストレージを倍にしよう"), - "download": MessageLookupByLibrary.simpleMessage("ダウンロード"), - "downloadFailed": MessageLookupByLibrary.simpleMessage("ダウンロード失敗"), - "downloading": MessageLookupByLibrary.simpleMessage("ダウンロード中…"), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("編集"), - "editLocation": MessageLookupByLibrary.simpleMessage("位置情報を編集"), - "editLocationTagTitle": MessageLookupByLibrary.simpleMessage("位置情報を編集"), - "editPerson": MessageLookupByLibrary.simpleMessage("人物を編集"), - "editTime": MessageLookupByLibrary.simpleMessage("時刻を編集"), - "editsSaved": MessageLookupByLibrary.simpleMessage("編集が保存されました"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage("位置情報の編集はEnteでのみ表示されます"), - "eligible": MessageLookupByLibrary.simpleMessage("対象となる"), - "email": MessageLookupByLibrary.simpleMessage("Eメール"), - "emailAlreadyRegistered": - MessageLookupByLibrary.simpleMessage("このメールアドレスはすでに登録されています。"), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": - MessageLookupByLibrary.simpleMessage("このメールアドレスはまだ登録されていません。"), - "emailVerificationToggle": - MessageLookupByLibrary.simpleMessage("メール確認"), - "emailYourLogs": MessageLookupByLibrary.simpleMessage("ログをメールで送信"), - "embracingThem": m32, - "emergencyContacts": MessageLookupByLibrary.simpleMessage("緊急連絡先"), - "empty": MessageLookupByLibrary.simpleMessage("空"), - "emptyTrash": MessageLookupByLibrary.simpleMessage("ゴミ箱を空にしますか?"), - "enable": MessageLookupByLibrary.simpleMessage("有効化"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "Enteは顔認識、マジック検索、その他の高度な検索機能のため、あなたのデバイス上で機械学習をしています"), - "enableMachineLearningBanner": - MessageLookupByLibrary.simpleMessage("マジック検索と顔認識のため、機械学習を有効にする"), - "enableMaps": MessageLookupByLibrary.simpleMessage("マップを有効にする"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "世界地図上にあなたの写真を表示します。\n\n地図はOpenStreetMapを利用しており、あなたの写真の位置情報が外部に共有されることはありません。\n\nこの機能は設定から無効にすることができます"), - "enabled": MessageLookupByLibrary.simpleMessage("有効"), - "encryptingBackup": - MessageLookupByLibrary.simpleMessage("バックアップを暗号化中..."), - "encryption": MessageLookupByLibrary.simpleMessage("暗号化"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage("暗号化の鍵"), - "endpointUpdatedMessage": - MessageLookupByLibrary.simpleMessage("エンドポイントの更新に成功しました"), - "endtoendEncryptedByDefault": - MessageLookupByLibrary.simpleMessage("デフォルトで端末間で暗号化されています"), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "大切に保管します、Enteにファイルへのアクセスを許可してください"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "写真を大切にバックアップするために許可が必要です"), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "Enteはあなたの思い出を保存します。デバイスを紛失しても、オンラインでアクセス可能です"), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "あなたの家族もあなたの有料プランに参加することができます。"), - "enterAlbumName": MessageLookupByLibrary.simpleMessage("アルバム名を入力"), - "enterCode": MessageLookupByLibrary.simpleMessage("コードを入力"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "もらったコードを入力して、無料のストレージを入手してください"), - "enterDateOfBirth": MessageLookupByLibrary.simpleMessage("誕生日(任意)"), - "enterEmail": MessageLookupByLibrary.simpleMessage("Eメールアドレスを入力してください"), - "enterFileName": MessageLookupByLibrary.simpleMessage("ファイル名を入力してください"), - "enterName": MessageLookupByLibrary.simpleMessage("名前を入力"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "あなたのデータを暗号化するための新しいパスワードを入力してください"), - "enterPassword": MessageLookupByLibrary.simpleMessage("パスワードを入力"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "あなたのデータを暗号化するためのパスワードを入力してください"), - "enterPersonName": MessageLookupByLibrary.simpleMessage("人名を入力してください"), - "enterPin": MessageLookupByLibrary.simpleMessage("PINを入力してください"), - "enterReferralCode": - MessageLookupByLibrary.simpleMessage("紹介コードを入力してください"), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "認証アプリに表示された 6 桁のコードを入力してください"), - "enterValidEmail": - MessageLookupByLibrary.simpleMessage("有効なEメールアドレスを入力してください"), - "enterYourEmailAddress": - MessageLookupByLibrary.simpleMessage("Eメールアドレスを入力"), - "enterYourPassword": MessageLookupByLibrary.simpleMessage("パスワードを入力"), - "enterYourRecoveryKey": - MessageLookupByLibrary.simpleMessage("リカバリーキーを入力してください"), - "error": MessageLookupByLibrary.simpleMessage("エラー"), - "everywhere": MessageLookupByLibrary.simpleMessage("どこでも"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": MessageLookupByLibrary.simpleMessage("既存のユーザー"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "このリンクは期限切れです。新たな期限を設定するか、期限設定そのものを無くすか、選択してください"), - "exportLogs": MessageLookupByLibrary.simpleMessage("ログのエクスポート"), - "exportYourData": MessageLookupByLibrary.simpleMessage("データをエクスポート"), - "extraPhotosFound": - MessageLookupByLibrary.simpleMessage("追加の写真が見つかりました"), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": - MessageLookupByLibrary.simpleMessage("顔がまだ集まっていません。後で戻ってきてください"), - "faceRecognition": MessageLookupByLibrary.simpleMessage("顔認識"), - "faces": MessageLookupByLibrary.simpleMessage("顔"), - "failed": MessageLookupByLibrary.simpleMessage("失敗"), - "failedToApplyCode": - MessageLookupByLibrary.simpleMessage("コードを適用できませんでした"), - "failedToCancel": MessageLookupByLibrary.simpleMessage("キャンセルに失敗しました"), - "failedToDownloadVideo": - MessageLookupByLibrary.simpleMessage("ビデオをダウンロードできませんでした"), - "failedToFetchActiveSessions": - MessageLookupByLibrary.simpleMessage("アクティブなセッションの取得に失敗しました"), - "failedToFetchOriginalForEdit": - MessageLookupByLibrary.simpleMessage("編集前の状態の取得に失敗しました"), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "紹介の詳細を取得できません。後でもう一度お試しください。"), - "failedToLoadAlbums": - MessageLookupByLibrary.simpleMessage("アルバムの読み込みに失敗しました"), - "failedToPlayVideo": - MessageLookupByLibrary.simpleMessage("動画の再生に失敗しました"), - "failedToRefreshStripeSubscription": - MessageLookupByLibrary.simpleMessage("サブスクリプションの更新に失敗しました"), - "failedToRenew": MessageLookupByLibrary.simpleMessage("更新に失敗しました"), - "failedToVerifyPaymentStatus": - MessageLookupByLibrary.simpleMessage("支払ステータスの確認に失敗しました"), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "5人までの家族をファミリープランに追加しましょう(追加料金無し)\n\n一人ひとりがプライベートなストレージを持ち、共有されない限りお互いに見ることはありません。\n\nファミリープランはEnteサブスクリプションに登録した人が利用できます。\n\nさっそく登録しましょう!"), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("ファミリー"), - "familyPlans": MessageLookupByLibrary.simpleMessage("ファミリープラン"), - "faq": MessageLookupByLibrary.simpleMessage("よくある質問"), - "faqs": MessageLookupByLibrary.simpleMessage("よくある質問"), - "favorite": MessageLookupByLibrary.simpleMessage("お気に入り"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("フィードバック"), - "file": MessageLookupByLibrary.simpleMessage("ファイル"), - "fileFailedToSaveToGallery": - MessageLookupByLibrary.simpleMessage("ギャラリーへの保存に失敗しました"), - "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage("説明を追加..."), - "fileNotUploadedYet": - MessageLookupByLibrary.simpleMessage("ファイルがまだアップロードされていません"), - "fileSavedToGallery": - MessageLookupByLibrary.simpleMessage("ファイルをギャラリーに保存しました"), - "fileTypes": MessageLookupByLibrary.simpleMessage("ファイルの種類"), - "fileTypesAndNames": MessageLookupByLibrary.simpleMessage("ファイルの種類と名前"), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage("削除されたファイル"), - "filesSavedToGallery": - MessageLookupByLibrary.simpleMessage("写真をダウンロードしました"), - "findPeopleByName": MessageLookupByLibrary.simpleMessage("名前で人を探す"), - "findThemQuickly": MessageLookupByLibrary.simpleMessage("すばやく見つける"), - "flip": MessageLookupByLibrary.simpleMessage("反転"), - "food": MessageLookupByLibrary.simpleMessage("料理を楽しむ"), - "forYourMemories": MessageLookupByLibrary.simpleMessage("思い出の為に"), - "forgotPassword": MessageLookupByLibrary.simpleMessage("パスワードを忘れた"), - "foundFaces": MessageLookupByLibrary.simpleMessage("見つかった顔"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage("空き容量を受け取る"), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": - MessageLookupByLibrary.simpleMessage("無料のストレージが利用可能です"), - "freeTrial": MessageLookupByLibrary.simpleMessage("無料トライアル"), - "freeTrialValidTill": m38, - "freeUpAmount": m40, - "freeUpDeviceSpace": - MessageLookupByLibrary.simpleMessage("デバイスの空き領域を解放する"), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "すでにバックアップされているファイルを消去して、デバイスの容量を空けます。"), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("スペースを解放する"), - "gallery": MessageLookupByLibrary.simpleMessage("ギャラリー"), - "galleryMemoryLimitInfo": - MessageLookupByLibrary.simpleMessage("ギャラリーに表示されるメモリは最大1000個までです"), - "general": MessageLookupByLibrary.simpleMessage("設定"), - "generatingEncryptionKeys": - MessageLookupByLibrary.simpleMessage("暗号化鍵を生成しています"), - "genericProgress": m42, - "goToSettings": MessageLookupByLibrary.simpleMessage("設定に移動"), - "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "設定アプリで、すべての写真へのアクセスを許可してください"), - "grantPermission": MessageLookupByLibrary.simpleMessage("許可する"), - "greenery": MessageLookupByLibrary.simpleMessage("緑の生活"), - "groupNearbyPhotos": - MessageLookupByLibrary.simpleMessage("近くの写真をグループ化"), - "guestView": MessageLookupByLibrary.simpleMessage("ゲストビュー"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "アプリのロックを有効にするには、システム設定でデバイスのパスコードまたは画面ロックを設定してください。"), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "私たちはアプリのインストールを追跡していませんが、もしよければ、Enteをお知りになった場所を教えてください!"), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Ente についてどのようにお聞きになりましたか?(任意)"), - "help": MessageLookupByLibrary.simpleMessage("ヘルプ"), - "hidden": MessageLookupByLibrary.simpleMessage("非表示"), - "hide": MessageLookupByLibrary.simpleMessage("非表示"), - "hideContent": MessageLookupByLibrary.simpleMessage("内容を非表示"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "アプリ画面を非表示にし、スクリーンショットを無効にします"), - "hideContentDescriptionIos": - MessageLookupByLibrary.simpleMessage("アプリ切り替え時に、アプリの画面を非表示にします"), - "hideSharedItemsFromHomeGallery": - MessageLookupByLibrary.simpleMessage("ホームギャラリーから共有された写真等を非表示"), - "hiding": MessageLookupByLibrary.simpleMessage("非表示にしています"), - "hikingWithThem": m43, - "hostedAtOsmFrance": - MessageLookupByLibrary.simpleMessage("OSM Franceでホスト"), - "howItWorks": MessageLookupByLibrary.simpleMessage("仕組みを知る"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "設定画面でメールアドレスを長押しし、両デバイスのIDが一致していることを確認してください。"), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "生体認証がデバイスで設定されていません。Touch ID もしくは Face ID を有効にしてください。"), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "生体認証が無効化されています。画面をロック・ロック解除して生体認証を有効化してください。"), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("無視する"), - "ignored": MessageLookupByLibrary.simpleMessage("無視された"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "このアルバムの一部のファイルは、以前にEnteから削除されたため、あえてアップロード時に無視されます"), - "imageNotAnalyzed": - MessageLookupByLibrary.simpleMessage("画像が分析されていません"), - "immediately": MessageLookupByLibrary.simpleMessage("すぐに"), - "importing": MessageLookupByLibrary.simpleMessage("インポート中..."), - "incorrectCode": MessageLookupByLibrary.simpleMessage("誤ったコード"), - "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("パスワードが間違っています"), - "incorrectRecoveryKey": - MessageLookupByLibrary.simpleMessage("リカバリーキーが正しくありません"), - "incorrectRecoveryKeyBody": - MessageLookupByLibrary.simpleMessage("リカバリーキーが間違っています"), - "incorrectRecoveryKeyTitle": - MessageLookupByLibrary.simpleMessage("リカバリーキーの誤り"), - "indexedItems": MessageLookupByLibrary.simpleMessage("処理済みの項目"), - "ineligible": MessageLookupByLibrary.simpleMessage("対象外"), - "info": MessageLookupByLibrary.simpleMessage("情報"), - "insecureDevice": MessageLookupByLibrary.simpleMessage("安全でないデバイス"), - "installManually": MessageLookupByLibrary.simpleMessage("手動でインストール"), - "invalidEmailAddress": - MessageLookupByLibrary.simpleMessage("無効なEメールアドレス"), - "invalidEndpoint": MessageLookupByLibrary.simpleMessage("無効なエンドポイントです"), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "入力されたエンドポイントは無効です。有効なエンドポイントを入力して再試行してください。"), - "invalidKey": MessageLookupByLibrary.simpleMessage("無効なキー"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "入力されたリカバリーキーが無効です。24 単語が含まれていることを確認し、それぞれのスペルを確認してください。\n\n古い形式のリカバリーコードを入力した場合は、64 文字であることを確認して、それぞれを確認してください。"), - "invite": MessageLookupByLibrary.simpleMessage("招待"), - "inviteToEnte": MessageLookupByLibrary.simpleMessage("Enteに招待する"), - "inviteYourFriends": MessageLookupByLibrary.simpleMessage("友達を招待"), - "inviteYourFriendsToEnte": - MessageLookupByLibrary.simpleMessage("友達をEnteに招待する"), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "問題が発生したようです。しばらくしてから再試行してください。エラーが解決しない場合は、サポートチームにお問い合わせください。"), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage("完全に削除されるまでの日数が項目に表示されます"), - "itemsWillBeRemovedFromAlbum": - MessageLookupByLibrary.simpleMessage("選択したアイテムはこのアルバムから削除されます"), - "join": MessageLookupByLibrary.simpleMessage("参加する"), - "joinAlbum": MessageLookupByLibrary.simpleMessage("アルバムに参加"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "アルバムに参加すると、参加者にメールアドレスが公開されます。"), - "joinAlbumSubtext": - MessageLookupByLibrary.simpleMessage("写真を表示したり、追加したりするために"), - "joinAlbumSubtextViewer": - MessageLookupByLibrary.simpleMessage("これを共有アルバムに追加するために"), - "joinDiscord": MessageLookupByLibrary.simpleMessage("Discordに参加"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("写真を残す"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": - MessageLookupByLibrary.simpleMessage("よければ、情報をお寄せください"), - "language": MessageLookupByLibrary.simpleMessage("言語"), - "lastTimeWithThem": m45, - "lastUpdated": MessageLookupByLibrary.simpleMessage("更新された順"), - "lastYearsTrip": MessageLookupByLibrary.simpleMessage("昨年の旅行"), - "leave": MessageLookupByLibrary.simpleMessage("離脱"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("アルバムを抜ける"), - "leaveFamily": MessageLookupByLibrary.simpleMessage("ファミリープランから退会"), - "leaveSharedAlbum": - MessageLookupByLibrary.simpleMessage("共有アルバムを抜けてよいですか?"), - "left": MessageLookupByLibrary.simpleMessage("左"), - "legacy": MessageLookupByLibrary.simpleMessage("レガシー"), - "legacyAccounts": MessageLookupByLibrary.simpleMessage("レガシーアカウント"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "レガシーでは、信頼できる連絡先が不在時(あなたが亡くなった時など)にアカウントにアクセスできます。"), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "信頼できる連絡先はアカウントの回復を開始することができます。30日以内にあなたが拒否しない場合は、その信頼する人がパスワードをリセットしてあなたのアカウントにアクセスできるようになります。"), - "light": MessageLookupByLibrary.simpleMessage("ライト"), - "lightTheme": MessageLookupByLibrary.simpleMessage("ライト"), - "link": MessageLookupByLibrary.simpleMessage("リンク"), - "linkCopiedToClipboard": - MessageLookupByLibrary.simpleMessage("リンクをクリップボードにコピーしました"), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("デバイスの制限"), - "linkEmail": MessageLookupByLibrary.simpleMessage("メールアドレスをリンクする"), - "linkEmailToContactBannerCaption": - MessageLookupByLibrary.simpleMessage("共有を高速化するために"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("有効"), - "linkExpired": MessageLookupByLibrary.simpleMessage("期限切れ"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("リンクの期限切れ"), - "linkHasExpired": MessageLookupByLibrary.simpleMessage("リンクは期限切れです"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("なし"), - "linkPerson": MessageLookupByLibrary.simpleMessage("人を紐づけ"), - "linkPersonCaption": - MessageLookupByLibrary.simpleMessage("良い経験を分かち合うために"), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("ライブフォト"), - "loadMessage1": - MessageLookupByLibrary.simpleMessage("サブスクリプションを家族と共有できます"), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "私たちはあなたのデータのコピーを3つ保管しています。1つは地下のシェルターにあります。"), - "loadMessage4": - MessageLookupByLibrary.simpleMessage("すべてのアプリはオープンソースです"), - "loadMessage5": - MessageLookupByLibrary.simpleMessage("当社のソースコードと暗号方式は外部から監査されています"), - "loadMessage6": - MessageLookupByLibrary.simpleMessage("アルバムへのリンクを共有できます"), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "当社のモバイルアプリはバックグラウンドで実行され、新しい写真を暗号化してバックアップします"), - "loadMessage8": - MessageLookupByLibrary.simpleMessage("web.ente.ioにはアップローダーがあります"), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Xchacha20Poly1305を使用してデータを安全に暗号化します。"), - "loadingExifData": - MessageLookupByLibrary.simpleMessage("EXIF データを読み込み中..."), - "loadingGallery": - MessageLookupByLibrary.simpleMessage("ギャラリーを読み込み中..."), - "loadingMessage": - MessageLookupByLibrary.simpleMessage("あなたの写真を読み込み中..."), - "loadingModel": MessageLookupByLibrary.simpleMessage("モデルをダウンロード中"), - "loadingYourPhotos": - MessageLookupByLibrary.simpleMessage("写真を読み込んでいます..."), - "localGallery": MessageLookupByLibrary.simpleMessage("デバイス上のギャラリー"), - "localIndexing": MessageLookupByLibrary.simpleMessage("このデバイス上での実行"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "ローカルの写真の同期には予想以上の時間がかかっています。問題が発生したようです。サポートチームまでご連絡ください。"), - "location": MessageLookupByLibrary.simpleMessage("場所"), - "locationName": MessageLookupByLibrary.simpleMessage("場所名"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "位置タグは、写真の半径内で撮影されたすべての写真をグループ化します"), - "locations": MessageLookupByLibrary.simpleMessage("場所"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("ロック"), - "lockscreen": MessageLookupByLibrary.simpleMessage("画面のロック"), - "logInLabel": MessageLookupByLibrary.simpleMessage("ログイン"), - "loggingOut": MessageLookupByLibrary.simpleMessage("ログアウト中..."), - "loginSessionExpired": MessageLookupByLibrary.simpleMessage("セッション切れ"), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "セッションの有効期限が切れました。再度ログインしてください。"), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "「ログイン」をクリックすることで、利用規約プライバシーポリシーに同意します"), - "loginWithTOTP": MessageLookupByLibrary.simpleMessage("TOTPでログイン"), - "logout": MessageLookupByLibrary.simpleMessage("ログアウト"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "これにより、問題のデバッグに役立つログが送信されます。 特定のファイルの問題を追跡するために、ファイル名が含まれることに注意してください。"), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "表示されているEメールアドレスを長押しして、暗号化を確認します。"), - "longpressOnAnItemToViewInFullscreen": - MessageLookupByLibrary.simpleMessage("アイテムを長押しして全画面表示する"), - "loopVideoOff": MessageLookupByLibrary.simpleMessage("ビデオのループをオフ"), - "loopVideoOn": MessageLookupByLibrary.simpleMessage("ビデオのループをオン"), - "lostDevice": MessageLookupByLibrary.simpleMessage("デバイスを紛失しましたか?"), - "machineLearning": MessageLookupByLibrary.simpleMessage("機械学習"), - "magicSearch": MessageLookupByLibrary.simpleMessage("マジックサーチ"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "マジック検索では、「花」、「赤い車」、「本人確認書類」などの写真に写っているもので検索できます。"), - "manage": MessageLookupByLibrary.simpleMessage("管理"), - "manageDeviceStorage": - MessageLookupByLibrary.simpleMessage("端末のキャッシュを管理"), - "manageDeviceStorageDesc": - MessageLookupByLibrary.simpleMessage("端末上のキャッシュを確認・削除"), - "manageFamily": MessageLookupByLibrary.simpleMessage("ファミリーの管理"), - "manageLink": MessageLookupByLibrary.simpleMessage("リンクを管理"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("管理"), - "manageSubscription": - MessageLookupByLibrary.simpleMessage("サブスクリプションの管理"), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "PINを使ってペアリングすると、どんなスクリーンで動作します。"), - "map": MessageLookupByLibrary.simpleMessage("地図"), - "maps": MessageLookupByLibrary.simpleMessage("地図"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("自分"), - "merchandise": MessageLookupByLibrary.simpleMessage("グッズ"), - "mergeWithExisting": MessageLookupByLibrary.simpleMessage("既存の人物とまとめる"), - "mergedPhotos": MessageLookupByLibrary.simpleMessage("統合された写真"), - "mlConsent": MessageLookupByLibrary.simpleMessage("機械学習を有効にする"), - "mlConsentConfirmation": - MessageLookupByLibrary.simpleMessage("機械学習を可能にしたい"), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "機械学習を有効にすると、Enteは顔などの情報をファイルから抽出します。\n\nこれはお使いのデバイスで行われ、生成された生体情報は暗号化されます。"), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "この機能の詳細については、こちらをクリックしてください。"), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage("機械学習を有効にしますか?"), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "すべての項目が処理されるまで、機械学習は帯域幅とバッテリー使用量が高くなりますのでご注意ください。 処理を高速で終わらせたい場合はデスクトップアプリを使用するのがおすすめです。結果は自動的に同期されます。"), - "mobileWebDesktop": - MessageLookupByLibrary.simpleMessage("モバイル、Web、デスクトップ"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("普通のパスワード"), - "modifyYourQueryOrTrySearchingFor": - MessageLookupByLibrary.simpleMessage("クエリを変更するか、以下のように検索してみてください"), - "moments": MessageLookupByLibrary.simpleMessage("日々の瞬間"), - "month": MessageLookupByLibrary.simpleMessage("月"), - "monthly": MessageLookupByLibrary.simpleMessage("月額"), - "moon": MessageLookupByLibrary.simpleMessage("月明かりの中"), - "moreDetails": MessageLookupByLibrary.simpleMessage("さらに詳細を表示"), - "mostRecent": MessageLookupByLibrary.simpleMessage("新しい順"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("関連度順"), - "mountains": MessageLookupByLibrary.simpleMessage("丘を超えて"), - "moveSelectedPhotosToOneDate": - MessageLookupByLibrary.simpleMessage("選択した写真を1つの日付に移動"), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("アルバムに移動"), - "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage("隠しアルバムに移動"), - "movedSuccessfullyTo": m52, - "movedToTrash": MessageLookupByLibrary.simpleMessage("ごみ箱へ移動"), - "movingFilesToAlbum": - MessageLookupByLibrary.simpleMessage("アルバムにファイルを移動中"), - "name": MessageLookupByLibrary.simpleMessage("名前順"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("アルバムに名前を付けよう"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Enteに接続できませんでした。しばらくしてから再試行してください。エラーが解決しない場合は、サポートにお問い合わせください。"), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Enteに接続できませんでした。ネットワーク設定を確認し、エラーが解決しない場合はサポートにお問い合わせください。"), - "never": MessageLookupByLibrary.simpleMessage("なし"), - "newAlbum": MessageLookupByLibrary.simpleMessage("新しいアルバム"), - "newLocation": MessageLookupByLibrary.simpleMessage("新しいロケーション"), - "newPerson": MessageLookupByLibrary.simpleMessage("新しい人物"), - "newRange": MessageLookupByLibrary.simpleMessage("範囲を追加"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Enteを初めて使用する"), - "newest": MessageLookupByLibrary.simpleMessage("新しい順"), - "next": MessageLookupByLibrary.simpleMessage("次へ"), - "no": MessageLookupByLibrary.simpleMessage("いいえ"), - "noAlbumsSharedByYouYet": - MessageLookupByLibrary.simpleMessage("あなたが共有したアルバムはまだありません"), - "noDeviceFound": MessageLookupByLibrary.simpleMessage("デバイスが見つかりません"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("なし"), - "noDeviceThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage("削除できるファイルがありません"), - "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ 重複なし"), - "noEnteAccountExclamation": - MessageLookupByLibrary.simpleMessage("アカウントがありません!"), - "noExifData": MessageLookupByLibrary.simpleMessage("EXIFデータはありません"), - "noFacesFound": MessageLookupByLibrary.simpleMessage("顔が見つかりません"), - "noHiddenPhotosOrVideos": - MessageLookupByLibrary.simpleMessage("非表示の写真やビデオはありません"), - "noImagesWithLocation": - MessageLookupByLibrary.simpleMessage("位置情報のある画像がありません"), - "noInternetConnection": - MessageLookupByLibrary.simpleMessage("インターネット接続なし"), - "noPhotosAreBeingBackedUpRightNow": - MessageLookupByLibrary.simpleMessage("現在バックアップされている写真はありません"), - "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage("写真が見つかりません"), - "noQuickLinksSelected": - MessageLookupByLibrary.simpleMessage("クイックリンクが選択されていません"), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage("リカバリーキーがないですか?"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "あなたのデータはエンドツーエンド暗号化されており、パスワードかリカバリーキーがない場合、データを復号することはできません"), - "noResults": MessageLookupByLibrary.simpleMessage("該当なし"), - "noResultsFound": - MessageLookupByLibrary.simpleMessage("一致する結果が見つかりませんでした"), - "noSuggestionsForPerson": m53, - "noSystemLockFound": - MessageLookupByLibrary.simpleMessage("システムロックが見つかりませんでした"), - "notPersonLabel": m54, - "notThisPerson": MessageLookupByLibrary.simpleMessage("この人ではありませんか?"), - "nothingSharedWithYouYet": - MessageLookupByLibrary.simpleMessage("あなたに共有されたものはありません"), - "nothingToSeeHere": - MessageLookupByLibrary.simpleMessage("ここに表示されるものはありません! 👀"), - "notifications": MessageLookupByLibrary.simpleMessage("通知"), - "ok": MessageLookupByLibrary.simpleMessage("OK"), - "onDevice": MessageLookupByLibrary.simpleMessage("デバイス上"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "Enteが保管"), - "onTheRoad": MessageLookupByLibrary.simpleMessage("再び道で"), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("この人のみ"), - "oops": MessageLookupByLibrary.simpleMessage("Oops"), - "oopsCouldNotSaveEdits": - MessageLookupByLibrary.simpleMessage("編集を保存できませんでした"), - "oopsSomethingWentWrong": - MessageLookupByLibrary.simpleMessage("問題が発生しました"), - "openAlbumInBrowser": - MessageLookupByLibrary.simpleMessage("ブラウザでアルバムを開く"), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "このアルバムに写真を追加するには、Webアプリを使用してください"), - "openFile": MessageLookupByLibrary.simpleMessage("ファイルを開く"), - "openSettings": MessageLookupByLibrary.simpleMessage("設定を開く"), - "openTheItem": MessageLookupByLibrary.simpleMessage("• アイテムを開く"), - "openstreetmapContributors": - MessageLookupByLibrary.simpleMessage("OpenStreetMap のコントリビューター"), - "optionalAsShortAsYouLike": - MessageLookupByLibrary.simpleMessage("省略可能、好きなだけお書きください..."), - "orMergeWithExistingPerson": - MessageLookupByLibrary.simpleMessage("既存のものと統合する"), - "orPickAnExistingOne": - MessageLookupByLibrary.simpleMessage("または既存のものを選択"), - "orPickFromYourContacts": - MessageLookupByLibrary.simpleMessage("または連絡先から選択"), - "pair": MessageLookupByLibrary.simpleMessage("ペアリング"), - "pairWithPin": MessageLookupByLibrary.simpleMessage("PINを使ってペアリングする"), - "pairingComplete": MessageLookupByLibrary.simpleMessage("ペアリング完了"), - "panorama": MessageLookupByLibrary.simpleMessage("パノラマ"), - "partyWithThem": m56, - "passKeyPendingVerification": - MessageLookupByLibrary.simpleMessage("検証はまだ保留中です"), - "passkey": MessageLookupByLibrary.simpleMessage("パスキー"), - "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage("パスキーの検証"), - "password": MessageLookupByLibrary.simpleMessage("パスワード"), - "passwordChangedSuccessfully": - MessageLookupByLibrary.simpleMessage("パスワードの変更に成功しました"), - "passwordLock": MessageLookupByLibrary.simpleMessage("パスワード保護"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "パスワードの長さ、使用される文字の種類を考慮してパスワードの強度は計算されます。"), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "このパスワードを忘れると、あなたのデータを復号することは私達にもできません"), - "paymentDetails": MessageLookupByLibrary.simpleMessage("お支払い情報"), - "paymentFailed": MessageLookupByLibrary.simpleMessage("支払いに失敗しました"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "残念ながらお支払いに失敗しました。サポートにお問い合わせください。お手伝いします!"), - "paymentFailedTalkToProvider": m58, - "pendingItems": MessageLookupByLibrary.simpleMessage("処理待ちの項目"), - "pendingSync": MessageLookupByLibrary.simpleMessage("同期を保留中"), - "people": MessageLookupByLibrary.simpleMessage("人物"), - "peopleUsingYourCode": - MessageLookupByLibrary.simpleMessage("あなたのコードを使っている人"), - "permDeleteWarning": - MessageLookupByLibrary.simpleMessage("ゴミ箱を空にしました\n\nこの操作はもとに戻せません"), - "permanentlyDelete": MessageLookupByLibrary.simpleMessage("完全に削除"), - "permanentlyDeleteFromDevice": - MessageLookupByLibrary.simpleMessage("デバイスから完全に削除しますか?"), - "personIsAge": m59, - "personName": MessageLookupByLibrary.simpleMessage("人名名"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("毛むくじゃらな仲間たち"), - "photoDescriptions": MessageLookupByLibrary.simpleMessage("写真の説明"), - "photoGridSize": MessageLookupByLibrary.simpleMessage("写真のグリッドサイズ"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("写真"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("写真"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage("あなたの追加した写真はこのアルバムから削除されます"), - "photosKeepRelativeTimeDifference": - MessageLookupByLibrary.simpleMessage("写真はお互いの相対的な時間差を維持します"), - "pickCenterPoint": MessageLookupByLibrary.simpleMessage("中心点を選択"), - "pinAlbum": MessageLookupByLibrary.simpleMessage("アルバムをピンする"), - "pinLock": MessageLookupByLibrary.simpleMessage("PINロック"), - "playOnTv": MessageLookupByLibrary.simpleMessage("TVでアルバムを再生"), - "playOriginal": MessageLookupByLibrary.simpleMessage("元動画を再生"), - "playStoreFreeTrialValidTill": m63, - "playStream": MessageLookupByLibrary.simpleMessage("再生"), - "playstoreSubscription": - MessageLookupByLibrary.simpleMessage("PlayStoreサブスクリプション"), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage("インターネット接続を確認して、再試行してください。"), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Support@ente.ioにお問い合わせください、お手伝いいたします。"), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage("問題が解決しない場合はサポートにお問い合わせください"), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": - MessageLookupByLibrary.simpleMessage("権限を付与してください"), - "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage("もう一度試してください"), - "pleaseSelectQuickLinksToRemove": - MessageLookupByLibrary.simpleMessage("削除するクイックリンクを選択してください"), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("もう一度試してください"), - "pleaseVerifyTheCodeYouHaveEntered": - MessageLookupByLibrary.simpleMessage("入力したコードを確認してください"), - "pleaseWait": MessageLookupByLibrary.simpleMessage("お待ち下さい"), - "pleaseWaitDeletingAlbum": - MessageLookupByLibrary.simpleMessage("お待ちください、アルバムを削除しています"), - "pleaseWaitForSometimeBeforeRetrying": - MessageLookupByLibrary.simpleMessage("再試行する前にしばらくお待ちください"), - "pleaseWaitThisWillTakeAWhile": - MessageLookupByLibrary.simpleMessage("しばらくお待ちください。時間がかかります。"), - "posingWithThem": m66, - "preparingLogs": MessageLookupByLibrary.simpleMessage("ログを準備中..."), - "preserveMore": MessageLookupByLibrary.simpleMessage("もっと保存する"), - "pressAndHoldToPlayVideo": - MessageLookupByLibrary.simpleMessage("長押しで動画を再生"), - "pressAndHoldToPlayVideoDetailed": - MessageLookupByLibrary.simpleMessage("画像の長押しで動画を再生"), - "previous": MessageLookupByLibrary.simpleMessage("前"), - "privacy": MessageLookupByLibrary.simpleMessage("プライバシー"), - "privacyPolicyTitle": - MessageLookupByLibrary.simpleMessage("プライバシーポリシー"), - "privateBackups": MessageLookupByLibrary.simpleMessage("プライベートバックアップ"), - "privateSharing": MessageLookupByLibrary.simpleMessage("プライベート共有"), - "proceed": MessageLookupByLibrary.simpleMessage("続行"), - "processed": MessageLookupByLibrary.simpleMessage("処理完了"), - "processing": MessageLookupByLibrary.simpleMessage("処理中"), - "processingImport": m67, - "processingVideos": MessageLookupByLibrary.simpleMessage("動画を処理中"), - "publicLinkCreated": - MessageLookupByLibrary.simpleMessage("公開リンクが作成されました"), - "publicLinkEnabled": - MessageLookupByLibrary.simpleMessage("公開リンクを有効にしました"), - "queued": MessageLookupByLibrary.simpleMessage("処理待ち"), - "quickLinks": MessageLookupByLibrary.simpleMessage("クイックリンク"), - "radius": MessageLookupByLibrary.simpleMessage("半径"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("サポートを受ける"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("アプリを評価"), - "rateUs": MessageLookupByLibrary.simpleMessage("評価して下さい"), - "rateUsOnStore": m68, - "reassignMe": MessageLookupByLibrary.simpleMessage("\"自分\" を再割り当て"), - "reassignedToName": m69, - "reassigningLoading": MessageLookupByLibrary.simpleMessage("再割り当て中..."), - "recover": MessageLookupByLibrary.simpleMessage("復元"), - "recoverAccount": MessageLookupByLibrary.simpleMessage("アカウントを復元"), - "recoverButton": MessageLookupByLibrary.simpleMessage("復元"), - "recoveryAccount": MessageLookupByLibrary.simpleMessage("アカウントを復元"), - "recoveryInitiated": - MessageLookupByLibrary.simpleMessage("リカバリが開始されました"), - "recoveryInitiatedDesc": m70, - "recoveryKey": MessageLookupByLibrary.simpleMessage("リカバリーキー"), - "recoveryKeyCopiedToClipboard": - MessageLookupByLibrary.simpleMessage("リカバリーキーはクリップボードにコピーされました"), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "パスワードを忘れてしまったら、このリカバリーキーがあなたのデータを復元する唯一の方法です。"), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "リカバリーキーは私達も保管しません。この24個の単語を安全な場所に保管してください。"), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "リカバリーキーは有効です。ご確認いただきありがとうございます。\n\nリカバリーキーは今後も安全にバックアップしておいてください。"), - "recoveryKeyVerified": - MessageLookupByLibrary.simpleMessage("リカバリキーが確認されました"), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "パスワードを忘れた場合、リカバリーキーは写真を復元するための唯一の方法になります。なお、設定 > アカウント でリカバリーキーを確認することができます。\n \n\nここにリカバリーキーを入力して、正しく保存できていることを確認してください。"), - "recoveryReady": m71, - "recoverySuccessful": - MessageLookupByLibrary.simpleMessage("復元に成功しました!"), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "信頼する連絡先の持ち主があなたのアカウントにアクセスしようとしています"), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "このデバイスではパスワードを確認する能力が足りません。\n\n恐れ入りますが、リカバリーキーを入力してパスワードを再生成する必要があります。"), - "recreatePasswordTitle": - MessageLookupByLibrary.simpleMessage("パスワードを再生成"), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": - MessageLookupByLibrary.simpleMessage("パスワードを再入力してください"), - "reenterPin": MessageLookupByLibrary.simpleMessage("PINを再入力してください"), - "referFriendsAnd2xYourPlan": - MessageLookupByLibrary.simpleMessage("友達に紹介して2倍"), - "referralStep1": - MessageLookupByLibrary.simpleMessage("1. このコードを友達に贈りましょう"), - "referralStep2": MessageLookupByLibrary.simpleMessage("2. 友達が有料プランに登録"), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("リフェラル"), - "referralsAreCurrentlyPaused": - MessageLookupByLibrary.simpleMessage("リフェラルは現在一時停止しています"), - "rejectRecovery": MessageLookupByLibrary.simpleMessage("リカバリを拒否する"), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "また、空き領域を取得するには、「設定」→「ストレージ」から「最近削除した項目」を空にします"), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "「ゴミ箱」も空にするとアカウントのストレージが解放されます"), - "remoteImages": MessageLookupByLibrary.simpleMessage("デバイス上にない画像"), - "remoteThumbnails": - MessageLookupByLibrary.simpleMessage("リモートのサムネイル画像"), - "remoteVideos": MessageLookupByLibrary.simpleMessage("デバイス上にない動画"), - "remove": MessageLookupByLibrary.simpleMessage("削除"), - "removeDuplicates": MessageLookupByLibrary.simpleMessage("重複した項目を削除"), - "removeDuplicatesDesc": - MessageLookupByLibrary.simpleMessage("完全に重複しているファイルを確認し、削除します。"), - "removeFromAlbum": MessageLookupByLibrary.simpleMessage("アルバムから削除"), - "removeFromAlbumTitle": - MessageLookupByLibrary.simpleMessage("アルバムから削除しますか?"), - "removeFromFavorite": - MessageLookupByLibrary.simpleMessage("お気に入りリストから外す"), - "removeInvite": MessageLookupByLibrary.simpleMessage("招待を削除"), - "removeLink": MessageLookupByLibrary.simpleMessage("リンクを削除"), - "removeParticipant": MessageLookupByLibrary.simpleMessage("参加者を削除"), - "removeParticipantBody": m74, - "removePersonLabel": MessageLookupByLibrary.simpleMessage("人名を削除"), - "removePublicLink": MessageLookupByLibrary.simpleMessage("公開リンクを削除"), - "removePublicLinks": MessageLookupByLibrary.simpleMessage("公開リンクを削除"), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "削除したアイテムのいくつかは他の人によって追加されました。あなたはそれらへのアクセスを失います"), - "removeWithQuestionMark": - MessageLookupByLibrary.simpleMessage("削除しますか?"), - "removeYourselfAsTrustedContact": - MessageLookupByLibrary.simpleMessage("あなた自身を信頼できる連絡先から削除"), - "removingFromFavorites": - MessageLookupByLibrary.simpleMessage("お気に入りから削除しています..."), - "rename": MessageLookupByLibrary.simpleMessage("名前変更"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("アルバムの名前変更"), - "renameFile": MessageLookupByLibrary.simpleMessage("ファイル名を変更"), - "renewSubscription": - MessageLookupByLibrary.simpleMessage("サブスクリプションの更新"), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("バグを報告"), - "reportBug": MessageLookupByLibrary.simpleMessage("バグを報告"), - "resendEmail": MessageLookupByLibrary.simpleMessage("メールを再送信"), - "resetIgnoredFiles": - MessageLookupByLibrary.simpleMessage("アップロード時に無視されるファイルをリセット"), - "resetPasswordTitle": - MessageLookupByLibrary.simpleMessage("パスワードをリセット"), - "resetPerson": MessageLookupByLibrary.simpleMessage("削除"), - "resetToDefault": MessageLookupByLibrary.simpleMessage("初期設定にリセット"), - "restore": MessageLookupByLibrary.simpleMessage("復元"), - "restoreToAlbum": MessageLookupByLibrary.simpleMessage("アルバムに戻す"), - "restoringFiles": MessageLookupByLibrary.simpleMessage("ファイルを復元中..."), - "resumableUploads": MessageLookupByLibrary.simpleMessage("再開可能なアップロード"), - "retry": MessageLookupByLibrary.simpleMessage("リトライ"), - "review": MessageLookupByLibrary.simpleMessage("確認"), - "reviewDeduplicateItems": - MessageLookupByLibrary.simpleMessage("重複だと思うファイルを確認して削除してください"), - "reviewSuggestions": MessageLookupByLibrary.simpleMessage("提案を確認"), - "right": MessageLookupByLibrary.simpleMessage("右"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("回転"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("左に回転"), - "rotateRight": MessageLookupByLibrary.simpleMessage("右に回転"), - "safelyStored": MessageLookupByLibrary.simpleMessage("保管されています"), - "save": MessageLookupByLibrary.simpleMessage("保存"), - "saveChangesBeforeLeavingQuestion": - MessageLookupByLibrary.simpleMessage("その前に変更を保存しますか?"), - "saveCollage": MessageLookupByLibrary.simpleMessage("コラージュを保存"), - "saveCopy": MessageLookupByLibrary.simpleMessage("コピーを保存"), - "saveKey": MessageLookupByLibrary.simpleMessage("キーを保存"), - "savePerson": MessageLookupByLibrary.simpleMessage("人物を保存"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage("リカバリーキーを保存してください"), - "saving": MessageLookupByLibrary.simpleMessage("保存中…"), - "savingEdits": MessageLookupByLibrary.simpleMessage("編集を保存中..."), - "scanCode": MessageLookupByLibrary.simpleMessage("コードをスキャン"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage("認証アプリでQRコードをスキャンして下さい。"), - "search": MessageLookupByLibrary.simpleMessage("検索"), - "searchAlbumsEmptySection": - MessageLookupByLibrary.simpleMessage("アルバム"), - "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage("アルバム名"), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• アルバム名 (e.g. \"Camera\")\n• ファイルの種類 (e.g. \"Videos\", \".gif\")\n• 年月日 (e.g. \"2022\", \"January\")\n• ホリデー (e.g. \"Christmas\")\n• 写真の説明文 (e.g. “#fun”)"), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "写真情報に \"#trip\" のように説明を追加すれば、ここで簡単に見つけることができます"), - "searchDatesEmptySection": - MessageLookupByLibrary.simpleMessage("日付、月または年で検索"), - "searchDiscoverEmptySection": - MessageLookupByLibrary.simpleMessage("処理と同期が完了すると、画像がここに表示されます"), - "searchFaceEmptySection": - MessageLookupByLibrary.simpleMessage("学習が完了すると、ここに人が表示されます"), - "searchFileTypesAndNamesEmptySection": - MessageLookupByLibrary.simpleMessage("ファイルの種類と名前"), - "searchHint1": MessageLookupByLibrary.simpleMessage("デバイス上で高速検索"), - "searchHint2": MessageLookupByLibrary.simpleMessage("写真の日付、説明"), - "searchHint3": MessageLookupByLibrary.simpleMessage("アルバム、ファイル名、種類"), - "searchHint4": MessageLookupByLibrary.simpleMessage("場所"), - "searchHint5": - MessageLookupByLibrary.simpleMessage("近日公開: フェイスとマジック検索 ✨"), - "searchLocationEmptySection": - MessageLookupByLibrary.simpleMessage("当時の直近で撮影された写真をグループ化"), - "searchPeopleEmptySection": - MessageLookupByLibrary.simpleMessage("友達を招待すると、共有される写真はここから閲覧できます"), - "searchPersonsEmptySection": - MessageLookupByLibrary.simpleMessage("処理と同期が完了すると、ここに人々が表示されます"), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("セキュリティ"), - "seePublicAlbumLinksInApp": - MessageLookupByLibrary.simpleMessage("アプリ内で公開アルバムのリンクを見る"), - "selectALocation": MessageLookupByLibrary.simpleMessage("場所を選択"), - "selectALocationFirst": - MessageLookupByLibrary.simpleMessage("先に場所を選択してください"), - "selectAlbum": MessageLookupByLibrary.simpleMessage("アルバムを選択"), - "selectAll": MessageLookupByLibrary.simpleMessage("全て選択"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("すべて"), - "selectCoverPhoto": MessageLookupByLibrary.simpleMessage("カバー写真を選択"), - "selectDate": MessageLookupByLibrary.simpleMessage("日付を選択する"), - "selectFoldersForBackup": - MessageLookupByLibrary.simpleMessage("バックアップするフォルダを選択"), - "selectItemsToAdd": - MessageLookupByLibrary.simpleMessage("追加するアイテムを選んでください"), - "selectLanguage": MessageLookupByLibrary.simpleMessage("言語を選ぶ"), - "selectMailApp": MessageLookupByLibrary.simpleMessage("メールアプリを選択"), - "selectMorePhotos": MessageLookupByLibrary.simpleMessage("さらに写真を選択"), - "selectOneDateAndTime": - MessageLookupByLibrary.simpleMessage("日付と時刻を1つ選択してください"), - "selectOneDateAndTimeForAll": - MessageLookupByLibrary.simpleMessage("すべてに対して日付と時刻を1つ選択してください"), - "selectPersonToLink": MessageLookupByLibrary.simpleMessage("リンクする人を選択"), - "selectReason": MessageLookupByLibrary.simpleMessage(""), - "selectStartOfRange": - MessageLookupByLibrary.simpleMessage("範囲の開始位置を選択"), - "selectTime": MessageLookupByLibrary.simpleMessage("時刻を選択"), - "selectYourFace": MessageLookupByLibrary.simpleMessage("あなたの顔を選択"), - "selectYourPlan": MessageLookupByLibrary.simpleMessage("プランを選びましょう"), - "selectedFilesAreNotOnEnte": - MessageLookupByLibrary.simpleMessage("選択したファイルはEnte上にありません"), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage("選ばれたフォルダは暗号化されバックアップされます"), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "選択したアイテムはすべてのアルバムから削除され、ゴミ箱に移動されます。"), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "選択したアイテムはこの人としての登録が解除されますが、ライブラリからは削除されません。"), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("送信"), - "sendEmail": MessageLookupByLibrary.simpleMessage("メールを送信する"), - "sendInvite": MessageLookupByLibrary.simpleMessage("招待を送る"), - "sendLink": MessageLookupByLibrary.simpleMessage("リンクを送信"), - "serverEndpoint": MessageLookupByLibrary.simpleMessage("サーバーエンドポイント"), - "sessionExpired": MessageLookupByLibrary.simpleMessage("セッション切れ"), - "sessionIdMismatch": - MessageLookupByLibrary.simpleMessage("セッションIDが一致しません"), - "setAPassword": MessageLookupByLibrary.simpleMessage("パスワードを設定"), - "setAs": MessageLookupByLibrary.simpleMessage("設定:"), - "setCover": MessageLookupByLibrary.simpleMessage("カバー画像をセット"), - "setLabel": MessageLookupByLibrary.simpleMessage("セット"), - "setNewPassword": MessageLookupByLibrary.simpleMessage("新しいパスワードを設定"), - "setNewPin": MessageLookupByLibrary.simpleMessage("新しいPINを設定"), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage("パスワードを決定"), - "setRadius": MessageLookupByLibrary.simpleMessage("半径の設定"), - "setupComplete": MessageLookupByLibrary.simpleMessage("セットアップ完了"), - "share": MessageLookupByLibrary.simpleMessage("共有"), - "shareALink": MessageLookupByLibrary.simpleMessage("リンクをシェアする"), - "shareAlbumHint": - MessageLookupByLibrary.simpleMessage("アルバムを開いて右上のシェアボタンをタップ"), - "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage("アルバムを共有"), - "shareLink": MessageLookupByLibrary.simpleMessage("リンクの共有"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": - MessageLookupByLibrary.simpleMessage("選んだ人と共有します"), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Enteをダウンロードして、写真や動画の共有を簡単に!\n\nhttps://ente.io"), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": - MessageLookupByLibrary.simpleMessage("Enteを使っていない人に共有"), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": - MessageLookupByLibrary.simpleMessage("アルバムの共有をしてみましょう"), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "無料プランのユーザーを含む、他のEnteユーザーと共有および共同アルバムを作成します。"), - "sharedByMe": MessageLookupByLibrary.simpleMessage("あなたが共有しました"), - "sharedByYou": MessageLookupByLibrary.simpleMessage("あなたが共有しました"), - "sharedPhotoNotifications": - MessageLookupByLibrary.simpleMessage("新しい共有写真"), - "sharedPhotoNotificationsExplanation": - MessageLookupByLibrary.simpleMessage("誰かが写真を共有アルバムに追加した時に通知を受け取る"), - "sharedWith": m87, - "sharedWithMe": MessageLookupByLibrary.simpleMessage("あなたと共有されたアルバム"), - "sharedWithYou": MessageLookupByLibrary.simpleMessage("あなたと共有されています"), - "sharing": MessageLookupByLibrary.simpleMessage("共有中..."), - "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage("日付と時間のシフト"), - "showMemories": MessageLookupByLibrary.simpleMessage("思い出を表示"), - "showPerson": MessageLookupByLibrary.simpleMessage("人物を表示"), - "signOutFromOtherDevices": - MessageLookupByLibrary.simpleMessage("他のデバイスからサインアウトする"), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "他の誰かがあなたのパスワードを知っている可能性があると判断した場合は、あなたのアカウントを使用している他のすべてのデバイスから強制的にサインアウトできます。"), - "signOutOtherDevices": - MessageLookupByLibrary.simpleMessage("他のデバイスからサインアウトする"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "利用規約プライバシーポリシーに同意します"), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": - MessageLookupByLibrary.simpleMessage("全てのアルバムから削除されます。"), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("スキップ"), - "social": MessageLookupByLibrary.simpleMessage("SNS"), - "someItemsAreInBothEnteAndYourDevice": - MessageLookupByLibrary.simpleMessage( - "いくつかの項目は、Enteとお使いのデバイス上の両方にあります。"), - "someOfTheFilesYouAreTryingToDeleteAre": - MessageLookupByLibrary.simpleMessage( - "削除しようとしているファイルのいくつかは、お使いのデバイス上にのみあり、削除した場合は復元できません"), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "アルバムを共有している人はデバイス上で同じIDを見るはずです。"), - "somethingWentWrong": - MessageLookupByLibrary.simpleMessage("エラーが発生しました"), - "somethingWentWrongPleaseTryAgain": - MessageLookupByLibrary.simpleMessage("問題が起きてしまいました、もう一度試してください"), - "sorry": MessageLookupByLibrary.simpleMessage("すみません"), - "sorryCouldNotAddToFavorites": - MessageLookupByLibrary.simpleMessage("お気に入りに追加できませんでした。"), - "sorryCouldNotRemoveFromFavorites": - MessageLookupByLibrary.simpleMessage("お気に入りから削除できませんでした"), - "sorryTheCodeYouveEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage("入力されたコードは正しくありません"), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "このデバイスでは安全な鍵を生成することができませんでした。\n\n他のデバイスからサインアップを試みてください。"), - "sort": MessageLookupByLibrary.simpleMessage("並び替え"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("並び替え"), - "sortNewestFirst": MessageLookupByLibrary.simpleMessage("新しい順"), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage("古い順"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("成功✨"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": - MessageLookupByLibrary.simpleMessage("あなた自身にスポットライト!"), - "startAccountRecoveryTitle": - MessageLookupByLibrary.simpleMessage("リカバリを開始"), - "startBackup": MessageLookupByLibrary.simpleMessage("バックアップを開始"), - "status": MessageLookupByLibrary.simpleMessage("ステータス"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage("キャストを停止しますか?"), - "stopCastingTitle": MessageLookupByLibrary.simpleMessage("キャストを停止"), - "storage": MessageLookupByLibrary.simpleMessage("ストレージ"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("ファミリー"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("あなた"), - "storageInGB": m93, - "storageLimitExceeded": - MessageLookupByLibrary.simpleMessage("ストレージの上限を超えました"), - "storageUsageInfo": m94, - "streamDetails": MessageLookupByLibrary.simpleMessage("動画の詳細"), - "strongStrength": MessageLookupByLibrary.simpleMessage("強いパスワード"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("サブスクライブ"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "共有を有効にするには、有料サブスクリプションが必要です。"), - "subscription": MessageLookupByLibrary.simpleMessage("サブスクリプション"), - "success": MessageLookupByLibrary.simpleMessage("成功"), - "successfullyArchived": - MessageLookupByLibrary.simpleMessage("アーカイブしました"), - "successfullyHid": MessageLookupByLibrary.simpleMessage("非表示にしました"), - "successfullyUnarchived": - MessageLookupByLibrary.simpleMessage("アーカイブを解除しました"), - "successfullyUnhid": MessageLookupByLibrary.simpleMessage("非表示を解除しました"), - "suggestFeatures": MessageLookupByLibrary.simpleMessage("機能を提案"), - "sunrise": MessageLookupByLibrary.simpleMessage("水平線"), - "support": MessageLookupByLibrary.simpleMessage("サポート"), - "syncProgress": m97, - "syncStopped": MessageLookupByLibrary.simpleMessage("同期が停止しました"), - "syncing": MessageLookupByLibrary.simpleMessage("同期中..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("システム"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("タップしてコピー"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage("タップしてコードを入力"), - "tapToUnlock": MessageLookupByLibrary.simpleMessage("タップして解除"), - "tapToUpload": MessageLookupByLibrary.simpleMessage("タップしてアップロード"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "問題が発生したようです。しばらくしてから再試行してください。エラーが解決しない場合は、サポートチームにお問い合わせください。"), - "terminate": MessageLookupByLibrary.simpleMessage("終了させる"), - "terminateSession": MessageLookupByLibrary.simpleMessage("セッションを終了"), - "terms": MessageLookupByLibrary.simpleMessage("規約"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("規約"), - "thankYou": MessageLookupByLibrary.simpleMessage("ありがとうございます"), - "thankYouForSubscribing": - MessageLookupByLibrary.simpleMessage("ありがとうございます!"), - "theDownloadCouldNotBeCompleted": - MessageLookupByLibrary.simpleMessage("ダウンロードを完了できませんでした"), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage("アクセスしようとしているリンクの期限が切れています。"), - "theRecoveryKeyYouEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage("入力したリカバリーキーが間違っています"), - "theme": MessageLookupByLibrary.simpleMessage("テーマ"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage("これらの項目はデバイスから削除されます。"), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": - MessageLookupByLibrary.simpleMessage("全てのアルバムから削除されます。"), - "thisActionCannotBeUndone": - MessageLookupByLibrary.simpleMessage("この操作は元に戻せません"), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "このアルバムはすでにコラボレーションリンクが生成されています"), - "thisCanBeUsedToRecoverYourAccountIfYou": - MessageLookupByLibrary.simpleMessage( - "2段階認証を失った場合、アカウントを回復するために使用できます。"), - "thisDevice": MessageLookupByLibrary.simpleMessage("このデバイス"), - "thisEmailIsAlreadyInUse": - MessageLookupByLibrary.simpleMessage("このメールアドレスはすでに使用されています。"), - "thisImageHasNoExifData": - MessageLookupByLibrary.simpleMessage("この画像にEXIFデータはありません"), - "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("これは私です"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": - MessageLookupByLibrary.simpleMessage("これはあなたの認証IDです"), - "thisWeekThroughTheYears": - MessageLookupByLibrary.simpleMessage("毎年のこの週"), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage("以下のデバイスからログアウトします:"), - "thisWillLogYouOutOfThisDevice": - MessageLookupByLibrary.simpleMessage("ログアウトします"), - "thisWillMakeTheDateAndTimeOfAllSelected": - MessageLookupByLibrary.simpleMessage("選択したすべての写真の日付と時刻が同じになります。"), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "選択したすべてのクイックリンクの公開リンクを削除します。"), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "アプリのロックを有効にするには、システム設定でデバイスのパスコードまたは画面ロックを設定してください。"), - "toHideAPhotoOrVideo": - MessageLookupByLibrary.simpleMessage("写真や動画を非表示にする"), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "パスワードのリセットをするには、まずEメールを確認してください"), - "todaysLogs": MessageLookupByLibrary.simpleMessage("今日のログ"), - "tooManyIncorrectAttempts": - MessageLookupByLibrary.simpleMessage("間違った回数が多すぎます"), - "total": MessageLookupByLibrary.simpleMessage("合計"), - "totalSize": MessageLookupByLibrary.simpleMessage("合計サイズ"), - "trash": MessageLookupByLibrary.simpleMessage("ゴミ箱"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("トリミング"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": MessageLookupByLibrary.simpleMessage("信頼する連絡先"), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("もう一度試してください"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "バックアップをオンにすると、このデバイスフォルダに追加されたファイルは自動的にEnteにアップロードされます。"), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": - MessageLookupByLibrary.simpleMessage("年次プランでは2ヶ月無料"), - "twofactor": MessageLookupByLibrary.simpleMessage("二段階認証"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage("二段階認証が無効になりました。"), - "twofactorAuthenticationPageTitle": - MessageLookupByLibrary.simpleMessage("2段階認証"), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage("2段階認証をリセットしました"), - "twofactorSetup": MessageLookupByLibrary.simpleMessage("2段階認証のセットアップ"), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("アーカイブ解除"), - "unarchiveAlbum": MessageLookupByLibrary.simpleMessage("アルバムのアーカイブ解除"), - "unarchiving": MessageLookupByLibrary.simpleMessage("アーカイブを解除中..."), - "unavailableReferralCode": - MessageLookupByLibrary.simpleMessage("このコードは利用できません"), - "uncategorized": MessageLookupByLibrary.simpleMessage("カテゴリなし"), - "unhide": MessageLookupByLibrary.simpleMessage("再表示"), - "unhideToAlbum": MessageLookupByLibrary.simpleMessage("アルバムを再表示する"), - "unhiding": MessageLookupByLibrary.simpleMessage("非表示を解除しています"), - "unhidingFilesToAlbum": - MessageLookupByLibrary.simpleMessage("アルバムにファイルを表示しない"), - "unlock": MessageLookupByLibrary.simpleMessage("ロック解除"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("アルバムのピン留めを解除"), - "unselectAll": MessageLookupByLibrary.simpleMessage("すべての選択を解除"), - "update": MessageLookupByLibrary.simpleMessage("アップデート"), - "updateAvailable": MessageLookupByLibrary.simpleMessage("アップデートがあります"), - "updatingFolderSelection": - MessageLookupByLibrary.simpleMessage("フォルダの選択を更新しています..."), - "upgrade": MessageLookupByLibrary.simpleMessage("アップグレード"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": - MessageLookupByLibrary.simpleMessage("アルバムにファイルをアップロード中"), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": - MessageLookupByLibrary.simpleMessage("1メモリを保存しています..."), - "upto50OffUntil4thDec": - MessageLookupByLibrary.simpleMessage("12月4日まで、最大50%オフ。"), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "使用可能なストレージは現在のプランによって制限されています。プランをアップグレードすると、あなたが手に入れたストレージが自動的に使用可能になります。"), - "useAsCover": MessageLookupByLibrary.simpleMessage("カバー写真として使用"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "この動画の再生に問題がありますか?別のプレイヤーを試すには、ここを長押ししてください。"), - "usePublicLinksForPeopleNotOnEnte": - MessageLookupByLibrary.simpleMessage( - "公開リンクを使用する(Enteを利用しない人と共有できます)"), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage("リカバリーキーを使用"), - "useSelectedPhoto": MessageLookupByLibrary.simpleMessage("選択した写真を使用"), - "usedSpace": MessageLookupByLibrary.simpleMessage("使用済み領域"), - "validTill": m110, - "verificationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage("確認に失敗しました、再試行してください"), - "verificationId": MessageLookupByLibrary.simpleMessage("確認用ID"), - "verify": MessageLookupByLibrary.simpleMessage("確認"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("Eメールの確認"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("確認"), - "verifyPasskey": MessageLookupByLibrary.simpleMessage("パスキーを確認"), - "verifyPassword": MessageLookupByLibrary.simpleMessage("パスワードの確認"), - "verifying": MessageLookupByLibrary.simpleMessage("確認中..."), - "verifyingRecoveryKey": - MessageLookupByLibrary.simpleMessage("リカバリキーを確認中..."), - "videoInfo": MessageLookupByLibrary.simpleMessage("ビデオ情報"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("ビデオ"), - "videos": MessageLookupByLibrary.simpleMessage("ビデオ"), - "viewActiveSessions": - MessageLookupByLibrary.simpleMessage("アクティブなセッションを表示"), - "viewAddOnButton": MessageLookupByLibrary.simpleMessage("アドオンを表示"), - "viewAll": MessageLookupByLibrary.simpleMessage("すべて表示"), - "viewAllExifData": - MessageLookupByLibrary.simpleMessage("全ての EXIF データを表示"), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("大きなファイル"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "最も多くのストレージを消費しているファイルを表示します。"), - "viewLogs": MessageLookupByLibrary.simpleMessage("ログを表示"), - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage("リカバリキーを表示"), - "viewer": MessageLookupByLibrary.simpleMessage("ビューアー"), - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "サブスクリプションを管理するにはweb.ente.ioをご覧ください"), - "waitingForVerification": - MessageLookupByLibrary.simpleMessage("確認を待っています..."), - "waitingForWifi": MessageLookupByLibrary.simpleMessage("WiFi を待っています"), - "warning": MessageLookupByLibrary.simpleMessage("警告"), - "weAreOpenSource": - MessageLookupByLibrary.simpleMessage("私たちはオープンソースです!"), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "あなたが所有していない写真やアルバムの編集はサポートされていません"), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("弱いパスワード"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("おかえりなさい!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("最新情報"), - "whyAddTrustContact": - MessageLookupByLibrary.simpleMessage("信頼する連絡先は、データの復旧が必要な際に役立ちます。"), - "yearShort": MessageLookupByLibrary.simpleMessage("年"), - "yearly": MessageLookupByLibrary.simpleMessage("年額"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("はい"), - "yesCancel": MessageLookupByLibrary.simpleMessage("キャンセル"), - "yesConvertToViewer": - MessageLookupByLibrary.simpleMessage("ビューアーに変換する"), - "yesDelete": MessageLookupByLibrary.simpleMessage("はい、削除"), - "yesDiscardChanges": - MessageLookupByLibrary.simpleMessage("はい、変更を破棄します。"), - "yesLogout": MessageLookupByLibrary.simpleMessage("はい、ログアウトします"), - "yesRemove": MessageLookupByLibrary.simpleMessage("削除"), - "yesRenew": MessageLookupByLibrary.simpleMessage("はい、更新する"), - "yesResetPerson": MessageLookupByLibrary.simpleMessage("リセット"), - "you": MessageLookupByLibrary.simpleMessage("あなた"), - "youAndThem": m117, - "youAreOnAFamilyPlan": - MessageLookupByLibrary.simpleMessage("ファミリープランに入会しています!"), - "youAreOnTheLatestVersion": - MessageLookupByLibrary.simpleMessage("あなたは最新バージョンを使用しています"), - "youCanAtMaxDoubleYourStorage": - MessageLookupByLibrary.simpleMessage("* 最大2倍のストレージまで"), - "youCanManageYourLinksInTheShareTab": - MessageLookupByLibrary.simpleMessage("作ったリンクは共有タブで管理できます"), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage("別の単語を検索してみてください。"), - "youCannotDowngradeToThisPlan": - MessageLookupByLibrary.simpleMessage("このプランにダウングレードはできません"), - "youCannotShareWithYourself": - MessageLookupByLibrary.simpleMessage("自分自身と共有することはできません"), - "youDontHaveAnyArchivedItems": - MessageLookupByLibrary.simpleMessage("アーカイブした項目はありません"), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": - MessageLookupByLibrary.simpleMessage("アカウントは削除されました"), - "yourMap": MessageLookupByLibrary.simpleMessage("あなたの地図"), - "yourPlanWasSuccessfullyDowngraded": - MessageLookupByLibrary.simpleMessage("プランはダウングレードされました"), - "yourPlanWasSuccessfullyUpgraded": - MessageLookupByLibrary.simpleMessage("プランはアップグレードされました"), - "yourPurchaseWasSuccessful": - MessageLookupByLibrary.simpleMessage("決済に成功しました"), - "yourStorageDetailsCouldNotBeFetched": - MessageLookupByLibrary.simpleMessage("ストレージの詳細を取得できませんでした"), - "yourSubscriptionHasExpired": - MessageLookupByLibrary.simpleMessage("サブスクリプションの有効期限が終了しました"), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage("サブスクリプションが更新されました"), - "yourVerificationCodeHasExpired": - MessageLookupByLibrary.simpleMessage("確認用コードが失効しました"), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage("削除できる同一ファイルはありません"), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage("このアルバムには消すファイルがありません"), - "zoomOutToSeePhotos": - MessageLookupByLibrary.simpleMessage("ズームアウトして写真を表示") - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Enteの新しいバージョンが利用可能です。", + ), + "about": MessageLookupByLibrary.simpleMessage("このアプリについて"), + "acceptTrustInvite": MessageLookupByLibrary.simpleMessage("招待を受け入れる"), + "account": MessageLookupByLibrary.simpleMessage("アカウント"), + "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( + "アカウントが既に設定されています", + ), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage("おかえりなさい!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "もしパスワードを忘れたら、自身のデータを失うことを理解しました", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage("アクティブなセッション"), + "add": MessageLookupByLibrary.simpleMessage("追加"), + "addAName": MessageLookupByLibrary.simpleMessage("名前を追加"), + "addANewEmail": MessageLookupByLibrary.simpleMessage("新しいEメールアドレスを追加"), + "addCollaborator": MessageLookupByLibrary.simpleMessage("コラボレーターを追加"), + "addFiles": MessageLookupByLibrary.simpleMessage("ファイルを追加"), + "addFromDevice": MessageLookupByLibrary.simpleMessage("デバイスから追加"), + "addLocation": MessageLookupByLibrary.simpleMessage("位置情報を追加"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("追加"), + "addMore": MessageLookupByLibrary.simpleMessage("さらに追加"), + "addName": MessageLookupByLibrary.simpleMessage("名前を追加"), + "addNameOrMerge": MessageLookupByLibrary.simpleMessage( + "名前をつける、あるいは既存の人物にまとめる", + ), + "addNew": MessageLookupByLibrary.simpleMessage("新規追加"), + "addNewPerson": MessageLookupByLibrary.simpleMessage("新しい人物を追加"), + "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage("アドオンの詳細"), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("アドオン"), + "addPhotos": MessageLookupByLibrary.simpleMessage("写真を追加"), + "addSelected": MessageLookupByLibrary.simpleMessage("選んだものをアルバムに追加"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("アルバムに追加"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Enteに追加"), + "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage("非表示アルバムに追加"), + "addTrustedContact": MessageLookupByLibrary.simpleMessage("信頼する連絡先を追加"), + "addViewer": MessageLookupByLibrary.simpleMessage("ビューアーを追加"), + "addYourPhotosNow": MessageLookupByLibrary.simpleMessage("写真を今すぐ追加する"), + "addedAs": MessageLookupByLibrary.simpleMessage("追加:"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": MessageLookupByLibrary.simpleMessage( + "お気に入りに追加しています...", + ), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("詳細"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("高度な設定"), + "after1Day": MessageLookupByLibrary.simpleMessage("1日後"), + "after1Hour": MessageLookupByLibrary.simpleMessage("1時間後"), + "after1Month": MessageLookupByLibrary.simpleMessage("1ヶ月後"), + "after1Week": MessageLookupByLibrary.simpleMessage("1週間後"), + "after1Year": MessageLookupByLibrary.simpleMessage("1年後"), + "albumOwner": MessageLookupByLibrary.simpleMessage("所有者"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("アルバムタイトル"), + "albumUpdated": MessageLookupByLibrary.simpleMessage("アルバムが更新されました"), + "albums": MessageLookupByLibrary.simpleMessage("アルバム"), + "allClear": MessageLookupByLibrary.simpleMessage("✨ オールクリア"), + "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( + "すべての思い出が保存されました", + ), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "この人のグループ化がリセットされ、この人かもしれない写真への提案もなくなります", + ), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "これはグループ内の最初のものです。他の選択した写真は、この新しい日付に基づいて自動的にシフトされます", + ), + "allow": MessageLookupByLibrary.simpleMessage("許可"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "リンクを持つ人が共有アルバムに写真を追加できるようにします。", + ), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage("写真の追加を許可"), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "共有アルバムリンクを開くことをアプリに許可する", + ), + "allowDownloads": MessageLookupByLibrary.simpleMessage("ダウンロードを許可"), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "写真の追加をメンバーに許可する", + ), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Enteがライブラリを表示およびバックアップできるように、端末の設定から写真へのアクセスを許可してください。", + ), + "allowPermTitle": MessageLookupByLibrary.simpleMessage("写真へのアクセスを許可"), + "androidBiometricHint": MessageLookupByLibrary.simpleMessage("本人確認を行う"), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "認識できません。再試行してください。", + ), + "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( + "生体認証が必要です", + ), + "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("成功"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("キャンセル"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage("デバイスの認証情報が必要です"), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage("デバイスの認証情報が必要です"), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "生体認証がデバイスで設定されていません。生体認証を追加するには、\"設定 > セキュリティ\"を開いてください。", + ), + "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( + "Android、iOS、Web、Desktop", + ), + "androidSignInTitle": MessageLookupByLibrary.simpleMessage("認証が必要です"), + "appIcon": MessageLookupByLibrary.simpleMessage("アプリアイコン"), + "appLock": MessageLookupByLibrary.simpleMessage("アプリのロック"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "デバイスのデフォルトのロック画面と、カスタムロック画面のどちらを利用しますか?", + ), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), + "apply": MessageLookupByLibrary.simpleMessage("適用"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("コードを適用"), + "appstoreSubscription": MessageLookupByLibrary.simpleMessage( + "AppStore サブスクリプション", + ), + "archive": MessageLookupByLibrary.simpleMessage("アーカイブ"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("アルバムをアーカイブ"), + "archiving": MessageLookupByLibrary.simpleMessage("アーカイブ中です"), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage("本当にファミリープランを退会しますか?"), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "キャンセルしてもよろしいですか?", + ), + "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( + "プランを変更して良いですか?", + ), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "本当に中止してよろしいですか?", + ), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "本当にログアウトしてよろしいですか?", + ), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "更新してもよろしいですか?", + ), + "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( + "この人を忘れてもよろしいですね?", + ), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "サブスクリプションはキャンセルされました。理由を教えていただけますか?", + ), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "アカウントを削除する理由を教えて下さい", + ), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "あなたの愛する人にシェアしてもらうように頼んでください", + ), + "atAFalloutShelter": MessageLookupByLibrary.simpleMessage("核シェルターで"), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage("メール確認を変更するには認証してください"), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "画面のロックの設定を変更するためには認証が必要です", + ), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "メールアドレスを変更するには認証してください", + ), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "メールアドレスを変更するには認証してください", + ), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage("2段階認証を設定するには認証してください"), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "アカウントの削除をするためには認証が必要です", + ), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "信頼する連絡先を管理するために認証してください", + ), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "パスキーを表示するには認証してください", + ), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "削除したファイルを閲覧するには認証が必要です", + ), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "アクティブなセッションを表示するためには認証が必要です", + ), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "隠しファイルを表示するには認証してください", + ), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "思い出を閲覧するためには認証が必要です", + ), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "リカバリーキーを表示するためには認証が必要です", + ), + "authenticating": MessageLookupByLibrary.simpleMessage("認証中..."), + "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "認証が間違っています。もう一度お試しください", + ), + "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( + "認証に成功しました!", + ), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "利用可能なキャストデバイスが表示されます。", + ), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "ローカルネットワークへのアクセス許可がEnte Photosアプリに与えられているか確認してください", + ), + "autoLock": MessageLookupByLibrary.simpleMessage("自動ロック"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "アプリがバックグラウンドでロックするまでの時間", + ), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "技術的な不具合により、ログアウトしました。ご不便をおかけして申し訳ございません。", + ), + "autoPair": MessageLookupByLibrary.simpleMessage("オートペアリング"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "自動ペアリングは Chromecast に対応しているデバイスでのみ動作します。", + ), + "available": MessageLookupByLibrary.simpleMessage("ご利用可能"), + "availableStorageSpace": m10, + "backedUpFolders": MessageLookupByLibrary.simpleMessage("バックアップされたフォルダ"), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("バックアップ"), + "backupFailed": MessageLookupByLibrary.simpleMessage("バックアップ失敗"), + "backupFile": MessageLookupByLibrary.simpleMessage("バックアップファイル"), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "モバイルデータを使ってバックアップ", + ), + "backupSettings": MessageLookupByLibrary.simpleMessage("バックアップ設定"), + "backupStatus": MessageLookupByLibrary.simpleMessage("バックアップの状態"), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "バックアップされたアイテムがここに表示されます", + ), + "backupVideos": MessageLookupByLibrary.simpleMessage("動画をバックアップ"), + "beach": MessageLookupByLibrary.simpleMessage("砂浜と海"), + "birthday": MessageLookupByLibrary.simpleMessage("誕生日"), + "blackFridaySale": MessageLookupByLibrary.simpleMessage("ブラックフライデーセール"), + "blog": MessageLookupByLibrary.simpleMessage("ブログ"), + "cachedData": MessageLookupByLibrary.simpleMessage("キャッシュデータ"), + "calculating": MessageLookupByLibrary.simpleMessage("計算中..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "申し訳ありません。このアルバムをアプリで開くことができませんでした。", + ), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage("このアルバムは開けません"), + "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( + "他の人が作ったアルバムにはアップロードできません", + ), + "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "あなたが所有するファイルのみリンクを作成できます", + ), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "あなたが所有しているファイルのみを削除できます", + ), + "cancel": MessageLookupByLibrary.simpleMessage("キャンセル"), + "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage("リカバリをキャンセル"), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "リカバリをキャンセルしてもよろしいですか?", + ), + "cancelOtherSubscription": m12, + "cancelSubscription": MessageLookupByLibrary.simpleMessage( + "サブスクリプションをキャンセル", + ), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "共有ファイルは削除できません", + ), + "castAlbum": MessageLookupByLibrary.simpleMessage("アルバムをキャスト"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "TVと同じネットワーク上にいることを確認してください。", + ), + "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( + "アルバムのキャストに失敗しました", + ), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "ペアリングしたいデバイスでcast.ente.ioにアクセスしてください。\n\nテレビでアルバムを再生するには以下のコードを入力してください。", + ), + "centerPoint": MessageLookupByLibrary.simpleMessage("中心点"), + "change": MessageLookupByLibrary.simpleMessage("変更"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Eメールを変更"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "選択したアイテムの位置を変更しますか?", + ), + "changePassword": MessageLookupByLibrary.simpleMessage("パスワードを変更"), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage("パスワードを変更"), + "changePermissions": MessageLookupByLibrary.simpleMessage("権限を変更する"), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "自分自身の紹介コードを変更する", + ), + "checkForUpdates": MessageLookupByLibrary.simpleMessage("アップデートを確認"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "メールボックスを確認してEメールの所有を証明してください(見つからない場合は、スパムの中も確認してください)", + ), + "checkStatus": MessageLookupByLibrary.simpleMessage("ステータスの確認"), + "checking": MessageLookupByLibrary.simpleMessage("確認中…"), + "checkingModels": MessageLookupByLibrary.simpleMessage("モデルを確認しています..."), + "city": MessageLookupByLibrary.simpleMessage("市街"), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage("無料のストレージを受け取る"), + "claimMore": MessageLookupByLibrary.simpleMessage("もっと!"), + "claimed": MessageLookupByLibrary.simpleMessage("受け取り済"), + "claimedStorageSoFar": m14, + "cleanUncategorized": MessageLookupByLibrary.simpleMessage("未分類のクリーンアップ"), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "他のアルバムに存在する「未分類」からすべてのファイルを削除", + ), + "clearCaches": MessageLookupByLibrary.simpleMessage("キャッシュをクリア"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("行った処理をクリアする"), + "click": MessageLookupByLibrary.simpleMessage("• クリック"), + "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( + "• 三点ドットをクリックしてください", + ), + "close": MessageLookupByLibrary.simpleMessage("閉じる"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage("時間ごとにまとめる"), + "clubByFileName": MessageLookupByLibrary.simpleMessage("ファイル名ごとにまとめる"), + "clusteringProgress": MessageLookupByLibrary.simpleMessage("クラスタリングの進行状況"), + "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( + "コードが適用されました。", + ), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "コード変更の回数上限に達しました。", + ), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "コードがクリップボードにコピーされました", + ), + "codeUsedByYou": MessageLookupByLibrary.simpleMessage("あなたが使用したコード"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Enteアプリやアカウントを持っていない人にも、共有アルバムに写真を追加したり表示したりできるリンクを作成します。", + ), + "collaborativeLink": MessageLookupByLibrary.simpleMessage("共同作業リンク"), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("コラボレーター"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage("コラボレーターは共有アルバムに写真やビデオを追加できます。"), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("レイアウト"), + "collageSaved": MessageLookupByLibrary.simpleMessage("コラージュをギャラリーに保存しました"), + "collect": MessageLookupByLibrary.simpleMessage("集める"), + "collectEventPhotos": MessageLookupByLibrary.simpleMessage("イベントの写真を集めよう"), + "collectPhotos": MessageLookupByLibrary.simpleMessage("写真を集めよう"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "友達が写真をアップロードできるリンクを作成できます", + ), + "color": MessageLookupByLibrary.simpleMessage("色"), + "configuration": MessageLookupByLibrary.simpleMessage("設定"), + "confirm": MessageLookupByLibrary.simpleMessage("確認"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "2 要素認証を無効にしてよろしいですか。", + ), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "アカウント削除の確認", + ), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "はい、アカウントとすべてのアプリのデータを削除します", + ), + "confirmPassword": MessageLookupByLibrary.simpleMessage("パスワードを確認"), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage("プランの変更を確認"), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage("リカバリーキーを確認"), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "リカバリーキーを確認", + ), + "connectToDevice": MessageLookupByLibrary.simpleMessage("デバイスに接続"), + "contactFamilyAdmin": m18, + "contactSupport": MessageLookupByLibrary.simpleMessage("お問い合わせ"), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("連絡先"), + "contents": MessageLookupByLibrary.simpleMessage("内容"), + "continueLabel": MessageLookupByLibrary.simpleMessage("つづける"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage("無料トライアルで続ける"), + "convertToAlbum": MessageLookupByLibrary.simpleMessage("アルバムに変換"), + "copyEmailAddress": MessageLookupByLibrary.simpleMessage("メールアドレスをコピー"), + "copyLink": MessageLookupByLibrary.simpleMessage("リンクをコピー"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage("認証アプリにこのコードをコピペしてください"), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "データをバックアップできませんでした。\n後で再試行します。", + ), + "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( + "スペースを解放できませんでした", + ), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "サブスクリプションを更新できませんでした", + ), + "count": MessageLookupByLibrary.simpleMessage("カウント"), + "crashReporting": MessageLookupByLibrary.simpleMessage("クラッシュを報告"), + "create": MessageLookupByLibrary.simpleMessage("作成"), + "createAccount": MessageLookupByLibrary.simpleMessage("アカウント作成"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "長押しで写真を選択し、+をクリックしてアルバムを作成します", + ), + "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( + "共同作業用リンクを作成", + ), + "createCollage": MessageLookupByLibrary.simpleMessage("コラージュを作る"), + "createNewAccount": MessageLookupByLibrary.simpleMessage("新規アカウントを作成"), + "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage("アルバムを作成または選択"), + "createPublicLink": MessageLookupByLibrary.simpleMessage("公開リンクを作成"), + "creatingLink": MessageLookupByLibrary.simpleMessage("リンクを作成中..."), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "重要なアップデートがあります", + ), + "crop": MessageLookupByLibrary.simpleMessage("クロップ"), + "currentUsageIs": MessageLookupByLibrary.simpleMessage("現在の使用状況 "), + "currentlyRunning": MessageLookupByLibrary.simpleMessage("現在実行中"), + "custom": MessageLookupByLibrary.simpleMessage("カスタム"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("ダーク"), + "dayToday": MessageLookupByLibrary.simpleMessage("今日"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("昨日"), + "declineTrustInvite": MessageLookupByLibrary.simpleMessage("招待を拒否する"), + "decrypting": MessageLookupByLibrary.simpleMessage("復号しています"), + "decryptingVideo": MessageLookupByLibrary.simpleMessage("ビデオの復号化中..."), + "deduplicateFiles": MessageLookupByLibrary.simpleMessage("重複ファイル"), + "delete": MessageLookupByLibrary.simpleMessage("削除"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("アカウントを削除"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "今までご利用ありがとうございました。改善点があれば、フィードバックをお寄せください", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "アカウントの削除", + ), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("アルバムの削除"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "このアルバムに含まれている写真 (およびビデオ) を すべて 他のアルバムからも削除しますか?", + ), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "空のアルバムはすべて削除されます。", + ), + "deleteAll": MessageLookupByLibrary.simpleMessage("全て削除"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "このアカウントは他のEnteアプリも使用している場合はそれらにも紐づけされています。\nすべてのEnteアプリでアップロードされたデータは削除され、アカウントは完全に削除されます。", + ), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "account-deletion@ente.ioにあなたの登録したメールアドレスからメールを送信してください", + ), + "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage("空のアルバムを削除"), + "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( + "空のアルバムを削除しますか?", + ), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage("両方から削除"), + "deleteFromDevice": MessageLookupByLibrary.simpleMessage("デバイスから削除"), + "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Enteから削除"), + "deleteItemCount": m21, + "deleteLocation": MessageLookupByLibrary.simpleMessage("位置情報を削除"), + "deletePhotos": MessageLookupByLibrary.simpleMessage("写真を削除"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage("いちばん必要な機能がない"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "アプリや特定の機能が想定通りに動かない", + ), + "deleteReason3": MessageLookupByLibrary.simpleMessage("より良いサービスを見つけた"), + "deleteReason4": MessageLookupByLibrary.simpleMessage("該当する理由がない"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "リクエストは72時間以内に処理されます", + ), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage("共有アルバムを削除しますか?"), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "このアルバムは他の人からも削除されます\n\n他の人が共有してくれた写真も、あなたからは見れなくなります", + ), + "deselectAll": MessageLookupByLibrary.simpleMessage("選択解除"), + "designedToOutlive": MessageLookupByLibrary.simpleMessage("生き延びるためのデザイン"), + "details": MessageLookupByLibrary.simpleMessage("詳細"), + "developerSettings": MessageLookupByLibrary.simpleMessage("開発者向け設定"), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "開発者向け設定を変更してもよろしいですか?", + ), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage("コードを入力する"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "このデバイス上アルバムに追加されたファイルは自動的にEnteにアップロードされます。", + ), + "deviceLock": MessageLookupByLibrary.simpleMessage("デバイスロック"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "進行中のバックアップがある場合、デバイスがスリープしないようにします。\n\n※容量の大きいアップロードがある際にご活用ください。", + ), + "deviceNotFound": MessageLookupByLibrary.simpleMessage("デバイスが見つかりません"), + "didYouKnow": MessageLookupByLibrary.simpleMessage("ご存知ですか?"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage("自動ロックを無効にする"), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "ビューアーはスクリーンショットを撮ったり、外部ツールを使用して写真のコピーを保存したりすることができます", + ), + "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( + "ご注意ください", + ), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage("2段階認証を無効にする"), + "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( + "2要素認証を無効にしています...", + ), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("新たな発見"), + "discover_babies": MessageLookupByLibrary.simpleMessage("赤ちゃん"), + "discover_celebrations": MessageLookupByLibrary.simpleMessage("お祝い"), + "discover_food": MessageLookupByLibrary.simpleMessage("食べ物"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("自然"), + "discover_hills": MessageLookupByLibrary.simpleMessage("丘"), + "discover_identity": MessageLookupByLibrary.simpleMessage("身分証"), + "discover_memes": MessageLookupByLibrary.simpleMessage("ミーム"), + "discover_notes": MessageLookupByLibrary.simpleMessage("メモ"), + "discover_pets": MessageLookupByLibrary.simpleMessage("ペット"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("レシート"), + "discover_screenshots": MessageLookupByLibrary.simpleMessage("スクリーンショット"), + "discover_selfies": MessageLookupByLibrary.simpleMessage("セルフィー"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("夕焼け"), + "discover_visiting_cards": MessageLookupByLibrary.simpleMessage("訪問カード"), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage("壁紙"), + "dismiss": MessageLookupByLibrary.simpleMessage("閉じる"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage("サインアウトしない"), + "doThisLater": MessageLookupByLibrary.simpleMessage("あとで行う"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage("編集を破棄しますか?"), + "done": MessageLookupByLibrary.simpleMessage("完了"), + "dontSave": MessageLookupByLibrary.simpleMessage("保存しない"), + "doubleYourStorage": MessageLookupByLibrary.simpleMessage("ストレージを倍にしよう"), + "download": MessageLookupByLibrary.simpleMessage("ダウンロード"), + "downloadFailed": MessageLookupByLibrary.simpleMessage("ダウンロード失敗"), + "downloading": MessageLookupByLibrary.simpleMessage("ダウンロード中…"), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("編集"), + "editLocation": MessageLookupByLibrary.simpleMessage("位置情報を編集"), + "editLocationTagTitle": MessageLookupByLibrary.simpleMessage("位置情報を編集"), + "editPerson": MessageLookupByLibrary.simpleMessage("人物を編集"), + "editTime": MessageLookupByLibrary.simpleMessage("時刻を編集"), + "editsSaved": MessageLookupByLibrary.simpleMessage("編集が保存されました"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage("位置情報の編集はEnteでのみ表示されます"), + "eligible": MessageLookupByLibrary.simpleMessage("対象となる"), + "email": MessageLookupByLibrary.simpleMessage("Eメール"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "このメールアドレスはすでに登録されています。", + ), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "このメールアドレスはまだ登録されていません。", + ), + "emailVerificationToggle": MessageLookupByLibrary.simpleMessage("メール確認"), + "emailYourLogs": MessageLookupByLibrary.simpleMessage("ログをメールで送信"), + "embracingThem": m32, + "emergencyContacts": MessageLookupByLibrary.simpleMessage("緊急連絡先"), + "empty": MessageLookupByLibrary.simpleMessage("空"), + "emptyTrash": MessageLookupByLibrary.simpleMessage("ゴミ箱を空にしますか?"), + "enable": MessageLookupByLibrary.simpleMessage("有効化"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "Enteは顔認識、マジック検索、その他の高度な検索機能のため、あなたのデバイス上で機械学習をしています", + ), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "マジック検索と顔認識のため、機械学習を有効にする", + ), + "enableMaps": MessageLookupByLibrary.simpleMessage("マップを有効にする"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "世界地図上にあなたの写真を表示します。\n\n地図はOpenStreetMapを利用しており、あなたの写真の位置情報が外部に共有されることはありません。\n\nこの機能は設定から無効にすることができます", + ), + "enabled": MessageLookupByLibrary.simpleMessage("有効"), + "encryptingBackup": MessageLookupByLibrary.simpleMessage("バックアップを暗号化中..."), + "encryption": MessageLookupByLibrary.simpleMessage("暗号化"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage("暗号化の鍵"), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "エンドポイントの更新に成功しました", + ), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "デフォルトで端末間で暗号化されています", + ), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "大切に保管します、Enteにファイルへのアクセスを許可してください", + ), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "写真を大切にバックアップするために許可が必要です", + ), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "Enteはあなたの思い出を保存します。デバイスを紛失しても、オンラインでアクセス可能です", + ), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "あなたの家族もあなたの有料プランに参加することができます。", + ), + "enterAlbumName": MessageLookupByLibrary.simpleMessage("アルバム名を入力"), + "enterCode": MessageLookupByLibrary.simpleMessage("コードを入力"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "もらったコードを入力して、無料のストレージを入手してください", + ), + "enterDateOfBirth": MessageLookupByLibrary.simpleMessage("誕生日(任意)"), + "enterEmail": MessageLookupByLibrary.simpleMessage("Eメールアドレスを入力してください"), + "enterFileName": MessageLookupByLibrary.simpleMessage("ファイル名を入力してください"), + "enterName": MessageLookupByLibrary.simpleMessage("名前を入力"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "あなたのデータを暗号化するための新しいパスワードを入力してください", + ), + "enterPassword": MessageLookupByLibrary.simpleMessage("パスワードを入力"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "あなたのデータを暗号化するためのパスワードを入力してください", + ), + "enterPersonName": MessageLookupByLibrary.simpleMessage("人名を入力してください"), + "enterPin": MessageLookupByLibrary.simpleMessage("PINを入力してください"), + "enterReferralCode": MessageLookupByLibrary.simpleMessage("紹介コードを入力してください"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage("認証アプリに表示された 6 桁のコードを入力してください"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "有効なEメールアドレスを入力してください", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Eメールアドレスを入力", + ), + "enterYourPassword": MessageLookupByLibrary.simpleMessage("パスワードを入力"), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "リカバリーキーを入力してください", + ), + "error": MessageLookupByLibrary.simpleMessage("エラー"), + "everywhere": MessageLookupByLibrary.simpleMessage("どこでも"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": MessageLookupByLibrary.simpleMessage("既存のユーザー"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "このリンクは期限切れです。新たな期限を設定するか、期限設定そのものを無くすか、選択してください", + ), + "exportLogs": MessageLookupByLibrary.simpleMessage("ログのエクスポート"), + "exportYourData": MessageLookupByLibrary.simpleMessage("データをエクスポート"), + "extraPhotosFound": MessageLookupByLibrary.simpleMessage("追加の写真が見つかりました"), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "顔がまだ集まっていません。後で戻ってきてください", + ), + "faceRecognition": MessageLookupByLibrary.simpleMessage("顔認識"), + "faces": MessageLookupByLibrary.simpleMessage("顔"), + "failed": MessageLookupByLibrary.simpleMessage("失敗"), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage("コードを適用できませんでした"), + "failedToCancel": MessageLookupByLibrary.simpleMessage("キャンセルに失敗しました"), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( + "ビデオをダウンロードできませんでした", + ), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "アクティブなセッションの取得に失敗しました", + ), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "編集前の状態の取得に失敗しました", + ), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "紹介の詳細を取得できません。後でもう一度お試しください。", + ), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "アルバムの読み込みに失敗しました", + ), + "failedToPlayVideo": MessageLookupByLibrary.simpleMessage("動画の再生に失敗しました"), + "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( + "サブスクリプションの更新に失敗しました", + ), + "failedToRenew": MessageLookupByLibrary.simpleMessage("更新に失敗しました"), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "支払ステータスの確認に失敗しました", + ), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "5人までの家族をファミリープランに追加しましょう(追加料金無し)\n\n一人ひとりがプライベートなストレージを持ち、共有されない限りお互いに見ることはありません。\n\nファミリープランはEnteサブスクリプションに登録した人が利用できます。\n\nさっそく登録しましょう!", + ), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("ファミリー"), + "familyPlans": MessageLookupByLibrary.simpleMessage("ファミリープラン"), + "faq": MessageLookupByLibrary.simpleMessage("よくある質問"), + "faqs": MessageLookupByLibrary.simpleMessage("よくある質問"), + "favorite": MessageLookupByLibrary.simpleMessage("お気に入り"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("フィードバック"), + "file": MessageLookupByLibrary.simpleMessage("ファイル"), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "ギャラリーへの保存に失敗しました", + ), + "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage("説明を追加..."), + "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( + "ファイルがまだアップロードされていません", + ), + "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( + "ファイルをギャラリーに保存しました", + ), + "fileTypes": MessageLookupByLibrary.simpleMessage("ファイルの種類"), + "fileTypesAndNames": MessageLookupByLibrary.simpleMessage("ファイルの種類と名前"), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage("削除されたファイル"), + "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( + "写真をダウンロードしました", + ), + "findPeopleByName": MessageLookupByLibrary.simpleMessage("名前で人を探す"), + "findThemQuickly": MessageLookupByLibrary.simpleMessage("すばやく見つける"), + "flip": MessageLookupByLibrary.simpleMessage("反転"), + "food": MessageLookupByLibrary.simpleMessage("料理を楽しむ"), + "forYourMemories": MessageLookupByLibrary.simpleMessage("思い出の為に"), + "forgotPassword": MessageLookupByLibrary.simpleMessage("パスワードを忘れた"), + "foundFaces": MessageLookupByLibrary.simpleMessage("見つかった顔"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage("空き容量を受け取る"), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "無料のストレージが利用可能です", + ), + "freeTrial": MessageLookupByLibrary.simpleMessage("無料トライアル"), + "freeTrialValidTill": m38, + "freeUpAmount": m40, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage("デバイスの空き領域を解放する"), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "すでにバックアップされているファイルを消去して、デバイスの容量を空けます。", + ), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("スペースを解放する"), + "gallery": MessageLookupByLibrary.simpleMessage("ギャラリー"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "ギャラリーに表示されるメモリは最大1000個までです", + ), + "general": MessageLookupByLibrary.simpleMessage("設定"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "暗号化鍵を生成しています", + ), + "genericProgress": m42, + "goToSettings": MessageLookupByLibrary.simpleMessage("設定に移動"), + "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "設定アプリで、すべての写真へのアクセスを許可してください", + ), + "grantPermission": MessageLookupByLibrary.simpleMessage("許可する"), + "greenery": MessageLookupByLibrary.simpleMessage("緑の生活"), + "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage("近くの写真をグループ化"), + "guestView": MessageLookupByLibrary.simpleMessage("ゲストビュー"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "アプリのロックを有効にするには、システム設定でデバイスのパスコードまたは画面ロックを設定してください。", + ), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "私たちはアプリのインストールを追跡していませんが、もしよければ、Enteをお知りになった場所を教えてください!", + ), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Ente についてどのようにお聞きになりましたか?(任意)", + ), + "help": MessageLookupByLibrary.simpleMessage("ヘルプ"), + "hidden": MessageLookupByLibrary.simpleMessage("非表示"), + "hide": MessageLookupByLibrary.simpleMessage("非表示"), + "hideContent": MessageLookupByLibrary.simpleMessage("内容を非表示"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "アプリ画面を非表示にし、スクリーンショットを無効にします", + ), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "アプリ切り替え時に、アプリの画面を非表示にします", + ), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "ホームギャラリーから共有された写真等を非表示", + ), + "hiding": MessageLookupByLibrary.simpleMessage("非表示にしています"), + "hikingWithThem": m43, + "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage("OSM Franceでホスト"), + "howItWorks": MessageLookupByLibrary.simpleMessage("仕組みを知る"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "設定画面でメールアドレスを長押しし、両デバイスのIDが一致していることを確認してください。", + ), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "生体認証がデバイスで設定されていません。Touch ID もしくは Face ID を有効にしてください。", + ), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "生体認証が無効化されています。画面をロック・ロック解除して生体認証を有効化してください。", + ), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("無視する"), + "ignored": MessageLookupByLibrary.simpleMessage("無視された"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "このアルバムの一部のファイルは、以前にEnteから削除されたため、あえてアップロード時に無視されます", + ), + "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage("画像が分析されていません"), + "immediately": MessageLookupByLibrary.simpleMessage("すぐに"), + "importing": MessageLookupByLibrary.simpleMessage("インポート中..."), + "incorrectCode": MessageLookupByLibrary.simpleMessage("誤ったコード"), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( + "パスワードが間違っています", + ), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "リカバリーキーが正しくありません", + ), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "リカバリーキーが間違っています", + ), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "リカバリーキーの誤り", + ), + "indexedItems": MessageLookupByLibrary.simpleMessage("処理済みの項目"), + "ineligible": MessageLookupByLibrary.simpleMessage("対象外"), + "info": MessageLookupByLibrary.simpleMessage("情報"), + "insecureDevice": MessageLookupByLibrary.simpleMessage("安全でないデバイス"), + "installManually": MessageLookupByLibrary.simpleMessage("手動でインストール"), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage("無効なEメールアドレス"), + "invalidEndpoint": MessageLookupByLibrary.simpleMessage("無効なエンドポイントです"), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "入力されたエンドポイントは無効です。有効なエンドポイントを入力して再試行してください。", + ), + "invalidKey": MessageLookupByLibrary.simpleMessage("無効なキー"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "入力されたリカバリーキーが無効です。24 単語が含まれていることを確認し、それぞれのスペルを確認してください。\n\n古い形式のリカバリーコードを入力した場合は、64 文字であることを確認して、それぞれを確認してください。", + ), + "invite": MessageLookupByLibrary.simpleMessage("招待"), + "inviteToEnte": MessageLookupByLibrary.simpleMessage("Enteに招待する"), + "inviteYourFriends": MessageLookupByLibrary.simpleMessage("友達を招待"), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "友達をEnteに招待する", + ), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "問題が発生したようです。しばらくしてから再試行してください。エラーが解決しない場合は、サポートチームにお問い合わせください。", + ), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage("完全に削除されるまでの日数が項目に表示されます"), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "選択したアイテムはこのアルバムから削除されます", + ), + "join": MessageLookupByLibrary.simpleMessage("参加する"), + "joinAlbum": MessageLookupByLibrary.simpleMessage("アルバムに参加"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "アルバムに参加すると、参加者にメールアドレスが公開されます。", + ), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( + "写真を表示したり、追加したりするために", + ), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "これを共有アルバムに追加するために", + ), + "joinDiscord": MessageLookupByLibrary.simpleMessage("Discordに参加"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("写真を残す"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "よければ、情報をお寄せください", + ), + "language": MessageLookupByLibrary.simpleMessage("言語"), + "lastTimeWithThem": m45, + "lastUpdated": MessageLookupByLibrary.simpleMessage("更新された順"), + "lastYearsTrip": MessageLookupByLibrary.simpleMessage("昨年の旅行"), + "leave": MessageLookupByLibrary.simpleMessage("離脱"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("アルバムを抜ける"), + "leaveFamily": MessageLookupByLibrary.simpleMessage("ファミリープランから退会"), + "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( + "共有アルバムを抜けてよいですか?", + ), + "left": MessageLookupByLibrary.simpleMessage("左"), + "legacy": MessageLookupByLibrary.simpleMessage("レガシー"), + "legacyAccounts": MessageLookupByLibrary.simpleMessage("レガシーアカウント"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "レガシーでは、信頼できる連絡先が不在時(あなたが亡くなった時など)にアカウントにアクセスできます。", + ), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "信頼できる連絡先はアカウントの回復を開始することができます。30日以内にあなたが拒否しない場合は、その信頼する人がパスワードをリセットしてあなたのアカウントにアクセスできるようになります。", + ), + "light": MessageLookupByLibrary.simpleMessage("ライト"), + "lightTheme": MessageLookupByLibrary.simpleMessage("ライト"), + "link": MessageLookupByLibrary.simpleMessage("リンク"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "リンクをクリップボードにコピーしました", + ), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("デバイスの制限"), + "linkEmail": MessageLookupByLibrary.simpleMessage("メールアドレスをリンクする"), + "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( + "共有を高速化するために", + ), + "linkEnabled": MessageLookupByLibrary.simpleMessage("有効"), + "linkExpired": MessageLookupByLibrary.simpleMessage("期限切れ"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("リンクの期限切れ"), + "linkHasExpired": MessageLookupByLibrary.simpleMessage("リンクは期限切れです"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("なし"), + "linkPerson": MessageLookupByLibrary.simpleMessage("人を紐づけ"), + "linkPersonCaption": MessageLookupByLibrary.simpleMessage("良い経験を分かち合うために"), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("ライブフォト"), + "loadMessage1": MessageLookupByLibrary.simpleMessage("サブスクリプションを家族と共有できます"), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "私たちはあなたのデータのコピーを3つ保管しています。1つは地下のシェルターにあります。", + ), + "loadMessage4": MessageLookupByLibrary.simpleMessage("すべてのアプリはオープンソースです"), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "当社のソースコードと暗号方式は外部から監査されています", + ), + "loadMessage6": MessageLookupByLibrary.simpleMessage("アルバムへのリンクを共有できます"), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "当社のモバイルアプリはバックグラウンドで実行され、新しい写真を暗号化してバックアップします", + ), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.ioにはアップローダーがあります", + ), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Xchacha20Poly1305を使用してデータを安全に暗号化します。", + ), + "loadingExifData": MessageLookupByLibrary.simpleMessage( + "EXIF データを読み込み中...", + ), + "loadingGallery": MessageLookupByLibrary.simpleMessage("ギャラリーを読み込み中..."), + "loadingMessage": MessageLookupByLibrary.simpleMessage("あなたの写真を読み込み中..."), + "loadingModel": MessageLookupByLibrary.simpleMessage("モデルをダウンロード中"), + "loadingYourPhotos": MessageLookupByLibrary.simpleMessage("写真を読み込んでいます..."), + "localGallery": MessageLookupByLibrary.simpleMessage("デバイス上のギャラリー"), + "localIndexing": MessageLookupByLibrary.simpleMessage("このデバイス上での実行"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "ローカルの写真の同期には予想以上の時間がかかっています。問題が発生したようです。サポートチームまでご連絡ください。", + ), + "location": MessageLookupByLibrary.simpleMessage("場所"), + "locationName": MessageLookupByLibrary.simpleMessage("場所名"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "位置タグは、写真の半径内で撮影されたすべての写真をグループ化します", + ), + "locations": MessageLookupByLibrary.simpleMessage("場所"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("ロック"), + "lockscreen": MessageLookupByLibrary.simpleMessage("画面のロック"), + "logInLabel": MessageLookupByLibrary.simpleMessage("ログイン"), + "loggingOut": MessageLookupByLibrary.simpleMessage("ログアウト中..."), + "loginSessionExpired": MessageLookupByLibrary.simpleMessage("セッション切れ"), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "セッションの有効期限が切れました。再度ログインしてください。", + ), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "「ログイン」をクリックすることで、利用規約プライバシーポリシーに同意します", + ), + "loginWithTOTP": MessageLookupByLibrary.simpleMessage("TOTPでログイン"), + "logout": MessageLookupByLibrary.simpleMessage("ログアウト"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "これにより、問題のデバッグに役立つログが送信されます。 特定のファイルの問題を追跡するために、ファイル名が含まれることに注意してください。", + ), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "表示されているEメールアドレスを長押しして、暗号化を確認します。", + ), + "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( + "アイテムを長押しして全画面表示する", + ), + "loopVideoOff": MessageLookupByLibrary.simpleMessage("ビデオのループをオフ"), + "loopVideoOn": MessageLookupByLibrary.simpleMessage("ビデオのループをオン"), + "lostDevice": MessageLookupByLibrary.simpleMessage("デバイスを紛失しましたか?"), + "machineLearning": MessageLookupByLibrary.simpleMessage("機械学習"), + "magicSearch": MessageLookupByLibrary.simpleMessage("マジックサーチ"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "マジック検索では、「花」、「赤い車」、「本人確認書類」などの写真に写っているもので検索できます。", + ), + "manage": MessageLookupByLibrary.simpleMessage("管理"), + "manageDeviceStorage": MessageLookupByLibrary.simpleMessage("端末のキャッシュを管理"), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "端末上のキャッシュを確認・削除", + ), + "manageFamily": MessageLookupByLibrary.simpleMessage("ファミリーの管理"), + "manageLink": MessageLookupByLibrary.simpleMessage("リンクを管理"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("管理"), + "manageSubscription": MessageLookupByLibrary.simpleMessage("サブスクリプションの管理"), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "PINを使ってペアリングすると、どんなスクリーンで動作します。", + ), + "map": MessageLookupByLibrary.simpleMessage("地図"), + "maps": MessageLookupByLibrary.simpleMessage("地図"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("自分"), + "merchandise": MessageLookupByLibrary.simpleMessage("グッズ"), + "mergeWithExisting": MessageLookupByLibrary.simpleMessage("既存の人物とまとめる"), + "mergedPhotos": MessageLookupByLibrary.simpleMessage("統合された写真"), + "mlConsent": MessageLookupByLibrary.simpleMessage("機械学習を有効にする"), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "機械学習を可能にしたい", + ), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "機械学習を有効にすると、Enteは顔などの情報をファイルから抽出します。\n\nこれはお使いのデバイスで行われ、生成された生体情報は暗号化されます。", + ), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "この機能の詳細については、こちらをクリックしてください。", + ), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage("機械学習を有効にしますか?"), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "すべての項目が処理されるまで、機械学習は帯域幅とバッテリー使用量が高くなりますのでご注意ください。 処理を高速で終わらせたい場合はデスクトップアプリを使用するのがおすすめです。結果は自動的に同期されます。", + ), + "mobileWebDesktop": MessageLookupByLibrary.simpleMessage("モバイル、Web、デスクトップ"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("普通のパスワード"), + "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( + "クエリを変更するか、以下のように検索してみてください", + ), + "moments": MessageLookupByLibrary.simpleMessage("日々の瞬間"), + "month": MessageLookupByLibrary.simpleMessage("月"), + "monthly": MessageLookupByLibrary.simpleMessage("月額"), + "moon": MessageLookupByLibrary.simpleMessage("月明かりの中"), + "moreDetails": MessageLookupByLibrary.simpleMessage("さらに詳細を表示"), + "mostRecent": MessageLookupByLibrary.simpleMessage("新しい順"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("関連度順"), + "mountains": MessageLookupByLibrary.simpleMessage("丘を超えて"), + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "選択した写真を1つの日付に移動", + ), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("アルバムに移動"), + "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage("隠しアルバムに移動"), + "movedSuccessfullyTo": m52, + "movedToTrash": MessageLookupByLibrary.simpleMessage("ごみ箱へ移動"), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage("アルバムにファイルを移動中"), + "name": MessageLookupByLibrary.simpleMessage("名前順"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("アルバムに名前を付けよう"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Enteに接続できませんでした。しばらくしてから再試行してください。エラーが解決しない場合は、サポートにお問い合わせください。", + ), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Enteに接続できませんでした。ネットワーク設定を確認し、エラーが解決しない場合はサポートにお問い合わせください。", + ), + "never": MessageLookupByLibrary.simpleMessage("なし"), + "newAlbum": MessageLookupByLibrary.simpleMessage("新しいアルバム"), + "newLocation": MessageLookupByLibrary.simpleMessage("新しいロケーション"), + "newPerson": MessageLookupByLibrary.simpleMessage("新しい人物"), + "newRange": MessageLookupByLibrary.simpleMessage("範囲を追加"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Enteを初めて使用する"), + "newest": MessageLookupByLibrary.simpleMessage("新しい順"), + "next": MessageLookupByLibrary.simpleMessage("次へ"), + "no": MessageLookupByLibrary.simpleMessage("いいえ"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "あなたが共有したアルバムはまだありません", + ), + "noDeviceFound": MessageLookupByLibrary.simpleMessage("デバイスが見つかりません"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("なし"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "削除できるファイルがありません", + ), + "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ 重複なし"), + "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( + "アカウントがありません!", + ), + "noExifData": MessageLookupByLibrary.simpleMessage("EXIFデータはありません"), + "noFacesFound": MessageLookupByLibrary.simpleMessage("顔が見つかりません"), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "非表示の写真やビデオはありません", + ), + "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( + "位置情報のある画像がありません", + ), + "noInternetConnection": MessageLookupByLibrary.simpleMessage("インターネット接続なし"), + "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( + "現在バックアップされている写真はありません", + ), + "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage("写真が見つかりません"), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( + "クイックリンクが選択されていません", + ), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage("リカバリーキーがないですか?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "あなたのデータはエンドツーエンド暗号化されており、パスワードかリカバリーキーがない場合、データを復号することはできません", + ), + "noResults": MessageLookupByLibrary.simpleMessage("該当なし"), + "noResultsFound": MessageLookupByLibrary.simpleMessage("一致する結果が見つかりませんでした"), + "noSuggestionsForPerson": m53, + "noSystemLockFound": MessageLookupByLibrary.simpleMessage( + "システムロックが見つかりませんでした", + ), + "notPersonLabel": m54, + "notThisPerson": MessageLookupByLibrary.simpleMessage("この人ではありませんか?"), + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "あなたに共有されたものはありません", + ), + "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( + "ここに表示されるものはありません! 👀", + ), + "notifications": MessageLookupByLibrary.simpleMessage("通知"), + "ok": MessageLookupByLibrary.simpleMessage("OK"), + "onDevice": MessageLookupByLibrary.simpleMessage("デバイス上"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "Enteが保管", + ), + "onTheRoad": MessageLookupByLibrary.simpleMessage("再び道で"), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("この人のみ"), + "oops": MessageLookupByLibrary.simpleMessage("Oops"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "編集を保存できませんでした", + ), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage("問題が発生しました"), + "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage("ブラウザでアルバムを開く"), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "このアルバムに写真を追加するには、Webアプリを使用してください", + ), + "openFile": MessageLookupByLibrary.simpleMessage("ファイルを開く"), + "openSettings": MessageLookupByLibrary.simpleMessage("設定を開く"), + "openTheItem": MessageLookupByLibrary.simpleMessage("• アイテムを開く"), + "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( + "OpenStreetMap のコントリビューター", + ), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "省略可能、好きなだけお書きください...", + ), + "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( + "既存のものと統合する", + ), + "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage("または既存のものを選択"), + "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( + "または連絡先から選択", + ), + "pair": MessageLookupByLibrary.simpleMessage("ペアリング"), + "pairWithPin": MessageLookupByLibrary.simpleMessage("PINを使ってペアリングする"), + "pairingComplete": MessageLookupByLibrary.simpleMessage("ペアリング完了"), + "panorama": MessageLookupByLibrary.simpleMessage("パノラマ"), + "partyWithThem": m56, + "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( + "検証はまだ保留中です", + ), + "passkey": MessageLookupByLibrary.simpleMessage("パスキー"), + "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage("パスキーの検証"), + "password": MessageLookupByLibrary.simpleMessage("パスワード"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "パスワードの変更に成功しました", + ), + "passwordLock": MessageLookupByLibrary.simpleMessage("パスワード保護"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "パスワードの長さ、使用される文字の種類を考慮してパスワードの強度は計算されます。", + ), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "このパスワードを忘れると、あなたのデータを復号することは私達にもできません", + ), + "paymentDetails": MessageLookupByLibrary.simpleMessage("お支払い情報"), + "paymentFailed": MessageLookupByLibrary.simpleMessage("支払いに失敗しました"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "残念ながらお支払いに失敗しました。サポートにお問い合わせください。お手伝いします!", + ), + "paymentFailedTalkToProvider": m58, + "pendingItems": MessageLookupByLibrary.simpleMessage("処理待ちの項目"), + "pendingSync": MessageLookupByLibrary.simpleMessage("同期を保留中"), + "people": MessageLookupByLibrary.simpleMessage("人物"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "あなたのコードを使っている人", + ), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "ゴミ箱を空にしました\n\nこの操作はもとに戻せません", + ), + "permanentlyDelete": MessageLookupByLibrary.simpleMessage("完全に削除"), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "デバイスから完全に削除しますか?", + ), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("人名名"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("毛むくじゃらな仲間たち"), + "photoDescriptions": MessageLookupByLibrary.simpleMessage("写真の説明"), + "photoGridSize": MessageLookupByLibrary.simpleMessage("写真のグリッドサイズ"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("写真"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("写真"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage("あなたの追加した写真はこのアルバムから削除されます"), + "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( + "写真はお互いの相対的な時間差を維持します", + ), + "pickCenterPoint": MessageLookupByLibrary.simpleMessage("中心点を選択"), + "pinAlbum": MessageLookupByLibrary.simpleMessage("アルバムをピンする"), + "pinLock": MessageLookupByLibrary.simpleMessage("PINロック"), + "playOnTv": MessageLookupByLibrary.simpleMessage("TVでアルバムを再生"), + "playOriginal": MessageLookupByLibrary.simpleMessage("元動画を再生"), + "playStoreFreeTrialValidTill": m63, + "playStream": MessageLookupByLibrary.simpleMessage("再生"), + "playstoreSubscription": MessageLookupByLibrary.simpleMessage( + "PlayStoreサブスクリプション", + ), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage("インターネット接続を確認して、再試行してください。"), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Support@ente.ioにお問い合わせください、お手伝いいたします。", + ), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage("問題が解決しない場合はサポートにお問い合わせください"), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( + "権限を付与してください", + ), + "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage("もう一度試してください"), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "削除するクイックリンクを選択してください", + ), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("もう一度試してください"), + "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( + "入力したコードを確認してください", + ), + "pleaseWait": MessageLookupByLibrary.simpleMessage("お待ち下さい"), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "お待ちください、アルバムを削除しています", + ), + "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( + "再試行する前にしばらくお待ちください", + ), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "しばらくお待ちください。時間がかかります。", + ), + "posingWithThem": m66, + "preparingLogs": MessageLookupByLibrary.simpleMessage("ログを準備中..."), + "preserveMore": MessageLookupByLibrary.simpleMessage("もっと保存する"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "長押しで動画を再生", + ), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "画像の長押しで動画を再生", + ), + "previous": MessageLookupByLibrary.simpleMessage("前"), + "privacy": MessageLookupByLibrary.simpleMessage("プライバシー"), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage("プライバシーポリシー"), + "privateBackups": MessageLookupByLibrary.simpleMessage("プライベートバックアップ"), + "privateSharing": MessageLookupByLibrary.simpleMessage("プライベート共有"), + "proceed": MessageLookupByLibrary.simpleMessage("続行"), + "processed": MessageLookupByLibrary.simpleMessage("処理完了"), + "processing": MessageLookupByLibrary.simpleMessage("処理中"), + "processingImport": m67, + "processingVideos": MessageLookupByLibrary.simpleMessage("動画を処理中"), + "publicLinkCreated": MessageLookupByLibrary.simpleMessage("公開リンクが作成されました"), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage("公開リンクを有効にしました"), + "queued": MessageLookupByLibrary.simpleMessage("処理待ち"), + "quickLinks": MessageLookupByLibrary.simpleMessage("クイックリンク"), + "radius": MessageLookupByLibrary.simpleMessage("半径"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("サポートを受ける"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("アプリを評価"), + "rateUs": MessageLookupByLibrary.simpleMessage("評価して下さい"), + "rateUsOnStore": m68, + "reassignMe": MessageLookupByLibrary.simpleMessage("\"自分\" を再割り当て"), + "reassignedToName": m69, + "reassigningLoading": MessageLookupByLibrary.simpleMessage("再割り当て中..."), + "recover": MessageLookupByLibrary.simpleMessage("復元"), + "recoverAccount": MessageLookupByLibrary.simpleMessage("アカウントを復元"), + "recoverButton": MessageLookupByLibrary.simpleMessage("復元"), + "recoveryAccount": MessageLookupByLibrary.simpleMessage("アカウントを復元"), + "recoveryInitiated": MessageLookupByLibrary.simpleMessage("リカバリが開始されました"), + "recoveryInitiatedDesc": m70, + "recoveryKey": MessageLookupByLibrary.simpleMessage("リカバリーキー"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "リカバリーキーはクリップボードにコピーされました", + ), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "パスワードを忘れてしまったら、このリカバリーキーがあなたのデータを復元する唯一の方法です。", + ), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "リカバリーキーは私達も保管しません。この24個の単語を安全な場所に保管してください。", + ), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "リカバリーキーは有効です。ご確認いただきありがとうございます。\n\nリカバリーキーは今後も安全にバックアップしておいてください。", + ), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "リカバリキーが確認されました", + ), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "パスワードを忘れた場合、リカバリーキーは写真を復元するための唯一の方法になります。なお、設定 > アカウント でリカバリーキーを確認することができます。\n \n\nここにリカバリーキーを入力して、正しく保存できていることを確認してください。", + ), + "recoveryReady": m71, + "recoverySuccessful": MessageLookupByLibrary.simpleMessage("復元に成功しました!"), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "信頼する連絡先の持ち主があなたのアカウントにアクセスしようとしています", + ), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "このデバイスではパスワードを確認する能力が足りません。\n\n恐れ入りますが、リカバリーキーを入力してパスワードを再生成する必要があります。", + ), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage("パスワードを再生成"), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": MessageLookupByLibrary.simpleMessage("パスワードを再入力してください"), + "reenterPin": MessageLookupByLibrary.simpleMessage("PINを再入力してください"), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "友達に紹介して2倍", + ), + "referralStep1": MessageLookupByLibrary.simpleMessage("1. このコードを友達に贈りましょう"), + "referralStep2": MessageLookupByLibrary.simpleMessage("2. 友達が有料プランに登録"), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("リフェラル"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "リフェラルは現在一時停止しています", + ), + "rejectRecovery": MessageLookupByLibrary.simpleMessage("リカバリを拒否する"), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "また、空き領域を取得するには、「設定」→「ストレージ」から「最近削除した項目」を空にします", + ), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "「ゴミ箱」も空にするとアカウントのストレージが解放されます", + ), + "remoteImages": MessageLookupByLibrary.simpleMessage("デバイス上にない画像"), + "remoteThumbnails": MessageLookupByLibrary.simpleMessage("リモートのサムネイル画像"), + "remoteVideos": MessageLookupByLibrary.simpleMessage("デバイス上にない動画"), + "remove": MessageLookupByLibrary.simpleMessage("削除"), + "removeDuplicates": MessageLookupByLibrary.simpleMessage("重複した項目を削除"), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "完全に重複しているファイルを確認し、削除します。", + ), + "removeFromAlbum": MessageLookupByLibrary.simpleMessage("アルバムから削除"), + "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( + "アルバムから削除しますか?", + ), + "removeFromFavorite": MessageLookupByLibrary.simpleMessage("お気に入りリストから外す"), + "removeInvite": MessageLookupByLibrary.simpleMessage("招待を削除"), + "removeLink": MessageLookupByLibrary.simpleMessage("リンクを削除"), + "removeParticipant": MessageLookupByLibrary.simpleMessage("参加者を削除"), + "removeParticipantBody": m74, + "removePersonLabel": MessageLookupByLibrary.simpleMessage("人名を削除"), + "removePublicLink": MessageLookupByLibrary.simpleMessage("公開リンクを削除"), + "removePublicLinks": MessageLookupByLibrary.simpleMessage("公開リンクを削除"), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "削除したアイテムのいくつかは他の人によって追加されました。あなたはそれらへのアクセスを失います", + ), + "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("削除しますか?"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "あなた自身を信頼できる連絡先から削除", + ), + "removingFromFavorites": MessageLookupByLibrary.simpleMessage( + "お気に入りから削除しています...", + ), + "rename": MessageLookupByLibrary.simpleMessage("名前変更"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("アルバムの名前変更"), + "renameFile": MessageLookupByLibrary.simpleMessage("ファイル名を変更"), + "renewSubscription": MessageLookupByLibrary.simpleMessage("サブスクリプションの更新"), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("バグを報告"), + "reportBug": MessageLookupByLibrary.simpleMessage("バグを報告"), + "resendEmail": MessageLookupByLibrary.simpleMessage("メールを再送信"), + "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( + "アップロード時に無視されるファイルをリセット", + ), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage("パスワードをリセット"), + "resetPerson": MessageLookupByLibrary.simpleMessage("削除"), + "resetToDefault": MessageLookupByLibrary.simpleMessage("初期設定にリセット"), + "restore": MessageLookupByLibrary.simpleMessage("復元"), + "restoreToAlbum": MessageLookupByLibrary.simpleMessage("アルバムに戻す"), + "restoringFiles": MessageLookupByLibrary.simpleMessage("ファイルを復元中..."), + "resumableUploads": MessageLookupByLibrary.simpleMessage("再開可能なアップロード"), + "retry": MessageLookupByLibrary.simpleMessage("リトライ"), + "review": MessageLookupByLibrary.simpleMessage("確認"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "重複だと思うファイルを確認して削除してください", + ), + "reviewSuggestions": MessageLookupByLibrary.simpleMessage("提案を確認"), + "right": MessageLookupByLibrary.simpleMessage("右"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("回転"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("左に回転"), + "rotateRight": MessageLookupByLibrary.simpleMessage("右に回転"), + "safelyStored": MessageLookupByLibrary.simpleMessage("保管されています"), + "save": MessageLookupByLibrary.simpleMessage("保存"), + "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( + "その前に変更を保存しますか?", + ), + "saveCollage": MessageLookupByLibrary.simpleMessage("コラージュを保存"), + "saveCopy": MessageLookupByLibrary.simpleMessage("コピーを保存"), + "saveKey": MessageLookupByLibrary.simpleMessage("キーを保存"), + "savePerson": MessageLookupByLibrary.simpleMessage("人物を保存"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage("リカバリーキーを保存してください"), + "saving": MessageLookupByLibrary.simpleMessage("保存中…"), + "savingEdits": MessageLookupByLibrary.simpleMessage("編集を保存中..."), + "scanCode": MessageLookupByLibrary.simpleMessage("コードをスキャン"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage("認証アプリでQRコードをスキャンして下さい。"), + "search": MessageLookupByLibrary.simpleMessage("検索"), + "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("アルバム"), + "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage("アルバム名"), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• アルバム名 (e.g. \"Camera\")\n• ファイルの種類 (e.g. \"Videos\", \".gif\")\n• 年月日 (e.g. \"2022\", \"January\")\n• ホリデー (e.g. \"Christmas\")\n• 写真の説明文 (e.g. “#fun”)", + ), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "写真情報に \"#trip\" のように説明を追加すれば、ここで簡単に見つけることができます", + ), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "日付、月または年で検索", + ), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "処理と同期が完了すると、画像がここに表示されます", + ), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "学習が完了すると、ここに人が表示されます", + ), + "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( + "ファイルの種類と名前", + ), + "searchHint1": MessageLookupByLibrary.simpleMessage("デバイス上で高速検索"), + "searchHint2": MessageLookupByLibrary.simpleMessage("写真の日付、説明"), + "searchHint3": MessageLookupByLibrary.simpleMessage("アルバム、ファイル名、種類"), + "searchHint4": MessageLookupByLibrary.simpleMessage("場所"), + "searchHint5": MessageLookupByLibrary.simpleMessage("近日公開: フェイスとマジック検索 ✨"), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "当時の直近で撮影された写真をグループ化", + ), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "友達を招待すると、共有される写真はここから閲覧できます", + ), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "処理と同期が完了すると、ここに人々が表示されます", + ), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("セキュリティ"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "アプリ内で公開アルバムのリンクを見る", + ), + "selectALocation": MessageLookupByLibrary.simpleMessage("場所を選択"), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage( + "先に場所を選択してください", + ), + "selectAlbum": MessageLookupByLibrary.simpleMessage("アルバムを選択"), + "selectAll": MessageLookupByLibrary.simpleMessage("全て選択"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("すべて"), + "selectCoverPhoto": MessageLookupByLibrary.simpleMessage("カバー写真を選択"), + "selectDate": MessageLookupByLibrary.simpleMessage("日付を選択する"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "バックアップするフォルダを選択", + ), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "追加するアイテムを選んでください", + ), + "selectLanguage": MessageLookupByLibrary.simpleMessage("言語を選ぶ"), + "selectMailApp": MessageLookupByLibrary.simpleMessage("メールアプリを選択"), + "selectMorePhotos": MessageLookupByLibrary.simpleMessage("さらに写真を選択"), + "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( + "日付と時刻を1つ選択してください", + ), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "すべてに対して日付と時刻を1つ選択してください", + ), + "selectPersonToLink": MessageLookupByLibrary.simpleMessage("リンクする人を選択"), + "selectReason": MessageLookupByLibrary.simpleMessage(""), + "selectStartOfRange": MessageLookupByLibrary.simpleMessage("範囲の開始位置を選択"), + "selectTime": MessageLookupByLibrary.simpleMessage("時刻を選択"), + "selectYourFace": MessageLookupByLibrary.simpleMessage("あなたの顔を選択"), + "selectYourPlan": MessageLookupByLibrary.simpleMessage("プランを選びましょう"), + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "選択したファイルはEnte上にありません", + ), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage("選ばれたフォルダは暗号化されバックアップされます"), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "選択したアイテムはすべてのアルバムから削除され、ゴミ箱に移動されます。", + ), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "選択したアイテムはこの人としての登録が解除されますが、ライブラリからは削除されません。", + ), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("送信"), + "sendEmail": MessageLookupByLibrary.simpleMessage("メールを送信する"), + "sendInvite": MessageLookupByLibrary.simpleMessage("招待を送る"), + "sendLink": MessageLookupByLibrary.simpleMessage("リンクを送信"), + "serverEndpoint": MessageLookupByLibrary.simpleMessage("サーバーエンドポイント"), + "sessionExpired": MessageLookupByLibrary.simpleMessage("セッション切れ"), + "sessionIdMismatch": MessageLookupByLibrary.simpleMessage("セッションIDが一致しません"), + "setAPassword": MessageLookupByLibrary.simpleMessage("パスワードを設定"), + "setAs": MessageLookupByLibrary.simpleMessage("設定:"), + "setCover": MessageLookupByLibrary.simpleMessage("カバー画像をセット"), + "setLabel": MessageLookupByLibrary.simpleMessage("セット"), + "setNewPassword": MessageLookupByLibrary.simpleMessage("新しいパスワードを設定"), + "setNewPin": MessageLookupByLibrary.simpleMessage("新しいPINを設定"), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage("パスワードを決定"), + "setRadius": MessageLookupByLibrary.simpleMessage("半径の設定"), + "setupComplete": MessageLookupByLibrary.simpleMessage("セットアップ完了"), + "share": MessageLookupByLibrary.simpleMessage("共有"), + "shareALink": MessageLookupByLibrary.simpleMessage("リンクをシェアする"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "アルバムを開いて右上のシェアボタンをタップ", + ), + "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage("アルバムを共有"), + "shareLink": MessageLookupByLibrary.simpleMessage("リンクの共有"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "選んだ人と共有します", + ), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Enteをダウンロードして、写真や動画の共有を簡単に!\n\nhttps://ente.io", + ), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Enteを使っていない人に共有", + ), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( + "アルバムの共有をしてみましょう", + ), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "無料プランのユーザーを含む、他のEnteユーザーと共有および共同アルバムを作成します。", + ), + "sharedByMe": MessageLookupByLibrary.simpleMessage("あなたが共有しました"), + "sharedByYou": MessageLookupByLibrary.simpleMessage("あなたが共有しました"), + "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage("新しい共有写真"), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "誰かが写真を共有アルバムに追加した時に通知を受け取る", + ), + "sharedWith": m87, + "sharedWithMe": MessageLookupByLibrary.simpleMessage("あなたと共有されたアルバム"), + "sharedWithYou": MessageLookupByLibrary.simpleMessage("あなたと共有されています"), + "sharing": MessageLookupByLibrary.simpleMessage("共有中..."), + "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage("日付と時間のシフト"), + "showMemories": MessageLookupByLibrary.simpleMessage("思い出を表示"), + "showPerson": MessageLookupByLibrary.simpleMessage("人物を表示"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "他のデバイスからサインアウトする", + ), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "他の誰かがあなたのパスワードを知っている可能性があると判断した場合は、あなたのアカウントを使用している他のすべてのデバイスから強制的にサインアウトできます。", + ), + "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( + "他のデバイスからサインアウトする", + ), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "利用規約プライバシーポリシーに同意します", + ), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "全てのアルバムから削除されます。", + ), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("スキップ"), + "social": MessageLookupByLibrary.simpleMessage("SNS"), + "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( + "いくつかの項目は、Enteとお使いのデバイス上の両方にあります。", + ), + "someOfTheFilesYouAreTryingToDeleteAre": + MessageLookupByLibrary.simpleMessage( + "削除しようとしているファイルのいくつかは、お使いのデバイス上にのみあり、削除した場合は復元できません", + ), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage("アルバムを共有している人はデバイス上で同じIDを見るはずです。"), + "somethingWentWrong": MessageLookupByLibrary.simpleMessage("エラーが発生しました"), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "問題が起きてしまいました、もう一度試してください", + ), + "sorry": MessageLookupByLibrary.simpleMessage("すみません"), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "お気に入りに追加できませんでした。", + ), + "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( + "お気に入りから削除できませんでした", + ), + "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "入力されたコードは正しくありません", + ), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "このデバイスでは安全な鍵を生成することができませんでした。\n\n他のデバイスからサインアップを試みてください。", + ), + "sort": MessageLookupByLibrary.simpleMessage("並び替え"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("並び替え"), + "sortNewestFirst": MessageLookupByLibrary.simpleMessage("新しい順"), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage("古い順"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("成功✨"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": MessageLookupByLibrary.simpleMessage( + "あなた自身にスポットライト!", + ), + "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( + "リカバリを開始", + ), + "startBackup": MessageLookupByLibrary.simpleMessage("バックアップを開始"), + "status": MessageLookupByLibrary.simpleMessage("ステータス"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage("キャストを停止しますか?"), + "stopCastingTitle": MessageLookupByLibrary.simpleMessage("キャストを停止"), + "storage": MessageLookupByLibrary.simpleMessage("ストレージ"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("ファミリー"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("あなた"), + "storageInGB": m93, + "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( + "ストレージの上限を超えました", + ), + "storageUsageInfo": m94, + "streamDetails": MessageLookupByLibrary.simpleMessage("動画の詳細"), + "strongStrength": MessageLookupByLibrary.simpleMessage("強いパスワード"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("サブスクライブ"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "共有を有効にするには、有料サブスクリプションが必要です。", + ), + "subscription": MessageLookupByLibrary.simpleMessage("サブスクリプション"), + "success": MessageLookupByLibrary.simpleMessage("成功"), + "successfullyArchived": MessageLookupByLibrary.simpleMessage("アーカイブしました"), + "successfullyHid": MessageLookupByLibrary.simpleMessage("非表示にしました"), + "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( + "アーカイブを解除しました", + ), + "successfullyUnhid": MessageLookupByLibrary.simpleMessage("非表示を解除しました"), + "suggestFeatures": MessageLookupByLibrary.simpleMessage("機能を提案"), + "sunrise": MessageLookupByLibrary.simpleMessage("水平線"), + "support": MessageLookupByLibrary.simpleMessage("サポート"), + "syncProgress": m97, + "syncStopped": MessageLookupByLibrary.simpleMessage("同期が停止しました"), + "syncing": MessageLookupByLibrary.simpleMessage("同期中..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("システム"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("タップしてコピー"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage("タップしてコードを入力"), + "tapToUnlock": MessageLookupByLibrary.simpleMessage("タップして解除"), + "tapToUpload": MessageLookupByLibrary.simpleMessage("タップしてアップロード"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "問題が発生したようです。しばらくしてから再試行してください。エラーが解決しない場合は、サポートチームにお問い合わせください。", + ), + "terminate": MessageLookupByLibrary.simpleMessage("終了させる"), + "terminateSession": MessageLookupByLibrary.simpleMessage("セッションを終了"), + "terms": MessageLookupByLibrary.simpleMessage("規約"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("規約"), + "thankYou": MessageLookupByLibrary.simpleMessage("ありがとうございます"), + "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( + "ありがとうございます!", + ), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "ダウンロードを完了できませんでした", + ), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage("アクセスしようとしているリンクの期限が切れています。"), + "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "入力したリカバリーキーが間違っています", + ), + "theme": MessageLookupByLibrary.simpleMessage("テーマ"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage("これらの項目はデバイスから削除されます。"), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "全てのアルバムから削除されます。", + ), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "この操作は元に戻せません", + ), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage("このアルバムはすでにコラボレーションリンクが生成されています"), + "thisCanBeUsedToRecoverYourAccountIfYou": + MessageLookupByLibrary.simpleMessage( + "2段階認証を失った場合、アカウントを回復するために使用できます。", + ), + "thisDevice": MessageLookupByLibrary.simpleMessage("このデバイス"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "このメールアドレスはすでに使用されています。", + ), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "この画像にEXIFデータはありません", + ), + "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("これは私です"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "これはあなたの認証IDです", + ), + "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage("毎年のこの週"), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage("以下のデバイスからログアウトします:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "ログアウトします", + ), + "thisWillMakeTheDateAndTimeOfAllSelected": + MessageLookupByLibrary.simpleMessage("選択したすべての写真の日付と時刻が同じになります。"), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage("選択したすべてのクイックリンクの公開リンクを削除します。"), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "アプリのロックを有効にするには、システム設定でデバイスのパスコードまたは画面ロックを設定してください。", + ), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage("写真や動画を非表示にする"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "パスワードのリセットをするには、まずEメールを確認してください", + ), + "todaysLogs": MessageLookupByLibrary.simpleMessage("今日のログ"), + "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( + "間違った回数が多すぎます", + ), + "total": MessageLookupByLibrary.simpleMessage("合計"), + "totalSize": MessageLookupByLibrary.simpleMessage("合計サイズ"), + "trash": MessageLookupByLibrary.simpleMessage("ゴミ箱"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("トリミング"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": MessageLookupByLibrary.simpleMessage("信頼する連絡先"), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("もう一度試してください"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "バックアップをオンにすると、このデバイスフォルダに追加されたファイルは自動的にEnteにアップロードされます。", + ), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "年次プランでは2ヶ月無料", + ), + "twofactor": MessageLookupByLibrary.simpleMessage("二段階認証"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage("二段階認証が無効になりました。"), + "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( + "2段階認証", + ), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage("2段階認証をリセットしました"), + "twofactorSetup": MessageLookupByLibrary.simpleMessage("2段階認証のセットアップ"), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("アーカイブ解除"), + "unarchiveAlbum": MessageLookupByLibrary.simpleMessage("アルバムのアーカイブ解除"), + "unarchiving": MessageLookupByLibrary.simpleMessage("アーカイブを解除中..."), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "このコードは利用できません", + ), + "uncategorized": MessageLookupByLibrary.simpleMessage("カテゴリなし"), + "unhide": MessageLookupByLibrary.simpleMessage("再表示"), + "unhideToAlbum": MessageLookupByLibrary.simpleMessage("アルバムを再表示する"), + "unhiding": MessageLookupByLibrary.simpleMessage("非表示を解除しています"), + "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "アルバムにファイルを表示しない", + ), + "unlock": MessageLookupByLibrary.simpleMessage("ロック解除"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("アルバムのピン留めを解除"), + "unselectAll": MessageLookupByLibrary.simpleMessage("すべての選択を解除"), + "update": MessageLookupByLibrary.simpleMessage("アップデート"), + "updateAvailable": MessageLookupByLibrary.simpleMessage("アップデートがあります"), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "フォルダの選択を更新しています...", + ), + "upgrade": MessageLookupByLibrary.simpleMessage("アップグレード"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "アルバムにファイルをアップロード中", + ), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( + "1メモリを保存しています...", + ), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "12月4日まで、最大50%オフ。", + ), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "使用可能なストレージは現在のプランによって制限されています。プランをアップグレードすると、あなたが手に入れたストレージが自動的に使用可能になります。", + ), + "useAsCover": MessageLookupByLibrary.simpleMessage("カバー写真として使用"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "この動画の再生に問題がありますか?別のプレイヤーを試すには、ここを長押ししてください。", + ), + "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( + "公開リンクを使用する(Enteを利用しない人と共有できます)", + ), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage("リカバリーキーを使用"), + "useSelectedPhoto": MessageLookupByLibrary.simpleMessage("選択した写真を使用"), + "usedSpace": MessageLookupByLibrary.simpleMessage("使用済み領域"), + "validTill": m110, + "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "確認に失敗しました、再試行してください", + ), + "verificationId": MessageLookupByLibrary.simpleMessage("確認用ID"), + "verify": MessageLookupByLibrary.simpleMessage("確認"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("Eメールの確認"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("確認"), + "verifyPasskey": MessageLookupByLibrary.simpleMessage("パスキーを確認"), + "verifyPassword": MessageLookupByLibrary.simpleMessage("パスワードの確認"), + "verifying": MessageLookupByLibrary.simpleMessage("確認中..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "リカバリキーを確認中...", + ), + "videoInfo": MessageLookupByLibrary.simpleMessage("ビデオ情報"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("ビデオ"), + "videos": MessageLookupByLibrary.simpleMessage("ビデオ"), + "viewActiveSessions": MessageLookupByLibrary.simpleMessage( + "アクティブなセッションを表示", + ), + "viewAddOnButton": MessageLookupByLibrary.simpleMessage("アドオンを表示"), + "viewAll": MessageLookupByLibrary.simpleMessage("すべて表示"), + "viewAllExifData": MessageLookupByLibrary.simpleMessage("全ての EXIF データを表示"), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("大きなファイル"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "最も多くのストレージを消費しているファイルを表示します。", + ), + "viewLogs": MessageLookupByLibrary.simpleMessage("ログを表示"), + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage("リカバリキーを表示"), + "viewer": MessageLookupByLibrary.simpleMessage("ビューアー"), + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "サブスクリプションを管理するにはweb.ente.ioをご覧ください", + ), + "waitingForVerification": MessageLookupByLibrary.simpleMessage( + "確認を待っています...", + ), + "waitingForWifi": MessageLookupByLibrary.simpleMessage("WiFi を待っています"), + "warning": MessageLookupByLibrary.simpleMessage("警告"), + "weAreOpenSource": MessageLookupByLibrary.simpleMessage("私たちはオープンソースです!"), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "あなたが所有していない写真やアルバムの編集はサポートされていません", + ), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("弱いパスワード"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("おかえりなさい!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("最新情報"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "信頼する連絡先は、データの復旧が必要な際に役立ちます。", + ), + "yearShort": MessageLookupByLibrary.simpleMessage("年"), + "yearly": MessageLookupByLibrary.simpleMessage("年額"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("はい"), + "yesCancel": MessageLookupByLibrary.simpleMessage("キャンセル"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage("ビューアーに変換する"), + "yesDelete": MessageLookupByLibrary.simpleMessage("はい、削除"), + "yesDiscardChanges": MessageLookupByLibrary.simpleMessage("はい、変更を破棄します。"), + "yesLogout": MessageLookupByLibrary.simpleMessage("はい、ログアウトします"), + "yesRemove": MessageLookupByLibrary.simpleMessage("削除"), + "yesRenew": MessageLookupByLibrary.simpleMessage("はい、更新する"), + "yesResetPerson": MessageLookupByLibrary.simpleMessage("リセット"), + "you": MessageLookupByLibrary.simpleMessage("あなた"), + "youAndThem": m117, + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( + "ファミリープランに入会しています!", + ), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "あなたは最新バージョンを使用しています", + ), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* 最大2倍のストレージまで", + ), + "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( + "作ったリンクは共有タブで管理できます", + ), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage("別の単語を検索してみてください。"), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "このプランにダウングレードはできません", + ), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "自分自身と共有することはできません", + ), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "アーカイブした項目はありません", + ), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "アカウントは削除されました", + ), + "yourMap": MessageLookupByLibrary.simpleMessage("あなたの地図"), + "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( + "プランはダウングレードされました", + ), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "プランはアップグレードされました", + ), + "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( + "決済に成功しました", + ), + "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( + "ストレージの詳細を取得できませんでした", + ), + "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( + "サブスクリプションの有効期限が終了しました", + ), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage("サブスクリプションが更新されました"), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "確認用コードが失効しました", + ), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage("削除できる同一ファイルはありません"), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage("このアルバムには消すファイルがありません"), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage("ズームアウトして写真を表示"), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_ko.dart b/mobile/apps/photos/lib/generated/intl/messages_ko.dart index e378d62fd9..5484114329 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_ko.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_ko.dart @@ -22,26 +22,28 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("다시 오신 것을 환영합니다!"), - "askDeleteReason": - MessageLookupByLibrary.simpleMessage("계정을 삭제하는 가장 큰 이유가 무엇인가요?"), - "cancel": MessageLookupByLibrary.simpleMessage("닫기"), - "confirmAccountDeletion": - MessageLookupByLibrary.simpleMessage("계정 삭제 확인"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("계정 삭제"), - "deleteAccountPermanentlyButton": - MessageLookupByLibrary.simpleMessage("계정을 영구적으로 삭제"), - "email": MessageLookupByLibrary.simpleMessage("이메일"), - "enterValidEmail": - MessageLookupByLibrary.simpleMessage("올바른 이메일 주소를 입력하세요."), - "enterYourEmailAddress": - MessageLookupByLibrary.simpleMessage("이메일을 입력하세요"), - "feedback": MessageLookupByLibrary.simpleMessage("피드백"), - "invalidEmailAddress": - MessageLookupByLibrary.simpleMessage("잘못된 이메일 주소"), - "verify": MessageLookupByLibrary.simpleMessage("인증"), - "yourAccountHasBeenDeleted": - MessageLookupByLibrary.simpleMessage("계정이 삭제되었습니다.") - }; + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( + "다시 오신 것을 환영합니다!", + ), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "계정을 삭제하는 가장 큰 이유가 무엇인가요?", + ), + "cancel": MessageLookupByLibrary.simpleMessage("닫기"), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage("계정 삭제 확인"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("계정 삭제"), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "계정을 영구적으로 삭제", + ), + "email": MessageLookupByLibrary.simpleMessage("이메일"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "올바른 이메일 주소를 입력하세요.", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage("이메일을 입력하세요"), + "feedback": MessageLookupByLibrary.simpleMessage("피드백"), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage("잘못된 이메일 주소"), + "verify": MessageLookupByLibrary.simpleMessage("인증"), + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "계정이 삭제되었습니다.", + ), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_lt.dart b/mobile/apps/photos/lib/generated/intl/messages_lt.dart index 2ff34d3ea2..c018b0d7e9 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_lt.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_lt.dart @@ -57,11 +57,7 @@ class MessageLookup extends MessageLookupByLibrary { "${user} negalės pridėti daugiau nuotraukų į šį albumą\n\nJie vis tiek galės pašalinti esamas pridėtas nuotraukas"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, { - 'true': 'Jūsų šeima gavo ${storageAmountInGb} GB iki šiol', - 'false': 'Jūs gavote ${storageAmountInGb} GB iki šiol', - 'other': 'Jūs gavote ${storageAmountInGb} GB iki šiol.', - })}"; + "${Intl.select(isFamilyMember, {'true': 'Jūsų šeima gavo ${storageAmountInGb} GB iki šiol', 'false': 'Jūs gavote ${storageAmountInGb} GB iki šiol', 'other': 'Jūs gavote ${storageAmountInGb} GB iki šiol.'})}"; static String m15(albumName) => "Bendradarbiavimo nuoroda sukurta albumui „${albumName}“"; @@ -117,10 +113,10 @@ class MessageLookup extends MessageLookupByLibrary { static String m34(name) => "Vaišiavimas su ${name}"; static String m35(count, formattedNumber) => - "${Intl.plural(count, one: '${formattedNumber} failas šiame įrenginyje saugiai sukurta atsarginė kopija', other: '${formattedNumber} failų šiame įrenginyje saugiai sukurta atsarginių kopijų')}."; + "${Intl.plural(count, one: '${formattedNumber} failas šiame įrenginyje saugiai sukurta atsarginė kopija', few: '${formattedNumber} failai šiame įrenginyje saugiai sukurtos atsarginės kopijos', many: '${formattedNumber} failo šiame įrenginyje saugiai sukurtos atsargines kopijos', other: '${formattedNumber} failų šiame įrenginyje saugiai sukurta atsarginių kopijų')}."; static String m36(count, formattedNumber) => - "${Intl.plural(count, one: '${formattedNumber} failas šiame albume saugiai sukurta atsarginė kopija', other: '${formattedNumber} failų šiame albume saugiai sukurta atsarginė kopija')}."; + "${Intl.plural(count, one: '${formattedNumber} failas šiame albume saugiai sukurta atsarginė kopija', few: '${formattedNumber} failai šiame albume saugiai sukurtos atsarginės kopijos', many: '${formattedNumber} failo šiame albume saugiai sukurtos atsargines kopijos', other: '${formattedNumber} failų šiame albume saugiai sukurta atsarginė kopija')}."; static String m37(storageAmountInGB) => "${storageAmountInGB} GB kiekvieną kartą, kai kas nors užsiregistruoja mokamam planui ir pritaiko jūsų kodą."; @@ -186,7 +182,7 @@ class MessageLookup extends MessageLookupByLibrary { "${Intl.plural(count, zero: 'Nėra nuotraukų', one: '1 nuotrauka', other: '${count} nuotraukų')}"; static String m62(count) => - "${Intl.plural(count, zero: '0 nuotraukų', one: '1 nuotrauka', other: '${count} nuotraukų')}"; + "${Intl.plural(count, zero: '0 nuotraukų', one: '1 nuotrauka', few: '${count} nuotraukos', many: '${count} nuotraukos', other: '${count} nuotraukų')}"; static String m63(endDate) => "Nemokama bandomoji versija galioja iki ${endDate}.\nVėliau galėsite pasirinkti mokamą planą."; @@ -265,7 +261,11 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => + usedAmount, + usedStorageUnit, + totalAmount, + totalStorageUnit, + ) => "${usedAmount} ${usedStorageUnit} iš ${totalAmount} ${totalStorageUnit} naudojama"; static String m95(id) => @@ -314,7 +314,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m112(name) => "Peržiūrėkite ${name}, kad atsietumėte"; static String m113(count) => - "${Intl.plural(count, zero: 'Įtraukta 0 žiūrėtojų', one: 'Įtrauktas 1 žiūrėtojas', other: 'Įtraukta ${count} žiūrėtojų')}"; + "${Intl.plural(count, zero: 'Įtraukta 0 žiūrėtojų', one: 'Įtrauktas 1 žiūrėtojas', few: 'Įtraukti ${count} žiūrėtojai', many: 'Įtraukta ${count} žiūrėtojo', other: 'Įtraukta ${count} žiūrėtojų')}"; static String m114(email) => "Išsiuntėme laišką adresu ${email}"; @@ -330,1969 +330,2484 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": - MessageLookupByLibrary.simpleMessage("Yra nauja „Ente“ versija."), - "about": MessageLookupByLibrary.simpleMessage("Apie"), - "acceptTrustInvite": - MessageLookupByLibrary.simpleMessage("Priimti kvietimą"), - "account": MessageLookupByLibrary.simpleMessage("Paskyra"), - "accountIsAlreadyConfigured": - MessageLookupByLibrary.simpleMessage("Paskyra jau sukonfigūruota."), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("Sveiki sugrįžę!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Suprantu, kad jei prarasiu slaptažodį, galiu prarasti savo duomenis, kadangi mano duomenys yra visapusiškai užšifruoti"), - "actionNotSupportedOnFavouritesAlbum": - MessageLookupByLibrary.simpleMessage( - "Veiksmas nepalaikomas Mėgstamų albume."), - "activeSessions": - MessageLookupByLibrary.simpleMessage("Aktyvūs seansai"), - "add": MessageLookupByLibrary.simpleMessage("Pridėti"), - "addAName": MessageLookupByLibrary.simpleMessage("Pridėti vardą"), - "addANewEmail": - MessageLookupByLibrary.simpleMessage("Įtraukite naują el. paštą"), - "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Pridėkite albumo valdiklį prie savo pradžios ekrano ir grįžkite čia, kad tinkintumėte."), - "addCollaborator": - MessageLookupByLibrary.simpleMessage("Pridėti bendradarbį"), - "addCollaborators": m1, - "addFiles": MessageLookupByLibrary.simpleMessage("Pridėti failus"), - "addFromDevice": - MessageLookupByLibrary.simpleMessage("Pridėti iš įrenginio"), - "addItem": m2, - "addLocation": MessageLookupByLibrary.simpleMessage("Pridėti vietovę"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Pridėti"), - "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Pridėkite prisiminimų valdiklį prie savo pradžios ekrano ir grįžkite čia, kad tinkintumėte."), - "addMore": MessageLookupByLibrary.simpleMessage("Pridėti daugiau"), - "addName": MessageLookupByLibrary.simpleMessage("Pridėti vardą"), - "addNameOrMerge": - MessageLookupByLibrary.simpleMessage("Pridėti vardą arba sujungti"), - "addNew": MessageLookupByLibrary.simpleMessage("Pridėti naują"), - "addNewPerson": - MessageLookupByLibrary.simpleMessage("Pridėti naują asmenį"), - "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( - "Išsami informacija apie priedus"), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("Priedai"), - "addParticipants": - MessageLookupByLibrary.simpleMessage("Įtraukti dalyvių"), - "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Pridėkite asmenų valdiklį prie savo pradžios ekrano ir grįžkite čia, kad tinkintumėte."), - "addPhotos": MessageLookupByLibrary.simpleMessage("Įtraukti nuotraukų"), - "addSelected": - MessageLookupByLibrary.simpleMessage("Pridėti pasirinktus"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("Pridėti į albumą"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Pridėti į „Ente“"), - "addToHiddenAlbum": - MessageLookupByLibrary.simpleMessage("Įtraukti į paslėptą albumą"), - "addTrustedContact": - MessageLookupByLibrary.simpleMessage("Pridėti patikimą kontaktą"), - "addViewer": MessageLookupByLibrary.simpleMessage("Pridėti žiūrėtoją"), - "addViewers": m4, - "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( - "Įtraukite savo nuotraukas dabar"), - "addedAs": MessageLookupByLibrary.simpleMessage("Pridėta kaip"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": - MessageLookupByLibrary.simpleMessage("Pridedama prie mėgstamų..."), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("Išplėstiniai"), - "advancedSettings": - MessageLookupByLibrary.simpleMessage("Išplėstiniai"), - "after1Day": MessageLookupByLibrary.simpleMessage("Po 1 dienos"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Po 1 valandos"), - "after1Month": MessageLookupByLibrary.simpleMessage("Po 1 mėnesio"), - "after1Week": MessageLookupByLibrary.simpleMessage("Po 1 savaitės"), - "after1Year": MessageLookupByLibrary.simpleMessage("Po 1 metų"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Savininkas"), - "albumParticipantsCount": m8, - "albumTitle": - MessageLookupByLibrary.simpleMessage("Albumo pavadinimas"), - "albumUpdated": - MessageLookupByLibrary.simpleMessage("Atnaujintas albumas"), - "albums": MessageLookupByLibrary.simpleMessage("Albumai"), - "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Pasirinkite albumus, kuriuos norite matyti savo pradžios ekrane."), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Viskas išvalyta"), - "allMemoriesPreserved": - MessageLookupByLibrary.simpleMessage("Išsaugoti visi prisiminimai"), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "Visi šio asmens grupavimai bus iš naujo nustatyti, o jūs neteksite visų šiam asmeniui pateiktų pasiūlymų"), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "Tai – pirmoji šioje grupėje. Kitos pasirinktos nuotraukos bus automatiškai perkeltos pagal šią naują datą."), - "allow": MessageLookupByLibrary.simpleMessage("Leisti"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Leiskite nuorodą turintiems asmenims taip pat pridėti nuotraukų į bendrinamą albumą."), - "allowAddingPhotos": - MessageLookupByLibrary.simpleMessage("Leisti pridėti nuotraukų"), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "Leisti programai atverti bendrinamų albumų nuorodas"), - "allowDownloads": - MessageLookupByLibrary.simpleMessage("Leisti atsisiuntimus"), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Leiskite asmenims pridėti nuotraukų"), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Iš nustatymų leiskite prieigą prie nuotraukų, kad „Ente“ galėtų rodyti ir kurti atsargines bibliotekos kopijas."), - "allowPermTitle": MessageLookupByLibrary.simpleMessage( - "Leisti prieigą prie nuotraukų"), - "androidBiometricHint": - MessageLookupByLibrary.simpleMessage("Patvirtinkite tapatybę"), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "Neatpažinta. Bandykite dar kartą."), - "androidBiometricRequiredTitle": - MessageLookupByLibrary.simpleMessage("Privaloma biometrija"), - "androidBiometricSuccess": - MessageLookupByLibrary.simpleMessage("Sėkmė"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Atšaukti"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage( - "Privalomi įrenginio kredencialai"), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage( - "Privalomi įrenginio kredencialai"), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Biometrinis tapatybės nustatymas jūsų įrenginyje nenustatytas. Eikite į Nustatymai > Saugumas ir pridėkite biometrinį tapatybės nustatymą."), - "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( - "„Android“, „iOS“, internete ir darbalaukyje"), - "androidSignInTitle": MessageLookupByLibrary.simpleMessage( - "Privalomas tapatybės nustatymas"), - "appIcon": MessageLookupByLibrary.simpleMessage("Programos piktograma"), - "appLock": MessageLookupByLibrary.simpleMessage("Programos užraktas"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Pasirinkite tarp numatytojo įrenginio užrakinimo ekrano ir pasirinktinio užrakinimo ekrano su PIN kodu arba slaptažodžiu."), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("„Apple ID“"), - "apply": MessageLookupByLibrary.simpleMessage("Taikyti"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Taikyti kodą"), - "appstoreSubscription": - MessageLookupByLibrary.simpleMessage("„App Store“ prenumerata"), - "archive": MessageLookupByLibrary.simpleMessage("Archyvas"), - "archiveAlbum": - MessageLookupByLibrary.simpleMessage("Archyvuoti albumą"), - "archiving": MessageLookupByLibrary.simpleMessage("Archyvuojama..."), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Ar tikrai norite palikti šeimos planą?"), - "areYouSureYouWantToCancel": - MessageLookupByLibrary.simpleMessage("Ar tikrai norite atšaukti?"), - "areYouSureYouWantToChangeYourPlan": - MessageLookupByLibrary.simpleMessage( - "Ar tikrai norite keisti planą?"), - "areYouSureYouWantToExit": - MessageLookupByLibrary.simpleMessage("Ar tikrai norite išeiti?"), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Ar tikrai norite atsijungti?"), - "areYouSureYouWantToRenew": - MessageLookupByLibrary.simpleMessage("Ar tikrai norite pratęsti?"), - "areYouSureYouWantToResetThisPerson": - MessageLookupByLibrary.simpleMessage( - "Ar tikrai norite iš naujo nustatyti šį asmenį?"), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "Jūsų prenumerata buvo atšaukta. Ar norėtumėte pasidalyti priežastimi?"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Kokia yra pagrindinė priežastis, dėl kurios ištrinate savo paskyrą?"), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Paprašykite savo artimuosius bendrinti"), - "atAFalloutShelter": - MessageLookupByLibrary.simpleMessage("priešgaisrinėje slėptuvėje"), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Nustatykite tapatybę, kad pakeistumėte el. pašto patvirtinimą"), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Nustatykite tapatybę, kad pakeistumėte užrakinto ekrano nustatymą"), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Nustatykite tapatybę, kad pakeistumėte savo el. paštą"), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Nustatykite tapatybę, kad pakeistumėte slaptažodį"), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Nustatykite tapatybę, kad sukonfigūruotumėte dvigubą tapatybės nustatymą"), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Nustatykite tapatybę, kad pradėtumėte paskyros ištrynimą"), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Nustatykite tapatybę, kad tvarkytumėte patikimus kontaktus"), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Nustatykite tapatybę, kad peržiūrėtumėte savo slaptaraktį"), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Nustatykite tapatybę, kad peržiūrėtumėte išmestus failus"), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Nustatykite tapatybę, kad peržiūrėtumėte savo aktyvius seansus"), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Nustatykite tapatybę, kad peržiūrėtumėte paslėptus failus"), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Nustatykite tapatybę, kad peržiūrėtumėte savo prisiminimus"), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Nustatykite tapatybę, kad peržiūrėtumėte savo atkūrimo raktą"), - "authenticating": - MessageLookupByLibrary.simpleMessage("Nustatoma tapatybė..."), - "authenticationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Tapatybės nustatymas nepavyko. Bandykite dar kartą."), - "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( - "Tapatybės nustatymas sėkmingas."), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Čia matysite pasiekiamus perdavimo įrenginius."), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Įsitikinkite, kad programai „Ente“ nuotraukos yra įjungti vietinio tinklo leidimai, nustatymuose."), - "autoLock": - MessageLookupByLibrary.simpleMessage("Automatinis užraktas"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Laikas, po kurio programa užrakinama perkėlus ją į foną"), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "Dėl techninio trikdžio buvote atjungti. Atsiprašome už nepatogumus."), - "autoPair": - MessageLookupByLibrary.simpleMessage("Automatiškai susieti"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "Automatinis susiejimas veikia tik su įrenginiais, kurie palaiko „Chromecast“."), - "available": MessageLookupByLibrary.simpleMessage("Prieinama"), - "availableStorageSpace": m10, - "backedUpFolders": MessageLookupByLibrary.simpleMessage( - "Sukurtos atsarginės aplankų kopijos"), - "backgroundWithThem": m11, - "backup": - MessageLookupByLibrary.simpleMessage("Kurti atsarginę kopiją"), - "backupFailed": - MessageLookupByLibrary.simpleMessage("Atsarginė kopija nepavyko"), - "backupFile": MessageLookupByLibrary.simpleMessage( - "Kurti atsarginę failo kopiją"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Kurti atsargines kopijas per mobiliuosius duomenis"), - "backupSettings": MessageLookupByLibrary.simpleMessage( - "Atsarginės kopijos nustatymai"), - "backupStatus": - MessageLookupByLibrary.simpleMessage("Atsarginės kopijos būsena"), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Čia bus rodomi elementai, kurių atsarginės kopijos buvo sukurtos."), - "backupVideos": MessageLookupByLibrary.simpleMessage( - "Kurti atsargines vaizdo įrašų kopijas"), - "beach": MessageLookupByLibrary.simpleMessage("Smėlis ir jūra"), - "birthday": MessageLookupByLibrary.simpleMessage("Gimtadienis"), - "birthdayNotifications": - MessageLookupByLibrary.simpleMessage("Gimtadienio pranešimai"), - "birthdays": MessageLookupByLibrary.simpleMessage("Gimtadieniai"), - "blackFridaySale": MessageLookupByLibrary.simpleMessage( - "Juodojo penktadienio išpardavimas"), - "blog": MessageLookupByLibrary.simpleMessage("Tinklaraštis"), - "cachedData": - MessageLookupByLibrary.simpleMessage("Podėliuoti duomenis"), - "calculating": MessageLookupByLibrary.simpleMessage("Skaičiuojama..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Atsiprašome, šio albumo negalima atverti programoje."), - "canNotOpenTitle": - MessageLookupByLibrary.simpleMessage("Negalima atverti šio albumo"), - "canNotUploadToAlbumsOwnedByOthers": - MessageLookupByLibrary.simpleMessage( - "Negalima įkelti į kitiems priklausančius albumus"), - "canOnlyCreateLinkForFilesOwnedByYou": - MessageLookupByLibrary.simpleMessage( - "Galima sukurti nuorodą tik jums priklausantiems failams"), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Galima pašalinti tik jums priklausančius failus"), - "cancel": MessageLookupByLibrary.simpleMessage("Atšaukti"), - "cancelAccountRecovery": - MessageLookupByLibrary.simpleMessage("Atšaukti atkūrimą"), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "Ar tikrai norite atšaukti atkūrimą?"), - "cancelOtherSubscription": m12, - "cancelSubscription": - MessageLookupByLibrary.simpleMessage("Atsisakyti prenumeratos"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Negalima ištrinti bendrinamų failų."), - "castAlbum": MessageLookupByLibrary.simpleMessage("Perduoti albumą"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Įsitikinkite, kad esate tame pačiame tinkle kaip ir televizorius."), - "castIPMismatchTitle": - MessageLookupByLibrary.simpleMessage("Nepavyko perduoti albumo"), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Aplankykite cast.ente.io įrenginyje, kurį norite susieti.\n\nĮveskite toliau esantį kodą, kad paleistumėte albumą televizoriuje."), - "centerPoint": MessageLookupByLibrary.simpleMessage("Centro taškas"), - "change": MessageLookupByLibrary.simpleMessage("Keisti"), - "changeEmail": MessageLookupByLibrary.simpleMessage("Keisti el. paštą"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Keisti pasirinktų elementų vietovę?"), - "changePassword": - MessageLookupByLibrary.simpleMessage("Keisti slaptažodį"), - "changePasswordTitle": - MessageLookupByLibrary.simpleMessage("Keisti slaptažodį"), - "changePermissions": - MessageLookupByLibrary.simpleMessage("Keisti leidimus?"), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Keisti savo rekomendacijos kodą"), - "checkForUpdates": MessageLookupByLibrary.simpleMessage( - "Tikrinti, ar yra atnaujinimų"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Patikrinkite savo gautieją (ir šlamštą), kad užbaigtumėte patvirtinimą"), - "checkStatus": MessageLookupByLibrary.simpleMessage("Tikrinti būseną"), - "checking": MessageLookupByLibrary.simpleMessage("Tikrinama..."), - "checkingModels": - MessageLookupByLibrary.simpleMessage("Tikrinami modeliai..."), - "city": MessageLookupByLibrary.simpleMessage("Mieste"), - "claimFreeStorage": - MessageLookupByLibrary.simpleMessage("Gaukite nemokamos saugyklos"), - "claimMore": MessageLookupByLibrary.simpleMessage("Gaukite daugiau!"), - "claimed": MessageLookupByLibrary.simpleMessage("Gauta"), - "claimedStorageSoFar": m14, - "cleanUncategorized": - MessageLookupByLibrary.simpleMessage("Valyti nekategorizuotus"), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Pašalinkite iš nekategorizuotus visus failus, esančius kituose albumuose"), - "clearCaches": MessageLookupByLibrary.simpleMessage("Valyti podėlius"), - "clearIndexes": - MessageLookupByLibrary.simpleMessage("Valyti indeksavimus"), - "click": MessageLookupByLibrary.simpleMessage("• Spauskite"), - "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( - "• Spustelėkite ant perpildymo meniu"), - "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( - "Spustelėkite, kad įdiegtumėte geriausią mūsų versiją iki šiol"), - "close": MessageLookupByLibrary.simpleMessage("Uždaryti"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( - "Grupuoti pagal užfiksavimo laiką"), - "clubByFileName": MessageLookupByLibrary.simpleMessage( - "Grupuoti pagal failo pavadinimą"), - "clusteringProgress": - MessageLookupByLibrary.simpleMessage("Sankaupos vykdymas"), - "codeAppliedPageTitle": - MessageLookupByLibrary.simpleMessage("Pritaikytas kodas"), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Atsiprašome, pasiekėte kodo pakeitimų ribą."), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Nukopijuotas kodas į iškarpinę"), - "codeUsedByYou": - MessageLookupByLibrary.simpleMessage("Jūsų naudojamas kodas"), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Sukurkite nuorodą, kad asmenys galėtų pridėti ir peržiūrėti nuotraukas bendrinamame albume, nereikalaujant „Ente“ programos ar paskyros. Puikiai tinka įvykių nuotraukoms rinkti."), - "collaborativeLink": - MessageLookupByLibrary.simpleMessage("Bendradarbiavimo nuoroda"), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Bendradarbis"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Bendradarbiai gali pridėti nuotraukų ir vaizdo įrašų į bendrintą albumą."), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("Išdėstymas"), - "collageSaved": MessageLookupByLibrary.simpleMessage( - "Koliažas išsaugotas į galeriją"), - "collect": MessageLookupByLibrary.simpleMessage("Rinkti"), - "collectEventPhotos": - MessageLookupByLibrary.simpleMessage("Rinkti įvykių nuotraukas"), - "collectPhotos": - MessageLookupByLibrary.simpleMessage("Rinkti nuotraukas"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Sukurkite nuorodą, į kurią draugai gali įkelti originalios kokybės nuotraukas."), - "color": MessageLookupByLibrary.simpleMessage("Spalva"), - "configuration": MessageLookupByLibrary.simpleMessage("Konfiguracija"), - "confirm": MessageLookupByLibrary.simpleMessage("Patvirtinti"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Ar tikrai norite išjungti dvigubą tapatybės nustatymą?"), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Patvirtinti paskyros ištrynimą"), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Taip, noriu negrįžtamai ištrinti šią paskyrą ir jos duomenis per visas programas"), - "confirmPassword": - MessageLookupByLibrary.simpleMessage("Patvirtinkite slaptažodį"), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage( - "Patvirtinkite plano pakeitimą"), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Patvirtinkite atkūrimo raktą"), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Patvirtinkite savo atkūrimo raktą"), - "connectToDevice": - MessageLookupByLibrary.simpleMessage("Prijungti prie įrenginio"), - "contactFamilyAdmin": m18, - "contactSupport": MessageLookupByLibrary.simpleMessage( - "Susisiekti su palaikymo komanda"), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Kontaktai"), - "contents": MessageLookupByLibrary.simpleMessage("Turinys"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Tęsti"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "Tęsti nemokame bandomajame laikotarpyje"), - "convertToAlbum": - MessageLookupByLibrary.simpleMessage("Konvertuoti į albumą"), - "copyEmailAddress": - MessageLookupByLibrary.simpleMessage("Kopijuoti el. pašto adresą"), - "copyLink": MessageLookupByLibrary.simpleMessage("Kopijuoti nuorodą"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Nukopijuokite ir įklijuokite šį kodą\nį autentifikatoriaus programą"), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "Nepavyko sukurti atsarginės duomenų kopijos.\nBandysime pakartotinai vėliau."), - "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( - "Nepavyko atlaisvinti vietos."), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Nepavyko atnaujinti prenumeratos"), - "count": MessageLookupByLibrary.simpleMessage("Skaičių"), - "crashReporting": - MessageLookupByLibrary.simpleMessage("Pranešti apie strigčius"), - "create": MessageLookupByLibrary.simpleMessage("Kurti"), - "createAccount": MessageLookupByLibrary.simpleMessage("Kurti paskyrą"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Ilgai paspauskite, kad pasirinktumėte nuotraukas, ir spustelėkite +, kad sukurtumėte albumą"), - "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( - "Kurti bendradarbiavimo nuorodą"), - "createCollage": MessageLookupByLibrary.simpleMessage("Kurti koliažą"), - "createNewAccount": - MessageLookupByLibrary.simpleMessage("Kurti naują paskyrą"), - "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( - "Kurkite arba pasirinkite albumą"), - "createPublicLink": - MessageLookupByLibrary.simpleMessage("Kurti viešą nuorodą"), - "creatingLink": - MessageLookupByLibrary.simpleMessage("Kuriama nuoroda..."), - "criticalUpdateAvailable": - MessageLookupByLibrary.simpleMessage("Yra kritinis naujinimas"), - "crop": MessageLookupByLibrary.simpleMessage("Apkirpti"), - "curatedMemories": - MessageLookupByLibrary.simpleMessage("Kuruoti prisiminimai"), - "currentUsageIs": - MessageLookupByLibrary.simpleMessage("Dabartinis naudojimas – "), - "currentlyRunning": - MessageLookupByLibrary.simpleMessage("šiuo metu vykdoma"), - "custom": MessageLookupByLibrary.simpleMessage("Pasirinktinis"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Tamsi"), - "dayToday": MessageLookupByLibrary.simpleMessage("Šiandien"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Vakar"), - "declineTrustInvite": - MessageLookupByLibrary.simpleMessage("Atmesti kvietimą"), - "decrypting": MessageLookupByLibrary.simpleMessage("Iššifruojama..."), - "decryptingVideo": MessageLookupByLibrary.simpleMessage( - "Iššifruojamas vaizdo įrašas..."), - "deduplicateFiles": - MessageLookupByLibrary.simpleMessage("Atdubliuoti failus"), - "delete": MessageLookupByLibrary.simpleMessage("Ištrinti"), - "deleteAccount": - MessageLookupByLibrary.simpleMessage("Ištrinti paskyrą"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Apgailestaujame, kad išeinate. Pasidalykite savo atsiliepimais, kad padėtumėte mums tobulėti."), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Ištrinti paskyrą negrįžtamai"), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Ištrinti albumą"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Taip pat ištrinti šiame albume esančias nuotraukas (ir vaizdo įrašus) iš visų kitų albumų, kuriuose jos yra dalis?"), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "Tai ištrins visus tuščius albumus. Tai naudinga, kai norite sumažinti netvarką savo albumų sąraše."), - "deleteAll": MessageLookupByLibrary.simpleMessage("Ištrinti viską"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "Ši paskyra susieta su kitomis „Ente“ programomis, jei jas naudojate. Jūsų įkelti duomenys per visas „Ente“ programas bus planuojama ištrinti, o jūsų paskyra bus ištrinta negrįžtamai."), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Iš savo registruoto el. pašto adreso siųskite el. laišką adresu account-deletion@ente.io."), - "deleteEmptyAlbums": - MessageLookupByLibrary.simpleMessage("Ištrinti tuščius albumus"), - "deleteEmptyAlbumsWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Ištrinti tuščius albumus?"), - "deleteFromBoth": - MessageLookupByLibrary.simpleMessage("Ištrinti iš abiejų"), - "deleteFromDevice": - MessageLookupByLibrary.simpleMessage("Ištrinti iš įrenginio"), - "deleteFromEnte": - MessageLookupByLibrary.simpleMessage("Ištrinti iš „Ente“"), - "deleteItemCount": m21, - "deleteLocation": - MessageLookupByLibrary.simpleMessage("Ištrinti vietovę"), - "deleteMultipleAlbumDialog": m22, - "deletePhotos": - MessageLookupByLibrary.simpleMessage("Ištrinti nuotraukas"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Trūksta pagrindinės funkcijos, kurios man reikia"), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "Programa arba tam tikra funkcija nesielgia taip, kaip, mano manymu, turėtų elgtis"), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Radau kitą paslaugą, kuri man patinka labiau"), - "deleteReason4": - MessageLookupByLibrary.simpleMessage("Mano priežastis nenurodyta"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Jūsų prašymas bus apdorotas per 72 valandas."), - "deleteSharedAlbum": - MessageLookupByLibrary.simpleMessage("Ištrinti bendrinamą albumą?"), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "Albumas bus ištrintas visiems.\n\nPrarasite prieigą prie bendrinamų nuotraukų, esančių šiame albume ir priklausančių kitiems."), - "deselectAll": - MessageLookupByLibrary.simpleMessage("Naikinti visų pasirinkimą"), - "designedToOutlive": - MessageLookupByLibrary.simpleMessage("Sukurta išgyventi"), - "details": MessageLookupByLibrary.simpleMessage("Išsami informacija"), - "developerSettings": - MessageLookupByLibrary.simpleMessage("Kūrėjo nustatymai"), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Ar tikrai norite modifikuoti kūrėjo nustatymus?"), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Įveskite kodą"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "Į šį įrenginio albumą įtraukti failai bus automatiškai įkelti į „Ente“."), - "deviceLock": - MessageLookupByLibrary.simpleMessage("Įrenginio užraktas"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Išjunkite įrenginio ekrano užraktą, kai „Ente“ yra priekiniame fone ir kuriama atsarginės kopijos. Paprastai to nereikia, bet tai gali padėti greičiau užbaigti didelius įkėlimus ir pradinį didelių bibliotekų importą."), - "deviceNotFound": - MessageLookupByLibrary.simpleMessage("Įrenginys nerastas"), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Ar žinojote?"), - "disableAutoLock": - MessageLookupByLibrary.simpleMessage("Išjungti automatinį užraktą"), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Žiūrėtojai vis tiek gali daryti ekrano kopijas arba išsaugoti nuotraukų kopijas naudojant išorinius įrankius"), - "disableDownloadWarningTitle": - MessageLookupByLibrary.simpleMessage("Atkreipkite dėmesį"), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "Išjungti dvigubą tapatybės nustatymą"), - "disablingTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Išjungiamas dvigubas tapatybės nustatymas..."), - "discord": MessageLookupByLibrary.simpleMessage("„Discord“"), - "discover": MessageLookupByLibrary.simpleMessage("Atraskite"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Kūdikiai"), - "discover_celebrations": - MessageLookupByLibrary.simpleMessage("Šventės"), - "discover_food": MessageLookupByLibrary.simpleMessage("Maistas"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Žaluma"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Kalvos"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Tapatybė"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Mėmai"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Užrašai"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Gyvūnai"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Kvitai"), - "discover_screenshots": - MessageLookupByLibrary.simpleMessage("Ekrano kopijos"), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Asmenukės"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Saulėlydis"), - "discover_visiting_cards": - MessageLookupByLibrary.simpleMessage("Lankymo kortelės"), - "discover_wallpapers": - MessageLookupByLibrary.simpleMessage("Ekrano fonai"), - "dismiss": MessageLookupByLibrary.simpleMessage("Atmesti"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage("Neatsijungti"), - "doThisLater": - MessageLookupByLibrary.simpleMessage("Daryti tai vėliau"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Ar norite atmesti atliktus pakeitimus?"), - "done": MessageLookupByLibrary.simpleMessage("Atlikta"), - "dontSave": MessageLookupByLibrary.simpleMessage("Neišsaugoti"), - "doubleYourStorage": - MessageLookupByLibrary.simpleMessage("Padvigubinkite saugyklą"), - "download": MessageLookupByLibrary.simpleMessage("Atsisiųsti"), - "downloadFailed": - MessageLookupByLibrary.simpleMessage("Atsisiuntimas nepavyko."), - "downloading": MessageLookupByLibrary.simpleMessage("Atsisiunčiama..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Redaguoti"), - "editEmailAlreadyLinked": m28, - "editLocation": - MessageLookupByLibrary.simpleMessage("Redaguoti vietovę"), - "editLocationTagTitle": - MessageLookupByLibrary.simpleMessage("Redaguoti vietovę"), - "editPerson": MessageLookupByLibrary.simpleMessage("Redaguoti asmenį"), - "editTime": MessageLookupByLibrary.simpleMessage("Redaguoti laiką"), - "editsSaved": - MessageLookupByLibrary.simpleMessage("Redagavimai išsaugoti"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Vietovės pakeitimai bus matomi tik per „Ente“"), - "eligible": MessageLookupByLibrary.simpleMessage("tinkamas"), - "email": MessageLookupByLibrary.simpleMessage("El. paštas"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "El. paštas jau užregistruotas."), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": - MessageLookupByLibrary.simpleMessage("El. paštas neregistruotas."), - "emailVerificationToggle": - MessageLookupByLibrary.simpleMessage("El. pašto patvirtinimas"), - "emailYourLogs": MessageLookupByLibrary.simpleMessage( - "Atsiųskite žurnalus el. laišku"), - "embracingThem": m32, - "emergencyContacts": - MessageLookupByLibrary.simpleMessage("Skubios pagalbos kontaktai"), - "empty": MessageLookupByLibrary.simpleMessage("Ištuštinti"), - "emptyTrash": - MessageLookupByLibrary.simpleMessage("Ištuštinti šiukšlinę?"), - "enable": MessageLookupByLibrary.simpleMessage("Įjungti"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "„Ente“ palaiko įrenginyje mašininį mokymąsi, skirtą veidų atpažinimui, magiškai paieškai ir kitoms išplėstinėms paieškos funkcijoms"), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Įjunkite mašininį mokymąsi magiškai paieškai ir veidų atpažinimui"), - "enableMaps": - MessageLookupByLibrary.simpleMessage("Įjungti žemėlapius"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "Tai parodys jūsų nuotraukas pasaulio žemėlapyje.\n\nŠį žemėlapį talpina „OpenStreetMap“, o tiksliomis nuotraukų vietovėmis niekada nebendrinama.\n\nŠią funkciją bet kada galite išjungti iš nustatymų."), - "enabled": MessageLookupByLibrary.simpleMessage("Įjungta"), - "encryptingBackup": MessageLookupByLibrary.simpleMessage( - "Šifruojama atsarginė kopija..."), - "encryption": MessageLookupByLibrary.simpleMessage("Šifravimas"), - "encryptionKeys": - MessageLookupByLibrary.simpleMessage("Šifravimo raktai"), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Galutinis taškas sėkmingai atnaujintas"), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Pagal numatytąjį užšifruota visapusiškai"), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "„Ente“ gali užšifruoti ir išsaugoti failus tik tada, jei suteikiate prieigą prie jų."), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "„Ente“ reikia leidimo išsaugoti jūsų nuotraukas"), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "„Ente“ išsaugo jūsų prisiminimus, todėl jie visada bus pasiekiami, net jei prarasite įrenginį."), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Į planą galima pridėti ir savo šeimą."), - "enterAlbumName": - MessageLookupByLibrary.simpleMessage("Įveskite albumo pavadinimą"), - "enterCode": MessageLookupByLibrary.simpleMessage("Įvesti kodą"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Įveskite draugo pateiktą kodą, kad gautumėte nemokamą saugyklą abiem."), - "enterDateOfBirth": - MessageLookupByLibrary.simpleMessage("Gimtadienis (neprivaloma)"), - "enterEmail": - MessageLookupByLibrary.simpleMessage("Įveskite el. paštą"), - "enterFileName": - MessageLookupByLibrary.simpleMessage("Įveskite failo pavadinimą"), - "enterName": MessageLookupByLibrary.simpleMessage("Įveskite vardą"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Įveskite naują slaptažodį, kurį galime naudoti jūsų duomenims šifruoti"), - "enterPassword": - MessageLookupByLibrary.simpleMessage("Įveskite slaptažodį"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Įveskite slaptažodį, kurį galime naudoti jūsų duomenims šifruoti"), - "enterPersonName": - MessageLookupByLibrary.simpleMessage("Įveskite asmens vardą"), - "enterPin": MessageLookupByLibrary.simpleMessage("Įveskite PIN"), - "enterReferralCode": MessageLookupByLibrary.simpleMessage( - "Įveskite rekomendacijos kodą"), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Įveskite 6 skaitmenų kodą\niš autentifikatoriaus programos"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Įveskite tinkamą el. pašto adresą."), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Įveskite savo el. pašto adresą"), - "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( - "Įveskite savo naują el. pašto adresą"), - "enterYourPassword": - MessageLookupByLibrary.simpleMessage("Įveskite savo slaptažodį"), - "enterYourRecoveryKey": - MessageLookupByLibrary.simpleMessage("Įveskite atkūrimo raktą"), - "error": MessageLookupByLibrary.simpleMessage("Klaida"), - "everywhere": MessageLookupByLibrary.simpleMessage("visur"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": - MessageLookupByLibrary.simpleMessage("Esamas naudotojas"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Ši nuoroda nebegalioja. Pasirinkite naują galiojimo laiką arba išjunkite nuorodos galiojimo laiką."), - "exportLogs": - MessageLookupByLibrary.simpleMessage("Eksportuoti žurnalus"), - "exportYourData": - MessageLookupByLibrary.simpleMessage("Eksportuoti duomenis"), - "extraPhotosFound": MessageLookupByLibrary.simpleMessage( - "Rastos papildomos nuotraukos"), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Veidas dar nesugrupuotas. Grįžkite vėliau."), - "faceRecognition": - MessageLookupByLibrary.simpleMessage("Veido atpažinimas"), - "faces": MessageLookupByLibrary.simpleMessage("Veidai"), - "failed": MessageLookupByLibrary.simpleMessage("Nepavyko"), - "failedToApplyCode": - MessageLookupByLibrary.simpleMessage("Nepavyko pritaikyti kodo."), - "failedToCancel": - MessageLookupByLibrary.simpleMessage("Nepavyko atsisakyti"), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( - "Nepavyko atsisiųsti vaizdo įrašo."), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Nepavyko gauti aktyvių seansų."), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Nepavyko gauti originalo redagavimui."), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Nepavyksta gauti rekomendacijos išsamios informacijos. Bandykite dar kartą vėliau."), - "failedToLoadAlbums": - MessageLookupByLibrary.simpleMessage("Nepavyko įkelti albumų."), - "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Nepavyko paleisti vaizdo įrašą. "), - "failedToRefreshStripeSubscription": - MessageLookupByLibrary.simpleMessage( - "Nepavyko atnaujinti prenumeratos."), - "failedToRenew": - MessageLookupByLibrary.simpleMessage("Nepavyko pratęsti."), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Nepavyko patvirtinti mokėjimo būsenos"), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Įtraukite 5 šeimos narius į jūsų esamą planą nemokėdami papildomai.\n\nKiekvienas narys gauna savo asmeninę vietą ir negali matyti vienas kito failų, nebent jie bendrinami.\n\nŠeimos planai pasiekiami klientams, kurie turi mokamą „Ente“ prenumeratą.\n\nPrenumeruokite dabar, kad pradėtumėte!"), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Šeima"), - "familyPlans": MessageLookupByLibrary.simpleMessage("Šeimos planai"), - "faq": MessageLookupByLibrary.simpleMessage("DUK"), - "faqs": MessageLookupByLibrary.simpleMessage("DUK"), - "favorite": MessageLookupByLibrary.simpleMessage("Pamėgti"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("Atsiliepimai"), - "file": MessageLookupByLibrary.simpleMessage("Failas"), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Nepavyko išsaugoti failo į galeriją"), - "fileInfoAddDescHint": - MessageLookupByLibrary.simpleMessage("Pridėti aprašymą..."), - "fileNotUploadedYet": - MessageLookupByLibrary.simpleMessage("Failas dar neįkeltas."), - "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Failas išsaugotas į galeriją"), - "fileTypes": MessageLookupByLibrary.simpleMessage("Failų tipai"), - "fileTypesAndNames": - MessageLookupByLibrary.simpleMessage("Failų tipai ir pavadinimai"), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage("Failai ištrinti"), - "filesSavedToGallery": - MessageLookupByLibrary.simpleMessage("Failai išsaugoti į galeriją"), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Greitai suraskite žmones pagal vardą"), - "findThemQuickly": - MessageLookupByLibrary.simpleMessage("Raskite juos greitai"), - "flip": MessageLookupByLibrary.simpleMessage("Apversti"), - "food": MessageLookupByLibrary.simpleMessage("Kulinarinis malonumas"), - "forYourMemories": - MessageLookupByLibrary.simpleMessage("jūsų prisiminimams"), - "forgotPassword": - MessageLookupByLibrary.simpleMessage("Pamiršau slaptažodį"), - "foundFaces": MessageLookupByLibrary.simpleMessage("Rasti veidai"), - "freeStorageClaimed": - MessageLookupByLibrary.simpleMessage("Gauta nemokama saugykla"), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": - MessageLookupByLibrary.simpleMessage("Naudojama nemokama saugykla"), - "freeTrial": MessageLookupByLibrary.simpleMessage( - "Nemokamas bandomasis laikotarpis"), - "freeTrialValidTill": m38, - "freeUpAccessPostDelete": m39, - "freeUpAmount": m40, - "freeUpDeviceSpace": - MessageLookupByLibrary.simpleMessage("Atlaisvinti įrenginio vietą"), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Sutaupykite vietos savo įrenginyje išvalydami failus, kurių atsarginės kopijos jau buvo sukurtos."), - "freeUpSpace": - MessageLookupByLibrary.simpleMessage("Atlaisvinti vietos"), - "freeUpSpaceSaving": m41, - "gallery": MessageLookupByLibrary.simpleMessage("Galerija"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "Galerijoje rodoma iki 1000 prisiminimų"), - "general": MessageLookupByLibrary.simpleMessage("Bendrieji"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Generuojami šifravimo raktai..."), - "genericProgress": m42, - "goToSettings": - MessageLookupByLibrary.simpleMessage("Eiti į nustatymus"), - "googlePlayId": - MessageLookupByLibrary.simpleMessage("„Google Play“ ID"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Leiskite prieigą prie visų nuotraukų nustatymų programoje."), - "grantPermission": - MessageLookupByLibrary.simpleMessage("Suteikti leidimą"), - "greenery": MessageLookupByLibrary.simpleMessage("Žaliasis gyvenimas"), - "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( - "Grupuoti netoliese nuotraukas"), - "guestView": MessageLookupByLibrary.simpleMessage("Svečio peržiūra"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "Kad įjungtumėte svečio peržiūrą, sistemos nustatymuose nustatykite įrenginio prieigos kodą arba ekrano užraktą."), - "happyBirthday": - MessageLookupByLibrary.simpleMessage("Su gimtadieniu! 🥳"), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "Mes nesekame programų diegimų. Mums padėtų, jei pasakytumėte, kur mus radote."), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Kaip išgirdote apie „Ente“? (nebūtina)"), - "help": MessageLookupByLibrary.simpleMessage("Pagalba"), - "hidden": MessageLookupByLibrary.simpleMessage("Paslėpti"), - "hide": MessageLookupByLibrary.simpleMessage("Slėpti"), - "hideContent": MessageLookupByLibrary.simpleMessage("Slėpti turinį"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Paslepia programų turinį programų perjungiklyje ir išjungia ekrano kopijas"), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Paslepia programos turinį programos perjungiklyje"), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "Slėpti bendrinamus elementus iš pagrindinės galerijos"), - "hiding": MessageLookupByLibrary.simpleMessage("Slepiama..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": - MessageLookupByLibrary.simpleMessage("Talpinama OSM Prancūzijoje"), - "howItWorks": MessageLookupByLibrary.simpleMessage("Kaip tai veikia"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Paprašykite jų ilgai paspausti savo el. pašto adresą nustatymų ekrane ir patvirtinti, kad abiejų įrenginių ID sutampa."), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Biometrinis tapatybės nustatymas jūsų įrenginyje nenustatytas. Telefone įjunkite „Touch ID“ arba „Face ID“."), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "Biometrinis tapatybės nustatymas išjungtas. Kad jį įjungtumėte, užrakinkite ir atrakinkite ekraną."), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("Gerai"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignoruoti"), - "ignored": MessageLookupByLibrary.simpleMessage("ignoruota"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Kai kurie šio albumo failai ignoruojami, nes anksčiau buvo ištrinti iš „Ente“."), - "imageNotAnalyzed": - MessageLookupByLibrary.simpleMessage("Vaizdas neanalizuotas."), - "immediately": MessageLookupByLibrary.simpleMessage("Iš karto"), - "importing": MessageLookupByLibrary.simpleMessage("Importuojama...."), - "incorrectCode": - MessageLookupByLibrary.simpleMessage("Neteisingas kodas."), - "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("Neteisingas slaptažodis"), - "incorrectRecoveryKey": - MessageLookupByLibrary.simpleMessage("Neteisingas atkūrimo raktas"), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "Įvestas atkūrimo raktas yra neteisingas."), - "incorrectRecoveryKeyTitle": - MessageLookupByLibrary.simpleMessage("Neteisingas atkūrimo raktas"), - "indexedItems": - MessageLookupByLibrary.simpleMessage("Indeksuoti elementai"), - "ineligible": MessageLookupByLibrary.simpleMessage("Netinkami"), - "info": MessageLookupByLibrary.simpleMessage("Informacija"), - "insecureDevice": - MessageLookupByLibrary.simpleMessage("Nesaugus įrenginys"), - "installManually": - MessageLookupByLibrary.simpleMessage("Diegti rankiniu būdu"), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "Netinkamas el. pašto adresas"), - "invalidEndpoint": - MessageLookupByLibrary.simpleMessage("Netinkamas galutinis taškas"), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Atsiprašome, įvestas galutinis taškas netinkamas. Įveskite tinkamą galutinį tašką ir bandykite dar kartą."), - "invalidKey": - MessageLookupByLibrary.simpleMessage("Netinkamas raktas."), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Įvestas atkūrimo raktas yra netinkamas. Įsitikinkite, kad jame yra 24 žodžiai, ir patikrinkite kiekvieno iš jų rašybą.\n\nJei įvedėte senesnį atkūrimo kodą, įsitikinkite, kad jis yra 64 simbolių ilgio, ir patikrinkite kiekvieną iš jų."), - "invite": MessageLookupByLibrary.simpleMessage("Kviesti"), - "inviteToEnte": - MessageLookupByLibrary.simpleMessage("Kviesti į „Ente“"), - "inviteYourFriends": - MessageLookupByLibrary.simpleMessage("Kviesti savo draugus"), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "Pakvieskite savo draugus į „Ente“"), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Atrodo, kad kažkas nutiko ne taip. Bandykite pakartotinai po kurio laiko. Jei klaida tęsiasi, susisiekite su mūsų palaikymo komanda."), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "Elementai rodo likusių dienų skaičių iki visiško ištrynimo."), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Pasirinkti elementai bus pašalinti iš šio albumo"), - "join": MessageLookupByLibrary.simpleMessage("Jungtis"), - "joinAlbum": - MessageLookupByLibrary.simpleMessage("Junkitės prie albumo"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "Prisijungus prie albumo, jūsų el. paštas bus matomas jo dalyviams."), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( - "kad peržiūrėtumėte ir pridėtumėte savo nuotraukas"), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "kad pridėtumėte tai prie bendrinamų albumų"), - "joinDiscord": - MessageLookupByLibrary.simpleMessage("Jungtis prie „Discord“"), - "keepPhotos": - MessageLookupByLibrary.simpleMessage("Palikti nuotraukas"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Maloniai padėkite mums su šia informacija."), - "language": MessageLookupByLibrary.simpleMessage("Kalba"), - "lastTimeWithThem": m45, - "lastUpdated": - MessageLookupByLibrary.simpleMessage("Paskutinį kartą atnaujintą"), - "lastYearsTrip": - MessageLookupByLibrary.simpleMessage("Pastarųjų metų kelionė"), - "leave": MessageLookupByLibrary.simpleMessage("Palikti"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Palikti albumą"), - "leaveFamily": MessageLookupByLibrary.simpleMessage("Palikti šeimą"), - "leaveSharedAlbum": - MessageLookupByLibrary.simpleMessage("Palikti bendrinamą albumą?"), - "left": MessageLookupByLibrary.simpleMessage("Kairė"), - "legacy": MessageLookupByLibrary.simpleMessage("Palikimas"), - "legacyAccounts": - MessageLookupByLibrary.simpleMessage("Palikimo paskyros"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "Palikimas leidžia patikimiems kontaktams pasiekti jūsų paskyrą jums nesant."), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "Patikimi kontaktai gali pradėti paskyros atkūrimą, o jei per 30 dienų paskyra neužblokuojama, iš naujo nustatyti slaptažodį ir pasiekti paskyrą."), - "light": MessageLookupByLibrary.simpleMessage("Šviesi"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Šviesi"), - "link": MessageLookupByLibrary.simpleMessage("Susieti"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Nuoroda nukopijuota į iškarpinę"), - "linkDeviceLimit": - MessageLookupByLibrary.simpleMessage("Įrenginių riba"), - "linkEmail": MessageLookupByLibrary.simpleMessage("Susieti el. paštą"), - "linkEmailToContactBannerCaption": - MessageLookupByLibrary.simpleMessage("spartesniam bendrinimui"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Įjungta"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Nebegalioja"), - "linkExpiresOn": m47, - "linkExpiry": - MessageLookupByLibrary.simpleMessage("Nuorodos galiojimo laikas"), - "linkHasExpired": - MessageLookupByLibrary.simpleMessage("Nuoroda nebegalioja"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Niekada"), - "linkPerson": MessageLookupByLibrary.simpleMessage("Susiekite asmenį,"), - "linkPersonCaption": MessageLookupByLibrary.simpleMessage( - "geresniam bendrinimo patirčiai"), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("Gyvos nuotraukos"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "Galite bendrinti savo prenumeratą su šeima."), - "loadMessage2": MessageLookupByLibrary.simpleMessage( - "Iki šiol išsaugojome daugiau nei 200 milijonų prisiminimų."), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "Laikome 3 jūsų duomenų kopijas, vieną iš jų – požeminėje priešgaisrinėje slėptuvėje."), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "Visos mūsų programos yra atvirojo kodo."), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Mūsų šaltinio kodas ir kriptografija buvo išoriškai audituoti."), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "Galite bendrinti savo albumų nuorodas su artimaisiais."), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Mūsų mobiliosios programos veikia fone, kad užšifruotų ir sukurtų atsarginę kopiją visų naujų nuotraukų, kurias spustelėjate."), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io turi sklandų įkėlėją"), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Naudojame „Xchacha20Poly1305“, kad saugiai užšifruotume jūsų duomenis."), - "loadingExifData": - MessageLookupByLibrary.simpleMessage("Įkeliami EXIF duomenys..."), - "loadingGallery": - MessageLookupByLibrary.simpleMessage("Įkeliama galerija..."), - "loadingMessage": MessageLookupByLibrary.simpleMessage( - "Įkeliamos jūsų nuotraukos..."), - "loadingModel": - MessageLookupByLibrary.simpleMessage("Atsisiunčiami modeliai..."), - "loadingYourPhotos": - MessageLookupByLibrary.simpleMessage("Įkeliamos nuotraukos..."), - "localGallery": - MessageLookupByLibrary.simpleMessage("Vietinė galerija"), - "localIndexing": - MessageLookupByLibrary.simpleMessage("Vietinis indeksavimas"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Atrodo, kad kažkas nutiko ne taip, nes vietinių nuotraukų sinchronizavimas trunka ilgiau nei tikėtasi. Susisiekite su mūsų palaikymo komanda."), - "location": MessageLookupByLibrary.simpleMessage("Vietovė"), - "locationName": - MessageLookupByLibrary.simpleMessage("Vietovės pavadinimas"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Vietos žymė grupuoja visas nuotraukas, kurios buvo padarytos tam tikru spinduliu nuo nuotraukos"), - "locations": MessageLookupByLibrary.simpleMessage("Vietovės"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Užrakinti"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Ekrano užraktas"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Prisijungti"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Atsijungiama..."), - "loginSessionExpired": - MessageLookupByLibrary.simpleMessage("Seansas baigėsi"), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "Jūsų seansas baigėsi. Prisijunkite iš naujo."), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Spustelėjus Prisijungti sutinku su paslaugų sąlygomis ir privatumo politika"), - "loginWithTOTP": - MessageLookupByLibrary.simpleMessage("Prisijungti su TOTP"), - "logout": MessageLookupByLibrary.simpleMessage("Atsijungti"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Tai nusiųs žurnalus, kurie padės mums išspręsti jūsų problemą. Atkreipkite dėmesį, kad failų pavadinimai bus įtraukti, kad būtų lengviau atsekti problemas su konkrečiais failais."), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Ilgai paspauskite el. paštą, kad patvirtintumėte visapusį šifravimą."), - "longpressOnAnItemToViewInFullscreen": - MessageLookupByLibrary.simpleMessage( - "Ilgai paspauskite elementą, kad peržiūrėtumėte per visą ekraną"), - "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( - "Pažvelkite atgal į savo prisiminimus 🌄"), - "loopVideoOff": MessageLookupByLibrary.simpleMessage( - "Išjungtas vaizdo įrašo ciklas"), - "loopVideoOn": MessageLookupByLibrary.simpleMessage( - "Įjungtas vaizdo įrašo ciklas"), - "lostDevice": - MessageLookupByLibrary.simpleMessage("Prarastas įrenginys?"), - "machineLearning": - MessageLookupByLibrary.simpleMessage("Mašininis mokymasis"), - "magicSearch": MessageLookupByLibrary.simpleMessage("Magiška paieška"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "Magiška paieška leidžia ieškoti nuotraukų pagal jų turinį, pvz., „gėlė“, „raudonas automobilis“, „tapatybės dokumentai“"), - "manage": MessageLookupByLibrary.simpleMessage("Tvarkyti"), - "manageDeviceStorage": - MessageLookupByLibrary.simpleMessage("Tvarkyti įrenginio podėlį"), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Peržiūrėkite ir išvalykite vietinę podėlį."), - "manageFamily": MessageLookupByLibrary.simpleMessage("Tvarkyti šeimą"), - "manageLink": MessageLookupByLibrary.simpleMessage("Tvarkyti nuorodą"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Tvarkyti"), - "manageSubscription": - MessageLookupByLibrary.simpleMessage("Tvarkyti prenumeratą"), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "Susieti su PIN kodu veikia bet kuriame ekrane, kuriame norite peržiūrėti albumą."), - "map": MessageLookupByLibrary.simpleMessage("Žemėlapis"), - "maps": MessageLookupByLibrary.simpleMessage("Žemėlapiai"), - "mastodon": MessageLookupByLibrary.simpleMessage("„Mastodon“"), - "matrix": MessageLookupByLibrary.simpleMessage("„Matrix“"), - "me": MessageLookupByLibrary.simpleMessage("Aš"), - "memories": MessageLookupByLibrary.simpleMessage("Prisiminimai"), - "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Pasirinkite, kokius prisiminimus norite matyti savo pradžios ekrane."), - "memoryCount": m50, - "merchandise": MessageLookupByLibrary.simpleMessage("Atributika"), - "mergeWithExisting": - MessageLookupByLibrary.simpleMessage("Sujungti su esamais"), - "mergedPhotos": - MessageLookupByLibrary.simpleMessage("Sujungtos nuotraukos"), - "mlConsent": - MessageLookupByLibrary.simpleMessage("Įjungti mašininį mokymąsi"), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Suprantu ir noriu įjungti mašininį mokymąsi"), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Jei įjungsite mašininį mokymąsi, „Ente“ išsitrauks tokią informaciją kaip veido geometrija iš failų, įskaitant tuos, kuriais su jumis bendrinama.\n\nTai bus daroma jūsų įrenginyje, o visa sugeneruota biometrinė informacija bus visapusiškai užšifruota."), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Spustelėkite čia dėl išsamesnės informacijos apie šią funkciją mūsų privatumo politikoje"), - "mlConsentTitle": - MessageLookupByLibrary.simpleMessage("Įjungti mašininį mokymąsi?"), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Atkreipkite dėmesį, kad mašininis mokymasis padidins pralaidumą ir akumuliatoriaus naudojimą, kol bus indeksuoti visi elementai. Apsvarstykite galimybę naudoti darbalaukio programą, kad indeksavimas būtų spartesnis – visi rezultatai bus sinchronizuojami automatiškai."), - "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( - "Mobiliuosiuose, internete ir darbalaukyje"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Vidutinė"), - "modifyYourQueryOrTrySearchingFor": - MessageLookupByLibrary.simpleMessage( - "Modifikuokite užklausą arba bandykite ieškoti"), - "moments": MessageLookupByLibrary.simpleMessage("Akimirkos"), - "month": MessageLookupByLibrary.simpleMessage("mėnesis"), - "monthly": MessageLookupByLibrary.simpleMessage("Mėnesinis"), - "moon": MessageLookupByLibrary.simpleMessage("Mėnulio šviesoje"), - "moreDetails": MessageLookupByLibrary.simpleMessage( - "Daugiau išsamios informacijos"), - "mostRecent": MessageLookupByLibrary.simpleMessage("Naujausią"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("Aktualiausią"), - "mountains": MessageLookupByLibrary.simpleMessage("Per kalvas"), - "moveItem": m51, - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "Perkelti pasirinktas nuotraukas į vieną datą"), - "moveToAlbum": - MessageLookupByLibrary.simpleMessage("Perkelti į albumą"), - "moveToHiddenAlbum": - MessageLookupByLibrary.simpleMessage("Perkelti į paslėptą albumą"), - "movedSuccessfullyTo": m52, - "movedToTrash": - MessageLookupByLibrary.simpleMessage("Perkelta į šiukšlinę"), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Perkeliami failai į albumą..."), - "name": MessageLookupByLibrary.simpleMessage("Pavadinimą"), - "nameTheAlbum": - MessageLookupByLibrary.simpleMessage("Pavadinkite albumą"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Nepavyksta prisijungti prie „Ente“. Bandykite dar kartą po kurio laiko. Jei klaida tęsiasi, susisiekite su palaikymo komanda."), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Nepavyksta prisijungti prie „Ente“. Patikrinkite tinklo nustatymus ir susisiekite su palaikymo komanda, jei klaida tęsiasi."), - "never": MessageLookupByLibrary.simpleMessage("Niekada"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Naujas albumas"), - "newLocation": MessageLookupByLibrary.simpleMessage("Nauja vietovė"), - "newPerson": MessageLookupByLibrary.simpleMessage("Naujas asmuo"), - "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" naujas 📸"), - "newRange": MessageLookupByLibrary.simpleMessage("Naujas intervalas"), - "newToEnte": - MessageLookupByLibrary.simpleMessage("Naujas platformoje „Ente“"), - "newest": MessageLookupByLibrary.simpleMessage("Naujausią"), - "next": MessageLookupByLibrary.simpleMessage("Toliau"), - "no": MessageLookupByLibrary.simpleMessage("Ne"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Dar nėra albumų, kuriais bendrinotės."), - "noDeviceFound": - MessageLookupByLibrary.simpleMessage("Įrenginys nerastas"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Jokio"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "Neturite šiame įrenginyje failų, kuriuos galima ištrinti."), - "noDuplicates": - MessageLookupByLibrary.simpleMessage("✨ Dublikatų nėra"), - "noEnteAccountExclamation": - MessageLookupByLibrary.simpleMessage("Nėra „Ente“ paskyros!"), - "noExifData": MessageLookupByLibrary.simpleMessage("Nėra EXIF duomenų"), - "noFacesFound": MessageLookupByLibrary.simpleMessage("Nerasta veidų."), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "Nėra paslėptų nuotraukų arba vaizdo įrašų"), - "noImagesWithLocation": - MessageLookupByLibrary.simpleMessage("Nėra vaizdų su vietove"), - "noInternetConnection": - MessageLookupByLibrary.simpleMessage("Nėra interneto ryšio"), - "noPhotosAreBeingBackedUpRightNow": - MessageLookupByLibrary.simpleMessage( - "Šiuo metu nekuriamos atsarginės nuotraukų kopijos"), - "noPhotosFoundHere": - MessageLookupByLibrary.simpleMessage("Nuotraukų čia nerasta"), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( - "Nėra pasirinktų sparčiųjų nuorodų"), - "noRecoveryKey": - MessageLookupByLibrary.simpleMessage("Neturite atkūrimo rakto?"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Dėl mūsų visapusio šifravimo protokolo pobūdžio jūsų duomenų negalima iššifruoti be slaptažodžio arba atkūrimo rakto"), - "noResults": MessageLookupByLibrary.simpleMessage("Rezultatų nėra."), - "noResultsFound": - MessageLookupByLibrary.simpleMessage("Rezultatų nerasta."), - "noSuggestionsForPerson": m53, - "noSystemLockFound": - MessageLookupByLibrary.simpleMessage("Nerastas sistemos užraktas"), - "notPersonLabel": m54, - "notThisPerson": MessageLookupByLibrary.simpleMessage("Ne šis asmuo?"), - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "Kol kas su jumis niekuo nesibendrinama."), - "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( - "Čia nėra nieko, ką pamatyti. 👀"), - "notifications": MessageLookupByLibrary.simpleMessage("Pranešimai"), - "ok": MessageLookupByLibrary.simpleMessage("Gerai"), - "onDevice": MessageLookupByLibrary.simpleMessage("Įrenginyje"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "Saugykloje ente"), - "onTheRoad": MessageLookupByLibrary.simpleMessage("Vėl kelyje"), - "onThisDay": MessageLookupByLibrary.simpleMessage("Šią dieną"), - "onThisDayMemories": - MessageLookupByLibrary.simpleMessage("Šios dienos prisiminimai"), - "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( - "Gaukite priminimus apie praėjusių metų šios dienos prisiminimus."), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Tik jiems"), - "oops": MessageLookupByLibrary.simpleMessage("Ups"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Ups, nepavyko išsaugoti redagavimų."), - "oopsSomethingWentWrong": - MessageLookupByLibrary.simpleMessage("Ups, kažkas nutiko ne taip"), - "openAlbumInBrowser": - MessageLookupByLibrary.simpleMessage("Atverti albumą naršyklėje"), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Naudokite interneto programą, kad pridėtumėte nuotraukų į šį albumą."), - "openFile": MessageLookupByLibrary.simpleMessage("Atverti failą"), - "openSettings": - MessageLookupByLibrary.simpleMessage("Atverti nustatymus"), - "openTheItem": - MessageLookupByLibrary.simpleMessage("• Atverkite elementą."), - "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( - "„OpenStreetMap“ bendradarbiai"), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Nebūtina, trumpai, kaip jums patinka..."), - "orMergeWithExistingPerson": - MessageLookupByLibrary.simpleMessage("Arba sujunkite su esamais"), - "orPickAnExistingOne": - MessageLookupByLibrary.simpleMessage("Arba pasirinkite esamą"), - "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( - "arba pasirinkite iš savo kontaktų"), - "pair": MessageLookupByLibrary.simpleMessage("Susieti"), - "pairWithPin": MessageLookupByLibrary.simpleMessage("Susieti su PIN"), - "pairingComplete": - MessageLookupByLibrary.simpleMessage("Susiejimas baigtas"), - "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), - "partyWithThem": m56, - "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( - "Vis dar laukiama patvirtinimo"), - "passkey": MessageLookupByLibrary.simpleMessage("Slaptaraktis"), - "passkeyAuthTitle": - MessageLookupByLibrary.simpleMessage("Slaptarakčio patvirtinimas"), - "password": MessageLookupByLibrary.simpleMessage("Slaptažodis"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Slaptažodis sėkmingai pakeistas"), - "passwordLock": - MessageLookupByLibrary.simpleMessage("Slaptažodžio užraktas"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "Slaptažodžio stiprumas apskaičiuojamas atsižvelgiant į slaptažodžio ilgį, naudotus simbolius ir į tai, ar slaptažodis patenka į 10 000 dažniausiai naudojamų slaptažodžių."), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Šio slaptažodžio nesaugome, todėl jei jį pamiršite, negalėsime iššifruoti jūsų duomenų"), - "pastYearsMemories": - MessageLookupByLibrary.simpleMessage("Praėjusių metų prisiminimai"), - "paymentDetails": - MessageLookupByLibrary.simpleMessage("Mokėjimo duomenys"), - "paymentFailed": - MessageLookupByLibrary.simpleMessage("Mokėjimas nepavyko"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "Deja, jūsų mokėjimas nepavyko. Susisiekite su palaikymo komanda ir mes jums padėsime!"), - "paymentFailedTalkToProvider": m58, - "pendingItems": - MessageLookupByLibrary.simpleMessage("Laukiami elementai"), - "pendingSync": - MessageLookupByLibrary.simpleMessage("Laukiama sinchronizacija"), - "people": MessageLookupByLibrary.simpleMessage("Asmenys"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Asmenys, naudojantys jūsų kodą"), - "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Pasirinkite asmenis, kuriuos norite matyti savo pradžios ekrane."), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Visi elementai šiukšlinėje bus negrįžtamai ištrinti.\n\nŠio veiksmo negalima anuliuoti."), - "permanentlyDelete": - MessageLookupByLibrary.simpleMessage("Ištrinti negrįžtamai"), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Ištrinti negrįžtamai iš įrenginio?"), - "personIsAge": m59, - "personName": MessageLookupByLibrary.simpleMessage("Asmens vardas"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("Furio draugai"), - "photoDescriptions": - MessageLookupByLibrary.simpleMessage("Nuotraukų aprašai"), - "photoGridSize": - MessageLookupByLibrary.simpleMessage("Nuotraukų tinklelio dydis"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("nuotrauka"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("Nuotraukos"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "Jūsų pridėtos nuotraukos bus pašalintos iš albumo"), - "photosCount": m62, - "photosKeepRelativeTimeDifference": - MessageLookupByLibrary.simpleMessage( - "Nuotraukos išlaiko santykinį laiko skirtumą"), - "pickCenterPoint": - MessageLookupByLibrary.simpleMessage("Pasirinkite centro tašką"), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Prisegti albumą"), - "pinLock": MessageLookupByLibrary.simpleMessage("PIN užrakinimas"), - "playOnTv": MessageLookupByLibrary.simpleMessage( - "Paleisti albumą televizoriuje"), - "playOriginal": - MessageLookupByLibrary.simpleMessage("Leisti originalą"), - "playStoreFreeTrialValidTill": m63, - "playStream": - MessageLookupByLibrary.simpleMessage("Leisti srautinį perdavimą"), - "playstoreSubscription": - MessageLookupByLibrary.simpleMessage("„PlayStore“ prenumerata"), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Patikrinkite savo interneto ryšį ir bandykite dar kartą."), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Susisiekite adresu support@ente.io ir mes mielai padėsime!"), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Jei problema išlieka, susisiekite su pagalbos komanda."), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": - MessageLookupByLibrary.simpleMessage("Suteikite leidimus."), - "pleaseLoginAgain": - MessageLookupByLibrary.simpleMessage("Prisijunkite iš naujo."), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Pasirinkite sparčiąsias nuorodas, kad pašalintumėte"), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": - MessageLookupByLibrary.simpleMessage("Bandykite dar kartą."), - "pleaseVerifyTheCodeYouHaveEntered": - MessageLookupByLibrary.simpleMessage("Patvirtinkite įvestą kodą."), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Palaukite..."), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Palaukite. Ištrinamas albumas"), - "pleaseWaitForSometimeBeforeRetrying": - MessageLookupByLibrary.simpleMessage( - "Palaukite kurį laiką prieš bandydami pakartotinai"), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "Palaukite, tai šiek tiek užtruks."), - "posingWithThem": m66, - "preparingLogs": - MessageLookupByLibrary.simpleMessage("Ruošiami žurnalai..."), - "preserveMore": - MessageLookupByLibrary.simpleMessage("Išsaugoti daugiau"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Paspauskite ir palaikykite, kad paleistumėte vaizdo įrašą"), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Paspauskite ir palaikykite vaizdą, kad paleistumėte vaizdo įrašą"), - "previous": MessageLookupByLibrary.simpleMessage("Ankstesnis"), - "privacy": MessageLookupByLibrary.simpleMessage("Privatumas"), - "privacyPolicyTitle": - MessageLookupByLibrary.simpleMessage("Privatumo politika"), - "privateBackups": MessageLookupByLibrary.simpleMessage( - "Privačios atsarginės kopijos"), - "privateSharing": - MessageLookupByLibrary.simpleMessage("Privatus bendrinimas"), - "proceed": MessageLookupByLibrary.simpleMessage("Tęsti"), - "processed": MessageLookupByLibrary.simpleMessage("Apdorota"), - "processing": MessageLookupByLibrary.simpleMessage("Apdorojama"), - "processingImport": m67, - "processingVideos": - MessageLookupByLibrary.simpleMessage("Apdorojami vaizdo įrašai"), - "publicLinkCreated": - MessageLookupByLibrary.simpleMessage("Vieša nuoroda sukurta"), - "publicLinkEnabled": - MessageLookupByLibrary.simpleMessage("Įjungta viešoji nuoroda"), - "queued": MessageLookupByLibrary.simpleMessage("Įtraukta eilėje"), - "quickLinks": MessageLookupByLibrary.simpleMessage("Sparčios nuorodos"), - "radius": MessageLookupByLibrary.simpleMessage("Spindulys"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Sukurti paraišką"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("Vertinti programą"), - "rateUs": MessageLookupByLibrary.simpleMessage("Vertinti mus"), - "rateUsOnStore": m68, - "reassignMe": MessageLookupByLibrary.simpleMessage("Perskirstyti „Aš“"), - "reassignedToName": m69, - "reassigningLoading": - MessageLookupByLibrary.simpleMessage("Perskirstoma..."), - "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( - "Gaukite priminimus, kai yra kažkieno gimtadienis. Paliesdami pranešimą, pateksite į gimtadienio šventės asmens nuotraukas."), - "recover": MessageLookupByLibrary.simpleMessage("Atkurti"), - "recoverAccount": - MessageLookupByLibrary.simpleMessage("Atkurti paskyrą"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Atkurti"), - "recoveryAccount": - MessageLookupByLibrary.simpleMessage("Atkurti paskyrą"), - "recoveryInitiated": - MessageLookupByLibrary.simpleMessage("Pradėtas atkūrimas"), - "recoveryInitiatedDesc": m70, - "recoveryKey": MessageLookupByLibrary.simpleMessage("Atkūrimo raktas"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Nukopijuotas atkūrimo raktas į iškarpinę"), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Jei pamiršote slaptažodį, vienintelis būdas atkurti duomenis – naudoti šį raktą."), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Šio rakto nesaugome, todėl išsaugokite šį 24 žodžių raktą saugioje vietoje."), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Puiku! Jūsų atkūrimo raktas tinkamas. Dėkojame už patvirtinimą.\n\nNepamirškite sukurti saugią atkūrimo rakto atsarginę kopiją."), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Patvirtintas atkūrimo raktas"), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Atkūrimo raktas – vienintelis būdas atkurti nuotraukas, jei pamiršote slaptažodį. Atkūrimo raktą galite rasti Nustatymose > Paskyra.\n\nĮveskite savo atkūrimo raktą čia, kad patvirtintumėte, ar teisingai jį išsaugojote."), - "recoveryReady": m71, - "recoverySuccessful": - MessageLookupByLibrary.simpleMessage("Atkūrimas sėkmingas."), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "Patikimas kontaktas bando pasiekti jūsų paskyrą."), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "Dabartinis įrenginys nėra pakankamai galingas, kad patvirtintų jūsų slaptažodį, bet mes galime iš naujo sugeneruoti taip, kad jis veiktų su visais įrenginiais.\n\nPrisijunkite naudojant atkūrimo raktą ir sugeneruokite iš naujo slaptažodį (jei norite, galite vėl naudoti tą patį)."), - "recreatePasswordTitle": - MessageLookupByLibrary.simpleMessage("Iš naujo sukurti slaptažodį"), - "reddit": MessageLookupByLibrary.simpleMessage("„Reddit“"), - "reenterPassword": MessageLookupByLibrary.simpleMessage( - "Įveskite slaptažodį iš naujo"), - "reenterPin": - MessageLookupByLibrary.simpleMessage("Įveskite PIN iš naujo"), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Rekomenduokite draugams ir 2 kartus padidinkite savo planą"), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Duokite šį kodą savo draugams"), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Jie užsiregistruoja mokamą planą"), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Rekomendacijos"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "Šiuo metu rekomendacijos yra pristabdytos"), - "rejectRecovery": - MessageLookupByLibrary.simpleMessage("Atmesti atkūrimą"), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "Taip pat ištuštinkite Neseniai ištrinti iš Nustatymai -> Saugykla, kad atlaisvintumėte vietos."), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Taip pat ištuštinkite šiukšlinę, kad gautumėte laisvos vietos."), - "remoteImages": - MessageLookupByLibrary.simpleMessage("Nuotoliniai vaizdai"), - "remoteThumbnails": - MessageLookupByLibrary.simpleMessage("Nuotolinės miniatiūros"), - "remoteVideos": - MessageLookupByLibrary.simpleMessage("Nuotoliniai vaizdo įrašai"), - "remove": MessageLookupByLibrary.simpleMessage("Šalinti"), - "removeDuplicates": - MessageLookupByLibrary.simpleMessage("Šalinti dublikatus"), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Peržiūrėkite ir pašalinkite failus, kurie yra tiksliai dublikatai."), - "removeFromAlbum": - MessageLookupByLibrary.simpleMessage("Šalinti iš albumo"), - "removeFromAlbumTitle": - MessageLookupByLibrary.simpleMessage("Pašalinti iš albumo?"), - "removeFromFavorite": - MessageLookupByLibrary.simpleMessage("Šalinti iš mėgstamų"), - "removeInvite": - MessageLookupByLibrary.simpleMessage("Šalinti kvietimą"), - "removeLink": MessageLookupByLibrary.simpleMessage("Šalinti nuorodą"), - "removeParticipant": - MessageLookupByLibrary.simpleMessage("Šalinti dalyvį"), - "removeParticipantBody": m74, - "removePersonLabel": - MessageLookupByLibrary.simpleMessage("Šalinti asmens žymą"), - "removePublicLink": - MessageLookupByLibrary.simpleMessage("Šalinti viešą nuorodą"), - "removePublicLinks": - MessageLookupByLibrary.simpleMessage("Šalinti viešąsias nuorodas"), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Kai kuriuos elementus, kuriuos šalinate, pridėjo kiti asmenys, todėl prarasite prieigą prie jų"), - "removeWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Šalinti?"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Šalinti save kaip patikimą kontaktą"), - "removingFromFavorites": - MessageLookupByLibrary.simpleMessage("Pašalinama iš mėgstamų..."), - "rename": MessageLookupByLibrary.simpleMessage("Pervadinti"), - "renameAlbum": - MessageLookupByLibrary.simpleMessage("Pervadinti albumą"), - "renameFile": MessageLookupByLibrary.simpleMessage("Pervadinti failą"), - "renewSubscription": - MessageLookupByLibrary.simpleMessage("Pratęsti prenumeratą"), - "renewsOn": m75, - "reportABug": - MessageLookupByLibrary.simpleMessage("Pranešti apie riktą"), - "reportBug": - MessageLookupByLibrary.simpleMessage("Pranešti apie riktą"), - "resendEmail": - MessageLookupByLibrary.simpleMessage("Iš naujo siųsti el. laišką"), - "resetIgnoredFiles": - MessageLookupByLibrary.simpleMessage("Atkurti ignoruojamus failus"), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Nustatyti slaptažodį iš naujo"), - "resetPerson": MessageLookupByLibrary.simpleMessage("Šalinti"), - "resetToDefault": MessageLookupByLibrary.simpleMessage( - "Atkurti numatytąsias reikšmes"), - "restore": MessageLookupByLibrary.simpleMessage("Atkurti"), - "restoreToAlbum": - MessageLookupByLibrary.simpleMessage("Atkurti į albumą"), - "restoringFiles": - MessageLookupByLibrary.simpleMessage("Atkuriami failai..."), - "resumableUploads": - MessageLookupByLibrary.simpleMessage("Tęstiniai įkėlimai"), - "retry": MessageLookupByLibrary.simpleMessage("Kartoti"), - "review": MessageLookupByLibrary.simpleMessage("Peržiūrėti"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Peržiūrėkite ir ištrinkite elementus, kurie, jūsų manymu, yra dublikatai."), - "reviewSuggestions": - MessageLookupByLibrary.simpleMessage("Peržiūrėti pasiūlymus"), - "right": MessageLookupByLibrary.simpleMessage("Dešinė"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("Sukti"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Sukti į kairę"), - "rotateRight": MessageLookupByLibrary.simpleMessage("Sukti į dešinę"), - "safelyStored": MessageLookupByLibrary.simpleMessage("Saugiai saugoma"), - "save": MessageLookupByLibrary.simpleMessage("Išsaugoti"), - "saveChangesBeforeLeavingQuestion": - MessageLookupByLibrary.simpleMessage( - "Išsaugoti pakeitimus prieš išeinant?"), - "saveCollage": - MessageLookupByLibrary.simpleMessage("Išsaugoti koliažą"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Išsaugoti kopiją"), - "saveKey": MessageLookupByLibrary.simpleMessage("Išsaugoti raktą"), - "savePerson": MessageLookupByLibrary.simpleMessage("Išsaugoti asmenį"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Išsaugokite atkūrimo raktą, jei dar to nepadarėte"), - "saving": MessageLookupByLibrary.simpleMessage("Išsaugoma..."), - "savingEdits": - MessageLookupByLibrary.simpleMessage("Išsaugomi redagavimai..."), - "scanCode": MessageLookupByLibrary.simpleMessage("Skenuoti kodą"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Skenuokite šį QR kodą\nsu autentifikatoriaus programa"), - "search": MessageLookupByLibrary.simpleMessage("Ieškokite"), - "searchAlbumsEmptySection": - MessageLookupByLibrary.simpleMessage("Albumai"), - "searchByAlbumNameHint": - MessageLookupByLibrary.simpleMessage("Albumo pavadinimas"), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Albumų pavadinimai (pvz., „Fotoaparatas“)\n• Failų tipai (pvz., „Vaizdo įrašai“, „.gif“)\n• Metai ir mėnesiai (pvz., „2022“, „sausis“)\n• Šventės (pvz., „Kalėdos“)\n• Nuotraukų aprašymai (pvz., „#džiaugsmas“)"), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Pridėkite aprašymus, pavyzdžiui, „#kelionė“, į nuotraukos informaciją, kad greičiau jas čia rastumėte."), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Ieškokite pagal datą, mėnesį arba metus"), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "Vaizdai bus rodomi čia, kai bus užbaigtas apdorojimas ir sinchronizavimas."), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "Asmenys bus rodomi čia, kai bus užbaigtas indeksavimas."), - "searchFileTypesAndNamesEmptySection": - MessageLookupByLibrary.simpleMessage("Failų tipai ir pavadinimai"), - "searchHint1": - MessageLookupByLibrary.simpleMessage("Sparti paieška įrenginyje"), - "searchHint2": - MessageLookupByLibrary.simpleMessage("Nuotraukų datos ir aprašai"), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "Albumai, failų pavadinimai ir tipai"), - "searchHint4": MessageLookupByLibrary.simpleMessage("Vietovė"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "Jau netrukus: veidų ir magiškos paieškos ✨"), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Grupės nuotraukos, kurios padarytos tam tikru spinduliu nuo nuotraukos"), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "Pakvieskite asmenis ir čia matysite visas jų bendrinamas nuotraukas."), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "Asmenys bus rodomi čia, kai bus užbaigtas apdorojimas ir sinchronizavimas."), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Saugumas"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "Žiūrėti viešų albumų nuorodas programoje"), - "selectALocation": - MessageLookupByLibrary.simpleMessage("Pasirinkite vietovę"), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage( - "Pirmiausia pasirinkite vietovę"), - "selectAlbum": - MessageLookupByLibrary.simpleMessage("Pasirinkti albumą"), - "selectAll": MessageLookupByLibrary.simpleMessage("Pasirinkti viską"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("Viskas"), - "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( - "Pasirinkite viršelio nuotrauką"), - "selectDate": MessageLookupByLibrary.simpleMessage("Pasirinkti datą"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Pasirinkite aplankus atsarginėms kopijoms kurti"), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "Pasirinkite elementus įtraukti"), - "selectLanguage": - MessageLookupByLibrary.simpleMessage("Pasirinkite kalbą"), - "selectMailApp": - MessageLookupByLibrary.simpleMessage("Pasirinkti pašto programą"), - "selectMorePhotos": MessageLookupByLibrary.simpleMessage( - "Pasirinkti daugiau nuotraukų"), - "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( - "Pasirinkti vieną datą ir laiką"), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "Pasirinkti vieną datą ir laiką viskam"), - "selectPersonToLink": MessageLookupByLibrary.simpleMessage( - "Pasirinkite asmenį, kurį susieti."), - "selectReason": - MessageLookupByLibrary.simpleMessage("Pasirinkite priežastį"), - "selectStartOfRange": MessageLookupByLibrary.simpleMessage( - "Pasirinkti intervalo pradžią"), - "selectTime": MessageLookupByLibrary.simpleMessage("Pasirinkti laiką"), - "selectYourFace": - MessageLookupByLibrary.simpleMessage("Pasirinkite savo veidą"), - "selectYourPlan": - MessageLookupByLibrary.simpleMessage("Pasirinkite planą"), - "selectedAlbums": m79, - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Pasirinkti failai nėra platformoje „Ente“"), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Pasirinkti aplankai bus užšifruoti ir sukurtos atsarginės kopijos."), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Pasirinkti elementai bus ištrinti iš visų albumų ir perkelti į šiukšlinę."), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "Pasirinkti elementai bus pašalinti iš šio asmens, bet nebus ištrinti iš jūsų bibliotekos."), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("Siųsti"), - "sendEmail": MessageLookupByLibrary.simpleMessage("Siųsti el. laišką"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Siųsti kvietimą"), - "sendLink": MessageLookupByLibrary.simpleMessage("Siųsti nuorodą"), - "serverEndpoint": - MessageLookupByLibrary.simpleMessage("Serverio galutinis taškas"), - "sessionExpired": - MessageLookupByLibrary.simpleMessage("Seansas baigėsi"), - "sessionIdMismatch": - MessageLookupByLibrary.simpleMessage("Seanso ID nesutampa."), - "setAPassword": - MessageLookupByLibrary.simpleMessage("Nustatyti slaptažodį"), - "setAs": MessageLookupByLibrary.simpleMessage("Nustatyti kaip"), - "setCover": MessageLookupByLibrary.simpleMessage("Nustatyti viršelį"), - "setLabel": MessageLookupByLibrary.simpleMessage("Nustatyti"), - "setNewPassword": MessageLookupByLibrary.simpleMessage( - "Nustatykite naują slaptažodį"), - "setNewPin": - MessageLookupByLibrary.simpleMessage("Nustatykite naują PIN"), - "setPasswordTitle": - MessageLookupByLibrary.simpleMessage("Nustatyti slaptažodį"), - "setRadius": MessageLookupByLibrary.simpleMessage("Nustatyti spindulį"), - "setupComplete": MessageLookupByLibrary.simpleMessage("Sąranka baigta"), - "share": MessageLookupByLibrary.simpleMessage("Bendrinti"), - "shareALink": - MessageLookupByLibrary.simpleMessage("Bendrinkite nuorodą"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Atidarykite albumą ir palieskite bendrinimo mygtuką viršuje dešinėje, kad bendrintumėte."), - "shareAnAlbumNow": - MessageLookupByLibrary.simpleMessage("Bendrinti albumą dabar"), - "shareLink": MessageLookupByLibrary.simpleMessage("Bendrinti nuorodą"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Bendrinkite tik su tais asmenimis, su kuriais norite"), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Atsisiųskite „Ente“, kad galėtume lengvai bendrinti originalios kokybės nuotraukas ir vaizdo įrašus.\n\nhttps://ente.io"), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Bendrinkite su ne „Ente“ naudotojais."), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( - "Bendrinkite savo pirmąjį albumą"), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Sukurkite bendrinamus ir bendradarbiaujamus albumus su kitais „Ente“ naudotojais, įskaitant naudotojus nemokamuose planuose."), - "sharedByMe": MessageLookupByLibrary.simpleMessage("Bendrinta manimi"), - "sharedByYou": - MessageLookupByLibrary.simpleMessage("Bendrinta iš jūsų"), - "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( - "Naujos bendrintos nuotraukos"), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Gaukite pranešimus, kai kas nors įtraukia nuotrauką į bendrinamą albumą, kuriame dalyvaujate."), - "sharedWith": m87, - "sharedWithMe": - MessageLookupByLibrary.simpleMessage("Bendrinta su manimi"), - "sharedWithYou": - MessageLookupByLibrary.simpleMessage("Bendrinta su jumis"), - "sharing": MessageLookupByLibrary.simpleMessage("Bendrinima..."), - "shiftDatesAndTime": - MessageLookupByLibrary.simpleMessage("Pastumti datas ir laiką"), - "showMemories": - MessageLookupByLibrary.simpleMessage("Rodyti prisiminimus"), - "showPerson": MessageLookupByLibrary.simpleMessage("Rodyti asmenį"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "Atsijungti iš kitų įrenginių"), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Jei manote, kad kas nors gali žinoti jūsų slaptažodį, galite priverstinai atsijungti iš visų kitų įrenginių, naudojančių jūsų paskyrą."), - "signOutOtherDevices": - MessageLookupByLibrary.simpleMessage("Atsijungti kitus įrenginius"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Sutinku su paslaugų sąlygomis ir privatumo politika"), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Jis bus ištrintas iš visų albumų."), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Praleisti"), - "smartMemories": - MessageLookupByLibrary.simpleMessage("Išmanieji prisiminimai"), - "social": MessageLookupByLibrary.simpleMessage("Socialinės"), - "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( - "Kai kurie elementai yra ir platformoje „Ente“ bei jūsų įrenginyje."), - "someOfTheFilesYouAreTryingToDeleteAre": - MessageLookupByLibrary.simpleMessage( - "Kai kurie failai, kuriuos bandote ištrinti, yra pasiekiami tik jūsų įrenginyje ir jų negalima atkurti, jei jie buvo ištrinti."), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Asmuo, kuris bendrina albumus su jumis, savo įrenginyje turėtų matyti tą patį ID."), - "somethingWentWrong": - MessageLookupByLibrary.simpleMessage("Kažkas nutiko ne taip"), - "somethingWentWrongPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Kažkas nutiko ne taip. Bandykite dar kartą."), - "sorry": MessageLookupByLibrary.simpleMessage("Atsiprašome"), - "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( - "Atsiprašome, šiuo metu negalėjome sukurti atsarginės šio failo kopijos. Bandysime pakartoti vėliau."), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Atsiprašome, nepavyko pridėti prie mėgstamų."), - "sorryCouldNotRemoveFromFavorites": - MessageLookupByLibrary.simpleMessage( - "Atsiprašome, nepavyko pašalinti iš mėgstamų."), - "sorryTheCodeYouveEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "Atsiprašome, įvestas kodas yra neteisingas."), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Atsiprašome, šiame įrenginyje nepavyko sugeneruoti saugių raktų.\n\nRegistruokitės iš kito įrenginio."), - "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( - "Atsiprašome, turėjome pristabdyti jūsų atsarginių kopijų kūrimą."), - "sort": MessageLookupByLibrary.simpleMessage("Rikiuoti"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Rikiuoti pagal"), - "sortNewestFirst": - MessageLookupByLibrary.simpleMessage("Naujausią pirmiausiai"), - "sortOldestFirst": - MessageLookupByLibrary.simpleMessage("Seniausią pirmiausiai"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Sėkmė"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": - MessageLookupByLibrary.simpleMessage("Dėmesys į save"), - "startAccountRecoveryTitle": - MessageLookupByLibrary.simpleMessage("Pradėti atkūrimą"), - "startBackup": MessageLookupByLibrary.simpleMessage( - "Pradėti kurti atsarginę kopiją"), - "status": MessageLookupByLibrary.simpleMessage("Būsena"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "Ar norite sustabdyti perdavimą?"), - "stopCastingTitle": - MessageLookupByLibrary.simpleMessage("Stabdyti perdavimą"), - "storage": MessageLookupByLibrary.simpleMessage("Saugykla"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Šeima"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Jūs"), - "storageInGB": m93, - "storageLimitExceeded": - MessageLookupByLibrary.simpleMessage("Viršyta saugyklos riba."), - "storageUsageInfo": m94, - "streamDetails": MessageLookupByLibrary.simpleMessage( - "Srautinio perdavimo išsami informacija"), - "strongStrength": MessageLookupByLibrary.simpleMessage("Stipri"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Prenumeruoti"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Kad įjungtumėte bendrinimą, reikia aktyvios mokamos prenumeratos."), - "subscription": MessageLookupByLibrary.simpleMessage("Prenumerata"), - "success": MessageLookupByLibrary.simpleMessage("Sėkmė"), - "successfullyArchived": - MessageLookupByLibrary.simpleMessage("Sėkmingai suarchyvuota"), - "successfullyHid": - MessageLookupByLibrary.simpleMessage("Sėkmingai paslėptas"), - "successfullyUnarchived": - MessageLookupByLibrary.simpleMessage("Sėkmingai išarchyvuota"), - "successfullyUnhid": - MessageLookupByLibrary.simpleMessage("Sėkmingai atslėptas"), - "suggestFeatures": - MessageLookupByLibrary.simpleMessage("Siūlyti funkcijas"), - "sunrise": MessageLookupByLibrary.simpleMessage("Akiratyje"), - "support": MessageLookupByLibrary.simpleMessage("Pagalba"), - "syncProgress": m97, - "syncStopped": MessageLookupByLibrary.simpleMessage( - "Sinchronizavimas sustabdytas"), - "syncing": MessageLookupByLibrary.simpleMessage("Sinchronizuojama..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("Sistemos"), - "tapToCopy": MessageLookupByLibrary.simpleMessage( - "palieskite, kad nukopijuotumėte"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage( - "Palieskite, kad įvestumėte kodą"), - "tapToUnlock": MessageLookupByLibrary.simpleMessage( - "Palieskite, kad atrakintumėte"), - "tapToUpload": - MessageLookupByLibrary.simpleMessage("Palieskite, kad įkeltumėte"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Atrodo, kad kažkas nutiko ne taip. Bandykite dar kartą po kurio laiko. Jei klaida tęsiasi, susisiekite su mūsų palaikymo komanda."), - "terminate": MessageLookupByLibrary.simpleMessage("Baigti"), - "terminateSession": - MessageLookupByLibrary.simpleMessage("Baigti seansą?"), - "terms": MessageLookupByLibrary.simpleMessage("Sąlygos"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Sąlygos"), - "thankYou": MessageLookupByLibrary.simpleMessage("Dėkojame"), - "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( - "Dėkojame, kad užsiprenumeravote!"), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "Atsisiuntimas negalėjo būti baigtas."), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "Nuoroda, kurią bandote pasiekti, nebegalioja."), - "theRecoveryKeyYouEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "Įvestas atkūrimo raktas yra neteisingas."), - "theme": MessageLookupByLibrary.simpleMessage("Tema"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Šie elementai bus ištrinti iš jūsų įrenginio."), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "Jie bus ištrinti iš visų albumų."), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Šio veiksmo negalima anuliuoti."), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "Šis albumas jau turi bendradarbiavimo nuorodą."), - "thisCanBeUsedToRecoverYourAccountIfYou": - MessageLookupByLibrary.simpleMessage( - "Tai gali būti naudojama paskyrai atkurti, jei prarandate dvigubo tapatybės nustatymą"), - "thisDevice": MessageLookupByLibrary.simpleMessage("Šis įrenginys"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "Šis el. paštas jau naudojamas."), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Šis vaizdas neturi Exif duomenų"), - "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("Tai aš!"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": - MessageLookupByLibrary.simpleMessage("Tai – jūsų patvirtinimo ID"), - "thisWeekThroughTheYears": - MessageLookupByLibrary.simpleMessage("Ši savaitė per metus"), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Tai jus atjungs nuo toliau nurodyto įrenginio:"), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Tai jus atjungs nuo šio įrenginio."), - "thisWillMakeTheDateAndTimeOfAllSelected": - MessageLookupByLibrary.simpleMessage( - "Tai padarys visų pasirinktų nuotraukų datą ir laiką vienodus."), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "Tai pašalins visų pasirinktų sparčiųjų nuorodų viešąsias nuorodas."), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "Kad įjungtumėte programos užraktą, sistemos nustatymuose nustatykite įrenginio prieigos kodą arba ekrano užraktą."), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( - "Kad paslėptumėte nuotrauką ar vaizdo įrašą"), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Kad iš naujo nustatytumėte slaptažodį, pirmiausia patvirtinkite savo el. paštą."), - "todaysLogs": - MessageLookupByLibrary.simpleMessage("Šiandienos žurnalai"), - "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( - "Per daug neteisingų bandymų."), - "total": MessageLookupByLibrary.simpleMessage("iš viso"), - "totalSize": MessageLookupByLibrary.simpleMessage("Bendrą dydį"), - "trash": MessageLookupByLibrary.simpleMessage("Šiukšlinė"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Trumpinti"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": - MessageLookupByLibrary.simpleMessage("Patikimi kontaktai"), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Bandyti dar kartą"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Įjunkite atsarginės kopijos kūrimą, kad automatiškai įkeltumėte į šį įrenginio aplanką įtrauktus failus į „Ente“."), - "twitter": MessageLookupByLibrary.simpleMessage("„Twitter“"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "2 mėnesiai nemokamai metiniuose planuose"), - "twofactor": MessageLookupByLibrary.simpleMessage( - "Dvigubas tapatybės nustatymas"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "Dvigubas tapatybės nustatymas išjungtas."), - "twofactorAuthenticationPageTitle": - MessageLookupByLibrary.simpleMessage( - "Dvigubas tapatybės nustatymas"), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "Dvigubas tapatybės nustatymas sėkmingai iš naujo nustatytas."), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Dvigubo tapatybės nustatymo sąranka"), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("Išarchyvuoti"), - "unarchiveAlbum": - MessageLookupByLibrary.simpleMessage("Išarchyvuoti albumą"), - "unarchiving": - MessageLookupByLibrary.simpleMessage("Išarchyvuojama..."), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Atsiprašome, šis kodas nepasiekiamas."), - "uncategorized": - MessageLookupByLibrary.simpleMessage("Nekategorizuoti"), - "unhide": MessageLookupByLibrary.simpleMessage("Rodyti"), - "unhideToAlbum": - MessageLookupByLibrary.simpleMessage("Rodyti į albumą"), - "unhiding": MessageLookupByLibrary.simpleMessage("Rodoma..."), - "unhidingFilesToAlbum": - MessageLookupByLibrary.simpleMessage("Rodomi failai į albumą"), - "unlock": MessageLookupByLibrary.simpleMessage("Atrakinti"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("Atsegti albumą"), - "unselectAll": MessageLookupByLibrary.simpleMessage("Nesirinkti visų"), - "update": MessageLookupByLibrary.simpleMessage("Atnaujinti"), - "updateAvailable": - MessageLookupByLibrary.simpleMessage("Yra naujinimas"), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Atnaujinamas aplankų pasirinkimas..."), - "upgrade": MessageLookupByLibrary.simpleMessage("Keisti planą"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": - MessageLookupByLibrary.simpleMessage("Įkeliami failai į albumą..."), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": - MessageLookupByLibrary.simpleMessage("Išsaugomas prisiminimas..."), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "Iki 50% nuolaida, gruodžio 4 d."), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "Naudojama saugykla ribojama pagal jūsų dabartinį planą. Perteklinė gauta saugykla automatiškai taps tinkama naudoti, kai pakeisite planą."), - "useAsCover": - MessageLookupByLibrary.simpleMessage("Naudoti kaip viršelį"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "Turite problemų paleidžiant šį vaizdo įrašą? Ilgai paspauskite čia, kad išbandytumėte kitą leistuvę."), - "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Naudokite viešas nuorodas asmenimis, kurie nėra sistemoje „Ente“"), - "useRecoveryKey": - MessageLookupByLibrary.simpleMessage("Naudoti atkūrimo raktą"), - "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( - "Naudoti pasirinktą nuotrauką"), - "usedSpace": MessageLookupByLibrary.simpleMessage("Naudojama vieta"), - "validTill": m110, - "verificationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Patvirtinimas nepavyko. Bandykite dar kartą."), - "verificationId": - MessageLookupByLibrary.simpleMessage("Patvirtinimo ID"), - "verify": MessageLookupByLibrary.simpleMessage("Patvirtinti"), - "verifyEmail": - MessageLookupByLibrary.simpleMessage("Patvirtinti el. paštą"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Patvirtinti"), - "verifyPasskey": - MessageLookupByLibrary.simpleMessage("Patvirtinti slaptaraktį"), - "verifyPassword": - MessageLookupByLibrary.simpleMessage("Patvirtinkite slaptažodį"), - "verifying": MessageLookupByLibrary.simpleMessage("Patvirtinama..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Patvirtinima atkūrimo raktą..."), - "videoInfo": - MessageLookupByLibrary.simpleMessage("Vaizdo įrašo informacija"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("vaizdo įrašas"), - "videoStreaming": - MessageLookupByLibrary.simpleMessage("Srautiniai vaizdo įrašai"), - "videos": MessageLookupByLibrary.simpleMessage("Vaizdo įrašai"), - "viewActiveSessions": - MessageLookupByLibrary.simpleMessage("Peržiūrėti aktyvius seansus"), - "viewAddOnButton": - MessageLookupByLibrary.simpleMessage("Peržiūrėti priedus"), - "viewAll": MessageLookupByLibrary.simpleMessage("Peržiūrėti viską"), - "viewAllExifData": MessageLookupByLibrary.simpleMessage( - "Peržiūrėti visus EXIF duomenis"), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Dideli failai"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Peržiūrėkite failus, kurie užima daugiausiai saugyklos vietos."), - "viewLogs": MessageLookupByLibrary.simpleMessage("Peržiūrėti žurnalus"), - "viewPersonToUnlink": m112, - "viewRecoveryKey": - MessageLookupByLibrary.simpleMessage("Peržiūrėti atkūrimo raktą"), - "viewer": MessageLookupByLibrary.simpleMessage("Žiūrėtojas"), - "viewersSuccessfullyAdded": m113, - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Aplankykite web.ente.io, kad tvarkytumėte savo prenumeratą"), - "waitingForVerification": - MessageLookupByLibrary.simpleMessage("Laukiama patvirtinimo..."), - "waitingForWifi": - MessageLookupByLibrary.simpleMessage("Laukiama „WiFi“..."), - "warning": MessageLookupByLibrary.simpleMessage("Įspėjimas"), - "weAreOpenSource": - MessageLookupByLibrary.simpleMessage("Esame atviro kodo!"), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "Nepalaikome nuotraukų ir albumų redagavimo, kurių dar neturite."), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Silpna"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("Sveiki sugrįžę!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("Kas naujo"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "Patikimas kontaktas gali padėti atkurti jūsų duomenis."), - "widgets": MessageLookupByLibrary.simpleMessage("Valdikliai"), - "wishThemAHappyBirthday": m115, - "yearShort": MessageLookupByLibrary.simpleMessage("m."), - "yearly": MessageLookupByLibrary.simpleMessage("Metinis"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Taip"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Taip, atsisakyti"), - "yesConvertToViewer": - MessageLookupByLibrary.simpleMessage("Taip, keisti į žiūrėtoją"), - "yesDelete": MessageLookupByLibrary.simpleMessage("Taip, ištrinti"), - "yesDiscardChanges": - MessageLookupByLibrary.simpleMessage("Taip, atmesti pakeitimus"), - "yesLogout": MessageLookupByLibrary.simpleMessage("Taip, atsijungti"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Taip, šalinti"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Taip, pratęsti"), - "yesResetPerson": MessageLookupByLibrary.simpleMessage( - "Taip, nustatyti asmenį iš naujo"), - "you": MessageLookupByLibrary.simpleMessage("Jūs"), - "youAndThem": m117, - "youAreOnAFamilyPlan": - MessageLookupByLibrary.simpleMessage("Esate šeimos plane!"), - "youAreOnTheLatestVersion": - MessageLookupByLibrary.simpleMessage("Esate naujausioje versijoje"), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Galite daugiausiai padvigubinti savo saugyklą."), - "youCanManageYourLinksInTheShareTab": - MessageLookupByLibrary.simpleMessage( - "Nuorodas galite valdyti bendrinimo kortelėje."), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "Galite pabandyti ieškoti pagal kitą užklausą."), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "Negalite pakeisti į šį planą"), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Negalite bendrinti su savimi."), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "Neturite jokių archyvuotų elementų."), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": - MessageLookupByLibrary.simpleMessage("Jūsų paskyra ištrinta"), - "yourMap": MessageLookupByLibrary.simpleMessage("Jūsų žemėlapis"), - "yourPlanWasSuccessfullyDowngraded": - MessageLookupByLibrary.simpleMessage( - "Jūsų planas sėkmingai pakeistas į žemesnį"), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "Jūsų planas sėkmingai pakeistas"), - "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( - "Jūsų pirkimas buvo sėkmingas"), - "yourStorageDetailsCouldNotBeFetched": - MessageLookupByLibrary.simpleMessage( - "Nepavyko gauti jūsų saugyklos duomenų."), - "yourSubscriptionHasExpired": - MessageLookupByLibrary.simpleMessage("Jūsų prenumerata baigėsi."), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "Jūsų prenumerata buvo sėkmingai atnaujinta"), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "Jūsų patvirtinimo kodas nebegaliojantis."), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage( - "Neturite dubliuotų failų, kuriuos būtų galima išvalyti."), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "Neturite šiame albume failų, kuriuos būtų galima ištrinti."), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( - "Padidinkite mastelį, kad matytumėte nuotraukas") - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Yra nauja „Ente“ versija.", + ), + "about": MessageLookupByLibrary.simpleMessage("Apie"), + "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( + "Priimti kvietimą", + ), + "account": MessageLookupByLibrary.simpleMessage("Paskyra"), + "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( + "Paskyra jau sukonfigūruota.", + ), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( + "Sveiki sugrįžę!", + ), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Suprantu, kad jei prarasiu slaptažodį, galiu prarasti savo duomenis, kadangi mano duomenys yra visapusiškai užšifruoti", + ), + "actionNotSupportedOnFavouritesAlbum": MessageLookupByLibrary.simpleMessage( + "Veiksmas nepalaikomas Mėgstamų albume.", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage("Aktyvūs seansai"), + "add": MessageLookupByLibrary.simpleMessage("Pridėti"), + "addAName": MessageLookupByLibrary.simpleMessage("Pridėti vardą"), + "addANewEmail": MessageLookupByLibrary.simpleMessage( + "Įtraukite naują el. paštą", + ), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Pridėkite albumo valdiklį prie savo pradžios ekrano ir grįžkite čia, kad tinkintumėte.", + ), + "addCollaborator": MessageLookupByLibrary.simpleMessage( + "Pridėti bendradarbį", + ), + "addCollaborators": m1, + "addFiles": MessageLookupByLibrary.simpleMessage("Pridėti failus"), + "addFromDevice": MessageLookupByLibrary.simpleMessage( + "Pridėti iš įrenginio", + ), + "addItem": m2, + "addLocation": MessageLookupByLibrary.simpleMessage("Pridėti vietovę"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Pridėti"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Pridėkite prisiminimų valdiklį prie savo pradžios ekrano ir grįžkite čia, kad tinkintumėte.", + ), + "addMore": MessageLookupByLibrary.simpleMessage("Pridėti daugiau"), + "addName": MessageLookupByLibrary.simpleMessage("Pridėti vardą"), + "addNameOrMerge": MessageLookupByLibrary.simpleMessage( + "Pridėti vardą arba sujungti", + ), + "addNew": MessageLookupByLibrary.simpleMessage("Pridėti naują"), + "addNewPerson": MessageLookupByLibrary.simpleMessage( + "Pridėti naują asmenį", + ), + "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( + "Išsami informacija apie priedus", + ), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("Priedai"), + "addParticipants": MessageLookupByLibrary.simpleMessage("Įtraukti dalyvių"), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Pridėkite asmenų valdiklį prie savo pradžios ekrano ir grįžkite čia, kad tinkintumėte.", + ), + "addPhotos": MessageLookupByLibrary.simpleMessage("Įtraukti nuotraukų"), + "addSelected": MessageLookupByLibrary.simpleMessage("Pridėti pasirinktus"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("Pridėti į albumą"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Pridėti į „Ente“"), + "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Įtraukti į paslėptą albumą", + ), + "addTrustedContact": MessageLookupByLibrary.simpleMessage( + "Pridėti patikimą kontaktą", + ), + "addViewer": MessageLookupByLibrary.simpleMessage("Pridėti žiūrėtoją"), + "addViewers": m4, + "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( + "Įtraukite savo nuotraukas dabar", + ), + "addedAs": MessageLookupByLibrary.simpleMessage("Pridėta kaip"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": MessageLookupByLibrary.simpleMessage( + "Pridedama prie mėgstamų...", + ), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("Išplėstiniai"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Išplėstiniai"), + "after1Day": MessageLookupByLibrary.simpleMessage("Po 1 dienos"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Po 1 valandos"), + "after1Month": MessageLookupByLibrary.simpleMessage("Po 1 mėnesio"), + "after1Week": MessageLookupByLibrary.simpleMessage("Po 1 savaitės"), + "after1Year": MessageLookupByLibrary.simpleMessage("Po 1 metų"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Savininkas"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Albumo pavadinimas"), + "albumUpdated": MessageLookupByLibrary.simpleMessage("Atnaujintas albumas"), + "albums": MessageLookupByLibrary.simpleMessage("Albumai"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Pasirinkite albumus, kuriuos norite matyti savo pradžios ekrane.", + ), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Viskas išvalyta"), + "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( + "Išsaugoti visi prisiminimai", + ), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "Visi šio asmens grupavimai bus iš naujo nustatyti, o jūs neteksite visų šiam asmeniui pateiktų pasiūlymų", + ), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "Tai – pirmoji šioje grupėje. Kitos pasirinktos nuotraukos bus automatiškai perkeltos pagal šią naują datą.", + ), + "allow": MessageLookupByLibrary.simpleMessage("Leisti"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Leiskite nuorodą turintiems asmenims taip pat pridėti nuotraukų į bendrinamą albumą.", + ), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( + "Leisti pridėti nuotraukų", + ), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "Leisti programai atverti bendrinamų albumų nuorodas", + ), + "allowDownloads": MessageLookupByLibrary.simpleMessage( + "Leisti atsisiuntimus", + ), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Leiskite asmenims pridėti nuotraukų", + ), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Iš nustatymų leiskite prieigą prie nuotraukų, kad „Ente“ galėtų rodyti ir kurti atsargines bibliotekos kopijas.", + ), + "allowPermTitle": MessageLookupByLibrary.simpleMessage( + "Leisti prieigą prie nuotraukų", + ), + "androidBiometricHint": MessageLookupByLibrary.simpleMessage( + "Patvirtinkite tapatybę", + ), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "Neatpažinta. Bandykite dar kartą.", + ), + "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( + "Privaloma biometrija", + ), + "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("Sėkmė"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Atšaukti"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage( + "Privalomi įrenginio kredencialai", + ), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage( + "Privalomi įrenginio kredencialai", + ), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Biometrinis tapatybės nustatymas jūsų įrenginyje nenustatytas. Eikite į Nustatymai > Saugumas ir pridėkite biometrinį tapatybės nustatymą.", + ), + "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( + "„Android“, „iOS“, internete ir darbalaukyje", + ), + "androidSignInTitle": MessageLookupByLibrary.simpleMessage( + "Privalomas tapatybės nustatymas", + ), + "appIcon": MessageLookupByLibrary.simpleMessage("Programos piktograma"), + "appLock": MessageLookupByLibrary.simpleMessage("Programos užraktas"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Pasirinkite tarp numatytojo įrenginio užrakinimo ekrano ir pasirinktinio užrakinimo ekrano su PIN kodu arba slaptažodžiu.", + ), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("„Apple ID“"), + "apply": MessageLookupByLibrary.simpleMessage("Taikyti"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Taikyti kodą"), + "appstoreSubscription": MessageLookupByLibrary.simpleMessage( + "„App Store“ prenumerata", + ), + "archive": MessageLookupByLibrary.simpleMessage("Archyvas"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("Archyvuoti albumą"), + "archiving": MessageLookupByLibrary.simpleMessage("Archyvuojama..."), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Ar tikrai norite palikti šeimos planą?", + ), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "Ar tikrai norite atšaukti?", + ), + "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( + "Ar tikrai norite keisti planą?", + ), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "Ar tikrai norite išeiti?", + ), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Ar tikrai norite atsijungti?", + ), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "Ar tikrai norite pratęsti?", + ), + "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( + "Ar tikrai norite iš naujo nustatyti šį asmenį?", + ), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "Jūsų prenumerata buvo atšaukta. Ar norėtumėte pasidalyti priežastimi?", + ), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Kokia yra pagrindinė priežastis, dėl kurios ištrinate savo paskyrą?", + ), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Paprašykite savo artimuosius bendrinti", + ), + "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( + "priešgaisrinėje slėptuvėje", + ), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Nustatykite tapatybę, kad pakeistumėte el. pašto patvirtinimą", + ), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Nustatykite tapatybę, kad pakeistumėte užrakinto ekrano nustatymą", + ), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Nustatykite tapatybę, kad pakeistumėte savo el. paštą", + ), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Nustatykite tapatybę, kad pakeistumėte slaptažodį", + ), + "authToConfigureTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( + "Nustatykite tapatybę, kad sukonfigūruotumėte dvigubą tapatybės nustatymą", + ), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Nustatykite tapatybę, kad pradėtumėte paskyros ištrynimą", + ), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Nustatykite tapatybę, kad tvarkytumėte patikimus kontaktus", + ), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Nustatykite tapatybę, kad peržiūrėtumėte savo slaptaraktį", + ), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Nustatykite tapatybę, kad peržiūrėtumėte išmestus failus", + ), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Nustatykite tapatybę, kad peržiūrėtumėte savo aktyvius seansus", + ), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Nustatykite tapatybę, kad peržiūrėtumėte paslėptus failus", + ), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Nustatykite tapatybę, kad peržiūrėtumėte savo prisiminimus", + ), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Nustatykite tapatybę, kad peržiūrėtumėte savo atkūrimo raktą", + ), + "authenticating": MessageLookupByLibrary.simpleMessage( + "Nustatoma tapatybė...", + ), + "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Tapatybės nustatymas nepavyko. Bandykite dar kartą.", + ), + "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( + "Tapatybės nustatymas sėkmingas.", + ), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Čia matysite pasiekiamus perdavimo įrenginius.", + ), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Įsitikinkite, kad programai „Ente“ nuotraukos yra įjungti vietinio tinklo leidimai, nustatymuose.", + ), + "autoLock": MessageLookupByLibrary.simpleMessage("Automatinis užraktas"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Laikas, po kurio programa užrakinama perkėlus ją į foną", + ), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "Dėl techninio trikdžio buvote atjungti. Atsiprašome už nepatogumus.", + ), + "autoPair": MessageLookupByLibrary.simpleMessage("Automatiškai susieti"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "Automatinis susiejimas veikia tik su įrenginiais, kurie palaiko „Chromecast“.", + ), + "available": MessageLookupByLibrary.simpleMessage("Prieinama"), + "availableStorageSpace": m10, + "backedUpFolders": MessageLookupByLibrary.simpleMessage( + "Sukurtos atsarginės aplankų kopijos", + ), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("Kurti atsarginę kopiją"), + "backupFailed": MessageLookupByLibrary.simpleMessage( + "Atsarginė kopija nepavyko", + ), + "backupFile": MessageLookupByLibrary.simpleMessage( + "Kurti atsarginę failo kopiją", + ), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Kurti atsargines kopijas per mobiliuosius duomenis", + ), + "backupSettings": MessageLookupByLibrary.simpleMessage( + "Atsarginės kopijos nustatymai", + ), + "backupStatus": MessageLookupByLibrary.simpleMessage( + "Atsarginės kopijos būsena", + ), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Čia bus rodomi elementai, kurių atsarginės kopijos buvo sukurtos.", + ), + "backupVideos": MessageLookupByLibrary.simpleMessage( + "Kurti atsargines vaizdo įrašų kopijas", + ), + "beach": MessageLookupByLibrary.simpleMessage("Smėlis ir jūra"), + "birthday": MessageLookupByLibrary.simpleMessage("Gimtadienis"), + "birthdayNotifications": MessageLookupByLibrary.simpleMessage( + "Gimtadienio pranešimai", + ), + "birthdays": MessageLookupByLibrary.simpleMessage("Gimtadieniai"), + "blackFridaySale": MessageLookupByLibrary.simpleMessage( + "Juodojo penktadienio išpardavimas", + ), + "blog": MessageLookupByLibrary.simpleMessage("Tinklaraštis"), + "cachedData": MessageLookupByLibrary.simpleMessage("Podėliuoti duomenis"), + "calculating": MessageLookupByLibrary.simpleMessage("Skaičiuojama..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Atsiprašome, šio albumo negalima atverti programoje.", + ), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( + "Negalima atverti šio albumo", + ), + "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( + "Negalima įkelti į kitiems priklausančius albumus", + ), + "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Galima sukurti nuorodą tik jums priklausantiems failams", + ), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Galima pašalinti tik jums priklausančius failus", + ), + "cancel": MessageLookupByLibrary.simpleMessage("Atšaukti"), + "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( + "Atšaukti atkūrimą", + ), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "Ar tikrai norite atšaukti atkūrimą?", + ), + "cancelOtherSubscription": m12, + "cancelSubscription": MessageLookupByLibrary.simpleMessage( + "Atsisakyti prenumeratos", + ), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Negalima ištrinti bendrinamų failų.", + ), + "castAlbum": MessageLookupByLibrary.simpleMessage("Perduoti albumą"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Įsitikinkite, kad esate tame pačiame tinkle kaip ir televizorius.", + ), + "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( + "Nepavyko perduoti albumo", + ), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Aplankykite cast.ente.io įrenginyje, kurį norite susieti.\n\nĮveskite toliau esantį kodą, kad paleistumėte albumą televizoriuje.", + ), + "centerPoint": MessageLookupByLibrary.simpleMessage("Centro taškas"), + "change": MessageLookupByLibrary.simpleMessage("Keisti"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Keisti el. paštą"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Keisti pasirinktų elementų vietovę?", + ), + "changePassword": MessageLookupByLibrary.simpleMessage("Keisti slaptažodį"), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Keisti slaptažodį", + ), + "changePermissions": MessageLookupByLibrary.simpleMessage( + "Keisti leidimus?", + ), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Keisti savo rekomendacijos kodą", + ), + "checkForUpdates": MessageLookupByLibrary.simpleMessage( + "Tikrinti, ar yra atnaujinimų", + ), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Patikrinkite savo gautieją (ir šlamštą), kad užbaigtumėte patvirtinimą", + ), + "checkStatus": MessageLookupByLibrary.simpleMessage("Tikrinti būseną"), + "checking": MessageLookupByLibrary.simpleMessage("Tikrinama..."), + "checkingModels": MessageLookupByLibrary.simpleMessage( + "Tikrinami modeliai...", + ), + "city": MessageLookupByLibrary.simpleMessage("Mieste"), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage( + "Gaukite nemokamos saugyklos", + ), + "claimMore": MessageLookupByLibrary.simpleMessage("Gaukite daugiau!"), + "claimed": MessageLookupByLibrary.simpleMessage("Gauta"), + "claimedStorageSoFar": m14, + "cleanUncategorized": MessageLookupByLibrary.simpleMessage( + "Valyti nekategorizuotus", + ), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Pašalinkite iš nekategorizuotus visus failus, esančius kituose albumuose", + ), + "clearCaches": MessageLookupByLibrary.simpleMessage("Valyti podėlius"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Valyti indeksavimus"), + "click": MessageLookupByLibrary.simpleMessage("• Spauskite"), + "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( + "• Spustelėkite ant perpildymo meniu", + ), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Spustelėkite, kad įdiegtumėte geriausią mūsų versiją iki šiol", + ), + "close": MessageLookupByLibrary.simpleMessage("Uždaryti"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( + "Grupuoti pagal užfiksavimo laiką", + ), + "clubByFileName": MessageLookupByLibrary.simpleMessage( + "Grupuoti pagal failo pavadinimą", + ), + "clusteringProgress": MessageLookupByLibrary.simpleMessage( + "Sankaupos vykdymas", + ), + "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( + "Pritaikytas kodas", + ), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Atsiprašome, pasiekėte kodo pakeitimų ribą.", + ), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Nukopijuotas kodas į iškarpinę", + ), + "codeUsedByYou": MessageLookupByLibrary.simpleMessage( + "Jūsų naudojamas kodas", + ), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Sukurkite nuorodą, kad asmenys galėtų pridėti ir peržiūrėti nuotraukas bendrinamame albume, nereikalaujant „Ente“ programos ar paskyros. Puikiai tinka įvykių nuotraukoms rinkti.", + ), + "collaborativeLink": MessageLookupByLibrary.simpleMessage( + "Bendradarbiavimo nuoroda", + ), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Bendradarbis"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Bendradarbiai gali pridėti nuotraukų ir vaizdo įrašų į bendrintą albumą.", + ), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("Išdėstymas"), + "collageSaved": MessageLookupByLibrary.simpleMessage( + "Koliažas išsaugotas į galeriją", + ), + "collect": MessageLookupByLibrary.simpleMessage("Rinkti"), + "collectEventPhotos": MessageLookupByLibrary.simpleMessage( + "Rinkti įvykių nuotraukas", + ), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Rinkti nuotraukas"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Sukurkite nuorodą, į kurią draugai gali įkelti originalios kokybės nuotraukas.", + ), + "color": MessageLookupByLibrary.simpleMessage("Spalva"), + "configuration": MessageLookupByLibrary.simpleMessage("Konfiguracija"), + "confirm": MessageLookupByLibrary.simpleMessage("Patvirtinti"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Ar tikrai norite išjungti dvigubą tapatybės nustatymą?", + ), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Patvirtinti paskyros ištrynimą", + ), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Taip, noriu negrįžtamai ištrinti šią paskyrą ir jos duomenis per visas programas", + ), + "confirmPassword": MessageLookupByLibrary.simpleMessage( + "Patvirtinkite slaptažodį", + ), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage( + "Patvirtinkite plano pakeitimą", + ), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Patvirtinkite atkūrimo raktą", + ), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Patvirtinkite savo atkūrimo raktą", + ), + "connectToDevice": MessageLookupByLibrary.simpleMessage( + "Prijungti prie įrenginio", + ), + "contactFamilyAdmin": m18, + "contactSupport": MessageLookupByLibrary.simpleMessage( + "Susisiekti su palaikymo komanda", + ), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Kontaktai"), + "contents": MessageLookupByLibrary.simpleMessage("Turinys"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Tęsti"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "Tęsti nemokame bandomajame laikotarpyje", + ), + "convertToAlbum": MessageLookupByLibrary.simpleMessage( + "Konvertuoti į albumą", + ), + "copyEmailAddress": MessageLookupByLibrary.simpleMessage( + "Kopijuoti el. pašto adresą", + ), + "copyLink": MessageLookupByLibrary.simpleMessage("Kopijuoti nuorodą"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Nukopijuokite ir įklijuokite šį kodą\nį autentifikatoriaus programą", + ), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "Nepavyko sukurti atsarginės duomenų kopijos.\nBandysime pakartotinai vėliau.", + ), + "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( + "Nepavyko atlaisvinti vietos.", + ), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Nepavyko atnaujinti prenumeratos", + ), + "count": MessageLookupByLibrary.simpleMessage("Skaičių"), + "crashReporting": MessageLookupByLibrary.simpleMessage( + "Pranešti apie strigčius", + ), + "create": MessageLookupByLibrary.simpleMessage("Kurti"), + "createAccount": MessageLookupByLibrary.simpleMessage("Kurti paskyrą"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Ilgai paspauskite, kad pasirinktumėte nuotraukas, ir spustelėkite +, kad sukurtumėte albumą", + ), + "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( + "Kurti bendradarbiavimo nuorodą", + ), + "createCollage": MessageLookupByLibrary.simpleMessage("Kurti koliažą"), + "createNewAccount": MessageLookupByLibrary.simpleMessage( + "Kurti naują paskyrą", + ), + "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( + "Kurkite arba pasirinkite albumą", + ), + "createPublicLink": MessageLookupByLibrary.simpleMessage( + "Kurti viešą nuorodą", + ), + "creatingLink": MessageLookupByLibrary.simpleMessage("Kuriama nuoroda..."), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "Yra kritinis naujinimas", + ), + "crop": MessageLookupByLibrary.simpleMessage("Apkirpti"), + "curatedMemories": MessageLookupByLibrary.simpleMessage( + "Kuruoti prisiminimai", + ), + "currentUsageIs": MessageLookupByLibrary.simpleMessage( + "Dabartinis naudojimas – ", + ), + "currentlyRunning": MessageLookupByLibrary.simpleMessage( + "šiuo metu vykdoma", + ), + "custom": MessageLookupByLibrary.simpleMessage("Pasirinktinis"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Tamsi"), + "dayToday": MessageLookupByLibrary.simpleMessage("Šiandien"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Vakar"), + "declineTrustInvite": MessageLookupByLibrary.simpleMessage( + "Atmesti kvietimą", + ), + "decrypting": MessageLookupByLibrary.simpleMessage("Iššifruojama..."), + "decryptingVideo": MessageLookupByLibrary.simpleMessage( + "Iššifruojamas vaizdo įrašas...", + ), + "deduplicateFiles": MessageLookupByLibrary.simpleMessage( + "Atdubliuoti failus", + ), + "delete": MessageLookupByLibrary.simpleMessage("Ištrinti"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Ištrinti paskyrą"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Apgailestaujame, kad išeinate. Pasidalykite savo atsiliepimais, kad padėtumėte mums tobulėti.", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Ištrinti paskyrą negrįžtamai", + ), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Ištrinti albumą"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Taip pat ištrinti šiame albume esančias nuotraukas (ir vaizdo įrašus) iš visų kitų albumų, kuriuose jos yra dalis?", + ), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "Tai ištrins visus tuščius albumus. Tai naudinga, kai norite sumažinti netvarką savo albumų sąraše.", + ), + "deleteAll": MessageLookupByLibrary.simpleMessage("Ištrinti viską"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "Ši paskyra susieta su kitomis „Ente“ programomis, jei jas naudojate. Jūsų įkelti duomenys per visas „Ente“ programas bus planuojama ištrinti, o jūsų paskyra bus ištrinta negrįžtamai.", + ), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Iš savo registruoto el. pašto adreso siųskite el. laišką adresu account-deletion@ente.io.", + ), + "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( + "Ištrinti tuščius albumus", + ), + "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( + "Ištrinti tuščius albumus?", + ), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage( + "Ištrinti iš abiejų", + ), + "deleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Ištrinti iš įrenginio", + ), + "deleteFromEnte": MessageLookupByLibrary.simpleMessage( + "Ištrinti iš „Ente“", + ), + "deleteItemCount": m21, + "deleteLocation": MessageLookupByLibrary.simpleMessage("Ištrinti vietovę"), + "deleteMultipleAlbumDialog": m22, + "deletePhotos": MessageLookupByLibrary.simpleMessage("Ištrinti nuotraukas"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Trūksta pagrindinės funkcijos, kurios man reikia", + ), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "Programa arba tam tikra funkcija nesielgia taip, kaip, mano manymu, turėtų elgtis", + ), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Radau kitą paslaugą, kuri man patinka labiau", + ), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "Mano priežastis nenurodyta", + ), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Jūsų prašymas bus apdorotas per 72 valandas.", + ), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Ištrinti bendrinamą albumą?", + ), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "Albumas bus ištrintas visiems.\n\nPrarasite prieigą prie bendrinamų nuotraukų, esančių šiame albume ir priklausančių kitiems.", + ), + "deselectAll": MessageLookupByLibrary.simpleMessage( + "Naikinti visų pasirinkimą", + ), + "designedToOutlive": MessageLookupByLibrary.simpleMessage( + "Sukurta išgyventi", + ), + "details": MessageLookupByLibrary.simpleMessage("Išsami informacija"), + "developerSettings": MessageLookupByLibrary.simpleMessage( + "Kūrėjo nustatymai", + ), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Ar tikrai norite modifikuoti kūrėjo nustatymus?", + ), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Įveskite kodą"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "Į šį įrenginio albumą įtraukti failai bus automatiškai įkelti į „Ente“.", + ), + "deviceLock": MessageLookupByLibrary.simpleMessage("Įrenginio užraktas"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Išjunkite įrenginio ekrano užraktą, kai „Ente“ yra priekiniame fone ir kuriama atsarginės kopijos. Paprastai to nereikia, bet tai gali padėti greičiau užbaigti didelius įkėlimus ir pradinį didelių bibliotekų importą.", + ), + "deviceNotFound": MessageLookupByLibrary.simpleMessage( + "Įrenginys nerastas", + ), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Ar žinojote?"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage( + "Išjungti automatinį užraktą", + ), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Žiūrėtojai vis tiek gali daryti ekrano kopijas arba išsaugoti nuotraukų kopijas naudojant išorinius įrankius", + ), + "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( + "Atkreipkite dėmesį", + ), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "Išjungti dvigubą tapatybės nustatymą", + ), + "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( + "Išjungiamas dvigubas tapatybės nustatymas...", + ), + "discord": MessageLookupByLibrary.simpleMessage("„Discord“"), + "discover": MessageLookupByLibrary.simpleMessage("Atraskite"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Kūdikiai"), + "discover_celebrations": MessageLookupByLibrary.simpleMessage("Šventės"), + "discover_food": MessageLookupByLibrary.simpleMessage("Maistas"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Žaluma"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Kalvos"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Tapatybė"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Mėmai"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Užrašai"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Gyvūnai"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Kvitai"), + "discover_screenshots": MessageLookupByLibrary.simpleMessage( + "Ekrano kopijos", + ), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Asmenukės"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Saulėlydis"), + "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( + "Lankymo kortelės", + ), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Ekrano fonai"), + "dismiss": MessageLookupByLibrary.simpleMessage("Atmesti"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage("Neatsijungti"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Daryti tai vėliau"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Ar norite atmesti atliktus pakeitimus?", + ), + "done": MessageLookupByLibrary.simpleMessage("Atlikta"), + "dontSave": MessageLookupByLibrary.simpleMessage("Neišsaugoti"), + "doubleYourStorage": MessageLookupByLibrary.simpleMessage( + "Padvigubinkite saugyklą", + ), + "download": MessageLookupByLibrary.simpleMessage("Atsisiųsti"), + "downloadFailed": MessageLookupByLibrary.simpleMessage( + "Atsisiuntimas nepavyko.", + ), + "downloading": MessageLookupByLibrary.simpleMessage("Atsisiunčiama..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Redaguoti"), + "editEmailAlreadyLinked": m28, + "editLocation": MessageLookupByLibrary.simpleMessage("Redaguoti vietovę"), + "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( + "Redaguoti vietovę", + ), + "editPerson": MessageLookupByLibrary.simpleMessage("Redaguoti asmenį"), + "editTime": MessageLookupByLibrary.simpleMessage("Redaguoti laiką"), + "editsSaved": MessageLookupByLibrary.simpleMessage("Redagavimai išsaugoti"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Vietovės pakeitimai bus matomi tik per „Ente“", + ), + "eligible": MessageLookupByLibrary.simpleMessage("tinkamas"), + "email": MessageLookupByLibrary.simpleMessage("El. paštas"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "El. paštas jau užregistruotas.", + ), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "El. paštas neregistruotas.", + ), + "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( + "El. pašto patvirtinimas", + ), + "emailYourLogs": MessageLookupByLibrary.simpleMessage( + "Atsiųskite žurnalus el. laišku", + ), + "embracingThem": m32, + "emergencyContacts": MessageLookupByLibrary.simpleMessage( + "Skubios pagalbos kontaktai", + ), + "empty": MessageLookupByLibrary.simpleMessage("Ištuštinti"), + "emptyTrash": MessageLookupByLibrary.simpleMessage("Ištuštinti šiukšlinę?"), + "enable": MessageLookupByLibrary.simpleMessage("Įjungti"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "„Ente“ palaiko įrenginyje mašininį mokymąsi, skirtą veidų atpažinimui, magiškai paieškai ir kitoms išplėstinėms paieškos funkcijoms", + ), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Įjunkite mašininį mokymąsi magiškai paieškai ir veidų atpažinimui", + ), + "enableMaps": MessageLookupByLibrary.simpleMessage("Įjungti žemėlapius"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "Tai parodys jūsų nuotraukas pasaulio žemėlapyje.\n\nŠį žemėlapį talpina „OpenStreetMap“, o tiksliomis nuotraukų vietovėmis niekada nebendrinama.\n\nŠią funkciją bet kada galite išjungti iš nustatymų.", + ), + "enabled": MessageLookupByLibrary.simpleMessage("Įjungta"), + "encryptingBackup": MessageLookupByLibrary.simpleMessage( + "Šifruojama atsarginė kopija...", + ), + "encryption": MessageLookupByLibrary.simpleMessage("Šifravimas"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage("Šifravimo raktai"), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Galutinis taškas sėkmingai atnaujintas", + ), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Pagal numatytąjį užšifruota visapusiškai", + ), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "„Ente“ gali užšifruoti ir išsaugoti failus tik tada, jei suteikiate prieigą prie jų.", + ), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "„Ente“ reikia leidimo išsaugoti jūsų nuotraukas", + ), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "„Ente“ išsaugo jūsų prisiminimus, todėl jie visada bus pasiekiami, net jei prarasite įrenginį.", + ), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Į planą galima pridėti ir savo šeimą.", + ), + "enterAlbumName": MessageLookupByLibrary.simpleMessage( + "Įveskite albumo pavadinimą", + ), + "enterCode": MessageLookupByLibrary.simpleMessage("Įvesti kodą"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Įveskite draugo pateiktą kodą, kad gautumėte nemokamą saugyklą abiem.", + ), + "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( + "Gimtadienis (neprivaloma)", + ), + "enterEmail": MessageLookupByLibrary.simpleMessage("Įveskite el. paštą"), + "enterFileName": MessageLookupByLibrary.simpleMessage( + "Įveskite failo pavadinimą", + ), + "enterName": MessageLookupByLibrary.simpleMessage("Įveskite vardą"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Įveskite naują slaptažodį, kurį galime naudoti jūsų duomenims šifruoti", + ), + "enterPassword": MessageLookupByLibrary.simpleMessage( + "Įveskite slaptažodį", + ), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Įveskite slaptažodį, kurį galime naudoti jūsų duomenims šifruoti", + ), + "enterPersonName": MessageLookupByLibrary.simpleMessage( + "Įveskite asmens vardą", + ), + "enterPin": MessageLookupByLibrary.simpleMessage("Įveskite PIN"), + "enterReferralCode": MessageLookupByLibrary.simpleMessage( + "Įveskite rekomendacijos kodą", + ), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Įveskite 6 skaitmenų kodą\niš autentifikatoriaus programos", + ), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Įveskite tinkamą el. pašto adresą.", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Įveskite savo el. pašto adresą", + ), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Įveskite savo naują el. pašto adresą", + ), + "enterYourPassword": MessageLookupByLibrary.simpleMessage( + "Įveskite savo slaptažodį", + ), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Įveskite atkūrimo raktą", + ), + "error": MessageLookupByLibrary.simpleMessage("Klaida"), + "everywhere": MessageLookupByLibrary.simpleMessage("visur"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": MessageLookupByLibrary.simpleMessage("Esamas naudotojas"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Ši nuoroda nebegalioja. Pasirinkite naują galiojimo laiką arba išjunkite nuorodos galiojimo laiką.", + ), + "exportLogs": MessageLookupByLibrary.simpleMessage("Eksportuoti žurnalus"), + "exportYourData": MessageLookupByLibrary.simpleMessage( + "Eksportuoti duomenis", + ), + "extraPhotosFound": MessageLookupByLibrary.simpleMessage( + "Rastos papildomos nuotraukos", + ), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Veidas dar nesugrupuotas. Grįžkite vėliau.", + ), + "faceRecognition": MessageLookupByLibrary.simpleMessage( + "Veido atpažinimas", + ), + "faces": MessageLookupByLibrary.simpleMessage("Veidai"), + "failed": MessageLookupByLibrary.simpleMessage("Nepavyko"), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage( + "Nepavyko pritaikyti kodo.", + ), + "failedToCancel": MessageLookupByLibrary.simpleMessage( + "Nepavyko atsisakyti", + ), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( + "Nepavyko atsisiųsti vaizdo įrašo.", + ), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Nepavyko gauti aktyvių seansų.", + ), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Nepavyko gauti originalo redagavimui.", + ), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Nepavyksta gauti rekomendacijos išsamios informacijos. Bandykite dar kartą vėliau.", + ), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "Nepavyko įkelti albumų.", + ), + "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Nepavyko paleisti vaizdo įrašą. ", + ), + "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( + "Nepavyko atnaujinti prenumeratos.", + ), + "failedToRenew": MessageLookupByLibrary.simpleMessage("Nepavyko pratęsti."), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Nepavyko patvirtinti mokėjimo būsenos", + ), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Įtraukite 5 šeimos narius į jūsų esamą planą nemokėdami papildomai.\n\nKiekvienas narys gauna savo asmeninę vietą ir negali matyti vienas kito failų, nebent jie bendrinami.\n\nŠeimos planai pasiekiami klientams, kurie turi mokamą „Ente“ prenumeratą.\n\nPrenumeruokite dabar, kad pradėtumėte!", + ), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Šeima"), + "familyPlans": MessageLookupByLibrary.simpleMessage("Šeimos planai"), + "faq": MessageLookupByLibrary.simpleMessage("DUK"), + "faqs": MessageLookupByLibrary.simpleMessage("DUK"), + "favorite": MessageLookupByLibrary.simpleMessage("Pamėgti"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("Atsiliepimai"), + "file": MessageLookupByLibrary.simpleMessage("Failas"), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Nepavyko išsaugoti failo į galeriją", + ), + "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( + "Pridėti aprašymą...", + ), + "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( + "Failas dar neįkeltas.", + ), + "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Failas išsaugotas į galeriją", + ), + "fileTypes": MessageLookupByLibrary.simpleMessage("Failų tipai"), + "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( + "Failų tipai ir pavadinimai", + ), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage("Failai ištrinti"), + "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Failai išsaugoti į galeriją", + ), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "Greitai suraskite žmones pagal vardą", + ), + "findThemQuickly": MessageLookupByLibrary.simpleMessage( + "Raskite juos greitai", + ), + "flip": MessageLookupByLibrary.simpleMessage("Apversti"), + "food": MessageLookupByLibrary.simpleMessage("Kulinarinis malonumas"), + "forYourMemories": MessageLookupByLibrary.simpleMessage( + "jūsų prisiminimams", + ), + "forgotPassword": MessageLookupByLibrary.simpleMessage( + "Pamiršau slaptažodį", + ), + "foundFaces": MessageLookupByLibrary.simpleMessage("Rasti veidai"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( + "Gauta nemokama saugykla", + ), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Naudojama nemokama saugykla", + ), + "freeTrial": MessageLookupByLibrary.simpleMessage( + "Nemokamas bandomasis laikotarpis", + ), + "freeTrialValidTill": m38, + "freeUpAccessPostDelete": m39, + "freeUpAmount": m40, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( + "Atlaisvinti įrenginio vietą", + ), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Sutaupykite vietos savo įrenginyje išvalydami failus, kurių atsarginės kopijos jau buvo sukurtos.", + ), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("Atlaisvinti vietos"), + "freeUpSpaceSaving": m41, + "gallery": MessageLookupByLibrary.simpleMessage("Galerija"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "Galerijoje rodoma iki 1000 prisiminimų", + ), + "general": MessageLookupByLibrary.simpleMessage("Bendrieji"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Generuojami šifravimo raktai...", + ), + "genericProgress": m42, + "goToSettings": MessageLookupByLibrary.simpleMessage("Eiti į nustatymus"), + "googlePlayId": MessageLookupByLibrary.simpleMessage("„Google Play“ ID"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Leiskite prieigą prie visų nuotraukų nustatymų programoje.", + ), + "grantPermission": MessageLookupByLibrary.simpleMessage("Suteikti leidimą"), + "greenery": MessageLookupByLibrary.simpleMessage("Žaliasis gyvenimas"), + "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( + "Grupuoti netoliese nuotraukas", + ), + "guestView": MessageLookupByLibrary.simpleMessage("Svečio peržiūra"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "Kad įjungtumėte svečio peržiūrą, sistemos nustatymuose nustatykite įrenginio prieigos kodą arba ekrano užraktą.", + ), + "happyBirthday": MessageLookupByLibrary.simpleMessage("Su gimtadieniu! 🥳"), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "Mes nesekame programų diegimų. Mums padėtų, jei pasakytumėte, kur mus radote.", + ), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Kaip išgirdote apie „Ente“? (nebūtina)", + ), + "help": MessageLookupByLibrary.simpleMessage("Pagalba"), + "hidden": MessageLookupByLibrary.simpleMessage("Paslėpti"), + "hide": MessageLookupByLibrary.simpleMessage("Slėpti"), + "hideContent": MessageLookupByLibrary.simpleMessage("Slėpti turinį"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Paslepia programų turinį programų perjungiklyje ir išjungia ekrano kopijas", + ), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Paslepia programos turinį programos perjungiklyje", + ), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Slėpti bendrinamus elementus iš pagrindinės galerijos", + ), + "hiding": MessageLookupByLibrary.simpleMessage("Slepiama..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( + "Talpinama OSM Prancūzijoje", + ), + "howItWorks": MessageLookupByLibrary.simpleMessage("Kaip tai veikia"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Paprašykite jų ilgai paspausti savo el. pašto adresą nustatymų ekrane ir patvirtinti, kad abiejų įrenginių ID sutampa.", + ), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Biometrinis tapatybės nustatymas jūsų įrenginyje nenustatytas. Telefone įjunkite „Touch ID“ arba „Face ID“.", + ), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "Biometrinis tapatybės nustatymas išjungtas. Kad jį įjungtumėte, užrakinkite ir atrakinkite ekraną.", + ), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("Gerai"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignoruoti"), + "ignored": MessageLookupByLibrary.simpleMessage("ignoruota"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Kai kurie šio albumo failai ignoruojami, nes anksčiau buvo ištrinti iš „Ente“.", + ), + "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( + "Vaizdas neanalizuotas.", + ), + "immediately": MessageLookupByLibrary.simpleMessage("Iš karto"), + "importing": MessageLookupByLibrary.simpleMessage("Importuojama...."), + "incorrectCode": MessageLookupByLibrary.simpleMessage("Neteisingas kodas."), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Neteisingas slaptažodis", + ), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Neteisingas atkūrimo raktas", + ), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Įvestas atkūrimo raktas yra neteisingas.", + ), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Neteisingas atkūrimo raktas", + ), + "indexedItems": MessageLookupByLibrary.simpleMessage( + "Indeksuoti elementai", + ), + "ineligible": MessageLookupByLibrary.simpleMessage("Netinkami"), + "info": MessageLookupByLibrary.simpleMessage("Informacija"), + "insecureDevice": MessageLookupByLibrary.simpleMessage( + "Nesaugus įrenginys", + ), + "installManually": MessageLookupByLibrary.simpleMessage( + "Diegti rankiniu būdu", + ), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "Netinkamas el. pašto adresas", + ), + "invalidEndpoint": MessageLookupByLibrary.simpleMessage( + "Netinkamas galutinis taškas", + ), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Atsiprašome, įvestas galutinis taškas netinkamas. Įveskite tinkamą galutinį tašką ir bandykite dar kartą.", + ), + "invalidKey": MessageLookupByLibrary.simpleMessage("Netinkamas raktas."), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Įvestas atkūrimo raktas yra netinkamas. Įsitikinkite, kad jame yra 24 žodžiai, ir patikrinkite kiekvieno iš jų rašybą.\n\nJei įvedėte senesnį atkūrimo kodą, įsitikinkite, kad jis yra 64 simbolių ilgio, ir patikrinkite kiekvieną iš jų.", + ), + "invite": MessageLookupByLibrary.simpleMessage("Kviesti"), + "inviteToEnte": MessageLookupByLibrary.simpleMessage("Kviesti į „Ente“"), + "inviteYourFriends": MessageLookupByLibrary.simpleMessage( + "Kviesti savo draugus", + ), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "Pakvieskite savo draugus į „Ente“", + ), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Atrodo, kad kažkas nutiko ne taip. Bandykite pakartotinai po kurio laiko. Jei klaida tęsiasi, susisiekite su mūsų palaikymo komanda.", + ), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "Elementai rodo likusių dienų skaičių iki visiško ištrynimo.", + ), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Pasirinkti elementai bus pašalinti iš šio albumo", + ), + "join": MessageLookupByLibrary.simpleMessage("Jungtis"), + "joinAlbum": MessageLookupByLibrary.simpleMessage("Junkitės prie albumo"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "Prisijungus prie albumo, jūsų el. paštas bus matomas jo dalyviams.", + ), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( + "kad peržiūrėtumėte ir pridėtumėte savo nuotraukas", + ), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "kad pridėtumėte tai prie bendrinamų albumų", + ), + "joinDiscord": MessageLookupByLibrary.simpleMessage( + "Jungtis prie „Discord“", + ), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Palikti nuotraukas"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Maloniai padėkite mums su šia informacija.", + ), + "language": MessageLookupByLibrary.simpleMessage("Kalba"), + "lastTimeWithThem": m45, + "lastUpdated": MessageLookupByLibrary.simpleMessage( + "Paskutinį kartą atnaujintą", + ), + "lastYearsTrip": MessageLookupByLibrary.simpleMessage( + "Pastarųjų metų kelionė", + ), + "leave": MessageLookupByLibrary.simpleMessage("Palikti"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Palikti albumą"), + "leaveFamily": MessageLookupByLibrary.simpleMessage("Palikti šeimą"), + "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Palikti bendrinamą albumą?", + ), + "left": MessageLookupByLibrary.simpleMessage("Kairė"), + "legacy": MessageLookupByLibrary.simpleMessage("Palikimas"), + "legacyAccounts": MessageLookupByLibrary.simpleMessage("Palikimo paskyros"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "Palikimas leidžia patikimiems kontaktams pasiekti jūsų paskyrą jums nesant.", + ), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "Patikimi kontaktai gali pradėti paskyros atkūrimą, o jei per 30 dienų paskyra neužblokuojama, iš naujo nustatyti slaptažodį ir pasiekti paskyrą.", + ), + "light": MessageLookupByLibrary.simpleMessage("Šviesi"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Šviesi"), + "link": MessageLookupByLibrary.simpleMessage("Susieti"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Nuoroda nukopijuota į iškarpinę", + ), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Įrenginių riba"), + "linkEmail": MessageLookupByLibrary.simpleMessage("Susieti el. paštą"), + "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( + "spartesniam bendrinimui", + ), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Įjungta"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Nebegalioja"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage( + "Nuorodos galiojimo laikas", + ), + "linkHasExpired": MessageLookupByLibrary.simpleMessage( + "Nuoroda nebegalioja", + ), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Niekada"), + "linkPerson": MessageLookupByLibrary.simpleMessage("Susiekite asmenį,"), + "linkPersonCaption": MessageLookupByLibrary.simpleMessage( + "geresniam bendrinimo patirčiai", + ), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("Gyvos nuotraukos"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "Galite bendrinti savo prenumeratą su šeima.", + ), + "loadMessage2": MessageLookupByLibrary.simpleMessage( + "Iki šiol išsaugojome daugiau nei 200 milijonų prisiminimų.", + ), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "Laikome 3 jūsų duomenų kopijas, vieną iš jų – požeminėje priešgaisrinėje slėptuvėje.", + ), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "Visos mūsų programos yra atvirojo kodo.", + ), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Mūsų šaltinio kodas ir kriptografija buvo išoriškai audituoti.", + ), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "Galite bendrinti savo albumų nuorodas su artimaisiais.", + ), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Mūsų mobiliosios programos veikia fone, kad užšifruotų ir sukurtų atsarginę kopiją visų naujų nuotraukų, kurias spustelėjate.", + ), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io turi sklandų įkėlėją", + ), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Naudojame „Xchacha20Poly1305“, kad saugiai užšifruotume jūsų duomenis.", + ), + "loadingExifData": MessageLookupByLibrary.simpleMessage( + "Įkeliami EXIF duomenys...", + ), + "loadingGallery": MessageLookupByLibrary.simpleMessage( + "Įkeliama galerija...", + ), + "loadingMessage": MessageLookupByLibrary.simpleMessage( + "Įkeliamos jūsų nuotraukos...", + ), + "loadingModel": MessageLookupByLibrary.simpleMessage( + "Atsisiunčiami modeliai...", + ), + "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( + "Įkeliamos nuotraukos...", + ), + "localGallery": MessageLookupByLibrary.simpleMessage("Vietinė galerija"), + "localIndexing": MessageLookupByLibrary.simpleMessage( + "Vietinis indeksavimas", + ), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Atrodo, kad kažkas nutiko ne taip, nes vietinių nuotraukų sinchronizavimas trunka ilgiau nei tikėtasi. Susisiekite su mūsų palaikymo komanda.", + ), + "location": MessageLookupByLibrary.simpleMessage("Vietovė"), + "locationName": MessageLookupByLibrary.simpleMessage( + "Vietovės pavadinimas", + ), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Vietos žymė grupuoja visas nuotraukas, kurios buvo padarytos tam tikru spinduliu nuo nuotraukos", + ), + "locations": MessageLookupByLibrary.simpleMessage("Vietovės"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Užrakinti"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Ekrano užraktas"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Prisijungti"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Atsijungiama..."), + "loginSessionExpired": MessageLookupByLibrary.simpleMessage( + "Seansas baigėsi", + ), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "Jūsų seansas baigėsi. Prisijunkite iš naujo.", + ), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Spustelėjus Prisijungti sutinku su paslaugų sąlygomis ir privatumo politika", + ), + "loginWithTOTP": MessageLookupByLibrary.simpleMessage( + "Prisijungti su TOTP", + ), + "logout": MessageLookupByLibrary.simpleMessage("Atsijungti"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "Tai nusiųs žurnalus, kurie padės mums išspręsti jūsų problemą. Atkreipkite dėmesį, kad failų pavadinimai bus įtraukti, kad būtų lengviau atsekti problemas su konkrečiais failais.", + ), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Ilgai paspauskite el. paštą, kad patvirtintumėte visapusį šifravimą.", + ), + "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( + "Ilgai paspauskite elementą, kad peržiūrėtumėte per visą ekraną", + ), + "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( + "Pažvelkite atgal į savo prisiminimus 🌄", + ), + "loopVideoOff": MessageLookupByLibrary.simpleMessage( + "Išjungtas vaizdo įrašo ciklas", + ), + "loopVideoOn": MessageLookupByLibrary.simpleMessage( + "Įjungtas vaizdo įrašo ciklas", + ), + "lostDevice": MessageLookupByLibrary.simpleMessage("Prarastas įrenginys?"), + "machineLearning": MessageLookupByLibrary.simpleMessage( + "Mašininis mokymasis", + ), + "magicSearch": MessageLookupByLibrary.simpleMessage("Magiška paieška"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "Magiška paieška leidžia ieškoti nuotraukų pagal jų turinį, pvz., „gėlė“, „raudonas automobilis“, „tapatybės dokumentai“", + ), + "manage": MessageLookupByLibrary.simpleMessage("Tvarkyti"), + "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( + "Tvarkyti įrenginio podėlį", + ), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Peržiūrėkite ir išvalykite vietinę podėlį.", + ), + "manageFamily": MessageLookupByLibrary.simpleMessage("Tvarkyti šeimą"), + "manageLink": MessageLookupByLibrary.simpleMessage("Tvarkyti nuorodą"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Tvarkyti"), + "manageSubscription": MessageLookupByLibrary.simpleMessage( + "Tvarkyti prenumeratą", + ), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "Susieti su PIN kodu veikia bet kuriame ekrane, kuriame norite peržiūrėti albumą.", + ), + "map": MessageLookupByLibrary.simpleMessage("Žemėlapis"), + "maps": MessageLookupByLibrary.simpleMessage("Žemėlapiai"), + "mastodon": MessageLookupByLibrary.simpleMessage("„Mastodon“"), + "matrix": MessageLookupByLibrary.simpleMessage("„Matrix“"), + "me": MessageLookupByLibrary.simpleMessage("Aš"), + "memories": MessageLookupByLibrary.simpleMessage("Prisiminimai"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Pasirinkite, kokius prisiminimus norite matyti savo pradžios ekrane.", + ), + "memoryCount": m50, + "merchandise": MessageLookupByLibrary.simpleMessage("Atributika"), + "mergeWithExisting": MessageLookupByLibrary.simpleMessage( + "Sujungti su esamais", + ), + "mergedPhotos": MessageLookupByLibrary.simpleMessage( + "Sujungtos nuotraukos", + ), + "mlConsent": MessageLookupByLibrary.simpleMessage( + "Įjungti mašininį mokymąsi", + ), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Suprantu ir noriu įjungti mašininį mokymąsi", + ), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Jei įjungsite mašininį mokymąsi, „Ente“ išsitrauks tokią informaciją kaip veido geometrija iš failų, įskaitant tuos, kuriais su jumis bendrinama.\n\nTai bus daroma jūsų įrenginyje, o visa sugeneruota biometrinė informacija bus visapusiškai užšifruota.", + ), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Spustelėkite čia dėl išsamesnės informacijos apie šią funkciją mūsų privatumo politikoje", + ), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "Įjungti mašininį mokymąsi?", + ), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Atkreipkite dėmesį, kad mašininis mokymasis padidins pralaidumą ir akumuliatoriaus naudojimą, kol bus indeksuoti visi elementai. Apsvarstykite galimybę naudoti darbalaukio programą, kad indeksavimas būtų spartesnis – visi rezultatai bus sinchronizuojami automatiškai.", + ), + "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( + "Mobiliuosiuose, internete ir darbalaukyje", + ), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Vidutinė"), + "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( + "Modifikuokite užklausą arba bandykite ieškoti", + ), + "moments": MessageLookupByLibrary.simpleMessage("Akimirkos"), + "month": MessageLookupByLibrary.simpleMessage("mėnesis"), + "monthly": MessageLookupByLibrary.simpleMessage("Mėnesinis"), + "moon": MessageLookupByLibrary.simpleMessage("Mėnulio šviesoje"), + "moreDetails": MessageLookupByLibrary.simpleMessage( + "Daugiau išsamios informacijos", + ), + "mostRecent": MessageLookupByLibrary.simpleMessage("Naujausią"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("Aktualiausią"), + "mountains": MessageLookupByLibrary.simpleMessage("Per kalvas"), + "moveItem": m51, + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "Perkelti pasirinktas nuotraukas į vieną datą", + ), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("Perkelti į albumą"), + "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Perkelti į paslėptą albumą", + ), + "movedSuccessfullyTo": m52, + "movedToTrash": MessageLookupByLibrary.simpleMessage( + "Perkelta į šiukšlinę", + ), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Perkeliami failai į albumą...", + ), + "name": MessageLookupByLibrary.simpleMessage("Pavadinimą"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Pavadinkite albumą"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Nepavyksta prisijungti prie „Ente“. Bandykite dar kartą po kurio laiko. Jei klaida tęsiasi, susisiekite su palaikymo komanda.", + ), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Nepavyksta prisijungti prie „Ente“. Patikrinkite tinklo nustatymus ir susisiekite su palaikymo komanda, jei klaida tęsiasi.", + ), + "never": MessageLookupByLibrary.simpleMessage("Niekada"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Naujas albumas"), + "newLocation": MessageLookupByLibrary.simpleMessage("Nauja vietovė"), + "newPerson": MessageLookupByLibrary.simpleMessage("Naujas asmuo"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" naujas 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("Naujas intervalas"), + "newToEnte": MessageLookupByLibrary.simpleMessage( + "Naujas platformoje „Ente“", + ), + "newest": MessageLookupByLibrary.simpleMessage("Naujausią"), + "next": MessageLookupByLibrary.simpleMessage("Toliau"), + "no": MessageLookupByLibrary.simpleMessage("Ne"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Dar nėra albumų, kuriais bendrinotės.", + ), + "noDeviceFound": MessageLookupByLibrary.simpleMessage("Įrenginys nerastas"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Jokio"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "Neturite šiame įrenginyje failų, kuriuos galima ištrinti.", + ), + "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Dublikatų nėra"), + "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( + "Nėra „Ente“ paskyros!", + ), + "noExifData": MessageLookupByLibrary.simpleMessage("Nėra EXIF duomenų"), + "noFacesFound": MessageLookupByLibrary.simpleMessage("Nerasta veidų."), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "Nėra paslėptų nuotraukų arba vaizdo įrašų", + ), + "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( + "Nėra vaizdų su vietove", + ), + "noInternetConnection": MessageLookupByLibrary.simpleMessage( + "Nėra interneto ryšio", + ), + "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( + "Šiuo metu nekuriamos atsarginės nuotraukų kopijos", + ), + "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( + "Nuotraukų čia nerasta", + ), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( + "Nėra pasirinktų sparčiųjų nuorodų", + ), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Neturite atkūrimo rakto?", + ), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Dėl mūsų visapusio šifravimo protokolo pobūdžio jūsų duomenų negalima iššifruoti be slaptažodžio arba atkūrimo rakto", + ), + "noResults": MessageLookupByLibrary.simpleMessage("Rezultatų nėra."), + "noResultsFound": MessageLookupByLibrary.simpleMessage( + "Rezultatų nerasta.", + ), + "noSuggestionsForPerson": m53, + "noSystemLockFound": MessageLookupByLibrary.simpleMessage( + "Nerastas sistemos užraktas", + ), + "notPersonLabel": m54, + "notThisPerson": MessageLookupByLibrary.simpleMessage("Ne šis asmuo?"), + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "Kol kas su jumis niekuo nesibendrinama.", + ), + "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( + "Čia nėra nieko, ką pamatyti. 👀", + ), + "notifications": MessageLookupByLibrary.simpleMessage("Pranešimai"), + "ok": MessageLookupByLibrary.simpleMessage("Gerai"), + "onDevice": MessageLookupByLibrary.simpleMessage("Įrenginyje"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "Saugykloje ente", + ), + "onTheRoad": MessageLookupByLibrary.simpleMessage("Vėl kelyje"), + "onThisDay": MessageLookupByLibrary.simpleMessage("Šią dieną"), + "onThisDayMemories": MessageLookupByLibrary.simpleMessage( + "Šios dienos prisiminimai", + ), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "Gaukite priminimus apie praėjusių metų šios dienos prisiminimus.", + ), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Tik jiems"), + "oops": MessageLookupByLibrary.simpleMessage("Ups"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Ups, nepavyko išsaugoti redagavimų.", + ), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Ups, kažkas nutiko ne taip", + ), + "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( + "Atverti albumą naršyklėje", + ), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Naudokite interneto programą, kad pridėtumėte nuotraukų į šį albumą.", + ), + "openFile": MessageLookupByLibrary.simpleMessage("Atverti failą"), + "openSettings": MessageLookupByLibrary.simpleMessage("Atverti nustatymus"), + "openTheItem": MessageLookupByLibrary.simpleMessage( + "• Atverkite elementą.", + ), + "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( + "„OpenStreetMap“ bendradarbiai", + ), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Nebūtina, trumpai, kaip jums patinka...", + ), + "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( + "Arba sujunkite su esamais", + ), + "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( + "Arba pasirinkite esamą", + ), + "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( + "arba pasirinkite iš savo kontaktų", + ), + "pair": MessageLookupByLibrary.simpleMessage("Susieti"), + "pairWithPin": MessageLookupByLibrary.simpleMessage("Susieti su PIN"), + "pairingComplete": MessageLookupByLibrary.simpleMessage( + "Susiejimas baigtas", + ), + "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), + "partyWithThem": m56, + "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( + "Vis dar laukiama patvirtinimo", + ), + "passkey": MessageLookupByLibrary.simpleMessage("Slaptaraktis"), + "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( + "Slaptarakčio patvirtinimas", + ), + "password": MessageLookupByLibrary.simpleMessage("Slaptažodis"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Slaptažodis sėkmingai pakeistas", + ), + "passwordLock": MessageLookupByLibrary.simpleMessage( + "Slaptažodžio užraktas", + ), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "Slaptažodžio stiprumas apskaičiuojamas atsižvelgiant į slaptažodžio ilgį, naudotus simbolius ir į tai, ar slaptažodis patenka į 10 000 dažniausiai naudojamų slaptažodžių.", + ), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Šio slaptažodžio nesaugome, todėl jei jį pamiršite, negalėsime iššifruoti jūsų duomenų", + ), + "pastYearsMemories": MessageLookupByLibrary.simpleMessage( + "Praėjusių metų prisiminimai", + ), + "paymentDetails": MessageLookupByLibrary.simpleMessage("Mokėjimo duomenys"), + "paymentFailed": MessageLookupByLibrary.simpleMessage("Mokėjimas nepavyko"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "Deja, jūsų mokėjimas nepavyko. Susisiekite su palaikymo komanda ir mes jums padėsime!", + ), + "paymentFailedTalkToProvider": m58, + "pendingItems": MessageLookupByLibrary.simpleMessage("Laukiami elementai"), + "pendingSync": MessageLookupByLibrary.simpleMessage( + "Laukiama sinchronizacija", + ), + "people": MessageLookupByLibrary.simpleMessage("Asmenys"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Asmenys, naudojantys jūsų kodą", + ), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Pasirinkite asmenis, kuriuos norite matyti savo pradžios ekrane.", + ), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Visi elementai šiukšlinėje bus negrįžtamai ištrinti.\n\nŠio veiksmo negalima anuliuoti.", + ), + "permanentlyDelete": MessageLookupByLibrary.simpleMessage( + "Ištrinti negrįžtamai", + ), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Ištrinti negrįžtamai iš įrenginio?", + ), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("Asmens vardas"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("Furio draugai"), + "photoDescriptions": MessageLookupByLibrary.simpleMessage( + "Nuotraukų aprašai", + ), + "photoGridSize": MessageLookupByLibrary.simpleMessage( + "Nuotraukų tinklelio dydis", + ), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("nuotrauka"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("Nuotraukos"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "Jūsų pridėtos nuotraukos bus pašalintos iš albumo", + ), + "photosCount": m62, + "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( + "Nuotraukos išlaiko santykinį laiko skirtumą", + ), + "pickCenterPoint": MessageLookupByLibrary.simpleMessage( + "Pasirinkite centro tašką", + ), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Prisegti albumą"), + "pinLock": MessageLookupByLibrary.simpleMessage("PIN užrakinimas"), + "playOnTv": MessageLookupByLibrary.simpleMessage( + "Paleisti albumą televizoriuje", + ), + "playOriginal": MessageLookupByLibrary.simpleMessage("Leisti originalą"), + "playStoreFreeTrialValidTill": m63, + "playStream": MessageLookupByLibrary.simpleMessage( + "Leisti srautinį perdavimą", + ), + "playstoreSubscription": MessageLookupByLibrary.simpleMessage( + "„PlayStore“ prenumerata", + ), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Patikrinkite savo interneto ryšį ir bandykite dar kartą.", + ), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Susisiekite adresu support@ente.io ir mes mielai padėsime!", + ), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Jei problema išlieka, susisiekite su pagalbos komanda.", + ), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( + "Suteikite leidimus.", + ), + "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( + "Prisijunkite iš naujo.", + ), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Pasirinkite sparčiąsias nuorodas, kad pašalintumėte", + ), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Bandykite dar kartą.", + ), + "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( + "Patvirtinkite įvestą kodą.", + ), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Palaukite..."), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Palaukite. Ištrinamas albumas", + ), + "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( + "Palaukite kurį laiką prieš bandydami pakartotinai", + ), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "Palaukite, tai šiek tiek užtruks.", + ), + "posingWithThem": m66, + "preparingLogs": MessageLookupByLibrary.simpleMessage( + "Ruošiami žurnalai...", + ), + "preserveMore": MessageLookupByLibrary.simpleMessage("Išsaugoti daugiau"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Paspauskite ir palaikykite, kad paleistumėte vaizdo įrašą", + ), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Paspauskite ir palaikykite vaizdą, kad paleistumėte vaizdo įrašą", + ), + "previous": MessageLookupByLibrary.simpleMessage("Ankstesnis"), + "privacy": MessageLookupByLibrary.simpleMessage("Privatumas"), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "Privatumo politika", + ), + "privateBackups": MessageLookupByLibrary.simpleMessage( + "Privačios atsarginės kopijos", + ), + "privateSharing": MessageLookupByLibrary.simpleMessage( + "Privatus bendrinimas", + ), + "proceed": MessageLookupByLibrary.simpleMessage("Tęsti"), + "processed": MessageLookupByLibrary.simpleMessage("Apdorota"), + "processing": MessageLookupByLibrary.simpleMessage("Apdorojama"), + "processingImport": m67, + "processingVideos": MessageLookupByLibrary.simpleMessage( + "Apdorojami vaizdo įrašai", + ), + "publicLinkCreated": MessageLookupByLibrary.simpleMessage( + "Vieša nuoroda sukurta", + ), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( + "Įjungta viešoji nuoroda", + ), + "queued": MessageLookupByLibrary.simpleMessage("Įtraukta eilėje"), + "quickLinks": MessageLookupByLibrary.simpleMessage("Sparčios nuorodos"), + "radius": MessageLookupByLibrary.simpleMessage("Spindulys"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Sukurti paraišką"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("Vertinti programą"), + "rateUs": MessageLookupByLibrary.simpleMessage("Vertinti mus"), + "rateUsOnStore": m68, + "reassignMe": MessageLookupByLibrary.simpleMessage("Perskirstyti „Aš“"), + "reassignedToName": m69, + "reassigningLoading": MessageLookupByLibrary.simpleMessage( + "Perskirstoma...", + ), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Gaukite priminimus, kai yra kažkieno gimtadienis. Paliesdami pranešimą, pateksite į gimtadienio šventės asmens nuotraukas.", + ), + "recover": MessageLookupByLibrary.simpleMessage("Atkurti"), + "recoverAccount": MessageLookupByLibrary.simpleMessage("Atkurti paskyrą"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Atkurti"), + "recoveryAccount": MessageLookupByLibrary.simpleMessage("Atkurti paskyrą"), + "recoveryInitiated": MessageLookupByLibrary.simpleMessage( + "Pradėtas atkūrimas", + ), + "recoveryInitiatedDesc": m70, + "recoveryKey": MessageLookupByLibrary.simpleMessage("Atkūrimo raktas"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Nukopijuotas atkūrimo raktas į iškarpinę", + ), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Jei pamiršote slaptažodį, vienintelis būdas atkurti duomenis – naudoti šį raktą.", + ), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Šio rakto nesaugome, todėl išsaugokite šį 24 žodžių raktą saugioje vietoje.", + ), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Puiku! Jūsų atkūrimo raktas tinkamas. Dėkojame už patvirtinimą.\n\nNepamirškite sukurti saugią atkūrimo rakto atsarginę kopiją.", + ), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Patvirtintas atkūrimo raktas", + ), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Atkūrimo raktas – vienintelis būdas atkurti nuotraukas, jei pamiršote slaptažodį. Atkūrimo raktą galite rasti Nustatymose > Paskyra.\n\nĮveskite savo atkūrimo raktą čia, kad patvirtintumėte, ar teisingai jį išsaugojote.", + ), + "recoveryReady": m71, + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "Atkūrimas sėkmingas.", + ), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "Patikimas kontaktas bando pasiekti jūsų paskyrą.", + ), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Dabartinis įrenginys nėra pakankamai galingas, kad patvirtintų jūsų slaptažodį, bet mes galime iš naujo sugeneruoti taip, kad jis veiktų su visais įrenginiais.\n\nPrisijunkite naudojant atkūrimo raktą ir sugeneruokite iš naujo slaptažodį (jei norite, galite vėl naudoti tą patį).", + ), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Iš naujo sukurti slaptažodį", + ), + "reddit": MessageLookupByLibrary.simpleMessage("„Reddit“"), + "reenterPassword": MessageLookupByLibrary.simpleMessage( + "Įveskite slaptažodį iš naujo", + ), + "reenterPin": MessageLookupByLibrary.simpleMessage("Įveskite PIN iš naujo"), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Rekomenduokite draugams ir 2 kartus padidinkite savo planą", + ), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Duokite šį kodą savo draugams", + ), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Jie užsiregistruoja mokamą planą", + ), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Rekomendacijos"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "Šiuo metu rekomendacijos yra pristabdytos", + ), + "rejectRecovery": MessageLookupByLibrary.simpleMessage("Atmesti atkūrimą"), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "Taip pat ištuštinkite Neseniai ištrinti iš Nustatymai -> Saugykla, kad atlaisvintumėte vietos.", + ), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Taip pat ištuštinkite šiukšlinę, kad gautumėte laisvos vietos.", + ), + "remoteImages": MessageLookupByLibrary.simpleMessage("Nuotoliniai vaizdai"), + "remoteThumbnails": MessageLookupByLibrary.simpleMessage( + "Nuotolinės miniatiūros", + ), + "remoteVideos": MessageLookupByLibrary.simpleMessage( + "Nuotoliniai vaizdo įrašai", + ), + "remove": MessageLookupByLibrary.simpleMessage("Šalinti"), + "removeDuplicates": MessageLookupByLibrary.simpleMessage( + "Šalinti dublikatus", + ), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Peržiūrėkite ir pašalinkite failus, kurie yra tiksliai dublikatai.", + ), + "removeFromAlbum": MessageLookupByLibrary.simpleMessage( + "Šalinti iš albumo", + ), + "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( + "Pašalinti iš albumo?", + ), + "removeFromFavorite": MessageLookupByLibrary.simpleMessage( + "Šalinti iš mėgstamų", + ), + "removeInvite": MessageLookupByLibrary.simpleMessage("Šalinti kvietimą"), + "removeLink": MessageLookupByLibrary.simpleMessage("Šalinti nuorodą"), + "removeParticipant": MessageLookupByLibrary.simpleMessage("Šalinti dalyvį"), + "removeParticipantBody": m74, + "removePersonLabel": MessageLookupByLibrary.simpleMessage( + "Šalinti asmens žymą", + ), + "removePublicLink": MessageLookupByLibrary.simpleMessage( + "Šalinti viešą nuorodą", + ), + "removePublicLinks": MessageLookupByLibrary.simpleMessage( + "Šalinti viešąsias nuorodas", + ), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Kai kuriuos elementus, kuriuos šalinate, pridėjo kiti asmenys, todėl prarasite prieigą prie jų", + ), + "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Šalinti?"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Šalinti save kaip patikimą kontaktą", + ), + "removingFromFavorites": MessageLookupByLibrary.simpleMessage( + "Pašalinama iš mėgstamų...", + ), + "rename": MessageLookupByLibrary.simpleMessage("Pervadinti"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("Pervadinti albumą"), + "renameFile": MessageLookupByLibrary.simpleMessage("Pervadinti failą"), + "renewSubscription": MessageLookupByLibrary.simpleMessage( + "Pratęsti prenumeratą", + ), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Pranešti apie riktą"), + "reportBug": MessageLookupByLibrary.simpleMessage("Pranešti apie riktą"), + "resendEmail": MessageLookupByLibrary.simpleMessage( + "Iš naujo siųsti el. laišką", + ), + "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( + "Atkurti ignoruojamus failus", + ), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Nustatyti slaptažodį iš naujo", + ), + "resetPerson": MessageLookupByLibrary.simpleMessage("Šalinti"), + "resetToDefault": MessageLookupByLibrary.simpleMessage( + "Atkurti numatytąsias reikšmes", + ), + "restore": MessageLookupByLibrary.simpleMessage("Atkurti"), + "restoreToAlbum": MessageLookupByLibrary.simpleMessage("Atkurti į albumą"), + "restoringFiles": MessageLookupByLibrary.simpleMessage( + "Atkuriami failai...", + ), + "resumableUploads": MessageLookupByLibrary.simpleMessage( + "Tęstiniai įkėlimai", + ), + "retry": MessageLookupByLibrary.simpleMessage("Kartoti"), + "review": MessageLookupByLibrary.simpleMessage("Peržiūrėti"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Peržiūrėkite ir ištrinkite elementus, kurie, jūsų manymu, yra dublikatai.", + ), + "reviewSuggestions": MessageLookupByLibrary.simpleMessage( + "Peržiūrėti pasiūlymus", + ), + "right": MessageLookupByLibrary.simpleMessage("Dešinė"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("Sukti"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Sukti į kairę"), + "rotateRight": MessageLookupByLibrary.simpleMessage("Sukti į dešinę"), + "safelyStored": MessageLookupByLibrary.simpleMessage("Saugiai saugoma"), + "save": MessageLookupByLibrary.simpleMessage("Išsaugoti"), + "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( + "Išsaugoti pakeitimus prieš išeinant?", + ), + "saveCollage": MessageLookupByLibrary.simpleMessage("Išsaugoti koliažą"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Išsaugoti kopiją"), + "saveKey": MessageLookupByLibrary.simpleMessage("Išsaugoti raktą"), + "savePerson": MessageLookupByLibrary.simpleMessage("Išsaugoti asmenį"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Išsaugokite atkūrimo raktą, jei dar to nepadarėte", + ), + "saving": MessageLookupByLibrary.simpleMessage("Išsaugoma..."), + "savingEdits": MessageLookupByLibrary.simpleMessage( + "Išsaugomi redagavimai...", + ), + "scanCode": MessageLookupByLibrary.simpleMessage("Skenuoti kodą"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Skenuokite šį QR kodą\nsu autentifikatoriaus programa", + ), + "search": MessageLookupByLibrary.simpleMessage("Ieškokite"), + "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Albumai"), + "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage( + "Albumo pavadinimas", + ), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Albumų pavadinimai (pvz., „Fotoaparatas“)\n• Failų tipai (pvz., „Vaizdo įrašai“, „.gif“)\n• Metai ir mėnesiai (pvz., „2022“, „sausis“)\n• Šventės (pvz., „Kalėdos“)\n• Nuotraukų aprašymai (pvz., „#džiaugsmas“)", + ), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Pridėkite aprašymus, pavyzdžiui, „#kelionė“, į nuotraukos informaciją, kad greičiau jas čia rastumėte.", + ), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Ieškokite pagal datą, mėnesį arba metus", + ), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "Vaizdai bus rodomi čia, kai bus užbaigtas apdorojimas ir sinchronizavimas.", + ), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "Asmenys bus rodomi čia, kai bus užbaigtas indeksavimas.", + ), + "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( + "Failų tipai ir pavadinimai", + ), + "searchHint1": MessageLookupByLibrary.simpleMessage( + "Sparti paieška įrenginyje", + ), + "searchHint2": MessageLookupByLibrary.simpleMessage( + "Nuotraukų datos ir aprašai", + ), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "Albumai, failų pavadinimai ir tipai", + ), + "searchHint4": MessageLookupByLibrary.simpleMessage("Vietovė"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "Jau netrukus: veidų ir magiškos paieškos ✨", + ), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Grupės nuotraukos, kurios padarytos tam tikru spinduliu nuo nuotraukos", + ), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "Pakvieskite asmenis ir čia matysite visas jų bendrinamas nuotraukas.", + ), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "Asmenys bus rodomi čia, kai bus užbaigtas apdorojimas ir sinchronizavimas.", + ), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Saugumas"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "Žiūrėti viešų albumų nuorodas programoje", + ), + "selectALocation": MessageLookupByLibrary.simpleMessage( + "Pasirinkite vietovę", + ), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage( + "Pirmiausia pasirinkite vietovę", + ), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Pasirinkti albumą"), + "selectAll": MessageLookupByLibrary.simpleMessage("Pasirinkti viską"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("Viskas"), + "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( + "Pasirinkite viršelio nuotrauką", + ), + "selectDate": MessageLookupByLibrary.simpleMessage("Pasirinkti datą"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Pasirinkite aplankus atsarginėms kopijoms kurti", + ), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "Pasirinkite elementus įtraukti", + ), + "selectLanguage": MessageLookupByLibrary.simpleMessage("Pasirinkite kalbą"), + "selectMailApp": MessageLookupByLibrary.simpleMessage( + "Pasirinkti pašto programą", + ), + "selectMorePhotos": MessageLookupByLibrary.simpleMessage( + "Pasirinkti daugiau nuotraukų", + ), + "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( + "Pasirinkti vieną datą ir laiką", + ), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "Pasirinkti vieną datą ir laiką viskam", + ), + "selectPersonToLink": MessageLookupByLibrary.simpleMessage( + "Pasirinkite asmenį, kurį susieti.", + ), + "selectReason": MessageLookupByLibrary.simpleMessage( + "Pasirinkite priežastį", + ), + "selectStartOfRange": MessageLookupByLibrary.simpleMessage( + "Pasirinkti intervalo pradžią", + ), + "selectTime": MessageLookupByLibrary.simpleMessage("Pasirinkti laiką"), + "selectYourFace": MessageLookupByLibrary.simpleMessage( + "Pasirinkite savo veidą", + ), + "selectYourPlan": MessageLookupByLibrary.simpleMessage("Pasirinkite planą"), + "selectedAlbums": m79, + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Pasirinkti failai nėra platformoje „Ente“", + ), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Pasirinkti aplankai bus užšifruoti ir sukurtos atsarginės kopijos.", + ), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Pasirinkti elementai bus ištrinti iš visų albumų ir perkelti į šiukšlinę.", + ), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "Pasirinkti elementai bus pašalinti iš šio asmens, bet nebus ištrinti iš jūsų bibliotekos.", + ), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("Siųsti"), + "sendEmail": MessageLookupByLibrary.simpleMessage("Siųsti el. laišką"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Siųsti kvietimą"), + "sendLink": MessageLookupByLibrary.simpleMessage("Siųsti nuorodą"), + "serverEndpoint": MessageLookupByLibrary.simpleMessage( + "Serverio galutinis taškas", + ), + "sessionExpired": MessageLookupByLibrary.simpleMessage("Seansas baigėsi"), + "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( + "Seanso ID nesutampa.", + ), + "setAPassword": MessageLookupByLibrary.simpleMessage( + "Nustatyti slaptažodį", + ), + "setAs": MessageLookupByLibrary.simpleMessage("Nustatyti kaip"), + "setCover": MessageLookupByLibrary.simpleMessage("Nustatyti viršelį"), + "setLabel": MessageLookupByLibrary.simpleMessage("Nustatyti"), + "setNewPassword": MessageLookupByLibrary.simpleMessage( + "Nustatykite naują slaptažodį", + ), + "setNewPin": MessageLookupByLibrary.simpleMessage("Nustatykite naują PIN"), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Nustatyti slaptažodį", + ), + "setRadius": MessageLookupByLibrary.simpleMessage("Nustatyti spindulį"), + "setupComplete": MessageLookupByLibrary.simpleMessage("Sąranka baigta"), + "share": MessageLookupByLibrary.simpleMessage("Bendrinti"), + "shareALink": MessageLookupByLibrary.simpleMessage("Bendrinkite nuorodą"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Atidarykite albumą ir palieskite bendrinimo mygtuką viršuje dešinėje, kad bendrintumėte.", + ), + "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( + "Bendrinti albumą dabar", + ), + "shareLink": MessageLookupByLibrary.simpleMessage("Bendrinti nuorodą"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Bendrinkite tik su tais asmenimis, su kuriais norite", + ), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Atsisiųskite „Ente“, kad galėtume lengvai bendrinti originalios kokybės nuotraukas ir vaizdo įrašus.\n\nhttps://ente.io", + ), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Bendrinkite su ne „Ente“ naudotojais.", + ), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( + "Bendrinkite savo pirmąjį albumą", + ), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Sukurkite bendrinamus ir bendradarbiaujamus albumus su kitais „Ente“ naudotojais, įskaitant naudotojus nemokamuose planuose.", + ), + "sharedByMe": MessageLookupByLibrary.simpleMessage("Bendrinta manimi"), + "sharedByYou": MessageLookupByLibrary.simpleMessage("Bendrinta iš jūsų"), + "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( + "Naujos bendrintos nuotraukos", + ), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Gaukite pranešimus, kai kas nors įtraukia nuotrauką į bendrinamą albumą, kuriame dalyvaujate.", + ), + "sharedWith": m87, + "sharedWithMe": MessageLookupByLibrary.simpleMessage("Bendrinta su manimi"), + "sharedWithYou": MessageLookupByLibrary.simpleMessage("Bendrinta su jumis"), + "sharing": MessageLookupByLibrary.simpleMessage("Bendrinima..."), + "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( + "Pastumti datas ir laiką", + ), + "showMemories": MessageLookupByLibrary.simpleMessage("Rodyti prisiminimus"), + "showPerson": MessageLookupByLibrary.simpleMessage("Rodyti asmenį"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "Atsijungti iš kitų įrenginių", + ), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Jei manote, kad kas nors gali žinoti jūsų slaptažodį, galite priverstinai atsijungti iš visų kitų įrenginių, naudojančių jūsų paskyrą.", + ), + "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( + "Atsijungti kitus įrenginius", + ), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Sutinku su paslaugų sąlygomis ir privatumo politika", + ), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Jis bus ištrintas iš visų albumų.", + ), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Praleisti"), + "smartMemories": MessageLookupByLibrary.simpleMessage( + "Išmanieji prisiminimai", + ), + "social": MessageLookupByLibrary.simpleMessage("Socialinės"), + "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( + "Kai kurie elementai yra ir platformoje „Ente“ bei jūsų įrenginyje.", + ), + "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( + "Kai kurie failai, kuriuos bandote ištrinti, yra pasiekiami tik jūsų įrenginyje ir jų negalima atkurti, jei jie buvo ištrinti.", + ), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Asmuo, kuris bendrina albumus su jumis, savo įrenginyje turėtų matyti tą patį ID.", + ), + "somethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Kažkas nutiko ne taip", + ), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Kažkas nutiko ne taip. Bandykite dar kartą.", + ), + "sorry": MessageLookupByLibrary.simpleMessage("Atsiprašome"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "Atsiprašome, šiuo metu negalėjome sukurti atsarginės šio failo kopijos. Bandysime pakartoti vėliau.", + ), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Atsiprašome, nepavyko pridėti prie mėgstamų.", + ), + "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( + "Atsiprašome, nepavyko pašalinti iš mėgstamų.", + ), + "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "Atsiprašome, įvestas kodas yra neteisingas.", + ), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Atsiprašome, šiame įrenginyje nepavyko sugeneruoti saugių raktų.\n\nRegistruokitės iš kito įrenginio.", + ), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Atsiprašome, turėjome pristabdyti jūsų atsarginių kopijų kūrimą.", + ), + "sort": MessageLookupByLibrary.simpleMessage("Rikiuoti"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Rikiuoti pagal"), + "sortNewestFirst": MessageLookupByLibrary.simpleMessage( + "Naujausią pirmiausiai", + ), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage( + "Seniausią pirmiausiai", + ), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Sėkmė"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": MessageLookupByLibrary.simpleMessage( + "Dėmesys į save", + ), + "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( + "Pradėti atkūrimą", + ), + "startBackup": MessageLookupByLibrary.simpleMessage( + "Pradėti kurti atsarginę kopiją", + ), + "status": MessageLookupByLibrary.simpleMessage("Būsena"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "Ar norite sustabdyti perdavimą?", + ), + "stopCastingTitle": MessageLookupByLibrary.simpleMessage( + "Stabdyti perdavimą", + ), + "storage": MessageLookupByLibrary.simpleMessage("Saugykla"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Šeima"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Jūs"), + "storageInGB": m93, + "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( + "Viršyta saugyklos riba.", + ), + "storageUsageInfo": m94, + "streamDetails": MessageLookupByLibrary.simpleMessage( + "Srautinio perdavimo išsami informacija", + ), + "strongStrength": MessageLookupByLibrary.simpleMessage("Stipri"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Prenumeruoti"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Kad įjungtumėte bendrinimą, reikia aktyvios mokamos prenumeratos.", + ), + "subscription": MessageLookupByLibrary.simpleMessage("Prenumerata"), + "success": MessageLookupByLibrary.simpleMessage("Sėkmė"), + "successfullyArchived": MessageLookupByLibrary.simpleMessage( + "Sėkmingai suarchyvuota", + ), + "successfullyHid": MessageLookupByLibrary.simpleMessage( + "Sėkmingai paslėptas", + ), + "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( + "Sėkmingai išarchyvuota", + ), + "successfullyUnhid": MessageLookupByLibrary.simpleMessage( + "Sėkmingai atslėptas", + ), + "suggestFeatures": MessageLookupByLibrary.simpleMessage( + "Siūlyti funkcijas", + ), + "sunrise": MessageLookupByLibrary.simpleMessage("Akiratyje"), + "support": MessageLookupByLibrary.simpleMessage("Pagalba"), + "syncProgress": m97, + "syncStopped": MessageLookupByLibrary.simpleMessage( + "Sinchronizavimas sustabdytas", + ), + "syncing": MessageLookupByLibrary.simpleMessage("Sinchronizuojama..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("Sistemos"), + "tapToCopy": MessageLookupByLibrary.simpleMessage( + "palieskite, kad nukopijuotumėte", + ), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage( + "Palieskite, kad įvestumėte kodą", + ), + "tapToUnlock": MessageLookupByLibrary.simpleMessage( + "Palieskite, kad atrakintumėte", + ), + "tapToUpload": MessageLookupByLibrary.simpleMessage( + "Palieskite, kad įkeltumėte", + ), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Atrodo, kad kažkas nutiko ne taip. Bandykite dar kartą po kurio laiko. Jei klaida tęsiasi, susisiekite su mūsų palaikymo komanda.", + ), + "terminate": MessageLookupByLibrary.simpleMessage("Baigti"), + "terminateSession": MessageLookupByLibrary.simpleMessage("Baigti seansą?"), + "terms": MessageLookupByLibrary.simpleMessage("Sąlygos"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Sąlygos"), + "thankYou": MessageLookupByLibrary.simpleMessage("Dėkojame"), + "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( + "Dėkojame, kad užsiprenumeravote!", + ), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "Atsisiuntimas negalėjo būti baigtas.", + ), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "Nuoroda, kurią bandote pasiekti, nebegalioja.", + ), + "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "Įvestas atkūrimo raktas yra neteisingas.", + ), + "theme": MessageLookupByLibrary.simpleMessage("Tema"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Šie elementai bus ištrinti iš jūsų įrenginio.", + ), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "Jie bus ištrinti iš visų albumų.", + ), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Šio veiksmo negalima anuliuoti.", + ), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "Šis albumas jau turi bendradarbiavimo nuorodą.", + ), + "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( + "Tai gali būti naudojama paskyrai atkurti, jei prarandate dvigubo tapatybės nustatymą", + ), + "thisDevice": MessageLookupByLibrary.simpleMessage("Šis įrenginys"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "Šis el. paštas jau naudojamas.", + ), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Šis vaizdas neturi Exif duomenų", + ), + "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("Tai aš!"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Tai – jūsų patvirtinimo ID", + ), + "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( + "Ši savaitė per metus", + ), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Tai jus atjungs nuo toliau nurodyto įrenginio:", + ), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Tai jus atjungs nuo šio įrenginio.", + ), + "thisWillMakeTheDateAndTimeOfAllSelected": + MessageLookupByLibrary.simpleMessage( + "Tai padarys visų pasirinktų nuotraukų datą ir laiką vienodus.", + ), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "Tai pašalins visų pasirinktų sparčiųjų nuorodų viešąsias nuorodas.", + ), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "Kad įjungtumėte programos užraktą, sistemos nustatymuose nustatykite įrenginio prieigos kodą arba ekrano užraktą.", + ), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( + "Kad paslėptumėte nuotrauką ar vaizdo įrašą", + ), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Kad iš naujo nustatytumėte slaptažodį, pirmiausia patvirtinkite savo el. paštą.", + ), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Šiandienos žurnalai"), + "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( + "Per daug neteisingų bandymų.", + ), + "total": MessageLookupByLibrary.simpleMessage("iš viso"), + "totalSize": MessageLookupByLibrary.simpleMessage("Bendrą dydį"), + "trash": MessageLookupByLibrary.simpleMessage("Šiukšlinė"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Trumpinti"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": MessageLookupByLibrary.simpleMessage( + "Patikimi kontaktai", + ), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Bandyti dar kartą"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Įjunkite atsarginės kopijos kūrimą, kad automatiškai įkeltumėte į šį įrenginio aplanką įtrauktus failus į „Ente“.", + ), + "twitter": MessageLookupByLibrary.simpleMessage("„Twitter“"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "2 mėnesiai nemokamai metiniuose planuose", + ), + "twofactor": MessageLookupByLibrary.simpleMessage( + "Dvigubas tapatybės nustatymas", + ), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "Dvigubas tapatybės nustatymas išjungtas.", + ), + "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( + "Dvigubas tapatybės nustatymas", + ), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "Dvigubas tapatybės nustatymas sėkmingai iš naujo nustatytas.", + ), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Dvigubo tapatybės nustatymo sąranka", + ), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("Išarchyvuoti"), + "unarchiveAlbum": MessageLookupByLibrary.simpleMessage( + "Išarchyvuoti albumą", + ), + "unarchiving": MessageLookupByLibrary.simpleMessage("Išarchyvuojama..."), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Atsiprašome, šis kodas nepasiekiamas.", + ), + "uncategorized": MessageLookupByLibrary.simpleMessage("Nekategorizuoti"), + "unhide": MessageLookupByLibrary.simpleMessage("Rodyti"), + "unhideToAlbum": MessageLookupByLibrary.simpleMessage("Rodyti į albumą"), + "unhiding": MessageLookupByLibrary.simpleMessage("Rodoma..."), + "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Rodomi failai į albumą", + ), + "unlock": MessageLookupByLibrary.simpleMessage("Atrakinti"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("Atsegti albumą"), + "unselectAll": MessageLookupByLibrary.simpleMessage("Nesirinkti visų"), + "update": MessageLookupByLibrary.simpleMessage("Atnaujinti"), + "updateAvailable": MessageLookupByLibrary.simpleMessage("Yra naujinimas"), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Atnaujinamas aplankų pasirinkimas...", + ), + "upgrade": MessageLookupByLibrary.simpleMessage("Keisti planą"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Įkeliami failai į albumą...", + ), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( + "Išsaugomas prisiminimas...", + ), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "Iki 50% nuolaida, gruodžio 4 d.", + ), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "Naudojama saugykla ribojama pagal jūsų dabartinį planą. Perteklinė gauta saugykla automatiškai taps tinkama naudoti, kai pakeisite planą.", + ), + "useAsCover": MessageLookupByLibrary.simpleMessage("Naudoti kaip viršelį"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "Turite problemų paleidžiant šį vaizdo įrašą? Ilgai paspauskite čia, kad išbandytumėte kitą leistuvę.", + ), + "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Naudokite viešas nuorodas asmenimis, kurie nėra sistemoje „Ente“", + ), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Naudoti atkūrimo raktą", + ), + "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( + "Naudoti pasirinktą nuotrauką", + ), + "usedSpace": MessageLookupByLibrary.simpleMessage("Naudojama vieta"), + "validTill": m110, + "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Patvirtinimas nepavyko. Bandykite dar kartą.", + ), + "verificationId": MessageLookupByLibrary.simpleMessage("Patvirtinimo ID"), + "verify": MessageLookupByLibrary.simpleMessage("Patvirtinti"), + "verifyEmail": MessageLookupByLibrary.simpleMessage( + "Patvirtinti el. paštą", + ), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Patvirtinti"), + "verifyPasskey": MessageLookupByLibrary.simpleMessage( + "Patvirtinti slaptaraktį", + ), + "verifyPassword": MessageLookupByLibrary.simpleMessage( + "Patvirtinkite slaptažodį", + ), + "verifying": MessageLookupByLibrary.simpleMessage("Patvirtinama..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Patvirtinima atkūrimo raktą...", + ), + "videoInfo": MessageLookupByLibrary.simpleMessage( + "Vaizdo įrašo informacija", + ), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("vaizdo įrašas"), + "videoStreaming": MessageLookupByLibrary.simpleMessage( + "Srautiniai vaizdo įrašai", + ), + "videos": MessageLookupByLibrary.simpleMessage("Vaizdo įrašai"), + "viewActiveSessions": MessageLookupByLibrary.simpleMessage( + "Peržiūrėti aktyvius seansus", + ), + "viewAddOnButton": MessageLookupByLibrary.simpleMessage( + "Peržiūrėti priedus", + ), + "viewAll": MessageLookupByLibrary.simpleMessage("Peržiūrėti viską"), + "viewAllExifData": MessageLookupByLibrary.simpleMessage( + "Peržiūrėti visus EXIF duomenis", + ), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Dideli failai"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Peržiūrėkite failus, kurie užima daugiausiai saugyklos vietos.", + ), + "viewLogs": MessageLookupByLibrary.simpleMessage("Peržiūrėti žurnalus"), + "viewPersonToUnlink": m112, + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Peržiūrėti atkūrimo raktą", + ), + "viewer": MessageLookupByLibrary.simpleMessage("Žiūrėtojas"), + "viewersSuccessfullyAdded": m113, + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Aplankykite web.ente.io, kad tvarkytumėte savo prenumeratą", + ), + "waitingForVerification": MessageLookupByLibrary.simpleMessage( + "Laukiama patvirtinimo...", + ), + "waitingForWifi": MessageLookupByLibrary.simpleMessage( + "Laukiama „WiFi“...", + ), + "warning": MessageLookupByLibrary.simpleMessage("Įspėjimas"), + "weAreOpenSource": MessageLookupByLibrary.simpleMessage( + "Esame atviro kodo!", + ), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "Nepalaikome nuotraukų ir albumų redagavimo, kurių dar neturite.", + ), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Silpna"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("Sveiki sugrįžę!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("Kas naujo"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "Patikimas kontaktas gali padėti atkurti jūsų duomenis.", + ), + "widgets": MessageLookupByLibrary.simpleMessage("Valdikliai"), + "wishThemAHappyBirthday": m115, + "yearShort": MessageLookupByLibrary.simpleMessage("m."), + "yearly": MessageLookupByLibrary.simpleMessage("Metinis"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Taip"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Taip, atsisakyti"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "Taip, keisti į žiūrėtoją", + ), + "yesDelete": MessageLookupByLibrary.simpleMessage("Taip, ištrinti"), + "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( + "Taip, atmesti pakeitimus", + ), + "yesLogout": MessageLookupByLibrary.simpleMessage("Taip, atsijungti"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Taip, šalinti"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Taip, pratęsti"), + "yesResetPerson": MessageLookupByLibrary.simpleMessage( + "Taip, nustatyti asmenį iš naujo", + ), + "you": MessageLookupByLibrary.simpleMessage("Jūs"), + "youAndThem": m117, + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( + "Esate šeimos plane!", + ), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Esate naujausioje versijoje", + ), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Galite daugiausiai padvigubinti savo saugyklą.", + ), + "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( + "Nuorodas galite valdyti bendrinimo kortelėje.", + ), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "Galite pabandyti ieškoti pagal kitą užklausą.", + ), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "Negalite pakeisti į šį planą", + ), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Negalite bendrinti su savimi.", + ), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "Neturite jokių archyvuotų elementų.", + ), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "Jūsų paskyra ištrinta", + ), + "yourMap": MessageLookupByLibrary.simpleMessage("Jūsų žemėlapis"), + "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( + "Jūsų planas sėkmingai pakeistas į žemesnį", + ), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "Jūsų planas sėkmingai pakeistas", + ), + "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( + "Jūsų pirkimas buvo sėkmingas", + ), + "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( + "Nepavyko gauti jūsų saugyklos duomenų.", + ), + "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( + "Jūsų prenumerata baigėsi.", + ), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "Jūsų prenumerata buvo sėkmingai atnaujinta", + ), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "Jūsų patvirtinimo kodas nebegaliojantis.", + ), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "Neturite dubliuotų failų, kuriuos būtų galima išvalyti.", + ), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "Neturite šiame albume failų, kuriuos būtų galima ištrinti.", + ), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( + "Padidinkite mastelį, kad matytumėte nuotraukas", + ), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_ml.dart b/mobile/apps/photos/lib/generated/intl/messages_ml.dart index 6a3eec447c..4ceca5cf96 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_ml.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_ml.dart @@ -22,120 +22,134 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("വീണ്ടും സ്വാഗതം!"), - "albumOwner": MessageLookupByLibrary.simpleMessage("ഉടമ"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "അക്കൗണ്ട് ഉപേക്ഷിക്കുവാൻ പ്രധാന കാരണമെന്താണ്?"), - "available": MessageLookupByLibrary.simpleMessage("ലഭ്യമാണ്"), - "calculating": - MessageLookupByLibrary.simpleMessage("കണക്കുകൂട്ടുന്നു..."), - "cancel": MessageLookupByLibrary.simpleMessage("റദ്ദാക്കുക"), - "changeEmail": MessageLookupByLibrary.simpleMessage("ഇമെയിൽ മാറ്റുക"), - "close": MessageLookupByLibrary.simpleMessage("അടക്കുക"), - "confirm": MessageLookupByLibrary.simpleMessage("നിജപ്പെടുത്തുക"), - "confirmPassword": - MessageLookupByLibrary.simpleMessage("സങ്കേതക്കുറി ഉറപ്പിക്കുക"), - "continueLabel": MessageLookupByLibrary.simpleMessage("തുടരൂ"), - "count": MessageLookupByLibrary.simpleMessage("എണ്ണം"), - "createAccount": - MessageLookupByLibrary.simpleMessage("അക്കൗണ്ട് തുറക്കുക"), - "createNewAccount": - MessageLookupByLibrary.simpleMessage("പുതിയ അക്കൗണ്ട് തുറക്കുക"), - "custom": MessageLookupByLibrary.simpleMessage("ഇഷ്‌ടാനുസൃതം"), - "darkTheme": MessageLookupByLibrary.simpleMessage("ഇരുണ്ട"), - "deleteAccount": - MessageLookupByLibrary.simpleMessage("അക്കൗണ്ട് ഉപേക്ഷിക്കു"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "സേവനം ഉപേക്ഷിക്കുന്നതിൽ ഖേദിക്കുന്നു. മെച്ചപ്പെടുത്താൻ ഞങ്ങളെ സഹായിക്കുന്നതിനായി ദയവായി നിങ്ങളുടെ അഭിപ്രായം പങ്കിടുക."), - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "അത്യാവശപെട്ടയൊരു സുവിഷേശത ഇതിൽ ഇല്ല"), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "ഇതിനേക്കാൾ ഇഷ്ടപ്പെടുന്ന മറ്റൊരു സേവനം കണ്ടെത്തി"), - "deleteReason4": - MessageLookupByLibrary.simpleMessage("എന്റെ കാരണം ഉൾകൊണ്ടിട്ടില്ല"), - "doThisLater": MessageLookupByLibrary.simpleMessage("പിന്നീട് ചെയ്യുക"), - "email": MessageLookupByLibrary.simpleMessage("ഇമെയിൽ"), - "emailVerificationToggle": - MessageLookupByLibrary.simpleMessage("ഇമെയിൽ ദൃഢീകരണം"), - "enterValidEmail": - MessageLookupByLibrary.simpleMessage("സാധുവായ ഒരു ഇമെയിൽ നൽകുക."), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "നിങ്ങളുടെ ഇമെയിൽ വിലാസം നൽകുക"), - "faqs": MessageLookupByLibrary.simpleMessage("പതിവുചോദ്യങ്ങൾ"), - "favorite": MessageLookupByLibrary.simpleMessage("പ്രിയപ്പെട്ടവ"), - "feedback": MessageLookupByLibrary.simpleMessage("അഭിപ്രായം"), - "forgotPassword": - MessageLookupByLibrary.simpleMessage("സങ്കേതക്കുറി മറന്നുപോയി"), - "general": MessageLookupByLibrary.simpleMessage("പൊതുവായവ"), - "hide": MessageLookupByLibrary.simpleMessage("മറയ്ക്കുക"), - "howItWorks": MessageLookupByLibrary.simpleMessage("പ്രവർത്തന രീതി"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("അവഗണിക്കുക"), - "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("തെറ്റായ സങ്കേതക്കുറി"), - "invalidEmailAddress": - MessageLookupByLibrary.simpleMessage("അസാധുവായ ഇമെയിൽ വിലാസം"), - "kindlyHelpUsWithThisInformation": - MessageLookupByLibrary.simpleMessage("വിവരങ്ങൾ തന്നു സഹായിക്കുക"), - "lightTheme": MessageLookupByLibrary.simpleMessage("തെളിഞ"), - "linkExpired": MessageLookupByLibrary.simpleMessage("കാലഹരണപ്പെട്ടു"), - "mastodon": MessageLookupByLibrary.simpleMessage("മാസ്റ്റഡോൺ"), - "matrix": MessageLookupByLibrary.simpleMessage("മേട്രിക്സ്"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("ഇടത്തരം"), - "monthly": MessageLookupByLibrary.simpleMessage("പ്രതിമാസം"), - "name": MessageLookupByLibrary.simpleMessage("പേര്"), - "no": MessageLookupByLibrary.simpleMessage("വേണ്ട"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("ഒന്നുമില്ല"), - "nothingToSeeHere": - MessageLookupByLibrary.simpleMessage("ഇവിടൊന്നും കാണ്മാനില്ല! 👀"), - "ok": MessageLookupByLibrary.simpleMessage("ശരി"), - "oops": MessageLookupByLibrary.simpleMessage("അയ്യോ"), - "password": MessageLookupByLibrary.simpleMessage("സങ്കേതക്കുറി"), - "pleaseTryAgain": - MessageLookupByLibrary.simpleMessage("ദയവായി വീണ്ടും ശ്രമിക്കുക"), - "privacy": MessageLookupByLibrary.simpleMessage("സ്വകാര്യത"), - "privacyPolicyTitle": - MessageLookupByLibrary.simpleMessage("സ്വകാര്യതാനയം"), - "recoverButton": MessageLookupByLibrary.simpleMessage("വീണ്ടെടുക്കുക"), - "recoverySuccessful": - MessageLookupByLibrary.simpleMessage("വീണ്ടെടുക്കൽ വിജയകരം!"), - "recreatePasswordTitle": - MessageLookupByLibrary.simpleMessage("സങ്കേതക്കുറി പുനസൃഷ്ടിക്കുക"), - "reddit": MessageLookupByLibrary.simpleMessage("റെഡ്ഡിറ്റ്"), - "retry": MessageLookupByLibrary.simpleMessage("പുനശ്രമിക്കുക"), - "security": MessageLookupByLibrary.simpleMessage("സുരക്ഷ"), - "selectReason": - MessageLookupByLibrary.simpleMessage("കാരണം തിരഞ്ഞെടുക്കൂ"), - "send": MessageLookupByLibrary.simpleMessage("അയക്കുക"), - "sendEmail": MessageLookupByLibrary.simpleMessage("ഇമെയിൽ അയക്കുക"), - "setupComplete": - MessageLookupByLibrary.simpleMessage("സജ്ജീകരണം പൂർത്തിയായി"), - "share": MessageLookupByLibrary.simpleMessage("പങ്കിടുക"), - "sharedByMe": MessageLookupByLibrary.simpleMessage("ഞാനാൽ പങ്കിട്ടവ"), - "sharedWithMe": - MessageLookupByLibrary.simpleMessage("എന്നോട് പങ്കിട്ടവ"), - "somethingWentWrongPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "എന്തോ കുഴപ്പം സംഭവിച്ചു, ദയവായി വീണ്ടും ശ്രമിക്കുക"), - "sorry": MessageLookupByLibrary.simpleMessage("ക്ഷമിക്കുക"), - "sortAlbumsBy": - MessageLookupByLibrary.simpleMessage("ഇപ്രകാരം അടുക്കുക"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ സഫലം"), - "strongStrength": MessageLookupByLibrary.simpleMessage("ശക്തം"), - "success": MessageLookupByLibrary.simpleMessage("സഫലം"), - "support": MessageLookupByLibrary.simpleMessage("പിന്തുണ"), - "terms": MessageLookupByLibrary.simpleMessage("നിബന്ധനകൾ"), - "termsOfServicesTitle": - MessageLookupByLibrary.simpleMessage("നിബന്ധനകൾ"), - "thankYou": MessageLookupByLibrary.simpleMessage("നന്ദി"), - "thisDevice": MessageLookupByLibrary.simpleMessage("ഈ ഉപകരണം"), - "verify": MessageLookupByLibrary.simpleMessage("ഉറപ്പിക്കുക"), - "verifyEmail": - MessageLookupByLibrary.simpleMessage("ഇമെയിൽ ദൃഢീകരിക്കുക"), - "verifyPassword": - MessageLookupByLibrary.simpleMessage("സങ്കേതക്കുറി ദൃഢീകരിക്കുക"), - "weakStrength": MessageLookupByLibrary.simpleMessage("ദുർബലം"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("വീണ്ടും സ്വാഗതം!"), - "yearly": MessageLookupByLibrary.simpleMessage("പ്രതിവർഷം") - }; + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( + "വീണ്ടും സ്വാഗതം!", + ), + "albumOwner": MessageLookupByLibrary.simpleMessage("ഉടമ"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "അക്കൗണ്ട് ഉപേക്ഷിക്കുവാൻ പ്രധാന കാരണമെന്താണ്?", + ), + "available": MessageLookupByLibrary.simpleMessage("ലഭ്യമാണ്"), + "calculating": MessageLookupByLibrary.simpleMessage("കണക്കുകൂട്ടുന്നു..."), + "cancel": MessageLookupByLibrary.simpleMessage("റദ്ദാക്കുക"), + "changeEmail": MessageLookupByLibrary.simpleMessage("ഇമെയിൽ മാറ്റുക"), + "close": MessageLookupByLibrary.simpleMessage("അടക്കുക"), + "confirm": MessageLookupByLibrary.simpleMessage("നിജപ്പെടുത്തുക"), + "confirmPassword": MessageLookupByLibrary.simpleMessage( + "സങ്കേതക്കുറി ഉറപ്പിക്കുക", + ), + "continueLabel": MessageLookupByLibrary.simpleMessage("തുടരൂ"), + "count": MessageLookupByLibrary.simpleMessage("എണ്ണം"), + "createAccount": MessageLookupByLibrary.simpleMessage("അക്കൗണ്ട് തുറക്കുക"), + "createNewAccount": MessageLookupByLibrary.simpleMessage( + "പുതിയ അക്കൗണ്ട് തുറക്കുക", + ), + "custom": MessageLookupByLibrary.simpleMessage("ഇഷ്‌ടാനുസൃതം"), + "darkTheme": MessageLookupByLibrary.simpleMessage("ഇരുണ്ട"), + "deleteAccount": MessageLookupByLibrary.simpleMessage( + "അക്കൗണ്ട് ഉപേക്ഷിക്കു", + ), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "സേവനം ഉപേക്ഷിക്കുന്നതിൽ ഖേദിക്കുന്നു. മെച്ചപ്പെടുത്താൻ ഞങ്ങളെ സഹായിക്കുന്നതിനായി ദയവായി നിങ്ങളുടെ അഭിപ്രായം പങ്കിടുക.", + ), + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "അത്യാവശപെട്ടയൊരു സുവിഷേശത ഇതിൽ ഇല്ല", + ), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "ഇതിനേക്കാൾ ഇഷ്ടപ്പെടുന്ന മറ്റൊരു സേവനം കണ്ടെത്തി", + ), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "എന്റെ കാരണം ഉൾകൊണ്ടിട്ടില്ല", + ), + "doThisLater": MessageLookupByLibrary.simpleMessage("പിന്നീട് ചെയ്യുക"), + "email": MessageLookupByLibrary.simpleMessage("ഇമെയിൽ"), + "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( + "ഇമെയിൽ ദൃഢീകരണം", + ), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "സാധുവായ ഒരു ഇമെയിൽ നൽകുക.", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "നിങ്ങളുടെ ഇമെയിൽ വിലാസം നൽകുക", + ), + "faqs": MessageLookupByLibrary.simpleMessage("പതിവുചോദ്യങ്ങൾ"), + "favorite": MessageLookupByLibrary.simpleMessage("പ്രിയപ്പെട്ടവ"), + "feedback": MessageLookupByLibrary.simpleMessage("അഭിപ്രായം"), + "forgotPassword": MessageLookupByLibrary.simpleMessage( + "സങ്കേതക്കുറി മറന്നുപോയി", + ), + "general": MessageLookupByLibrary.simpleMessage("പൊതുവായവ"), + "hide": MessageLookupByLibrary.simpleMessage("മറയ്ക്കുക"), + "howItWorks": MessageLookupByLibrary.simpleMessage("പ്രവർത്തന രീതി"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("അവഗണിക്കുക"), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( + "തെറ്റായ സങ്കേതക്കുറി", + ), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "അസാധുവായ ഇമെയിൽ വിലാസം", + ), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "വിവരങ്ങൾ തന്നു സഹായിക്കുക", + ), + "lightTheme": MessageLookupByLibrary.simpleMessage("തെളിഞ"), + "linkExpired": MessageLookupByLibrary.simpleMessage("കാലഹരണപ്പെട്ടു"), + "mastodon": MessageLookupByLibrary.simpleMessage("മാസ്റ്റഡോൺ"), + "matrix": MessageLookupByLibrary.simpleMessage("മേട്രിക്സ്"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("ഇടത്തരം"), + "monthly": MessageLookupByLibrary.simpleMessage("പ്രതിമാസം"), + "name": MessageLookupByLibrary.simpleMessage("പേര്"), + "no": MessageLookupByLibrary.simpleMessage("വേണ്ട"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("ഒന്നുമില്ല"), + "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( + "ഇവിടൊന്നും കാണ്മാനില്ല! 👀", + ), + "ok": MessageLookupByLibrary.simpleMessage("ശരി"), + "oops": MessageLookupByLibrary.simpleMessage("അയ്യോ"), + "password": MessageLookupByLibrary.simpleMessage("സങ്കേതക്കുറി"), + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "ദയവായി വീണ്ടും ശ്രമിക്കുക", + ), + "privacy": MessageLookupByLibrary.simpleMessage("സ്വകാര്യത"), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage("സ്വകാര്യതാനയം"), + "recoverButton": MessageLookupByLibrary.simpleMessage("വീണ്ടെടുക്കുക"), + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "വീണ്ടെടുക്കൽ വിജയകരം!", + ), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( + "സങ്കേതക്കുറി പുനസൃഷ്ടിക്കുക", + ), + "reddit": MessageLookupByLibrary.simpleMessage("റെഡ്ഡിറ്റ്"), + "retry": MessageLookupByLibrary.simpleMessage("പുനശ്രമിക്കുക"), + "security": MessageLookupByLibrary.simpleMessage("സുരക്ഷ"), + "selectReason": MessageLookupByLibrary.simpleMessage("കാരണം തിരഞ്ഞെടുക്കൂ"), + "send": MessageLookupByLibrary.simpleMessage("അയക്കുക"), + "sendEmail": MessageLookupByLibrary.simpleMessage("ഇമെയിൽ അയക്കുക"), + "setupComplete": MessageLookupByLibrary.simpleMessage( + "സജ്ജീകരണം പൂർത്തിയായി", + ), + "share": MessageLookupByLibrary.simpleMessage("പങ്കിടുക"), + "sharedByMe": MessageLookupByLibrary.simpleMessage("ഞാനാൽ പങ്കിട്ടവ"), + "sharedWithMe": MessageLookupByLibrary.simpleMessage("എന്നോട് പങ്കിട്ടവ"), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "എന്തോ കുഴപ്പം സംഭവിച്ചു, ദയവായി വീണ്ടും ശ്രമിക്കുക", + ), + "sorry": MessageLookupByLibrary.simpleMessage("ക്ഷമിക്കുക"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("ഇപ്രകാരം അടുക്കുക"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ സഫലം"), + "strongStrength": MessageLookupByLibrary.simpleMessage("ശക്തം"), + "success": MessageLookupByLibrary.simpleMessage("സഫലം"), + "support": MessageLookupByLibrary.simpleMessage("പിന്തുണ"), + "terms": MessageLookupByLibrary.simpleMessage("നിബന്ധനകൾ"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("നിബന്ധനകൾ"), + "thankYou": MessageLookupByLibrary.simpleMessage("നന്ദി"), + "thisDevice": MessageLookupByLibrary.simpleMessage("ഈ ഉപകരണം"), + "verify": MessageLookupByLibrary.simpleMessage("ഉറപ്പിക്കുക"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("ഇമെയിൽ ദൃഢീകരിക്കുക"), + "verifyPassword": MessageLookupByLibrary.simpleMessage( + "സങ്കേതക്കുറി ദൃഢീകരിക്കുക", + ), + "weakStrength": MessageLookupByLibrary.simpleMessage("ദുർബലം"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("വീണ്ടും സ്വാഗതം!"), + "yearly": MessageLookupByLibrary.simpleMessage("പ്രതിവർഷം"), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_ms.dart b/mobile/apps/photos/lib/generated/intl/messages_ms.dart new file mode 100644 index 0000000000..1aee0f7870 --- /dev/null +++ b/mobile/apps/photos/lib/generated/intl/messages_ms.dart @@ -0,0 +1,25 @@ +// DO NOT EDIT. This is code generated via package:intl/generate_localized.dart +// This is a library that provides messages for a ms locale. All the +// messages from the main program should be duplicated here with the same +// function name. + +// Ignore issues from commonly used lints in this file. +// ignore_for_file:unnecessary_brace_in_string_interps, unnecessary_new +// ignore_for_file:prefer_single_quotes,comment_references, directives_ordering +// ignore_for_file:annotate_overrides,prefer_generic_function_type_aliases +// ignore_for_file:unused_import, file_names, avoid_escaping_inner_quotes +// ignore_for_file:unnecessary_string_interpolations, unnecessary_string_escapes + +import 'package:intl/intl.dart'; +import 'package:intl/message_lookup_by_library.dart'; + +final messages = new MessageLookup(); + +typedef String MessageIfAbsent(String messageStr, List args); + +class MessageLookup extends MessageLookupByLibrary { + String get localeName => 'ms'; + + final messages = _notInlinedMessages(_notInlinedMessages); + static Map _notInlinedMessages(_) => {}; +} diff --git a/mobile/apps/photos/lib/generated/intl/messages_nl.dart b/mobile/apps/photos/lib/generated/intl/messages_nl.dart index 056448e5a0..02a997f997 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_nl.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_nl.dart @@ -57,12 +57,7 @@ class MessageLookup extends MessageLookupByLibrary { "${user} zal geen foto\'s meer kunnen toevoegen aan dit album\n\nDe gebruiker zal nog steeds bestaande foto\'s kunnen verwijderen die door hen zijn toegevoegd"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, { - 'true': - 'Jouw familie heeft ${storageAmountInGb} GB geclaimd tot nu toe', - 'false': 'Je hebt ${storageAmountInGb} GB geclaimd tot nu toe', - 'other': 'Je hebt ${storageAmountInGb} GB geclaimd tot nu toe!', - })}"; + "${Intl.select(isFamilyMember, {'true': 'Jouw familie heeft ${storageAmountInGb} GB geclaimd tot nu toe', 'false': 'Je hebt ${storageAmountInGb} GB geclaimd tot nu toe', 'other': 'Je hebt ${storageAmountInGb} GB geclaimd tot nu toe!'})}"; static String m15(albumName) => "Gezamenlijke link aangemaakt voor ${albumName}"; @@ -268,7 +263,11 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => + usedAmount, + usedStorageUnit, + totalAmount, + totalStorageUnit, + ) => "${usedAmount} ${usedStorageUnit} van ${totalAmount} ${totalStorageUnit} gebruikt"; static String m95(id) => @@ -325,7 +324,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m115(name) => "Wens ${name} een fijne verjaardag! 🎉"; static String m116(count) => - "${Intl.plural(count, other: '${count} jaar geleden')}"; + "${Intl.plural(count, one: '${count} jaar geleden', other: '${count} jaar geleden')}"; static String m117(name) => "Jij en ${name}"; @@ -334,1982 +333,2478 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Er is een nieuwe versie van Ente beschikbaar."), - "about": MessageLookupByLibrary.simpleMessage("Over"), - "acceptTrustInvite": - MessageLookupByLibrary.simpleMessage("Uitnodiging accepteren"), - "account": MessageLookupByLibrary.simpleMessage("Account"), - "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( - "Account is al geconfigureerd."), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("Welkom terug!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Ik begrijp dat als ik mijn wachtwoord verlies, ik mijn gegevens kan verliezen omdat mijn gegevens end-to-end versleuteld zijn."), - "actionNotSupportedOnFavouritesAlbum": - MessageLookupByLibrary.simpleMessage( - "Actie niet ondersteund op Favorieten album"), - "activeSessions": - MessageLookupByLibrary.simpleMessage("Actieve sessies"), - "add": MessageLookupByLibrary.simpleMessage("Toevoegen"), - "addAName": MessageLookupByLibrary.simpleMessage("Een naam toevoegen"), - "addANewEmail": - MessageLookupByLibrary.simpleMessage("Nieuw e-mailadres toevoegen"), - "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Voeg een widget toe aan je beginscherm en kom hier terug om aan te passen."), - "addCollaborator": - MessageLookupByLibrary.simpleMessage("Samenwerker toevoegen"), - "addCollaborators": m1, - "addFiles": MessageLookupByLibrary.simpleMessage("Bestanden toevoegen"), - "addFromDevice": - MessageLookupByLibrary.simpleMessage("Toevoegen vanaf apparaat"), - "addItem": m2, - "addLocation": - MessageLookupByLibrary.simpleMessage("Locatie toevoegen"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Toevoegen"), - "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Voeg een widget toe aan je beginscherm en kom hier terug om aan te passen."), - "addMore": MessageLookupByLibrary.simpleMessage("Meer toevoegen"), - "addName": MessageLookupByLibrary.simpleMessage("Naam toevoegen"), - "addNameOrMerge": MessageLookupByLibrary.simpleMessage( - "Naam toevoegen of samenvoegen"), - "addNew": MessageLookupByLibrary.simpleMessage("Nieuwe toevoegen"), - "addNewPerson": - MessageLookupByLibrary.simpleMessage("Nieuw persoon toevoegen"), - "addOnPageSubtitle": - MessageLookupByLibrary.simpleMessage("Details van add-ons"), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("Add-ons"), - "addParticipants": - MessageLookupByLibrary.simpleMessage("Voeg deelnemers toe"), - "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Voeg een widget toe aan je beginscherm en kom hier terug om aan te passen."), - "addPhotos": MessageLookupByLibrary.simpleMessage("Foto\'s toevoegen"), - "addSelected": - MessageLookupByLibrary.simpleMessage("Voeg geselecteerde toe"), - "addToAlbum": - MessageLookupByLibrary.simpleMessage("Toevoegen aan album"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Toevoegen aan Ente"), - "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Toevoegen aan verborgen album"), - "addTrustedContact": - MessageLookupByLibrary.simpleMessage("Vertrouwd contact toevoegen"), - "addViewer": MessageLookupByLibrary.simpleMessage("Voeg kijker toe"), - "addViewers": m4, - "addYourPhotosNow": - MessageLookupByLibrary.simpleMessage("Voeg nu je foto\'s toe"), - "addedAs": MessageLookupByLibrary.simpleMessage("Toegevoegd als"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": - MessageLookupByLibrary.simpleMessage("Toevoegen aan favorieten..."), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("Geavanceerd"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Geavanceerd"), - "after1Day": MessageLookupByLibrary.simpleMessage("Na 1 dag"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Na 1 uur"), - "after1Month": MessageLookupByLibrary.simpleMessage("Na 1 maand"), - "after1Week": MessageLookupByLibrary.simpleMessage("Na 1 week"), - "after1Year": MessageLookupByLibrary.simpleMessage("Na 1 jaar"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Eigenaar"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Albumtitel"), - "albumUpdated": - MessageLookupByLibrary.simpleMessage("Album bijgewerkt"), - "albums": MessageLookupByLibrary.simpleMessage("Albums"), - "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Selecteer de albums die je wilt zien op je beginscherm."), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Alles in orde"), - "allMemoriesPreserved": - MessageLookupByLibrary.simpleMessage("Alle herinneringen bewaard"), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "Alle groepen voor deze persoon worden gereset, en je verliest alle suggesties die voor deze persoon zijn gedaan"), - "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": - MessageLookupByLibrary.simpleMessage( - "Alle naamloze groepen worden samengevoegd met de geselecteerde persoon. Dit kan nog steeds ongedaan worden gemaakt vanuit het geschiedenisoverzicht van de persoon."), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "Dit is de eerste in de groep. Andere geselecteerde foto\'s worden automatisch verschoven op basis van deze nieuwe datum"), - "allow": MessageLookupByLibrary.simpleMessage("Toestaan"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Sta toe dat mensen met de link ook foto\'s kunnen toevoegen aan het gedeelde album."), - "allowAddingPhotos": - MessageLookupByLibrary.simpleMessage("Foto\'s toevoegen toestaan"), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "App toestaan gedeelde album links te openen"), - "allowDownloads": - MessageLookupByLibrary.simpleMessage("Downloads toestaan"), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Mensen toestaan foto\'s toe te voegen"), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Geef toegang tot je foto\'s vanuit Instellingen zodat Ente je bibliotheek kan weergeven en back-uppen."), - "allowPermTitle": MessageLookupByLibrary.simpleMessage( - "Toegang tot foto\'s toestaan"), - "androidBiometricHint": - MessageLookupByLibrary.simpleMessage("Identiteit verifiëren"), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "Niet herkend. Probeer het opnieuw."), - "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( - "Biometrische verificatie vereist"), - "androidBiometricSuccess": - MessageLookupByLibrary.simpleMessage("Succes"), - "androidCancelButton": - MessageLookupByLibrary.simpleMessage("Annuleren"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage("Apparaatgegevens vereist"), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage("Apparaatgegevens vereist"), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Biometrische verificatie is niet ingesteld op uw apparaat. Ga naar \'Instellingen > Beveiliging\' om biometrische verificatie toe te voegen."), - "androidIosWebDesktop": - MessageLookupByLibrary.simpleMessage("Android, iOS, Web, Desktop"), - "androidSignInTitle": - MessageLookupByLibrary.simpleMessage("Verificatie vereist"), - "appIcon": MessageLookupByLibrary.simpleMessage("App icoon"), - "appLock": MessageLookupByLibrary.simpleMessage("App-vergrendeling"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Kies tussen het standaard vergrendelscherm van uw apparaat en een aangepast vergrendelscherm met een pincode of wachtwoord."), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), - "apply": MessageLookupByLibrary.simpleMessage("Toepassen"), - "applyCodeTitle": - MessageLookupByLibrary.simpleMessage("Code toepassen"), - "appstoreSubscription": - MessageLookupByLibrary.simpleMessage("PlayStore abonnement"), - "archive": MessageLookupByLibrary.simpleMessage("Archiveer"), - "archiveAlbum": - MessageLookupByLibrary.simpleMessage("Album archiveren"), - "archiving": MessageLookupByLibrary.simpleMessage("Archiveren..."), - "areThey": MessageLookupByLibrary.simpleMessage("Is dit "), - "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( - "Weet je zeker dat je dit gezicht van deze persoon wilt verwijderen?"), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Weet u zeker dat u het familie abonnement wilt verlaten?"), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "Weet u zeker dat u wilt opzeggen?"), - "areYouSureYouWantToChangeYourPlan": - MessageLookupByLibrary.simpleMessage( - "Weet u zeker dat u uw abonnement wilt wijzigen?"), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "Weet u zeker dat u wilt afsluiten?"), - "areYouSureYouWantToIgnoreThesePersons": - MessageLookupByLibrary.simpleMessage( - "Weet je zeker dat je deze personen wilt negeren?"), - "areYouSureYouWantToIgnoreThisPerson": - MessageLookupByLibrary.simpleMessage( - "Weet je zeker dat je deze persoon wilt negeren?"), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Weet je zeker dat je wilt uitloggen?"), - "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( - "Weet je zeker dat je ze wilt samenvoegen?"), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "Weet u zeker dat u wilt verlengen?"), - "areYouSureYouWantToResetThisPerson": - MessageLookupByLibrary.simpleMessage( - "Weet u zeker dat u deze persoon wilt resetten?"), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "Uw abonnement is opgezegd. Wilt u de reden delen?"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Wat is de voornaamste reden dat je jouw account verwijdert?"), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Vraag uw dierbaren om te delen"), - "atAFalloutShelter": - MessageLookupByLibrary.simpleMessage("in een kernbunker"), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Gelieve te verifiëren om de e-mailverificatie te wijzigen"), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Graag verifiëren om de vergrendelscherm instellingen te wijzigen"), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Gelieve te verifiëren om je e-mailadres te wijzigen"), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Gelieve te verifiëren om je wachtwoord te wijzigen"), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Graag verifiëren om tweestapsverificatie te configureren"), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Gelieve te verifiëren om het verwijderen van je account te starten"), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Verifieer om je vertrouwde contacten te beheren"), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Verifieer uzelf om uw toegangssleutel te bekijken"), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Graag verifiëren om je verwijderde bestanden te bekijken"), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Graag verifiëren om uw actieve sessies te bekijken"), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Gelieve te verifiëren om je verborgen bestanden te bekijken"), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Graag verifiëren om uw herinneringen te bekijken"), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Graag verifiëren om uw herstelsleutel te bekijken"), - "authenticating": MessageLookupByLibrary.simpleMessage("Verifiëren..."), - "authenticationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Verificatie mislukt, probeer het opnieuw"), - "authenticationSuccessful": - MessageLookupByLibrary.simpleMessage("Verificatie geslaagd!"), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Je zult de beschikbare Cast apparaten hier zien."), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Zorg ervoor dat lokale netwerkrechten zijn ingeschakeld voor de Ente Photos app, in Instellingen."), - "autoLock": - MessageLookupByLibrary.simpleMessage("Automatische vergrendeling"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Tijd waarna de app wordt vergrendeld wanneer deze in achtergrond-modus is gezet"), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "Door een technische storing bent u uitgelogd. Onze excuses voor het ongemak."), - "autoPair": - MessageLookupByLibrary.simpleMessage("Automatisch koppelen"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "Automatisch koppelen werkt alleen met apparaten die Chromecast ondersteunen."), - "available": MessageLookupByLibrary.simpleMessage("Beschikbaar"), - "availableStorageSpace": m10, - "backedUpFolders": - MessageLookupByLibrary.simpleMessage("Back-up mappen"), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("Back-up"), - "backupFailed": MessageLookupByLibrary.simpleMessage("Back-up mislukt"), - "backupFile": MessageLookupByLibrary.simpleMessage("Back-up bestand"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Back-up maken via mobiele data"), - "backupSettings": - MessageLookupByLibrary.simpleMessage("Back-up instellingen"), - "backupStatus": MessageLookupByLibrary.simpleMessage("Back-up status"), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Items die zijn geback-upt, worden hier getoond"), - "backupVideos": - MessageLookupByLibrary.simpleMessage("Back-up video\'s"), - "beach": MessageLookupByLibrary.simpleMessage("Zand en zee"), - "birthday": MessageLookupByLibrary.simpleMessage("Verjaardag"), - "birthdayNotifications": - MessageLookupByLibrary.simpleMessage("Meldingen over verjaardagen"), - "birthdays": MessageLookupByLibrary.simpleMessage("Verjaardagen"), - "blackFridaySale": - MessageLookupByLibrary.simpleMessage("Black Friday-aanbieding"), - "blog": MessageLookupByLibrary.simpleMessage("Blog"), - "cachedData": MessageLookupByLibrary.simpleMessage("Cachegegevens"), - "calculating": MessageLookupByLibrary.simpleMessage("Berekenen..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Sorry, dit album kan niet worden geopend in de app."), - "canNotOpenTitle": - MessageLookupByLibrary.simpleMessage("Kan dit album niet openen"), - "canNotUploadToAlbumsOwnedByOthers": - MessageLookupByLibrary.simpleMessage( - "Kan niet uploaden naar albums die van anderen zijn"), - "canOnlyCreateLinkForFilesOwnedByYou": - MessageLookupByLibrary.simpleMessage( - "Kan alleen een link maken voor bestanden die van u zijn"), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Kan alleen bestanden verwijderen die jouw eigendom zijn"), - "cancel": MessageLookupByLibrary.simpleMessage("Annuleer"), - "cancelAccountRecovery": - MessageLookupByLibrary.simpleMessage("Herstel annuleren"), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "Weet je zeker dat je het herstel wilt annuleren?"), - "cancelOtherSubscription": m12, - "cancelSubscription": - MessageLookupByLibrary.simpleMessage("Abonnement opzeggen"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Kan gedeelde bestanden niet verwijderen"), - "castAlbum": MessageLookupByLibrary.simpleMessage("Album casten"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Zorg ervoor dat je op hetzelfde netwerk zit als de tv."), - "castIPMismatchTitle": - MessageLookupByLibrary.simpleMessage("Album casten mislukt"), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Bezoek cast.ente.io op het apparaat dat u wilt koppelen.\n\nVoer de code hieronder in om het album op uw TV af te spelen."), - "centerPoint": MessageLookupByLibrary.simpleMessage("Middelpunt"), - "change": MessageLookupByLibrary.simpleMessage("Wijzigen"), - "changeEmail": MessageLookupByLibrary.simpleMessage("E-mail wijzigen"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Locatie van geselecteerde items wijzigen?"), - "changePassword": - MessageLookupByLibrary.simpleMessage("Wachtwoord wijzigen"), - "changePasswordTitle": - MessageLookupByLibrary.simpleMessage("Wachtwoord wijzigen"), - "changePermissions": - MessageLookupByLibrary.simpleMessage("Rechten aanpassen?"), - "changeYourReferralCode": - MessageLookupByLibrary.simpleMessage("Wijzig uw verwijzingscode"), - "checkForUpdates": - MessageLookupByLibrary.simpleMessage("Controleer op updates"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Controleer je inbox (en spam) om verificatie te voltooien"), - "checkStatus": - MessageLookupByLibrary.simpleMessage("Status controleren"), - "checking": MessageLookupByLibrary.simpleMessage("Controleren..."), - "checkingModels": - MessageLookupByLibrary.simpleMessage("Modellen controleren..."), - "city": MessageLookupByLibrary.simpleMessage("In de stad"), - "claimFreeStorage": - MessageLookupByLibrary.simpleMessage("Claim gratis opslag"), - "claimMore": MessageLookupByLibrary.simpleMessage("Claim meer!"), - "claimed": MessageLookupByLibrary.simpleMessage("Geclaimd"), - "claimedStorageSoFar": m14, - "cleanUncategorized": - MessageLookupByLibrary.simpleMessage("Ongecategoriseerd opschonen"), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Verwijder alle bestanden van Ongecategoriseerd die aanwezig zijn in andere albums"), - "clearCaches": MessageLookupByLibrary.simpleMessage("Cache legen"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Index wissen"), - "click": MessageLookupByLibrary.simpleMessage("• Click"), - "clickOnTheOverflowMenu": - MessageLookupByLibrary.simpleMessage("• Klik op het menu"), - "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( - "Klik om onze beste versie tot nu toe te installeren"), - "close": MessageLookupByLibrary.simpleMessage("Sluiten"), - "clubByCaptureTime": - MessageLookupByLibrary.simpleMessage("Samenvoegen op tijd"), - "clubByFileName": - MessageLookupByLibrary.simpleMessage("Samenvoegen op bestandsnaam"), - "clusteringProgress": - MessageLookupByLibrary.simpleMessage("Voortgang clusteren"), - "codeAppliedPageTitle": - MessageLookupByLibrary.simpleMessage("Code toegepast"), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Sorry, u heeft de limiet van het aantal codewijzigingen bereikt."), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Code gekopieerd naar klembord"), - "codeUsedByYou": - MessageLookupByLibrary.simpleMessage("Code gebruikt door jou"), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Maak een link waarmee mensen foto\'s in jouw gedeelde album kunnen toevoegen en bekijken zonder dat ze daarvoor een Ente app of account nodig hebben. Handig voor het verzamelen van foto\'s van evenementen."), - "collaborativeLink": - MessageLookupByLibrary.simpleMessage("Gezamenlijke link"), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Samenwerker"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Samenwerkers kunnen foto\'s en video\'s toevoegen aan het gedeelde album."), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("Layout"), - "collageSaved": MessageLookupByLibrary.simpleMessage( - "Collage opgeslagen in gallerij"), - "collect": MessageLookupByLibrary.simpleMessage("Verzamelen"), - "collectEventPhotos": MessageLookupByLibrary.simpleMessage( - "Foto\'s van gebeurtenissen verzamelen"), - "collectPhotos": - MessageLookupByLibrary.simpleMessage("Foto\'s verzamelen"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Maak een link waarin je vrienden foto\'s kunnen uploaden in de originele kwaliteit."), - "color": MessageLookupByLibrary.simpleMessage("Kleur"), - "configuration": MessageLookupByLibrary.simpleMessage("Configuratie"), - "confirm": MessageLookupByLibrary.simpleMessage("Bevestig"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Weet u zeker dat u tweestapsverificatie wilt uitschakelen?"), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Account verwijderen bevestigen"), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Ja, ik wil mijn account en de bijbehorende gegevens verspreid over alle apps permanent verwijderen."), - "confirmPassword": - MessageLookupByLibrary.simpleMessage("Wachtwoord bevestigen"), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage( - "Bevestig verandering van abonnement"), - "confirmRecoveryKey": - MessageLookupByLibrary.simpleMessage("Bevestig herstelsleutel"), - "confirmYourRecoveryKey": - MessageLookupByLibrary.simpleMessage("Bevestig herstelsleutel"), - "connectToDevice": MessageLookupByLibrary.simpleMessage( - "Verbinding maken met apparaat"), - "contactFamilyAdmin": m18, - "contactSupport": - MessageLookupByLibrary.simpleMessage("Contacteer klantenservice"), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Contacten"), - "contents": MessageLookupByLibrary.simpleMessage("Inhoud"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Doorgaan"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "Doorgaan met gratis proefversie"), - "convertToAlbum": - MessageLookupByLibrary.simpleMessage("Omzetten naar album"), - "copyEmailAddress": - MessageLookupByLibrary.simpleMessage("E-mailadres kopiëren"), - "copyLink": MessageLookupByLibrary.simpleMessage("Kopieer link"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Kopieer en plak deze code\nnaar je authenticator app"), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "We konden uw gegevens niet back-uppen.\nWe zullen het later opnieuw proberen."), - "couldNotFreeUpSpace": - MessageLookupByLibrary.simpleMessage("Kon geen ruimte vrijmaken"), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Kon abonnement niet wijzigen"), - "count": MessageLookupByLibrary.simpleMessage("Aantal"), - "crashReporting": - MessageLookupByLibrary.simpleMessage("Crash rapportering"), - "create": MessageLookupByLibrary.simpleMessage("Creëren"), - "createAccount": - MessageLookupByLibrary.simpleMessage("Account aanmaken"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Lang indrukken om foto\'s te selecteren en klik + om een album te maken"), - "createCollaborativeLink": - MessageLookupByLibrary.simpleMessage("Maak een gezamenlijke link"), - "createCollage": MessageLookupByLibrary.simpleMessage("Creëer collage"), - "createNewAccount": - MessageLookupByLibrary.simpleMessage("Nieuw account aanmaken"), - "createOrSelectAlbum": - MessageLookupByLibrary.simpleMessage("Maak of selecteer album"), - "createPublicLink": - MessageLookupByLibrary.simpleMessage("Maak publieke link"), - "creatingLink": - MessageLookupByLibrary.simpleMessage("Link aanmaken..."), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "Belangrijke update beschikbaar"), - "crop": MessageLookupByLibrary.simpleMessage("Bijsnijden"), - "curatedMemories": - MessageLookupByLibrary.simpleMessage("Samengestelde herinneringen"), - "currentUsageIs": - MessageLookupByLibrary.simpleMessage("Huidig gebruik is "), - "currentlyRunning": - MessageLookupByLibrary.simpleMessage("momenteel bezig"), - "custom": MessageLookupByLibrary.simpleMessage("Aangepast"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Donker"), - "dayToday": MessageLookupByLibrary.simpleMessage("Vandaag"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Gisteren"), - "declineTrustInvite": - MessageLookupByLibrary.simpleMessage("Uitnodiging afwijzen"), - "decrypting": MessageLookupByLibrary.simpleMessage("Ontsleutelen..."), - "decryptingVideo": - MessageLookupByLibrary.simpleMessage("Video ontsleutelen..."), - "deduplicateFiles": MessageLookupByLibrary.simpleMessage( - "Dubbele bestanden verwijderen"), - "delete": MessageLookupByLibrary.simpleMessage("Verwijderen"), - "deleteAccount": - MessageLookupByLibrary.simpleMessage("Account verwijderen"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "We vinden het jammer je te zien gaan. Deel je feedback om ons te helpen verbeteren."), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Account permanent verwijderen"), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Verwijder album"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Verwijder de foto\'s (en video\'s) van dit album ook uit alle andere albums waar deze deel van uitmaken?"), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "Hiermee worden alle lege albums verwijderd. Dit is handig wanneer je rommel in je albumlijst wilt verminderen."), - "deleteAll": MessageLookupByLibrary.simpleMessage("Alles Verwijderen"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "Dit account is gekoppeld aan andere Ente apps, als je er gebruik van maakt. Je geüploade gegevens worden in alle Ente apps gepland voor verwijdering, en je account wordt permanent verwijderd voor alle Ente diensten."), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Stuur een e-mail naar account-deletion@ente.io vanaf het door jou geregistreerde e-mailadres."), - "deleteEmptyAlbums": - MessageLookupByLibrary.simpleMessage("Lege albums verwijderen"), - "deleteEmptyAlbumsWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Lege albums verwijderen?"), - "deleteFromBoth": - MessageLookupByLibrary.simpleMessage("Verwijder van beide"), - "deleteFromDevice": - MessageLookupByLibrary.simpleMessage("Verwijder van apparaat"), - "deleteFromEnte": - MessageLookupByLibrary.simpleMessage("Verwijder van Ente"), - "deleteItemCount": m21, - "deleteLocation": - MessageLookupByLibrary.simpleMessage("Verwijder locatie"), - "deleteMultipleAlbumDialog": m22, - "deletePhotos": - MessageLookupByLibrary.simpleMessage("Foto\'s verwijderen"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Ik mis een belangrijke functie"), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "De app of een bepaalde functie functioneert niet zoals ik verwacht"), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Ik heb een andere dienst gevonden die me beter bevalt"), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "Mijn reden wordt niet vermeld"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Je verzoek wordt binnen 72 uur verwerkt."), - "deleteSharedAlbum": - MessageLookupByLibrary.simpleMessage("Gedeeld album verwijderen?"), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "Het album wordt verwijderd voor iedereen\n\nJe verliest de toegang tot gedeelde foto\'s in dit album die eigendom zijn van anderen"), - "deselectAll": - MessageLookupByLibrary.simpleMessage("Alles deselecteren"), - "designedToOutlive": MessageLookupByLibrary.simpleMessage( - "Ontworpen om levenslang mee te gaan"), - "details": MessageLookupByLibrary.simpleMessage("Details"), - "developerSettings": - MessageLookupByLibrary.simpleMessage("Ontwikkelaarsinstellingen"), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Weet je zeker dat je de ontwikkelaarsinstellingen wilt wijzigen?"), - "deviceCodeHint": - MessageLookupByLibrary.simpleMessage("Voer de code in"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "Bestanden toegevoegd aan dit album van dit apparaat zullen automatisch geüpload worden naar Ente."), - "deviceLock": - MessageLookupByLibrary.simpleMessage("Apparaat vergrendeld"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Schakel de schermvergrendeling van het apparaat uit wanneer Ente op de voorgrond is en er een back-up aan de gang is. Dit is normaal gesproken niet nodig, maar kan grote uploads en initiële imports van grote mappen sneller laten verlopen."), - "deviceNotFound": - MessageLookupByLibrary.simpleMessage("Apparaat niet gevonden"), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Wist u dat?"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage( - "Automatisch vergrendelen uitschakelen"), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Kijkers kunnen nog steeds screenshots maken of een kopie van je foto\'s opslaan met behulp van externe tools"), - "disableDownloadWarningTitle": - MessageLookupByLibrary.simpleMessage("Let op"), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "Tweestapsverificatie uitschakelen"), - "disablingTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Tweestapsverificatie uitschakelen..."), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Ontdek"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Baby\'s"), - "discover_celebrations": - MessageLookupByLibrary.simpleMessage("Vieringen"), - "discover_food": MessageLookupByLibrary.simpleMessage("Voedsel"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Natuur"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Heuvels"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Identiteit"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Notities"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Huisdieren"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Bonnen"), - "discover_screenshots": - MessageLookupByLibrary.simpleMessage("Schermafbeeldingen"), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfies"), - "discover_sunset": - MessageLookupByLibrary.simpleMessage("Zonsondergang"), - "discover_visiting_cards": - MessageLookupByLibrary.simpleMessage("Visite kaartjes"), - "discover_wallpapers": - MessageLookupByLibrary.simpleMessage("Achtergronden"), - "dismiss": MessageLookupByLibrary.simpleMessage("Afwijzen"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage("Niet uitloggen"), - "doThisLater": MessageLookupByLibrary.simpleMessage("Doe dit later"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Wilt u de bewerkingen die u hebt gemaakt annuleren?"), - "done": MessageLookupByLibrary.simpleMessage("Voltooid"), - "dontSave": MessageLookupByLibrary.simpleMessage("Niet opslaan"), - "doubleYourStorage": - MessageLookupByLibrary.simpleMessage("Verdubbel uw opslagruimte"), - "download": MessageLookupByLibrary.simpleMessage("Downloaden"), - "downloadFailed": - MessageLookupByLibrary.simpleMessage("Download mislukt"), - "downloading": MessageLookupByLibrary.simpleMessage("Downloaden..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Bewerken"), - "editEmailAlreadyLinked": m28, - "editLocation": - MessageLookupByLibrary.simpleMessage("Locatie bewerken"), - "editLocationTagTitle": - MessageLookupByLibrary.simpleMessage("Locatie bewerken"), - "editPerson": MessageLookupByLibrary.simpleMessage("Persoon bewerken"), - "editTime": MessageLookupByLibrary.simpleMessage("Tijd bewerken"), - "editsSaved": - MessageLookupByLibrary.simpleMessage("Bewerkingen opgeslagen"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Bewerkte locatie wordt alleen gezien binnen Ente"), - "eligible": MessageLookupByLibrary.simpleMessage("gerechtigd"), - "email": MessageLookupByLibrary.simpleMessage("E-mail"), - "emailAlreadyRegistered": - MessageLookupByLibrary.simpleMessage("E-mail is al geregistreerd."), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": - MessageLookupByLibrary.simpleMessage("E-mail niet geregistreerd."), - "emailVerificationToggle": - MessageLookupByLibrary.simpleMessage("E-mailverificatie"), - "emailYourLogs": - MessageLookupByLibrary.simpleMessage("E-mail uw logboeken"), - "embracingThem": m32, - "emergencyContacts": - MessageLookupByLibrary.simpleMessage("Noodcontacten"), - "empty": MessageLookupByLibrary.simpleMessage("Leeg"), - "emptyTrash": - MessageLookupByLibrary.simpleMessage("Prullenbak leegmaken?"), - "enable": MessageLookupByLibrary.simpleMessage("Inschakelen"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "Ente ondersteunt on-device machine learning voor gezichtsherkenning, magisch zoeken en andere geavanceerde zoekfuncties"), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Schakel machine learning in voor magische zoekopdrachten en gezichtsherkenning"), - "enableMaps": - MessageLookupByLibrary.simpleMessage("Kaarten inschakelen"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "Dit toont jouw foto\'s op een wereldkaart.\n\nDeze kaart wordt gehost door Open Street Map, en de exacte locaties van jouw foto\'s worden nooit gedeeld.\n\nJe kunt deze functie op elk gewenst moment uitschakelen via de instellingen."), - "enabled": MessageLookupByLibrary.simpleMessage("Ingeschakeld"), - "encryptingBackup": - MessageLookupByLibrary.simpleMessage("Back-up versleutelen..."), - "encryption": MessageLookupByLibrary.simpleMessage("Encryptie"), - "encryptionKeys": - MessageLookupByLibrary.simpleMessage("Encryptiesleutels"), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Eindpunt met succes bijgewerkt"), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Standaard end-to-end versleuteld"), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente kan bestanden alleen versleutelen en bewaren als u toegang tot ze geeft"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente heeft toestemming nodig om je foto\'s te bewaren"), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "Ente bewaart uw herinneringen, zodat ze altijd beschikbaar voor u zijn, zelfs als u uw apparaat verliest."), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Je familie kan ook aan je abonnement worden toegevoegd."), - "enterAlbumName": - MessageLookupByLibrary.simpleMessage("Voer albumnaam in"), - "enterCode": MessageLookupByLibrary.simpleMessage("Voer code in"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Voer de code van de vriend in om gratis opslag voor jullie beiden te claimen"), - "enterDateOfBirth": - MessageLookupByLibrary.simpleMessage("Verjaardag (optioneel)"), - "enterEmail": - MessageLookupByLibrary.simpleMessage("Voer e-mailadres in"), - "enterFileName": - MessageLookupByLibrary.simpleMessage("Geef bestandsnaam op"), - "enterName": MessageLookupByLibrary.simpleMessage("Naam invoeren"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Voer een nieuw wachtwoord in dat we kunnen gebruiken om je gegevens te versleutelen"), - "enterPassword": - MessageLookupByLibrary.simpleMessage("Voer wachtwoord in"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Voer een wachtwoord in dat we kunnen gebruiken om je gegevens te versleutelen"), - "enterPersonName": - MessageLookupByLibrary.simpleMessage("Naam van persoon invoeren"), - "enterPin": MessageLookupByLibrary.simpleMessage("PIN invoeren"), - "enterReferralCode": - MessageLookupByLibrary.simpleMessage("Voer verwijzingscode in"), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Voer de 6-cijferige code van je verificatie-app in"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Voer een geldig e-mailadres in."), - "enterYourEmailAddress": - MessageLookupByLibrary.simpleMessage("Voer je e-mailadres in"), - "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( - "Voer uw nieuwe e-mailadres in"), - "enterYourPassword": - MessageLookupByLibrary.simpleMessage("Voer je wachtwoord in"), - "enterYourRecoveryKey": - MessageLookupByLibrary.simpleMessage("Voer je herstelcode in"), - "error": MessageLookupByLibrary.simpleMessage("Foutmelding"), - "everywhere": MessageLookupByLibrary.simpleMessage("overal"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": - MessageLookupByLibrary.simpleMessage("Bestaande gebruiker"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Deze link is verlopen. Selecteer een nieuwe vervaltijd of schakel de vervaldatum uit."), - "exportLogs": - MessageLookupByLibrary.simpleMessage("Logboek exporteren"), - "exportYourData": - MessageLookupByLibrary.simpleMessage("Exporteer je gegevens"), - "extraPhotosFound": - MessageLookupByLibrary.simpleMessage("Extra foto\'s gevonden"), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Gezicht nog niet geclusterd, kom later terug"), - "faceRecognition": - MessageLookupByLibrary.simpleMessage("Gezichtsherkenning"), - "faces": MessageLookupByLibrary.simpleMessage("Gezichten"), - "failed": MessageLookupByLibrary.simpleMessage("Mislukt"), - "failedToApplyCode": - MessageLookupByLibrary.simpleMessage("Code toepassen mislukt"), - "failedToCancel": - MessageLookupByLibrary.simpleMessage("Opzeggen mislukt"), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( - "Downloaden van video mislukt"), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Ophalen van actieve sessies mislukt"), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Fout bij ophalen origineel voor bewerking"), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Kan geen verwijzingsgegevens ophalen. Probeer het later nog eens."), - "failedToLoadAlbums": - MessageLookupByLibrary.simpleMessage("Laden van albums mislukt"), - "failedToPlayVideo": - MessageLookupByLibrary.simpleMessage("Afspelen van video mislukt"), - "failedToRefreshStripeSubscription": - MessageLookupByLibrary.simpleMessage( - "Abonnement vernieuwen mislukt"), - "failedToRenew": - MessageLookupByLibrary.simpleMessage("Verlengen mislukt"), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Betalingsstatus verifiëren mislukt"), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Voeg 5 gezinsleden toe aan je bestaande abonnement zonder extra te betalen.\n\nElk lid krijgt zijn eigen privé ruimte en kan elkaars bestanden niet zien tenzij ze zijn gedeeld.\n\nFamilieplannen zijn beschikbaar voor klanten die een betaald Ente abonnement hebben.\n\nAbonneer nu om aan de slag te gaan!"), - "familyPlanPortalTitle": - MessageLookupByLibrary.simpleMessage("Familie"), - "familyPlans": - MessageLookupByLibrary.simpleMessage("Familie abonnement"), - "faq": MessageLookupByLibrary.simpleMessage("Veelgestelde vragen"), - "faqs": MessageLookupByLibrary.simpleMessage("Veelgestelde vragen"), - "favorite": - MessageLookupByLibrary.simpleMessage("Toevoegen aan favorieten"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("Feedback"), - "file": MessageLookupByLibrary.simpleMessage("Bestand"), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Opslaan van bestand naar galerij mislukt"), - "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( - "Voeg een beschrijving toe..."), - "fileNotUploadedYet": - MessageLookupByLibrary.simpleMessage("Bestand nog niet geüpload"), - "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Bestand opgeslagen in galerij"), - "fileTypes": MessageLookupByLibrary.simpleMessage("Bestandstype"), - "fileTypesAndNames": - MessageLookupByLibrary.simpleMessage("Bestandstypen en namen"), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": - MessageLookupByLibrary.simpleMessage("Bestanden verwijderd"), - "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Bestand opgeslagen in galerij"), - "findPeopleByName": - MessageLookupByLibrary.simpleMessage("Mensen snel op naam zoeken"), - "findThemQuickly": MessageLookupByLibrary.simpleMessage("Vind ze snel"), - "flip": MessageLookupByLibrary.simpleMessage("Omdraaien"), - "food": MessageLookupByLibrary.simpleMessage("Culinaire vreugde"), - "forYourMemories": - MessageLookupByLibrary.simpleMessage("voor uw herinneringen"), - "forgotPassword": - MessageLookupByLibrary.simpleMessage("Wachtwoord vergeten"), - "foundFaces": - MessageLookupByLibrary.simpleMessage("Gezichten gevonden"), - "freeStorageClaimed": - MessageLookupByLibrary.simpleMessage("Gratis opslag geclaimd"), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": - MessageLookupByLibrary.simpleMessage("Gratis opslag bruikbaar"), - "freeTrial": MessageLookupByLibrary.simpleMessage("Gratis proefversie"), - "freeTrialValidTill": m38, - "freeUpAccessPostDelete": m39, - "freeUpAmount": m40, - "freeUpDeviceSpace": - MessageLookupByLibrary.simpleMessage("Apparaatruimte vrijmaken"), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Bespaar ruimte op je apparaat door bestanden die al geback-upt zijn te wissen."), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("Ruimte vrijmaken"), - "freeUpSpaceSaving": m41, - "gallery": MessageLookupByLibrary.simpleMessage("Galerij"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "Tot 1000 herinneringen getoond in de galerij"), - "general": MessageLookupByLibrary.simpleMessage("Algemeen"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Encryptiesleutels genereren..."), - "genericProgress": m42, - "goToSettings": - MessageLookupByLibrary.simpleMessage("Ga naar instellingen"), - "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Geef toegang tot alle foto\'s in de Instellingen app"), - "grantPermission": - MessageLookupByLibrary.simpleMessage("Toestemming verlenen"), - "greenery": MessageLookupByLibrary.simpleMessage("Het groene leven"), - "groupNearbyPhotos": - MessageLookupByLibrary.simpleMessage("Groep foto\'s in de buurt"), - "guestView": MessageLookupByLibrary.simpleMessage("Gasten weergave"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "Om gasten weergave in te schakelen, moet u een toegangscode of schermvergrendeling instellen in uw systeeminstellingen."), - "happyBirthday": - MessageLookupByLibrary.simpleMessage("Fijne verjaardag! 🥳"), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "Wij gebruiken geen tracking. Het zou helpen als je ons vertelt waar je ons gevonden hebt!"), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Hoe hoorde je over Ente? (optioneel)"), - "help": MessageLookupByLibrary.simpleMessage("Hulp"), - "hidden": MessageLookupByLibrary.simpleMessage("Verborgen"), - "hide": MessageLookupByLibrary.simpleMessage("Verbergen"), - "hideContent": MessageLookupByLibrary.simpleMessage("Inhoud verbergen"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Verbergt app-inhoud in de app-schakelaar en schakelt schermopnamen uit"), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Verbergt de inhoud van de app in de app-schakelaar"), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "Verberg gedeelde bestanden uit de galerij"), - "hiding": MessageLookupByLibrary.simpleMessage("Verbergen..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": - MessageLookupByLibrary.simpleMessage("Gehost bij OSM France"), - "howItWorks": MessageLookupByLibrary.simpleMessage("Hoe het werkt"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Vraag hen om hun e-mailadres lang in te drukken op het instellingenscherm en te controleren dat de ID\'s op beide apparaten overeenkomen."), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Biometrische authenticatie is niet ingesteld op uw apparaat. Schakel Touch ID of Face ID in op uw telefoon."), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "Biometrische verificatie is uitgeschakeld. Vergrendel en ontgrendel uw scherm om het in te schakelen."), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("Oké"), - "ignore": MessageLookupByLibrary.simpleMessage("Negeren"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Negeren"), - "ignored": MessageLookupByLibrary.simpleMessage("genegeerd"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Sommige bestanden in dit album worden genegeerd voor uploaden omdat ze eerder van Ente zijn verwijderd."), - "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( - "Afbeelding niet geanalyseerd"), - "immediately": MessageLookupByLibrary.simpleMessage("Onmiddellijk"), - "importing": MessageLookupByLibrary.simpleMessage("Importeren...."), - "incorrectCode": MessageLookupByLibrary.simpleMessage("Onjuiste code"), - "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("Onjuist wachtwoord"), - "incorrectRecoveryKey": - MessageLookupByLibrary.simpleMessage("Onjuiste herstelsleutel"), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "De ingevoerde herstelsleutel is onjuist"), - "incorrectRecoveryKeyTitle": - MessageLookupByLibrary.simpleMessage("Onjuiste herstelsleutel"), - "indexedItems": - MessageLookupByLibrary.simpleMessage("Geïndexeerde bestanden"), - "ineligible": MessageLookupByLibrary.simpleMessage("Ongerechtigd"), - "info": MessageLookupByLibrary.simpleMessage("Info"), - "insecureDevice": - MessageLookupByLibrary.simpleMessage("Onveilig apparaat"), - "installManually": - MessageLookupByLibrary.simpleMessage("Installeer handmatig"), - "invalidEmailAddress": - MessageLookupByLibrary.simpleMessage("Ongeldig e-mailadres"), - "invalidEndpoint": - MessageLookupByLibrary.simpleMessage("Ongeldig eindpunt"), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Sorry, het eindpunt dat je hebt ingevoerd is ongeldig. Voer een geldig eindpunt in en probeer het opnieuw."), - "invalidKey": MessageLookupByLibrary.simpleMessage("Ongeldige sleutel"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "De herstelsleutel die je hebt ingevoerd is niet geldig. Zorg ervoor dat deze 24 woorden bevat en controleer de spelling van elk van deze woorden.\n\nAls je een oudere herstelcode hebt ingevoerd, zorg ervoor dat deze 64 tekens lang is, en controleer ze allemaal."), - "invite": MessageLookupByLibrary.simpleMessage("Uitnodigen"), - "inviteToEnte": - MessageLookupByLibrary.simpleMessage("Uitnodigen voor Ente"), - "inviteYourFriends": - MessageLookupByLibrary.simpleMessage("Vrienden uitnodigen"), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "Vrienden uitnodigen voor Ente"), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Het lijkt erop dat er iets fout is gegaan. Probeer het later opnieuw. Als de fout zich blijft voordoen, neem dan contact op met ons supportteam."), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "Bestanden tonen het aantal resterende dagen voordat ze permanent worden verwijderd"), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Geselecteerde items zullen worden verwijderd uit dit album"), - "join": MessageLookupByLibrary.simpleMessage("Deelnemen"), - "joinAlbum": - MessageLookupByLibrary.simpleMessage("Deelnemen aan album"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "Deelnemen aan een album maakt je e-mail zichtbaar voor de deelnemers."), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( - "om je foto\'s te bekijken en toe te voegen"), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "om dit aan gedeelde albums toe te voegen"), - "joinDiscord": MessageLookupByLibrary.simpleMessage("Join de Discord"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Foto\'s behouden"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Help ons alsjeblieft met deze informatie"), - "language": MessageLookupByLibrary.simpleMessage("Taal"), - "lastTimeWithThem": m45, - "lastUpdated": MessageLookupByLibrary.simpleMessage("Laatst gewijzigd"), - "lastYearsTrip": - MessageLookupByLibrary.simpleMessage("Reis van vorig jaar"), - "leave": MessageLookupByLibrary.simpleMessage("Verlaten"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Album verlaten"), - "leaveFamily": - MessageLookupByLibrary.simpleMessage("Familie abonnement verlaten"), - "leaveSharedAlbum": - MessageLookupByLibrary.simpleMessage("Gedeeld album verlaten?"), - "left": MessageLookupByLibrary.simpleMessage("Links"), - "legacy": MessageLookupByLibrary.simpleMessage("Legacy"), - "legacyAccounts": - MessageLookupByLibrary.simpleMessage("Legacy accounts"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "Legacy geeft vertrouwde contacten toegang tot je account bij afwezigheid."), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "Vertrouwde contacten kunnen accountherstel starten, en indien deze niet binnen 30 dagen wordt geblokkeerd, je wachtwoord resetten en toegang krijgen tot je account."), - "light": MessageLookupByLibrary.simpleMessage("Licht"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Licht"), - "link": MessageLookupByLibrary.simpleMessage("Link"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Link gekopieerd naar klembord"), - "linkDeviceLimit": - MessageLookupByLibrary.simpleMessage("Apparaat limiet"), - "linkEmail": MessageLookupByLibrary.simpleMessage("Link email"), - "linkEmailToContactBannerCaption": - MessageLookupByLibrary.simpleMessage("voor sneller delen"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Ingeschakeld"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Verlopen"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Vervaldatum"), - "linkHasExpired": - MessageLookupByLibrary.simpleMessage("Link is vervallen"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Nooit"), - "linkPerson": MessageLookupByLibrary.simpleMessage("Link persoon"), - "linkPersonCaption": MessageLookupByLibrary.simpleMessage( - "voor een betere ervaring met delen"), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("Live foto"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "U kunt uw abonnement met uw familie delen"), - "loadMessage2": MessageLookupByLibrary.simpleMessage( - "We hebben tot nu toe meer dan 200 miljoen herinneringen bewaard"), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "We bewaren 3 kopieën van uw bestanden, één in een ondergrondse kernbunker"), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "Al onze apps zijn open source"), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Onze broncode en cryptografie zijn extern gecontroleerd en geverifieerd"), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "Je kunt links naar je albums delen met je dierbaren"), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Onze mobiele apps draaien op de achtergrond om alle nieuwe foto\'s die je maakt te versleutelen en te back-uppen"), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io heeft een vlotte uploader"), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "We gebruiken Xchacha20Poly1305 om uw gegevens veilig te versleutelen"), - "loadingExifData": - MessageLookupByLibrary.simpleMessage("EXIF-gegevens laden..."), - "loadingGallery": - MessageLookupByLibrary.simpleMessage("Laden van gallerij..."), - "loadingMessage": - MessageLookupByLibrary.simpleMessage("Uw foto\'s laden..."), - "loadingModel": - MessageLookupByLibrary.simpleMessage("Modellen downloaden..."), - "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( - "Je foto\'s worden geladen..."), - "localGallery": MessageLookupByLibrary.simpleMessage("Lokale galerij"), - "localIndexing": - MessageLookupByLibrary.simpleMessage("Lokaal indexeren"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Het lijkt erop dat er iets mis is gegaan omdat het synchroniseren van lokale foto\'s meer tijd kost dan verwacht. Neem contact op met ons supportteam"), - "location": MessageLookupByLibrary.simpleMessage("Locatie"), - "locationName": MessageLookupByLibrary.simpleMessage("Locatie naam"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Een locatie tag groept alle foto\'s die binnen een bepaalde straal van een foto zijn genomen"), - "locations": MessageLookupByLibrary.simpleMessage("Locaties"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Vergrendel"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Vergrendelscherm"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Inloggen"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Uitloggen..."), - "loginSessionExpired": - MessageLookupByLibrary.simpleMessage("Sessie verlopen"), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "Jouw sessie is verlopen. Log opnieuw in."), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Door op inloggen te klikken, ga ik akkoord met de gebruiksvoorwaarden en privacybeleid"), - "loginWithTOTP": - MessageLookupByLibrary.simpleMessage("Inloggen met TOTP"), - "logout": MessageLookupByLibrary.simpleMessage("Uitloggen"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Dit zal logboeken verzenden om ons te helpen uw probleem op te lossen. Houd er rekening mee dat bestandsnamen zullen worden meegenomen om problemen met specifieke bestanden bij te houden."), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Druk lang op een e-mail om de versleuteling te verifiëren."), - "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( - "Houd een bestand lang ingedrukt om te bekijken op volledig scherm"), - "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( - "Kijk terug op je herinneringen 🌄"), - "loopVideoOff": - MessageLookupByLibrary.simpleMessage("Video in lus afspelen uit"), - "loopVideoOn": - MessageLookupByLibrary.simpleMessage("Video in lus afspelen aan"), - "lostDevice": - MessageLookupByLibrary.simpleMessage("Apparaat verloren?"), - "machineLearning": - MessageLookupByLibrary.simpleMessage("Machine Learning"), - "magicSearch": - MessageLookupByLibrary.simpleMessage("Magische zoekfunctie"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "Magisch zoeken maakt het mogelijk om foto\'s op hun inhoud worden gezocht, bijvoorbeeld \"bloem\", \"rode auto\", \"identiteitsdocumenten\""), - "manage": MessageLookupByLibrary.simpleMessage("Beheren"), - "manageDeviceStorage": - MessageLookupByLibrary.simpleMessage("Apparaatcache beheren"), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Bekijk en wis lokale cache opslag."), - "manageFamily": - MessageLookupByLibrary.simpleMessage("Familie abonnement beheren"), - "manageLink": MessageLookupByLibrary.simpleMessage("Beheer link"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Beheren"), - "manageSubscription": - MessageLookupByLibrary.simpleMessage("Abonnement beheren"), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "Koppelen met de PIN werkt met elk scherm waarop je jouw album wilt zien."), - "map": MessageLookupByLibrary.simpleMessage("Kaart"), - "maps": MessageLookupByLibrary.simpleMessage("Kaarten"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("Ik"), - "memories": MessageLookupByLibrary.simpleMessage("Herinneringen"), - "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Selecteer het soort herinneringen dat je wilt zien op je beginscherm."), - "memoryCount": m50, - "merchandise": MessageLookupByLibrary.simpleMessage("Merchandise"), - "merge": MessageLookupByLibrary.simpleMessage("Samenvoegen"), - "mergeWithExisting": - MessageLookupByLibrary.simpleMessage("Samenvoegen met bestaand"), - "mergedPhotos": - MessageLookupByLibrary.simpleMessage("Samengevoegde foto\'s"), - "mlConsent": - MessageLookupByLibrary.simpleMessage("Schakel machine learning in"), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Ik begrijp het, en wil machine learning inschakelen"), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Als u machine learning inschakelt, zal Ente informatie zoals gezichtsgeometrie uit bestanden extraheren, inclusief degenen die met u gedeeld worden.\n\nDit gebeurt op uw apparaat, en alle gegenereerde biometrische informatie zal end-to-end versleuteld worden."), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Klik hier voor meer details over deze functie in ons privacybeleid."), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "Machine learning inschakelen?"), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Houd er rekening mee dat machine learning zal leiden tot hoger bandbreedte- en batterijgebruik totdat alle items geïndexeerd zijn. Overweeg het gebruik van de desktop app voor snellere indexering. Alle resultaten worden automatisch gesynchroniseerd."), - "mobileWebDesktop": - MessageLookupByLibrary.simpleMessage("Mobiel, Web, Desktop"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Matig"), - "modifyYourQueryOrTrySearchingFor": - MessageLookupByLibrary.simpleMessage( - "Pas je zoekopdracht aan of zoek naar"), - "moments": MessageLookupByLibrary.simpleMessage("Momenten"), - "month": MessageLookupByLibrary.simpleMessage("maand"), - "monthly": MessageLookupByLibrary.simpleMessage("Maandelijks"), - "moon": MessageLookupByLibrary.simpleMessage("In het maanlicht"), - "moreDetails": MessageLookupByLibrary.simpleMessage("Meer details"), - "mostRecent": MessageLookupByLibrary.simpleMessage("Meest recent"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("Meest relevant"), - "mountains": MessageLookupByLibrary.simpleMessage("Over de heuvels"), - "moveItem": m51, - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "Verplaats de geselecteerde foto\'s naar één datum"), - "moveToAlbum": - MessageLookupByLibrary.simpleMessage("Verplaats naar album"), - "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Verplaatsen naar verborgen album"), - "movedSuccessfullyTo": m52, - "movedToTrash": - MessageLookupByLibrary.simpleMessage("Naar prullenbak verplaatst"), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Bestanden verplaatsen naar album..."), - "name": MessageLookupByLibrary.simpleMessage("Naam"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Album benoemen"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Kan geen verbinding maken met Ente, probeer het later opnieuw. Als de fout zich blijft voordoen, neem dan contact op met support."), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Kan geen verbinding maken met Ente, controleer uw netwerkinstellingen en neem contact op met ondersteuning als de fout zich blijft voordoen."), - "never": MessageLookupByLibrary.simpleMessage("Nooit"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Nieuw album"), - "newLocation": MessageLookupByLibrary.simpleMessage("Nieuwe locatie"), - "newPerson": MessageLookupByLibrary.simpleMessage("Nieuw persoon"), - "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" nieuwe 📸"), - "newRange": MessageLookupByLibrary.simpleMessage("Nieuwe reeks"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Nieuw bij Ente"), - "newest": MessageLookupByLibrary.simpleMessage("Nieuwste"), - "next": MessageLookupByLibrary.simpleMessage("Volgende"), - "no": MessageLookupByLibrary.simpleMessage("Nee"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Nog geen albums gedeeld door jou"), - "noDeviceFound": - MessageLookupByLibrary.simpleMessage("Geen apparaat gevonden"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Geen"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "Je hebt geen bestanden op dit apparaat die verwijderd kunnen worden"), - "noDuplicates": - MessageLookupByLibrary.simpleMessage("✨ Geen duplicaten"), - "noEnteAccountExclamation": - MessageLookupByLibrary.simpleMessage("Geen Ente account!"), - "noExifData": - MessageLookupByLibrary.simpleMessage("Geen EXIF gegevens"), - "noFacesFound": - MessageLookupByLibrary.simpleMessage("Geen gezichten gevonden"), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "Geen verborgen foto\'s of video\'s"), - "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( - "Geen afbeeldingen met locatie"), - "noInternetConnection": - MessageLookupByLibrary.simpleMessage("Geen internetverbinding"), - "noPhotosAreBeingBackedUpRightNow": - MessageLookupByLibrary.simpleMessage( - "Er worden momenteel geen foto\'s geback-upt"), - "noPhotosFoundHere": - MessageLookupByLibrary.simpleMessage("Geen foto\'s gevonden hier"), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( - "Geen snelle links geselecteerd"), - "noRecoveryKey": - MessageLookupByLibrary.simpleMessage("Geen herstelcode?"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Door de aard van ons end-to-end encryptieprotocol kunnen je gegevens niet worden ontsleuteld zonder je wachtwoord of herstelsleutel"), - "noResults": MessageLookupByLibrary.simpleMessage("Geen resultaten"), - "noResultsFound": - MessageLookupByLibrary.simpleMessage("Geen resultaten gevonden"), - "noSuggestionsForPerson": m53, - "noSystemLockFound": MessageLookupByLibrary.simpleMessage( - "Geen systeemvergrendeling gevonden"), - "notPersonLabel": m54, - "notThisPerson": - MessageLookupByLibrary.simpleMessage("Niet dezelfde persoon?"), - "nothingSharedWithYouYet": - MessageLookupByLibrary.simpleMessage("Nog niets met je gedeeld"), - "nothingToSeeHere": - MessageLookupByLibrary.simpleMessage("Nog niets te zien hier! 👀"), - "notifications": MessageLookupByLibrary.simpleMessage("Meldingen"), - "ok": MessageLookupByLibrary.simpleMessage("Oké"), - "onDevice": MessageLookupByLibrary.simpleMessage("Op het apparaat"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "Op ente"), - "onTheRoad": MessageLookupByLibrary.simpleMessage("Onderweg"), - "onThisDay": MessageLookupByLibrary.simpleMessage("Op deze dag"), - "onThisDayMemories": - MessageLookupByLibrary.simpleMessage("Op deze dag herinneringen"), - "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( - "Ontvang meldingen over herinneringen op deze dag door de jaren heen."), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Alleen hen"), - "oops": MessageLookupByLibrary.simpleMessage("Oeps"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Oeps, kon bewerkingen niet opslaan"), - "oopsSomethingWentWrong": - MessageLookupByLibrary.simpleMessage("Oeps, er is iets misgegaan"), - "openAlbumInBrowser": - MessageLookupByLibrary.simpleMessage("Open album in browser"), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Gebruik de webapp om foto\'s aan dit album toe te voegen"), - "openFile": MessageLookupByLibrary.simpleMessage("Bestand openen"), - "openSettings": - MessageLookupByLibrary.simpleMessage("Instellingen openen"), - "openTheItem": MessageLookupByLibrary.simpleMessage("• Open het item"), - "openstreetmapContributors": - MessageLookupByLibrary.simpleMessage("OpenStreetMap bijdragers"), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Optioneel, zo kort als je wilt..."), - "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( - "Of samenvoegen met bestaande"), - "orPickAnExistingOne": - MessageLookupByLibrary.simpleMessage("Of kies een bestaande"), - "orPickFromYourContacts": - MessageLookupByLibrary.simpleMessage("of kies uit je contacten"), - "otherDetectedFaces": MessageLookupByLibrary.simpleMessage( - "Andere gedetecteerde gezichten"), - "pair": MessageLookupByLibrary.simpleMessage("Koppelen"), - "pairWithPin": MessageLookupByLibrary.simpleMessage("Koppelen met PIN"), - "pairingComplete": - MessageLookupByLibrary.simpleMessage("Koppeling voltooid"), - "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), - "partyWithThem": m56, - "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( - "Verificatie is nog in behandeling"), - "passkey": MessageLookupByLibrary.simpleMessage("Passkey"), - "passkeyAuthTitle": - MessageLookupByLibrary.simpleMessage("Passkey verificatie"), - "password": MessageLookupByLibrary.simpleMessage("Wachtwoord"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Wachtwoord succesvol aangepast"), - "passwordLock": MessageLookupByLibrary.simpleMessage("Wachtwoord slot"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "De wachtwoordsterkte wordt berekend aan de hand van de lengte van het wachtwoord, de gebruikte tekens en of het wachtwoord al dan niet in de top 10.000 van meest gebruikte wachtwoorden staat"), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Wij slaan dit wachtwoord niet op, dus als je het vergeet, kunnen we je gegevens niet ontsleutelen"), - "pastYearsMemories": - MessageLookupByLibrary.simpleMessage("Afgelopen jaren"), - "paymentDetails": - MessageLookupByLibrary.simpleMessage("Betaalgegevens"), - "paymentFailed": - MessageLookupByLibrary.simpleMessage("Betaling mislukt"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "Helaas is je betaling mislukt. Neem contact op met support zodat we je kunnen helpen!"), - "paymentFailedTalkToProvider": m58, - "pendingItems": - MessageLookupByLibrary.simpleMessage("Bestanden in behandeling"), - "pendingSync": MessageLookupByLibrary.simpleMessage( - "Synchronisatie in behandeling"), - "people": MessageLookupByLibrary.simpleMessage("Personen"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Mensen die jouw code gebruiken"), - "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Selecteer de mensen die je wilt zien op je beginscherm."), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Alle bestanden in de prullenbak zullen permanent worden verwijderd\n\nDeze actie kan niet ongedaan worden gemaakt"), - "permanentlyDelete": - MessageLookupByLibrary.simpleMessage("Permanent verwijderen"), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Permanent verwijderen van apparaat?"), - "personIsAge": m59, - "personName": MessageLookupByLibrary.simpleMessage("Naam van persoon"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("Harige kameraden"), - "photoDescriptions": - MessageLookupByLibrary.simpleMessage("Foto beschrijvingen"), - "photoGridSize": - MessageLookupByLibrary.simpleMessage("Foto raster grootte"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("Foto\'s"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "Foto\'s toegevoegd door u zullen worden verwijderd uit het album"), - "photosCount": m62, - "photosKeepRelativeTimeDifference": - MessageLookupByLibrary.simpleMessage( - "Foto\'s behouden relatief tijdsverschil"), - "pickCenterPoint": - MessageLookupByLibrary.simpleMessage("Kies middelpunt"), - "pinAlbum": - MessageLookupByLibrary.simpleMessage("Album bovenaan vastzetten"), - "pinLock": MessageLookupByLibrary.simpleMessage("PIN vergrendeling"), - "playOnTv": - MessageLookupByLibrary.simpleMessage("Album afspelen op TV"), - "playOriginal": - MessageLookupByLibrary.simpleMessage("Origineel afspelen"), - "playStoreFreeTrialValidTill": m63, - "playStream": MessageLookupByLibrary.simpleMessage("Stream afspelen"), - "playstoreSubscription": - MessageLookupByLibrary.simpleMessage("PlayStore abonnement"), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Controleer je internetverbinding en probeer het opnieuw."), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Neem alstublieft contact op met support@ente.io en we helpen u graag!"), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Neem contact op met klantenservice als het probleem aanhoudt"), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( - "Geef alstublieft toestemming"), - "pleaseLoginAgain": - MessageLookupByLibrary.simpleMessage("Log opnieuw in"), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Selecteer snelle links om te verwijderen"), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": - MessageLookupByLibrary.simpleMessage("Probeer het nog eens"), - "pleaseVerifyTheCodeYouHaveEntered": - MessageLookupByLibrary.simpleMessage( - "Controleer de code die u hebt ingevoerd"), - "pleaseWait": - MessageLookupByLibrary.simpleMessage("Een ogenblik geduld..."), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Een ogenblik geduld, album wordt verwijderd"), - "pleaseWaitForSometimeBeforeRetrying": - MessageLookupByLibrary.simpleMessage( - "Gelieve even te wachten voordat u opnieuw probeert"), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "Een ogenblik geduld, dit zal even duren."), - "posingWithThem": m66, - "preparingLogs": - MessageLookupByLibrary.simpleMessage("Logboeken voorbereiden..."), - "preserveMore": MessageLookupByLibrary.simpleMessage("Meer bewaren"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Ingedrukt houden om video af te spelen"), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Houd de afbeelding ingedrukt om video af te spelen"), - "previous": MessageLookupByLibrary.simpleMessage("Vorige"), - "privacy": MessageLookupByLibrary.simpleMessage("Privacy"), - "privacyPolicyTitle": - MessageLookupByLibrary.simpleMessage("Privacybeleid"), - "privateBackups": - MessageLookupByLibrary.simpleMessage("Privé back-ups"), - "privateSharing": MessageLookupByLibrary.simpleMessage("Privé delen"), - "proceed": MessageLookupByLibrary.simpleMessage("Verder"), - "processed": MessageLookupByLibrary.simpleMessage("Verwerkt"), - "processing": MessageLookupByLibrary.simpleMessage("Verwerken"), - "processingImport": m67, - "processingVideos": - MessageLookupByLibrary.simpleMessage("Video\'s verwerken"), - "publicLinkCreated": - MessageLookupByLibrary.simpleMessage("Publieke link aangemaakt"), - "publicLinkEnabled": - MessageLookupByLibrary.simpleMessage("Publieke link ingeschakeld"), - "questionmark": MessageLookupByLibrary.simpleMessage("?"), - "queued": MessageLookupByLibrary.simpleMessage("In wachtrij"), - "quickLinks": MessageLookupByLibrary.simpleMessage("Snelle links"), - "radius": MessageLookupByLibrary.simpleMessage("Straal"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Meld probleem"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("Beoordeel de app"), - "rateUs": MessageLookupByLibrary.simpleMessage("Beoordeel ons"), - "rateUsOnStore": m68, - "reassignMe": - MessageLookupByLibrary.simpleMessage("\"Ik\" opnieuw toewijzen"), - "reassignedToName": m69, - "reassigningLoading": - MessageLookupByLibrary.simpleMessage("Opnieuw toewijzen..."), - "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( - "Ontvang herinneringen wanneer iemand jarig is. Als je op de melding drukt, krijg je foto\'s van de jarige."), - "recover": MessageLookupByLibrary.simpleMessage("Herstellen"), - "recoverAccount": - MessageLookupByLibrary.simpleMessage("Account herstellen"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Herstellen"), - "recoveryAccount": - MessageLookupByLibrary.simpleMessage("Account herstellen"), - "recoveryInitiated": - MessageLookupByLibrary.simpleMessage("Herstel gestart"), - "recoveryInitiatedDesc": m70, - "recoveryKey": MessageLookupByLibrary.simpleMessage("Herstelsleutel"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Herstelsleutel gekopieerd naar klembord"), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Als je je wachtwoord vergeet, kun je alleen met deze sleutel je gegevens herstellen."), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "We slaan deze sleutel niet op, bewaar deze 24 woorden sleutel op een veilige plaats."), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Super! Je herstelsleutel is geldig. Bedankt voor het verifiëren.\n\nVergeet niet om je herstelsleutel veilig te bewaren."), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Herstel sleutel geverifieerd"), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Je herstelsleutel is de enige manier om je foto\'s te herstellen als je je wachtwoord bent vergeten. Je vindt je herstelsleutel in Instellingen > Account.\n\nVoer hier je herstelsleutel in om te controleren of je hem correct hebt opgeslagen."), - "recoveryReady": m71, - "recoverySuccessful": - MessageLookupByLibrary.simpleMessage("Herstel succesvol!"), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "Een vertrouwd contact probeert toegang te krijgen tot je account"), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "Het huidige apparaat is niet krachtig genoeg om je wachtwoord te verifiëren, dus moeten we de code een keer opnieuw genereren op een manier die met alle apparaten werkt.\n\nLog in met behulp van uw herstelcode en genereer opnieuw uw wachtwoord (je kunt dezelfde indien gewenst opnieuw gebruiken)."), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Wachtwoord opnieuw instellen"), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": - MessageLookupByLibrary.simpleMessage("Wachtwoord opnieuw invoeren"), - "reenterPin": - MessageLookupByLibrary.simpleMessage("PIN opnieuw invoeren"), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Verwijs vrienden en 2x uw abonnement"), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Geef deze code aan je vrienden"), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Ze registreren voor een betaald plan"), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Referenties"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "Verwijzingen zijn momenteel gepauzeerd"), - "rejectRecovery": - MessageLookupByLibrary.simpleMessage("Herstel weigeren"), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "Leeg ook \"Onlangs verwijderd\" uit \"Instellingen\" -> \"Opslag\" om de vrij gekomen ruimte te benutten"), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Leeg ook uw \"Prullenbak\" om de vrij gekomen ruimte te benutten"), - "remoteImages": - MessageLookupByLibrary.simpleMessage("Externe afbeeldingen"), - "remoteThumbnails": - MessageLookupByLibrary.simpleMessage("Externe thumbnails"), - "remoteVideos": - MessageLookupByLibrary.simpleMessage("Externe video\'s"), - "remove": MessageLookupByLibrary.simpleMessage("Verwijder"), - "removeDuplicates": - MessageLookupByLibrary.simpleMessage("Duplicaten verwijderen"), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Controleer en verwijder bestanden die exacte kopieën zijn."), - "removeFromAlbum": - MessageLookupByLibrary.simpleMessage("Verwijder uit album"), - "removeFromAlbumTitle": - MessageLookupByLibrary.simpleMessage("Uit album verwijderen?"), - "removeFromFavorite": - MessageLookupByLibrary.simpleMessage("Verwijder van favorieten"), - "removeInvite": - MessageLookupByLibrary.simpleMessage("Verwijder uitnodiging"), - "removeLink": MessageLookupByLibrary.simpleMessage("Verwijder link"), - "removeParticipant": - MessageLookupByLibrary.simpleMessage("Deelnemer verwijderen"), - "removeParticipantBody": m74, - "removePersonLabel": - MessageLookupByLibrary.simpleMessage("Verwijder persoonslabel"), - "removePublicLink": - MessageLookupByLibrary.simpleMessage("Verwijder publieke link"), - "removePublicLinks": - MessageLookupByLibrary.simpleMessage("Verwijder publieke link"), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Sommige van de items die je verwijdert zijn door andere mensen toegevoegd, en je verliest de toegang daartoe"), - "removeWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Verwijder?"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Verwijder jezelf als vertrouwd contact"), - "removingFromFavorites": MessageLookupByLibrary.simpleMessage( - "Verwijderen uit favorieten..."), - "rename": MessageLookupByLibrary.simpleMessage("Naam wijzigen"), - "renameAlbum": - MessageLookupByLibrary.simpleMessage("Albumnaam wijzigen"), - "renameFile": - MessageLookupByLibrary.simpleMessage("Bestandsnaam wijzigen"), - "renewSubscription": - MessageLookupByLibrary.simpleMessage("Abonnement verlengen"), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Een fout melden"), - "reportBug": MessageLookupByLibrary.simpleMessage("Fout melden"), - "resendEmail": - MessageLookupByLibrary.simpleMessage("E-mail opnieuw versturen"), - "reset": MessageLookupByLibrary.simpleMessage("Reset"), - "resetIgnoredFiles": - MessageLookupByLibrary.simpleMessage("Reset genegeerde bestanden"), - "resetPasswordTitle": - MessageLookupByLibrary.simpleMessage("Wachtwoord resetten"), - "resetPerson": MessageLookupByLibrary.simpleMessage("Verwijderen"), - "resetToDefault": MessageLookupByLibrary.simpleMessage( - "Standaardinstellingen herstellen"), - "restore": MessageLookupByLibrary.simpleMessage("Herstellen"), - "restoreToAlbum": - MessageLookupByLibrary.simpleMessage("Terugzetten naar album"), - "restoringFiles": - MessageLookupByLibrary.simpleMessage("Bestanden herstellen..."), - "resumableUploads": - MessageLookupByLibrary.simpleMessage("Hervatbare uploads"), - "retry": MessageLookupByLibrary.simpleMessage("Opnieuw"), - "review": MessageLookupByLibrary.simpleMessage("Beoordelen"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Controleer en verwijder de bestanden die u denkt dat dubbel zijn."), - "reviewSuggestions": - MessageLookupByLibrary.simpleMessage("Suggesties beoordelen"), - "right": MessageLookupByLibrary.simpleMessage("Rechts"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("Roteren"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Roteer links"), - "rotateRight": MessageLookupByLibrary.simpleMessage("Rechtsom draaien"), - "safelyStored": - MessageLookupByLibrary.simpleMessage("Veilig opgeslagen"), - "save": MessageLookupByLibrary.simpleMessage("Opslaan"), - "saveAsAnotherPerson": - MessageLookupByLibrary.simpleMessage("Opslaan als ander persoon"), - "saveChangesBeforeLeavingQuestion": - MessageLookupByLibrary.simpleMessage( - "Wijzigingen opslaan voor verlaten?"), - "saveCollage": MessageLookupByLibrary.simpleMessage("Sla collage op"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Kopie opslaan"), - "saveKey": MessageLookupByLibrary.simpleMessage("Bewaar sleutel"), - "savePerson": MessageLookupByLibrary.simpleMessage("Persoon opslaan"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Sla je herstelsleutel op als je dat nog niet gedaan hebt"), - "saving": MessageLookupByLibrary.simpleMessage("Opslaan..."), - "savingEdits": - MessageLookupByLibrary.simpleMessage("Bewerken opslaan..."), - "scanCode": MessageLookupByLibrary.simpleMessage("Scan code"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Scan deze barcode met\nje authenticator app"), - "search": MessageLookupByLibrary.simpleMessage("Zoeken"), - "searchAlbumsEmptySection": - MessageLookupByLibrary.simpleMessage("Albums"), - "searchByAlbumNameHint": - MessageLookupByLibrary.simpleMessage("Albumnaam"), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Albumnamen (bijv. \"Camera\")\n• Types van bestanden (bijv. \"Video\'s\", \".gif\")\n• Jaren en maanden (bijv. \"2022\", \"januari\")\n• Feestdagen (bijv. \"Kerstmis\")\n• Fotobeschrijvingen (bijv. \"#fun\")"), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Voeg beschrijvingen zoals \"#weekendje weg\" toe in foto-info om ze snel hier te vinden"), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Zoeken op een datum, maand of jaar"), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "Afbeeldingen worden hier getoond zodra verwerking en synchroniseren voltooid is"), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "Mensen worden hier getoond als het indexeren klaar is"), - "searchFileTypesAndNamesEmptySection": - MessageLookupByLibrary.simpleMessage("Bestandstypen en namen"), - "searchHint1": - MessageLookupByLibrary.simpleMessage("Snelle, lokale zoekfunctie"), - "searchHint2": - MessageLookupByLibrary.simpleMessage("Foto datums, beschrijvingen"), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "Albums, bestandsnamen en typen"), - "searchHint4": MessageLookupByLibrary.simpleMessage("Locatie"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "Binnenkort beschikbaar: Gezichten & magische zoekopdrachten ✨"), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Foto\'s groeperen die in een bepaalde straal van een foto worden genomen"), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "Nodig mensen uit, en je ziet alle foto\'s die door hen worden gedeeld hier"), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "Personen worden hier getoond zodra verwerking en synchroniseren voltooid is"), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Beveiliging"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "Bekijk publieke album links in de app"), - "selectALocation": - MessageLookupByLibrary.simpleMessage("Selecteer een locatie"), - "selectALocationFirst": - MessageLookupByLibrary.simpleMessage("Selecteer eerst een locatie"), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Album selecteren"), - "selectAll": MessageLookupByLibrary.simpleMessage("Selecteer alles"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("Alle"), - "selectCoverPhoto": - MessageLookupByLibrary.simpleMessage("Selecteer omslagfoto"), - "selectDate": MessageLookupByLibrary.simpleMessage("Selecteer datum"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Selecteer mappen voor back-up"), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "Selecteer items om toe te voegen"), - "selectLanguage": - MessageLookupByLibrary.simpleMessage("Taal selecteren"), - "selectMailApp": - MessageLookupByLibrary.simpleMessage("Selecteer mail app"), - "selectMorePhotos": - MessageLookupByLibrary.simpleMessage("Selecteer meer foto\'s"), - "selectOneDateAndTime": - MessageLookupByLibrary.simpleMessage("Selecteer één datum en tijd"), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "Selecteer één datum en tijd voor allen"), - "selectPersonToLink": - MessageLookupByLibrary.simpleMessage("Kies persoon om te linken"), - "selectReason": MessageLookupByLibrary.simpleMessage("Selecteer reden"), - "selectStartOfRange": - MessageLookupByLibrary.simpleMessage("Selecteer start van reeks"), - "selectTime": MessageLookupByLibrary.simpleMessage("Tijd selecteren"), - "selectYourFace": - MessageLookupByLibrary.simpleMessage("Selecteer je gezicht"), - "selectYourPlan": - MessageLookupByLibrary.simpleMessage("Kies uw abonnement"), - "selectedAlbums": m79, - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Geselecteerde bestanden staan niet op Ente"), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Geselecteerde mappen worden versleuteld en geback-upt"), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Geselecteerde bestanden worden verwijderd uit alle albums en verplaatst naar de prullenbak."), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "Geselecteerde bestanden worden van deze persoon verwijderd, maar niet uit uw bibliotheek verwijderd."), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("Verzenden"), - "sendEmail": MessageLookupByLibrary.simpleMessage("E-mail versturen"), - "sendInvite": - MessageLookupByLibrary.simpleMessage("Stuur een uitnodiging"), - "sendLink": MessageLookupByLibrary.simpleMessage("Stuur link"), - "serverEndpoint": - MessageLookupByLibrary.simpleMessage("Server eindpunt"), - "sessionExpired": - MessageLookupByLibrary.simpleMessage("Sessie verlopen"), - "sessionIdMismatch": - MessageLookupByLibrary.simpleMessage("Sessie ID komt niet overeen"), - "setAPassword": - MessageLookupByLibrary.simpleMessage("Stel een wachtwoord in"), - "setAs": MessageLookupByLibrary.simpleMessage("Instellen als"), - "setCover": MessageLookupByLibrary.simpleMessage("Omslag instellen"), - "setLabel": MessageLookupByLibrary.simpleMessage("Instellen"), - "setNewPassword": - MessageLookupByLibrary.simpleMessage("Nieuw wachtwoord instellen"), - "setNewPin": - MessageLookupByLibrary.simpleMessage("Nieuwe PIN instellen"), - "setPasswordTitle": - MessageLookupByLibrary.simpleMessage("Wachtwoord instellen"), - "setRadius": MessageLookupByLibrary.simpleMessage("Radius instellen"), - "setupComplete": MessageLookupByLibrary.simpleMessage("Setup voltooid"), - "share": MessageLookupByLibrary.simpleMessage("Delen"), - "shareALink": MessageLookupByLibrary.simpleMessage("Deel een link"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Open een album en tik op de deelknop rechts bovenaan om te delen."), - "shareAnAlbumNow": - MessageLookupByLibrary.simpleMessage("Deel nu een album"), - "shareLink": MessageLookupByLibrary.simpleMessage("Link delen"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Deel alleen met de mensen die u wilt"), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Download Ente zodat we gemakkelijk foto\'s en video\'s in originele kwaliteit kunnen delen\n\nhttps://ente.io"), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Delen met niet-Ente gebruikers"), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": - MessageLookupByLibrary.simpleMessage("Deel jouw eerste album"), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Maak gedeelde en collaboratieve albums met andere Ente gebruikers, inclusief gebruikers met gratis abonnementen."), - "sharedByMe": MessageLookupByLibrary.simpleMessage("Gedeeld door mij"), - "sharedByYou": MessageLookupByLibrary.simpleMessage("Gedeeld door jou"), - "sharedPhotoNotifications": - MessageLookupByLibrary.simpleMessage("Nieuwe gedeelde foto\'s"), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Ontvang meldingen wanneer iemand een foto toevoegt aan een gedeeld album waar je deel van uitmaakt"), - "sharedWith": m87, - "sharedWithMe": MessageLookupByLibrary.simpleMessage("Gedeeld met mij"), - "sharedWithYou": - MessageLookupByLibrary.simpleMessage("Gedeeld met jou"), - "sharing": MessageLookupByLibrary.simpleMessage("Delen..."), - "shiftDatesAndTime": - MessageLookupByLibrary.simpleMessage("Verschuif datum en tijd"), - "showLessFaces": - MessageLookupByLibrary.simpleMessage("Minder gezichten weergeven"), - "showMemories": - MessageLookupByLibrary.simpleMessage("Toon herinneringen"), - "showMoreFaces": - MessageLookupByLibrary.simpleMessage("Minder gezichten weergeven"), - "showPerson": MessageLookupByLibrary.simpleMessage("Toon persoon"), - "signOutFromOtherDevices": - MessageLookupByLibrary.simpleMessage("Log uit op andere apparaten"), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Als je denkt dat iemand je wachtwoord zou kunnen kennen, kun je alle andere apparaten die je account gebruiken dwingen om uit te loggen."), - "signOutOtherDevices": - MessageLookupByLibrary.simpleMessage("Log uit op andere apparaten"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Ik ga akkoord met de gebruiksvoorwaarden en privacybeleid"), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Het wordt uit alle albums verwijderd."), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Overslaan"), - "smartMemories": - MessageLookupByLibrary.simpleMessage("Slimme herinneringen"), - "social": MessageLookupByLibrary.simpleMessage("Sociale media"), - "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( - "Sommige bestanden bevinden zich zowel in Ente als op jouw apparaat."), - "someOfTheFilesYouAreTryingToDeleteAre": - MessageLookupByLibrary.simpleMessage( - "Sommige bestanden die u probeert te verwijderen zijn alleen beschikbaar op uw apparaat en kunnen niet hersteld worden als deze verwijderd worden"), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Iemand die albums met je deelt zou hetzelfde ID op hun apparaat moeten zien."), - "somethingWentWrong": - MessageLookupByLibrary.simpleMessage("Er ging iets mis"), - "somethingWentWrongPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Er is iets fout gegaan, probeer het opnieuw"), - "sorry": MessageLookupByLibrary.simpleMessage("Sorry"), - "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( - "Sorry, we kunnen dit bestand nu niet back-uppen, we zullen het later opnieuw proberen."), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Sorry, kon niet aan favorieten worden toegevoegd!"), - "sorryCouldNotRemoveFromFavorites": - MessageLookupByLibrary.simpleMessage( - "Sorry, kon niet uit favorieten worden verwijderd!"), - "sorryTheCodeYouveEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "Sorry, de ingevoerde code is onjuist"), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Sorry, we konden geen beveiligde sleutels genereren op dit apparaat.\n\nGelieve je aan te melden vanaf een ander apparaat."), - "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( - "Sorry, we moesten je back-ups pauzeren"), - "sort": MessageLookupByLibrary.simpleMessage("Sorteren"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sorteren op"), - "sortNewestFirst": - MessageLookupByLibrary.simpleMessage("Nieuwste eerst"), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Oudste eerst"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Succes"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": - MessageLookupByLibrary.simpleMessage("Spotlicht op jezelf"), - "startAccountRecoveryTitle": - MessageLookupByLibrary.simpleMessage("Herstel starten"), - "startBackup": MessageLookupByLibrary.simpleMessage("Back-up starten"), - "status": MessageLookupByLibrary.simpleMessage("Status"), - "stopCastingBody": - MessageLookupByLibrary.simpleMessage("Wil je stoppen met casten?"), - "stopCastingTitle": - MessageLookupByLibrary.simpleMessage("Casten stoppen"), - "storage": MessageLookupByLibrary.simpleMessage("Opslagruimte"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Familie"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Jij"), - "storageInGB": m93, - "storageLimitExceeded": - MessageLookupByLibrary.simpleMessage("Opslaglimiet overschreden"), - "storageUsageInfo": m94, - "streamDetails": MessageLookupByLibrary.simpleMessage("Stream details"), - "strongStrength": MessageLookupByLibrary.simpleMessage("Sterk"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Abonneer"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Je hebt een actief betaald abonnement nodig om delen mogelijk te maken."), - "subscription": MessageLookupByLibrary.simpleMessage("Abonnement"), - "success": MessageLookupByLibrary.simpleMessage("Succes"), - "successfullyArchived": - MessageLookupByLibrary.simpleMessage("Succesvol gearchiveerd"), - "successfullyHid": - MessageLookupByLibrary.simpleMessage("Succesvol verborgen"), - "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( - "Succesvol uit archief gehaald"), - "successfullyUnhid": MessageLookupByLibrary.simpleMessage( - "Met succes zichtbaar gemaakt"), - "suggestFeatures": - MessageLookupByLibrary.simpleMessage("Features voorstellen"), - "sunrise": MessageLookupByLibrary.simpleMessage("Aan de horizon"), - "support": MessageLookupByLibrary.simpleMessage("Ondersteuning"), - "syncProgress": m97, - "syncStopped": - MessageLookupByLibrary.simpleMessage("Synchronisatie gestopt"), - "syncing": MessageLookupByLibrary.simpleMessage("Synchroniseren..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("Systeem"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("tik om te kopiëren"), - "tapToEnterCode": - MessageLookupByLibrary.simpleMessage("Tik om code in te voeren"), - "tapToUnlock": - MessageLookupByLibrary.simpleMessage("Tik om te ontgrendelen"), - "tapToUpload": - MessageLookupByLibrary.simpleMessage("Tik om te uploaden"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Het lijkt erop dat er iets fout is gegaan. Probeer het later opnieuw. Als de fout zich blijft voordoen, neem dan contact op met ons supportteam."), - "terminate": MessageLookupByLibrary.simpleMessage("Beëindigen"), - "terminateSession": - MessageLookupByLibrary.simpleMessage("Sessie beëindigen?"), - "terms": MessageLookupByLibrary.simpleMessage("Voorwaarden"), - "termsOfServicesTitle": - MessageLookupByLibrary.simpleMessage("Voorwaarden"), - "thankYou": MessageLookupByLibrary.simpleMessage("Bedankt"), - "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( - "Dank je wel voor het abonneren!"), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "De download kon niet worden voltooid"), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "De link die je probeert te openen is verlopen."), - "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "De groepen worden niet meer getoond in de personen sectie. Foto\'s blijven ongemoeid."), - "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "De persoon wordt niet meer getoond in de personen sectie. Foto\'s blijven ongemoeid."), - "theRecoveryKeyYouEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "De ingevoerde herstelsleutel is onjuist"), - "theme": MessageLookupByLibrary.simpleMessage("Thema"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Deze bestanden zullen worden verwijderd van uw apparaat."), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "Ze zullen uit alle albums worden verwijderd."), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Deze actie kan niet ongedaan gemaakt worden"), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "Dit album heeft al een gezamenlijke link"), - "thisCanBeUsedToRecoverYourAccountIfYou": - MessageLookupByLibrary.simpleMessage( - "Dit kan worden gebruikt om je account te herstellen als je je tweede factor verliest"), - "thisDevice": MessageLookupByLibrary.simpleMessage("Dit apparaat"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "Dit e-mailadres is al in gebruik"), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Deze foto heeft geen exif gegevens"), - "thisIsMeExclamation": - MessageLookupByLibrary.simpleMessage("Dit ben ik!"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": - MessageLookupByLibrary.simpleMessage("Dit is uw verificatie-ID"), - "thisWeekThroughTheYears": - MessageLookupByLibrary.simpleMessage("Deze week door de jaren"), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Dit zal je uitloggen van het volgende apparaat:"), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Dit zal je uitloggen van dit apparaat!"), - "thisWillMakeTheDateAndTimeOfAllSelected": - MessageLookupByLibrary.simpleMessage( - "Dit maakt de datum en tijd van alle geselecteerde foto\'s hetzelfde."), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "Hiermee worden openbare links van alle geselecteerde snelle links verwijderd."), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "Om appvergrendeling in te schakelen, moet u een toegangscode of schermvergrendeling instellen in uw systeeminstellingen."), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( - "Om een foto of video te verbergen"), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Verifieer eerst je e-mailadres om je wachtwoord opnieuw in te stellen."), - "todaysLogs": - MessageLookupByLibrary.simpleMessage("Logboeken van vandaag"), - "tooManyIncorrectAttempts": - MessageLookupByLibrary.simpleMessage("Te veel onjuiste pogingen"), - "total": MessageLookupByLibrary.simpleMessage("totaal"), - "totalSize": MessageLookupByLibrary.simpleMessage("Totale grootte"), - "trash": MessageLookupByLibrary.simpleMessage("Prullenbak"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Knippen"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": - MessageLookupByLibrary.simpleMessage("Vertrouwde contacten"), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Probeer opnieuw"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Schakel back-up in om bestanden die toegevoegd zijn aan deze map op dit apparaat automatisch te uploaden."), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "Krijg 2 maanden gratis bij jaarlijkse abonnementen"), - "twofactor": - MessageLookupByLibrary.simpleMessage("Tweestapsverificatie"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "Tweestapsverificatie is uitgeschakeld"), - "twofactorAuthenticationPageTitle": - MessageLookupByLibrary.simpleMessage("Tweestapsverificatie"), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "Tweestapsverificatie succesvol gereset"), - "twofactorSetup": - MessageLookupByLibrary.simpleMessage("Tweestapsverificatie"), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("Uit archief halen"), - "unarchiveAlbum": - MessageLookupByLibrary.simpleMessage("Album uit archief halen"), - "unarchiving": - MessageLookupByLibrary.simpleMessage("Uit het archief halen..."), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Deze code is helaas niet beschikbaar."), - "uncategorized": - MessageLookupByLibrary.simpleMessage("Ongecategoriseerd"), - "unhide": MessageLookupByLibrary.simpleMessage("Zichtbaar maken"), - "unhideToAlbum": - MessageLookupByLibrary.simpleMessage("Zichtbaar maken in album"), - "unhiding": MessageLookupByLibrary.simpleMessage("Zichtbaar maken..."), - "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Bestanden zichtbaar maken in album"), - "unlock": MessageLookupByLibrary.simpleMessage("Ontgrendelen"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("Album losmaken"), - "unselectAll": - MessageLookupByLibrary.simpleMessage("Deselecteer alles"), - "update": MessageLookupByLibrary.simpleMessage("Update"), - "updateAvailable": - MessageLookupByLibrary.simpleMessage("Update beschikbaar"), - "updatingFolderSelection": - MessageLookupByLibrary.simpleMessage("Map selectie bijwerken..."), - "upgrade": MessageLookupByLibrary.simpleMessage("Upgraden"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Bestanden worden geüpload naar album..."), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( - "1 herinnering veiligstellen..."), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "Tot 50% korting, tot 4 december."), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "Bruikbare opslag is beperkt door je huidige abonnement. Buitensporige geclaimde opslag zal automatisch bruikbaar worden wanneer je je abonnement upgrade."), - "useAsCover": - MessageLookupByLibrary.simpleMessage("Als cover gebruiken"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "Problemen met het afspelen van deze video? Hier ingedrukt houden om een andere speler te proberen."), - "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Gebruik publieke links voor mensen die geen Ente account hebben"), - "useRecoveryKey": - MessageLookupByLibrary.simpleMessage("Herstelcode gebruiken"), - "useSelectedPhoto": - MessageLookupByLibrary.simpleMessage("Gebruik geselecteerde foto"), - "usedSpace": MessageLookupByLibrary.simpleMessage("Gebruikte ruimte"), - "validTill": m110, - "verificationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Verificatie mislukt, probeer het opnieuw"), - "verificationId": - MessageLookupByLibrary.simpleMessage("Verificatie ID"), - "verify": MessageLookupByLibrary.simpleMessage("Verifiëren"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("Bevestig e-mail"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Verifiëren"), - "verifyPasskey": - MessageLookupByLibrary.simpleMessage("Bevestig passkey"), - "verifyPassword": - MessageLookupByLibrary.simpleMessage("Bevestig wachtwoord"), - "verifying": MessageLookupByLibrary.simpleMessage("Verifiëren..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Herstelsleutel verifiëren..."), - "videoInfo": MessageLookupByLibrary.simpleMessage("Video-info"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), - "videoStreaming": - MessageLookupByLibrary.simpleMessage("Video\'s met stream"), - "videos": MessageLookupByLibrary.simpleMessage("Video\'s"), - "viewActiveSessions": - MessageLookupByLibrary.simpleMessage("Actieve sessies bekijken"), - "viewAddOnButton": - MessageLookupByLibrary.simpleMessage("Add-ons bekijken"), - "viewAll": MessageLookupByLibrary.simpleMessage("Alles weergeven"), - "viewAllExifData": - MessageLookupByLibrary.simpleMessage("Bekijk alle EXIF gegevens"), - "viewLargeFiles": - MessageLookupByLibrary.simpleMessage("Grote bestanden"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Bekijk bestanden die de meeste opslagruimte verbruiken."), - "viewLogs": MessageLookupByLibrary.simpleMessage("Logboeken bekijken"), - "viewPersonToUnlink": m112, - "viewRecoveryKey": - MessageLookupByLibrary.simpleMessage("Toon herstelsleutel"), - "viewer": MessageLookupByLibrary.simpleMessage("Kijker"), - "viewersSuccessfullyAdded": m113, - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Bezoek alstublieft web.ente.io om uw abonnement te beheren"), - "waitingForVerification": - MessageLookupByLibrary.simpleMessage("Wachten op verificatie..."), - "waitingForWifi": - MessageLookupByLibrary.simpleMessage("Wachten op WiFi..."), - "warning": MessageLookupByLibrary.simpleMessage("Waarschuwing"), - "weAreOpenSource": - MessageLookupByLibrary.simpleMessage("We zijn open source!"), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "We ondersteunen het bewerken van foto\'s en albums waar je niet de eigenaar van bent nog niet"), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Zwak"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("Welkom terug!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("Nieuw"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "Vertrouwde contacten kunnen helpen bij het herstellen van je data."), - "widgets": MessageLookupByLibrary.simpleMessage("Widgets"), - "wishThemAHappyBirthday": m115, - "yearShort": MessageLookupByLibrary.simpleMessage("jr"), - "yearly": MessageLookupByLibrary.simpleMessage("Jaarlijks"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Ja"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Ja, opzeggen"), - "yesConvertToViewer": - MessageLookupByLibrary.simpleMessage("Ja, converteren naar viewer"), - "yesDelete": MessageLookupByLibrary.simpleMessage("Ja, verwijderen"), - "yesDiscardChanges": - MessageLookupByLibrary.simpleMessage("Ja, wijzigingen negeren"), - "yesIgnore": MessageLookupByLibrary.simpleMessage("Ja, negeer"), - "yesLogout": MessageLookupByLibrary.simpleMessage("Ja, log uit"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Ja, verwijderen"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Ja, verlengen"), - "yesResetPerson": - MessageLookupByLibrary.simpleMessage("Ja, reset persoon"), - "you": MessageLookupByLibrary.simpleMessage("Jij"), - "youAndThem": m117, - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( - "U bent onderdeel van een familie abonnement!"), - "youAreOnTheLatestVersion": - MessageLookupByLibrary.simpleMessage("Je hebt de laatste versie"), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Je kunt maximaal je opslag verdubbelen"), - "youCanManageYourLinksInTheShareTab": - MessageLookupByLibrary.simpleMessage( - "U kunt uw links beheren in het tabblad \'Delen\'."), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "U kunt proberen een andere zoekopdracht te vinden."), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "U kunt niet downgraden naar dit abonnement"), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Je kunt niet met jezelf delen"), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "U heeft geen gearchiveerde bestanden."), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": - MessageLookupByLibrary.simpleMessage("Je account is verwijderd"), - "yourMap": MessageLookupByLibrary.simpleMessage("Jouw kaart"), - "yourPlanWasSuccessfullyDowngraded": - MessageLookupByLibrary.simpleMessage( - "Uw abonnement is succesvol gedegradeerd"), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "Uw abonnement is succesvol opgewaardeerd"), - "yourPurchaseWasSuccessful": - MessageLookupByLibrary.simpleMessage("Uw betaling is geslaagd"), - "yourStorageDetailsCouldNotBeFetched": - MessageLookupByLibrary.simpleMessage( - "Uw opslaggegevens konden niet worden opgehaald"), - "yourSubscriptionHasExpired": - MessageLookupByLibrary.simpleMessage("Uw abonnement is verlopen"), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "Uw abonnement is succesvol bijgewerkt"), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "Uw verificatiecode is verlopen"), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage( - "Je hebt geen dubbele bestanden die kunnen worden gewist"), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "Je hebt geen bestanden in dit album die verwijderd kunnen worden"), - "zoomOutToSeePhotos": - MessageLookupByLibrary.simpleMessage("Zoom uit om foto\'s te zien") - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Er is een nieuwe versie van Ente beschikbaar.", + ), + "about": MessageLookupByLibrary.simpleMessage("Over"), + "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( + "Uitnodiging accepteren", + ), + "account": MessageLookupByLibrary.simpleMessage("Account"), + "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( + "Account is al geconfigureerd.", + ), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage("Welkom terug!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Ik begrijp dat als ik mijn wachtwoord verlies, ik mijn gegevens kan verliezen omdat mijn gegevens end-to-end versleuteld zijn.", + ), + "actionNotSupportedOnFavouritesAlbum": MessageLookupByLibrary.simpleMessage( + "Actie niet ondersteund op Favorieten album", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage("Actieve sessies"), + "add": MessageLookupByLibrary.simpleMessage("Toevoegen"), + "addAName": MessageLookupByLibrary.simpleMessage("Een naam toevoegen"), + "addANewEmail": MessageLookupByLibrary.simpleMessage( + "Nieuw e-mailadres toevoegen", + ), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Voeg een widget toe aan je beginscherm en kom hier terug om aan te passen.", + ), + "addCollaborator": MessageLookupByLibrary.simpleMessage( + "Samenwerker toevoegen", + ), + "addCollaborators": m1, + "addFiles": MessageLookupByLibrary.simpleMessage("Bestanden toevoegen"), + "addFromDevice": MessageLookupByLibrary.simpleMessage( + "Toevoegen vanaf apparaat", + ), + "addItem": m2, + "addLocation": MessageLookupByLibrary.simpleMessage("Locatie toevoegen"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Toevoegen"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Voeg een widget toe aan je beginscherm en kom hier terug om aan te passen.", + ), + "addMore": MessageLookupByLibrary.simpleMessage("Meer toevoegen"), + "addName": MessageLookupByLibrary.simpleMessage("Naam toevoegen"), + "addNameOrMerge": MessageLookupByLibrary.simpleMessage( + "Naam toevoegen of samenvoegen", + ), + "addNew": MessageLookupByLibrary.simpleMessage("Nieuwe toevoegen"), + "addNewPerson": MessageLookupByLibrary.simpleMessage( + "Nieuw persoon toevoegen", + ), + "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( + "Details van add-ons", + ), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("Add-ons"), + "addParticipants": MessageLookupByLibrary.simpleMessage( + "Voeg deelnemers toe", + ), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Voeg een widget toe aan je beginscherm en kom hier terug om aan te passen.", + ), + "addPhotos": MessageLookupByLibrary.simpleMessage("Foto\'s toevoegen"), + "addSelected": MessageLookupByLibrary.simpleMessage( + "Voeg geselecteerde toe", + ), + "addToAlbum": MessageLookupByLibrary.simpleMessage("Toevoegen aan album"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Toevoegen aan Ente"), + "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Toevoegen aan verborgen album", + ), + "addTrustedContact": MessageLookupByLibrary.simpleMessage( + "Vertrouwd contact toevoegen", + ), + "addViewer": MessageLookupByLibrary.simpleMessage("Voeg kijker toe"), + "addViewers": m4, + "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( + "Voeg nu je foto\'s toe", + ), + "addedAs": MessageLookupByLibrary.simpleMessage("Toegevoegd als"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": MessageLookupByLibrary.simpleMessage( + "Toevoegen aan favorieten...", + ), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("Geavanceerd"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Geavanceerd"), + "after1Day": MessageLookupByLibrary.simpleMessage("Na 1 dag"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Na 1 uur"), + "after1Month": MessageLookupByLibrary.simpleMessage("Na 1 maand"), + "after1Week": MessageLookupByLibrary.simpleMessage("Na 1 week"), + "after1Year": MessageLookupByLibrary.simpleMessage("Na 1 jaar"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Eigenaar"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Albumtitel"), + "albumUpdated": MessageLookupByLibrary.simpleMessage("Album bijgewerkt"), + "albums": MessageLookupByLibrary.simpleMessage("Albums"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Selecteer de albums die je wilt zien op je beginscherm.", + ), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Alles in orde"), + "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( + "Alle herinneringen bewaard", + ), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "Alle groepen voor deze persoon worden gereset, en je verliest alle suggesties die voor deze persoon zijn gedaan", + ), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "Alle naamloze groepen worden samengevoegd met de geselecteerde persoon. Dit kan nog steeds ongedaan worden gemaakt vanuit het geschiedenisoverzicht van de persoon.", + ), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "Dit is de eerste in de groep. Andere geselecteerde foto\'s worden automatisch verschoven op basis van deze nieuwe datum", + ), + "allow": MessageLookupByLibrary.simpleMessage("Toestaan"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Sta toe dat mensen met de link ook foto\'s kunnen toevoegen aan het gedeelde album.", + ), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( + "Foto\'s toevoegen toestaan", + ), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "App toestaan gedeelde album links te openen", + ), + "allowDownloads": MessageLookupByLibrary.simpleMessage( + "Downloads toestaan", + ), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Mensen toestaan foto\'s toe te voegen", + ), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Geef toegang tot je foto\'s vanuit Instellingen zodat Ente je bibliotheek kan weergeven en back-uppen.", + ), + "allowPermTitle": MessageLookupByLibrary.simpleMessage( + "Toegang tot foto\'s toestaan", + ), + "androidBiometricHint": MessageLookupByLibrary.simpleMessage( + "Identiteit verifiëren", + ), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "Niet herkend. Probeer het opnieuw.", + ), + "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( + "Biometrische verificatie vereist", + ), + "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("Succes"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Annuleren"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage("Apparaatgegevens vereist"), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage("Apparaatgegevens vereist"), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Biometrische verificatie is niet ingesteld op uw apparaat. Ga naar \'Instellingen > Beveiliging\' om biometrische verificatie toe te voegen.", + ), + "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( + "Android, iOS, Web, Desktop", + ), + "androidSignInTitle": MessageLookupByLibrary.simpleMessage( + "Verificatie vereist", + ), + "appIcon": MessageLookupByLibrary.simpleMessage("App icoon"), + "appLock": MessageLookupByLibrary.simpleMessage("App-vergrendeling"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Kies tussen het standaard vergrendelscherm van uw apparaat en een aangepast vergrendelscherm met een pincode of wachtwoord.", + ), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), + "apply": MessageLookupByLibrary.simpleMessage("Toepassen"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Code toepassen"), + "appstoreSubscription": MessageLookupByLibrary.simpleMessage( + "PlayStore abonnement", + ), + "archive": MessageLookupByLibrary.simpleMessage("Archiveer"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("Album archiveren"), + "archiving": MessageLookupByLibrary.simpleMessage("Archiveren..."), + "areThey": MessageLookupByLibrary.simpleMessage("Is dit "), + "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( + "Weet je zeker dat je dit gezicht van deze persoon wilt verwijderen?", + ), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Weet u zeker dat u het familie abonnement wilt verlaten?", + ), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "Weet u zeker dat u wilt opzeggen?", + ), + "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( + "Weet u zeker dat u uw abonnement wilt wijzigen?", + ), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "Weet u zeker dat u wilt afsluiten?", + ), + "areYouSureYouWantToIgnoreThesePersons": + MessageLookupByLibrary.simpleMessage( + "Weet je zeker dat je deze personen wilt negeren?", + ), + "areYouSureYouWantToIgnoreThisPerson": MessageLookupByLibrary.simpleMessage( + "Weet je zeker dat je deze persoon wilt negeren?", + ), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Weet je zeker dat je wilt uitloggen?", + ), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "Weet je zeker dat je ze wilt samenvoegen?", + ), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "Weet u zeker dat u wilt verlengen?", + ), + "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( + "Weet u zeker dat u deze persoon wilt resetten?", + ), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "Uw abonnement is opgezegd. Wilt u de reden delen?", + ), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Wat is de voornaamste reden dat je jouw account verwijdert?", + ), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Vraag uw dierbaren om te delen", + ), + "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( + "in een kernbunker", + ), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Gelieve te verifiëren om de e-mailverificatie te wijzigen", + ), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Graag verifiëren om de vergrendelscherm instellingen te wijzigen", + ), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Gelieve te verifiëren om je e-mailadres te wijzigen", + ), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Gelieve te verifiëren om je wachtwoord te wijzigen", + ), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Graag verifiëren om tweestapsverificatie te configureren", + ), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Gelieve te verifiëren om het verwijderen van je account te starten", + ), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Verifieer om je vertrouwde contacten te beheren", + ), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Verifieer uzelf om uw toegangssleutel te bekijken", + ), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Graag verifiëren om je verwijderde bestanden te bekijken", + ), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Graag verifiëren om uw actieve sessies te bekijken", + ), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Gelieve te verifiëren om je verborgen bestanden te bekijken", + ), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Graag verifiëren om uw herinneringen te bekijken", + ), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Graag verifiëren om uw herstelsleutel te bekijken", + ), + "authenticating": MessageLookupByLibrary.simpleMessage("Verifiëren..."), + "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Verificatie mislukt, probeer het opnieuw", + ), + "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( + "Verificatie geslaagd!", + ), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Je zult de beschikbare Cast apparaten hier zien.", + ), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Zorg ervoor dat lokale netwerkrechten zijn ingeschakeld voor de Ente Photos app, in Instellingen.", + ), + "autoLock": MessageLookupByLibrary.simpleMessage( + "Automatische vergrendeling", + ), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Tijd waarna de app wordt vergrendeld wanneer deze in achtergrond-modus is gezet", + ), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "Door een technische storing bent u uitgelogd. Onze excuses voor het ongemak.", + ), + "autoPair": MessageLookupByLibrary.simpleMessage("Automatisch koppelen"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "Automatisch koppelen werkt alleen met apparaten die Chromecast ondersteunen.", + ), + "available": MessageLookupByLibrary.simpleMessage("Beschikbaar"), + "availableStorageSpace": m10, + "backedUpFolders": MessageLookupByLibrary.simpleMessage("Back-up mappen"), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("Back-up"), + "backupFailed": MessageLookupByLibrary.simpleMessage("Back-up mislukt"), + "backupFile": MessageLookupByLibrary.simpleMessage("Back-up bestand"), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Back-up maken via mobiele data", + ), + "backupSettings": MessageLookupByLibrary.simpleMessage( + "Back-up instellingen", + ), + "backupStatus": MessageLookupByLibrary.simpleMessage("Back-up status"), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Items die zijn geback-upt, worden hier getoond", + ), + "backupVideos": MessageLookupByLibrary.simpleMessage("Back-up video\'s"), + "beach": MessageLookupByLibrary.simpleMessage("Zand en zee"), + "birthday": MessageLookupByLibrary.simpleMessage("Verjaardag"), + "birthdayNotifications": MessageLookupByLibrary.simpleMessage( + "Meldingen over verjaardagen", + ), + "birthdays": MessageLookupByLibrary.simpleMessage("Verjaardagen"), + "blackFridaySale": MessageLookupByLibrary.simpleMessage( + "Black Friday-aanbieding", + ), + "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cachedData": MessageLookupByLibrary.simpleMessage("Cachegegevens"), + "calculating": MessageLookupByLibrary.simpleMessage("Berekenen..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Sorry, dit album kan niet worden geopend in de app.", + ), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( + "Kan dit album niet openen", + ), + "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( + "Kan niet uploaden naar albums die van anderen zijn", + ), + "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Kan alleen een link maken voor bestanden die van u zijn", + ), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Kan alleen bestanden verwijderen die jouw eigendom zijn", + ), + "cancel": MessageLookupByLibrary.simpleMessage("Annuleer"), + "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( + "Herstel annuleren", + ), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "Weet je zeker dat je het herstel wilt annuleren?", + ), + "cancelOtherSubscription": m12, + "cancelSubscription": MessageLookupByLibrary.simpleMessage( + "Abonnement opzeggen", + ), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Kan gedeelde bestanden niet verwijderen", + ), + "castAlbum": MessageLookupByLibrary.simpleMessage("Album casten"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Zorg ervoor dat je op hetzelfde netwerk zit als de tv.", + ), + "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( + "Album casten mislukt", + ), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Bezoek cast.ente.io op het apparaat dat u wilt koppelen.\n\nVoer de code hieronder in om het album op uw TV af te spelen.", + ), + "centerPoint": MessageLookupByLibrary.simpleMessage("Middelpunt"), + "change": MessageLookupByLibrary.simpleMessage("Wijzigen"), + "changeEmail": MessageLookupByLibrary.simpleMessage("E-mail wijzigen"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Locatie van geselecteerde items wijzigen?", + ), + "changePassword": MessageLookupByLibrary.simpleMessage( + "Wachtwoord wijzigen", + ), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Wachtwoord wijzigen", + ), + "changePermissions": MessageLookupByLibrary.simpleMessage( + "Rechten aanpassen?", + ), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Wijzig uw verwijzingscode", + ), + "checkForUpdates": MessageLookupByLibrary.simpleMessage( + "Controleer op updates", + ), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Controleer je inbox (en spam) om verificatie te voltooien", + ), + "checkStatus": MessageLookupByLibrary.simpleMessage("Status controleren"), + "checking": MessageLookupByLibrary.simpleMessage("Controleren..."), + "checkingModels": MessageLookupByLibrary.simpleMessage( + "Modellen controleren...", + ), + "city": MessageLookupByLibrary.simpleMessage("In de stad"), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage( + "Claim gratis opslag", + ), + "claimMore": MessageLookupByLibrary.simpleMessage("Claim meer!"), + "claimed": MessageLookupByLibrary.simpleMessage("Geclaimd"), + "claimedStorageSoFar": m14, + "cleanUncategorized": MessageLookupByLibrary.simpleMessage( + "Ongecategoriseerd opschonen", + ), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Verwijder alle bestanden van Ongecategoriseerd die aanwezig zijn in andere albums", + ), + "clearCaches": MessageLookupByLibrary.simpleMessage("Cache legen"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Index wissen"), + "click": MessageLookupByLibrary.simpleMessage("• Click"), + "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( + "• Klik op het menu", + ), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Klik om onze beste versie tot nu toe te installeren", + ), + "close": MessageLookupByLibrary.simpleMessage("Sluiten"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( + "Samenvoegen op tijd", + ), + "clubByFileName": MessageLookupByLibrary.simpleMessage( + "Samenvoegen op bestandsnaam", + ), + "clusteringProgress": MessageLookupByLibrary.simpleMessage( + "Voortgang clusteren", + ), + "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( + "Code toegepast", + ), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Sorry, u heeft de limiet van het aantal codewijzigingen bereikt.", + ), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Code gekopieerd naar klembord", + ), + "codeUsedByYou": MessageLookupByLibrary.simpleMessage( + "Code gebruikt door jou", + ), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Maak een link waarmee mensen foto\'s in jouw gedeelde album kunnen toevoegen en bekijken zonder dat ze daarvoor een Ente app of account nodig hebben. Handig voor het verzamelen van foto\'s van evenementen.", + ), + "collaborativeLink": MessageLookupByLibrary.simpleMessage( + "Gezamenlijke link", + ), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Samenwerker"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Samenwerkers kunnen foto\'s en video\'s toevoegen aan het gedeelde album.", + ), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("Layout"), + "collageSaved": MessageLookupByLibrary.simpleMessage( + "Collage opgeslagen in gallerij", + ), + "collect": MessageLookupByLibrary.simpleMessage("Verzamelen"), + "collectEventPhotos": MessageLookupByLibrary.simpleMessage( + "Foto\'s van gebeurtenissen verzamelen", + ), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Foto\'s verzamelen"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Maak een link waarin je vrienden foto\'s kunnen uploaden in de originele kwaliteit.", + ), + "color": MessageLookupByLibrary.simpleMessage("Kleur"), + "configuration": MessageLookupByLibrary.simpleMessage("Configuratie"), + "confirm": MessageLookupByLibrary.simpleMessage("Bevestig"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Weet u zeker dat u tweestapsverificatie wilt uitschakelen?", + ), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Account verwijderen bevestigen", + ), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Ja, ik wil mijn account en de bijbehorende gegevens verspreid over alle apps permanent verwijderen.", + ), + "confirmPassword": MessageLookupByLibrary.simpleMessage( + "Wachtwoord bevestigen", + ), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage( + "Bevestig verandering van abonnement", + ), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Bevestig herstelsleutel", + ), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Bevestig herstelsleutel", + ), + "connectToDevice": MessageLookupByLibrary.simpleMessage( + "Verbinding maken met apparaat", + ), + "contactFamilyAdmin": m18, + "contactSupport": MessageLookupByLibrary.simpleMessage( + "Contacteer klantenservice", + ), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Contacten"), + "contents": MessageLookupByLibrary.simpleMessage("Inhoud"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Doorgaan"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "Doorgaan met gratis proefversie", + ), + "convertToAlbum": MessageLookupByLibrary.simpleMessage( + "Omzetten naar album", + ), + "copyEmailAddress": MessageLookupByLibrary.simpleMessage( + "E-mailadres kopiëren", + ), + "copyLink": MessageLookupByLibrary.simpleMessage("Kopieer link"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Kopieer en plak deze code\nnaar je authenticator app", + ), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "We konden uw gegevens niet back-uppen.\nWe zullen het later opnieuw proberen.", + ), + "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( + "Kon geen ruimte vrijmaken", + ), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Kon abonnement niet wijzigen", + ), + "count": MessageLookupByLibrary.simpleMessage("Aantal"), + "crashReporting": MessageLookupByLibrary.simpleMessage( + "Crash rapportering", + ), + "create": MessageLookupByLibrary.simpleMessage("Creëren"), + "createAccount": MessageLookupByLibrary.simpleMessage("Account aanmaken"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Lang indrukken om foto\'s te selecteren en klik + om een album te maken", + ), + "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( + "Maak een gezamenlijke link", + ), + "createCollage": MessageLookupByLibrary.simpleMessage("Creëer collage"), + "createNewAccount": MessageLookupByLibrary.simpleMessage( + "Nieuw account aanmaken", + ), + "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( + "Maak of selecteer album", + ), + "createPublicLink": MessageLookupByLibrary.simpleMessage( + "Maak publieke link", + ), + "creatingLink": MessageLookupByLibrary.simpleMessage("Link aanmaken..."), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "Belangrijke update beschikbaar", + ), + "crop": MessageLookupByLibrary.simpleMessage("Bijsnijden"), + "curatedMemories": MessageLookupByLibrary.simpleMessage( + "Samengestelde herinneringen", + ), + "currentUsageIs": MessageLookupByLibrary.simpleMessage( + "Huidig gebruik is ", + ), + "currentlyRunning": MessageLookupByLibrary.simpleMessage("momenteel bezig"), + "custom": MessageLookupByLibrary.simpleMessage("Aangepast"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Donker"), + "dayToday": MessageLookupByLibrary.simpleMessage("Vandaag"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Gisteren"), + "declineTrustInvite": MessageLookupByLibrary.simpleMessage( + "Uitnodiging afwijzen", + ), + "decrypting": MessageLookupByLibrary.simpleMessage("Ontsleutelen..."), + "decryptingVideo": MessageLookupByLibrary.simpleMessage( + "Video ontsleutelen...", + ), + "deduplicateFiles": MessageLookupByLibrary.simpleMessage( + "Dubbele bestanden verwijderen", + ), + "delete": MessageLookupByLibrary.simpleMessage("Verwijderen"), + "deleteAccount": MessageLookupByLibrary.simpleMessage( + "Account verwijderen", + ), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "We vinden het jammer je te zien gaan. Deel je feedback om ons te helpen verbeteren.", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Account permanent verwijderen", + ), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Verwijder album"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Verwijder de foto\'s (en video\'s) van dit album ook uit alle andere albums waar deze deel van uitmaken?", + ), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "Hiermee worden alle lege albums verwijderd. Dit is handig wanneer je rommel in je albumlijst wilt verminderen.", + ), + "deleteAll": MessageLookupByLibrary.simpleMessage("Alles Verwijderen"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "Dit account is gekoppeld aan andere Ente apps, als je er gebruik van maakt. Je geüploade gegevens worden in alle Ente apps gepland voor verwijdering, en je account wordt permanent verwijderd voor alle Ente diensten.", + ), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Stuur een e-mail naar account-deletion@ente.io vanaf het door jou geregistreerde e-mailadres.", + ), + "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( + "Lege albums verwijderen", + ), + "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( + "Lege albums verwijderen?", + ), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage( + "Verwijder van beide", + ), + "deleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Verwijder van apparaat", + ), + "deleteFromEnte": MessageLookupByLibrary.simpleMessage( + "Verwijder van Ente", + ), + "deleteItemCount": m21, + "deleteLocation": MessageLookupByLibrary.simpleMessage("Verwijder locatie"), + "deleteMultipleAlbumDialog": m22, + "deletePhotos": MessageLookupByLibrary.simpleMessage("Foto\'s verwijderen"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Ik mis een belangrijke functie", + ), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "De app of een bepaalde functie functioneert niet zoals ik verwacht", + ), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Ik heb een andere dienst gevonden die me beter bevalt", + ), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "Mijn reden wordt niet vermeld", + ), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Je verzoek wordt binnen 72 uur verwerkt.", + ), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Gedeeld album verwijderen?", + ), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "Het album wordt verwijderd voor iedereen\n\nJe verliest de toegang tot gedeelde foto\'s in dit album die eigendom zijn van anderen", + ), + "deselectAll": MessageLookupByLibrary.simpleMessage("Alles deselecteren"), + "designedToOutlive": MessageLookupByLibrary.simpleMessage( + "Ontworpen om levenslang mee te gaan", + ), + "details": MessageLookupByLibrary.simpleMessage("Details"), + "developerSettings": MessageLookupByLibrary.simpleMessage( + "Ontwikkelaarsinstellingen", + ), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Weet je zeker dat je de ontwikkelaarsinstellingen wilt wijzigen?", + ), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Voer de code in"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "Bestanden toegevoegd aan dit album van dit apparaat zullen automatisch geüpload worden naar Ente.", + ), + "deviceLock": MessageLookupByLibrary.simpleMessage("Apparaat vergrendeld"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Schakel de schermvergrendeling van het apparaat uit wanneer Ente op de voorgrond is en er een back-up aan de gang is. Dit is normaal gesproken niet nodig, maar kan grote uploads en initiële imports van grote mappen sneller laten verlopen.", + ), + "deviceNotFound": MessageLookupByLibrary.simpleMessage( + "Apparaat niet gevonden", + ), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Wist u dat?"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage( + "Automatisch vergrendelen uitschakelen", + ), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Kijkers kunnen nog steeds screenshots maken of een kopie van je foto\'s opslaan met behulp van externe tools", + ), + "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( + "Let op", + ), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "Tweestapsverificatie uitschakelen", + ), + "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( + "Tweestapsverificatie uitschakelen...", + ), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Ontdek"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Baby\'s"), + "discover_celebrations": MessageLookupByLibrary.simpleMessage("Vieringen"), + "discover_food": MessageLookupByLibrary.simpleMessage("Voedsel"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Natuur"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Heuvels"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Identiteit"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Notities"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Huisdieren"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Bonnen"), + "discover_screenshots": MessageLookupByLibrary.simpleMessage( + "Schermafbeeldingen", + ), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfies"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Zonsondergang"), + "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( + "Visite kaartjes", + ), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage( + "Achtergronden", + ), + "dismiss": MessageLookupByLibrary.simpleMessage("Afwijzen"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage("Niet uitloggen"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Doe dit later"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Wilt u de bewerkingen die u hebt gemaakt annuleren?", + ), + "done": MessageLookupByLibrary.simpleMessage("Voltooid"), + "dontSave": MessageLookupByLibrary.simpleMessage("Niet opslaan"), + "doubleYourStorage": MessageLookupByLibrary.simpleMessage( + "Verdubbel uw opslagruimte", + ), + "download": MessageLookupByLibrary.simpleMessage("Downloaden"), + "downloadFailed": MessageLookupByLibrary.simpleMessage("Download mislukt"), + "downloading": MessageLookupByLibrary.simpleMessage("Downloaden..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Bewerken"), + "editEmailAlreadyLinked": m28, + "editLocation": MessageLookupByLibrary.simpleMessage("Locatie bewerken"), + "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( + "Locatie bewerken", + ), + "editPerson": MessageLookupByLibrary.simpleMessage("Persoon bewerken"), + "editTime": MessageLookupByLibrary.simpleMessage("Tijd bewerken"), + "editsSaved": MessageLookupByLibrary.simpleMessage( + "Bewerkingen opgeslagen", + ), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Bewerkte locatie wordt alleen gezien binnen Ente", + ), + "eligible": MessageLookupByLibrary.simpleMessage("gerechtigd"), + "email": MessageLookupByLibrary.simpleMessage("E-mail"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "E-mail is al geregistreerd.", + ), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "E-mail niet geregistreerd.", + ), + "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( + "E-mailverificatie", + ), + "emailYourLogs": MessageLookupByLibrary.simpleMessage( + "E-mail uw logboeken", + ), + "embracingThem": m32, + "emergencyContacts": MessageLookupByLibrary.simpleMessage("Noodcontacten"), + "empty": MessageLookupByLibrary.simpleMessage("Leeg"), + "emptyTrash": MessageLookupByLibrary.simpleMessage("Prullenbak leegmaken?"), + "enable": MessageLookupByLibrary.simpleMessage("Inschakelen"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "Ente ondersteunt on-device machine learning voor gezichtsherkenning, magisch zoeken en andere geavanceerde zoekfuncties", + ), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Schakel machine learning in voor magische zoekopdrachten en gezichtsherkenning", + ), + "enableMaps": MessageLookupByLibrary.simpleMessage("Kaarten inschakelen"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "Dit toont jouw foto\'s op een wereldkaart.\n\nDeze kaart wordt gehost door Open Street Map, en de exacte locaties van jouw foto\'s worden nooit gedeeld.\n\nJe kunt deze functie op elk gewenst moment uitschakelen via de instellingen.", + ), + "enabled": MessageLookupByLibrary.simpleMessage("Ingeschakeld"), + "encryptingBackup": MessageLookupByLibrary.simpleMessage( + "Back-up versleutelen...", + ), + "encryption": MessageLookupByLibrary.simpleMessage("Encryptie"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage("Encryptiesleutels"), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Eindpunt met succes bijgewerkt", + ), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Standaard end-to-end versleuteld", + ), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente kan bestanden alleen versleutelen en bewaren als u toegang tot ze geeft", + ), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente heeft toestemming nodig om je foto\'s te bewaren", + ), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "Ente bewaart uw herinneringen, zodat ze altijd beschikbaar voor u zijn, zelfs als u uw apparaat verliest.", + ), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Je familie kan ook aan je abonnement worden toegevoegd.", + ), + "enterAlbumName": MessageLookupByLibrary.simpleMessage("Voer albumnaam in"), + "enterCode": MessageLookupByLibrary.simpleMessage("Voer code in"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Voer de code van de vriend in om gratis opslag voor jullie beiden te claimen", + ), + "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( + "Verjaardag (optioneel)", + ), + "enterEmail": MessageLookupByLibrary.simpleMessage("Voer e-mailadres in"), + "enterFileName": MessageLookupByLibrary.simpleMessage( + "Geef bestandsnaam op", + ), + "enterName": MessageLookupByLibrary.simpleMessage("Naam invoeren"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Voer een nieuw wachtwoord in dat we kunnen gebruiken om je gegevens te versleutelen", + ), + "enterPassword": MessageLookupByLibrary.simpleMessage("Voer wachtwoord in"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Voer een wachtwoord in dat we kunnen gebruiken om je gegevens te versleutelen", + ), + "enterPersonName": MessageLookupByLibrary.simpleMessage( + "Naam van persoon invoeren", + ), + "enterPin": MessageLookupByLibrary.simpleMessage("PIN invoeren"), + "enterReferralCode": MessageLookupByLibrary.simpleMessage( + "Voer verwijzingscode in", + ), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Voer de 6-cijferige code van je verificatie-app in", + ), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Voer een geldig e-mailadres in.", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Voer je e-mailadres in", + ), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Voer uw nieuwe e-mailadres in", + ), + "enterYourPassword": MessageLookupByLibrary.simpleMessage( + "Voer je wachtwoord in", + ), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Voer je herstelcode in", + ), + "error": MessageLookupByLibrary.simpleMessage("Foutmelding"), + "everywhere": MessageLookupByLibrary.simpleMessage("overal"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": MessageLookupByLibrary.simpleMessage("Bestaande gebruiker"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Deze link is verlopen. Selecteer een nieuwe vervaltijd of schakel de vervaldatum uit.", + ), + "exportLogs": MessageLookupByLibrary.simpleMessage("Logboek exporteren"), + "exportYourData": MessageLookupByLibrary.simpleMessage( + "Exporteer je gegevens", + ), + "extraPhotosFound": MessageLookupByLibrary.simpleMessage( + "Extra foto\'s gevonden", + ), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Gezicht nog niet geclusterd, kom later terug", + ), + "faceRecognition": MessageLookupByLibrary.simpleMessage( + "Gezichtsherkenning", + ), + "faces": MessageLookupByLibrary.simpleMessage("Gezichten"), + "failed": MessageLookupByLibrary.simpleMessage("Mislukt"), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage( + "Code toepassen mislukt", + ), + "failedToCancel": MessageLookupByLibrary.simpleMessage("Opzeggen mislukt"), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( + "Downloaden van video mislukt", + ), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Ophalen van actieve sessies mislukt", + ), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Fout bij ophalen origineel voor bewerking", + ), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Kan geen verwijzingsgegevens ophalen. Probeer het later nog eens.", + ), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "Laden van albums mislukt", + ), + "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Afspelen van video mislukt", + ), + "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( + "Abonnement vernieuwen mislukt", + ), + "failedToRenew": MessageLookupByLibrary.simpleMessage("Verlengen mislukt"), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Betalingsstatus verifiëren mislukt", + ), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Voeg 5 gezinsleden toe aan je bestaande abonnement zonder extra te betalen.\n\nElk lid krijgt zijn eigen privé ruimte en kan elkaars bestanden niet zien tenzij ze zijn gedeeld.\n\nFamilieplannen zijn beschikbaar voor klanten die een betaald Ente abonnement hebben.\n\nAbonneer nu om aan de slag te gaan!", + ), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Familie"), + "familyPlans": MessageLookupByLibrary.simpleMessage("Familie abonnement"), + "faq": MessageLookupByLibrary.simpleMessage("Veelgestelde vragen"), + "faqs": MessageLookupByLibrary.simpleMessage("Veelgestelde vragen"), + "favorite": MessageLookupByLibrary.simpleMessage( + "Toevoegen aan favorieten", + ), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("Feedback"), + "file": MessageLookupByLibrary.simpleMessage("Bestand"), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Opslaan van bestand naar galerij mislukt", + ), + "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( + "Voeg een beschrijving toe...", + ), + "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( + "Bestand nog niet geüpload", + ), + "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Bestand opgeslagen in galerij", + ), + "fileTypes": MessageLookupByLibrary.simpleMessage("Bestandstype"), + "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( + "Bestandstypen en namen", + ), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage( + "Bestanden verwijderd", + ), + "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Bestand opgeslagen in galerij", + ), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "Mensen snel op naam zoeken", + ), + "findThemQuickly": MessageLookupByLibrary.simpleMessage("Vind ze snel"), + "flip": MessageLookupByLibrary.simpleMessage("Omdraaien"), + "food": MessageLookupByLibrary.simpleMessage("Culinaire vreugde"), + "forYourMemories": MessageLookupByLibrary.simpleMessage( + "voor uw herinneringen", + ), + "forgotPassword": MessageLookupByLibrary.simpleMessage( + "Wachtwoord vergeten", + ), + "foundFaces": MessageLookupByLibrary.simpleMessage("Gezichten gevonden"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( + "Gratis opslag geclaimd", + ), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Gratis opslag bruikbaar", + ), + "freeTrial": MessageLookupByLibrary.simpleMessage("Gratis proefversie"), + "freeTrialValidTill": m38, + "freeUpAccessPostDelete": m39, + "freeUpAmount": m40, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( + "Apparaatruimte vrijmaken", + ), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Bespaar ruimte op je apparaat door bestanden die al geback-upt zijn te wissen.", + ), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("Ruimte vrijmaken"), + "freeUpSpaceSaving": m41, + "gallery": MessageLookupByLibrary.simpleMessage("Galerij"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "Tot 1000 herinneringen getoond in de galerij", + ), + "general": MessageLookupByLibrary.simpleMessage("Algemeen"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Encryptiesleutels genereren...", + ), + "genericProgress": m42, + "goToSettings": MessageLookupByLibrary.simpleMessage( + "Ga naar instellingen", + ), + "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Geef toegang tot alle foto\'s in de Instellingen app", + ), + "grantPermission": MessageLookupByLibrary.simpleMessage( + "Toestemming verlenen", + ), + "greenery": MessageLookupByLibrary.simpleMessage("Het groene leven"), + "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( + "Groep foto\'s in de buurt", + ), + "guestView": MessageLookupByLibrary.simpleMessage("Gasten weergave"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "Om gasten weergave in te schakelen, moet u een toegangscode of schermvergrendeling instellen in uw systeeminstellingen.", + ), + "happyBirthday": MessageLookupByLibrary.simpleMessage( + "Fijne verjaardag! 🥳", + ), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "Wij gebruiken geen tracking. Het zou helpen als je ons vertelt waar je ons gevonden hebt!", + ), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Hoe hoorde je over Ente? (optioneel)", + ), + "help": MessageLookupByLibrary.simpleMessage("Hulp"), + "hidden": MessageLookupByLibrary.simpleMessage("Verborgen"), + "hide": MessageLookupByLibrary.simpleMessage("Verbergen"), + "hideContent": MessageLookupByLibrary.simpleMessage("Inhoud verbergen"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Verbergt app-inhoud in de app-schakelaar en schakelt schermopnamen uit", + ), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Verbergt de inhoud van de app in de app-schakelaar", + ), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Verberg gedeelde bestanden uit de galerij", + ), + "hiding": MessageLookupByLibrary.simpleMessage("Verbergen..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( + "Gehost bij OSM France", + ), + "howItWorks": MessageLookupByLibrary.simpleMessage("Hoe het werkt"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Vraag hen om hun e-mailadres lang in te drukken op het instellingenscherm en te controleren dat de ID\'s op beide apparaten overeenkomen.", + ), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Biometrische authenticatie is niet ingesteld op uw apparaat. Schakel Touch ID of Face ID in op uw telefoon.", + ), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "Biometrische verificatie is uitgeschakeld. Vergrendel en ontgrendel uw scherm om het in te schakelen.", + ), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("Oké"), + "ignore": MessageLookupByLibrary.simpleMessage("Negeren"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Negeren"), + "ignored": MessageLookupByLibrary.simpleMessage("genegeerd"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Sommige bestanden in dit album worden genegeerd voor uploaden omdat ze eerder van Ente zijn verwijderd.", + ), + "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( + "Afbeelding niet geanalyseerd", + ), + "immediately": MessageLookupByLibrary.simpleMessage("Onmiddellijk"), + "importing": MessageLookupByLibrary.simpleMessage("Importeren...."), + "incorrectCode": MessageLookupByLibrary.simpleMessage("Onjuiste code"), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Onjuist wachtwoord", + ), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Onjuiste herstelsleutel", + ), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "De ingevoerde herstelsleutel is onjuist", + ), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Onjuiste herstelsleutel", + ), + "indexedItems": MessageLookupByLibrary.simpleMessage( + "Geïndexeerde bestanden", + ), + "ineligible": MessageLookupByLibrary.simpleMessage("Ongerechtigd"), + "info": MessageLookupByLibrary.simpleMessage("Info"), + "insecureDevice": MessageLookupByLibrary.simpleMessage("Onveilig apparaat"), + "installManually": MessageLookupByLibrary.simpleMessage( + "Installeer handmatig", + ), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "Ongeldig e-mailadres", + ), + "invalidEndpoint": MessageLookupByLibrary.simpleMessage( + "Ongeldig eindpunt", + ), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Sorry, het eindpunt dat je hebt ingevoerd is ongeldig. Voer een geldig eindpunt in en probeer het opnieuw.", + ), + "invalidKey": MessageLookupByLibrary.simpleMessage("Ongeldige sleutel"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "De herstelsleutel die je hebt ingevoerd is niet geldig. Zorg ervoor dat deze 24 woorden bevat en controleer de spelling van elk van deze woorden.\n\nAls je een oudere herstelcode hebt ingevoerd, zorg ervoor dat deze 64 tekens lang is, en controleer ze allemaal.", + ), + "invite": MessageLookupByLibrary.simpleMessage("Uitnodigen"), + "inviteToEnte": MessageLookupByLibrary.simpleMessage( + "Uitnodigen voor Ente", + ), + "inviteYourFriends": MessageLookupByLibrary.simpleMessage( + "Vrienden uitnodigen", + ), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "Vrienden uitnodigen voor Ente", + ), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Het lijkt erop dat er iets fout is gegaan. Probeer het later opnieuw. Als de fout zich blijft voordoen, neem dan contact op met ons supportteam.", + ), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "Bestanden tonen het aantal resterende dagen voordat ze permanent worden verwijderd", + ), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Geselecteerde items zullen worden verwijderd uit dit album", + ), + "join": MessageLookupByLibrary.simpleMessage("Deelnemen"), + "joinAlbum": MessageLookupByLibrary.simpleMessage("Deelnemen aan album"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "Deelnemen aan een album maakt je e-mail zichtbaar voor de deelnemers.", + ), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( + "om je foto\'s te bekijken en toe te voegen", + ), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "om dit aan gedeelde albums toe te voegen", + ), + "joinDiscord": MessageLookupByLibrary.simpleMessage("Join de Discord"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Foto\'s behouden"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Help ons alsjeblieft met deze informatie", + ), + "language": MessageLookupByLibrary.simpleMessage("Taal"), + "lastTimeWithThem": m45, + "lastUpdated": MessageLookupByLibrary.simpleMessage("Laatst gewijzigd"), + "lastYearsTrip": MessageLookupByLibrary.simpleMessage( + "Reis van vorig jaar", + ), + "leave": MessageLookupByLibrary.simpleMessage("Verlaten"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Album verlaten"), + "leaveFamily": MessageLookupByLibrary.simpleMessage( + "Familie abonnement verlaten", + ), + "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Gedeeld album verlaten?", + ), + "left": MessageLookupByLibrary.simpleMessage("Links"), + "legacy": MessageLookupByLibrary.simpleMessage("Legacy"), + "legacyAccounts": MessageLookupByLibrary.simpleMessage("Legacy accounts"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "Legacy geeft vertrouwde contacten toegang tot je account bij afwezigheid.", + ), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "Vertrouwde contacten kunnen accountherstel starten, en indien deze niet binnen 30 dagen wordt geblokkeerd, je wachtwoord resetten en toegang krijgen tot je account.", + ), + "light": MessageLookupByLibrary.simpleMessage("Licht"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Licht"), + "link": MessageLookupByLibrary.simpleMessage("Link"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Link gekopieerd naar klembord", + ), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Apparaat limiet"), + "linkEmail": MessageLookupByLibrary.simpleMessage("Link email"), + "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( + "voor sneller delen", + ), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Ingeschakeld"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Verlopen"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Vervaldatum"), + "linkHasExpired": MessageLookupByLibrary.simpleMessage("Link is vervallen"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Nooit"), + "linkPerson": MessageLookupByLibrary.simpleMessage("Link persoon"), + "linkPersonCaption": MessageLookupByLibrary.simpleMessage( + "voor een betere ervaring met delen", + ), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("Live foto"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "U kunt uw abonnement met uw familie delen", + ), + "loadMessage2": MessageLookupByLibrary.simpleMessage( + "We hebben tot nu toe meer dan 200 miljoen herinneringen bewaard", + ), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "We bewaren 3 kopieën van uw bestanden, één in een ondergrondse kernbunker", + ), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "Al onze apps zijn open source", + ), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Onze broncode en cryptografie zijn extern gecontroleerd en geverifieerd", + ), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "Je kunt links naar je albums delen met je dierbaren", + ), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Onze mobiele apps draaien op de achtergrond om alle nieuwe foto\'s die je maakt te versleutelen en te back-uppen", + ), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io heeft een vlotte uploader", + ), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "We gebruiken Xchacha20Poly1305 om uw gegevens veilig te versleutelen", + ), + "loadingExifData": MessageLookupByLibrary.simpleMessage( + "EXIF-gegevens laden...", + ), + "loadingGallery": MessageLookupByLibrary.simpleMessage( + "Laden van gallerij...", + ), + "loadingMessage": MessageLookupByLibrary.simpleMessage( + "Uw foto\'s laden...", + ), + "loadingModel": MessageLookupByLibrary.simpleMessage( + "Modellen downloaden...", + ), + "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( + "Je foto\'s worden geladen...", + ), + "localGallery": MessageLookupByLibrary.simpleMessage("Lokale galerij"), + "localIndexing": MessageLookupByLibrary.simpleMessage("Lokaal indexeren"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Het lijkt erop dat er iets mis is gegaan omdat het synchroniseren van lokale foto\'s meer tijd kost dan verwacht. Neem contact op met ons supportteam", + ), + "location": MessageLookupByLibrary.simpleMessage("Locatie"), + "locationName": MessageLookupByLibrary.simpleMessage("Locatie naam"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Een locatie tag groept alle foto\'s die binnen een bepaalde straal van een foto zijn genomen", + ), + "locations": MessageLookupByLibrary.simpleMessage("Locaties"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Vergrendel"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Vergrendelscherm"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Inloggen"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Uitloggen..."), + "loginSessionExpired": MessageLookupByLibrary.simpleMessage( + "Sessie verlopen", + ), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "Jouw sessie is verlopen. Log opnieuw in.", + ), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Door op inloggen te klikken, ga ik akkoord met de gebruiksvoorwaarden en privacybeleid", + ), + "loginWithTOTP": MessageLookupByLibrary.simpleMessage("Inloggen met TOTP"), + "logout": MessageLookupByLibrary.simpleMessage("Uitloggen"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "Dit zal logboeken verzenden om ons te helpen uw probleem op te lossen. Houd er rekening mee dat bestandsnamen zullen worden meegenomen om problemen met specifieke bestanden bij te houden.", + ), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Druk lang op een e-mail om de versleuteling te verifiëren.", + ), + "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( + "Houd een bestand lang ingedrukt om te bekijken op volledig scherm", + ), + "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( + "Kijk terug op je herinneringen 🌄", + ), + "loopVideoOff": MessageLookupByLibrary.simpleMessage( + "Video in lus afspelen uit", + ), + "loopVideoOn": MessageLookupByLibrary.simpleMessage( + "Video in lus afspelen aan", + ), + "lostDevice": MessageLookupByLibrary.simpleMessage("Apparaat verloren?"), + "machineLearning": MessageLookupByLibrary.simpleMessage("Machine Learning"), + "magicSearch": MessageLookupByLibrary.simpleMessage("Magische zoekfunctie"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "Magisch zoeken maakt het mogelijk om foto\'s op hun inhoud worden gezocht, bijvoorbeeld \"bloem\", \"rode auto\", \"identiteitsdocumenten\"", + ), + "manage": MessageLookupByLibrary.simpleMessage("Beheren"), + "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( + "Apparaatcache beheren", + ), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Bekijk en wis lokale cache opslag.", + ), + "manageFamily": MessageLookupByLibrary.simpleMessage( + "Familie abonnement beheren", + ), + "manageLink": MessageLookupByLibrary.simpleMessage("Beheer link"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Beheren"), + "manageSubscription": MessageLookupByLibrary.simpleMessage( + "Abonnement beheren", + ), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "Koppelen met de PIN werkt met elk scherm waarop je jouw album wilt zien.", + ), + "map": MessageLookupByLibrary.simpleMessage("Kaart"), + "maps": MessageLookupByLibrary.simpleMessage("Kaarten"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("Ik"), + "memories": MessageLookupByLibrary.simpleMessage("Herinneringen"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Selecteer het soort herinneringen dat je wilt zien op je beginscherm.", + ), + "memoryCount": m50, + "merchandise": MessageLookupByLibrary.simpleMessage("Merchandise"), + "merge": MessageLookupByLibrary.simpleMessage("Samenvoegen"), + "mergeWithExisting": MessageLookupByLibrary.simpleMessage( + "Samenvoegen met bestaand", + ), + "mergedPhotos": MessageLookupByLibrary.simpleMessage( + "Samengevoegde foto\'s", + ), + "mlConsent": MessageLookupByLibrary.simpleMessage( + "Schakel machine learning in", + ), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Ik begrijp het, en wil machine learning inschakelen", + ), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Als u machine learning inschakelt, zal Ente informatie zoals gezichtsgeometrie uit bestanden extraheren, inclusief degenen die met u gedeeld worden.\n\nDit gebeurt op uw apparaat, en alle gegenereerde biometrische informatie zal end-to-end versleuteld worden.", + ), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Klik hier voor meer details over deze functie in ons privacybeleid.", + ), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "Machine learning inschakelen?", + ), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Houd er rekening mee dat machine learning zal leiden tot hoger bandbreedte- en batterijgebruik totdat alle items geïndexeerd zijn. Overweeg het gebruik van de desktop app voor snellere indexering. Alle resultaten worden automatisch gesynchroniseerd.", + ), + "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( + "Mobiel, Web, Desktop", + ), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Matig"), + "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( + "Pas je zoekopdracht aan of zoek naar", + ), + "moments": MessageLookupByLibrary.simpleMessage("Momenten"), + "month": MessageLookupByLibrary.simpleMessage("maand"), + "monthly": MessageLookupByLibrary.simpleMessage("Maandelijks"), + "moon": MessageLookupByLibrary.simpleMessage("In het maanlicht"), + "moreDetails": MessageLookupByLibrary.simpleMessage("Meer details"), + "mostRecent": MessageLookupByLibrary.simpleMessage("Meest recent"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("Meest relevant"), + "mountains": MessageLookupByLibrary.simpleMessage("Over de heuvels"), + "moveItem": m51, + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "Verplaats de geselecteerde foto\'s naar één datum", + ), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("Verplaats naar album"), + "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Verplaatsen naar verborgen album", + ), + "movedSuccessfullyTo": m52, + "movedToTrash": MessageLookupByLibrary.simpleMessage( + "Naar prullenbak verplaatst", + ), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Bestanden verplaatsen naar album...", + ), + "name": MessageLookupByLibrary.simpleMessage("Naam"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Album benoemen"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Kan geen verbinding maken met Ente, probeer het later opnieuw. Als de fout zich blijft voordoen, neem dan contact op met support.", + ), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Kan geen verbinding maken met Ente, controleer uw netwerkinstellingen en neem contact op met ondersteuning als de fout zich blijft voordoen.", + ), + "never": MessageLookupByLibrary.simpleMessage("Nooit"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Nieuw album"), + "newLocation": MessageLookupByLibrary.simpleMessage("Nieuwe locatie"), + "newPerson": MessageLookupByLibrary.simpleMessage("Nieuw persoon"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" nieuwe 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("Nieuwe reeks"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Nieuw bij Ente"), + "newest": MessageLookupByLibrary.simpleMessage("Nieuwste"), + "next": MessageLookupByLibrary.simpleMessage("Volgende"), + "no": MessageLookupByLibrary.simpleMessage("Nee"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Nog geen albums gedeeld door jou", + ), + "noDeviceFound": MessageLookupByLibrary.simpleMessage( + "Geen apparaat gevonden", + ), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Geen"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "Je hebt geen bestanden op dit apparaat die verwijderd kunnen worden", + ), + "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Geen duplicaten"), + "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( + "Geen Ente account!", + ), + "noExifData": MessageLookupByLibrary.simpleMessage("Geen EXIF gegevens"), + "noFacesFound": MessageLookupByLibrary.simpleMessage( + "Geen gezichten gevonden", + ), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "Geen verborgen foto\'s of video\'s", + ), + "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( + "Geen afbeeldingen met locatie", + ), + "noInternetConnection": MessageLookupByLibrary.simpleMessage( + "Geen internetverbinding", + ), + "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( + "Er worden momenteel geen foto\'s geback-upt", + ), + "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( + "Geen foto\'s gevonden hier", + ), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( + "Geen snelle links geselecteerd", + ), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage("Geen herstelcode?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Door de aard van ons end-to-end encryptieprotocol kunnen je gegevens niet worden ontsleuteld zonder je wachtwoord of herstelsleutel", + ), + "noResults": MessageLookupByLibrary.simpleMessage("Geen resultaten"), + "noResultsFound": MessageLookupByLibrary.simpleMessage( + "Geen resultaten gevonden", + ), + "noSuggestionsForPerson": m53, + "noSystemLockFound": MessageLookupByLibrary.simpleMessage( + "Geen systeemvergrendeling gevonden", + ), + "notPersonLabel": m54, + "notThisPerson": MessageLookupByLibrary.simpleMessage( + "Niet dezelfde persoon?", + ), + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "Nog niets met je gedeeld", + ), + "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( + "Nog niets te zien hier! 👀", + ), + "notifications": MessageLookupByLibrary.simpleMessage("Meldingen"), + "ok": MessageLookupByLibrary.simpleMessage("Oké"), + "onDevice": MessageLookupByLibrary.simpleMessage("Op het apparaat"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "Op ente", + ), + "onTheRoad": MessageLookupByLibrary.simpleMessage("Onderweg"), + "onThisDay": MessageLookupByLibrary.simpleMessage("Op deze dag"), + "onThisDayMemories": MessageLookupByLibrary.simpleMessage( + "Op deze dag herinneringen", + ), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "Ontvang meldingen over herinneringen op deze dag door de jaren heen.", + ), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Alleen hen"), + "oops": MessageLookupByLibrary.simpleMessage("Oeps"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Oeps, kon bewerkingen niet opslaan", + ), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Oeps, er is iets misgegaan", + ), + "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( + "Open album in browser", + ), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Gebruik de webapp om foto\'s aan dit album toe te voegen", + ), + "openFile": MessageLookupByLibrary.simpleMessage("Bestand openen"), + "openSettings": MessageLookupByLibrary.simpleMessage("Instellingen openen"), + "openTheItem": MessageLookupByLibrary.simpleMessage("• Open het item"), + "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( + "OpenStreetMap bijdragers", + ), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Optioneel, zo kort als je wilt...", + ), + "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( + "Of samenvoegen met bestaande", + ), + "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( + "Of kies een bestaande", + ), + "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( + "of kies uit je contacten", + ), + "otherDetectedFaces": MessageLookupByLibrary.simpleMessage( + "Andere gedetecteerde gezichten", + ), + "pair": MessageLookupByLibrary.simpleMessage("Koppelen"), + "pairWithPin": MessageLookupByLibrary.simpleMessage("Koppelen met PIN"), + "pairingComplete": MessageLookupByLibrary.simpleMessage( + "Koppeling voltooid", + ), + "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), + "partyWithThem": m56, + "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( + "Verificatie is nog in behandeling", + ), + "passkey": MessageLookupByLibrary.simpleMessage("Passkey"), + "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( + "Passkey verificatie", + ), + "password": MessageLookupByLibrary.simpleMessage("Wachtwoord"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Wachtwoord succesvol aangepast", + ), + "passwordLock": MessageLookupByLibrary.simpleMessage("Wachtwoord slot"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "De wachtwoordsterkte wordt berekend aan de hand van de lengte van het wachtwoord, de gebruikte tekens en of het wachtwoord al dan niet in de top 10.000 van meest gebruikte wachtwoorden staat", + ), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Wij slaan dit wachtwoord niet op, dus als je het vergeet, kunnen we je gegevens niet ontsleutelen", + ), + "pastYearsMemories": MessageLookupByLibrary.simpleMessage( + "Afgelopen jaren", + ), + "paymentDetails": MessageLookupByLibrary.simpleMessage("Betaalgegevens"), + "paymentFailed": MessageLookupByLibrary.simpleMessage("Betaling mislukt"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "Helaas is je betaling mislukt. Neem contact op met support zodat we je kunnen helpen!", + ), + "paymentFailedTalkToProvider": m58, + "pendingItems": MessageLookupByLibrary.simpleMessage( + "Bestanden in behandeling", + ), + "pendingSync": MessageLookupByLibrary.simpleMessage( + "Synchronisatie in behandeling", + ), + "people": MessageLookupByLibrary.simpleMessage("Personen"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Mensen die jouw code gebruiken", + ), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Selecteer de mensen die je wilt zien op je beginscherm.", + ), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Alle bestanden in de prullenbak zullen permanent worden verwijderd\n\nDeze actie kan niet ongedaan worden gemaakt", + ), + "permanentlyDelete": MessageLookupByLibrary.simpleMessage( + "Permanent verwijderen", + ), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Permanent verwijderen van apparaat?", + ), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("Naam van persoon"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("Harige kameraden"), + "photoDescriptions": MessageLookupByLibrary.simpleMessage( + "Foto beschrijvingen", + ), + "photoGridSize": MessageLookupByLibrary.simpleMessage( + "Foto raster grootte", + ), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("Foto\'s"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "Foto\'s toegevoegd door u zullen worden verwijderd uit het album", + ), + "photosCount": m62, + "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( + "Foto\'s behouden relatief tijdsverschil", + ), + "pickCenterPoint": MessageLookupByLibrary.simpleMessage("Kies middelpunt"), + "pinAlbum": MessageLookupByLibrary.simpleMessage( + "Album bovenaan vastzetten", + ), + "pinLock": MessageLookupByLibrary.simpleMessage("PIN vergrendeling"), + "playOnTv": MessageLookupByLibrary.simpleMessage("Album afspelen op TV"), + "playOriginal": MessageLookupByLibrary.simpleMessage("Origineel afspelen"), + "playStoreFreeTrialValidTill": m63, + "playStream": MessageLookupByLibrary.simpleMessage("Stream afspelen"), + "playstoreSubscription": MessageLookupByLibrary.simpleMessage( + "PlayStore abonnement", + ), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Controleer je internetverbinding en probeer het opnieuw.", + ), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Neem alstublieft contact op met support@ente.io en we helpen u graag!", + ), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Neem contact op met klantenservice als het probleem aanhoudt", + ), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( + "Geef alstublieft toestemming", + ), + "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage("Log opnieuw in"), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Selecteer snelle links om te verwijderen", + ), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Probeer het nog eens", + ), + "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( + "Controleer de code die u hebt ingevoerd", + ), + "pleaseWait": MessageLookupByLibrary.simpleMessage( + "Een ogenblik geduld...", + ), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Een ogenblik geduld, album wordt verwijderd", + ), + "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( + "Gelieve even te wachten voordat u opnieuw probeert", + ), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "Een ogenblik geduld, dit zal even duren.", + ), + "posingWithThem": m66, + "preparingLogs": MessageLookupByLibrary.simpleMessage( + "Logboeken voorbereiden...", + ), + "preserveMore": MessageLookupByLibrary.simpleMessage("Meer bewaren"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Ingedrukt houden om video af te spelen", + ), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Houd de afbeelding ingedrukt om video af te spelen", + ), + "previous": MessageLookupByLibrary.simpleMessage("Vorige"), + "privacy": MessageLookupByLibrary.simpleMessage("Privacy"), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage("Privacybeleid"), + "privateBackups": MessageLookupByLibrary.simpleMessage("Privé back-ups"), + "privateSharing": MessageLookupByLibrary.simpleMessage("Privé delen"), + "proceed": MessageLookupByLibrary.simpleMessage("Verder"), + "processed": MessageLookupByLibrary.simpleMessage("Verwerkt"), + "processing": MessageLookupByLibrary.simpleMessage("Verwerken"), + "processingImport": m67, + "processingVideos": MessageLookupByLibrary.simpleMessage( + "Video\'s verwerken", + ), + "publicLinkCreated": MessageLookupByLibrary.simpleMessage( + "Publieke link aangemaakt", + ), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( + "Publieke link ingeschakeld", + ), + "questionmark": MessageLookupByLibrary.simpleMessage("?"), + "queued": MessageLookupByLibrary.simpleMessage("In wachtrij"), + "quickLinks": MessageLookupByLibrary.simpleMessage("Snelle links"), + "radius": MessageLookupByLibrary.simpleMessage("Straal"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Meld probleem"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("Beoordeel de app"), + "rateUs": MessageLookupByLibrary.simpleMessage("Beoordeel ons"), + "rateUsOnStore": m68, + "reassignMe": MessageLookupByLibrary.simpleMessage( + "\"Ik\" opnieuw toewijzen", + ), + "reassignedToName": m69, + "reassigningLoading": MessageLookupByLibrary.simpleMessage( + "Opnieuw toewijzen...", + ), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Ontvang herinneringen wanneer iemand jarig is. Als je op de melding drukt, krijg je foto\'s van de jarige.", + ), + "recover": MessageLookupByLibrary.simpleMessage("Herstellen"), + "recoverAccount": MessageLookupByLibrary.simpleMessage( + "Account herstellen", + ), + "recoverButton": MessageLookupByLibrary.simpleMessage("Herstellen"), + "recoveryAccount": MessageLookupByLibrary.simpleMessage( + "Account herstellen", + ), + "recoveryInitiated": MessageLookupByLibrary.simpleMessage( + "Herstel gestart", + ), + "recoveryInitiatedDesc": m70, + "recoveryKey": MessageLookupByLibrary.simpleMessage("Herstelsleutel"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Herstelsleutel gekopieerd naar klembord", + ), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Als je je wachtwoord vergeet, kun je alleen met deze sleutel je gegevens herstellen.", + ), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "We slaan deze sleutel niet op, bewaar deze 24 woorden sleutel op een veilige plaats.", + ), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Super! Je herstelsleutel is geldig. Bedankt voor het verifiëren.\n\nVergeet niet om je herstelsleutel veilig te bewaren.", + ), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Herstel sleutel geverifieerd", + ), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Je herstelsleutel is de enige manier om je foto\'s te herstellen als je je wachtwoord bent vergeten. Je vindt je herstelsleutel in Instellingen > Account.\n\nVoer hier je herstelsleutel in om te controleren of je hem correct hebt opgeslagen.", + ), + "recoveryReady": m71, + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "Herstel succesvol!", + ), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "Een vertrouwd contact probeert toegang te krijgen tot je account", + ), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Het huidige apparaat is niet krachtig genoeg om je wachtwoord te verifiëren, dus moeten we de code een keer opnieuw genereren op een manier die met alle apparaten werkt.\n\nLog in met behulp van uw herstelcode en genereer opnieuw uw wachtwoord (je kunt dezelfde indien gewenst opnieuw gebruiken).", + ), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Wachtwoord opnieuw instellen", + ), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": MessageLookupByLibrary.simpleMessage( + "Wachtwoord opnieuw invoeren", + ), + "reenterPin": MessageLookupByLibrary.simpleMessage("PIN opnieuw invoeren"), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Verwijs vrienden en 2x uw abonnement", + ), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Geef deze code aan je vrienden", + ), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Ze registreren voor een betaald plan", + ), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Referenties"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "Verwijzingen zijn momenteel gepauzeerd", + ), + "rejectRecovery": MessageLookupByLibrary.simpleMessage("Herstel weigeren"), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "Leeg ook \"Onlangs verwijderd\" uit \"Instellingen\" -> \"Opslag\" om de vrij gekomen ruimte te benutten", + ), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Leeg ook uw \"Prullenbak\" om de vrij gekomen ruimte te benutten", + ), + "remoteImages": MessageLookupByLibrary.simpleMessage( + "Externe afbeeldingen", + ), + "remoteThumbnails": MessageLookupByLibrary.simpleMessage( + "Externe thumbnails", + ), + "remoteVideos": MessageLookupByLibrary.simpleMessage("Externe video\'s"), + "remove": MessageLookupByLibrary.simpleMessage("Verwijder"), + "removeDuplicates": MessageLookupByLibrary.simpleMessage( + "Duplicaten verwijderen", + ), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Controleer en verwijder bestanden die exacte kopieën zijn.", + ), + "removeFromAlbum": MessageLookupByLibrary.simpleMessage( + "Verwijder uit album", + ), + "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( + "Uit album verwijderen?", + ), + "removeFromFavorite": MessageLookupByLibrary.simpleMessage( + "Verwijder van favorieten", + ), + "removeInvite": MessageLookupByLibrary.simpleMessage( + "Verwijder uitnodiging", + ), + "removeLink": MessageLookupByLibrary.simpleMessage("Verwijder link"), + "removeParticipant": MessageLookupByLibrary.simpleMessage( + "Deelnemer verwijderen", + ), + "removeParticipantBody": m74, + "removePersonLabel": MessageLookupByLibrary.simpleMessage( + "Verwijder persoonslabel", + ), + "removePublicLink": MessageLookupByLibrary.simpleMessage( + "Verwijder publieke link", + ), + "removePublicLinks": MessageLookupByLibrary.simpleMessage( + "Verwijder publieke link", + ), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Sommige van de items die je verwijdert zijn door andere mensen toegevoegd, en je verliest de toegang daartoe", + ), + "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage( + "Verwijder?", + ), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Verwijder jezelf als vertrouwd contact", + ), + "removingFromFavorites": MessageLookupByLibrary.simpleMessage( + "Verwijderen uit favorieten...", + ), + "rename": MessageLookupByLibrary.simpleMessage("Naam wijzigen"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("Albumnaam wijzigen"), + "renameFile": MessageLookupByLibrary.simpleMessage("Bestandsnaam wijzigen"), + "renewSubscription": MessageLookupByLibrary.simpleMessage( + "Abonnement verlengen", + ), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Een fout melden"), + "reportBug": MessageLookupByLibrary.simpleMessage("Fout melden"), + "resendEmail": MessageLookupByLibrary.simpleMessage( + "E-mail opnieuw versturen", + ), + "reset": MessageLookupByLibrary.simpleMessage("Reset"), + "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( + "Reset genegeerde bestanden", + ), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Wachtwoord resetten", + ), + "resetPerson": MessageLookupByLibrary.simpleMessage("Verwijderen"), + "resetToDefault": MessageLookupByLibrary.simpleMessage( + "Standaardinstellingen herstellen", + ), + "restore": MessageLookupByLibrary.simpleMessage("Herstellen"), + "restoreToAlbum": MessageLookupByLibrary.simpleMessage( + "Terugzetten naar album", + ), + "restoringFiles": MessageLookupByLibrary.simpleMessage( + "Bestanden herstellen...", + ), + "resumableUploads": MessageLookupByLibrary.simpleMessage( + "Hervatbare uploads", + ), + "retry": MessageLookupByLibrary.simpleMessage("Opnieuw"), + "review": MessageLookupByLibrary.simpleMessage("Beoordelen"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Controleer en verwijder de bestanden die u denkt dat dubbel zijn.", + ), + "reviewSuggestions": MessageLookupByLibrary.simpleMessage( + "Suggesties beoordelen", + ), + "right": MessageLookupByLibrary.simpleMessage("Rechts"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("Roteren"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Roteer links"), + "rotateRight": MessageLookupByLibrary.simpleMessage("Rechtsom draaien"), + "safelyStored": MessageLookupByLibrary.simpleMessage("Veilig opgeslagen"), + "save": MessageLookupByLibrary.simpleMessage("Opslaan"), + "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage( + "Opslaan als ander persoon", + ), + "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( + "Wijzigingen opslaan voor verlaten?", + ), + "saveCollage": MessageLookupByLibrary.simpleMessage("Sla collage op"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Kopie opslaan"), + "saveKey": MessageLookupByLibrary.simpleMessage("Bewaar sleutel"), + "savePerson": MessageLookupByLibrary.simpleMessage("Persoon opslaan"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Sla je herstelsleutel op als je dat nog niet gedaan hebt", + ), + "saving": MessageLookupByLibrary.simpleMessage("Opslaan..."), + "savingEdits": MessageLookupByLibrary.simpleMessage("Bewerken opslaan..."), + "scanCode": MessageLookupByLibrary.simpleMessage("Scan code"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Scan deze barcode met\nje authenticator app", + ), + "search": MessageLookupByLibrary.simpleMessage("Zoeken"), + "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Albums"), + "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage("Albumnaam"), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Albumnamen (bijv. \"Camera\")\n• Types van bestanden (bijv. \"Video\'s\", \".gif\")\n• Jaren en maanden (bijv. \"2022\", \"januari\")\n• Feestdagen (bijv. \"Kerstmis\")\n• Fotobeschrijvingen (bijv. \"#fun\")", + ), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Voeg beschrijvingen zoals \"#weekendje weg\" toe in foto-info om ze snel hier te vinden", + ), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Zoeken op een datum, maand of jaar", + ), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "Afbeeldingen worden hier getoond zodra verwerking en synchroniseren voltooid is", + ), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "Mensen worden hier getoond als het indexeren klaar is", + ), + "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( + "Bestandstypen en namen", + ), + "searchHint1": MessageLookupByLibrary.simpleMessage( + "Snelle, lokale zoekfunctie", + ), + "searchHint2": MessageLookupByLibrary.simpleMessage( + "Foto datums, beschrijvingen", + ), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "Albums, bestandsnamen en typen", + ), + "searchHint4": MessageLookupByLibrary.simpleMessage("Locatie"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "Binnenkort beschikbaar: Gezichten & magische zoekopdrachten ✨", + ), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Foto\'s groeperen die in een bepaalde straal van een foto worden genomen", + ), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "Nodig mensen uit, en je ziet alle foto\'s die door hen worden gedeeld hier", + ), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "Personen worden hier getoond zodra verwerking en synchroniseren voltooid is", + ), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Beveiliging"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "Bekijk publieke album links in de app", + ), + "selectALocation": MessageLookupByLibrary.simpleMessage( + "Selecteer een locatie", + ), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage( + "Selecteer eerst een locatie", + ), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Album selecteren"), + "selectAll": MessageLookupByLibrary.simpleMessage("Selecteer alles"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("Alle"), + "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( + "Selecteer omslagfoto", + ), + "selectDate": MessageLookupByLibrary.simpleMessage("Selecteer datum"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Selecteer mappen voor back-up", + ), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "Selecteer items om toe te voegen", + ), + "selectLanguage": MessageLookupByLibrary.simpleMessage("Taal selecteren"), + "selectMailApp": MessageLookupByLibrary.simpleMessage("Selecteer mail app"), + "selectMorePhotos": MessageLookupByLibrary.simpleMessage( + "Selecteer meer foto\'s", + ), + "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( + "Selecteer één datum en tijd", + ), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "Selecteer één datum en tijd voor allen", + ), + "selectPersonToLink": MessageLookupByLibrary.simpleMessage( + "Kies persoon om te linken", + ), + "selectReason": MessageLookupByLibrary.simpleMessage("Selecteer reden"), + "selectStartOfRange": MessageLookupByLibrary.simpleMessage( + "Selecteer start van reeks", + ), + "selectTime": MessageLookupByLibrary.simpleMessage("Tijd selecteren"), + "selectYourFace": MessageLookupByLibrary.simpleMessage( + "Selecteer je gezicht", + ), + "selectYourPlan": MessageLookupByLibrary.simpleMessage( + "Kies uw abonnement", + ), + "selectedAlbums": m79, + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Geselecteerde bestanden staan niet op Ente", + ), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Geselecteerde mappen worden versleuteld en geback-upt", + ), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Geselecteerde bestanden worden verwijderd uit alle albums en verplaatst naar de prullenbak.", + ), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "Geselecteerde bestanden worden van deze persoon verwijderd, maar niet uit uw bibliotheek verwijderd.", + ), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("Verzenden"), + "sendEmail": MessageLookupByLibrary.simpleMessage("E-mail versturen"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Stuur een uitnodiging"), + "sendLink": MessageLookupByLibrary.simpleMessage("Stuur link"), + "serverEndpoint": MessageLookupByLibrary.simpleMessage("Server eindpunt"), + "sessionExpired": MessageLookupByLibrary.simpleMessage("Sessie verlopen"), + "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( + "Sessie ID komt niet overeen", + ), + "setAPassword": MessageLookupByLibrary.simpleMessage( + "Stel een wachtwoord in", + ), + "setAs": MessageLookupByLibrary.simpleMessage("Instellen als"), + "setCover": MessageLookupByLibrary.simpleMessage("Omslag instellen"), + "setLabel": MessageLookupByLibrary.simpleMessage("Instellen"), + "setNewPassword": MessageLookupByLibrary.simpleMessage( + "Nieuw wachtwoord instellen", + ), + "setNewPin": MessageLookupByLibrary.simpleMessage("Nieuwe PIN instellen"), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Wachtwoord instellen", + ), + "setRadius": MessageLookupByLibrary.simpleMessage("Radius instellen"), + "setupComplete": MessageLookupByLibrary.simpleMessage("Setup voltooid"), + "share": MessageLookupByLibrary.simpleMessage("Delen"), + "shareALink": MessageLookupByLibrary.simpleMessage("Deel een link"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Open een album en tik op de deelknop rechts bovenaan om te delen.", + ), + "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( + "Deel nu een album", + ), + "shareLink": MessageLookupByLibrary.simpleMessage("Link delen"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Deel alleen met de mensen die u wilt", + ), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Download Ente zodat we gemakkelijk foto\'s en video\'s in originele kwaliteit kunnen delen\n\nhttps://ente.io", + ), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Delen met niet-Ente gebruikers", + ), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( + "Deel jouw eerste album", + ), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Maak gedeelde en collaboratieve albums met andere Ente gebruikers, inclusief gebruikers met gratis abonnementen.", + ), + "sharedByMe": MessageLookupByLibrary.simpleMessage("Gedeeld door mij"), + "sharedByYou": MessageLookupByLibrary.simpleMessage("Gedeeld door jou"), + "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( + "Nieuwe gedeelde foto\'s", + ), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Ontvang meldingen wanneer iemand een foto toevoegt aan een gedeeld album waar je deel van uitmaakt", + ), + "sharedWith": m87, + "sharedWithMe": MessageLookupByLibrary.simpleMessage("Gedeeld met mij"), + "sharedWithYou": MessageLookupByLibrary.simpleMessage("Gedeeld met jou"), + "sharing": MessageLookupByLibrary.simpleMessage("Delen..."), + "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( + "Verschuif datum en tijd", + ), + "showLessFaces": MessageLookupByLibrary.simpleMessage( + "Minder gezichten weergeven", + ), + "showMemories": MessageLookupByLibrary.simpleMessage("Toon herinneringen"), + "showMoreFaces": MessageLookupByLibrary.simpleMessage( + "Minder gezichten weergeven", + ), + "showPerson": MessageLookupByLibrary.simpleMessage("Toon persoon"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "Log uit op andere apparaten", + ), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Als je denkt dat iemand je wachtwoord zou kunnen kennen, kun je alle andere apparaten die je account gebruiken dwingen om uit te loggen.", + ), + "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( + "Log uit op andere apparaten", + ), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Ik ga akkoord met de gebruiksvoorwaarden en privacybeleid", + ), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Het wordt uit alle albums verwijderd.", + ), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Overslaan"), + "smartMemories": MessageLookupByLibrary.simpleMessage( + "Slimme herinneringen", + ), + "social": MessageLookupByLibrary.simpleMessage("Sociale media"), + "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( + "Sommige bestanden bevinden zich zowel in Ente als op jouw apparaat.", + ), + "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( + "Sommige bestanden die u probeert te verwijderen zijn alleen beschikbaar op uw apparaat en kunnen niet hersteld worden als deze verwijderd worden", + ), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Iemand die albums met je deelt zou hetzelfde ID op hun apparaat moeten zien.", + ), + "somethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Er ging iets mis", + ), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Er is iets fout gegaan, probeer het opnieuw", + ), + "sorry": MessageLookupByLibrary.simpleMessage("Sorry"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "Sorry, we kunnen dit bestand nu niet back-uppen, we zullen het later opnieuw proberen.", + ), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Sorry, kon niet aan favorieten worden toegevoegd!", + ), + "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( + "Sorry, kon niet uit favorieten worden verwijderd!", + ), + "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "Sorry, de ingevoerde code is onjuist", + ), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Sorry, we konden geen beveiligde sleutels genereren op dit apparaat.\n\nGelieve je aan te melden vanaf een ander apparaat.", + ), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Sorry, we moesten je back-ups pauzeren", + ), + "sort": MessageLookupByLibrary.simpleMessage("Sorteren"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sorteren op"), + "sortNewestFirst": MessageLookupByLibrary.simpleMessage("Nieuwste eerst"), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Oudste eerst"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Succes"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": MessageLookupByLibrary.simpleMessage( + "Spotlicht op jezelf", + ), + "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( + "Herstel starten", + ), + "startBackup": MessageLookupByLibrary.simpleMessage("Back-up starten"), + "status": MessageLookupByLibrary.simpleMessage("Status"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "Wil je stoppen met casten?", + ), + "stopCastingTitle": MessageLookupByLibrary.simpleMessage("Casten stoppen"), + "storage": MessageLookupByLibrary.simpleMessage("Opslagruimte"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Familie"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Jij"), + "storageInGB": m93, + "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( + "Opslaglimiet overschreden", + ), + "storageUsageInfo": m94, + "streamDetails": MessageLookupByLibrary.simpleMessage("Stream details"), + "strongStrength": MessageLookupByLibrary.simpleMessage("Sterk"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Abonneer"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Je hebt een actief betaald abonnement nodig om delen mogelijk te maken.", + ), + "subscription": MessageLookupByLibrary.simpleMessage("Abonnement"), + "success": MessageLookupByLibrary.simpleMessage("Succes"), + "successfullyArchived": MessageLookupByLibrary.simpleMessage( + "Succesvol gearchiveerd", + ), + "successfullyHid": MessageLookupByLibrary.simpleMessage( + "Succesvol verborgen", + ), + "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( + "Succesvol uit archief gehaald", + ), + "successfullyUnhid": MessageLookupByLibrary.simpleMessage( + "Met succes zichtbaar gemaakt", + ), + "suggestFeatures": MessageLookupByLibrary.simpleMessage( + "Features voorstellen", + ), + "sunrise": MessageLookupByLibrary.simpleMessage("Aan de horizon"), + "support": MessageLookupByLibrary.simpleMessage("Ondersteuning"), + "syncProgress": m97, + "syncStopped": MessageLookupByLibrary.simpleMessage( + "Synchronisatie gestopt", + ), + "syncing": MessageLookupByLibrary.simpleMessage("Synchroniseren..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("Systeem"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("tik om te kopiëren"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage( + "Tik om code in te voeren", + ), + "tapToUnlock": MessageLookupByLibrary.simpleMessage( + "Tik om te ontgrendelen", + ), + "tapToUpload": MessageLookupByLibrary.simpleMessage("Tik om te uploaden"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Het lijkt erop dat er iets fout is gegaan. Probeer het later opnieuw. Als de fout zich blijft voordoen, neem dan contact op met ons supportteam.", + ), + "terminate": MessageLookupByLibrary.simpleMessage("Beëindigen"), + "terminateSession": MessageLookupByLibrary.simpleMessage( + "Sessie beëindigen?", + ), + "terms": MessageLookupByLibrary.simpleMessage("Voorwaarden"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Voorwaarden"), + "thankYou": MessageLookupByLibrary.simpleMessage("Bedankt"), + "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( + "Dank je wel voor het abonneren!", + ), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "De download kon niet worden voltooid", + ), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "De link die je probeert te openen is verlopen.", + ), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "De groepen worden niet meer getoond in de personen sectie. Foto\'s blijven ongemoeid.", + ), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "De persoon wordt niet meer getoond in de personen sectie. Foto\'s blijven ongemoeid.", + ), + "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "De ingevoerde herstelsleutel is onjuist", + ), + "theme": MessageLookupByLibrary.simpleMessage("Thema"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Deze bestanden zullen worden verwijderd van uw apparaat.", + ), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "Ze zullen uit alle albums worden verwijderd.", + ), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Deze actie kan niet ongedaan gemaakt worden", + ), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "Dit album heeft al een gezamenlijke link", + ), + "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( + "Dit kan worden gebruikt om je account te herstellen als je je tweede factor verliest", + ), + "thisDevice": MessageLookupByLibrary.simpleMessage("Dit apparaat"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "Dit e-mailadres is al in gebruik", + ), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Deze foto heeft geen exif gegevens", + ), + "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("Dit ben ik!"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Dit is uw verificatie-ID", + ), + "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( + "Deze week door de jaren", + ), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Dit zal je uitloggen van het volgende apparaat:", + ), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Dit zal je uitloggen van dit apparaat!", + ), + "thisWillMakeTheDateAndTimeOfAllSelected": + MessageLookupByLibrary.simpleMessage( + "Dit maakt de datum en tijd van alle geselecteerde foto\'s hetzelfde.", + ), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "Hiermee worden openbare links van alle geselecteerde snelle links verwijderd.", + ), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "Om appvergrendeling in te schakelen, moet u een toegangscode of schermvergrendeling instellen in uw systeeminstellingen.", + ), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( + "Om een foto of video te verbergen", + ), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Verifieer eerst je e-mailadres om je wachtwoord opnieuw in te stellen.", + ), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Logboeken van vandaag"), + "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( + "Te veel onjuiste pogingen", + ), + "total": MessageLookupByLibrary.simpleMessage("totaal"), + "totalSize": MessageLookupByLibrary.simpleMessage("Totale grootte"), + "trash": MessageLookupByLibrary.simpleMessage("Prullenbak"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Knippen"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": MessageLookupByLibrary.simpleMessage( + "Vertrouwde contacten", + ), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Probeer opnieuw"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Schakel back-up in om bestanden die toegevoegd zijn aan deze map op dit apparaat automatisch te uploaden.", + ), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "Krijg 2 maanden gratis bij jaarlijkse abonnementen", + ), + "twofactor": MessageLookupByLibrary.simpleMessage("Tweestapsverificatie"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "Tweestapsverificatie is uitgeschakeld", + ), + "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( + "Tweestapsverificatie", + ), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "Tweestapsverificatie succesvol gereset", + ), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Tweestapsverificatie", + ), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("Uit archief halen"), + "unarchiveAlbum": MessageLookupByLibrary.simpleMessage( + "Album uit archief halen", + ), + "unarchiving": MessageLookupByLibrary.simpleMessage( + "Uit het archief halen...", + ), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Deze code is helaas niet beschikbaar.", + ), + "uncategorized": MessageLookupByLibrary.simpleMessage("Ongecategoriseerd"), + "unhide": MessageLookupByLibrary.simpleMessage("Zichtbaar maken"), + "unhideToAlbum": MessageLookupByLibrary.simpleMessage( + "Zichtbaar maken in album", + ), + "unhiding": MessageLookupByLibrary.simpleMessage("Zichtbaar maken..."), + "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Bestanden zichtbaar maken in album", + ), + "unlock": MessageLookupByLibrary.simpleMessage("Ontgrendelen"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("Album losmaken"), + "unselectAll": MessageLookupByLibrary.simpleMessage("Deselecteer alles"), + "update": MessageLookupByLibrary.simpleMessage("Update"), + "updateAvailable": MessageLookupByLibrary.simpleMessage( + "Update beschikbaar", + ), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Map selectie bijwerken...", + ), + "upgrade": MessageLookupByLibrary.simpleMessage("Upgraden"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Bestanden worden geüpload naar album...", + ), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( + "1 herinnering veiligstellen...", + ), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "Tot 50% korting, tot 4 december.", + ), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "Bruikbare opslag is beperkt door je huidige abonnement. Buitensporige geclaimde opslag zal automatisch bruikbaar worden wanneer je je abonnement upgrade.", + ), + "useAsCover": MessageLookupByLibrary.simpleMessage("Als cover gebruiken"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "Problemen met het afspelen van deze video? Hier ingedrukt houden om een andere speler te proberen.", + ), + "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Gebruik publieke links voor mensen die geen Ente account hebben", + ), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Herstelcode gebruiken", + ), + "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( + "Gebruik geselecteerde foto", + ), + "usedSpace": MessageLookupByLibrary.simpleMessage("Gebruikte ruimte"), + "validTill": m110, + "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Verificatie mislukt, probeer het opnieuw", + ), + "verificationId": MessageLookupByLibrary.simpleMessage("Verificatie ID"), + "verify": MessageLookupByLibrary.simpleMessage("Verifiëren"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("Bevestig e-mail"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Verifiëren"), + "verifyPasskey": MessageLookupByLibrary.simpleMessage("Bevestig passkey"), + "verifyPassword": MessageLookupByLibrary.simpleMessage( + "Bevestig wachtwoord", + ), + "verifying": MessageLookupByLibrary.simpleMessage("Verifiëren..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Herstelsleutel verifiëren...", + ), + "videoInfo": MessageLookupByLibrary.simpleMessage("Video-info"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), + "videoStreaming": MessageLookupByLibrary.simpleMessage( + "Video\'s met stream", + ), + "videos": MessageLookupByLibrary.simpleMessage("Video\'s"), + "viewActiveSessions": MessageLookupByLibrary.simpleMessage( + "Actieve sessies bekijken", + ), + "viewAddOnButton": MessageLookupByLibrary.simpleMessage("Add-ons bekijken"), + "viewAll": MessageLookupByLibrary.simpleMessage("Alles weergeven"), + "viewAllExifData": MessageLookupByLibrary.simpleMessage( + "Bekijk alle EXIF gegevens", + ), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Grote bestanden"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Bekijk bestanden die de meeste opslagruimte verbruiken.", + ), + "viewLogs": MessageLookupByLibrary.simpleMessage("Logboeken bekijken"), + "viewPersonToUnlink": m112, + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Toon herstelsleutel", + ), + "viewer": MessageLookupByLibrary.simpleMessage("Kijker"), + "viewersSuccessfullyAdded": m113, + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Bezoek alstublieft web.ente.io om uw abonnement te beheren", + ), + "waitingForVerification": MessageLookupByLibrary.simpleMessage( + "Wachten op verificatie...", + ), + "waitingForWifi": MessageLookupByLibrary.simpleMessage( + "Wachten op WiFi...", + ), + "warning": MessageLookupByLibrary.simpleMessage("Waarschuwing"), + "weAreOpenSource": MessageLookupByLibrary.simpleMessage( + "We zijn open source!", + ), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "We ondersteunen het bewerken van foto\'s en albums waar je niet de eigenaar van bent nog niet", + ), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Zwak"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("Welkom terug!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("Nieuw"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "Vertrouwde contacten kunnen helpen bij het herstellen van je data.", + ), + "widgets": MessageLookupByLibrary.simpleMessage("Widgets"), + "wishThemAHappyBirthday": m115, + "yearShort": MessageLookupByLibrary.simpleMessage("jr"), + "yearly": MessageLookupByLibrary.simpleMessage("Jaarlijks"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Ja"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Ja, opzeggen"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "Ja, converteren naar viewer", + ), + "yesDelete": MessageLookupByLibrary.simpleMessage("Ja, verwijderen"), + "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( + "Ja, wijzigingen negeren", + ), + "yesIgnore": MessageLookupByLibrary.simpleMessage("Ja, negeer"), + "yesLogout": MessageLookupByLibrary.simpleMessage("Ja, log uit"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Ja, verwijderen"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Ja, verlengen"), + "yesResetPerson": MessageLookupByLibrary.simpleMessage("Ja, reset persoon"), + "you": MessageLookupByLibrary.simpleMessage("Jij"), + "youAndThem": m117, + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( + "U bent onderdeel van een familie abonnement!", + ), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Je hebt de laatste versie", + ), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Je kunt maximaal je opslag verdubbelen", + ), + "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( + "U kunt uw links beheren in het tabblad \'Delen\'.", + ), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "U kunt proberen een andere zoekopdracht te vinden.", + ), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "U kunt niet downgraden naar dit abonnement", + ), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Je kunt niet met jezelf delen", + ), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "U heeft geen gearchiveerde bestanden.", + ), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "Je account is verwijderd", + ), + "yourMap": MessageLookupByLibrary.simpleMessage("Jouw kaart"), + "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( + "Uw abonnement is succesvol gedegradeerd", + ), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "Uw abonnement is succesvol opgewaardeerd", + ), + "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( + "Uw betaling is geslaagd", + ), + "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( + "Uw opslaggegevens konden niet worden opgehaald", + ), + "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( + "Uw abonnement is verlopen", + ), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "Uw abonnement is succesvol bijgewerkt", + ), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "Uw verificatiecode is verlopen", + ), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "Je hebt geen dubbele bestanden die kunnen worden gewist", + ), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "Je hebt geen bestanden in dit album die verwijderd kunnen worden", + ), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( + "Zoom uit om foto\'s te zien", + ), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_no.dart b/mobile/apps/photos/lib/generated/intl/messages_no.dart index 61a71cda4f..612b2d5728 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_no.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_no.dart @@ -51,12 +51,7 @@ class MessageLookup extends MessageLookupByLibrary { "${user} vil ikke kunne legge til flere bilder til dette albumet\n\nDe vil fortsatt kunne fjerne eksisterende bilder lagt til av dem"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, { - 'true': - 'Familien din har gjort krav på ${storageAmountInGb} GB så langt', - 'false': 'Du har gjort krav på ${storageAmountInGb} GB så langt', - 'other': 'Du har gjort krav på ${storageAmountInGb} GB så langt!', - })}\n"; + "${Intl.select(isFamilyMember, {'true': 'Familien din har gjort krav på ${storageAmountInGb} GB så langt', 'false': 'Du har gjort krav på ${storageAmountInGb} GB så langt', 'other': 'Du har gjort krav på ${storageAmountInGb} GB så langt!'})}\n"; static String m15(albumName) => "Samarbeidslenke er opprettet for ${albumName}"; @@ -244,7 +239,11 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => + usedAmount, + usedStorageUnit, + totalAmount, + totalStorageUnit, + ) => "${usedAmount} ${usedStorageUnit} av ${totalAmount} ${totalStorageUnit} brukt"; static String m95(id) => @@ -293,7 +292,7 @@ class MessageLookup extends MessageLookupByLibrary { "Vi har sendt en e-post til ${email}"; static String m116(count) => - "${Intl.plural(count, other: '${count} år siden')}"; + "${Intl.plural(count, one: '${count} år siden', other: '${count} år siden')}"; static String m117(name) => "Du og ${name}"; @@ -301,1857 +300,2296 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "En ny versjon av Ente er tilgjengelig."), - "about": MessageLookupByLibrary.simpleMessage("Om"), - "acceptTrustInvite": - MessageLookupByLibrary.simpleMessage("Godta invitasjonen"), - "account": MessageLookupByLibrary.simpleMessage("Konto"), - "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( - "Kontoen er allerede konfigurert."), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("Velkommen tilbake!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Jeg forstår at dersom jeg mister passordet mitt, kan jeg miste dataen min, siden daten er ende-til-ende-kryptert."), - "activeSessions": MessageLookupByLibrary.simpleMessage("Aktive økter"), - "add": MessageLookupByLibrary.simpleMessage("Legg til"), - "addAName": MessageLookupByLibrary.simpleMessage("Legg til et navn"), - "addANewEmail": - MessageLookupByLibrary.simpleMessage("Legg til ny e-post"), - "addCollaborator": - MessageLookupByLibrary.simpleMessage("Legg til samarbeidspartner"), - "addFiles": MessageLookupByLibrary.simpleMessage("Legg til filer"), - "addFromDevice": - MessageLookupByLibrary.simpleMessage("Legg til fra enhet"), - "addItem": m2, - "addLocation": MessageLookupByLibrary.simpleMessage("Legg til sted"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Legg til"), - "addMore": MessageLookupByLibrary.simpleMessage("Legg til flere"), - "addName": MessageLookupByLibrary.simpleMessage("Legg til navn"), - "addNameOrMerge": MessageLookupByLibrary.simpleMessage( - "Legg til navn eller sammenslåing"), - "addNew": MessageLookupByLibrary.simpleMessage("Legg til ny"), - "addNewPerson": - MessageLookupByLibrary.simpleMessage("Legg til ny person"), - "addOnPageSubtitle": - MessageLookupByLibrary.simpleMessage("Detaljer om tillegg"), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("Tillegg"), - "addPhotos": MessageLookupByLibrary.simpleMessage("Legg til bilder"), - "addSelected": MessageLookupByLibrary.simpleMessage("Legg til valgte"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("Legg til i album"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Legg til i Ente"), - "addToHiddenAlbum": - MessageLookupByLibrary.simpleMessage("Legg til i skjult album"), - "addTrustedContact": - MessageLookupByLibrary.simpleMessage("Legg til betrodd kontakt"), - "addViewer": MessageLookupByLibrary.simpleMessage("Legg til seer"), - "addYourPhotosNow": - MessageLookupByLibrary.simpleMessage("Legg til bildene dine nå"), - "addedAs": MessageLookupByLibrary.simpleMessage("Lagt til som"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": - MessageLookupByLibrary.simpleMessage("Legger til i favoritter..."), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("Avansert"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Avansert"), - "after1Day": MessageLookupByLibrary.simpleMessage("Etter 1 dag"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Etter 1 time"), - "after1Month": MessageLookupByLibrary.simpleMessage("Etter 1 måned"), - "after1Week": MessageLookupByLibrary.simpleMessage("Etter 1 uke"), - "after1Year": MessageLookupByLibrary.simpleMessage("Etter 1 år"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Eier"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Albumtittel"), - "albumUpdated": MessageLookupByLibrary.simpleMessage("Album oppdatert"), - "albums": MessageLookupByLibrary.simpleMessage("Album"), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Alt klart"), - "allMemoriesPreserved": - MessageLookupByLibrary.simpleMessage("Alle minner bevart"), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "Alle grupperinger for denne personen vil bli tilbakestilt, og du vil miste alle forslag for denne personen"), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "Dette er den første i gruppen. Andre valgte bilder vil automatisk forflyttet basert på denne nye datoen"), - "allow": MessageLookupByLibrary.simpleMessage("Tillat"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Tillat folk med lenken å også legge til bilder til det delte albumet."), - "allowAddingPhotos": - MessageLookupByLibrary.simpleMessage("Tillat å legge til bilder"), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "Tillat app å åpne delte albumlenker"), - "allowDownloads": - MessageLookupByLibrary.simpleMessage("Tillat nedlastinger"), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Tillat folk å legge til bilder"), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Vennligst gi tilgang til bildene dine i Innstillinger, slik at Ente kan vise og sikkerhetskopiere biblioteket."), - "allowPermTitle": - MessageLookupByLibrary.simpleMessage("Gi tilgang til bilder"), - "androidBiometricHint": - MessageLookupByLibrary.simpleMessage("Verifiser identitet"), - "androidBiometricNotRecognized": - MessageLookupByLibrary.simpleMessage("Ikke gjenkjent. Prøv igjen."), - "androidBiometricRequiredTitle": - MessageLookupByLibrary.simpleMessage("Biometri kreves"), - "androidBiometricSuccess": - MessageLookupByLibrary.simpleMessage("Vellykket"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Avbryt"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage( - "Enhetens påloggingsinformasjon kreves"), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage( - "Enhetens påloggingsinformasjon kreves"), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Biometrisk autentisering er ikke satt opp på enheten din. Gå til \'Innstillinger > Sikkerhet\' for å legge til biometrisk godkjenning."), - "androidIosWebDesktop": - MessageLookupByLibrary.simpleMessage("Android, iOS, Web, Desktop"), - "androidSignInTitle": - MessageLookupByLibrary.simpleMessage("Krever innlogging"), - "appIcon": MessageLookupByLibrary.simpleMessage("App-ikon"), - "appLock": MessageLookupByLibrary.simpleMessage("Applås"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Velg mellom enhetens standard låseskjerm og en egendefinert låseskjerm med en PIN-kode eller passord."), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), - "apply": MessageLookupByLibrary.simpleMessage("Anvend"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Bruk kode"), - "appstoreSubscription": - MessageLookupByLibrary.simpleMessage("AppStore subscription"), - "archive": MessageLookupByLibrary.simpleMessage("Arkiv"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("Arkiver album"), - "archiving": - MessageLookupByLibrary.simpleMessage("Legger til i arkivet..."), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Er du sikker på at du vil forlate familieabonnementet?"), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "Er du sikker på at du vil avslutte?"), - "areYouSureYouWantToChangeYourPlan": - MessageLookupByLibrary.simpleMessage( - "Er du sikker på at du vil endre abonnement?"), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "Er du sikker på at du vil avslutte?"), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Er du sikker på at du vil logge ut?"), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "Er du sikker på at du vil fornye?"), - "areYouSureYouWantToResetThisPerson": - MessageLookupByLibrary.simpleMessage( - "Er du sikker på at du vil tilbakestille denne personen?"), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "Abonnementet ble avbrutt. Ønsker du å dele grunnen?"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Hva er hovedårsaken til at du sletter kontoen din?"), - "askYourLovedOnesToShare": - MessageLookupByLibrary.simpleMessage("Spør dine kjære om å dele"), - "atAFalloutShelter": - MessageLookupByLibrary.simpleMessage("i en bunker"), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Vennligst autentiser deg for å endre e-postbekreftelse"), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Autentiser deg for å endre låseskjerminnstillingen"), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Vennlist autentiser deg for å endre e-postadressen din"), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Vennligst autentiser deg for å endre passordet ditt"), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Autentiser deg for å konfigurere tofaktorautentisering"), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Vennlist autentiser deg for å starte sletting av konto"), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Vennlist autentiser deg for å administrere de betrodde kontaktene dine"), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Vennligst autentiser deg for å se gjennopprettingsnøkkelen din"), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Vennligst autentiser deg for å se dine slettede filer"), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Vennligst autentiser deg for å se dine aktive økter"), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Vennligst autentiser deg for å se dine skjulte filer"), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Vennligst autentiser deg for å se minnene dine"), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Vennligst autentiser deg for å se gjennopprettingsnøkkelen din"), - "authenticating": - MessageLookupByLibrary.simpleMessage("Autentiserer..."), - "authenticationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Autentisering mislyktes, prøv igjen"), - "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( - "Autentisering var vellykket!"), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Du vil se tilgjengelige Cast enheter her."), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Kontroller at lokale nettverkstillatelser er slått på for Ente Photos-appen, i innstillinger."), - "autoLock": MessageLookupByLibrary.simpleMessage("Lås automatisk"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Tid før appen låses etter at den er lagt i bakgrunnen"), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "Du har blitt logget ut på grunn av en teknisk feil. Vi beklager ulempen."), - "autoPair": MessageLookupByLibrary.simpleMessage("Automatisk parring"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "Automatisk par fungerer kun med enheter som støtter Chromecast."), - "available": MessageLookupByLibrary.simpleMessage("Tilgjengelig"), - "availableStorageSpace": m10, - "backedUpFolders": - MessageLookupByLibrary.simpleMessage("Sikkerhetskopierte mapper"), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("Sikkerhetskopi"), - "backupFailed": MessageLookupByLibrary.simpleMessage( - "Sikkerhetskopiering mislyktes"), - "backupFile": - MessageLookupByLibrary.simpleMessage("Sikkerhetskopieringsfil\n"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Sikkerhetskopier via mobildata"), - "backupSettings": MessageLookupByLibrary.simpleMessage( - "Sikkerhetskopier innstillinger"), - "backupStatus": - MessageLookupByLibrary.simpleMessage("Status for sikkerhetskopi"), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Elementer som har blitt sikkerhetskopiert vil vises her"), - "backupVideos": - MessageLookupByLibrary.simpleMessage("Sikkerhetskopier videoer"), - "beach": MessageLookupByLibrary.simpleMessage("Sand og sjø"), - "birthday": MessageLookupByLibrary.simpleMessage("Bursdag"), - "blackFridaySale": - MessageLookupByLibrary.simpleMessage("Black Friday salg"), - "blog": MessageLookupByLibrary.simpleMessage("Blogg"), - "cachedData": MessageLookupByLibrary.simpleMessage("Bufrede data"), - "calculating": MessageLookupByLibrary.simpleMessage("Beregner..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Beklager, dette albumet kan ikke åpnes i appen."), - "canNotOpenTitle": - MessageLookupByLibrary.simpleMessage("Kan ikke åpne dette albumet"), - "canNotUploadToAlbumsOwnedByOthers": - MessageLookupByLibrary.simpleMessage( - "Kan ikke laste opp til album eid av andre"), - "canOnlyCreateLinkForFilesOwnedByYou": - MessageLookupByLibrary.simpleMessage( - "Kan bare opprette link for filer som eies av deg"), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Du kan kun fjerne filer som eies av deg"), - "cancel": MessageLookupByLibrary.simpleMessage("Avbryt"), - "cancelAccountRecovery": - MessageLookupByLibrary.simpleMessage("Avbryt gjenoppretting"), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "Er du sikker på at du vil avbryte gjenoppretting?"), - "cancelOtherSubscription": m12, - "cancelSubscription": - MessageLookupByLibrary.simpleMessage("Avslutt abonnement"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": - MessageLookupByLibrary.simpleMessage("Kan ikke slette delte filer"), - "castAlbum": MessageLookupByLibrary.simpleMessage("Cast album"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Kontroller at du er på samme nettverk som TV-en."), - "castIPMismatchTitle": - MessageLookupByLibrary.simpleMessage("Kunne ikke strømme album"), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Besøk cast.ente.io på enheten du vil parre.\n\nSkriv inn koden under for å spille albumet på TV-en din."), - "centerPoint": MessageLookupByLibrary.simpleMessage("Midtstill punkt"), - "change": MessageLookupByLibrary.simpleMessage("Endre"), - "changeEmail": - MessageLookupByLibrary.simpleMessage("Endre e-postadresse"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Endre plassering av valgte elementer?"), - "changePassword": MessageLookupByLibrary.simpleMessage("Bytt passord"), - "changePasswordTitle": - MessageLookupByLibrary.simpleMessage("Bytt passord"), - "changePermissions": - MessageLookupByLibrary.simpleMessage("Endre tillatelser?"), - "changeYourReferralCode": - MessageLookupByLibrary.simpleMessage("Endre din vervekode"), - "checkForUpdates": - MessageLookupByLibrary.simpleMessage("Se etter oppdateringer"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Vennligst sjekk innboksen din (og søppelpost) for å fullføre verifiseringen"), - "checkStatus": - MessageLookupByLibrary.simpleMessage("Kontroller status"), - "checking": MessageLookupByLibrary.simpleMessage("Sjekker..."), - "checkingModels": - MessageLookupByLibrary.simpleMessage("Sjekker modeller..."), - "city": MessageLookupByLibrary.simpleMessage("I byen"), - "claimFreeStorage": - MessageLookupByLibrary.simpleMessage("Få gratis lagring"), - "claimMore": MessageLookupByLibrary.simpleMessage("Løs inn mer!"), - "claimed": MessageLookupByLibrary.simpleMessage("Løst inn"), - "claimedStorageSoFar": m14, - "cleanUncategorized": - MessageLookupByLibrary.simpleMessage("Tøm ukategorisert"), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Fjern alle filer fra Ukategoriserte som finnes i andre album"), - "clearCaches": MessageLookupByLibrary.simpleMessage("Tom hurtigbuffer"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Tøm indekser"), - "click": MessageLookupByLibrary.simpleMessage("• Klikk"), - "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( - "• Klikk på menyen med tre prikker"), - "close": MessageLookupByLibrary.simpleMessage("Lukk"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( - "Grupper etter tidspunkt for opptak"), - "clubByFileName": - MessageLookupByLibrary.simpleMessage("Grupper etter filnavn"), - "clusteringProgress": - MessageLookupByLibrary.simpleMessage("Fremdrift for klynging"), - "codeAppliedPageTitle": - MessageLookupByLibrary.simpleMessage("Kode brukt"), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Beklager, du har nådd grensen for kodeendringer."), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Koden er kopiert til utklippstavlen"), - "codeUsedByYou": - MessageLookupByLibrary.simpleMessage("Kode som brukes av deg"), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Opprett en lenke slik at folk kan legge til og se bilder i det delte albumet ditt uten å trenge Ente-appen eller en konto. Perfekt for å samle bilder fra arrangementer."), - "collaborativeLink": - MessageLookupByLibrary.simpleMessage("Samarbeidslenke"), - "collaborativeLinkCreatedFor": m15, - "collaborator": - MessageLookupByLibrary.simpleMessage("Samarbeidspartner"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Samarbeidspartnere kan legge til bilder og videoer i det delte albumet."), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("Utforming"), - "collageSaved": - MessageLookupByLibrary.simpleMessage("Kollasje lagret i galleriet"), - "collect": MessageLookupByLibrary.simpleMessage("Samle"), - "collectEventPhotos": - MessageLookupByLibrary.simpleMessage("Samle arrangementbilder"), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Samle bilder"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Opprett en link hvor vennene dine kan laste opp bilder i original kvalitet."), - "color": MessageLookupByLibrary.simpleMessage("Farge"), - "configuration": MessageLookupByLibrary.simpleMessage("Konfigurasjon"), - "confirm": MessageLookupByLibrary.simpleMessage("Bekreft"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Er du sikker på at du vil deaktivere tofaktorautentisering?"), - "confirmAccountDeletion": - MessageLookupByLibrary.simpleMessage("Bekreft sletting av konto"), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Ja, jeg ønsker å slette denne kontoen og all dataen dens permanent."), - "confirmPassword": - MessageLookupByLibrary.simpleMessage("Bekreft passordet"), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage( - "Bekreft endring av abonnement"), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Bekreft gjenopprettingsnøkkel"), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Bekreft din gjenopprettingsnøkkel"), - "connectToDevice": - MessageLookupByLibrary.simpleMessage("Koble til enheten"), - "contactFamilyAdmin": m18, - "contactSupport": - MessageLookupByLibrary.simpleMessage("Kontakt kundestøtte"), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Kontakter"), - "contents": MessageLookupByLibrary.simpleMessage("Innhold"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Fortsett"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "Fortsett med gratis prøveversjon"), - "convertToAlbum": - MessageLookupByLibrary.simpleMessage("Gjør om til album"), - "copyEmailAddress": - MessageLookupByLibrary.simpleMessage("Kopier e-postadresse"), - "copyLink": MessageLookupByLibrary.simpleMessage("Kopier lenke"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Kopier og lim inn denne koden\ntil autentiseringsappen din"), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "Vi kunne ikke sikkerhetskopiere dine data.\nVi vil prøve på nytt senere."), - "couldNotFreeUpSpace": - MessageLookupByLibrary.simpleMessage("Kunne ikke frigjøre plass"), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Kunne ikke oppdatere abonnement"), - "count": MessageLookupByLibrary.simpleMessage("Antall"), - "crashReporting": - MessageLookupByLibrary.simpleMessage("Krasjrapportering"), - "create": MessageLookupByLibrary.simpleMessage("Opprett"), - "createAccount": MessageLookupByLibrary.simpleMessage("Opprett konto"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Trykk og holde inne for å velge bilder, og trykk på + for å lage et album"), - "createCollaborativeLink": - MessageLookupByLibrary.simpleMessage("Samarbeidslenke"), - "createCollage": - MessageLookupByLibrary.simpleMessage("Opprett kollasje"), - "createNewAccount": - MessageLookupByLibrary.simpleMessage("Opprett ny konto"), - "createOrSelectAlbum": - MessageLookupByLibrary.simpleMessage("Opprett eller velg album"), - "createPublicLink": - MessageLookupByLibrary.simpleMessage("Opprett offentlig lenke"), - "creatingLink": MessageLookupByLibrary.simpleMessage("Lager lenke..."), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "Kritisk oppdatering er tilgjengelig"), - "crop": MessageLookupByLibrary.simpleMessage("Beskjær"), - "currentUsageIs": - MessageLookupByLibrary.simpleMessage("Nåværende bruk er "), - "currentlyRunning": - MessageLookupByLibrary.simpleMessage("Kjører for øyeblikket"), - "custom": MessageLookupByLibrary.simpleMessage("Egendefinert"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Mørk"), - "dayToday": MessageLookupByLibrary.simpleMessage("I dag"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("I går"), - "declineTrustInvite": - MessageLookupByLibrary.simpleMessage("Avslå invitasjon"), - "decrypting": MessageLookupByLibrary.simpleMessage("Dekrypterer..."), - "decryptingVideo": - MessageLookupByLibrary.simpleMessage("Dekrypterer video..."), - "deduplicateFiles": - MessageLookupByLibrary.simpleMessage("Fjern duplikatfiler"), - "delete": MessageLookupByLibrary.simpleMessage("Slett"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Slett konto"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Vi er lei oss for at du forlater oss. Gi oss gjerne en tilbakemelding så vi kan forbedre oss."), - "deleteAccountPermanentlyButton": - MessageLookupByLibrary.simpleMessage("Slett bruker for altid"), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Slett album"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Også slette bilder (og videoer) i dette albumet fra alle andre album de er del av?"), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "Dette vil slette alle tomme albumer. Dette er nyttig når du vil redusere rotet i albumlisten din."), - "deleteAll": MessageLookupByLibrary.simpleMessage("Slett alt"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "Denne kontoen er knyttet til andre Ente-apper, hvis du bruker noen. De opplastede dataene, i alle Ente-apper, vil bli planlagt slettet, og kontoen din vil bli slettet permanent."), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Vennligst send en e-post til account-deletion@ente.io fra din registrerte e-postadresse."), - "deleteEmptyAlbums": - MessageLookupByLibrary.simpleMessage("Slett tomme album"), - "deleteEmptyAlbumsWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Slette tomme albumer?"), - "deleteFromBoth": - MessageLookupByLibrary.simpleMessage("Slett fra begge"), - "deleteFromDevice": - MessageLookupByLibrary.simpleMessage("Slett fra enhet"), - "deleteFromEnte": - MessageLookupByLibrary.simpleMessage("Slett fra Ente"), - "deleteItemCount": m21, - "deleteLocation": MessageLookupByLibrary.simpleMessage("Slett sted"), - "deletePhotos": MessageLookupByLibrary.simpleMessage("Slett bilder"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Det mangler en hovedfunksjon jeg trenger"), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "Appen, eller en bestemt funksjon, fungerer ikke slik jeg tror den skal"), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Jeg fant en annen tjeneste jeg liker bedre"), - "deleteReason4": - MessageLookupByLibrary.simpleMessage("Årsaken min er ikke oppført"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Forespørselen din vil bli behandlet innen 72 timer."), - "deleteSharedAlbum": - MessageLookupByLibrary.simpleMessage("Slett delt album?"), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "Albumet vil bli slettet for alle\n\nDu vil miste tilgang til delte bilder i dette albumet som eies av andre"), - "deselectAll": MessageLookupByLibrary.simpleMessage("Fjern alle valg"), - "designedToOutlive": - MessageLookupByLibrary.simpleMessage("Laget for å vare lenger enn"), - "details": MessageLookupByLibrary.simpleMessage("Detaljer"), - "developerSettings": - MessageLookupByLibrary.simpleMessage("Utviklerinnstillinger"), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Er du sikker på at du vil endre utviklerinnstillingene?"), - "deviceCodeHint": - MessageLookupByLibrary.simpleMessage("Skriv inn koden"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "Filer lagt til dette enhetsalbumet vil automatisk bli lastet opp til Ente."), - "deviceLock": MessageLookupByLibrary.simpleMessage("Enhetslås"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Deaktiver enhetens skjermlås når Ente er i forgrunnen og det er en sikkerhetskopi som pågår. Dette trengs normalt ikke, men kan hjelpe store opplastinger og førstegangsimport av store biblioteker med å fullføre raskere."), - "deviceNotFound": - MessageLookupByLibrary.simpleMessage("Enhet ikke funnet"), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Visste du at?"), - "disableAutoLock": - MessageLookupByLibrary.simpleMessage("Deaktiver autolås"), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Seere kan fremdeles ta skjermbilder eller lagre en kopi av bildene dine ved bruk av eksterne verktøy"), - "disableDownloadWarningTitle": - MessageLookupByLibrary.simpleMessage("Vær oppmerksom på"), - "disableLinkMessage": m24, - "disableTwofactor": - MessageLookupByLibrary.simpleMessage("Deaktiver tofaktor"), - "disablingTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Deaktiverer tofaktorautentisering..."), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Oppdag"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Babyer"), - "discover_celebrations": - MessageLookupByLibrary.simpleMessage("Feiringer"), - "discover_food": MessageLookupByLibrary.simpleMessage("Mat"), - "discover_greenery": - MessageLookupByLibrary.simpleMessage("Grøntområder"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Åser"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Identitet"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Notater"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Kjæledyr"), - "discover_receipts": - MessageLookupByLibrary.simpleMessage("Kvitteringer"), - "discover_screenshots": - MessageLookupByLibrary.simpleMessage("Skjermbilder"), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfier"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Solnedgang"), - "discover_visiting_cards": - MessageLookupByLibrary.simpleMessage("Visittkort"), - "discover_wallpapers": - MessageLookupByLibrary.simpleMessage("Bakgrunnsbilder"), - "dismiss": MessageLookupByLibrary.simpleMessage("Avvis "), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage("Ikke logg ut"), - "doThisLater": - MessageLookupByLibrary.simpleMessage("Gjør dette senere"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Vil du forkaste endringene du har gjort?"), - "done": MessageLookupByLibrary.simpleMessage("Ferdig"), - "dontSave": MessageLookupByLibrary.simpleMessage("Ikke lagre"), - "doubleYourStorage": - MessageLookupByLibrary.simpleMessage("Doble lagringsplassen din"), - "download": MessageLookupByLibrary.simpleMessage("Last ned"), - "downloadFailed": - MessageLookupByLibrary.simpleMessage("Nedlasting mislyktes"), - "downloading": MessageLookupByLibrary.simpleMessage("Laster ned..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Rediger"), - "editLocation": - MessageLookupByLibrary.simpleMessage("Rediger plassering"), - "editLocationTagTitle": - MessageLookupByLibrary.simpleMessage("Rediger plassering"), - "editPerson": MessageLookupByLibrary.simpleMessage("Rediger person"), - "editTime": MessageLookupByLibrary.simpleMessage("Endre tidspunkt"), - "editsSaved": MessageLookupByLibrary.simpleMessage("Endringer lagret"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Endringer i plassering vil kun være synlige i Ente"), - "eligible": MessageLookupByLibrary.simpleMessage("kvalifisert"), - "email": MessageLookupByLibrary.simpleMessage("E-post"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "E-postadressen er allerede registrert."), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "E-postadressen er ikke registrert."), - "emailVerificationToggle": - MessageLookupByLibrary.simpleMessage("E-postbekreftelse"), - "emailYourLogs": - MessageLookupByLibrary.simpleMessage("Send loggene dine på e-post"), - "embracingThem": m32, - "emergencyContacts": - MessageLookupByLibrary.simpleMessage("Nødkontakter"), - "empty": MessageLookupByLibrary.simpleMessage("Tom"), - "emptyTrash": MessageLookupByLibrary.simpleMessage("Tøm papirkurv?"), - "enable": MessageLookupByLibrary.simpleMessage("Aktiver"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "Ente støtter maskinlæring på enheten for ansiktsgjenkjenning, magisk søk og andre avanserte søkefunksjoner"), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Aktiver maskinlæring for magisk søk og ansiktsgjenkjenning"), - "enableMaps": MessageLookupByLibrary.simpleMessage("Aktiver kart"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "Dette viser dine bilder på et verdenskart.\n\nDette kartet er hostet av Open Street Map, og de nøyaktige stedene for dine bilder blir aldri delt.\n\nDu kan deaktivere denne funksjonen når som helst fra Innstillinger."), - "enabled": MessageLookupByLibrary.simpleMessage("Aktivert"), - "encryptingBackup": - MessageLookupByLibrary.simpleMessage("Krypterer sikkerhetskopi..."), - "encryption": MessageLookupByLibrary.simpleMessage("Kryptering"), - "encryptionKeys": - MessageLookupByLibrary.simpleMessage("Krypteringsnøkkel"), - "endpointUpdatedMessage": - MessageLookupByLibrary.simpleMessage("Endepunktet ble oppdatert"), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Ende-til-ende kryptert som standard"), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente kan bare kryptere og bevare filer hvis du gir tilgang til dem"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente trenger tillatelse for å bevare bildene dine"), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "Ente bevarer minnene dine, slik at de er alltid tilgjengelig for deg, selv om du mister enheten."), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Familien din kan også legges til abonnementet ditt."), - "enterAlbumName": - MessageLookupByLibrary.simpleMessage("Skriv inn albumnavn"), - "enterCode": MessageLookupByLibrary.simpleMessage("Angi kode"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Angi koden fra vennen din for å få gratis lagringsplass for dere begge"), - "enterDateOfBirth": - MessageLookupByLibrary.simpleMessage("Bursdag (valgfritt)"), - "enterEmail": MessageLookupByLibrary.simpleMessage("Skriv inn e-post"), - "enterFileName": - MessageLookupByLibrary.simpleMessage("Skriv inn filnavn"), - "enterName": MessageLookupByLibrary.simpleMessage("Angi navn"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Angi et nytt passord vi kan bruke til å kryptere dataene dine"), - "enterPassword": MessageLookupByLibrary.simpleMessage("Angi passord"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Angi et passord vi kan bruke til å kryptere dataene dine"), - "enterPersonName": - MessageLookupByLibrary.simpleMessage("Angi personnavn"), - "enterPin": MessageLookupByLibrary.simpleMessage("Skriv inn PIN-koden"), - "enterReferralCode": - MessageLookupByLibrary.simpleMessage("Angi vervekode"), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Skriv inn den 6-sifrede koden fra\ndin autentiseringsapp"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Vennligst skriv inn en gyldig e-postadresse."), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Skriv inn e-postadressen din"), - "enterYourPassword": - MessageLookupByLibrary.simpleMessage("Angi passordet ditt"), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Skriv inn din gjenopprettingsnøkkel"), - "error": MessageLookupByLibrary.simpleMessage("Feil"), - "everywhere": MessageLookupByLibrary.simpleMessage("Overalt"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": - MessageLookupByLibrary.simpleMessage("Eksisterende bruker"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Denne lenken er utløpt. Vennligst velg en ny utløpstid eller deaktiver lenkeutløp."), - "exportLogs": MessageLookupByLibrary.simpleMessage("Eksporter logger"), - "exportYourData": - MessageLookupByLibrary.simpleMessage("Eksporter dine data"), - "extraPhotosFound": - MessageLookupByLibrary.simpleMessage("Ekstra bilder funnet"), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Ansikt ikke gruppert ennå, vennligst kom tilbake senere"), - "faceRecognition": - MessageLookupByLibrary.simpleMessage("Ansiktsgjenkjenning"), - "faces": MessageLookupByLibrary.simpleMessage("Ansikt"), - "failed": MessageLookupByLibrary.simpleMessage("Mislykket"), - "failedToApplyCode": - MessageLookupByLibrary.simpleMessage("Kunne ikke bruke koden"), - "failedToCancel": - MessageLookupByLibrary.simpleMessage("Kan ikke avbryte"), - "failedToDownloadVideo": - MessageLookupByLibrary.simpleMessage("Kan ikke laste ned video"), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Kunne ikke hente aktive økter"), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Kunne ikke hente originalen for redigering"), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Kan ikke hente vervedetaljer. Prøv igjen senere."), - "failedToLoadAlbums": - MessageLookupByLibrary.simpleMessage("Kunne ikke laste inn album"), - "failedToPlayVideo": - MessageLookupByLibrary.simpleMessage("Kunne ikke spille av video"), - "failedToRefreshStripeSubscription": - MessageLookupByLibrary.simpleMessage( - "Kunne ikke oppdatere abonnement"), - "failedToRenew": - MessageLookupByLibrary.simpleMessage("Kunne ikke fornye"), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Kunne ikke verifisere betalingsstatus"), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Legg til 5 familiemedlemmer til det eksisterende abonnementet uten å betale ekstra.\n\nHvert medlem får sitt eget private område, og kan ikke se hverandres filer med mindre de er delt.\n\nFamilieabonnement er tilgjengelige for kunder som har et betalt Ente-abonnement.\n\nAbonner nå for å komme i gang!"), - "familyPlanPortalTitle": - MessageLookupByLibrary.simpleMessage("Familie"), - "familyPlans": - MessageLookupByLibrary.simpleMessage("Familieabonnementer"), - "faq": MessageLookupByLibrary.simpleMessage("Ofte stilte spørsmål"), - "faqs": MessageLookupByLibrary.simpleMessage("Ofte stilte spørsmål"), - "favorite": MessageLookupByLibrary.simpleMessage("Favoritt"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("Tilbakemelding"), - "file": MessageLookupByLibrary.simpleMessage("Fil"), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Kunne ikke lagre filen i galleriet"), - "fileInfoAddDescHint": - MessageLookupByLibrary.simpleMessage("Legg til en beskrivelse..."), - "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( - "Filen er ikke lastet opp enda"), - "fileSavedToGallery": - MessageLookupByLibrary.simpleMessage("Fil lagret i galleriet"), - "fileTypes": MessageLookupByLibrary.simpleMessage("Filtyper"), - "fileTypesAndNames": - MessageLookupByLibrary.simpleMessage("Filtyper og navn"), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": - MessageLookupByLibrary.simpleMessage("Filene er slettet"), - "filesSavedToGallery": - MessageLookupByLibrary.simpleMessage("Filer lagret i galleriet"), - "findPeopleByName": - MessageLookupByLibrary.simpleMessage("Finn folk raskt med navn"), - "findThemQuickly": - MessageLookupByLibrary.simpleMessage("Finn dem raskt"), - "flip": MessageLookupByLibrary.simpleMessage("Speilvend"), - "food": MessageLookupByLibrary.simpleMessage("Kulinær glede"), - "forYourMemories": - MessageLookupByLibrary.simpleMessage("for dine minner"), - "forgotPassword": MessageLookupByLibrary.simpleMessage("Glemt passord"), - "foundFaces": MessageLookupByLibrary.simpleMessage("Fant ansikter"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( - "Gratis lagringplass aktivert"), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Gratis lagringsplass som kan brukes"), - "freeTrial": - MessageLookupByLibrary.simpleMessage("Gratis prøveversjon"), - "freeTrialValidTill": m38, - "freeUpAmount": m40, - "freeUpDeviceSpace": - MessageLookupByLibrary.simpleMessage("Frigjør plass på enheten"), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Spar plass på enheten ved å fjerne filer som allerede er sikkerhetskopiert."), - "freeUpSpace": - MessageLookupByLibrary.simpleMessage("Frigjør lagringsplass"), - "gallery": MessageLookupByLibrary.simpleMessage("Galleri"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "Opptil 1000 minner vist i galleriet"), - "general": MessageLookupByLibrary.simpleMessage("Generelt"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Genererer krypteringsnøkler..."), - "genericProgress": m42, - "goToSettings": - MessageLookupByLibrary.simpleMessage("Gå til innstillinger"), - "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Vennligst gi tilgang til alle bilder i Innstillinger-appen"), - "grantPermission": - MessageLookupByLibrary.simpleMessage("Gi tillatelse"), - "greenery": MessageLookupByLibrary.simpleMessage("Det grønne livet"), - "groupNearbyPhotos": - MessageLookupByLibrary.simpleMessage("Grupper nærliggende bilder"), - "guestView": MessageLookupByLibrary.simpleMessage("Gjestevisning"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "For å aktivere gjestevisning, vennligst konfigurer enhetens passord eller skjermlås i systeminnstillingene."), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "Vi sporer ikke app-installasjoner. Det hadde vært til hjelp om du fortalte oss hvor du fant oss!"), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Hvordan fikk du høre om Ente? (valgfritt)"), - "help": MessageLookupByLibrary.simpleMessage("Hjelp"), - "hidden": MessageLookupByLibrary.simpleMessage("Skjult"), - "hide": MessageLookupByLibrary.simpleMessage("Skjul"), - "hideContent": MessageLookupByLibrary.simpleMessage("Skjul innhold"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Skjuler appinnhold i appveksleren og deaktiverer skjermbilder"), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Skjuler appinnhold i appveksleren"), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "Skjul delte elementer fra hjemgalleriet"), - "hiding": MessageLookupByLibrary.simpleMessage("Skjuler..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": - MessageLookupByLibrary.simpleMessage("Hostet på OSM France"), - "howItWorks": - MessageLookupByLibrary.simpleMessage("Hvordan det fungerer"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Vennligst be dem om å trykke og holde inne på e-postadressen sin på innstillingsskjermen, og bekreft at ID-ene på begge enhetene er like."), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Biometrisk autentisering er ikke satt opp på enheten din. Aktiver enten Touch-ID eller Ansikts-ID på telefonen."), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "Biometrisk autentisering er deaktivert. Vennligst lås og lås opp skjermen for å aktivere den."), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorer"), - "ignored": MessageLookupByLibrary.simpleMessage("ignorert"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Noen filer i dette albumet ble ikke lastet opp fordi de tidligere har blitt slettet fra Ente."), - "imageNotAnalyzed": - MessageLookupByLibrary.simpleMessage("Bilde ikke analysert"), - "immediately": MessageLookupByLibrary.simpleMessage("Umiddelbart"), - "importing": MessageLookupByLibrary.simpleMessage("Importerer...."), - "incorrectCode": MessageLookupByLibrary.simpleMessage("Feil kode"), - "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("Feil passord"), - "incorrectRecoveryKey": - MessageLookupByLibrary.simpleMessage("Feil gjenopprettingsnøkkel"), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "Gjennopprettingsnøkkelen du skrev inn er feil"), - "incorrectRecoveryKeyTitle": - MessageLookupByLibrary.simpleMessage("Feil gjenopprettingsnøkkel"), - "indexedItems": - MessageLookupByLibrary.simpleMessage("Indekserte elementer"), - "ineligible": MessageLookupByLibrary.simpleMessage("Ikke aktuell"), - "info": MessageLookupByLibrary.simpleMessage("Info"), - "insecureDevice": MessageLookupByLibrary.simpleMessage("Usikker enhet"), - "installManually": - MessageLookupByLibrary.simpleMessage("Installer manuelt"), - "invalidEmailAddress": - MessageLookupByLibrary.simpleMessage("Ugyldig e-postadresse"), - "invalidEndpoint": - MessageLookupByLibrary.simpleMessage("Ugyldig endepunkt"), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Beklager, endepunktet du skrev inn er ugyldig. Skriv inn et gyldig endepunkt og prøv igjen."), - "invalidKey": MessageLookupByLibrary.simpleMessage("Ugyldig nøkkel"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Gjenopprettingsnøkkelen du har skrevet inn er ikke gyldig. Kontroller at den inneholder 24 ord og kontroller stavemåten av hvert ord.\n\nHvis du har angitt en eldre gjenopprettingskode, må du kontrollere at den er 64 tegn lang, og kontrollere hvert av dem."), - "invite": MessageLookupByLibrary.simpleMessage("Inviter"), - "inviteToEnte": - MessageLookupByLibrary.simpleMessage("Inviter til Ente"), - "inviteYourFriends": - MessageLookupByLibrary.simpleMessage("Inviter vennene dine"), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "Inviter vennene dine til Ente"), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Det ser ut til at noe gikk galt. Prøv på nytt etter en stund. Hvis feilen vedvarer, kan du kontakte kundestøtte."), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "Elementer viser gjenværende dager før de slettes for godt"), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Valgte elementer vil bli fjernet fra dette albumet"), - "join": MessageLookupByLibrary.simpleMessage("Bli med"), - "joinAlbum": MessageLookupByLibrary.simpleMessage("Bli med i albumet"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "Å bli med i et album vil gjøre e-postadressen din synlig for dens deltakere."), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( - "for å se og legge til bildene dine"), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "for å legge dette til til delte album"), - "joinDiscord": - MessageLookupByLibrary.simpleMessage("Bli med i Discord"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Behold Bilder"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Vær vennlig og hjelp oss med denne informasjonen"), - "language": MessageLookupByLibrary.simpleMessage("Språk"), - "lastTimeWithThem": m45, - "lastUpdated": MessageLookupByLibrary.simpleMessage("Sist oppdatert"), - "lastYearsTrip": MessageLookupByLibrary.simpleMessage("Fjorårets tur"), - "leave": MessageLookupByLibrary.simpleMessage("Forlat"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Forlat album"), - "leaveFamily": MessageLookupByLibrary.simpleMessage("Forlat familie"), - "leaveSharedAlbum": - MessageLookupByLibrary.simpleMessage("Slett delt album?"), - "left": MessageLookupByLibrary.simpleMessage("Venstre"), - "legacy": MessageLookupByLibrary.simpleMessage("Arv"), - "legacyAccounts": MessageLookupByLibrary.simpleMessage("Eldre kontoer"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "Arv-funksjonen lar betrodde kontakter få tilgang til kontoen din i ditt fravær."), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "Betrodde kontakter kan starte gjenoppretting av kontoen, og hvis de ikke blir blokkert innen 30 dager, tilbakestille passordet ditt og få tilgang til kontoen din."), - "light": MessageLookupByLibrary.simpleMessage("Lys"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Lys"), - "link": MessageLookupByLibrary.simpleMessage("Lenke"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Lenker er kopiert til utklippstavlen"), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Enhetsgrense"), - "linkEmail": MessageLookupByLibrary.simpleMessage("Koble til e-post"), - "linkEmailToContactBannerCaption": - MessageLookupByLibrary.simpleMessage("for raskere deling"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Aktivert"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Utløpt"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Lenkeutløp"), - "linkHasExpired": - MessageLookupByLibrary.simpleMessage("Lenken har utløpt"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Aldri"), - "linkPerson": MessageLookupByLibrary.simpleMessage("Knytt til person"), - "linkPersonCaption": - MessageLookupByLibrary.simpleMessage("for bedre delingsopplevelse"), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("Live-bilder"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "Du kan dele abonnementet med familien din"), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "Vi beholder 3 kopier av dine data, en i en underjordisk bunker"), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "Alle våre apper har åpen kildekode"), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Vår kildekode og kryptografi har blitt revidert eksternt"), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "Du kan dele lenker til dine album med dine kjære"), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Våre mobilapper kjører i bakgrunnen for å kryptere og sikkerhetskopiere de nye bildene du klikker"), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io har en flott opplaster"), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Vi bruker Xcha20Poly1305 for å trygt kryptere dataene dine"), - "loadingExifData": - MessageLookupByLibrary.simpleMessage("Laster inn EXIF-data..."), - "loadingGallery": - MessageLookupByLibrary.simpleMessage("Laster galleri..."), - "loadingMessage": - MessageLookupByLibrary.simpleMessage("Laster bildene dine..."), - "loadingModel": - MessageLookupByLibrary.simpleMessage("Laster ned modeller..."), - "loadingYourPhotos": - MessageLookupByLibrary.simpleMessage("Laster bildene dine..."), - "localGallery": MessageLookupByLibrary.simpleMessage("Lokalt galleri"), - "localIndexing": - MessageLookupByLibrary.simpleMessage("Lokal indeksering"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Ser ut som noe gikk galt siden lokal synkronisering av bilder tar lengre tid enn forventet. Vennligst kontakt vårt supportteam"), - "location": MessageLookupByLibrary.simpleMessage("Plassering"), - "locationName": MessageLookupByLibrary.simpleMessage("Stedsnavn"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "En plasseringsetikett grupperer alle bilder som ble tatt innenfor en gitt radius av et bilde"), - "locations": MessageLookupByLibrary.simpleMessage("Plasseringer"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Lås"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Låseskjerm"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Logg inn"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Logger ut..."), - "loginSessionExpired": - MessageLookupByLibrary.simpleMessage("Økten har utløpt"), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "Økten er utløpt. Vennligst logg inn på nytt."), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Ved å klikke Logg inn, godtar jeg brukervilkårene og personvernreglene"), - "loginWithTOTP": - MessageLookupByLibrary.simpleMessage("Pålogging med TOTP"), - "logout": MessageLookupByLibrary.simpleMessage("Logg ut"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Dette vil sende over logger for å hjelpe oss med å feilsøke problemet. Vær oppmerksom på at filnavn vil bli inkludert for å hjelpe å spore problemer med spesifikke filer."), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Trykk og hold på en e-post for å bekrefte ende-til-ende-kryptering."), - "longpressOnAnItemToViewInFullscreen": - MessageLookupByLibrary.simpleMessage( - "Lang-trykk på en gjenstand for å vise i fullskjerm"), - "loopVideoOff": MessageLookupByLibrary.simpleMessage("Gjenta video av"), - "loopVideoOn": MessageLookupByLibrary.simpleMessage("Gjenta video på"), - "lostDevice": MessageLookupByLibrary.simpleMessage("Mistet enhet?"), - "machineLearning": MessageLookupByLibrary.simpleMessage("Maskinlæring"), - "magicSearch": MessageLookupByLibrary.simpleMessage("Magisk søk"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "Magisk søk lar deg finne bilder basert på innholdet i dem, for eksempel ‘blomst’, ‘rød bil’, ‘ID-dokumenter\'"), - "manage": MessageLookupByLibrary.simpleMessage("Administrer"), - "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( - "Behandle enhetens hurtigbuffer"), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Gjennomgå og fjern lokal hurtigbuffer."), - "manageFamily": - MessageLookupByLibrary.simpleMessage("Administrer familie"), - "manageLink": MessageLookupByLibrary.simpleMessage("Administrer lenke"), - "manageParticipants": - MessageLookupByLibrary.simpleMessage("Administrer"), - "manageSubscription": - MessageLookupByLibrary.simpleMessage("Administrer abonnement"), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "Koble til PIN fungerer med alle skjermer du vil se albumet på."), - "map": MessageLookupByLibrary.simpleMessage("Kart"), - "maps": MessageLookupByLibrary.simpleMessage("Kart"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("Meg"), - "memoryCount": m50, - "merchandise": MessageLookupByLibrary.simpleMessage("Varer"), - "mergeWithExisting": - MessageLookupByLibrary.simpleMessage("Slå sammen med eksisterende"), - "mergedPhotos": - MessageLookupByLibrary.simpleMessage("Sammenslåtte bilder"), - "mlConsent": - MessageLookupByLibrary.simpleMessage("Aktiver maskinlæring"), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Jeg forstår, og ønsker å aktivere maskinlæring"), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Hvis du aktiverer maskinlæring, vil Ente hente ut informasjon som ansiktsgeometri fra filer, inkludert de som er delt med deg.\n\nDette skjer på enheten din, og all generert biometrisk informasjon blir ende-til-ende-kryptert."), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Klikk her for mer informasjon om denne funksjonen i våre retningslinjer for personvern"), - "mlConsentTitle": - MessageLookupByLibrary.simpleMessage("Aktiver maskinlæring?"), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Vær oppmerksom på at maskinlæring vil resultere i høyere båndbredde og batteribruk inntil alle elementer er indeksert. Vurder å bruke skrivebordsappen for raskere indeksering, alle resultater vil bli synkronisert automatisk."), - "mobileWebDesktop": - MessageLookupByLibrary.simpleMessage("Mobil, Web, Datamaskin"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Moderat"), - "modifyYourQueryOrTrySearchingFor": - MessageLookupByLibrary.simpleMessage( - "Juster søket ditt, eller prøv å søke etter"), - "moments": MessageLookupByLibrary.simpleMessage("Øyeblikk"), - "month": MessageLookupByLibrary.simpleMessage("måned"), - "monthly": MessageLookupByLibrary.simpleMessage("Månedlig"), - "moon": MessageLookupByLibrary.simpleMessage("I månelyset"), - "moreDetails": MessageLookupByLibrary.simpleMessage("Flere detaljer"), - "mostRecent": MessageLookupByLibrary.simpleMessage("Nyeste"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("Mest relevant"), - "mountains": MessageLookupByLibrary.simpleMessage("Over åsene"), - "moveItem": m51, - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "Flytt valgte bilder til en dato"), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("Flytt til album"), - "moveToHiddenAlbum": - MessageLookupByLibrary.simpleMessage("Flytt til skjult album"), - "movedSuccessfullyTo": m52, - "movedToTrash": - MessageLookupByLibrary.simpleMessage("Flyttet til papirkurven"), - "movingFilesToAlbum": - MessageLookupByLibrary.simpleMessage("Flytter filer til album..."), - "name": MessageLookupByLibrary.simpleMessage("Navn"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Navngi albumet"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Kan ikke koble til Ente, prøv igjen etter en stund. Hvis feilen vedvarer, vennligst kontakt kundestøtte."), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Kan ikke koble til Ente, kontroller nettverksinnstillingene og kontakt kundestøtte hvis feilen vedvarer."), - "never": MessageLookupByLibrary.simpleMessage("Aldri"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Nytt album"), - "newLocation": MessageLookupByLibrary.simpleMessage("Ny plassering"), - "newPerson": MessageLookupByLibrary.simpleMessage("Ny person"), - "newRange": MessageLookupByLibrary.simpleMessage("Ny rekkevidde"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Ny til Ente"), - "newest": MessageLookupByLibrary.simpleMessage("Nyeste"), - "next": MessageLookupByLibrary.simpleMessage("Neste"), - "no": MessageLookupByLibrary.simpleMessage("Nei"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Ingen album delt av deg enda"), - "noDeviceFound": - MessageLookupByLibrary.simpleMessage("Ingen enheter funnet"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Ingen"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "Du har ingen filer i dette albumet som kan bli slettet"), - "noDuplicates": - MessageLookupByLibrary.simpleMessage("✨ Ingen duplikater"), - "noEnteAccountExclamation": - MessageLookupByLibrary.simpleMessage("Ingen Ente-konto!"), - "noExifData": MessageLookupByLibrary.simpleMessage("Ingen EXIF-data"), - "noFacesFound": - MessageLookupByLibrary.simpleMessage("Ingen ansikter funnet"), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "Ingen skjulte bilder eller videoer"), - "noImagesWithLocation": - MessageLookupByLibrary.simpleMessage("Ingen bilder med plassering"), - "noInternetConnection": - MessageLookupByLibrary.simpleMessage("Ingen nettverksforbindelse"), - "noPhotosAreBeingBackedUpRightNow": - MessageLookupByLibrary.simpleMessage( - "Ingen bilder er blitt sikkerhetskopiert akkurat nå"), - "noPhotosFoundHere": - MessageLookupByLibrary.simpleMessage("Ingen bilder funnet her"), - "noQuickLinksSelected": - MessageLookupByLibrary.simpleMessage("Ingen hurtiglenker er valgt"), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Ingen gjenopprettingsnøkkel?"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Grunnet vår type ente-til-ende-krypteringsprotokoll kan ikke dine data dekrypteres uten passordet ditt eller gjenopprettingsnøkkelen din"), - "noResults": MessageLookupByLibrary.simpleMessage("Ingen resultater"), - "noResultsFound": - MessageLookupByLibrary.simpleMessage("Ingen resultater funnet"), - "noSuggestionsForPerson": m53, - "noSystemLockFound": - MessageLookupByLibrary.simpleMessage("Ingen systemlås funnet"), - "notPersonLabel": m54, - "notThisPerson": - MessageLookupByLibrary.simpleMessage("Ikke denne personen?"), - "nothingSharedWithYouYet": - MessageLookupByLibrary.simpleMessage("Ingenting delt med deg enda"), - "nothingToSeeHere": - MessageLookupByLibrary.simpleMessage("Ingenting å se her! 👀"), - "notifications": MessageLookupByLibrary.simpleMessage("Varslinger"), - "ok": MessageLookupByLibrary.simpleMessage("Ok"), - "onDevice": MessageLookupByLibrary.simpleMessage("På enhet"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "På ente"), - "onTheRoad": MessageLookupByLibrary.simpleMessage("På veien igjen"), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Bare de"), - "oops": MessageLookupByLibrary.simpleMessage("Oisann"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Oisann, kunne ikke lagre endringer"), - "oopsSomethingWentWrong": - MessageLookupByLibrary.simpleMessage("Oisann! Noe gikk galt"), - "openAlbumInBrowser": - MessageLookupByLibrary.simpleMessage("Åpne album i nettleser"), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Vennligst bruk webapplikasjonen for å legge til bilder til dette albumet"), - "openFile": MessageLookupByLibrary.simpleMessage("Åpne fil"), - "openSettings": - MessageLookupByLibrary.simpleMessage("Åpne innstillinger"), - "openTheItem": MessageLookupByLibrary.simpleMessage("• Åpne elementet"), - "openstreetmapContributors": - MessageLookupByLibrary.simpleMessage("OpenStreetMap bidragsytere"), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Valgfri, så kort som du vil..."), - "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( - "Eller slå sammen med eksisterende"), - "orPickAnExistingOne": - MessageLookupByLibrary.simpleMessage("Eller velg en eksisterende"), - "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( - "Eller velg fra kontaktene dine"), - "pair": MessageLookupByLibrary.simpleMessage("Par"), - "pairWithPin": - MessageLookupByLibrary.simpleMessage("Parr sammen med PIN"), - "pairingComplete": - MessageLookupByLibrary.simpleMessage("Sammenkobling fullført"), - "panorama": MessageLookupByLibrary.simpleMessage("Panora"), - "partyWithThem": m56, - "passKeyPendingVerification": - MessageLookupByLibrary.simpleMessage("Bekreftelse venter fortsatt"), - "passkey": MessageLookupByLibrary.simpleMessage("Tilgangsnøkkel"), - "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( - "Verifisering av tilgangsnøkkel"), - "password": MessageLookupByLibrary.simpleMessage("Passord"), - "passwordChangedSuccessfully": - MessageLookupByLibrary.simpleMessage("Passordet ble endret"), - "passwordLock": MessageLookupByLibrary.simpleMessage("Passordlås"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "Passordstyrken beregnes basert på passordets lengde, brukte tegn, og om passordet finnes blant de 10 000 mest brukte passordene"), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Vi lagrer ikke dette passordet, så hvis du glemmer det, kan vi ikke dekryptere dataene dine"), - "paymentDetails": - MessageLookupByLibrary.simpleMessage("Betalingsinformasjon"), - "paymentFailed": - MessageLookupByLibrary.simpleMessage("Betaling feilet"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "Betalingen din mislyktes. Kontakt kundestøtte og vi vil hjelpe deg!"), - "paymentFailedTalkToProvider": m58, - "pendingItems": - MessageLookupByLibrary.simpleMessage("Ventende elementer"), - "pendingSync": - MessageLookupByLibrary.simpleMessage("Ventende synkronisering"), - "people": MessageLookupByLibrary.simpleMessage("Folk"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Personer som bruker koden din"), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Alle elementer i papirkurven vil slettes permanent\n\nDenne handlingen kan ikke angres"), - "permanentlyDelete": - MessageLookupByLibrary.simpleMessage("Slette for godt"), - "permanentlyDeleteFromDevice": - MessageLookupByLibrary.simpleMessage("Slett permanent fra enhet?"), - "personIsAge": m59, - "personName": MessageLookupByLibrary.simpleMessage("Personnavn"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("Pelsvenner"), - "photoDescriptions": - MessageLookupByLibrary.simpleMessage("Bildebeskrivelser"), - "photoGridSize": - MessageLookupByLibrary.simpleMessage("Bilderutenettstørrelse"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("bilde"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("Bilder"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "Bilder lagt til av deg vil bli fjernet fra albumet"), - "photosKeepRelativeTimeDifference": - MessageLookupByLibrary.simpleMessage( - "Bilder holder relativ tidsforskjell"), - "pickCenterPoint": - MessageLookupByLibrary.simpleMessage("Velg midtpunkt"), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Fest album"), - "pinLock": MessageLookupByLibrary.simpleMessage("PIN-kode lås"), - "playOnTv": - MessageLookupByLibrary.simpleMessage("Spill av album på TV"), - "playOriginal": - MessageLookupByLibrary.simpleMessage("Spill av original"), - "playStoreFreeTrialValidTill": m63, - "playStream": MessageLookupByLibrary.simpleMessage("Spill av strøm"), - "playstoreSubscription": - MessageLookupByLibrary.simpleMessage("PlayStore abonnement"), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Kontroller Internett-tilkoblingen din og prøv igjen."), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Vennligst kontakt support@ente.io og vi vil gjerne hjelpe!"), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Vennligst kontakt kundestøtte hvis problemet vedvarer"), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": - MessageLookupByLibrary.simpleMessage("Vennligst gi tillatelser"), - "pleaseLoginAgain": - MessageLookupByLibrary.simpleMessage("Vennligst logg inn igjen"), - "pleaseSelectQuickLinksToRemove": - MessageLookupByLibrary.simpleMessage("Velg hurtiglenker å fjerne"), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": - MessageLookupByLibrary.simpleMessage("Vennligst prøv igjen"), - "pleaseVerifyTheCodeYouHaveEntered": - MessageLookupByLibrary.simpleMessage( - "Bekreft koden du har skrevet inn"), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Vennligst vent..."), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Vennligst vent, sletter album"), - "pleaseWaitForSometimeBeforeRetrying": - MessageLookupByLibrary.simpleMessage( - "Vennligst vent en stund før du prøver på nytt"), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "Vennligst vent, dette vil ta litt tid."), - "posingWithThem": m66, - "preparingLogs": - MessageLookupByLibrary.simpleMessage("Forbereder logger..."), - "preserveMore": MessageLookupByLibrary.simpleMessage("Behold mer"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Trykk og hold inne for å spille av video"), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Trykk og hold inne bildet for å spille av video"), - "previous": MessageLookupByLibrary.simpleMessage("Forrige"), - "privacy": MessageLookupByLibrary.simpleMessage("Personvern"), - "privacyPolicyTitle": - MessageLookupByLibrary.simpleMessage("Personvernserklæring"), - "privateBackups": - MessageLookupByLibrary.simpleMessage("Private sikkerhetskopier"), - "privateSharing": MessageLookupByLibrary.simpleMessage("Privat deling"), - "proceed": MessageLookupByLibrary.simpleMessage("Fortsett"), - "processed": MessageLookupByLibrary.simpleMessage("Behandlet"), - "processing": MessageLookupByLibrary.simpleMessage("Behandler"), - "processingImport": m67, - "processingVideos": - MessageLookupByLibrary.simpleMessage("Behandler videoer"), - "publicLinkCreated": - MessageLookupByLibrary.simpleMessage("Offentlig lenke opprettet"), - "publicLinkEnabled": - MessageLookupByLibrary.simpleMessage("Offentlig lenke aktivert"), - "queued": MessageLookupByLibrary.simpleMessage("I køen"), - "quickLinks": MessageLookupByLibrary.simpleMessage("Hurtiglenker"), - "radius": MessageLookupByLibrary.simpleMessage("Radius"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Opprett sak"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("Vurder appen"), - "rateUs": MessageLookupByLibrary.simpleMessage("Vurder oss"), - "rateUsOnStore": m68, - "reassignMe": MessageLookupByLibrary.simpleMessage("Tildel \"Meg\""), - "reassignedToName": m69, - "reassigningLoading": - MessageLookupByLibrary.simpleMessage("Tildeler..."), - "recover": MessageLookupByLibrary.simpleMessage("Gjenopprett"), - "recoverAccount": - MessageLookupByLibrary.simpleMessage("Gjenopprett konto"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Gjenopprett"), - "recoveryAccount": - MessageLookupByLibrary.simpleMessage("Gjenopprett konto"), - "recoveryInitiated": - MessageLookupByLibrary.simpleMessage("Gjenoppretting startet"), - "recoveryInitiatedDesc": m70, - "recoveryKey": - MessageLookupByLibrary.simpleMessage("Gjenopprettingsnøkkel"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Gjenopprettingsnøkkel kopiert til utklippstavlen"), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Hvis du glemmer passordet ditt er den eneste måten du kan gjenopprette dataene dine på med denne nøkkelen."), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Vi lagrer ikke denne nøkkelen, vennligst lagre denne 24-ords nøkkelen på et trygt sted."), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Flott! Din gjenopprettingsnøkkel er gyldig. Takk for bekreftelsen.\n\nVennligst husk å holde gjenopprettingsnøkkelen din trygt sikkerhetskopiert."), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Gjenopprettingsnøkkel bekreftet"), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Gjenopprettingsnøkkelen er den eneste måten å gjenopprette bildene dine på hvis du glemmer passordet ditt. Du finner gjenopprettingsnøkkelen din i Innstillinger > Konto.\n\nVennligst skriv inn gjenopprettingsnøkkelen din her for å bekrefte at du har lagret den riktig."), - "recoveryReady": m71, - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "Gjenopprettingen var vellykket!"), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "En betrodd kontakt prøver å få tilgang til kontoen din"), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "Den gjeldende enheten er ikke kraftig nok til å verifisere passordet ditt, men vi kan regenerere på en måte som fungerer på alle enheter.\n\nVennligst logg inn med gjenopprettingsnøkkelen og regenerer passordet (du kan bruke den samme igjen om du vil)."), - "recreatePasswordTitle": - MessageLookupByLibrary.simpleMessage("Gjenopprett passord"), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": - MessageLookupByLibrary.simpleMessage("Skriv inn passord på nytt"), - "reenterPin": - MessageLookupByLibrary.simpleMessage("Skriv inn PIN-kode på nytt"), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Verv venner og doble abonnementet ditt"), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Gi denne koden til vennene dine"), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "De registrerer seg for en betalt plan"), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Vervinger"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "Vervinger er for øyeblikket satt på pause"), - "rejectRecovery": - MessageLookupByLibrary.simpleMessage("Avslå gjenoppretting"), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "Tøm også \"Nylig slettet\" fra \"Innstillinger\" → \"Lagring\" for å få frigjort plass"), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Du kan også tømme \"Papirkurven\" for å få den frigjorte lagringsplassen"), - "remoteImages": MessageLookupByLibrary.simpleMessage("Eksterne bilder"), - "remoteThumbnails": - MessageLookupByLibrary.simpleMessage("Eksterne miniatyrbilder"), - "remoteVideos": - MessageLookupByLibrary.simpleMessage("Eksterne videoer"), - "remove": MessageLookupByLibrary.simpleMessage("Fjern"), - "removeDuplicates": - MessageLookupByLibrary.simpleMessage("Fjern duplikater"), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Gjennomgå og fjern filer som er eksakte duplikater."), - "removeFromAlbum": - MessageLookupByLibrary.simpleMessage("Fjern fra album"), - "removeFromAlbumTitle": - MessageLookupByLibrary.simpleMessage("Fjern fra album?"), - "removeFromFavorite": - MessageLookupByLibrary.simpleMessage("Fjern fra favoritter"), - "removeInvite": - MessageLookupByLibrary.simpleMessage("Fjern invitasjon"), - "removeLink": MessageLookupByLibrary.simpleMessage("Fjern lenke"), - "removeParticipant": - MessageLookupByLibrary.simpleMessage("Fjern deltaker"), - "removeParticipantBody": m74, - "removePersonLabel": - MessageLookupByLibrary.simpleMessage("Fjern etikett for person"), - "removePublicLink": - MessageLookupByLibrary.simpleMessage("Fjern offentlig lenke"), - "removePublicLinks": - MessageLookupByLibrary.simpleMessage("Fjern offentlige lenker"), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Noen av elementene du fjerner ble lagt til av andre personer, og du vil miste tilgang til dem"), - "removeWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Fjern?"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Fjern deg selv som betrodd kontakt"), - "removingFromFavorites": - MessageLookupByLibrary.simpleMessage("Fjerner fra favoritter..."), - "rename": MessageLookupByLibrary.simpleMessage("Endre navn"), - "renameAlbum": - MessageLookupByLibrary.simpleMessage("Gi album nytt navn"), - "renameFile": MessageLookupByLibrary.simpleMessage("Gi nytt filnavn"), - "renewSubscription": - MessageLookupByLibrary.simpleMessage("Forny abonnement"), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Rapporter en feil"), - "reportBug": MessageLookupByLibrary.simpleMessage("Rapporter feil"), - "resendEmail": - MessageLookupByLibrary.simpleMessage("Send e-posten på nytt"), - "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( - "Tilbakestill ignorerte filer"), - "resetPasswordTitle": - MessageLookupByLibrary.simpleMessage("Tilbakestill passord"), - "resetPerson": MessageLookupByLibrary.simpleMessage("Fjern"), - "resetToDefault": - MessageLookupByLibrary.simpleMessage("Tilbakestill til standard"), - "restore": MessageLookupByLibrary.simpleMessage("Gjenopprett"), - "restoreToAlbum": - MessageLookupByLibrary.simpleMessage("Gjenopprett til album"), - "restoringFiles": - MessageLookupByLibrary.simpleMessage("Gjenoppretter filer..."), - "resumableUploads": - MessageLookupByLibrary.simpleMessage("Fortsette opplastinger"), - "retry": MessageLookupByLibrary.simpleMessage("Prøv på nytt"), - "review": MessageLookupByLibrary.simpleMessage("Gjennomgå"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Vennligst gjennomgå og slett elementene du tror er duplikater."), - "reviewSuggestions": - MessageLookupByLibrary.simpleMessage("Gjennomgå forslag"), - "right": MessageLookupByLibrary.simpleMessage("Høyre"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("Roter"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Roter mot venstre"), - "rotateRight": MessageLookupByLibrary.simpleMessage("Roter mot høyre"), - "safelyStored": MessageLookupByLibrary.simpleMessage("Trygt lagret"), - "save": MessageLookupByLibrary.simpleMessage("Lagre"), - "saveChangesBeforeLeavingQuestion": - MessageLookupByLibrary.simpleMessage( - "Lagre endringer før du drar?"), - "saveCollage": MessageLookupByLibrary.simpleMessage("Lagre kollasje"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Lagre en kopi"), - "saveKey": MessageLookupByLibrary.simpleMessage("Lagre nøkkel"), - "savePerson": MessageLookupByLibrary.simpleMessage("Lagre person"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Lagre gjenopprettingsnøkkelen hvis du ikke allerede har gjort det"), - "saving": MessageLookupByLibrary.simpleMessage("Lagrer..."), - "savingEdits": - MessageLookupByLibrary.simpleMessage("Lagrer redigeringer..."), - "scanCode": MessageLookupByLibrary.simpleMessage("Skann kode"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Skann denne strekkoden med\nautentiseringsappen din"), - "search": MessageLookupByLibrary.simpleMessage("Søk"), - "searchAlbumsEmptySection": - MessageLookupByLibrary.simpleMessage("Album"), - "searchByAlbumNameHint": - MessageLookupByLibrary.simpleMessage("Albumnavn"), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Albumnavn (f.eks. \"Kamera\")\n• Filtyper (f.eks. \"Videoer\", \".gif\")\n• År og måneder (f.eks. \"2022\", \"January\")\n• Hellidager (f.eks. \"Jul\")\n• Bildebeskrivelser (f.eks. \"#moro\")"), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Legg til beskrivelser som \"#tur\" i bildeinfo for raskt å finne dem her"), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Søk etter dato, måned eller år"), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "Bilder vil vises her når behandlingen og synkronisering er fullført"), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "Folk vil vises her når indeksering er gjort"), - "searchFileTypesAndNamesEmptySection": - MessageLookupByLibrary.simpleMessage("Filtyper og navn"), - "searchHint1": - MessageLookupByLibrary.simpleMessage("Raskt søk på enheten"), - "searchHint2": - MessageLookupByLibrary.simpleMessage("Bildedatoer, beskrivelser"), - "searchHint3": - MessageLookupByLibrary.simpleMessage("Albumer, filnavn og typer"), - "searchHint4": MessageLookupByLibrary.simpleMessage("Plassering"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "Kommer snart: ansikt & magisk søk ✨"), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Gruppebilder som er tatt innenfor noen radius av et bilde"), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "Inviter folk, og du vil se alle bilder som deles av dem her"), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "Folk vil vises her når behandling og synkronisering er fullført"), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Sikkerhet"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "Se offentlige albumlenker i appen"), - "selectALocation": - MessageLookupByLibrary.simpleMessage("Velg en plassering"), - "selectALocationFirst": - MessageLookupByLibrary.simpleMessage("Velg en plassering først"), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Velg album"), - "selectAll": MessageLookupByLibrary.simpleMessage("Velg alle"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("Alle"), - "selectCoverPhoto": - MessageLookupByLibrary.simpleMessage("Velg forsidebilde"), - "selectDate": MessageLookupByLibrary.simpleMessage("Velg dato"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Velg mapper for sikkerhetskopiering"), - "selectItemsToAdd": - MessageLookupByLibrary.simpleMessage("Velg produkter å legge til"), - "selectLanguage": MessageLookupByLibrary.simpleMessage("Velg språk"), - "selectMailApp": - MessageLookupByLibrary.simpleMessage("Velg e-post-app"), - "selectMorePhotos": - MessageLookupByLibrary.simpleMessage("Velg flere bilder"), - "selectOneDateAndTime": - MessageLookupByLibrary.simpleMessage("Velg en dato og klokkeslett"), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "Velg én dato og klokkeslett for alle"), - "selectPersonToLink": - MessageLookupByLibrary.simpleMessage("Velg person å knytte til"), - "selectReason": MessageLookupByLibrary.simpleMessage("Velg grunn"), - "selectStartOfRange": - MessageLookupByLibrary.simpleMessage("Velg starten på rekkevidde"), - "selectTime": MessageLookupByLibrary.simpleMessage("Velg tidspunkt"), - "selectYourFace": - MessageLookupByLibrary.simpleMessage("Velg ansiktet ditt"), - "selectYourPlan": - MessageLookupByLibrary.simpleMessage("Velg abonnementet ditt"), - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Valgte filer er ikke på Ente"), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Valgte mapper vil bli kryptert og sikkerhetskopiert"), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Valgte elementer vil bli slettet fra alle album og flyttet til papirkurven."), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "Valgte elementer fjernes fra denne personen, men blir ikke slettet fra biblioteket ditt."), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("Send"), - "sendEmail": MessageLookupByLibrary.simpleMessage("Send e-post"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Send invitasjon"), - "sendLink": MessageLookupByLibrary.simpleMessage("Send lenke"), - "serverEndpoint": - MessageLookupByLibrary.simpleMessage("Serverendepunkt"), - "sessionExpired": - MessageLookupByLibrary.simpleMessage("Økten har utløpt"), - "sessionIdMismatch": - MessageLookupByLibrary.simpleMessage("Økt-ID stemmer ikke"), - "setAPassword": MessageLookupByLibrary.simpleMessage("Lag et passord"), - "setAs": MessageLookupByLibrary.simpleMessage("Angi som"), - "setCover": MessageLookupByLibrary.simpleMessage("Angi forside"), - "setLabel": MessageLookupByLibrary.simpleMessage("Angi"), - "setNewPassword": - MessageLookupByLibrary.simpleMessage("Angi nytt passord"), - "setNewPin": MessageLookupByLibrary.simpleMessage("Angi ny PIN-kode"), - "setPasswordTitle": - MessageLookupByLibrary.simpleMessage("Angi passord"), - "setRadius": MessageLookupByLibrary.simpleMessage("Angi radius"), - "setupComplete": - MessageLookupByLibrary.simpleMessage("Oppsett fullført"), - "share": MessageLookupByLibrary.simpleMessage("Del"), - "shareALink": MessageLookupByLibrary.simpleMessage("Del en lenke"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Åpne et album og trykk på del-knappen øverst til høyre for å dele."), - "shareAnAlbumNow": - MessageLookupByLibrary.simpleMessage("Del et album nå"), - "shareLink": MessageLookupByLibrary.simpleMessage("Del link"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": - MessageLookupByLibrary.simpleMessage("Del bare med de du vil"), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Last ned Ente slik at vi lett kan dele bilder og videoer av original kvalitet\n\nhttps://ente.io"), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Del med brukere som ikke har Ente"), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": - MessageLookupByLibrary.simpleMessage("Del ditt første album"), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Opprett delte album du kan samarbeide om med andre Ente-brukere, inkludert brukere med gratisabonnement."), - "sharedByMe": MessageLookupByLibrary.simpleMessage("Delt av meg"), - "sharedByYou": MessageLookupByLibrary.simpleMessage("Delt av deg"), - "sharedPhotoNotifications": - MessageLookupByLibrary.simpleMessage("Nye delte bilder"), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Motta varsler når noen legger til et bilde i et delt album som du er en del av"), - "sharedWith": m87, - "sharedWithMe": MessageLookupByLibrary.simpleMessage("Delt med meg"), - "sharedWithYou": MessageLookupByLibrary.simpleMessage("Delt med deg"), - "sharing": MessageLookupByLibrary.simpleMessage("Deler..."), - "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( - "Forskyv datoer og klokkeslett"), - "showMemories": MessageLookupByLibrary.simpleMessage("Vis minner"), - "showPerson": MessageLookupByLibrary.simpleMessage("Vis person"), - "signOutFromOtherDevices": - MessageLookupByLibrary.simpleMessage("Logg ut fra andre enheter"), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Hvis du tror noen kjenner til ditt passord, kan du tvinge alle andre enheter som bruker kontoen din til å logge ut."), - "signOutOtherDevices": - MessageLookupByLibrary.simpleMessage("Logg ut andre enheter"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Jeg godtar bruksvilkårene og personvernreglene"), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Den vil bli slettet fra alle album."), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Hopp over"), - "social": MessageLookupByLibrary.simpleMessage("Sosial"), - "someItemsAreInBothEnteAndYourDevice": - MessageLookupByLibrary.simpleMessage( - "Noen elementer er i både Ente og på enheten din."), - "someOfTheFilesYouAreTryingToDeleteAre": - MessageLookupByLibrary.simpleMessage( - "Noen av filene du prøver å slette, er kun tilgjengelig på enheten og kan ikke gjenopprettes dersom det blir slettet"), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Folk som deler album med deg bør se den samme ID-en på deres enhet."), - "somethingWentWrong": - MessageLookupByLibrary.simpleMessage("Noe gikk galt"), - "somethingWentWrongPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Noe gikk galt. Vennligst prøv igjen"), - "sorry": MessageLookupByLibrary.simpleMessage("Beklager"), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Beklager, kan ikke legge til i favoritter!"), - "sorryCouldNotRemoveFromFavorites": - MessageLookupByLibrary.simpleMessage( - "Beklager, kunne ikke fjerne fra favoritter!"), - "sorryTheCodeYouveEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "Beklager, koden du skrev inn er feil"), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Beklager, vi kunne ikke generere sikre nøkler på denne enheten.\n\nvennligst registrer deg fra en annen enhet."), - "sort": MessageLookupByLibrary.simpleMessage("Sorter"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sorter etter"), - "sortNewestFirst": MessageLookupByLibrary.simpleMessage("Nyeste først"), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Eldste først"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Suksess"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": - MessageLookupByLibrary.simpleMessage("Fremhev deg selv"), - "startAccountRecoveryTitle": - MessageLookupByLibrary.simpleMessage("Start gjenoppretting"), - "startBackup": - MessageLookupByLibrary.simpleMessage("Start sikkerhetskopiering"), - "status": MessageLookupByLibrary.simpleMessage("Status"), - "stopCastingBody": - MessageLookupByLibrary.simpleMessage("Vil du avbryte strømmingen?"), - "stopCastingTitle": - MessageLookupByLibrary.simpleMessage("Stopp strømmingen"), - "storage": MessageLookupByLibrary.simpleMessage("Lagring"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Familie"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Deg"), - "storageInGB": m93, - "storageLimitExceeded": - MessageLookupByLibrary.simpleMessage("Lagringsplassen er full"), - "storageUsageInfo": m94, - "streamDetails": - MessageLookupByLibrary.simpleMessage("Strømmedetaljer"), - "strongStrength": MessageLookupByLibrary.simpleMessage("Sterkt"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Abonner"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Du trenger et aktivt betalt abonnement for å aktivere deling."), - "subscription": MessageLookupByLibrary.simpleMessage("Abonnement"), - "success": MessageLookupByLibrary.simpleMessage("Suksess"), - "successfullyArchived": - MessageLookupByLibrary.simpleMessage("Lagt til i arkivet"), - "successfullyHid": - MessageLookupByLibrary.simpleMessage("Vellykket skjult"), - "successfullyUnarchived": - MessageLookupByLibrary.simpleMessage("Fjernet fra arkviet"), - "successfullyUnhid": - MessageLookupByLibrary.simpleMessage("Vellykket synliggjøring"), - "suggestFeatures": - MessageLookupByLibrary.simpleMessage("Foreslå funksjoner"), - "sunrise": MessageLookupByLibrary.simpleMessage("På horisonten"), - "support": MessageLookupByLibrary.simpleMessage("Brukerstøtte"), - "syncProgress": m97, - "syncStopped": - MessageLookupByLibrary.simpleMessage("Synkronisering stoppet"), - "syncing": MessageLookupByLibrary.simpleMessage("Synkroniserer..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("System"), - "tapToCopy": - MessageLookupByLibrary.simpleMessage("trykk for å kopiere"), - "tapToEnterCode": - MessageLookupByLibrary.simpleMessage("Trykk for å angi kode"), - "tapToUnlock": - MessageLookupByLibrary.simpleMessage("Trykk for å låse opp"), - "tapToUpload": - MessageLookupByLibrary.simpleMessage("Trykk for å laste opp"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Det ser ut som noe gikk galt. Prøv på nytt etter en stund. Hvis feilen vedvarer, kontakt kundestøtte."), - "terminate": MessageLookupByLibrary.simpleMessage("Avslutte"), - "terminateSession": - MessageLookupByLibrary.simpleMessage("Avslutte økten?"), - "terms": MessageLookupByLibrary.simpleMessage("Vilkår"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Vilkår"), - "thankYou": MessageLookupByLibrary.simpleMessage("Tusen takk"), - "thankYouForSubscribing": - MessageLookupByLibrary.simpleMessage("Takk for at du abonnerer!"), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "Nedlastingen kunne ikke fullføres"), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "Lenken du prøver å få tilgang til, er utløpt."), - "theRecoveryKeyYouEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "Gjennopprettingsnøkkelen du skrev inn er feil"), - "theme": MessageLookupByLibrary.simpleMessage("Tema"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Disse elementene vil bli slettet fra enheten din."), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "De vil bli slettet fra alle album."), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Denne handlingen kan ikke angres"), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "Dette albumet har allerede en samarbeidslenke"), - "thisCanBeUsedToRecoverYourAccountIfYou": - MessageLookupByLibrary.simpleMessage( - "Dette kan brukes til å gjenopprette kontoen din hvis du mister din andre faktor"), - "thisDevice": MessageLookupByLibrary.simpleMessage("Denne enheten"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "Denne e-postadressen er allerede i bruk"), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Dette bildet har ingen exif-data"), - "thisIsMeExclamation": - MessageLookupByLibrary.simpleMessage("Dette er meg!"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Dette er din bekreftelses-ID"), - "thisWeekThroughTheYears": - MessageLookupByLibrary.simpleMessage("Denne uka gjennom årene"), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Dette vil logge deg ut av følgende enhet:"), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Dette vil logge deg ut av denne enheten!"), - "thisWillMakeTheDateAndTimeOfAllSelected": - MessageLookupByLibrary.simpleMessage( - "Dette vil gjøre dato og klokkeslett for alle valgte bilder det samme."), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "Dette fjerner de offentlige lenkene av alle valgte hurtiglenker."), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "For å aktivere applås, vennligst angi passord eller skjermlås i systeminnstillingene."), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( - "For å skjule et bilde eller video"), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "For å tilbakestille passordet ditt, vennligst bekreft e-posten din først."), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Dagens logger"), - "tooManyIncorrectAttempts": - MessageLookupByLibrary.simpleMessage("For mange gale forsøk"), - "total": MessageLookupByLibrary.simpleMessage("totalt"), - "totalSize": MessageLookupByLibrary.simpleMessage("Total størrelse"), - "trash": MessageLookupByLibrary.simpleMessage("Papirkurv"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Beskjær"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": - MessageLookupByLibrary.simpleMessage("Betrodde kontakter"), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Prøv igjen"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Slå på sikkerhetskopi for å automatisk laste opp filer lagt til denne enhetsmappen i Ente."), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "2 måneder gratis med årsabonnement"), - "twofactor": MessageLookupByLibrary.simpleMessage("Tofaktor"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "Tofaktorautentisering har blitt deaktivert"), - "twofactorAuthenticationPageTitle": - MessageLookupByLibrary.simpleMessage("Tofaktorautentisering"), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "Tofaktorautentisering ble tilbakestilt"), - "twofactorSetup": - MessageLookupByLibrary.simpleMessage("Oppsett av to-faktor"), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("Opphev arkivering"), - "unarchiveAlbum": - MessageLookupByLibrary.simpleMessage("Gjenopprett album"), - "unarchiving": - MessageLookupByLibrary.simpleMessage("Fjerner fra arkivet..."), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Beklager, denne koden er utilgjengelig."), - "uncategorized": MessageLookupByLibrary.simpleMessage("Ukategorisert"), - "unhide": MessageLookupByLibrary.simpleMessage("Gjør synligjort"), - "unhideToAlbum": - MessageLookupByLibrary.simpleMessage("Gjør synlig i album"), - "unhiding": MessageLookupByLibrary.simpleMessage("Synliggjør..."), - "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Gjør filer synlige i albumet"), - "unlock": MessageLookupByLibrary.simpleMessage("Lås opp"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("Løsne album"), - "unselectAll": MessageLookupByLibrary.simpleMessage("Velg bort alle"), - "update": MessageLookupByLibrary.simpleMessage("Oppdater"), - "updateAvailable": MessageLookupByLibrary.simpleMessage( - "En oppdatering er tilgjengelig"), - "updatingFolderSelection": - MessageLookupByLibrary.simpleMessage("Oppdaterer mappevalg..."), - "upgrade": MessageLookupByLibrary.simpleMessage("Oppgrader"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Laster opp filer til albumet..."), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": - MessageLookupByLibrary.simpleMessage("Bevarer 1 minne..."), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "Opptil 50 % rabatt, frem til 4. desember."), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "Brukbar lagringsplass er begrenset av abonnementet ditt. Lagring du har gjort krav på utover denne grensen blir automatisk tilgjengelig når du oppgraderer abonnementet ditt."), - "useAsCover": - MessageLookupByLibrary.simpleMessage("Bruk som forsidebilde"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "Har du problemer med å spille av denne videoen? Hold inne her for å prøve en annen avspiller."), - "usePublicLinksForPeopleNotOnEnte": - MessageLookupByLibrary.simpleMessage( - "Bruk offentlige lenker for folk som ikke bruker Ente"), - "useRecoveryKey": - MessageLookupByLibrary.simpleMessage("Bruk gjenopprettingsnøkkel"), - "useSelectedPhoto": - MessageLookupByLibrary.simpleMessage("Bruk valgt bilde"), - "usedSpace": - MessageLookupByLibrary.simpleMessage("Benyttet lagringsplass"), - "validTill": m110, - "verificationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Bekreftelse mislyktes, vennligst prøv igjen"), - "verificationId": - MessageLookupByLibrary.simpleMessage("Verifiserings-ID"), - "verify": MessageLookupByLibrary.simpleMessage("Bekreft"), - "verifyEmail": - MessageLookupByLibrary.simpleMessage("Bekreft e-postadresse"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Bekreft"), - "verifyPasskey": - MessageLookupByLibrary.simpleMessage("Bekreft tilgangsnøkkel"), - "verifyPassword": - MessageLookupByLibrary.simpleMessage("Bekreft passord"), - "verifying": MessageLookupByLibrary.simpleMessage("Verifiserer..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Verifiserer gjenopprettingsnøkkel..."), - "videoInfo": MessageLookupByLibrary.simpleMessage("Videoinformasjon"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), - "videos": MessageLookupByLibrary.simpleMessage("Videoer"), - "viewActiveSessions": - MessageLookupByLibrary.simpleMessage("Vis aktive økter"), - "viewAddOnButton": MessageLookupByLibrary.simpleMessage("Vis tillegg"), - "viewAll": MessageLookupByLibrary.simpleMessage("Vis alle"), - "viewAllExifData": - MessageLookupByLibrary.simpleMessage("Vis alle EXIF-data"), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Store filer"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Vis filer som bruker mest lagringsplass."), - "viewLogs": MessageLookupByLibrary.simpleMessage("Se logger"), - "viewRecoveryKey": - MessageLookupByLibrary.simpleMessage("Vis gjenopprettingsnøkkel"), - "viewer": MessageLookupByLibrary.simpleMessage("Seer"), - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Vennligst besøk web.ente.io for å administrere abonnementet"), - "waitingForVerification": - MessageLookupByLibrary.simpleMessage("Venter på verifikasjon..."), - "waitingForWifi": - MessageLookupByLibrary.simpleMessage("Venter på WiFi..."), - "warning": MessageLookupByLibrary.simpleMessage("Advarsel"), - "weAreOpenSource": - MessageLookupByLibrary.simpleMessage("Vi har åpen kildekode!"), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "Vi støtter ikke redigering av bilder og album som du ikke eier ennå"), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Svakt"), - "welcomeBack": - MessageLookupByLibrary.simpleMessage("Velkommen tilbake!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("Det som er nytt"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "Betrodd kontakt kan hjelpe til med å gjenopprette dine data."), - "yearShort": MessageLookupByLibrary.simpleMessage("år"), - "yearly": MessageLookupByLibrary.simpleMessage("Årlig"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Ja"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Ja, avslutt"), - "yesConvertToViewer": - MessageLookupByLibrary.simpleMessage("Ja, konverter til seer"), - "yesDelete": MessageLookupByLibrary.simpleMessage("Ja, slett"), - "yesDiscardChanges": - MessageLookupByLibrary.simpleMessage("Ja, forkast endringer"), - "yesLogout": MessageLookupByLibrary.simpleMessage("Ja, logg ut"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Ja, fjern"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Ja, forny"), - "yesResetPerson": - MessageLookupByLibrary.simpleMessage("Ja, tilbakestill person"), - "you": MessageLookupByLibrary.simpleMessage("Deg"), - "youAndThem": m117, - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( - "Du har et familieabonnement!"), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Du er på den nyeste versjonen"), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Du kan maksimalt doble lagringsplassen din"), - "youCanManageYourLinksInTheShareTab": - MessageLookupByLibrary.simpleMessage( - "Du kan administrere koblingene dine i fanen for deling."), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "Du kan prøve å søke etter noe annet."), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "Du kan ikke nedgradere til dette abonnementet"), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Du kan ikke dele med deg selv"), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "Du har ingen arkiverte elementer."), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "Brukeren din har blitt slettet"), - "yourMap": MessageLookupByLibrary.simpleMessage("Ditt kart"), - "yourPlanWasSuccessfullyDowngraded": - MessageLookupByLibrary.simpleMessage( - "Abonnementet ditt ble nedgradert"), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "Abonnementet ditt ble oppgradert"), - "yourPurchaseWasSuccessful": - MessageLookupByLibrary.simpleMessage("Ditt kjøp var vellykket"), - "yourStorageDetailsCouldNotBeFetched": - MessageLookupByLibrary.simpleMessage( - "Lagringsdetaljene dine kunne ikke hentes"), - "yourSubscriptionHasExpired": - MessageLookupByLibrary.simpleMessage("Abonnementet har utløpt"), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "Abonnementet ditt ble oppdatert"), - "yourVerificationCodeHasExpired": - MessageLookupByLibrary.simpleMessage("Bekreftelseskoden er utløpt"), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage( - "Du har ingen duplikatfiler som kan fjernes"), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "Du har ingen filer i dette albumet som kan bli slettet"), - "zoomOutToSeePhotos": - MessageLookupByLibrary.simpleMessage("Zoom ut for å se bilder") - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "En ny versjon av Ente er tilgjengelig.", + ), + "about": MessageLookupByLibrary.simpleMessage("Om"), + "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( + "Godta invitasjonen", + ), + "account": MessageLookupByLibrary.simpleMessage("Konto"), + "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( + "Kontoen er allerede konfigurert.", + ), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( + "Velkommen tilbake!", + ), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Jeg forstår at dersom jeg mister passordet mitt, kan jeg miste dataen min, siden daten er ende-til-ende-kryptert.", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage("Aktive økter"), + "add": MessageLookupByLibrary.simpleMessage("Legg til"), + "addAName": MessageLookupByLibrary.simpleMessage("Legg til et navn"), + "addANewEmail": MessageLookupByLibrary.simpleMessage("Legg til ny e-post"), + "addCollaborator": MessageLookupByLibrary.simpleMessage( + "Legg til samarbeidspartner", + ), + "addFiles": MessageLookupByLibrary.simpleMessage("Legg til filer"), + "addFromDevice": MessageLookupByLibrary.simpleMessage("Legg til fra enhet"), + "addItem": m2, + "addLocation": MessageLookupByLibrary.simpleMessage("Legg til sted"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Legg til"), + "addMore": MessageLookupByLibrary.simpleMessage("Legg til flere"), + "addName": MessageLookupByLibrary.simpleMessage("Legg til navn"), + "addNameOrMerge": MessageLookupByLibrary.simpleMessage( + "Legg til navn eller sammenslåing", + ), + "addNew": MessageLookupByLibrary.simpleMessage("Legg til ny"), + "addNewPerson": MessageLookupByLibrary.simpleMessage("Legg til ny person"), + "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( + "Detaljer om tillegg", + ), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("Tillegg"), + "addPhotos": MessageLookupByLibrary.simpleMessage("Legg til bilder"), + "addSelected": MessageLookupByLibrary.simpleMessage("Legg til valgte"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("Legg til i album"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Legg til i Ente"), + "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Legg til i skjult album", + ), + "addTrustedContact": MessageLookupByLibrary.simpleMessage( + "Legg til betrodd kontakt", + ), + "addViewer": MessageLookupByLibrary.simpleMessage("Legg til seer"), + "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( + "Legg til bildene dine nå", + ), + "addedAs": MessageLookupByLibrary.simpleMessage("Lagt til som"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": MessageLookupByLibrary.simpleMessage( + "Legger til i favoritter...", + ), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("Avansert"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Avansert"), + "after1Day": MessageLookupByLibrary.simpleMessage("Etter 1 dag"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Etter 1 time"), + "after1Month": MessageLookupByLibrary.simpleMessage("Etter 1 måned"), + "after1Week": MessageLookupByLibrary.simpleMessage("Etter 1 uke"), + "after1Year": MessageLookupByLibrary.simpleMessage("Etter 1 år"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Eier"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Albumtittel"), + "albumUpdated": MessageLookupByLibrary.simpleMessage("Album oppdatert"), + "albums": MessageLookupByLibrary.simpleMessage("Album"), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Alt klart"), + "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( + "Alle minner bevart", + ), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "Alle grupperinger for denne personen vil bli tilbakestilt, og du vil miste alle forslag for denne personen", + ), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "Dette er den første i gruppen. Andre valgte bilder vil automatisk forflyttet basert på denne nye datoen", + ), + "allow": MessageLookupByLibrary.simpleMessage("Tillat"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Tillat folk med lenken å også legge til bilder til det delte albumet.", + ), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( + "Tillat å legge til bilder", + ), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "Tillat app å åpne delte albumlenker", + ), + "allowDownloads": MessageLookupByLibrary.simpleMessage( + "Tillat nedlastinger", + ), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Tillat folk å legge til bilder", + ), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Vennligst gi tilgang til bildene dine i Innstillinger, slik at Ente kan vise og sikkerhetskopiere biblioteket.", + ), + "allowPermTitle": MessageLookupByLibrary.simpleMessage( + "Gi tilgang til bilder", + ), + "androidBiometricHint": MessageLookupByLibrary.simpleMessage( + "Verifiser identitet", + ), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "Ikke gjenkjent. Prøv igjen.", + ), + "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( + "Biometri kreves", + ), + "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage( + "Vellykket", + ), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Avbryt"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage( + "Enhetens påloggingsinformasjon kreves", + ), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage( + "Enhetens påloggingsinformasjon kreves", + ), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Biometrisk autentisering er ikke satt opp på enheten din. Gå til \'Innstillinger > Sikkerhet\' for å legge til biometrisk godkjenning.", + ), + "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( + "Android, iOS, Web, Desktop", + ), + "androidSignInTitle": MessageLookupByLibrary.simpleMessage( + "Krever innlogging", + ), + "appIcon": MessageLookupByLibrary.simpleMessage("App-ikon"), + "appLock": MessageLookupByLibrary.simpleMessage("Applås"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Velg mellom enhetens standard låseskjerm og en egendefinert låseskjerm med en PIN-kode eller passord.", + ), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), + "apply": MessageLookupByLibrary.simpleMessage("Anvend"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Bruk kode"), + "appstoreSubscription": MessageLookupByLibrary.simpleMessage( + "AppStore subscription", + ), + "archive": MessageLookupByLibrary.simpleMessage("Arkiv"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("Arkiver album"), + "archiving": MessageLookupByLibrary.simpleMessage( + "Legger til i arkivet...", + ), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Er du sikker på at du vil forlate familieabonnementet?", + ), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "Er du sikker på at du vil avslutte?", + ), + "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( + "Er du sikker på at du vil endre abonnement?", + ), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "Er du sikker på at du vil avslutte?", + ), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Er du sikker på at du vil logge ut?", + ), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "Er du sikker på at du vil fornye?", + ), + "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( + "Er du sikker på at du vil tilbakestille denne personen?", + ), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "Abonnementet ble avbrutt. Ønsker du å dele grunnen?", + ), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Hva er hovedårsaken til at du sletter kontoen din?", + ), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Spør dine kjære om å dele", + ), + "atAFalloutShelter": MessageLookupByLibrary.simpleMessage("i en bunker"), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Vennligst autentiser deg for å endre e-postbekreftelse", + ), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Autentiser deg for å endre låseskjerminnstillingen", + ), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Vennlist autentiser deg for å endre e-postadressen din", + ), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Vennligst autentiser deg for å endre passordet ditt", + ), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Autentiser deg for å konfigurere tofaktorautentisering", + ), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Vennlist autentiser deg for å starte sletting av konto", + ), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Vennlist autentiser deg for å administrere de betrodde kontaktene dine", + ), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Vennligst autentiser deg for å se gjennopprettingsnøkkelen din", + ), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Vennligst autentiser deg for å se dine slettede filer", + ), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Vennligst autentiser deg for å se dine aktive økter", + ), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Vennligst autentiser deg for å se dine skjulte filer", + ), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Vennligst autentiser deg for å se minnene dine", + ), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Vennligst autentiser deg for å se gjennopprettingsnøkkelen din", + ), + "authenticating": MessageLookupByLibrary.simpleMessage("Autentiserer..."), + "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Autentisering mislyktes, prøv igjen", + ), + "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( + "Autentisering var vellykket!", + ), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Du vil se tilgjengelige Cast enheter her.", + ), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Kontroller at lokale nettverkstillatelser er slått på for Ente Photos-appen, i innstillinger.", + ), + "autoLock": MessageLookupByLibrary.simpleMessage("Lås automatisk"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Tid før appen låses etter at den er lagt i bakgrunnen", + ), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "Du har blitt logget ut på grunn av en teknisk feil. Vi beklager ulempen.", + ), + "autoPair": MessageLookupByLibrary.simpleMessage("Automatisk parring"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "Automatisk par fungerer kun med enheter som støtter Chromecast.", + ), + "available": MessageLookupByLibrary.simpleMessage("Tilgjengelig"), + "availableStorageSpace": m10, + "backedUpFolders": MessageLookupByLibrary.simpleMessage( + "Sikkerhetskopierte mapper", + ), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("Sikkerhetskopi"), + "backupFailed": MessageLookupByLibrary.simpleMessage( + "Sikkerhetskopiering mislyktes", + ), + "backupFile": MessageLookupByLibrary.simpleMessage( + "Sikkerhetskopieringsfil\n", + ), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Sikkerhetskopier via mobildata", + ), + "backupSettings": MessageLookupByLibrary.simpleMessage( + "Sikkerhetskopier innstillinger", + ), + "backupStatus": MessageLookupByLibrary.simpleMessage( + "Status for sikkerhetskopi", + ), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Elementer som har blitt sikkerhetskopiert vil vises her", + ), + "backupVideos": MessageLookupByLibrary.simpleMessage( + "Sikkerhetskopier videoer", + ), + "beach": MessageLookupByLibrary.simpleMessage("Sand og sjø"), + "birthday": MessageLookupByLibrary.simpleMessage("Bursdag"), + "blackFridaySale": MessageLookupByLibrary.simpleMessage( + "Black Friday salg", + ), + "blog": MessageLookupByLibrary.simpleMessage("Blogg"), + "cachedData": MessageLookupByLibrary.simpleMessage("Bufrede data"), + "calculating": MessageLookupByLibrary.simpleMessage("Beregner..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Beklager, dette albumet kan ikke åpnes i appen.", + ), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( + "Kan ikke åpne dette albumet", + ), + "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( + "Kan ikke laste opp til album eid av andre", + ), + "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Kan bare opprette link for filer som eies av deg", + ), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Du kan kun fjerne filer som eies av deg", + ), + "cancel": MessageLookupByLibrary.simpleMessage("Avbryt"), + "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( + "Avbryt gjenoppretting", + ), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "Er du sikker på at du vil avbryte gjenoppretting?", + ), + "cancelOtherSubscription": m12, + "cancelSubscription": MessageLookupByLibrary.simpleMessage( + "Avslutt abonnement", + ), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Kan ikke slette delte filer", + ), + "castAlbum": MessageLookupByLibrary.simpleMessage("Cast album"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Kontroller at du er på samme nettverk som TV-en.", + ), + "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( + "Kunne ikke strømme album", + ), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Besøk cast.ente.io på enheten du vil parre.\n\nSkriv inn koden under for å spille albumet på TV-en din.", + ), + "centerPoint": MessageLookupByLibrary.simpleMessage("Midtstill punkt"), + "change": MessageLookupByLibrary.simpleMessage("Endre"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Endre e-postadresse"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Endre plassering av valgte elementer?", + ), + "changePassword": MessageLookupByLibrary.simpleMessage("Bytt passord"), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage("Bytt passord"), + "changePermissions": MessageLookupByLibrary.simpleMessage( + "Endre tillatelser?", + ), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Endre din vervekode", + ), + "checkForUpdates": MessageLookupByLibrary.simpleMessage( + "Se etter oppdateringer", + ), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Vennligst sjekk innboksen din (og søppelpost) for å fullføre verifiseringen", + ), + "checkStatus": MessageLookupByLibrary.simpleMessage("Kontroller status"), + "checking": MessageLookupByLibrary.simpleMessage("Sjekker..."), + "checkingModels": MessageLookupByLibrary.simpleMessage( + "Sjekker modeller...", + ), + "city": MessageLookupByLibrary.simpleMessage("I byen"), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage( + "Få gratis lagring", + ), + "claimMore": MessageLookupByLibrary.simpleMessage("Løs inn mer!"), + "claimed": MessageLookupByLibrary.simpleMessage("Løst inn"), + "claimedStorageSoFar": m14, + "cleanUncategorized": MessageLookupByLibrary.simpleMessage( + "Tøm ukategorisert", + ), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Fjern alle filer fra Ukategoriserte som finnes i andre album", + ), + "clearCaches": MessageLookupByLibrary.simpleMessage("Tom hurtigbuffer"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Tøm indekser"), + "click": MessageLookupByLibrary.simpleMessage("• Klikk"), + "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( + "• Klikk på menyen med tre prikker", + ), + "close": MessageLookupByLibrary.simpleMessage("Lukk"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( + "Grupper etter tidspunkt for opptak", + ), + "clubByFileName": MessageLookupByLibrary.simpleMessage( + "Grupper etter filnavn", + ), + "clusteringProgress": MessageLookupByLibrary.simpleMessage( + "Fremdrift for klynging", + ), + "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage("Kode brukt"), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Beklager, du har nådd grensen for kodeendringer.", + ), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Koden er kopiert til utklippstavlen", + ), + "codeUsedByYou": MessageLookupByLibrary.simpleMessage( + "Kode som brukes av deg", + ), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Opprett en lenke slik at folk kan legge til og se bilder i det delte albumet ditt uten å trenge Ente-appen eller en konto. Perfekt for å samle bilder fra arrangementer.", + ), + "collaborativeLink": MessageLookupByLibrary.simpleMessage( + "Samarbeidslenke", + ), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Samarbeidspartner"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Samarbeidspartnere kan legge til bilder og videoer i det delte albumet.", + ), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("Utforming"), + "collageSaved": MessageLookupByLibrary.simpleMessage( + "Kollasje lagret i galleriet", + ), + "collect": MessageLookupByLibrary.simpleMessage("Samle"), + "collectEventPhotos": MessageLookupByLibrary.simpleMessage( + "Samle arrangementbilder", + ), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Samle bilder"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Opprett en link hvor vennene dine kan laste opp bilder i original kvalitet.", + ), + "color": MessageLookupByLibrary.simpleMessage("Farge"), + "configuration": MessageLookupByLibrary.simpleMessage("Konfigurasjon"), + "confirm": MessageLookupByLibrary.simpleMessage("Bekreft"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Er du sikker på at du vil deaktivere tofaktorautentisering?", + ), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Bekreft sletting av konto", + ), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Ja, jeg ønsker å slette denne kontoen og all dataen dens permanent.", + ), + "confirmPassword": MessageLookupByLibrary.simpleMessage( + "Bekreft passordet", + ), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage( + "Bekreft endring av abonnement", + ), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Bekreft gjenopprettingsnøkkel", + ), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Bekreft din gjenopprettingsnøkkel", + ), + "connectToDevice": MessageLookupByLibrary.simpleMessage( + "Koble til enheten", + ), + "contactFamilyAdmin": m18, + "contactSupport": MessageLookupByLibrary.simpleMessage( + "Kontakt kundestøtte", + ), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Kontakter"), + "contents": MessageLookupByLibrary.simpleMessage("Innhold"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Fortsett"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "Fortsett med gratis prøveversjon", + ), + "convertToAlbum": MessageLookupByLibrary.simpleMessage("Gjør om til album"), + "copyEmailAddress": MessageLookupByLibrary.simpleMessage( + "Kopier e-postadresse", + ), + "copyLink": MessageLookupByLibrary.simpleMessage("Kopier lenke"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Kopier og lim inn denne koden\ntil autentiseringsappen din", + ), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "Vi kunne ikke sikkerhetskopiere dine data.\nVi vil prøve på nytt senere.", + ), + "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( + "Kunne ikke frigjøre plass", + ), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Kunne ikke oppdatere abonnement", + ), + "count": MessageLookupByLibrary.simpleMessage("Antall"), + "crashReporting": MessageLookupByLibrary.simpleMessage("Krasjrapportering"), + "create": MessageLookupByLibrary.simpleMessage("Opprett"), + "createAccount": MessageLookupByLibrary.simpleMessage("Opprett konto"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Trykk og holde inne for å velge bilder, og trykk på + for å lage et album", + ), + "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( + "Samarbeidslenke", + ), + "createCollage": MessageLookupByLibrary.simpleMessage("Opprett kollasje"), + "createNewAccount": MessageLookupByLibrary.simpleMessage( + "Opprett ny konto", + ), + "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( + "Opprett eller velg album", + ), + "createPublicLink": MessageLookupByLibrary.simpleMessage( + "Opprett offentlig lenke", + ), + "creatingLink": MessageLookupByLibrary.simpleMessage("Lager lenke..."), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "Kritisk oppdatering er tilgjengelig", + ), + "crop": MessageLookupByLibrary.simpleMessage("Beskjær"), + "currentUsageIs": MessageLookupByLibrary.simpleMessage( + "Nåværende bruk er ", + ), + "currentlyRunning": MessageLookupByLibrary.simpleMessage( + "Kjører for øyeblikket", + ), + "custom": MessageLookupByLibrary.simpleMessage("Egendefinert"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Mørk"), + "dayToday": MessageLookupByLibrary.simpleMessage("I dag"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("I går"), + "declineTrustInvite": MessageLookupByLibrary.simpleMessage( + "Avslå invitasjon", + ), + "decrypting": MessageLookupByLibrary.simpleMessage("Dekrypterer..."), + "decryptingVideo": MessageLookupByLibrary.simpleMessage( + "Dekrypterer video...", + ), + "deduplicateFiles": MessageLookupByLibrary.simpleMessage( + "Fjern duplikatfiler", + ), + "delete": MessageLookupByLibrary.simpleMessage("Slett"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Slett konto"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Vi er lei oss for at du forlater oss. Gi oss gjerne en tilbakemelding så vi kan forbedre oss.", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Slett bruker for altid", + ), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Slett album"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Også slette bilder (og videoer) i dette albumet fra alle andre album de er del av?", + ), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "Dette vil slette alle tomme albumer. Dette er nyttig når du vil redusere rotet i albumlisten din.", + ), + "deleteAll": MessageLookupByLibrary.simpleMessage("Slett alt"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "Denne kontoen er knyttet til andre Ente-apper, hvis du bruker noen. De opplastede dataene, i alle Ente-apper, vil bli planlagt slettet, og kontoen din vil bli slettet permanent.", + ), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Vennligst send en e-post til account-deletion@ente.io fra din registrerte e-postadresse.", + ), + "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( + "Slett tomme album", + ), + "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( + "Slette tomme albumer?", + ), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage("Slett fra begge"), + "deleteFromDevice": MessageLookupByLibrary.simpleMessage("Slett fra enhet"), + "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Slett fra Ente"), + "deleteItemCount": m21, + "deleteLocation": MessageLookupByLibrary.simpleMessage("Slett sted"), + "deletePhotos": MessageLookupByLibrary.simpleMessage("Slett bilder"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Det mangler en hovedfunksjon jeg trenger", + ), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "Appen, eller en bestemt funksjon, fungerer ikke slik jeg tror den skal", + ), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Jeg fant en annen tjeneste jeg liker bedre", + ), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "Årsaken min er ikke oppført", + ), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Forespørselen din vil bli behandlet innen 72 timer.", + ), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Slett delt album?", + ), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "Albumet vil bli slettet for alle\n\nDu vil miste tilgang til delte bilder i dette albumet som eies av andre", + ), + "deselectAll": MessageLookupByLibrary.simpleMessage("Fjern alle valg"), + "designedToOutlive": MessageLookupByLibrary.simpleMessage( + "Laget for å vare lenger enn", + ), + "details": MessageLookupByLibrary.simpleMessage("Detaljer"), + "developerSettings": MessageLookupByLibrary.simpleMessage( + "Utviklerinnstillinger", + ), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Er du sikker på at du vil endre utviklerinnstillingene?", + ), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Skriv inn koden"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "Filer lagt til dette enhetsalbumet vil automatisk bli lastet opp til Ente.", + ), + "deviceLock": MessageLookupByLibrary.simpleMessage("Enhetslås"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Deaktiver enhetens skjermlås når Ente er i forgrunnen og det er en sikkerhetskopi som pågår. Dette trengs normalt ikke, men kan hjelpe store opplastinger og førstegangsimport av store biblioteker med å fullføre raskere.", + ), + "deviceNotFound": MessageLookupByLibrary.simpleMessage("Enhet ikke funnet"), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Visste du at?"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage( + "Deaktiver autolås", + ), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Seere kan fremdeles ta skjermbilder eller lagre en kopi av bildene dine ved bruk av eksterne verktøy", + ), + "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( + "Vær oppmerksom på", + ), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "Deaktiver tofaktor", + ), + "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( + "Deaktiverer tofaktorautentisering...", + ), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Oppdag"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Babyer"), + "discover_celebrations": MessageLookupByLibrary.simpleMessage("Feiringer"), + "discover_food": MessageLookupByLibrary.simpleMessage("Mat"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Grøntområder"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Åser"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Identitet"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Notater"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Kjæledyr"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Kvitteringer"), + "discover_screenshots": MessageLookupByLibrary.simpleMessage( + "Skjermbilder", + ), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfier"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Solnedgang"), + "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( + "Visittkort", + ), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage( + "Bakgrunnsbilder", + ), + "dismiss": MessageLookupByLibrary.simpleMessage("Avvis "), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage("Ikke logg ut"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Gjør dette senere"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Vil du forkaste endringene du har gjort?", + ), + "done": MessageLookupByLibrary.simpleMessage("Ferdig"), + "dontSave": MessageLookupByLibrary.simpleMessage("Ikke lagre"), + "doubleYourStorage": MessageLookupByLibrary.simpleMessage( + "Doble lagringsplassen din", + ), + "download": MessageLookupByLibrary.simpleMessage("Last ned"), + "downloadFailed": MessageLookupByLibrary.simpleMessage( + "Nedlasting mislyktes", + ), + "downloading": MessageLookupByLibrary.simpleMessage("Laster ned..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Rediger"), + "editLocation": MessageLookupByLibrary.simpleMessage("Rediger plassering"), + "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( + "Rediger plassering", + ), + "editPerson": MessageLookupByLibrary.simpleMessage("Rediger person"), + "editTime": MessageLookupByLibrary.simpleMessage("Endre tidspunkt"), + "editsSaved": MessageLookupByLibrary.simpleMessage("Endringer lagret"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Endringer i plassering vil kun være synlige i Ente", + ), + "eligible": MessageLookupByLibrary.simpleMessage("kvalifisert"), + "email": MessageLookupByLibrary.simpleMessage("E-post"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "E-postadressen er allerede registrert.", + ), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "E-postadressen er ikke registrert.", + ), + "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( + "E-postbekreftelse", + ), + "emailYourLogs": MessageLookupByLibrary.simpleMessage( + "Send loggene dine på e-post", + ), + "embracingThem": m32, + "emergencyContacts": MessageLookupByLibrary.simpleMessage("Nødkontakter"), + "empty": MessageLookupByLibrary.simpleMessage("Tom"), + "emptyTrash": MessageLookupByLibrary.simpleMessage("Tøm papirkurv?"), + "enable": MessageLookupByLibrary.simpleMessage("Aktiver"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "Ente støtter maskinlæring på enheten for ansiktsgjenkjenning, magisk søk og andre avanserte søkefunksjoner", + ), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Aktiver maskinlæring for magisk søk og ansiktsgjenkjenning", + ), + "enableMaps": MessageLookupByLibrary.simpleMessage("Aktiver kart"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "Dette viser dine bilder på et verdenskart.\n\nDette kartet er hostet av Open Street Map, og de nøyaktige stedene for dine bilder blir aldri delt.\n\nDu kan deaktivere denne funksjonen når som helst fra Innstillinger.", + ), + "enabled": MessageLookupByLibrary.simpleMessage("Aktivert"), + "encryptingBackup": MessageLookupByLibrary.simpleMessage( + "Krypterer sikkerhetskopi...", + ), + "encryption": MessageLookupByLibrary.simpleMessage("Kryptering"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage("Krypteringsnøkkel"), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Endepunktet ble oppdatert", + ), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Ende-til-ende kryptert som standard", + ), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente kan bare kryptere og bevare filer hvis du gir tilgang til dem", + ), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente trenger tillatelse for å bevare bildene dine", + ), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "Ente bevarer minnene dine, slik at de er alltid tilgjengelig for deg, selv om du mister enheten.", + ), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Familien din kan også legges til abonnementet ditt.", + ), + "enterAlbumName": MessageLookupByLibrary.simpleMessage( + "Skriv inn albumnavn", + ), + "enterCode": MessageLookupByLibrary.simpleMessage("Angi kode"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Angi koden fra vennen din for å få gratis lagringsplass for dere begge", + ), + "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( + "Bursdag (valgfritt)", + ), + "enterEmail": MessageLookupByLibrary.simpleMessage("Skriv inn e-post"), + "enterFileName": MessageLookupByLibrary.simpleMessage("Skriv inn filnavn"), + "enterName": MessageLookupByLibrary.simpleMessage("Angi navn"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Angi et nytt passord vi kan bruke til å kryptere dataene dine", + ), + "enterPassword": MessageLookupByLibrary.simpleMessage("Angi passord"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Angi et passord vi kan bruke til å kryptere dataene dine", + ), + "enterPersonName": MessageLookupByLibrary.simpleMessage("Angi personnavn"), + "enterPin": MessageLookupByLibrary.simpleMessage("Skriv inn PIN-koden"), + "enterReferralCode": MessageLookupByLibrary.simpleMessage("Angi vervekode"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Skriv inn den 6-sifrede koden fra\ndin autentiseringsapp", + ), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Vennligst skriv inn en gyldig e-postadresse.", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Skriv inn e-postadressen din", + ), + "enterYourPassword": MessageLookupByLibrary.simpleMessage( + "Angi passordet ditt", + ), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Skriv inn din gjenopprettingsnøkkel", + ), + "error": MessageLookupByLibrary.simpleMessage("Feil"), + "everywhere": MessageLookupByLibrary.simpleMessage("Overalt"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": MessageLookupByLibrary.simpleMessage("Eksisterende bruker"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Denne lenken er utløpt. Vennligst velg en ny utløpstid eller deaktiver lenkeutløp.", + ), + "exportLogs": MessageLookupByLibrary.simpleMessage("Eksporter logger"), + "exportYourData": MessageLookupByLibrary.simpleMessage( + "Eksporter dine data", + ), + "extraPhotosFound": MessageLookupByLibrary.simpleMessage( + "Ekstra bilder funnet", + ), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Ansikt ikke gruppert ennå, vennligst kom tilbake senere", + ), + "faceRecognition": MessageLookupByLibrary.simpleMessage( + "Ansiktsgjenkjenning", + ), + "faces": MessageLookupByLibrary.simpleMessage("Ansikt"), + "failed": MessageLookupByLibrary.simpleMessage("Mislykket"), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage( + "Kunne ikke bruke koden", + ), + "failedToCancel": MessageLookupByLibrary.simpleMessage("Kan ikke avbryte"), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( + "Kan ikke laste ned video", + ), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Kunne ikke hente aktive økter", + ), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Kunne ikke hente originalen for redigering", + ), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Kan ikke hente vervedetaljer. Prøv igjen senere.", + ), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "Kunne ikke laste inn album", + ), + "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Kunne ikke spille av video", + ), + "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( + "Kunne ikke oppdatere abonnement", + ), + "failedToRenew": MessageLookupByLibrary.simpleMessage("Kunne ikke fornye"), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Kunne ikke verifisere betalingsstatus", + ), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Legg til 5 familiemedlemmer til det eksisterende abonnementet uten å betale ekstra.\n\nHvert medlem får sitt eget private område, og kan ikke se hverandres filer med mindre de er delt.\n\nFamilieabonnement er tilgjengelige for kunder som har et betalt Ente-abonnement.\n\nAbonner nå for å komme i gang!", + ), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Familie"), + "familyPlans": MessageLookupByLibrary.simpleMessage("Familieabonnementer"), + "faq": MessageLookupByLibrary.simpleMessage("Ofte stilte spørsmål"), + "faqs": MessageLookupByLibrary.simpleMessage("Ofte stilte spørsmål"), + "favorite": MessageLookupByLibrary.simpleMessage("Favoritt"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("Tilbakemelding"), + "file": MessageLookupByLibrary.simpleMessage("Fil"), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Kunne ikke lagre filen i galleriet", + ), + "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( + "Legg til en beskrivelse...", + ), + "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( + "Filen er ikke lastet opp enda", + ), + "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Fil lagret i galleriet", + ), + "fileTypes": MessageLookupByLibrary.simpleMessage("Filtyper"), + "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( + "Filtyper og navn", + ), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage("Filene er slettet"), + "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Filer lagret i galleriet", + ), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "Finn folk raskt med navn", + ), + "findThemQuickly": MessageLookupByLibrary.simpleMessage("Finn dem raskt"), + "flip": MessageLookupByLibrary.simpleMessage("Speilvend"), + "food": MessageLookupByLibrary.simpleMessage("Kulinær glede"), + "forYourMemories": MessageLookupByLibrary.simpleMessage("for dine minner"), + "forgotPassword": MessageLookupByLibrary.simpleMessage("Glemt passord"), + "foundFaces": MessageLookupByLibrary.simpleMessage("Fant ansikter"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( + "Gratis lagringplass aktivert", + ), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Gratis lagringsplass som kan brukes", + ), + "freeTrial": MessageLookupByLibrary.simpleMessage("Gratis prøveversjon"), + "freeTrialValidTill": m38, + "freeUpAmount": m40, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( + "Frigjør plass på enheten", + ), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Spar plass på enheten ved å fjerne filer som allerede er sikkerhetskopiert.", + ), + "freeUpSpace": MessageLookupByLibrary.simpleMessage( + "Frigjør lagringsplass", + ), + "gallery": MessageLookupByLibrary.simpleMessage("Galleri"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "Opptil 1000 minner vist i galleriet", + ), + "general": MessageLookupByLibrary.simpleMessage("Generelt"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Genererer krypteringsnøkler...", + ), + "genericProgress": m42, + "goToSettings": MessageLookupByLibrary.simpleMessage( + "Gå til innstillinger", + ), + "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Vennligst gi tilgang til alle bilder i Innstillinger-appen", + ), + "grantPermission": MessageLookupByLibrary.simpleMessage("Gi tillatelse"), + "greenery": MessageLookupByLibrary.simpleMessage("Det grønne livet"), + "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( + "Grupper nærliggende bilder", + ), + "guestView": MessageLookupByLibrary.simpleMessage("Gjestevisning"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "For å aktivere gjestevisning, vennligst konfigurer enhetens passord eller skjermlås i systeminnstillingene.", + ), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "Vi sporer ikke app-installasjoner. Det hadde vært til hjelp om du fortalte oss hvor du fant oss!", + ), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Hvordan fikk du høre om Ente? (valgfritt)", + ), + "help": MessageLookupByLibrary.simpleMessage("Hjelp"), + "hidden": MessageLookupByLibrary.simpleMessage("Skjult"), + "hide": MessageLookupByLibrary.simpleMessage("Skjul"), + "hideContent": MessageLookupByLibrary.simpleMessage("Skjul innhold"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Skjuler appinnhold i appveksleren og deaktiverer skjermbilder", + ), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Skjuler appinnhold i appveksleren", + ), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Skjul delte elementer fra hjemgalleriet", + ), + "hiding": MessageLookupByLibrary.simpleMessage("Skjuler..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( + "Hostet på OSM France", + ), + "howItWorks": MessageLookupByLibrary.simpleMessage("Hvordan det fungerer"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Vennligst be dem om å trykke og holde inne på e-postadressen sin på innstillingsskjermen, og bekreft at ID-ene på begge enhetene er like.", + ), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Biometrisk autentisering er ikke satt opp på enheten din. Aktiver enten Touch-ID eller Ansikts-ID på telefonen.", + ), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "Biometrisk autentisering er deaktivert. Vennligst lås og lås opp skjermen for å aktivere den.", + ), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorer"), + "ignored": MessageLookupByLibrary.simpleMessage("ignorert"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Noen filer i dette albumet ble ikke lastet opp fordi de tidligere har blitt slettet fra Ente.", + ), + "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( + "Bilde ikke analysert", + ), + "immediately": MessageLookupByLibrary.simpleMessage("Umiddelbart"), + "importing": MessageLookupByLibrary.simpleMessage("Importerer...."), + "incorrectCode": MessageLookupByLibrary.simpleMessage("Feil kode"), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Feil passord", + ), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Feil gjenopprettingsnøkkel", + ), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Gjennopprettingsnøkkelen du skrev inn er feil", + ), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Feil gjenopprettingsnøkkel", + ), + "indexedItems": MessageLookupByLibrary.simpleMessage( + "Indekserte elementer", + ), + "ineligible": MessageLookupByLibrary.simpleMessage("Ikke aktuell"), + "info": MessageLookupByLibrary.simpleMessage("Info"), + "insecureDevice": MessageLookupByLibrary.simpleMessage("Usikker enhet"), + "installManually": MessageLookupByLibrary.simpleMessage( + "Installer manuelt", + ), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "Ugyldig e-postadresse", + ), + "invalidEndpoint": MessageLookupByLibrary.simpleMessage( + "Ugyldig endepunkt", + ), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Beklager, endepunktet du skrev inn er ugyldig. Skriv inn et gyldig endepunkt og prøv igjen.", + ), + "invalidKey": MessageLookupByLibrary.simpleMessage("Ugyldig nøkkel"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Gjenopprettingsnøkkelen du har skrevet inn er ikke gyldig. Kontroller at den inneholder 24 ord og kontroller stavemåten av hvert ord.\n\nHvis du har angitt en eldre gjenopprettingskode, må du kontrollere at den er 64 tegn lang, og kontrollere hvert av dem.", + ), + "invite": MessageLookupByLibrary.simpleMessage("Inviter"), + "inviteToEnte": MessageLookupByLibrary.simpleMessage("Inviter til Ente"), + "inviteYourFriends": MessageLookupByLibrary.simpleMessage( + "Inviter vennene dine", + ), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "Inviter vennene dine til Ente", + ), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Det ser ut til at noe gikk galt. Prøv på nytt etter en stund. Hvis feilen vedvarer, kan du kontakte kundestøtte.", + ), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "Elementer viser gjenværende dager før de slettes for godt", + ), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Valgte elementer vil bli fjernet fra dette albumet", + ), + "join": MessageLookupByLibrary.simpleMessage("Bli med"), + "joinAlbum": MessageLookupByLibrary.simpleMessage("Bli med i albumet"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "Å bli med i et album vil gjøre e-postadressen din synlig for dens deltakere.", + ), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( + "for å se og legge til bildene dine", + ), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "for å legge dette til til delte album", + ), + "joinDiscord": MessageLookupByLibrary.simpleMessage("Bli med i Discord"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Behold Bilder"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Vær vennlig og hjelp oss med denne informasjonen", + ), + "language": MessageLookupByLibrary.simpleMessage("Språk"), + "lastTimeWithThem": m45, + "lastUpdated": MessageLookupByLibrary.simpleMessage("Sist oppdatert"), + "lastYearsTrip": MessageLookupByLibrary.simpleMessage("Fjorårets tur"), + "leave": MessageLookupByLibrary.simpleMessage("Forlat"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Forlat album"), + "leaveFamily": MessageLookupByLibrary.simpleMessage("Forlat familie"), + "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Slett delt album?", + ), + "left": MessageLookupByLibrary.simpleMessage("Venstre"), + "legacy": MessageLookupByLibrary.simpleMessage("Arv"), + "legacyAccounts": MessageLookupByLibrary.simpleMessage("Eldre kontoer"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "Arv-funksjonen lar betrodde kontakter få tilgang til kontoen din i ditt fravær.", + ), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "Betrodde kontakter kan starte gjenoppretting av kontoen, og hvis de ikke blir blokkert innen 30 dager, tilbakestille passordet ditt og få tilgang til kontoen din.", + ), + "light": MessageLookupByLibrary.simpleMessage("Lys"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Lys"), + "link": MessageLookupByLibrary.simpleMessage("Lenke"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Lenker er kopiert til utklippstavlen", + ), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Enhetsgrense"), + "linkEmail": MessageLookupByLibrary.simpleMessage("Koble til e-post"), + "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( + "for raskere deling", + ), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Aktivert"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Utløpt"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Lenkeutløp"), + "linkHasExpired": MessageLookupByLibrary.simpleMessage("Lenken har utløpt"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Aldri"), + "linkPerson": MessageLookupByLibrary.simpleMessage("Knytt til person"), + "linkPersonCaption": MessageLookupByLibrary.simpleMessage( + "for bedre delingsopplevelse", + ), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("Live-bilder"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "Du kan dele abonnementet med familien din", + ), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "Vi beholder 3 kopier av dine data, en i en underjordisk bunker", + ), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "Alle våre apper har åpen kildekode", + ), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Vår kildekode og kryptografi har blitt revidert eksternt", + ), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "Du kan dele lenker til dine album med dine kjære", + ), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Våre mobilapper kjører i bakgrunnen for å kryptere og sikkerhetskopiere de nye bildene du klikker", + ), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io har en flott opplaster", + ), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Vi bruker Xcha20Poly1305 for å trygt kryptere dataene dine", + ), + "loadingExifData": MessageLookupByLibrary.simpleMessage( + "Laster inn EXIF-data...", + ), + "loadingGallery": MessageLookupByLibrary.simpleMessage("Laster galleri..."), + "loadingMessage": MessageLookupByLibrary.simpleMessage( + "Laster bildene dine...", + ), + "loadingModel": MessageLookupByLibrary.simpleMessage( + "Laster ned modeller...", + ), + "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( + "Laster bildene dine...", + ), + "localGallery": MessageLookupByLibrary.simpleMessage("Lokalt galleri"), + "localIndexing": MessageLookupByLibrary.simpleMessage("Lokal indeksering"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Ser ut som noe gikk galt siden lokal synkronisering av bilder tar lengre tid enn forventet. Vennligst kontakt vårt supportteam", + ), + "location": MessageLookupByLibrary.simpleMessage("Plassering"), + "locationName": MessageLookupByLibrary.simpleMessage("Stedsnavn"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "En plasseringsetikett grupperer alle bilder som ble tatt innenfor en gitt radius av et bilde", + ), + "locations": MessageLookupByLibrary.simpleMessage("Plasseringer"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Lås"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Låseskjerm"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Logg inn"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Logger ut..."), + "loginSessionExpired": MessageLookupByLibrary.simpleMessage( + "Økten har utløpt", + ), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "Økten er utløpt. Vennligst logg inn på nytt.", + ), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Ved å klikke Logg inn, godtar jeg brukervilkårene og personvernreglene", + ), + "loginWithTOTP": MessageLookupByLibrary.simpleMessage("Pålogging med TOTP"), + "logout": MessageLookupByLibrary.simpleMessage("Logg ut"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "Dette vil sende over logger for å hjelpe oss med å feilsøke problemet. Vær oppmerksom på at filnavn vil bli inkludert for å hjelpe å spore problemer med spesifikke filer.", + ), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Trykk og hold på en e-post for å bekrefte ende-til-ende-kryptering.", + ), + "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( + "Lang-trykk på en gjenstand for å vise i fullskjerm", + ), + "loopVideoOff": MessageLookupByLibrary.simpleMessage("Gjenta video av"), + "loopVideoOn": MessageLookupByLibrary.simpleMessage("Gjenta video på"), + "lostDevice": MessageLookupByLibrary.simpleMessage("Mistet enhet?"), + "machineLearning": MessageLookupByLibrary.simpleMessage("Maskinlæring"), + "magicSearch": MessageLookupByLibrary.simpleMessage("Magisk søk"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "Magisk søk lar deg finne bilder basert på innholdet i dem, for eksempel ‘blomst’, ‘rød bil’, ‘ID-dokumenter\'", + ), + "manage": MessageLookupByLibrary.simpleMessage("Administrer"), + "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( + "Behandle enhetens hurtigbuffer", + ), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Gjennomgå og fjern lokal hurtigbuffer.", + ), + "manageFamily": MessageLookupByLibrary.simpleMessage("Administrer familie"), + "manageLink": MessageLookupByLibrary.simpleMessage("Administrer lenke"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Administrer"), + "manageSubscription": MessageLookupByLibrary.simpleMessage( + "Administrer abonnement", + ), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "Koble til PIN fungerer med alle skjermer du vil se albumet på.", + ), + "map": MessageLookupByLibrary.simpleMessage("Kart"), + "maps": MessageLookupByLibrary.simpleMessage("Kart"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("Meg"), + "memoryCount": m50, + "merchandise": MessageLookupByLibrary.simpleMessage("Varer"), + "mergeWithExisting": MessageLookupByLibrary.simpleMessage( + "Slå sammen med eksisterende", + ), + "mergedPhotos": MessageLookupByLibrary.simpleMessage("Sammenslåtte bilder"), + "mlConsent": MessageLookupByLibrary.simpleMessage("Aktiver maskinlæring"), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Jeg forstår, og ønsker å aktivere maskinlæring", + ), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Hvis du aktiverer maskinlæring, vil Ente hente ut informasjon som ansiktsgeometri fra filer, inkludert de som er delt med deg.\n\nDette skjer på enheten din, og all generert biometrisk informasjon blir ende-til-ende-kryptert.", + ), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Klikk her for mer informasjon om denne funksjonen i våre retningslinjer for personvern", + ), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "Aktiver maskinlæring?", + ), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Vær oppmerksom på at maskinlæring vil resultere i høyere båndbredde og batteribruk inntil alle elementer er indeksert. Vurder å bruke skrivebordsappen for raskere indeksering, alle resultater vil bli synkronisert automatisk.", + ), + "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( + "Mobil, Web, Datamaskin", + ), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Moderat"), + "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( + "Juster søket ditt, eller prøv å søke etter", + ), + "moments": MessageLookupByLibrary.simpleMessage("Øyeblikk"), + "month": MessageLookupByLibrary.simpleMessage("måned"), + "monthly": MessageLookupByLibrary.simpleMessage("Månedlig"), + "moon": MessageLookupByLibrary.simpleMessage("I månelyset"), + "moreDetails": MessageLookupByLibrary.simpleMessage("Flere detaljer"), + "mostRecent": MessageLookupByLibrary.simpleMessage("Nyeste"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("Mest relevant"), + "mountains": MessageLookupByLibrary.simpleMessage("Over åsene"), + "moveItem": m51, + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "Flytt valgte bilder til en dato", + ), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("Flytt til album"), + "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Flytt til skjult album", + ), + "movedSuccessfullyTo": m52, + "movedToTrash": MessageLookupByLibrary.simpleMessage( + "Flyttet til papirkurven", + ), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Flytter filer til album...", + ), + "name": MessageLookupByLibrary.simpleMessage("Navn"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Navngi albumet"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Kan ikke koble til Ente, prøv igjen etter en stund. Hvis feilen vedvarer, vennligst kontakt kundestøtte.", + ), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Kan ikke koble til Ente, kontroller nettverksinnstillingene og kontakt kundestøtte hvis feilen vedvarer.", + ), + "never": MessageLookupByLibrary.simpleMessage("Aldri"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Nytt album"), + "newLocation": MessageLookupByLibrary.simpleMessage("Ny plassering"), + "newPerson": MessageLookupByLibrary.simpleMessage("Ny person"), + "newRange": MessageLookupByLibrary.simpleMessage("Ny rekkevidde"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Ny til Ente"), + "newest": MessageLookupByLibrary.simpleMessage("Nyeste"), + "next": MessageLookupByLibrary.simpleMessage("Neste"), + "no": MessageLookupByLibrary.simpleMessage("Nei"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Ingen album delt av deg enda", + ), + "noDeviceFound": MessageLookupByLibrary.simpleMessage( + "Ingen enheter funnet", + ), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Ingen"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "Du har ingen filer i dette albumet som kan bli slettet", + ), + "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Ingen duplikater"), + "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( + "Ingen Ente-konto!", + ), + "noExifData": MessageLookupByLibrary.simpleMessage("Ingen EXIF-data"), + "noFacesFound": MessageLookupByLibrary.simpleMessage( + "Ingen ansikter funnet", + ), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "Ingen skjulte bilder eller videoer", + ), + "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( + "Ingen bilder med plassering", + ), + "noInternetConnection": MessageLookupByLibrary.simpleMessage( + "Ingen nettverksforbindelse", + ), + "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( + "Ingen bilder er blitt sikkerhetskopiert akkurat nå", + ), + "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( + "Ingen bilder funnet her", + ), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( + "Ingen hurtiglenker er valgt", + ), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Ingen gjenopprettingsnøkkel?", + ), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Grunnet vår type ente-til-ende-krypteringsprotokoll kan ikke dine data dekrypteres uten passordet ditt eller gjenopprettingsnøkkelen din", + ), + "noResults": MessageLookupByLibrary.simpleMessage("Ingen resultater"), + "noResultsFound": MessageLookupByLibrary.simpleMessage( + "Ingen resultater funnet", + ), + "noSuggestionsForPerson": m53, + "noSystemLockFound": MessageLookupByLibrary.simpleMessage( + "Ingen systemlås funnet", + ), + "notPersonLabel": m54, + "notThisPerson": MessageLookupByLibrary.simpleMessage( + "Ikke denne personen?", + ), + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "Ingenting delt med deg enda", + ), + "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( + "Ingenting å se her! 👀", + ), + "notifications": MessageLookupByLibrary.simpleMessage("Varslinger"), + "ok": MessageLookupByLibrary.simpleMessage("Ok"), + "onDevice": MessageLookupByLibrary.simpleMessage("På enhet"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "På ente", + ), + "onTheRoad": MessageLookupByLibrary.simpleMessage("På veien igjen"), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Bare de"), + "oops": MessageLookupByLibrary.simpleMessage("Oisann"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Oisann, kunne ikke lagre endringer", + ), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Oisann! Noe gikk galt", + ), + "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( + "Åpne album i nettleser", + ), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Vennligst bruk webapplikasjonen for å legge til bilder til dette albumet", + ), + "openFile": MessageLookupByLibrary.simpleMessage("Åpne fil"), + "openSettings": MessageLookupByLibrary.simpleMessage("Åpne innstillinger"), + "openTheItem": MessageLookupByLibrary.simpleMessage("• Åpne elementet"), + "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( + "OpenStreetMap bidragsytere", + ), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Valgfri, så kort som du vil...", + ), + "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( + "Eller slå sammen med eksisterende", + ), + "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( + "Eller velg en eksisterende", + ), + "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( + "Eller velg fra kontaktene dine", + ), + "pair": MessageLookupByLibrary.simpleMessage("Par"), + "pairWithPin": MessageLookupByLibrary.simpleMessage("Parr sammen med PIN"), + "pairingComplete": MessageLookupByLibrary.simpleMessage( + "Sammenkobling fullført", + ), + "panorama": MessageLookupByLibrary.simpleMessage("Panora"), + "partyWithThem": m56, + "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( + "Bekreftelse venter fortsatt", + ), + "passkey": MessageLookupByLibrary.simpleMessage("Tilgangsnøkkel"), + "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( + "Verifisering av tilgangsnøkkel", + ), + "password": MessageLookupByLibrary.simpleMessage("Passord"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Passordet ble endret", + ), + "passwordLock": MessageLookupByLibrary.simpleMessage("Passordlås"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "Passordstyrken beregnes basert på passordets lengde, brukte tegn, og om passordet finnes blant de 10 000 mest brukte passordene", + ), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Vi lagrer ikke dette passordet, så hvis du glemmer det, kan vi ikke dekryptere dataene dine", + ), + "paymentDetails": MessageLookupByLibrary.simpleMessage( + "Betalingsinformasjon", + ), + "paymentFailed": MessageLookupByLibrary.simpleMessage("Betaling feilet"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "Betalingen din mislyktes. Kontakt kundestøtte og vi vil hjelpe deg!", + ), + "paymentFailedTalkToProvider": m58, + "pendingItems": MessageLookupByLibrary.simpleMessage("Ventende elementer"), + "pendingSync": MessageLookupByLibrary.simpleMessage( + "Ventende synkronisering", + ), + "people": MessageLookupByLibrary.simpleMessage("Folk"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Personer som bruker koden din", + ), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Alle elementer i papirkurven vil slettes permanent\n\nDenne handlingen kan ikke angres", + ), + "permanentlyDelete": MessageLookupByLibrary.simpleMessage( + "Slette for godt", + ), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Slett permanent fra enhet?", + ), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("Personnavn"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("Pelsvenner"), + "photoDescriptions": MessageLookupByLibrary.simpleMessage( + "Bildebeskrivelser", + ), + "photoGridSize": MessageLookupByLibrary.simpleMessage( + "Bilderutenettstørrelse", + ), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("bilde"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("Bilder"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "Bilder lagt til av deg vil bli fjernet fra albumet", + ), + "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( + "Bilder holder relativ tidsforskjell", + ), + "pickCenterPoint": MessageLookupByLibrary.simpleMessage("Velg midtpunkt"), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Fest album"), + "pinLock": MessageLookupByLibrary.simpleMessage("PIN-kode lås"), + "playOnTv": MessageLookupByLibrary.simpleMessage("Spill av album på TV"), + "playOriginal": MessageLookupByLibrary.simpleMessage("Spill av original"), + "playStoreFreeTrialValidTill": m63, + "playStream": MessageLookupByLibrary.simpleMessage("Spill av strøm"), + "playstoreSubscription": MessageLookupByLibrary.simpleMessage( + "PlayStore abonnement", + ), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Kontroller Internett-tilkoblingen din og prøv igjen.", + ), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Vennligst kontakt support@ente.io og vi vil gjerne hjelpe!", + ), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Vennligst kontakt kundestøtte hvis problemet vedvarer", + ), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( + "Vennligst gi tillatelser", + ), + "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( + "Vennligst logg inn igjen", + ), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Velg hurtiglenker å fjerne", + ), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Vennligst prøv igjen", + ), + "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( + "Bekreft koden du har skrevet inn", + ), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Vennligst vent..."), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Vennligst vent, sletter album", + ), + "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( + "Vennligst vent en stund før du prøver på nytt", + ), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "Vennligst vent, dette vil ta litt tid.", + ), + "posingWithThem": m66, + "preparingLogs": MessageLookupByLibrary.simpleMessage( + "Forbereder logger...", + ), + "preserveMore": MessageLookupByLibrary.simpleMessage("Behold mer"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Trykk og hold inne for å spille av video", + ), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Trykk og hold inne bildet for å spille av video", + ), + "previous": MessageLookupByLibrary.simpleMessage("Forrige"), + "privacy": MessageLookupByLibrary.simpleMessage("Personvern"), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "Personvernserklæring", + ), + "privateBackups": MessageLookupByLibrary.simpleMessage( + "Private sikkerhetskopier", + ), + "privateSharing": MessageLookupByLibrary.simpleMessage("Privat deling"), + "proceed": MessageLookupByLibrary.simpleMessage("Fortsett"), + "processed": MessageLookupByLibrary.simpleMessage("Behandlet"), + "processing": MessageLookupByLibrary.simpleMessage("Behandler"), + "processingImport": m67, + "processingVideos": MessageLookupByLibrary.simpleMessage( + "Behandler videoer", + ), + "publicLinkCreated": MessageLookupByLibrary.simpleMessage( + "Offentlig lenke opprettet", + ), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( + "Offentlig lenke aktivert", + ), + "queued": MessageLookupByLibrary.simpleMessage("I køen"), + "quickLinks": MessageLookupByLibrary.simpleMessage("Hurtiglenker"), + "radius": MessageLookupByLibrary.simpleMessage("Radius"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Opprett sak"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("Vurder appen"), + "rateUs": MessageLookupByLibrary.simpleMessage("Vurder oss"), + "rateUsOnStore": m68, + "reassignMe": MessageLookupByLibrary.simpleMessage("Tildel \"Meg\""), + "reassignedToName": m69, + "reassigningLoading": MessageLookupByLibrary.simpleMessage("Tildeler..."), + "recover": MessageLookupByLibrary.simpleMessage("Gjenopprett"), + "recoverAccount": MessageLookupByLibrary.simpleMessage("Gjenopprett konto"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Gjenopprett"), + "recoveryAccount": MessageLookupByLibrary.simpleMessage( + "Gjenopprett konto", + ), + "recoveryInitiated": MessageLookupByLibrary.simpleMessage( + "Gjenoppretting startet", + ), + "recoveryInitiatedDesc": m70, + "recoveryKey": MessageLookupByLibrary.simpleMessage( + "Gjenopprettingsnøkkel", + ), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Gjenopprettingsnøkkel kopiert til utklippstavlen", + ), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Hvis du glemmer passordet ditt er den eneste måten du kan gjenopprette dataene dine på med denne nøkkelen.", + ), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Vi lagrer ikke denne nøkkelen, vennligst lagre denne 24-ords nøkkelen på et trygt sted.", + ), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Flott! Din gjenopprettingsnøkkel er gyldig. Takk for bekreftelsen.\n\nVennligst husk å holde gjenopprettingsnøkkelen din trygt sikkerhetskopiert.", + ), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Gjenopprettingsnøkkel bekreftet", + ), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Gjenopprettingsnøkkelen er den eneste måten å gjenopprette bildene dine på hvis du glemmer passordet ditt. Du finner gjenopprettingsnøkkelen din i Innstillinger > Konto.\n\nVennligst skriv inn gjenopprettingsnøkkelen din her for å bekrefte at du har lagret den riktig.", + ), + "recoveryReady": m71, + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "Gjenopprettingen var vellykket!", + ), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "En betrodd kontakt prøver å få tilgang til kontoen din", + ), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Den gjeldende enheten er ikke kraftig nok til å verifisere passordet ditt, men vi kan regenerere på en måte som fungerer på alle enheter.\n\nVennligst logg inn med gjenopprettingsnøkkelen og regenerer passordet (du kan bruke den samme igjen om du vil).", + ), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Gjenopprett passord", + ), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": MessageLookupByLibrary.simpleMessage( + "Skriv inn passord på nytt", + ), + "reenterPin": MessageLookupByLibrary.simpleMessage( + "Skriv inn PIN-kode på nytt", + ), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Verv venner og doble abonnementet ditt", + ), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Gi denne koden til vennene dine", + ), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "De registrerer seg for en betalt plan", + ), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Vervinger"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "Vervinger er for øyeblikket satt på pause", + ), + "rejectRecovery": MessageLookupByLibrary.simpleMessage( + "Avslå gjenoppretting", + ), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "Tøm også \"Nylig slettet\" fra \"Innstillinger\" → \"Lagring\" for å få frigjort plass", + ), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Du kan også tømme \"Papirkurven\" for å få den frigjorte lagringsplassen", + ), + "remoteImages": MessageLookupByLibrary.simpleMessage("Eksterne bilder"), + "remoteThumbnails": MessageLookupByLibrary.simpleMessage( + "Eksterne miniatyrbilder", + ), + "remoteVideos": MessageLookupByLibrary.simpleMessage("Eksterne videoer"), + "remove": MessageLookupByLibrary.simpleMessage("Fjern"), + "removeDuplicates": MessageLookupByLibrary.simpleMessage( + "Fjern duplikater", + ), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Gjennomgå og fjern filer som er eksakte duplikater.", + ), + "removeFromAlbum": MessageLookupByLibrary.simpleMessage("Fjern fra album"), + "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( + "Fjern fra album?", + ), + "removeFromFavorite": MessageLookupByLibrary.simpleMessage( + "Fjern fra favoritter", + ), + "removeInvite": MessageLookupByLibrary.simpleMessage("Fjern invitasjon"), + "removeLink": MessageLookupByLibrary.simpleMessage("Fjern lenke"), + "removeParticipant": MessageLookupByLibrary.simpleMessage("Fjern deltaker"), + "removeParticipantBody": m74, + "removePersonLabel": MessageLookupByLibrary.simpleMessage( + "Fjern etikett for person", + ), + "removePublicLink": MessageLookupByLibrary.simpleMessage( + "Fjern offentlig lenke", + ), + "removePublicLinks": MessageLookupByLibrary.simpleMessage( + "Fjern offentlige lenker", + ), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Noen av elementene du fjerner ble lagt til av andre personer, og du vil miste tilgang til dem", + ), + "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Fjern?"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Fjern deg selv som betrodd kontakt", + ), + "removingFromFavorites": MessageLookupByLibrary.simpleMessage( + "Fjerner fra favoritter...", + ), + "rename": MessageLookupByLibrary.simpleMessage("Endre navn"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("Gi album nytt navn"), + "renameFile": MessageLookupByLibrary.simpleMessage("Gi nytt filnavn"), + "renewSubscription": MessageLookupByLibrary.simpleMessage( + "Forny abonnement", + ), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Rapporter en feil"), + "reportBug": MessageLookupByLibrary.simpleMessage("Rapporter feil"), + "resendEmail": MessageLookupByLibrary.simpleMessage( + "Send e-posten på nytt", + ), + "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( + "Tilbakestill ignorerte filer", + ), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Tilbakestill passord", + ), + "resetPerson": MessageLookupByLibrary.simpleMessage("Fjern"), + "resetToDefault": MessageLookupByLibrary.simpleMessage( + "Tilbakestill til standard", + ), + "restore": MessageLookupByLibrary.simpleMessage("Gjenopprett"), + "restoreToAlbum": MessageLookupByLibrary.simpleMessage( + "Gjenopprett til album", + ), + "restoringFiles": MessageLookupByLibrary.simpleMessage( + "Gjenoppretter filer...", + ), + "resumableUploads": MessageLookupByLibrary.simpleMessage( + "Fortsette opplastinger", + ), + "retry": MessageLookupByLibrary.simpleMessage("Prøv på nytt"), + "review": MessageLookupByLibrary.simpleMessage("Gjennomgå"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Vennligst gjennomgå og slett elementene du tror er duplikater.", + ), + "reviewSuggestions": MessageLookupByLibrary.simpleMessage( + "Gjennomgå forslag", + ), + "right": MessageLookupByLibrary.simpleMessage("Høyre"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("Roter"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Roter mot venstre"), + "rotateRight": MessageLookupByLibrary.simpleMessage("Roter mot høyre"), + "safelyStored": MessageLookupByLibrary.simpleMessage("Trygt lagret"), + "save": MessageLookupByLibrary.simpleMessage("Lagre"), + "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( + "Lagre endringer før du drar?", + ), + "saveCollage": MessageLookupByLibrary.simpleMessage("Lagre kollasje"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Lagre en kopi"), + "saveKey": MessageLookupByLibrary.simpleMessage("Lagre nøkkel"), + "savePerson": MessageLookupByLibrary.simpleMessage("Lagre person"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Lagre gjenopprettingsnøkkelen hvis du ikke allerede har gjort det", + ), + "saving": MessageLookupByLibrary.simpleMessage("Lagrer..."), + "savingEdits": MessageLookupByLibrary.simpleMessage( + "Lagrer redigeringer...", + ), + "scanCode": MessageLookupByLibrary.simpleMessage("Skann kode"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Skann denne strekkoden med\nautentiseringsappen din", + ), + "search": MessageLookupByLibrary.simpleMessage("Søk"), + "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Album"), + "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage("Albumnavn"), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Albumnavn (f.eks. \"Kamera\")\n• Filtyper (f.eks. \"Videoer\", \".gif\")\n• År og måneder (f.eks. \"2022\", \"January\")\n• Hellidager (f.eks. \"Jul\")\n• Bildebeskrivelser (f.eks. \"#moro\")", + ), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Legg til beskrivelser som \"#tur\" i bildeinfo for raskt å finne dem her", + ), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Søk etter dato, måned eller år", + ), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "Bilder vil vises her når behandlingen og synkronisering er fullført", + ), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "Folk vil vises her når indeksering er gjort", + ), + "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( + "Filtyper og navn", + ), + "searchHint1": MessageLookupByLibrary.simpleMessage("Raskt søk på enheten"), + "searchHint2": MessageLookupByLibrary.simpleMessage( + "Bildedatoer, beskrivelser", + ), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "Albumer, filnavn og typer", + ), + "searchHint4": MessageLookupByLibrary.simpleMessage("Plassering"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "Kommer snart: ansikt & magisk søk ✨", + ), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Gruppebilder som er tatt innenfor noen radius av et bilde", + ), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "Inviter folk, og du vil se alle bilder som deles av dem her", + ), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "Folk vil vises her når behandling og synkronisering er fullført", + ), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Sikkerhet"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "Se offentlige albumlenker i appen", + ), + "selectALocation": MessageLookupByLibrary.simpleMessage( + "Velg en plassering", + ), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage( + "Velg en plassering først", + ), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Velg album"), + "selectAll": MessageLookupByLibrary.simpleMessage("Velg alle"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("Alle"), + "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( + "Velg forsidebilde", + ), + "selectDate": MessageLookupByLibrary.simpleMessage("Velg dato"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Velg mapper for sikkerhetskopiering", + ), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "Velg produkter å legge til", + ), + "selectLanguage": MessageLookupByLibrary.simpleMessage("Velg språk"), + "selectMailApp": MessageLookupByLibrary.simpleMessage("Velg e-post-app"), + "selectMorePhotos": MessageLookupByLibrary.simpleMessage( + "Velg flere bilder", + ), + "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( + "Velg en dato og klokkeslett", + ), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "Velg én dato og klokkeslett for alle", + ), + "selectPersonToLink": MessageLookupByLibrary.simpleMessage( + "Velg person å knytte til", + ), + "selectReason": MessageLookupByLibrary.simpleMessage("Velg grunn"), + "selectStartOfRange": MessageLookupByLibrary.simpleMessage( + "Velg starten på rekkevidde", + ), + "selectTime": MessageLookupByLibrary.simpleMessage("Velg tidspunkt"), + "selectYourFace": MessageLookupByLibrary.simpleMessage( + "Velg ansiktet ditt", + ), + "selectYourPlan": MessageLookupByLibrary.simpleMessage( + "Velg abonnementet ditt", + ), + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Valgte filer er ikke på Ente", + ), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Valgte mapper vil bli kryptert og sikkerhetskopiert", + ), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Valgte elementer vil bli slettet fra alle album og flyttet til papirkurven.", + ), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "Valgte elementer fjernes fra denne personen, men blir ikke slettet fra biblioteket ditt.", + ), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("Send"), + "sendEmail": MessageLookupByLibrary.simpleMessage("Send e-post"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Send invitasjon"), + "sendLink": MessageLookupByLibrary.simpleMessage("Send lenke"), + "serverEndpoint": MessageLookupByLibrary.simpleMessage("Serverendepunkt"), + "sessionExpired": MessageLookupByLibrary.simpleMessage("Økten har utløpt"), + "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( + "Økt-ID stemmer ikke", + ), + "setAPassword": MessageLookupByLibrary.simpleMessage("Lag et passord"), + "setAs": MessageLookupByLibrary.simpleMessage("Angi som"), + "setCover": MessageLookupByLibrary.simpleMessage("Angi forside"), + "setLabel": MessageLookupByLibrary.simpleMessage("Angi"), + "setNewPassword": MessageLookupByLibrary.simpleMessage("Angi nytt passord"), + "setNewPin": MessageLookupByLibrary.simpleMessage("Angi ny PIN-kode"), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage("Angi passord"), + "setRadius": MessageLookupByLibrary.simpleMessage("Angi radius"), + "setupComplete": MessageLookupByLibrary.simpleMessage("Oppsett fullført"), + "share": MessageLookupByLibrary.simpleMessage("Del"), + "shareALink": MessageLookupByLibrary.simpleMessage("Del en lenke"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Åpne et album og trykk på del-knappen øverst til høyre for å dele.", + ), + "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage("Del et album nå"), + "shareLink": MessageLookupByLibrary.simpleMessage("Del link"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Del bare med de du vil", + ), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Last ned Ente slik at vi lett kan dele bilder og videoer av original kvalitet\n\nhttps://ente.io", + ), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Del med brukere som ikke har Ente", + ), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( + "Del ditt første album", + ), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Opprett delte album du kan samarbeide om med andre Ente-brukere, inkludert brukere med gratisabonnement.", + ), + "sharedByMe": MessageLookupByLibrary.simpleMessage("Delt av meg"), + "sharedByYou": MessageLookupByLibrary.simpleMessage("Delt av deg"), + "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( + "Nye delte bilder", + ), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Motta varsler når noen legger til et bilde i et delt album som du er en del av", + ), + "sharedWith": m87, + "sharedWithMe": MessageLookupByLibrary.simpleMessage("Delt med meg"), + "sharedWithYou": MessageLookupByLibrary.simpleMessage("Delt med deg"), + "sharing": MessageLookupByLibrary.simpleMessage("Deler..."), + "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( + "Forskyv datoer og klokkeslett", + ), + "showMemories": MessageLookupByLibrary.simpleMessage("Vis minner"), + "showPerson": MessageLookupByLibrary.simpleMessage("Vis person"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "Logg ut fra andre enheter", + ), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Hvis du tror noen kjenner til ditt passord, kan du tvinge alle andre enheter som bruker kontoen din til å logge ut.", + ), + "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( + "Logg ut andre enheter", + ), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Jeg godtar bruksvilkårene og personvernreglene", + ), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Den vil bli slettet fra alle album.", + ), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Hopp over"), + "social": MessageLookupByLibrary.simpleMessage("Sosial"), + "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( + "Noen elementer er i både Ente og på enheten din.", + ), + "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( + "Noen av filene du prøver å slette, er kun tilgjengelig på enheten og kan ikke gjenopprettes dersom det blir slettet", + ), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Folk som deler album med deg bør se den samme ID-en på deres enhet.", + ), + "somethingWentWrong": MessageLookupByLibrary.simpleMessage("Noe gikk galt"), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Noe gikk galt. Vennligst prøv igjen", + ), + "sorry": MessageLookupByLibrary.simpleMessage("Beklager"), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Beklager, kan ikke legge til i favoritter!", + ), + "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( + "Beklager, kunne ikke fjerne fra favoritter!", + ), + "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "Beklager, koden du skrev inn er feil", + ), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Beklager, vi kunne ikke generere sikre nøkler på denne enheten.\n\nvennligst registrer deg fra en annen enhet.", + ), + "sort": MessageLookupByLibrary.simpleMessage("Sorter"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sorter etter"), + "sortNewestFirst": MessageLookupByLibrary.simpleMessage("Nyeste først"), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Eldste først"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Suksess"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": MessageLookupByLibrary.simpleMessage( + "Fremhev deg selv", + ), + "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( + "Start gjenoppretting", + ), + "startBackup": MessageLookupByLibrary.simpleMessage( + "Start sikkerhetskopiering", + ), + "status": MessageLookupByLibrary.simpleMessage("Status"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "Vil du avbryte strømmingen?", + ), + "stopCastingTitle": MessageLookupByLibrary.simpleMessage( + "Stopp strømmingen", + ), + "storage": MessageLookupByLibrary.simpleMessage("Lagring"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Familie"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Deg"), + "storageInGB": m93, + "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( + "Lagringsplassen er full", + ), + "storageUsageInfo": m94, + "streamDetails": MessageLookupByLibrary.simpleMessage("Strømmedetaljer"), + "strongStrength": MessageLookupByLibrary.simpleMessage("Sterkt"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Abonner"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Du trenger et aktivt betalt abonnement for å aktivere deling.", + ), + "subscription": MessageLookupByLibrary.simpleMessage("Abonnement"), + "success": MessageLookupByLibrary.simpleMessage("Suksess"), + "successfullyArchived": MessageLookupByLibrary.simpleMessage( + "Lagt til i arkivet", + ), + "successfullyHid": MessageLookupByLibrary.simpleMessage("Vellykket skjult"), + "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( + "Fjernet fra arkviet", + ), + "successfullyUnhid": MessageLookupByLibrary.simpleMessage( + "Vellykket synliggjøring", + ), + "suggestFeatures": MessageLookupByLibrary.simpleMessage( + "Foreslå funksjoner", + ), + "sunrise": MessageLookupByLibrary.simpleMessage("På horisonten"), + "support": MessageLookupByLibrary.simpleMessage("Brukerstøtte"), + "syncProgress": m97, + "syncStopped": MessageLookupByLibrary.simpleMessage( + "Synkronisering stoppet", + ), + "syncing": MessageLookupByLibrary.simpleMessage("Synkroniserer..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("System"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("trykk for å kopiere"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage( + "Trykk for å angi kode", + ), + "tapToUnlock": MessageLookupByLibrary.simpleMessage("Trykk for å låse opp"), + "tapToUpload": MessageLookupByLibrary.simpleMessage( + "Trykk for å laste opp", + ), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Det ser ut som noe gikk galt. Prøv på nytt etter en stund. Hvis feilen vedvarer, kontakt kundestøtte.", + ), + "terminate": MessageLookupByLibrary.simpleMessage("Avslutte"), + "terminateSession": MessageLookupByLibrary.simpleMessage("Avslutte økten?"), + "terms": MessageLookupByLibrary.simpleMessage("Vilkår"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Vilkår"), + "thankYou": MessageLookupByLibrary.simpleMessage("Tusen takk"), + "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( + "Takk for at du abonnerer!", + ), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "Nedlastingen kunne ikke fullføres", + ), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "Lenken du prøver å få tilgang til, er utløpt.", + ), + "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "Gjennopprettingsnøkkelen du skrev inn er feil", + ), + "theme": MessageLookupByLibrary.simpleMessage("Tema"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Disse elementene vil bli slettet fra enheten din.", + ), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "De vil bli slettet fra alle album.", + ), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Denne handlingen kan ikke angres", + ), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "Dette albumet har allerede en samarbeidslenke", + ), + "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( + "Dette kan brukes til å gjenopprette kontoen din hvis du mister din andre faktor", + ), + "thisDevice": MessageLookupByLibrary.simpleMessage("Denne enheten"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "Denne e-postadressen er allerede i bruk", + ), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Dette bildet har ingen exif-data", + ), + "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage( + "Dette er meg!", + ), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Dette er din bekreftelses-ID", + ), + "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( + "Denne uka gjennom årene", + ), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Dette vil logge deg ut av følgende enhet:", + ), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Dette vil logge deg ut av denne enheten!", + ), + "thisWillMakeTheDateAndTimeOfAllSelected": + MessageLookupByLibrary.simpleMessage( + "Dette vil gjøre dato og klokkeslett for alle valgte bilder det samme.", + ), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "Dette fjerner de offentlige lenkene av alle valgte hurtiglenker.", + ), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "For å aktivere applås, vennligst angi passord eller skjermlås i systeminnstillingene.", + ), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( + "For å skjule et bilde eller video", + ), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "For å tilbakestille passordet ditt, vennligst bekreft e-posten din først.", + ), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Dagens logger"), + "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( + "For mange gale forsøk", + ), + "total": MessageLookupByLibrary.simpleMessage("totalt"), + "totalSize": MessageLookupByLibrary.simpleMessage("Total størrelse"), + "trash": MessageLookupByLibrary.simpleMessage("Papirkurv"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Beskjær"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": MessageLookupByLibrary.simpleMessage( + "Betrodde kontakter", + ), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Prøv igjen"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Slå på sikkerhetskopi for å automatisk laste opp filer lagt til denne enhetsmappen i Ente.", + ), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "2 måneder gratis med årsabonnement", + ), + "twofactor": MessageLookupByLibrary.simpleMessage("Tofaktor"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "Tofaktorautentisering har blitt deaktivert", + ), + "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( + "Tofaktorautentisering", + ), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "Tofaktorautentisering ble tilbakestilt", + ), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Oppsett av to-faktor", + ), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("Opphev arkivering"), + "unarchiveAlbum": MessageLookupByLibrary.simpleMessage("Gjenopprett album"), + "unarchiving": MessageLookupByLibrary.simpleMessage( + "Fjerner fra arkivet...", + ), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Beklager, denne koden er utilgjengelig.", + ), + "uncategorized": MessageLookupByLibrary.simpleMessage("Ukategorisert"), + "unhide": MessageLookupByLibrary.simpleMessage("Gjør synligjort"), + "unhideToAlbum": MessageLookupByLibrary.simpleMessage( + "Gjør synlig i album", + ), + "unhiding": MessageLookupByLibrary.simpleMessage("Synliggjør..."), + "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Gjør filer synlige i albumet", + ), + "unlock": MessageLookupByLibrary.simpleMessage("Lås opp"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("Løsne album"), + "unselectAll": MessageLookupByLibrary.simpleMessage("Velg bort alle"), + "update": MessageLookupByLibrary.simpleMessage("Oppdater"), + "updateAvailable": MessageLookupByLibrary.simpleMessage( + "En oppdatering er tilgjengelig", + ), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Oppdaterer mappevalg...", + ), + "upgrade": MessageLookupByLibrary.simpleMessage("Oppgrader"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Laster opp filer til albumet...", + ), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( + "Bevarer 1 minne...", + ), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "Opptil 50 % rabatt, frem til 4. desember.", + ), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "Brukbar lagringsplass er begrenset av abonnementet ditt. Lagring du har gjort krav på utover denne grensen blir automatisk tilgjengelig når du oppgraderer abonnementet ditt.", + ), + "useAsCover": MessageLookupByLibrary.simpleMessage("Bruk som forsidebilde"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "Har du problemer med å spille av denne videoen? Hold inne her for å prøve en annen avspiller.", + ), + "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Bruk offentlige lenker for folk som ikke bruker Ente", + ), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Bruk gjenopprettingsnøkkel", + ), + "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( + "Bruk valgt bilde", + ), + "usedSpace": MessageLookupByLibrary.simpleMessage("Benyttet lagringsplass"), + "validTill": m110, + "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Bekreftelse mislyktes, vennligst prøv igjen", + ), + "verificationId": MessageLookupByLibrary.simpleMessage("Verifiserings-ID"), + "verify": MessageLookupByLibrary.simpleMessage("Bekreft"), + "verifyEmail": MessageLookupByLibrary.simpleMessage( + "Bekreft e-postadresse", + ), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Bekreft"), + "verifyPasskey": MessageLookupByLibrary.simpleMessage( + "Bekreft tilgangsnøkkel", + ), + "verifyPassword": MessageLookupByLibrary.simpleMessage("Bekreft passord"), + "verifying": MessageLookupByLibrary.simpleMessage("Verifiserer..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Verifiserer gjenopprettingsnøkkel...", + ), + "videoInfo": MessageLookupByLibrary.simpleMessage("Videoinformasjon"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), + "videos": MessageLookupByLibrary.simpleMessage("Videoer"), + "viewActiveSessions": MessageLookupByLibrary.simpleMessage( + "Vis aktive økter", + ), + "viewAddOnButton": MessageLookupByLibrary.simpleMessage("Vis tillegg"), + "viewAll": MessageLookupByLibrary.simpleMessage("Vis alle"), + "viewAllExifData": MessageLookupByLibrary.simpleMessage( + "Vis alle EXIF-data", + ), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Store filer"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Vis filer som bruker mest lagringsplass.", + ), + "viewLogs": MessageLookupByLibrary.simpleMessage("Se logger"), + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Vis gjenopprettingsnøkkel", + ), + "viewer": MessageLookupByLibrary.simpleMessage("Seer"), + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Vennligst besøk web.ente.io for å administrere abonnementet", + ), + "waitingForVerification": MessageLookupByLibrary.simpleMessage( + "Venter på verifikasjon...", + ), + "waitingForWifi": MessageLookupByLibrary.simpleMessage("Venter på WiFi..."), + "warning": MessageLookupByLibrary.simpleMessage("Advarsel"), + "weAreOpenSource": MessageLookupByLibrary.simpleMessage( + "Vi har åpen kildekode!", + ), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "Vi støtter ikke redigering av bilder og album som du ikke eier ennå", + ), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Svakt"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("Velkommen tilbake!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("Det som er nytt"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "Betrodd kontakt kan hjelpe til med å gjenopprette dine data.", + ), + "yearShort": MessageLookupByLibrary.simpleMessage("år"), + "yearly": MessageLookupByLibrary.simpleMessage("Årlig"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Ja"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Ja, avslutt"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "Ja, konverter til seer", + ), + "yesDelete": MessageLookupByLibrary.simpleMessage("Ja, slett"), + "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( + "Ja, forkast endringer", + ), + "yesLogout": MessageLookupByLibrary.simpleMessage("Ja, logg ut"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Ja, fjern"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Ja, forny"), + "yesResetPerson": MessageLookupByLibrary.simpleMessage( + "Ja, tilbakestill person", + ), + "you": MessageLookupByLibrary.simpleMessage("Deg"), + "youAndThem": m117, + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( + "Du har et familieabonnement!", + ), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Du er på den nyeste versjonen", + ), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Du kan maksimalt doble lagringsplassen din", + ), + "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( + "Du kan administrere koblingene dine i fanen for deling.", + ), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "Du kan prøve å søke etter noe annet.", + ), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "Du kan ikke nedgradere til dette abonnementet", + ), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Du kan ikke dele med deg selv", + ), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "Du har ingen arkiverte elementer.", + ), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "Brukeren din har blitt slettet", + ), + "yourMap": MessageLookupByLibrary.simpleMessage("Ditt kart"), + "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( + "Abonnementet ditt ble nedgradert", + ), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "Abonnementet ditt ble oppgradert", + ), + "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( + "Ditt kjøp var vellykket", + ), + "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( + "Lagringsdetaljene dine kunne ikke hentes", + ), + "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( + "Abonnementet har utløpt", + ), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage("Abonnementet ditt ble oppdatert"), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "Bekreftelseskoden er utløpt", + ), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "Du har ingen duplikatfiler som kan fjernes", + ), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "Du har ingen filer i dette albumet som kan bli slettet", + ), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( + "Zoom ut for å se bilder", + ), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_pl.dart b/mobile/apps/photos/lib/generated/intl/messages_pl.dart index 7354e9cb45..691d72cbb7 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_pl.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_pl.dart @@ -20,6 +20,8 @@ typedef String MessageIfAbsent(String messageStr, List args); class MessageLookup extends MessageLookupByLibrary { String get localeName => 'pl'; + static String m0(title) => "${title} (Ja)"; + static String m3(storageAmount, endDate) => "Twój dodatek ${storageAmount} jest ważny do ${endDate}"; @@ -27,6 +29,8 @@ class MessageLookup extends MessageLookupByLibrary { static String m6(albumName) => "Pomyślnie dodano do ${albumName}"; + static String m7(name) => "Podziwianie ${name}"; + static String m8(count) => "${Intl.plural(count, zero: 'Brak Uczestników', one: '1 Uczestnik', other: '${count} Uczestników')}"; @@ -35,6 +39,8 @@ class MessageLookup extends MessageLookupByLibrary { static String m10(freeAmount, storageUnit) => "${freeAmount} ${storageUnit} wolne"; + static String m11(name) => "Piękne widoki z ${name}"; + static String m12(paymentProvider) => "Prosimy najpierw anulować istniejącą subskrypcję z ${paymentProvider}"; @@ -42,12 +48,7 @@ class MessageLookup extends MessageLookupByLibrary { "${user} nie będzie mógł dodać więcej zdjęć do tego albumu\n\nJednak nadal będą mogli usunąć istniejące zdjęcia, które dodali"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, { - 'true': - 'Twoja rodzina odebrała ${storageAmountInGb} GB do tej pory', - 'false': 'Odebrałeś ${storageAmountInGb} GB do tej pory', - 'other': 'Odebrałeś ${storageAmountInGb} GB do tej pory!', - })}"; + "${Intl.select(isFamilyMember, {'true': 'Twoja rodzina odebrała ${storageAmountInGb} GB do tej pory', 'false': 'Odebrałeś ${storageAmountInGb} GB do tej pory', 'other': 'Odebrałeś ${storageAmountInGb} GB do tej pory!'})}"; static String m15(albumName) => "Utworzono link współpracy dla ${albumName}"; @@ -66,7 +67,10 @@ class MessageLookup extends MessageLookupByLibrary { static String m20(endpoint) => "Połączono z ${endpoint}"; static String m21(count) => - "${Intl.plural(count, one: 'Usuń ${count} element', other: 'Usuń ${count} elementu')}"; + "${Intl.plural(count, one: 'Usuń ${count} element', few: 'Usuń ${count} elementy', many: 'Usuń ${count} elementów', other: 'Usuń ${count} elementu')}"; + + static String m22(count) => + "Usunąć również zdjęcia (i filmy) obecne w tych albumach ${count} z wszystkich innych albumów, których są częścią?"; static String m23(currentlyDeleting, totalCount) => "Usuwanie ${currentlyDeleting} / ${totalCount}"; @@ -83,13 +87,19 @@ class MessageLookup extends MessageLookupByLibrary { static String m27(count, formattedSize) => "${count} plików, każdy po ${formattedSize}"; + static String m28(name) => "Ten e-mail jest już powiązany z ${name}."; + static String m29(newEmail) => "Adres e-mail został zmieniony na ${newEmail}"; + static String m30(email) => "${email} nie posiada konta Ente."; + static String m31(email) => "${email} nie posiada konta Ente.\n\nWyślij im zaproszenie do udostępniania zdjęć."; static String m33(text) => "Znaleziono dodatkowe zdjęcia dla ${text}"; + static String m34(name) => "Ucztowanie z ${name}"; + static String m35(count, formattedNumber) => "${Intl.plural(count, one: '1 plikowi', other: '${formattedNumber} plikom')} na tym urządzeniu została bezpiecznie utworzona kopia zapasowa"; @@ -106,14 +116,23 @@ class MessageLookup extends MessageLookupByLibrary { static String m42(currentlyProcessing, totalCount) => "Przetwarzanie ${currentlyProcessing} / ${totalCount}"; + static String m43(name) => "Wędrówka z ${name}"; + static String m44(count) => - "${Intl.plural(count, one: '${count} element', other: '${count} elementu')}"; + "${Intl.plural(count, one: '${count} element', few: '${count} elementy', many: '${count} elementów', other: '${count} elementu')}"; + + static String m45(name) => "Ostatnio z ${name}"; static String m46(email) => "${email} zaprosił Cię do zostania zaufanym kontaktem"; static String m47(expiryTime) => "Link wygaśnie ${expiryTime}"; + static String m48(email) => "Połącz osobę z ${email}"; + + static String m49(personName, email) => + "Spowoduje to powiązanie ${personName} z ${email}"; + static String m52(albumName) => "Pomyślnie przeniesiono do ${albumName}"; static String m53(personName) => "Brak sugestii dla ${personName}"; @@ -129,6 +148,10 @@ class MessageLookup extends MessageLookupByLibrary { static String m58(providerName) => "Porozmawiaj ze wsparciem ${providerName} jeśli zostałeś obciążony"; + static String m59(name, age) => "${name} ma ${age} lat!"; + + static String m60(name, age) => "${name} wkrótce będzie mieć ${age} lat"; + static String m63(endDate) => "Bezpłatny okres próbny ważny do ${endDate}.\nNastępnie możesz wybrać płatny plan."; @@ -137,10 +160,14 @@ class MessageLookup extends MessageLookupByLibrary { static String m65(toEmail) => "Prosimy wysłać logi do ${toEmail}"; + static String m66(name) => "Pozowanie z ${name}"; + static String m67(folderName) => "Przetwarzanie ${folderName}..."; static String m68(storeName) => "Oceń nas na ${storeName}"; + static String m69(name) => "Ponownie przypisano cię do ${name}"; + static String m70(days, email) => "Możesz uzyskać dostęp do konta po dniu ${days} dni. Powiadomienie zostanie wysłane na ${email}."; @@ -157,17 +184,23 @@ class MessageLookup extends MessageLookupByLibrary { static String m75(endDate) => "Subskrypcja odnowi się ${endDate}"; + static String m76(name) => "Wycieczka z ${name}"; + static String m77(count) => - "${Intl.plural(count, one: 'Znaleziono ${count} wynik', other: 'Znaleziono ${count} wyników')}"; + "${Intl.plural(count, one: 'Znaleziono ${count} wynik', few: 'Znaleziono ${count} wyniki', other: 'Znaleziono ${count} wyników')}"; static String m78(snapshotLength, searchLength) => "Niezgodność długości sekcji: ${snapshotLength} != ${searchLength}"; + static String m79(count) => "Wybrano ${count}"; + static String m80(count) => "Wybrano ${count}"; static String m81(count, yourCount) => "Wybrano ${count} (twoich ${yourCount})"; + static String m82(name) => "Selfie z ${name}"; + static String m83(verificationID) => "Oto mój identyfikator weryfikacyjny: ${verificationID} dla ente.io."; @@ -190,10 +223,18 @@ class MessageLookup extends MessageLookupByLibrary { static String m90(fileType) => "Ten ${fileType} zostanie usunięty z Ente."; + static String m91(name) => "Sport z ${name}"; + + static String m92(name) => "Uwaga na ${name}"; + static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => + usedAmount, + usedStorageUnit, + totalAmount, + totalStorageUnit, + ) => "Użyto ${usedAmount} ${usedStorageUnit} z ${totalAmount} ${totalStorageUnit}"; static String m95(id) => @@ -213,8 +254,12 @@ class MessageLookup extends MessageLookupByLibrary { static String m100(email) => "To jest identyfikator weryfikacyjny ${email}"; + static String m102(dateFormat) => "${dateFormat} przez lata"; + static String m103(count) => - "${Intl.plural(count, zero: 'Wkrótce', one: '1 dzień', other: '${count} dni')}"; + "${Intl.plural(count, zero: 'Wkrótce', one: '1 dzień', few: '${count} dni', other: '${count} dni')}"; + + static String m104(year) => "Podróż w ${year}"; static String m106(email) => "Zostałeś zaproszony do bycia dziedzicznym kontaktem przez ${email}."; @@ -231,1781 +276,2536 @@ class MessageLookup extends MessageLookupByLibrary { static String m111(email) => "Zweryfikuj ${email}"; + static String m112(name) => "Zobacz ${name}, aby odłączyć"; + static String m114(email) => "Wysłaliśmy wiadomość na adres ${email}"; + static String m115(name) => "Życz ${name} wszystkiego najlepszego! 🎉"; + static String m116(count) => - "${Intl.plural(count, one: '${count} rok temu', other: '${count} lata temu')}"; + "${Intl.plural(count, one: '${count} rok temu', few: '${count} lata temu', many: '${count} lat temu', other: '${count} lata temu')}"; + + static String m117(name) => "Ty i ${name}"; static String m118(storageSaved) => "Pomyślnie zwolniłeś/aś ${storageSaved}!"; final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Dostępna jest nowa wersja Ente."), - "about": MessageLookupByLibrary.simpleMessage("O nas"), - "acceptTrustInvite": - MessageLookupByLibrary.simpleMessage("Zaakceptuj Zaproszenie"), - "account": MessageLookupByLibrary.simpleMessage("Konto"), - "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( - "Konto jest już skonfigurowane."), - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("Witaj ponownie!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Rozumiem, że jeśli utracę hasło, mogę utracić dane, ponieważ moje dane są całkowicie zaszyfrowane."), - "activeSessions": MessageLookupByLibrary.simpleMessage("Aktywne sesje"), - "add": MessageLookupByLibrary.simpleMessage("Dodaj"), - "addAName": MessageLookupByLibrary.simpleMessage("Dodaj nazwę"), - "addANewEmail": - MessageLookupByLibrary.simpleMessage("Dodaj nowy adres e-mail"), - "addCollaborator": - MessageLookupByLibrary.simpleMessage("Dodaj współuczestnika"), - "addFiles": MessageLookupByLibrary.simpleMessage("Dodaj Pliki"), - "addFromDevice": - MessageLookupByLibrary.simpleMessage("Dodaj z urządzenia"), - "addLocation": - MessageLookupByLibrary.simpleMessage("Dodaj lokalizację"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Dodaj"), - "addMore": MessageLookupByLibrary.simpleMessage("Dodaj więcej"), - "addName": MessageLookupByLibrary.simpleMessage("Dodaj nazwę"), - "addNameOrMerge": - MessageLookupByLibrary.simpleMessage("Dodaj nazwę lub scal"), - "addNew": MessageLookupByLibrary.simpleMessage("Dodaj nowe"), - "addNewPerson": - MessageLookupByLibrary.simpleMessage("Dodaj nową osobę"), - "addOnPageSubtitle": - MessageLookupByLibrary.simpleMessage("Szczegóły dodatków"), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("Dodatki"), - "addPhotos": MessageLookupByLibrary.simpleMessage("Dodaj zdjęcia"), - "addSelected": MessageLookupByLibrary.simpleMessage("Dodaj zaznaczone"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("Dodaj do albumu"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Dodaj do Ente"), - "addToHiddenAlbum": - MessageLookupByLibrary.simpleMessage("Dodaj do ukrytego albumu"), - "addTrustedContact": - MessageLookupByLibrary.simpleMessage("Dodaj Zaufany Kontakt"), - "addViewer": MessageLookupByLibrary.simpleMessage("Dodaj widza"), - "addYourPhotosNow": - MessageLookupByLibrary.simpleMessage("Dodaj swoje zdjęcia teraz"), - "addedAs": MessageLookupByLibrary.simpleMessage("Dodano jako"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": - MessageLookupByLibrary.simpleMessage("Dodawanie do ulubionych..."), - "advanced": MessageLookupByLibrary.simpleMessage("Zaawansowane"), - "advancedSettings": - MessageLookupByLibrary.simpleMessage("Zaawansowane"), - "after1Day": MessageLookupByLibrary.simpleMessage("Po 1 dniu"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Po 1 godzinie"), - "after1Month": MessageLookupByLibrary.simpleMessage("Po 1 miesiącu"), - "after1Week": MessageLookupByLibrary.simpleMessage("Po 1 tygodniu"), - "after1Year": MessageLookupByLibrary.simpleMessage("Po 1 roku"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Właściciel"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Tytuł albumu"), - "albumUpdated": - MessageLookupByLibrary.simpleMessage("Album został zaktualizowany"), - "albums": MessageLookupByLibrary.simpleMessage("Albumy"), - "allClear": - MessageLookupByLibrary.simpleMessage("✨ Wszystko wyczyszczone"), - "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( - "Wszystkie wspomnienia zachowane"), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "Wszystkie grupy dla tej osoby zostaną zresetowane i stracisz wszystkie sugestie dla tej osoby"), - "allow": MessageLookupByLibrary.simpleMessage("Zezwól"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Pozwól osobom z linkiem na dodawania zdjęć do udostępnionego albumu."), - "allowAddingPhotos": - MessageLookupByLibrary.simpleMessage("Pozwól na dodawanie zdjęć"), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "Zezwalaj aplikacji na otwieranie udostępnianych linków do albumu"), - "allowDownloads": - MessageLookupByLibrary.simpleMessage("Zezwól na pobieranie"), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Pozwól innym dodawać zdjęcia"), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Prosimy zezwolić na dostęp do swoich zdjęć w Ustawieniach, aby Ente mogło wyświetlać i tworzyć kopię zapasową Twojej biblioteki."), - "allowPermTitle": - MessageLookupByLibrary.simpleMessage("Zezwól na dostęp do zdjęć"), - "androidBiometricHint": - MessageLookupByLibrary.simpleMessage("Potwierdź swoją tożsamość"), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "Nie rozpoznano. Spróbuj ponownie."), - "androidBiometricRequiredTitle": - MessageLookupByLibrary.simpleMessage("Wymagana biometria"), - "androidBiometricSuccess": - MessageLookupByLibrary.simpleMessage("Sukces"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Anuluj"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage( - "Wymagane dane logowania urządzenia"), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage( - "Wymagane dane logowania urządzenia"), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Uwierzytelnianie biometryczne nie jest skonfigurowane na tym urządzeniu. Przejdź do \'Ustawienia > Bezpieczeństwo\', aby dodać uwierzytelnianie biometryczne."), - "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( - "Android, iOS, Strona Internetowa, Aplikacja Komputerowa"), - "androidSignInTitle": - MessageLookupByLibrary.simpleMessage("Wymagane uwierzytelnienie"), - "appLock": MessageLookupByLibrary.simpleMessage( - "Blokada dostępu do aplikacji"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Wybierz między domyślnym ekranem blokady urządzenia a niestandardowym ekranem blokady z kodem PIN lub hasłem."), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), - "apply": MessageLookupByLibrary.simpleMessage("Zastosuj"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Użyj kodu"), - "appstoreSubscription": - MessageLookupByLibrary.simpleMessage("Subskrypcja AppStore"), - "archive": MessageLookupByLibrary.simpleMessage("Archiwum"), - "archiveAlbum": - MessageLookupByLibrary.simpleMessage("Archiwizuj album"), - "archiving": MessageLookupByLibrary.simpleMessage("Archiwizowanie..."), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Czy jesteś pewien/pewna, że chcesz opuścić plan rodzinny?"), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "Czy na pewno chcesz anulować?"), - "areYouSureYouWantToChangeYourPlan": - MessageLookupByLibrary.simpleMessage( - "Czy na pewno chcesz zmienić swój plan?"), - "areYouSureYouWantToExit": - MessageLookupByLibrary.simpleMessage("Czy na pewno chcesz wyjść?"), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Czy na pewno chcesz się wylogować?"), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "Czy na pewno chcesz odnowić?"), - "areYouSureYouWantToResetThisPerson": - MessageLookupByLibrary.simpleMessage( - "Czy na pewno chcesz zresetować tę osobę?"), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "Twoja subskrypcja została anulowana. Czy chcesz podzielić się powodem?"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Jaka jest główna przyczyna usunięcia Twojego konta?"), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Poproś swoich bliskich o udostępnienie"), - "atAFalloutShelter": MessageLookupByLibrary.simpleMessage("w schronie"), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Prosimy uwierzytelnić się, aby zmienić weryfikację e-mail"), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Prosimy uwierzytelnić się, aby zmienić ustawienia ekranu blokady"), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Prosimy uwierzytelnić się, aby zmienić swój adres e-mail"), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Prosimy uwierzytelnić się, aby zmienić hasło"), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Uwierzytelnij się, aby skonfigurować uwierzytelnianie dwustopniowe"), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Prosimy uwierzytelnić się, aby zainicjować usuwanie konta"), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Prosimy uwierzytelnić się, aby zarządzać zaufanymi kontaktami"), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Prosimy uwierzytelnić się, aby wyświetlić swój klucz dostępu"), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Prosimy uwierzytelnić się, aby wyświetlić swoje pliki w koszu"), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Prosimy uwierzytelnić się, aby wyświetlić swoje aktywne sesje"), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Prosimy uwierzytelnić się, aby wyświetlić ukryte pliki"), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Prosimy uwierzytelnić się, aby wyświetlić swoje wspomnienia"), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Prosimy uwierzytelnić się, aby wyświetlić swój klucz odzyskiwania"), - "authenticating": - MessageLookupByLibrary.simpleMessage("Uwierzytelnianie..."), - "authenticationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Uwierzytelnianie nie powiodło się, prosimy spróbować ponownie"), - "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( - "Uwierzytelnianie powiodło się!"), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Tutaj zobaczysz dostępne urządzenia Cast."), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Upewnij się, że uprawnienia sieci lokalnej są włączone dla aplikacji Zdjęcia Ente w Ustawieniach."), - "autoLock": - MessageLookupByLibrary.simpleMessage("Automatyczna blokada"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Czas, po którym aplikacja blokuje się po umieszczeniu jej w tle"), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "Z powodu technicznego błędu, zostałeś wylogowany. Przepraszamy za niedogodności."), - "autoPair": - MessageLookupByLibrary.simpleMessage("Automatyczne parowanie"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "Automatyczne parowanie działa tylko z urządzeniami obsługującymi Chromecast."), - "available": MessageLookupByLibrary.simpleMessage("Dostępne"), - "availableStorageSpace": m10, - "backedUpFolders": - MessageLookupByLibrary.simpleMessage("Foldery kopii zapasowej"), - "backup": MessageLookupByLibrary.simpleMessage("Kopia zapasowa"), - "backupFailed": MessageLookupByLibrary.simpleMessage( - "Tworzenie kopii zapasowej nie powiodło się"), - "backupFile": - MessageLookupByLibrary.simpleMessage("Zrób kopię zapasową pliku"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Kopia zapasowa przez dane mobilne"), - "backupSettings": - MessageLookupByLibrary.simpleMessage("Ustawienia kopii zapasowej"), - "backupStatus": - MessageLookupByLibrary.simpleMessage("Status kopii zapasowej"), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Elementy, których kopia zapasowa została utworzona, zostaną wyświetlone w tym miejscu"), - "backupVideos": - MessageLookupByLibrary.simpleMessage("Utwórz kopię zapasową wideo"), - "birthday": MessageLookupByLibrary.simpleMessage("Urodziny"), - "blackFridaySale": MessageLookupByLibrary.simpleMessage( - "Wyprzedaż z okazji Czarnego Piątku"), - "blog": MessageLookupByLibrary.simpleMessage("Blog"), - "cachedData": - MessageLookupByLibrary.simpleMessage("Dane w pamięci podręcznej"), - "calculating": MessageLookupByLibrary.simpleMessage("Obliczanie..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Przepraszamy, ten album nie może zostać otwarty w aplikacji."), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( - "Nie można otworzyć tego albumu"), - "canNotUploadToAlbumsOwnedByOthers": - MessageLookupByLibrary.simpleMessage( - "Nie można przesłać do albumów należących do innych"), - "canOnlyCreateLinkForFilesOwnedByYou": - MessageLookupByLibrary.simpleMessage( - "Można tylko utworzyć link dla plików należących do Ciebie"), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Można usuwać tylko pliki należące do Ciebie"), - "cancel": MessageLookupByLibrary.simpleMessage("Anuluj"), - "cancelAccountRecovery": - MessageLookupByLibrary.simpleMessage("Anuluj odzyskiwanie"), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "Czy na pewno chcesz anulować odzyskiwanie?"), - "cancelOtherSubscription": m12, - "cancelSubscription": - MessageLookupByLibrary.simpleMessage("Anuluj subskrypcję"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Nie można usunąć udostępnionych plików"), - "castAlbum": MessageLookupByLibrary.simpleMessage("Odtwórz album"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Upewnij się, że jesteś w tej samej sieci co telewizor."), - "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( - "Nie udało się wyświetlić albumu"), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Odwiedź cast.ente.io na urządzeniu, które chcesz sparować.\n\nWprowadź poniższy kod, aby odtworzyć album na telewizorze."), - "centerPoint": MessageLookupByLibrary.simpleMessage("Punkt środkowy"), - "change": MessageLookupByLibrary.simpleMessage("Zmień"), - "changeEmail": - MessageLookupByLibrary.simpleMessage("Zmień adres e-mail"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Zmienić lokalizację wybranych elementów?"), - "changePassword": MessageLookupByLibrary.simpleMessage("Zmień hasło"), - "changePasswordTitle": - MessageLookupByLibrary.simpleMessage("Zmień hasło"), - "changePermissions": - MessageLookupByLibrary.simpleMessage("Zmień uprawnienia?"), - "changeYourReferralCode": - MessageLookupByLibrary.simpleMessage("Zmień swój kod polecający"), - "checkForUpdates": MessageLookupByLibrary.simpleMessage( - "Sprawdź dostępne aktualizacje"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Sprawdź swoją skrzynkę odbiorczą (i spam), aby zakończyć weryfikację"), - "checkStatus": MessageLookupByLibrary.simpleMessage("Sprawdź stan"), - "checking": MessageLookupByLibrary.simpleMessage("Sprawdzanie..."), - "checkingModels": - MessageLookupByLibrary.simpleMessage("Sprawdzanie modeli..."), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage( - "Odbierz bezpłatną przestrzeń dyskową"), - "claimMore": MessageLookupByLibrary.simpleMessage("Zdobądź więcej!"), - "claimed": MessageLookupByLibrary.simpleMessage("Odebrano"), - "claimedStorageSoFar": m14, - "cleanUncategorized": - MessageLookupByLibrary.simpleMessage("Wyczyść Nieskategoryzowane"), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Usuń wszystkie pliki z Nieskategoryzowanych, które są obecne w innych albumach"), - "clearCaches": - MessageLookupByLibrary.simpleMessage("Wyczyść pamięć podręczną"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Wyczyść indeksy"), - "click": MessageLookupByLibrary.simpleMessage("• Kliknij"), - "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( - "• Kliknij na menu przepełnienia"), - "close": MessageLookupByLibrary.simpleMessage("Zamknij"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( - "Club według czasu przechwycenia"), - "clubByFileName": - MessageLookupByLibrary.simpleMessage("Club według nazwy pliku"), - "clusteringProgress": - MessageLookupByLibrary.simpleMessage("Postęp tworzenia klastrów"), - "codeAppliedPageTitle": - MessageLookupByLibrary.simpleMessage("Kod został zastosowany"), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Przepraszamy, osiągnięto limit zmian kodu."), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Kod został skopiowany do schowka"), - "codeUsedByYou": - MessageLookupByLibrary.simpleMessage("Kod użyty przez Ciebie"), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Utwórz link, aby umożliwić innym dodawanie i przeglądanie zdjęć w udostępnionym albumie bez konieczności korzystania z aplikacji lub konta Ente. Świetne rozwiązanie do gromadzenia zdjęć ze wspólnych wydarzeń."), - "collaborativeLink": - MessageLookupByLibrary.simpleMessage("Link do współpracy"), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Współuczestnik"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Współuczestnicy mogą dodawać zdjęcia i wideo do udostępnionego albumu."), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("Układ"), - "collageSaved": - MessageLookupByLibrary.simpleMessage("Kolaż zapisano w galerii"), - "collect": MessageLookupByLibrary.simpleMessage("Zbieraj"), - "collectEventPhotos": - MessageLookupByLibrary.simpleMessage("Zbierz zdjęcia z wydarzenia"), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Zbierz zdjęcia"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Utwórz link, w którym Twoi znajomi mogą przesyłać zdjęcia w oryginalnej jakości."), - "color": MessageLookupByLibrary.simpleMessage("Kolor"), - "configuration": MessageLookupByLibrary.simpleMessage("Konfiguracja"), - "confirm": MessageLookupByLibrary.simpleMessage("Potwierdź"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Czy na pewno chcesz wyłączyć uwierzytelnianie dwustopniowe?"), - "confirmAccountDeletion": - MessageLookupByLibrary.simpleMessage("Potwierdź usunięcie konta"), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Tak, chcę trwale usunąć to konto i jego dane ze wszystkich aplikacji."), - "confirmPassword": - MessageLookupByLibrary.simpleMessage("Powtórz hasło"), - "confirmPlanChange": - MessageLookupByLibrary.simpleMessage("Potwierdź zmianę planu"), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Potwierdź klucz odzyskiwania"), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Potwierdź klucz odzyskiwania"), - "connectToDevice": - MessageLookupByLibrary.simpleMessage("Połącz z urządzeniem"), - "contactFamilyAdmin": m18, - "contactSupport": MessageLookupByLibrary.simpleMessage( - "Skontaktuj się z pomocą techniczną"), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Kontakty"), - "contents": MessageLookupByLibrary.simpleMessage("Zawartość"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Kontynuuj"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "Kontynuuj bezpłatny okres próbny"), - "convertToAlbum": - MessageLookupByLibrary.simpleMessage("Konwertuj na album"), - "copyEmailAddress": - MessageLookupByLibrary.simpleMessage("Kopiuj adres e-mail"), - "copyLink": MessageLookupByLibrary.simpleMessage("Skopiuj link"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Kopiuj, wklej ten kod\ndo swojej aplikacji uwierzytelniającej"), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "Nie można utworzyć kopii zapasowej Twoich danych.\nSpróbujemy ponownie później."), - "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( - "Nie udało się zwolnić miejsca"), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Nie można było zaktualizować subskrybcji"), - "count": MessageLookupByLibrary.simpleMessage("Ilość"), - "crashReporting": - MessageLookupByLibrary.simpleMessage("Zgłaszanie awarii"), - "create": MessageLookupByLibrary.simpleMessage("Utwórz"), - "createAccount": MessageLookupByLibrary.simpleMessage("Stwórz konto"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Przytrzymaj, aby wybrać zdjęcia i kliknij +, aby utworzyć album"), - "createCollaborativeLink": - MessageLookupByLibrary.simpleMessage("Utwórz link współpracy"), - "createCollage": MessageLookupByLibrary.simpleMessage("Utwórz kolaż"), - "createNewAccount": - MessageLookupByLibrary.simpleMessage("Stwórz nowe konto"), - "createOrSelectAlbum": - MessageLookupByLibrary.simpleMessage("Utwórz lub wybierz album"), - "createPublicLink": - MessageLookupByLibrary.simpleMessage("Utwórz publiczny link"), - "creatingLink": - MessageLookupByLibrary.simpleMessage("Tworzenie linku..."), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "Dostępna jest krytyczna aktualizacja"), - "crop": MessageLookupByLibrary.simpleMessage("Kadruj"), - "currentUsageIs": - MessageLookupByLibrary.simpleMessage("Aktualne użycie to "), - "currentlyRunning": - MessageLookupByLibrary.simpleMessage("aktualnie uruchomiony"), - "custom": MessageLookupByLibrary.simpleMessage("Niestandardowy"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Ciemny"), - "dayToday": MessageLookupByLibrary.simpleMessage("Dzisiaj"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Wczoraj"), - "declineTrustInvite": - MessageLookupByLibrary.simpleMessage("Odrzuć Zaproszenie"), - "decrypting": MessageLookupByLibrary.simpleMessage("Odszyfrowanie..."), - "decryptingVideo": - MessageLookupByLibrary.simpleMessage("Odszyfrowywanie wideo..."), - "deduplicateFiles": - MessageLookupByLibrary.simpleMessage("Odduplikuj pliki"), - "delete": MessageLookupByLibrary.simpleMessage("Usuń"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Usuń konto"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Przykro nam, że odchodzisz. Wyjaśnij nam, dlaczego nas opuszczasz, aby pomóc ulepszać nasze usługi."), - "deleteAccountPermanentlyButton": - MessageLookupByLibrary.simpleMessage("Usuń konto na stałe"), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Usuń album"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Usunąć również zdjęcia (i wideo) znajdujące się w tym albumie ze wszystkich innych albumów, których są częścią?"), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "Spowoduje to usunięcie wszystkich pustych albumów. Jest to przydatne, gdy chcesz zmniejszyć ilość śmieci na liście albumów."), - "deleteAll": MessageLookupByLibrary.simpleMessage("Usuń Wszystko"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "To konto jest połączone z innymi aplikacjami Ente, jeśli ich używasz. Twoje przesłane dane, we wszystkich aplikacjach Ente, zostaną zaplanowane do usunięcia, a Twoje konto zostanie trwale usunięte."), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Wyślij wiadomość e-mail na account-deletion@ente.io z zarejestrowanego adresu e-mail."), - "deleteEmptyAlbums": - MessageLookupByLibrary.simpleMessage("Usuń puste albumy"), - "deleteEmptyAlbumsWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Usunąć puste albumy?"), - "deleteFromBoth": MessageLookupByLibrary.simpleMessage("Usuń z obu"), - "deleteFromDevice": - MessageLookupByLibrary.simpleMessage("Usuń z urządzenia"), - "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Usuń z Ente"), - "deleteItemCount": m21, - "deleteLocation": - MessageLookupByLibrary.simpleMessage("Usuń lokalizację"), - "deletePhotos": MessageLookupByLibrary.simpleMessage("Usuń zdjęcia"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Brakuje kluczowej funkcji, której potrzebuję"), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "Aplikacja lub określona funkcja nie zachowuje się tak, jak sądzę, że powinna"), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Znalazłem/am inną, lepszą usługę"), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "Moja przyczyna nie jest wymieniona"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Twoje żądanie zostanie przetworzone w ciągu 72 godzin."), - "deleteSharedAlbum": - MessageLookupByLibrary.simpleMessage("Usunąć udostępniony album?"), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "Album zostanie usunięty dla wszystkich\n\nUtracisz dostęp do udostępnionych zdjęć w tym albumie, które są własnością innych osób"), - "deselectAll": MessageLookupByLibrary.simpleMessage("Odznacz wszystko"), - "designedToOutlive": MessageLookupByLibrary.simpleMessage( - "Zaprojektowane do przetrwania"), - "details": MessageLookupByLibrary.simpleMessage("Szczegóły"), - "developerSettings": - MessageLookupByLibrary.simpleMessage("Ustawienia dla programistów"), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Czy na pewno chcesz zmodyfikować ustawienia programisty?"), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Wprowadź kod"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "Pliki dodane do tego albumu urządzenia zostaną automatycznie przesłane do Ente."), - "deviceLock": - MessageLookupByLibrary.simpleMessage("Blokada urządzenia"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Wyłącz blokadę ekranu urządzenia, gdy Ente jest na pierwszym planie i w trakcie tworzenia kopii zapasowej. Zwykle nie jest to potrzebne, ale może pomóc w szybszym przesyłaniu i początkowym imporcie dużych bibliotek."), - "deviceNotFound": - MessageLookupByLibrary.simpleMessage("Nie znaleziono urządzenia"), - "didYouKnow": - MessageLookupByLibrary.simpleMessage("Czy wiedziałeś/aś?"), - "disableAutoLock": - MessageLookupByLibrary.simpleMessage("Wyłącz automatyczną blokadę"), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Widzowie mogą nadal robić zrzuty ekranu lub zapisywać kopie zdjęć za pomocą programów trzecich"), - "disableDownloadWarningTitle": - MessageLookupByLibrary.simpleMessage("Uwaga"), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "Wyłącz uwierzytelnianie dwustopniowe"), - "disablingTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Uwierzytelnianie dwustopniowe jest wyłączane..."), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Odkryj"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Niemowlęta"), - "discover_celebrations": - MessageLookupByLibrary.simpleMessage("Uroczystości"), - "discover_food": MessageLookupByLibrary.simpleMessage("Jedzenie"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Zieleń"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Wzgórza"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Tożsamość"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Memy"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Notatki"), - "discover_pets": - MessageLookupByLibrary.simpleMessage("Zwierzęta domowe"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Paragony"), - "discover_screenshots": - MessageLookupByLibrary.simpleMessage("Zrzuty ekranu"), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfie"), - "discover_sunset": - MessageLookupByLibrary.simpleMessage("Zachód słońca"), - "discover_visiting_cards": - MessageLookupByLibrary.simpleMessage("Wizytówki"), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Tapety"), - "dismiss": MessageLookupByLibrary.simpleMessage("Odrzuć"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": - MessageLookupByLibrary.simpleMessage("Nie wylogowuj mnie"), - "doThisLater": MessageLookupByLibrary.simpleMessage("Spróbuj później"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Czy chcesz odrzucić dokonane zmiany?"), - "done": MessageLookupByLibrary.simpleMessage("Gotowe"), - "doubleYourStorage": MessageLookupByLibrary.simpleMessage( - "Podwój swoją przestrzeń dyskową"), - "download": MessageLookupByLibrary.simpleMessage("Pobierz"), - "downloadFailed": - MessageLookupByLibrary.simpleMessage("Pobieranie nie powiodło się"), - "downloading": MessageLookupByLibrary.simpleMessage("Pobieranie..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Edytuj"), - "editLocation": - MessageLookupByLibrary.simpleMessage("Edytuj lokalizację"), - "editLocationTagTitle": - MessageLookupByLibrary.simpleMessage("Edytuj lokalizację"), - "editPerson": MessageLookupByLibrary.simpleMessage("Edytuj osobę"), - "editsSaved": MessageLookupByLibrary.simpleMessage("Edycje zapisane"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Edycje lokalizacji będą widoczne tylko w Ente"), - "eligible": MessageLookupByLibrary.simpleMessage("kwalifikujący się"), - "email": MessageLookupByLibrary.simpleMessage("Adres e-mail"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "Adres e-mail jest już zarejestrowany."), - "emailChangedTo": m29, - "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "Adres e-mail nie jest zarejestrowany."), - "emailVerificationToggle": - MessageLookupByLibrary.simpleMessage("Weryfikacja e-mail"), - "emailYourLogs": - MessageLookupByLibrary.simpleMessage("Wyślij mailem logi"), - "emergencyContacts": - MessageLookupByLibrary.simpleMessage("Kontakty Alarmowe"), - "empty": MessageLookupByLibrary.simpleMessage("Opróżnij"), - "emptyTrash": MessageLookupByLibrary.simpleMessage("Opróżnić kosz?"), - "enable": MessageLookupByLibrary.simpleMessage("Włącz"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "Ente obsługuje nauczanie maszynowe na urządzeniu dla rozpoznawania twarzy, wyszukiwania magicznego i innych zaawansowanych funkcji wyszukiwania"), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Włącz nauczanie maszynowe dla magicznego wyszukiwania i rozpoznawania twarzy"), - "enableMaps": MessageLookupByLibrary.simpleMessage("Włącz mapy"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "To pokaże Twoje zdjęcia na mapie świata.\n\nTa mapa jest hostowana przez Open Street Map, a dokładne lokalizacje Twoich zdjęć nigdy nie są udostępniane.\n\nMożesz wyłączyć tę funkcję w każdej chwili w ustawieniach."), - "enabled": MessageLookupByLibrary.simpleMessage("Włączone"), - "encryptingBackup": MessageLookupByLibrary.simpleMessage( - "Szyfrowanie kopii zapasowej..."), - "encryption": MessageLookupByLibrary.simpleMessage("Szyfrowanie"), - "encryptionKeys": - MessageLookupByLibrary.simpleMessage("Klucze szyfrowania"), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Punkt końcowy zaktualizowano pomyślnie"), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Domyślnie zaszyfrowane metodą end-to-end"), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente może zaszyfrować i zachować pliki tylko wtedy, gdy udzielisz do nich dostępu"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente potrzebuje uprawnień aby przechowywać twoje zdjęcia"), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "Ente zachowuje Twoje wspomnienia, więc są zawsze dostępne dla Ciebie, nawet jeśli zgubisz urządzenie."), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Twoja rodzina może być również dodana do Twojego planu."), - "enterAlbumName": - MessageLookupByLibrary.simpleMessage("Wprowadź nazwę albumu"), - "enterCode": MessageLookupByLibrary.simpleMessage("Wprowadź kod"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Wprowadź kod dostarczony przez znajomego, aby uzyskać bezpłatne miejsce dla was obojga"), - "enterDateOfBirth": - MessageLookupByLibrary.simpleMessage("Urodziny (nieobowiązkowo)"), - "enterEmail": - MessageLookupByLibrary.simpleMessage("Wprowadź adres e-mail"), - "enterFileName": - MessageLookupByLibrary.simpleMessage("Wprowadź nazwę pliku"), - "enterName": MessageLookupByLibrary.simpleMessage("Wprowadź nazwę"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Wprowadź nowe hasło, którego możemy użyć do zaszyfrowania Twoich danych"), - "enterPassword": MessageLookupByLibrary.simpleMessage("Wprowadź hasło"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Wprowadź hasło, którego możemy użyć do zaszyfrowania Twoich danych"), - "enterPersonName": - MessageLookupByLibrary.simpleMessage("Wprowadź imię osoby"), - "enterPin": MessageLookupByLibrary.simpleMessage("Wprowadź kod PIN"), - "enterReferralCode": - MessageLookupByLibrary.simpleMessage("Wprowadź kod polecenia"), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Wprowadź 6-cyfrowy kod z\nTwojej aplikacji uwierzytelniającej"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Prosimy podać prawidłowy adres e-mail."), - "enterYourEmailAddress": - MessageLookupByLibrary.simpleMessage("Podaj swój adres e-mail"), - "enterYourPassword": - MessageLookupByLibrary.simpleMessage("Wprowadź hasło"), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Wprowadź swój klucz odzyskiwania"), - "error": MessageLookupByLibrary.simpleMessage("Błąd"), - "everywhere": MessageLookupByLibrary.simpleMessage("wszędzie"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": - MessageLookupByLibrary.simpleMessage("Istniejący użytkownik"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Ten link wygasł. Wybierz nowy czas wygaśnięcia lub wyłącz automatyczne wygasanie linku."), - "exportLogs": MessageLookupByLibrary.simpleMessage("Eksportuj logi"), - "exportYourData": - MessageLookupByLibrary.simpleMessage("Eksportuj swoje dane"), - "extraPhotosFound": MessageLookupByLibrary.simpleMessage( - "Znaleziono dodatkowe zdjęcia"), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Twarz jeszcze nie zgrupowana, prosimy wrócić później"), - "faceRecognition": - MessageLookupByLibrary.simpleMessage("Rozpoznawanie twarzy"), - "faces": MessageLookupByLibrary.simpleMessage("Twarze"), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage( - "Nie udało się zastosować kodu"), - "failedToCancel": - MessageLookupByLibrary.simpleMessage("Nie udało się anulować"), - "failedToDownloadVideo": - MessageLookupByLibrary.simpleMessage("Nie udało się pobrać wideo"), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Nie udało się pobrać aktywnych sesji"), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Nie udało się pobrać oryginału do edycji"), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Nie można pobrać szczegółów polecenia. Spróbuj ponownie później."), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "Nie udało się załadować albumów"), - "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Nie udało się odtworzyć wideo"), - "failedToRefreshStripeSubscription": - MessageLookupByLibrary.simpleMessage( - "Nie udało się odświeżyć subskrypcji"), - "failedToRenew": - MessageLookupByLibrary.simpleMessage("Nie udało się odnowić"), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Nie udało się zweryfikować stanu płatności"), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Dodaj 5 członków rodziny do istniejącego planu bez dodatkowego płacenia.\n\nKażdy członek otrzymuje własną przestrzeń prywatną i nie widzi wzajemnie swoich plików, chyba że są one udostępnione.\n\nPlany rodzinne są dostępne dla klientów, którzy mają płatną subskrypcję Ente.\n\nSubskrybuj teraz, aby rozpocząć!"), - "familyPlanPortalTitle": - MessageLookupByLibrary.simpleMessage("Rodzina"), - "familyPlans": MessageLookupByLibrary.simpleMessage("Plany rodzinne"), - "faq": MessageLookupByLibrary.simpleMessage( - "FAQ – Często zadawane pytania"), - "faqs": MessageLookupByLibrary.simpleMessage( - "FAQ – Często zadawane pytania"), - "favorite": MessageLookupByLibrary.simpleMessage("Dodaj do ulubionych"), - "feedback": MessageLookupByLibrary.simpleMessage("Opinia"), - "file": MessageLookupByLibrary.simpleMessage("Plik"), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Nie udało się zapisać pliku do galerii"), - "fileInfoAddDescHint": - MessageLookupByLibrary.simpleMessage("Dodaj opis..."), - "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( - "Plik nie został jeszcze przesłany"), - "fileSavedToGallery": - MessageLookupByLibrary.simpleMessage("Plik zapisany do galerii"), - "fileTypes": MessageLookupByLibrary.simpleMessage("Rodzaje plików"), - "fileTypesAndNames": - MessageLookupByLibrary.simpleMessage("Typy plików i nazwy"), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage("Pliki usunięto"), - "filesSavedToGallery": - MessageLookupByLibrary.simpleMessage("Pliki zapisane do galerii"), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Szybko szukaj osób po imieniu"), - "findThemQuickly": - MessageLookupByLibrary.simpleMessage("Znajdź ich szybko"), - "flip": MessageLookupByLibrary.simpleMessage("Obróć"), - "forYourMemories": - MessageLookupByLibrary.simpleMessage("dla twoich wspomnień"), - "forgotPassword": - MessageLookupByLibrary.simpleMessage("Nie pamiętam hasła"), - "foundFaces": MessageLookupByLibrary.simpleMessage("Znaleziono twarze"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( - "Bezpłatna pamięć, którą odebrano"), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": - MessageLookupByLibrary.simpleMessage("Darmowa pamięć użyteczna"), - "freeTrial": - MessageLookupByLibrary.simpleMessage("Darmowy okres próbny"), - "freeTrialValidTill": m38, - "freeUpAmount": m40, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( - "Zwolnij miejsce na urządzeniu"), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Oszczędzaj miejsce na urządzeniu poprzez wyczyszczenie plików, które zostały już przesłane."), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("Zwolnij miejsce"), - "gallery": MessageLookupByLibrary.simpleMessage("Galeria"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "W galerii wyświetlane jest do 1000 pamięci"), - "general": MessageLookupByLibrary.simpleMessage("Ogólne"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Generowanie kluczy szyfrujących..."), - "genericProgress": m42, - "goToSettings": - MessageLookupByLibrary.simpleMessage("Przejdź do ustawień"), - "googlePlayId": - MessageLookupByLibrary.simpleMessage("Identyfikator Google Play"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Zezwól na dostęp do wszystkich zdjęć w aplikacji Ustawienia"), - "grantPermission": - MessageLookupByLibrary.simpleMessage("Przyznaj uprawnienie"), - "groupNearbyPhotos": - MessageLookupByLibrary.simpleMessage("Grupuj pobliskie zdjęcia"), - "guestView": MessageLookupByLibrary.simpleMessage("Widok gościa"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "Aby włączyć widok gościa, należy skonfigurować hasło urządzenia lub blokadę ekranu w ustawieniach Twojego systemu."), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "Nie śledzimy instalacji aplikacji. Pomogłyby nam, gdybyś powiedział/a nam, gdzie nas znalazłeś/aś!"), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Jak usłyszałeś/aś o Ente? (opcjonalnie)"), - "help": MessageLookupByLibrary.simpleMessage("Pomoc"), - "hidden": MessageLookupByLibrary.simpleMessage("Ukryte"), - "hide": MessageLookupByLibrary.simpleMessage("Ukryj"), - "hideContent": MessageLookupByLibrary.simpleMessage("Ukryj zawartość"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Ukrywa zawartość aplikacji w przełączniku aplikacji i wyłącza zrzuty ekranu"), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Ukrywa zawartość aplikacji w przełączniku aplikacji"), - "hiding": MessageLookupByLibrary.simpleMessage("Ukrywanie..."), - "hostedAtOsmFrance": - MessageLookupByLibrary.simpleMessage("Hostowane w OSM Francja"), - "howItWorks": MessageLookupByLibrary.simpleMessage("Jak to działa"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Poproś ich o przytrzymanie swojego adresu e-mail na ekranie ustawień i sprawdzenie, czy identyfikatory na obu urządzeniach są zgodne."), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Uwierzytelnianie biometryczne nie jest skonfigurowane na Twoim urządzeniu. Prosimy włączyć Touch ID lub Face ID na swoim telefonie."), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "Uwierzytelnianie biometryczne jest wyłączone. Prosimy zablokować i odblokować ekran, aby je włączyć."), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignoruj"), - "ignored": MessageLookupByLibrary.simpleMessage("ignorowane"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Niektóre pliki w tym albumie są ignorowane podczas przesyłania, ponieważ zostały wcześniej usunięte z Ente."), - "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( - "Obraz nie został przeanalizowany"), - "immediately": MessageLookupByLibrary.simpleMessage("Natychmiast"), - "importing": MessageLookupByLibrary.simpleMessage("Importowanie...."), - "incorrectCode": - MessageLookupByLibrary.simpleMessage("Nieprawidłowy kod"), - "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("Nieprawidłowe hasło"), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Nieprawidłowy klucz odzyskiwania"), - "incorrectRecoveryKeyBody": - MessageLookupByLibrary.simpleMessage("Kod jest nieprawidłowy"), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Nieprawidłowy klucz odzyskiwania"), - "indexedItems": - MessageLookupByLibrary.simpleMessage("Zindeksowane elementy"), - "info": MessageLookupByLibrary.simpleMessage("Informacje"), - "insecureDevice": - MessageLookupByLibrary.simpleMessage("Niezabezpieczone urządzenie"), - "installManually": - MessageLookupByLibrary.simpleMessage("Zainstaluj manualnie"), - "invalidEmailAddress": - MessageLookupByLibrary.simpleMessage("Nieprawidłowy adres e-mail"), - "invalidEndpoint": MessageLookupByLibrary.simpleMessage( - "Punkt końcowy jest nieprawidłowy"), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Niestety, wprowadzony punkt końcowy jest nieprawidłowy. Wprowadź prawidłowy punkt końcowy i spróbuj ponownie."), - "invalidKey": - MessageLookupByLibrary.simpleMessage("Klucz jest nieprawidłowy"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Wprowadzony klucz odzyskiwania jest nieprawidłowy. Upewnij się, że zawiera on 24 słowa i sprawdź pisownię każdego z nich.\n\nJeśli wprowadziłeś starszy kod odzyskiwania, upewnij się, że ma on 64 znaki i sprawdź każdy z nich."), - "invite": MessageLookupByLibrary.simpleMessage("Zaproś"), - "inviteToEnte": MessageLookupByLibrary.simpleMessage("Zaproś do Ente"), - "inviteYourFriends": - MessageLookupByLibrary.simpleMessage("Zaproś znajomych"), - "inviteYourFriendsToEnte": - MessageLookupByLibrary.simpleMessage("Zaproś znajomych do Ente"), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Wygląda na to, że coś poszło nie tak. Spróbuj ponownie po pewnym czasie. Jeśli błąd będzie się powtarzał, skontaktuj się z naszym zespołem pomocy technicznej."), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "Elementy pokazują liczbę dni pozostałych przed trwałym usunięciem"), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Wybrane elementy zostaną usunięte z tego albumu"), - "join": MessageLookupByLibrary.simpleMessage("Dołącz"), - "joinAlbum": MessageLookupByLibrary.simpleMessage("Dołącz do albumu"), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( - "aby wyświetlić i dodać swoje zdjęcia"), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "aby dodać to do udostępnionych albumów"), - "joinDiscord": - MessageLookupByLibrary.simpleMessage("Dołącz do serwera Discord"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Zachowaj Zdjęcia"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": - MessageLookupByLibrary.simpleMessage("Pomóż nam z tą informacją"), - "language": MessageLookupByLibrary.simpleMessage("Język"), - "lastUpdated": - MessageLookupByLibrary.simpleMessage("Ostatnio zaktualizowano"), - "leave": MessageLookupByLibrary.simpleMessage("Wyjdź"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Opuść album"), - "leaveFamily": MessageLookupByLibrary.simpleMessage("Opuść rodzinę"), - "leaveSharedAlbum": - MessageLookupByLibrary.simpleMessage("Opuścić udostępniony album?"), - "left": MessageLookupByLibrary.simpleMessage("W lewo"), - "legacy": MessageLookupByLibrary.simpleMessage("Dziedzictwo"), - "legacyAccounts": - MessageLookupByLibrary.simpleMessage("Odziedziczone konta"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "Dziedzictwo pozwala zaufanym kontaktom na dostęp do Twojego konta w razie Twojej nieobecności."), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "Zaufane kontakty mogą rozpocząć odzyskiwanie konta, a jeśli nie zostaną zablokowane w ciągu 30 dni, zresetować Twoje hasło i uzyskać dostęp do Twojego konta."), - "light": MessageLookupByLibrary.simpleMessage("Jasny"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Jasny"), - "linkCopiedToClipboard": - MessageLookupByLibrary.simpleMessage("Link skopiowany do schowka"), - "linkDeviceLimit": - MessageLookupByLibrary.simpleMessage("Limit urządzeń"), - "linkEmail": - MessageLookupByLibrary.simpleMessage("Połącz adres e-mail"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Aktywny"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Wygasł"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Wygaśnięcie linku"), - "linkHasExpired": MessageLookupByLibrary.simpleMessage("Link wygasł"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Nigdy"), - "livePhotos": - MessageLookupByLibrary.simpleMessage("Zdjęcia Live Photo"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "Możesz udostępnić swoją subskrypcję swojej rodzinie"), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "Przechowujemy 3 kopie Twoich danych, jedną w podziemnym schronie"), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "Wszystkie nasze aplikacje są otwarto źródłowe"), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Nasz kod źródłowy i kryptografia zostały poddane zewnętrznemu audytowi"), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "Możesz udostępniać linki do swoich albumów swoim bliskim"), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Nasze aplikacje mobilne działają w tle, aby zaszyfrować i wykonać kopię zapasową wszystkich nowych zdjęć, które klikniesz"), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io ma zgrabny program do przesyłania"), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Używamy Xchacha20Poly1305 do bezpiecznego szyfrowania Twoich danych"), - "loadingExifData": - MessageLookupByLibrary.simpleMessage("Wczytywanie danych EXIF..."), - "loadingGallery": - MessageLookupByLibrary.simpleMessage("Ładowanie galerii..."), - "loadingMessage": - MessageLookupByLibrary.simpleMessage("Wczytywanie Twoich zdjęć..."), - "loadingModel": - MessageLookupByLibrary.simpleMessage("Pobieranie modeli..."), - "loadingYourPhotos": - MessageLookupByLibrary.simpleMessage("Wczytywanie Twoich zdjęć..."), - "localGallery": MessageLookupByLibrary.simpleMessage("Galeria lokalna"), - "localIndexing": - MessageLookupByLibrary.simpleMessage("Indeksowanie lokalne"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Wygląda na to, że coś poszło nie tak, ponieważ lokalna synchronizacja zdjęć zajmuje więcej czasu, niż oczekiwano. Skontaktuj się z naszym zespołem pomocy technicznej"), - "location": MessageLookupByLibrary.simpleMessage("Lokalizacja"), - "locationName": - MessageLookupByLibrary.simpleMessage("Nazwa lokalizacji"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Znacznik lokalizacji grupuje wszystkie zdjęcia, które zostały zrobione w promieniu zdjęcia"), - "locations": MessageLookupByLibrary.simpleMessage("Lokalizacje"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Zablokuj"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Ekran blokady"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Zaloguj się"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Wylogowywanie..."), - "loginSessionExpired": - MessageLookupByLibrary.simpleMessage("Sesja wygasła"), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "Twoja sesja wygasła. Zaloguj się ponownie."), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Klikając, zaloguj się, zgadzam się na regulamin i politykę prywatności"), - "loginWithTOTP": - MessageLookupByLibrary.simpleMessage("Zaloguj się za pomocą TOTP"), - "logout": MessageLookupByLibrary.simpleMessage("Wyloguj"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Spowoduje to wysyłanie logów, aby pomóc nam w debugowaniu twojego problemu. Pamiętaj, że nazwy plików zostaną dołączone, aby pomóc w śledzeniu problemów z określonymi plikami."), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Naciśnij i przytrzymaj e-mail, aby zweryfikować szyfrowanie end-to-end."), - "longpressOnAnItemToViewInFullscreen": - MessageLookupByLibrary.simpleMessage( - "Długo naciśnij element, aby wyświetlić go na pełnym ekranie"), - "loopVideoOff": - MessageLookupByLibrary.simpleMessage("Pętla wideo wyłączona"), - "loopVideoOn": - MessageLookupByLibrary.simpleMessage("Pętla wideo włączona"), - "lostDevice": - MessageLookupByLibrary.simpleMessage("Utracono urządzenie?"), - "machineLearning": - MessageLookupByLibrary.simpleMessage("Nauczanie maszynowe"), - "magicSearch": - MessageLookupByLibrary.simpleMessage("Magiczne wyszukiwanie"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "Magiczne wyszukiwanie pozwala na wyszukiwanie zdjęć według ich zawartości, np. \"kwiat\", \"czerwony samochód\", \"dokumenty tożsamości\""), - "manage": MessageLookupByLibrary.simpleMessage("Zarządzaj"), - "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( - "Zarządzaj pamięcią podręczną urządzenia"), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Przejrzyj i wyczyść lokalną pamięć podręczną."), - "manageFamily": - MessageLookupByLibrary.simpleMessage("Zarządzaj Rodziną"), - "manageLink": MessageLookupByLibrary.simpleMessage("Zarządzaj linkiem"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Zarządzaj"), - "manageSubscription": - MessageLookupByLibrary.simpleMessage("Zarządzaj subskrypcją"), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "Parowanie PIN-em działa z każdym ekranem, na którym chcesz wyświetlić swój album."), - "map": MessageLookupByLibrary.simpleMessage("Mapa"), - "maps": MessageLookupByLibrary.simpleMessage("Mapy"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "merchandise": MessageLookupByLibrary.simpleMessage("Sklep"), - "mergeWithExisting": - MessageLookupByLibrary.simpleMessage("Scal z istniejącym"), - "mergedPhotos": MessageLookupByLibrary.simpleMessage("Scalone zdjęcia"), - "mlConsent": - MessageLookupByLibrary.simpleMessage("Włącz nauczanie maszynowe"), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Rozumiem i chcę włączyć nauczanie maszynowe"), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Jeśli włączysz nauczanie maszynowe, Ente wyodrębni informacje takie jak geometria twarzy z plików, w tym tych udostępnionych z Tobą.\n\nTo się stanie na Twoim urządzeniu i wygenerowane informacje biometryczne zostaną zaszyfrowane end-to-end."), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Kliknij tutaj, aby uzyskać więcej informacji na temat tej funkcji w naszej polityce prywatności"), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "Włączyć nauczanie maszynowe?"), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Pamiętaj, że nauczanie maszynowe spowoduje większą przepustowość i zużycie baterii do czasu zindeksowania wszystkich elementów. Rozważ użycie aplikacji komputerowej do szybszego indeksowania, wszystkie wyniki zostaną automatycznie zsynchronizowane."), - "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( - "Aplikacja Mobilna, Strona Internetowa, Aplikacja Komputerowa"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Umiarkowane"), - "modifyYourQueryOrTrySearchingFor": - MessageLookupByLibrary.simpleMessage( - "Zmodyfikuj zapytanie lub spróbuj wyszukać"), - "moments": MessageLookupByLibrary.simpleMessage("Momenty"), - "month": MessageLookupByLibrary.simpleMessage("miesiąc"), - "monthly": MessageLookupByLibrary.simpleMessage("Miesięcznie"), - "moreDetails": - MessageLookupByLibrary.simpleMessage("Więcej szczegółów"), - "mostRecent": MessageLookupByLibrary.simpleMessage("Od najnowszych"), - "mostRelevant": - MessageLookupByLibrary.simpleMessage("Najbardziej trafne"), - "moveToAlbum": - MessageLookupByLibrary.simpleMessage("Przenieś do albumu"), - "moveToHiddenAlbum": - MessageLookupByLibrary.simpleMessage("Przenieś do ukrytego albumu"), - "movedSuccessfullyTo": m52, - "movedToTrash": - MessageLookupByLibrary.simpleMessage("Przeniesiono do kosza"), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Przenoszenie plików do albumów..."), - "name": MessageLookupByLibrary.simpleMessage("Nazwa"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Nazwij album"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Nie można połączyć się z Ente, spróbuj ponownie po pewnym czasie. Jeśli błąd będzie się powtarzał, skontaktuj się z pomocą techniczną."), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Nie można połączyć się z Ente, sprawdź ustawienia sieci i skontaktuj się z pomocą techniczną, jeśli błąd będzie się powtarzał."), - "never": MessageLookupByLibrary.simpleMessage("Nigdy"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Nowy album"), - "newLocation": MessageLookupByLibrary.simpleMessage("Nowa lokalizacja"), - "newPerson": MessageLookupByLibrary.simpleMessage("Nowa osoba"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Nowy/a do Ente"), - "newest": MessageLookupByLibrary.simpleMessage("Najnowsze"), - "next": MessageLookupByLibrary.simpleMessage("Dalej"), - "no": MessageLookupByLibrary.simpleMessage("Nie"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Brak jeszcze albumów udostępnianych przez Ciebie"), - "noDeviceFound": MessageLookupByLibrary.simpleMessage( - "Nie znaleziono żadnego urządzenia"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Brak"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "Nie masz żadnych plików na tym urządzeniu, które można usunąć"), - "noDuplicates": - MessageLookupByLibrary.simpleMessage("✨ Brak duplikatów"), - "noEnteAccountExclamation": - MessageLookupByLibrary.simpleMessage("Brak konta Ente!"), - "noExifData": MessageLookupByLibrary.simpleMessage("Brak danych EXIF"), - "noFacesFound": - MessageLookupByLibrary.simpleMessage("Nie znaleziono twarzy"), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "Brak ukrytych zdjęć lub wideo"), - "noImagesWithLocation": - MessageLookupByLibrary.simpleMessage("Brak zdjęć z lokalizacją"), - "noInternetConnection": MessageLookupByLibrary.simpleMessage( - "Brak połączenia z Internetem"), - "noPhotosAreBeingBackedUpRightNow": - MessageLookupByLibrary.simpleMessage( - "W tej chwili nie wykonuje się kopii zapasowej zdjęć"), - "noPhotosFoundHere": - MessageLookupByLibrary.simpleMessage("Nie znaleziono tutaj zdjęć"), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( - "Nie wybrano żadnych szybkich linków"), - "noRecoveryKey": - MessageLookupByLibrary.simpleMessage("Brak klucza odzyskiwania?"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Ze względu na charakter naszego protokołu szyfrowania end-to-end, dane nie mogą być odszyfrowane bez hasła lub klucza odzyskiwania"), - "noResults": MessageLookupByLibrary.simpleMessage("Brak wyników"), - "noResultsFound": - MessageLookupByLibrary.simpleMessage("Nie znaleziono wyników"), - "noSuggestionsForPerson": m53, - "noSystemLockFound": MessageLookupByLibrary.simpleMessage( - "Nie znaleziono blokady systemowej"), - "notPersonLabel": m54, - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "Nic Ci jeszcze nie udostępniono"), - "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( - "Nie ma tutaj nic do zobaczenia! 👀"), - "notifications": MessageLookupByLibrary.simpleMessage("Powiadomienia"), - "ok": MessageLookupByLibrary.simpleMessage("Ok"), - "onDevice": MessageLookupByLibrary.simpleMessage("Na urządzeniu"), - "onEnte": - MessageLookupByLibrary.simpleMessage("W ente"), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Tylko te"), - "oops": MessageLookupByLibrary.simpleMessage("Ups"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Ups, nie udało się zapisać zmian"), - "oopsSomethingWentWrong": - MessageLookupByLibrary.simpleMessage("Ups, coś poszło nie tak"), - "openAlbumInBrowser": - MessageLookupByLibrary.simpleMessage("Otwórz album w przeglądarce"), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Prosimy użyć aplikacji internetowej, aby dodać zdjęcia do tego albumu"), - "openFile": MessageLookupByLibrary.simpleMessage("Otwórz plik"), - "openSettings": - MessageLookupByLibrary.simpleMessage("Otwórz Ustawienia"), - "openTheItem": MessageLookupByLibrary.simpleMessage("• Otwórz element"), - "openstreetmapContributors": - MessageLookupByLibrary.simpleMessage("Współautorzy OpenStreetMap"), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Opcjonalnie, tak krótko, jak chcesz..."), - "orMergeWithExistingPerson": - MessageLookupByLibrary.simpleMessage("Lub złącz z istniejącymi"), - "orPickAnExistingOne": - MessageLookupByLibrary.simpleMessage("Lub wybierz istniejący"), - "pair": MessageLookupByLibrary.simpleMessage("Sparuj"), - "pairWithPin": MessageLookupByLibrary.simpleMessage("Sparuj kodem PIN"), - "pairingComplete": - MessageLookupByLibrary.simpleMessage("Parowanie zakończone"), - "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), - "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( - "Weryfikacja jest nadal w toku"), - "passkey": MessageLookupByLibrary.simpleMessage("Klucz dostępu"), - "passkeyAuthTitle": - MessageLookupByLibrary.simpleMessage("Weryfikacja kluczem dostępu"), - "password": MessageLookupByLibrary.simpleMessage("Hasło"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Hasło zostało pomyślnie zmienione"), - "passwordLock": MessageLookupByLibrary.simpleMessage("Blokada hasłem"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "Siła hasła jest obliczana, biorąc pod uwagę długość hasła, użyte znaki, i czy hasło pojawi się w 10 000 najczęściej używanych haseł"), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Nie przechowujemy tego hasła, więc jeśli go zapomnisz, nie będziemy w stanie odszyfrować Twoich danych"), - "paymentDetails": - MessageLookupByLibrary.simpleMessage("Szczegóły płatności"), - "paymentFailed": - MessageLookupByLibrary.simpleMessage("Płatność się nie powiodła"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "Niestety Twoja płatność nie powiodła się. Skontaktuj się z pomocą techniczną, a my Ci pomożemy!"), - "paymentFailedTalkToProvider": m58, - "pendingItems": - MessageLookupByLibrary.simpleMessage("Oczekujące elementy"), - "pendingSync": - MessageLookupByLibrary.simpleMessage("Oczekująca synchronizacja"), - "people": MessageLookupByLibrary.simpleMessage("Ludzie"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Osoby używające twojego kodu"), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Wszystkie elementy w koszu zostaną trwale usunięte\n\nTej czynności nie można cofnąć"), - "permanentlyDelete": - MessageLookupByLibrary.simpleMessage("Usuń trwale"), - "permanentlyDeleteFromDevice": - MessageLookupByLibrary.simpleMessage("Trwale usunąć z urządzenia?"), - "personName": MessageLookupByLibrary.simpleMessage("Nazwa osoby"), - "photoDescriptions": - MessageLookupByLibrary.simpleMessage("Opisy zdjęć"), - "photoGridSize": - MessageLookupByLibrary.simpleMessage("Rozmiar siatki zdjęć"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("zdjęcie"), - "photos": MessageLookupByLibrary.simpleMessage("Zdjęcia"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "Zdjęcia dodane przez Ciebie zostaną usunięte z albumu"), - "pickCenterPoint": - MessageLookupByLibrary.simpleMessage("Wybierz punkt środkowy"), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Przypnij album"), - "pinLock": MessageLookupByLibrary.simpleMessage("Blokada PIN"), - "playOnTv": MessageLookupByLibrary.simpleMessage( - "Odtwórz album na telewizorze"), - "playStoreFreeTrialValidTill": m63, - "playstoreSubscription": - MessageLookupByLibrary.simpleMessage("Subskrypcja PlayStore"), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Prosimy sprawdzić połączenie internetowe i spróbować ponownie."), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Skontaktuj się z support@ente.io i z przyjemnością pomożemy!"), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Skontaktuj się z pomocą techniczną, jeśli problem będzie się powtarzał"), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( - "Prosimy przyznać uprawnienia"), - "pleaseLoginAgain": - MessageLookupByLibrary.simpleMessage("Zaloguj się ponownie"), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Prosimy wybrać szybkie linki do usunięcia"), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": - MessageLookupByLibrary.simpleMessage("Spróbuj ponownie"), - "pleaseVerifyTheCodeYouHaveEntered": - MessageLookupByLibrary.simpleMessage( - "Prosimy zweryfikować wprowadzony kod"), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Prosimy czekać..."), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Prosimy czekać, usuwanie albumu"), - "pleaseWaitForSometimeBeforeRetrying": - MessageLookupByLibrary.simpleMessage( - "Prosimy poczekać chwilę przed ponowną próbą"), - "preparingLogs": - MessageLookupByLibrary.simpleMessage("Przygotowywanie logów..."), - "preserveMore": MessageLookupByLibrary.simpleMessage("Zachowaj więcej"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Naciśnij i przytrzymaj, aby odtworzyć wideo"), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Naciśnij i przytrzymaj obraz, aby odtworzyć wideo"), - "privacy": MessageLookupByLibrary.simpleMessage("Prywatność"), - "privacyPolicyTitle": - MessageLookupByLibrary.simpleMessage("Polityka Prywatności"), - "privateBackups": - MessageLookupByLibrary.simpleMessage("Prywatne kopie zapasowe"), - "privateSharing": - MessageLookupByLibrary.simpleMessage("Udostępnianie prywatne"), - "proceed": MessageLookupByLibrary.simpleMessage("Kontynuuj"), - "processed": MessageLookupByLibrary.simpleMessage("Przetworzone"), - "processingImport": m67, - "publicLinkCreated": - MessageLookupByLibrary.simpleMessage("Utworzono publiczny link"), - "publicLinkEnabled": - MessageLookupByLibrary.simpleMessage("Publiczny link włączony"), - "quickLinks": MessageLookupByLibrary.simpleMessage("Szybkie linki"), - "radius": MessageLookupByLibrary.simpleMessage("Promień"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Zgłoś"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("Oceń aplikację"), - "rateUs": MessageLookupByLibrary.simpleMessage("Oceń nas"), - "rateUsOnStore": m68, - "recover": MessageLookupByLibrary.simpleMessage("Odzyskaj"), - "recoverAccount": - MessageLookupByLibrary.simpleMessage("Odzyskaj konto"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Odzyskaj"), - "recoveryAccount": - MessageLookupByLibrary.simpleMessage("Odzyskaj konto"), - "recoveryInitiated": - MessageLookupByLibrary.simpleMessage("Odzyskiwanie rozpoczęte"), - "recoveryInitiatedDesc": m70, - "recoveryKey": - MessageLookupByLibrary.simpleMessage("Klucz odzyskiwania"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Klucz odzyskiwania został skopiowany do schowka"), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Jeśli zapomnisz hasła, jedynym sposobem odzyskania danych jest ten klucz."), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Nie przechowujemy tego klucza, prosimy zapisać ten 24-słowny klucz w bezpiecznym miejscu."), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Znakomicie! Klucz odzyskiwania jest prawidłowy. Dziękujemy za weryfikację.\n\nPamiętaj, aby bezpiecznie przechowywać kopię zapasową klucza odzyskiwania."), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Klucz odzyskiwania zweryfikowany"), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Twój klucz odzyskiwania jest jedynym sposobem na odzyskanie zdjęć, jeśli zapomnisz hasła. Klucz odzyskiwania można znaleźć w Ustawieniach > Konto.\n\nWprowadź tutaj swój klucz odzyskiwania, aby sprawdzić, czy został zapisany poprawnie."), - "recoveryReady": m71, - "recoverySuccessful": - MessageLookupByLibrary.simpleMessage("Odzyskano pomyślnie!"), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "Zaufany kontakt próbuje uzyskać dostęp do Twojego konta"), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "Obecne urządzenie nie jest wystarczająco wydajne, aby zweryfikować hasło, ale możemy je wygenerować w sposób działający na wszystkich urządzeniach.\n\nZaloguj się przy użyciu klucza odzyskiwania i wygeneruj nowe hasło (jeśli chcesz, możesz ponownie użyć tego samego)."), - "recreatePasswordTitle": - MessageLookupByLibrary.simpleMessage("Ponownie utwórz hasło"), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": - MessageLookupByLibrary.simpleMessage("Wprowadź ponownie hasło"), - "reenterPin": - MessageLookupByLibrary.simpleMessage("Wprowadź ponownie kod PIN"), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Poleć znajomym i podwój swój plan"), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Przekaż ten kod swoim znajomym"), - "referralStep2": - MessageLookupByLibrary.simpleMessage("2. Wykupują płatny plan"), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Polecenia"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "Wysyłanie poleceń jest obecnie wstrzymane"), - "rejectRecovery": - MessageLookupByLibrary.simpleMessage("Odrzuć odzyskiwanie"), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "Również opróżnij \"Ostatnio usunięte\" z \"Ustawienia\" -> \"Pamięć\", aby odebrać wolną przestrzeń"), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Opróżnij również swój \"Kosz\", aby zwolnić miejsce"), - "remoteImages": MessageLookupByLibrary.simpleMessage("Zdjęcia zdalne"), - "remoteThumbnails": - MessageLookupByLibrary.simpleMessage("Zdalne miniatury"), - "remoteVideos": MessageLookupByLibrary.simpleMessage("Zdalne wideo"), - "remove": MessageLookupByLibrary.simpleMessage("Usuń"), - "removeDuplicates": - MessageLookupByLibrary.simpleMessage("Usuń duplikaty"), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Przejrzyj i usuń pliki, które są dokładnymi duplikatami."), - "removeFromAlbum": - MessageLookupByLibrary.simpleMessage("Usuń z albumu"), - "removeFromAlbumTitle": - MessageLookupByLibrary.simpleMessage("Usunąć z albumu?"), - "removeFromFavorite": - MessageLookupByLibrary.simpleMessage("Usuń z ulubionych"), - "removeInvite": - MessageLookupByLibrary.simpleMessage("Usuń zaproszenie"), - "removeLink": MessageLookupByLibrary.simpleMessage("Usuń link"), - "removeParticipant": - MessageLookupByLibrary.simpleMessage("Usuń użytkownika"), - "removeParticipantBody": m74, - "removePersonLabel": - MessageLookupByLibrary.simpleMessage("Usuń etykietę osoby"), - "removePublicLink": - MessageLookupByLibrary.simpleMessage("Usuń link publiczny"), - "removePublicLinks": - MessageLookupByLibrary.simpleMessage("Usuń linki publiczne"), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Niektóre z usuwanych elementów zostały dodane przez inne osoby i utracisz do nich dostęp"), - "removeWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Usunąć?"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Usuń siebie z listy zaufanych kontaktów"), - "removingFromFavorites": - MessageLookupByLibrary.simpleMessage("Usuwanie z ulubionych..."), - "rename": MessageLookupByLibrary.simpleMessage("Zmień nazwę"), - "renameAlbum": - MessageLookupByLibrary.simpleMessage("Zmień nazwę albumu"), - "renameFile": MessageLookupByLibrary.simpleMessage("Zmień nazwę pliku"), - "renewSubscription": - MessageLookupByLibrary.simpleMessage("Odnów subskrypcję"), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Zgłoś błąd"), - "reportBug": MessageLookupByLibrary.simpleMessage("Zgłoś błąd"), - "resendEmail": - MessageLookupByLibrary.simpleMessage("Wyślij e-mail ponownie"), - "resetIgnoredFiles": - MessageLookupByLibrary.simpleMessage("Zresetuj zignorowane pliki"), - "resetPasswordTitle": - MessageLookupByLibrary.simpleMessage("Zresetuj hasło"), - "resetPerson": MessageLookupByLibrary.simpleMessage("Usuń"), - "resetToDefault": - MessageLookupByLibrary.simpleMessage("Przywróć domyślne"), - "restore": MessageLookupByLibrary.simpleMessage("Przywróć"), - "restoreToAlbum": - MessageLookupByLibrary.simpleMessage("Przywróć do albumu"), - "restoringFiles": - MessageLookupByLibrary.simpleMessage("Przywracanie plików..."), - "resumableUploads": - MessageLookupByLibrary.simpleMessage("Przesyłania wznawialne"), - "retry": MessageLookupByLibrary.simpleMessage("Spróbuj ponownie"), - "review": MessageLookupByLibrary.simpleMessage("Przejrzyj"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Przejrzyj i usuń elementy, które uważasz, że są duplikatami."), - "reviewSuggestions": - MessageLookupByLibrary.simpleMessage("Przeglądaj sugestie"), - "right": MessageLookupByLibrary.simpleMessage("W prawo"), - "rotate": MessageLookupByLibrary.simpleMessage("Obróć"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Obróć w lewo"), - "rotateRight": MessageLookupByLibrary.simpleMessage("Obróć w prawo"), - "safelyStored": - MessageLookupByLibrary.simpleMessage("Bezpiecznie przechowywane"), - "save": MessageLookupByLibrary.simpleMessage("Zapisz"), - "saveCollage": MessageLookupByLibrary.simpleMessage("Zapisz kolaż"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Zapisz kopię"), - "saveKey": MessageLookupByLibrary.simpleMessage("Zapisz klucz"), - "savePerson": MessageLookupByLibrary.simpleMessage("Zapisz osobę"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Zapisz swój klucz odzyskiwania, jeśli jeszcze tego nie zrobiłeś"), - "saving": MessageLookupByLibrary.simpleMessage("Zapisywanie..."), - "savingEdits": - MessageLookupByLibrary.simpleMessage("Zapisywanie zmian..."), - "scanCode": MessageLookupByLibrary.simpleMessage("Zeskanuj kod"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Zeskanuj ten kod kreskowy używając\nswojej aplikacji uwierzytelniającej"), - "search": MessageLookupByLibrary.simpleMessage("Szukaj"), - "searchAlbumsEmptySection": - MessageLookupByLibrary.simpleMessage("Albumy"), - "searchByAlbumNameHint": - MessageLookupByLibrary.simpleMessage("Nazwa albumu"), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Nazwy albumów (np. \"Aparat\")\n• Rodzaje plików (np. \"Wideo\", \".gif\")\n• Lata i miesiące (np. \"2022\", \"Styczeń\")\n• Święta (np. \"Boże Narodzenie\")\n• Opisy zdjęć (np. \"#fun\")"), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Dodaj opisy takie jak \"#trip\" w informacji o zdjęciu, aby szybko znaleźć je tutaj"), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Szukaj według daty, miesiąca lub roku"), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "Obrazy będą wyświetlane tutaj po zakończeniu przetwarzania i synchronizacji"), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "Po zakończeniu indeksowania ludzie będą tu wyświetlani"), - "searchFileTypesAndNamesEmptySection": - MessageLookupByLibrary.simpleMessage("Typy plików i nazwy"), - "searchHint1": MessageLookupByLibrary.simpleMessage( - "Szybkie wyszukiwanie na urządzeniu"), - "searchHint2": - MessageLookupByLibrary.simpleMessage("Daty zdjęć, opisy"), - "searchHint3": - MessageLookupByLibrary.simpleMessage("Albumy, nazwy plików i typy"), - "searchHint4": MessageLookupByLibrary.simpleMessage("Lokalizacja"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "Wkrótce: Twarze i magiczne wyszukiwanie ✨"), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Grupuj zdjęcia zrobione w promieniu zdjęcia"), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "Zaproś ludzi, a zobaczysz tutaj wszystkie udostępnione przez nich zdjęcia"), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "Osoby będą wyświetlane tutaj po zakończeniu przetwarzania i synchronizacji"), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Bezpieczeństwo"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "Zobacz publiczne linki do albumów w aplikacji"), - "selectALocation": - MessageLookupByLibrary.simpleMessage("Wybierz lokalizację"), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage( - "Najpierw wybierz lokalizację"), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Wybierz album"), - "selectAll": MessageLookupByLibrary.simpleMessage("Zaznacz wszystko"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("Wszystko"), - "selectCoverPhoto": - MessageLookupByLibrary.simpleMessage("Wybierz zdjęcie na okładkę"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Wybierz foldery do stworzenia kopii zapasowej"), - "selectItemsToAdd": - MessageLookupByLibrary.simpleMessage("Wybierz elementy do dodania"), - "selectLanguage": MessageLookupByLibrary.simpleMessage("Wybierz Język"), - "selectMailApp": - MessageLookupByLibrary.simpleMessage("Wybierz aplikację pocztową"), - "selectMorePhotos": - MessageLookupByLibrary.simpleMessage("Wybierz więcej zdjęć"), - "selectReason": MessageLookupByLibrary.simpleMessage("Wybierz powód"), - "selectYourPlan": - MessageLookupByLibrary.simpleMessage("Wybierz swój plan"), - "selectedFilesAreNotOnEnte": - MessageLookupByLibrary.simpleMessage("Wybrane pliki nie są w Ente"), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Wybrane foldery zostaną zaszyforwane i zostanie utworzona ich kopia zapasowa"), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Wybrane elementy zostaną usunięte ze wszystkich albumów i przeniesione do kosza."), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "send": MessageLookupByLibrary.simpleMessage("Wyślij"), - "sendEmail": MessageLookupByLibrary.simpleMessage("Wyślij e-mail"), - "sendInvite": - MessageLookupByLibrary.simpleMessage("Wyślij zaproszenie"), - "sendLink": MessageLookupByLibrary.simpleMessage("Wyślij link"), - "serverEndpoint": - MessageLookupByLibrary.simpleMessage("Punkt końcowy serwera"), - "sessionExpired": MessageLookupByLibrary.simpleMessage("Sesja wygasła"), - "sessionIdMismatch": - MessageLookupByLibrary.simpleMessage("Niezgodność ID sesji"), - "setAPassword": MessageLookupByLibrary.simpleMessage("Ustaw hasło"), - "setAs": MessageLookupByLibrary.simpleMessage("Ustaw jako"), - "setCover": MessageLookupByLibrary.simpleMessage("Ustaw okładkę"), - "setLabel": MessageLookupByLibrary.simpleMessage("Ustaw"), - "setNewPassword": - MessageLookupByLibrary.simpleMessage("Ustaw nowe hasło"), - "setNewPin": MessageLookupByLibrary.simpleMessage("Ustaw nowy kod PIN"), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage("Ustaw hasło"), - "setRadius": MessageLookupByLibrary.simpleMessage("Ustaw promień"), - "setupComplete": - MessageLookupByLibrary.simpleMessage("Konfiguracja ukończona"), - "share": MessageLookupByLibrary.simpleMessage("Udostępnij"), - "shareALink": MessageLookupByLibrary.simpleMessage("Udostępnij link"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Otwórz album i dotknij przycisk udostępniania w prawym górnym rogu, aby udostępnić."), - "shareAnAlbumNow": - MessageLookupByLibrary.simpleMessage("Udostępnij teraz album"), - "shareLink": MessageLookupByLibrary.simpleMessage("Udostępnij link"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Udostępnij tylko ludziom, którym chcesz"), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Pobierz Ente, abyśmy mogli łatwo udostępniać zdjęcia i wideo w oryginalnej jakości\n\nhttps://ente.io"), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Udostępnij użytkownikom bez konta Ente"), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( - "Udostępnij swój pierwszy album"), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Twórz wspólne albumy i współpracuj z innymi użytkownikami Ente, w tym z użytkownikami korzystającymi z bezpłatnych planów."), - "sharedByMe": - MessageLookupByLibrary.simpleMessage("Udostępnione przeze mnie"), - "sharedByYou": - MessageLookupByLibrary.simpleMessage("Udostępnione przez Ciebie"), - "sharedPhotoNotifications": - MessageLookupByLibrary.simpleMessage("Nowe udostępnione zdjęcia"), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Otrzymuj powiadomienia, gdy ktoś doda zdjęcie do udostępnionego albumu, którego jesteś częścią"), - "sharedWith": m87, - "sharedWithMe": - MessageLookupByLibrary.simpleMessage("Udostępnione ze mną"), - "sharedWithYou": - MessageLookupByLibrary.simpleMessage("Udostępnione z Tobą"), - "sharing": MessageLookupByLibrary.simpleMessage("Udostępnianie..."), - "showMemories": - MessageLookupByLibrary.simpleMessage("Pokaż wspomnienia"), - "showPerson": MessageLookupByLibrary.simpleMessage("Pokaż osobę"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "Wyloguj z pozostałych urządzeń"), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Jeśli uważasz, że ktoś może znać Twoje hasło, możesz wymusić wylogowanie na wszystkich innych urządzeniach korzystających z Twojego konta."), - "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( - "Wyloguj z pozostałych urządzeń"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Akceptuję warunki korzystania z usługi i politykę prywatności"), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "To zostanie usunięte ze wszystkich albumów."), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Pomiń"), - "social": MessageLookupByLibrary.simpleMessage("Społeczność"), - "someItemsAreInBothEnteAndYourDevice": - MessageLookupByLibrary.simpleMessage( - "Niektóre elementy są zarówno w Ente, jak i na Twoim urządzeniu."), - "someOfTheFilesYouAreTryingToDeleteAre": - MessageLookupByLibrary.simpleMessage( - "Niektóre z plików, które próbujesz usunąć, są dostępne tylko na Twoim urządzeniu i nie można ich odzyskać po usunięciu"), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Osoba udostępniająca albumy powinna widzieć ten sam identyfikator na swoim urządzeniu."), - "somethingWentWrong": - MessageLookupByLibrary.simpleMessage("Coś poszło nie tak"), - "somethingWentWrongPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Coś poszło nie tak, spróbuj ponownie"), - "sorry": MessageLookupByLibrary.simpleMessage("Przepraszamy"), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Przepraszamy, nie udało się dodać do ulubionych!"), - "sorryCouldNotRemoveFromFavorites": - MessageLookupByLibrary.simpleMessage( - "Przepraszamy, nie udało się usunąć z ulubionych!"), - "sorryTheCodeYouveEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "Niestety, wprowadzony kod jest nieprawidłowy"), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Przepraszamy, nie mogliśmy wygenerować bezpiecznych kluczy na tym urządzeniu.\n\nZarejestruj się z innego urządzenia."), - "sort": MessageLookupByLibrary.simpleMessage("Sortuj"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sortuj według"), - "sortNewestFirst": - MessageLookupByLibrary.simpleMessage("Od najnowszych"), - "sortOldestFirst": - MessageLookupByLibrary.simpleMessage("Od najstarszych"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Sukces"), - "startAccountRecoveryTitle": - MessageLookupByLibrary.simpleMessage("Rozpocznij odzyskiwanie"), - "startBackup": MessageLookupByLibrary.simpleMessage( - "Uruchom tworzenie kopii zapasowej"), - "status": MessageLookupByLibrary.simpleMessage("Stan"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "Czy chcesz przestać wyświetlać?"), - "stopCastingTitle": - MessageLookupByLibrary.simpleMessage("Zatrzymaj wyświetlanie"), - "storage": MessageLookupByLibrary.simpleMessage("Pamięć"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Rodzina"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Ty"), - "storageInGB": m93, - "storageLimitExceeded": - MessageLookupByLibrary.simpleMessage("Przekroczono limit pamięci"), - "storageUsageInfo": m94, - "strongStrength": MessageLookupByLibrary.simpleMessage("Silne"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Subskrybuj"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Potrzebujesz aktywnej płatnej subskrypcji, aby włączyć udostępnianie."), - "subscription": MessageLookupByLibrary.simpleMessage("Subskrypcja"), - "success": MessageLookupByLibrary.simpleMessage("Sukces"), - "successfullyArchived": - MessageLookupByLibrary.simpleMessage("Pomyślnie zarchiwizowano"), - "successfullyHid": - MessageLookupByLibrary.simpleMessage("Pomyślnie ukryto"), - "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( - "Pomyślnie przywrócono z archiwum"), - "successfullyUnhid": - MessageLookupByLibrary.simpleMessage("Pomyślnie odkryto"), - "suggestFeatures": - MessageLookupByLibrary.simpleMessage("Zaproponuj funkcje"), - "support": MessageLookupByLibrary.simpleMessage("Wsparcie techniczne"), - "syncProgress": m97, - "syncStopped": - MessageLookupByLibrary.simpleMessage("Synchronizacja zatrzymana"), - "syncing": MessageLookupByLibrary.simpleMessage("Synchronizowanie..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("Systemowy"), - "tapToCopy": - MessageLookupByLibrary.simpleMessage("naciśnij aby skopiować"), - "tapToEnterCode": - MessageLookupByLibrary.simpleMessage("Stuknij, aby wprowadzić kod"), - "tapToUnlock": - MessageLookupByLibrary.simpleMessage("Naciśnij, aby odblokować"), - "tapToUpload": - MessageLookupByLibrary.simpleMessage("Naciśnij, aby przesłać"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Wygląda na to, że coś poszło nie tak. Spróbuj ponownie po pewnym czasie. Jeśli błąd będzie się powtarzał, skontaktuj się z naszym zespołem pomocy technicznej."), - "terminate": MessageLookupByLibrary.simpleMessage("Zakończ"), - "terminateSession": - MessageLookupByLibrary.simpleMessage("Zakończyć sesję?"), - "terms": MessageLookupByLibrary.simpleMessage("Warunki"), - "termsOfServicesTitle": - MessageLookupByLibrary.simpleMessage("Regulamin"), - "thankYou": MessageLookupByLibrary.simpleMessage("Dziękujemy"), - "thankYouForSubscribing": - MessageLookupByLibrary.simpleMessage("Dziękujemy za subskrypcję!"), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "Pobieranie nie mogło zostać ukończone"), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "Link, do którego próbujesz uzyskać dostęp, wygasł."), - "theRecoveryKeyYouEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "Wprowadzony klucz odzyskiwania jest nieprawidłowy"), - "theme": MessageLookupByLibrary.simpleMessage("Motyw"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Te elementy zostaną usunięte z Twojego urządzenia."), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "Zostaną one usunięte ze wszystkich albumów."), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Tej czynności nie można cofnąć"), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "Ten album posiada już link do współpracy"), - "thisCanBeUsedToRecoverYourAccountIfYou": - MessageLookupByLibrary.simpleMessage( - "Można go użyć do odzyskania konta w przypadku utraty swojej drugiej metody uwierzytelniania"), - "thisDevice": MessageLookupByLibrary.simpleMessage("To urządzenie"), - "thisEmailIsAlreadyInUse": - MessageLookupByLibrary.simpleMessage("Ten e-mail jest już używany"), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Ten obraz nie posiada danych exif"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "To jest Twój Identyfikator Weryfikacji"), - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "To wyloguje Cię z tego urządzenia:"), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "To wyloguje Cię z tego urządzenia!"), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "Spowoduje to usunięcie publicznych linków wszystkich zaznaczonych szybkich linków."), - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "Aby włączyć blokadę aplikacji, należy skonfigurować hasło urządzenia lub blokadę ekranu w ustawieniach systemu."), - "toHideAPhotoOrVideo": - MessageLookupByLibrary.simpleMessage("Aby ukryć zdjęcie lub wideo"), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Aby zresetować hasło, najpierw zweryfikuj swój adres e-mail."), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Dzisiejsze logi"), - "tooManyIncorrectAttempts": - MessageLookupByLibrary.simpleMessage("Zbyt wiele błędnych prób"), - "total": MessageLookupByLibrary.simpleMessage("ogółem"), - "totalSize": MessageLookupByLibrary.simpleMessage("Całkowity rozmiar"), - "trash": MessageLookupByLibrary.simpleMessage("Kosz"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Przytnij"), - "trustedContacts": - MessageLookupByLibrary.simpleMessage("Zaufane kontakty"), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Spróbuj ponownie"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Włącz kopię zapasową, aby automatycznie przesyłać pliki dodane do folderu urządzenia do Ente."), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "2 miesiące za darmo na planach rocznych"), - "twofactor": MessageLookupByLibrary.simpleMessage( - "Uwierzytelnianie dwustopniowe"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "Uwierzytelnianie dwustopniowe zostało wyłączone"), - "twofactorAuthenticationPageTitle": - MessageLookupByLibrary.simpleMessage( - "Uwierzytelnianie dwustopniowe"), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "Pomyślnie zresetowano uwierzytelnianie dwustopniowe"), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Uwierzytelnianie dwustopniowe"), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": - MessageLookupByLibrary.simpleMessage("Przywróć z archiwum"), - "unarchiveAlbum": - MessageLookupByLibrary.simpleMessage("Przywróć album z archiwum"), - "unarchiving": - MessageLookupByLibrary.simpleMessage("Usuwanie z archiwum..."), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Przepraszamy, ten kod jest niedostępny."), - "uncategorized": MessageLookupByLibrary.simpleMessage("Bez kategorii"), - "unhide": MessageLookupByLibrary.simpleMessage("Odkryj"), - "unhideToAlbum": - MessageLookupByLibrary.simpleMessage("Odkryj do albumu"), - "unhiding": MessageLookupByLibrary.simpleMessage("Odkrywanie..."), - "unhidingFilesToAlbum": - MessageLookupByLibrary.simpleMessage("Odkrywanie plików do albumu"), - "unlock": MessageLookupByLibrary.simpleMessage("Odblokuj"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("Odepnij album"), - "unselectAll": MessageLookupByLibrary.simpleMessage("Odznacz wszystko"), - "update": MessageLookupByLibrary.simpleMessage("Aktualizuj"), - "updateAvailable": - MessageLookupByLibrary.simpleMessage("Dostępna jest aktualizacja"), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Aktualizowanie wyboru folderu..."), - "upgrade": MessageLookupByLibrary.simpleMessage("Ulepsz"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Przesyłanie plików do albumu..."), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( - "Zachowywanie 1 wspomnienia..."), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "Do 50% zniżki, do 4 grudnia."), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "Użyteczna przestrzeń dyskowa jest ograniczona przez Twój obecny plan. Nadmiar zadeklarowanej przestrzeni dyskowej stanie się automatycznie użyteczny po uaktualnieniu planu."), - "useAsCover": MessageLookupByLibrary.simpleMessage("Użyj jako okładki"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "Masz problem z odtwarzaniem tego wideo? Przytrzymaj tutaj, aby spróbować innego odtwarzacza."), - "usePublicLinksForPeopleNotOnEnte": - MessageLookupByLibrary.simpleMessage( - "Użyj publicznych linków dla osób spoza Ente"), - "useRecoveryKey": - MessageLookupByLibrary.simpleMessage("Użyj kodu odzyskiwania"), - "useSelectedPhoto": - MessageLookupByLibrary.simpleMessage("Użyj zaznaczone zdjęcie"), - "usedSpace": MessageLookupByLibrary.simpleMessage("Zajęta przestrzeń"), - "validTill": m110, - "verificationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Weryfikacja nie powiodła się, spróbuj ponownie"), - "verificationId": - MessageLookupByLibrary.simpleMessage("Identyfikator weryfikacyjny"), - "verify": MessageLookupByLibrary.simpleMessage("Zweryfikuj"), - "verifyEmail": - MessageLookupByLibrary.simpleMessage("Zweryfikuj adres e-mail"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Zweryfikuj"), - "verifyPasskey": - MessageLookupByLibrary.simpleMessage("Zweryfikuj klucz dostępu"), - "verifyPassword": - MessageLookupByLibrary.simpleMessage("Zweryfikuj hasło"), - "verifying": MessageLookupByLibrary.simpleMessage("Weryfikowanie..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Weryfikowanie klucza odzyskiwania..."), - "videoInfo": MessageLookupByLibrary.simpleMessage("Informacje Wideo"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("wideo"), - "videos": MessageLookupByLibrary.simpleMessage("Wideo"), - "viewActiveSessions": - MessageLookupByLibrary.simpleMessage("Zobacz aktywne sesje"), - "viewAddOnButton": - MessageLookupByLibrary.simpleMessage("Zobacz dodatki"), - "viewAll": MessageLookupByLibrary.simpleMessage("Pokaż wszystkie"), - "viewAllExifData": MessageLookupByLibrary.simpleMessage( - "Wyświetl wszystkie dane EXIF"), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Duże pliki"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Wyświetl pliki zużywające największą ilość pamięci."), - "viewLogs": MessageLookupByLibrary.simpleMessage("Wyświetl logi"), - "viewRecoveryKey": - MessageLookupByLibrary.simpleMessage("Zobacz klucz odzyskiwania"), - "viewer": MessageLookupByLibrary.simpleMessage("Widz"), - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Odwiedź stronę web.ente.io, aby zarządzać subskrypcją"), - "waitingForVerification": MessageLookupByLibrary.simpleMessage( - "Oczekiwanie na weryfikację..."), - "waitingForWifi": - MessageLookupByLibrary.simpleMessage("Czekanie na WiFi..."), - "warning": MessageLookupByLibrary.simpleMessage("Uwaga"), - "weAreOpenSource": - MessageLookupByLibrary.simpleMessage("Posiadamy otwarte źródło!"), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "Nie wspieramy edycji zdjęć i albumów, których jeszcze nie posiadasz"), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Słabe"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("Witaj ponownie!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("Co nowego"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "Zaufany kontakt może pomóc w odzyskaniu Twoich danych."), - "yearShort": MessageLookupByLibrary.simpleMessage("r"), - "yearly": MessageLookupByLibrary.simpleMessage("Rocznie"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Tak"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Tak, anuluj"), - "yesConvertToViewer": - MessageLookupByLibrary.simpleMessage("Tak, konwertuj na widza"), - "yesDelete": MessageLookupByLibrary.simpleMessage("Tak, usuń"), - "yesDiscardChanges": - MessageLookupByLibrary.simpleMessage("Tak, odrzuć zmiany"), - "yesLogout": MessageLookupByLibrary.simpleMessage("Tak, wyloguj"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Tak, usuń"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Tak, Odnów"), - "yesResetPerson": - MessageLookupByLibrary.simpleMessage("Tak, zresetuj osobę"), - "you": MessageLookupByLibrary.simpleMessage("Ty"), - "youAreOnAFamilyPlan": - MessageLookupByLibrary.simpleMessage("Jesteś w planie rodzinnym!"), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Korzystasz z najnowszej wersji"), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Maksymalnie możesz podwoić swoją przestrzeń dyskową"), - "youCanManageYourLinksInTheShareTab": - MessageLookupByLibrary.simpleMessage( - "Możesz zarządzać swoimi linkami w zakładce udostępnianie."), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "Możesz spróbować wyszukać inne zapytanie."), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "Nie możesz przejść do tego planu"), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Nie możesz udostępnić samemu sobie"), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "Nie masz żadnych zarchiwizowanych elementów."), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "Twoje konto zostało usunięte"), - "yourMap": MessageLookupByLibrary.simpleMessage("Twoja mapa"), - "yourPlanWasSuccessfullyDowngraded": - MessageLookupByLibrary.simpleMessage( - "Twój plan został pomyślnie obniżony"), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "Twój plan został pomyślnie ulepszony"), - "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( - "Twój zakup zakończył się pomyślnie"), - "yourStorageDetailsCouldNotBeFetched": - MessageLookupByLibrary.simpleMessage( - "Nie można pobrać szczegółów pamięci"), - "yourSubscriptionHasExpired": - MessageLookupByLibrary.simpleMessage("Twoja subskrypcja wygasła"), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "Twoja subskrypcja została pomyślnie zaktualizowana"), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "Twój kod weryfikacyjny wygasł"), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "Nie masz żadnych plików w tym albumie, które można usunąć"), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( - "Pomniejsz, aby zobaczyć zdjęcia") - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Dostępna jest nowa wersja Ente.", + ), + "about": MessageLookupByLibrary.simpleMessage("O nas"), + "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( + "Zaakceptuj Zaproszenie", + ), + "account": MessageLookupByLibrary.simpleMessage("Konto"), + "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( + "Konto jest już skonfigurowane.", + ), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( + "Witaj ponownie!", + ), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Rozumiem, że jeśli utracę hasło, mogę utracić dane, ponieważ moje dane są całkowicie zaszyfrowane.", + ), + "actionNotSupportedOnFavouritesAlbum": MessageLookupByLibrary.simpleMessage( + "Akcja nie jest obsługiwana na Ulubionym albumie", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage("Aktywne sesje"), + "add": MessageLookupByLibrary.simpleMessage("Dodaj"), + "addAName": MessageLookupByLibrary.simpleMessage("Dodaj nazwę"), + "addANewEmail": MessageLookupByLibrary.simpleMessage( + "Dodaj nowy adres e-mail", + ), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Dodaj widżet albumu do ekranu głównego i wróć tutaj, aby dostosować.", + ), + "addCollaborator": MessageLookupByLibrary.simpleMessage( + "Dodaj współuczestnika", + ), + "addFiles": MessageLookupByLibrary.simpleMessage("Dodaj Pliki"), + "addFromDevice": MessageLookupByLibrary.simpleMessage("Dodaj z urządzenia"), + "addLocation": MessageLookupByLibrary.simpleMessage("Dodaj lokalizację"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Dodaj"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Dodaj widżet wspomnień do ekranu głównego i wróć tutaj, aby dostosować.", + ), + "addMore": MessageLookupByLibrary.simpleMessage("Dodaj więcej"), + "addName": MessageLookupByLibrary.simpleMessage("Dodaj nazwę"), + "addNameOrMerge": MessageLookupByLibrary.simpleMessage( + "Dodaj nazwę lub scal", + ), + "addNew": MessageLookupByLibrary.simpleMessage("Dodaj nowe"), + "addNewPerson": MessageLookupByLibrary.simpleMessage("Dodaj nową osobę"), + "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( + "Szczegóły dodatków", + ), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("Dodatki"), + "addParticipants": MessageLookupByLibrary.simpleMessage( + "Dodaj uczestników", + ), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Dodaj widżet ludzi do ekranu głównego i wróć tutaj, aby dostosować.", + ), + "addPhotos": MessageLookupByLibrary.simpleMessage("Dodaj zdjęcia"), + "addSelected": MessageLookupByLibrary.simpleMessage("Dodaj zaznaczone"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("Dodaj do albumu"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Dodaj do Ente"), + "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Dodaj do ukrytego albumu", + ), + "addTrustedContact": MessageLookupByLibrary.simpleMessage( + "Dodaj Zaufany Kontakt", + ), + "addViewer": MessageLookupByLibrary.simpleMessage("Dodaj widza"), + "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( + "Dodaj swoje zdjęcia teraz", + ), + "addedAs": MessageLookupByLibrary.simpleMessage("Dodano jako"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": MessageLookupByLibrary.simpleMessage( + "Dodawanie do ulubionych...", + ), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("Zaawansowane"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Zaawansowane"), + "after1Day": MessageLookupByLibrary.simpleMessage("Po 1 dniu"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Po 1 godzinie"), + "after1Month": MessageLookupByLibrary.simpleMessage("Po 1 miesiącu"), + "after1Week": MessageLookupByLibrary.simpleMessage("Po 1 tygodniu"), + "after1Year": MessageLookupByLibrary.simpleMessage("Po 1 roku"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Właściciel"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Tytuł albumu"), + "albumUpdated": MessageLookupByLibrary.simpleMessage( + "Album został zaktualizowany", + ), + "albums": MessageLookupByLibrary.simpleMessage("Albumy"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Wybierz albumy, które chcesz zobaczyć na ekranie głównym.", + ), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Wszystko wyczyszczone"), + "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( + "Wszystkie wspomnienia zachowane", + ), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "Wszystkie grupy dla tej osoby zostaną zresetowane i stracisz wszystkie sugestie dla tej osoby", + ), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "Wszystkie nienazwane grupy zostaną scalone z wybraną osobą. To nadal może zostać cofnięte z przeglądu historii sugestii danej osoby.", + ), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "To jest pierwsze w grupie. Inne wybrane zdjęcia zostaną automatycznie przesunięte w oparciu o tę nową datę", + ), + "allow": MessageLookupByLibrary.simpleMessage("Zezwól"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Pozwól osobom z linkiem na dodawania zdjęć do udostępnionego albumu.", + ), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( + "Pozwól na dodawanie zdjęć", + ), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "Zezwalaj aplikacji na otwieranie udostępnianych linków do albumu", + ), + "allowDownloads": MessageLookupByLibrary.simpleMessage( + "Zezwól na pobieranie", + ), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Pozwól innym dodawać zdjęcia", + ), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Prosimy zezwolić na dostęp do swoich zdjęć w Ustawieniach, aby Ente mogło wyświetlać i tworzyć kopię zapasową Twojej biblioteki.", + ), + "allowPermTitle": MessageLookupByLibrary.simpleMessage( + "Zezwól na dostęp do zdjęć", + ), + "androidBiometricHint": MessageLookupByLibrary.simpleMessage( + "Potwierdź swoją tożsamość", + ), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "Nie rozpoznano. Spróbuj ponownie.", + ), + "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( + "Wymagana biometria", + ), + "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("Sukces"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Anuluj"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage( + "Wymagane dane logowania urządzenia", + ), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage( + "Wymagane dane logowania urządzenia", + ), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Uwierzytelnianie biometryczne nie jest skonfigurowane na tym urządzeniu. Przejdź do \'Ustawienia > Bezpieczeństwo\', aby dodać uwierzytelnianie biometryczne.", + ), + "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( + "Android, iOS, Strona Internetowa, Aplikacja Komputerowa", + ), + "androidSignInTitle": MessageLookupByLibrary.simpleMessage( + "Wymagane uwierzytelnienie", + ), + "appIcon": MessageLookupByLibrary.simpleMessage("Ikona aplikacji"), + "appLock": MessageLookupByLibrary.simpleMessage( + "Blokada dostępu do aplikacji", + ), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Wybierz między domyślnym ekranem blokady urządzenia a niestandardowym ekranem blokady z kodem PIN lub hasłem.", + ), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), + "apply": MessageLookupByLibrary.simpleMessage("Zastosuj"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Użyj kodu"), + "appstoreSubscription": MessageLookupByLibrary.simpleMessage( + "Subskrypcja AppStore", + ), + "archive": MessageLookupByLibrary.simpleMessage("Archiwum"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("Archiwizuj album"), + "archiving": MessageLookupByLibrary.simpleMessage("Archiwizowanie..."), + "areThey": MessageLookupByLibrary.simpleMessage("Czy są "), + "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz usunąć tę twarz z tej osoby?", + ), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Czy jesteś pewien/pewna, że chcesz opuścić plan rodzinny?", + ), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz anulować?", + ), + "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz zmienić swój plan?", + ), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz wyjść?", + ), + "areYouSureYouWantToIgnoreThesePersons": + MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz zignorować te osoby?", + ), + "areYouSureYouWantToIgnoreThisPerson": MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz zignorować tę osobę?", + ), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz się wylogować?", + ), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz je scalić?", + ), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz odnowić?", + ), + "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz zresetować tę osobę?", + ), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "Twoja subskrypcja została anulowana. Czy chcesz podzielić się powodem?", + ), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Jaka jest główna przyczyna usunięcia Twojego konta?", + ), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Poproś swoich bliskich o udostępnienie", + ), + "atAFalloutShelter": MessageLookupByLibrary.simpleMessage("w schronie"), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Prosimy uwierzytelnić się, aby zmienić weryfikację e-mail", + ), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Prosimy uwierzytelnić się, aby zmienić ustawienia ekranu blokady", + ), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Prosimy uwierzytelnić się, aby zmienić swój adres e-mail", + ), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Prosimy uwierzytelnić się, aby zmienić hasło", + ), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Uwierzytelnij się, aby skonfigurować uwierzytelnianie dwustopniowe", + ), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Prosimy uwierzytelnić się, aby zainicjować usuwanie konta", + ), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Prosimy uwierzytelnić się, aby zarządzać zaufanymi kontaktami", + ), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Prosimy uwierzytelnić się, aby wyświetlić swój klucz dostępu", + ), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Prosimy uwierzytelnić się, aby wyświetlić swoje pliki w koszu", + ), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Prosimy uwierzytelnić się, aby wyświetlić swoje aktywne sesje", + ), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Prosimy uwierzytelnić się, aby wyświetlić ukryte pliki", + ), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Prosimy uwierzytelnić się, aby wyświetlić swoje wspomnienia", + ), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Prosimy uwierzytelnić się, aby wyświetlić swój klucz odzyskiwania", + ), + "authenticating": MessageLookupByLibrary.simpleMessage( + "Uwierzytelnianie...", + ), + "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Uwierzytelnianie nie powiodło się, prosimy spróbować ponownie", + ), + "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( + "Uwierzytelnianie powiodło się!", + ), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Tutaj zobaczysz dostępne urządzenia Cast.", + ), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Upewnij się, że uprawnienia sieci lokalnej są włączone dla aplikacji Zdjęcia Ente w Ustawieniach.", + ), + "autoLock": MessageLookupByLibrary.simpleMessage("Automatyczna blokada"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Czas, po którym aplikacja blokuje się po umieszczeniu jej w tle", + ), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "Z powodu technicznego błędu, zostałeś wylogowany. Przepraszamy za niedogodności.", + ), + "autoPair": MessageLookupByLibrary.simpleMessage("Automatyczne parowanie"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "Automatyczne parowanie działa tylko z urządzeniami obsługującymi Chromecast.", + ), + "available": MessageLookupByLibrary.simpleMessage("Dostępne"), + "availableStorageSpace": m10, + "backedUpFolders": MessageLookupByLibrary.simpleMessage( + "Foldery kopii zapasowej", + ), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("Kopia zapasowa"), + "backupFailed": MessageLookupByLibrary.simpleMessage( + "Tworzenie kopii zapasowej nie powiodło się", + ), + "backupFile": MessageLookupByLibrary.simpleMessage( + "Zrób kopię zapasową pliku", + ), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Kopia zapasowa przez dane mobilne", + ), + "backupSettings": MessageLookupByLibrary.simpleMessage( + "Ustawienia kopii zapasowej", + ), + "backupStatus": MessageLookupByLibrary.simpleMessage( + "Status kopii zapasowej", + ), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Elementy, których kopia zapasowa została utworzona, zostaną wyświetlone w tym miejscu", + ), + "backupVideos": MessageLookupByLibrary.simpleMessage( + "Utwórz kopię zapasową wideo", + ), + "beach": MessageLookupByLibrary.simpleMessage("Piasek i morze"), + "birthday": MessageLookupByLibrary.simpleMessage("Urodziny"), + "birthdayNotifications": MessageLookupByLibrary.simpleMessage( + "Powiadomienia o urodzinach", + ), + "birthdays": MessageLookupByLibrary.simpleMessage("Urodziny"), + "blackFridaySale": MessageLookupByLibrary.simpleMessage( + "Wyprzedaż z okazji Czarnego Piątku", + ), + "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cLDesc1": MessageLookupByLibrary.simpleMessage( + "W związku z uruchomieniem wersji beta przesyłania strumieniowego wideo oraz pracami nad możliwością wznawiania przesyłania i pobierania plików, zwiększyliśmy limit przesyłanych plików do 10 GB. Jest to już dostępne zarówno w aplikacjach na komputery, jak i na urządzenia mobilne.", + ), + "cLDesc2": MessageLookupByLibrary.simpleMessage( + "Funkcja przesyłania w tle jest teraz obsługiwana również na urządzeniach z systemem iOS, oprócz urządzeń z Androidem. Nie trzeba już otwierać aplikacji, aby utworzyć kopię zapasową najnowszych zdjęć i filmów.", + ), + "cLDesc3": MessageLookupByLibrary.simpleMessage( + "Wprowadziliśmy istotne ulepszenia w funkcji wspomnień, w tym automatyczne odtwarzanie, przesuwanie do kolejnego wspomnienia i wiele innych.", + ), + "cLDesc4": MessageLookupByLibrary.simpleMessage( + "Wraz z kilkoma ulepszeniami w mechanizmie teraz znacznie łatwiej jest widzieć wszystkie wykryte twarze, zapewniać informacje zwrotne o podobnych twarzach i dodawać/usuwać twarze z jednego zdjęcia.", + ), + "cLDesc5": MessageLookupByLibrary.simpleMessage( + "Od teraz otrzymasz powiadomienie z możliwością rezygnacji dotyczące wszystkich zapisanych urodzin w Ente, wraz z kolekcją najlepszych zdjęć danej osoby.", + ), + "cLDesc6": MessageLookupByLibrary.simpleMessage( + "Nie musisz już czekać na zakończenie przesyłania ani pobierania, żeby móc zamknąć aplikację. Wszystkie operacje przesyłania i pobierania można teraz wstrzymać w dowolnym momencie i wznowić od miejsca, w którym zostały przerwane.", + ), + "cLTitle1": MessageLookupByLibrary.simpleMessage( + "Przesyłanie Dużych Plików Wideo", + ), + "cLTitle2": MessageLookupByLibrary.simpleMessage("Przesyłanie w Tle"), + "cLTitle3": MessageLookupByLibrary.simpleMessage( + "Automatyczne Odtwarzanie Wspomnień", + ), + "cLTitle4": MessageLookupByLibrary.simpleMessage( + "Ulepszone Rozpoznawanie Twarzy", + ), + "cLTitle5": MessageLookupByLibrary.simpleMessage( + "Powiadomienia o Urodzinach", + ), + "cLTitle6": MessageLookupByLibrary.simpleMessage( + "Wznawialne Przesyłanie i Pobieranie Danych", + ), + "cachedData": MessageLookupByLibrary.simpleMessage( + "Dane w pamięci podręcznej", + ), + "calculating": MessageLookupByLibrary.simpleMessage("Obliczanie..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Przepraszamy, ten album nie może zostać otwarty w aplikacji.", + ), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( + "Nie można otworzyć tego albumu", + ), + "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( + "Nie można przesłać do albumów należących do innych", + ), + "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Można tylko utworzyć link dla plików należących do Ciebie", + ), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Można usuwać tylko pliki należące do Ciebie", + ), + "cancel": MessageLookupByLibrary.simpleMessage("Anuluj"), + "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( + "Anuluj odzyskiwanie", + ), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz anulować odzyskiwanie?", + ), + "cancelOtherSubscription": m12, + "cancelSubscription": MessageLookupByLibrary.simpleMessage( + "Anuluj subskrypcję", + ), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Nie można usunąć udostępnionych plików", + ), + "castAlbum": MessageLookupByLibrary.simpleMessage("Odtwórz album"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Upewnij się, że jesteś w tej samej sieci co telewizor.", + ), + "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( + "Nie udało się wyświetlić albumu", + ), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Odwiedź cast.ente.io na urządzeniu, które chcesz sparować.\n\nWprowadź poniższy kod, aby odtworzyć album na telewizorze.", + ), + "centerPoint": MessageLookupByLibrary.simpleMessage("Punkt środkowy"), + "change": MessageLookupByLibrary.simpleMessage("Zmień"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Zmień adres e-mail"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Zmienić lokalizację wybranych elementów?", + ), + "changePassword": MessageLookupByLibrary.simpleMessage("Zmień hasło"), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage("Zmień hasło"), + "changePermissions": MessageLookupByLibrary.simpleMessage( + "Zmień uprawnienia?", + ), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Zmień swój kod polecający", + ), + "checkForUpdates": MessageLookupByLibrary.simpleMessage( + "Sprawdź dostępne aktualizacje", + ), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Sprawdź swoją skrzynkę odbiorczą (i spam), aby zakończyć weryfikację", + ), + "checkStatus": MessageLookupByLibrary.simpleMessage("Sprawdź stan"), + "checking": MessageLookupByLibrary.simpleMessage("Sprawdzanie..."), + "checkingModels": MessageLookupByLibrary.simpleMessage( + "Sprawdzanie modeli...", + ), + "city": MessageLookupByLibrary.simpleMessage("W mieście"), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage( + "Odbierz bezpłatną przestrzeń dyskową", + ), + "claimMore": MessageLookupByLibrary.simpleMessage("Zdobądź więcej!"), + "claimed": MessageLookupByLibrary.simpleMessage("Odebrano"), + "claimedStorageSoFar": m14, + "cleanUncategorized": MessageLookupByLibrary.simpleMessage( + "Wyczyść Nieskategoryzowane", + ), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Usuń wszystkie pliki z Nieskategoryzowanych, które są obecne w innych albumach", + ), + "clearCaches": MessageLookupByLibrary.simpleMessage( + "Wyczyść pamięć podręczną", + ), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Wyczyść indeksy"), + "click": MessageLookupByLibrary.simpleMessage("• Kliknij"), + "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( + "• Kliknij na menu przepełnienia", + ), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Kliknij, aby zainstalować naszą najlepszą wersję", + ), + "close": MessageLookupByLibrary.simpleMessage("Zamknij"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( + "Club według czasu przechwycenia", + ), + "clubByFileName": MessageLookupByLibrary.simpleMessage( + "Club według nazwy pliku", + ), + "clusteringProgress": MessageLookupByLibrary.simpleMessage( + "Postęp tworzenia klastrów", + ), + "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( + "Kod został zastosowany", + ), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Przepraszamy, osiągnięto limit zmian kodu.", + ), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Kod został skopiowany do schowka", + ), + "codeUsedByYou": MessageLookupByLibrary.simpleMessage( + "Kod użyty przez Ciebie", + ), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Utwórz link, aby umożliwić innym dodawanie i przeglądanie zdjęć w udostępnionym albumie bez konieczności korzystania z aplikacji lub konta Ente. Świetne rozwiązanie do gromadzenia zdjęć ze wspólnych wydarzeń.", + ), + "collaborativeLink": MessageLookupByLibrary.simpleMessage( + "Link do współpracy", + ), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Współuczestnik"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Współuczestnicy mogą dodawać zdjęcia i wideo do udostępnionego albumu.", + ), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("Układ"), + "collageSaved": MessageLookupByLibrary.simpleMessage( + "Kolaż zapisano w galerii", + ), + "collect": MessageLookupByLibrary.simpleMessage("Zbieraj"), + "collectEventPhotos": MessageLookupByLibrary.simpleMessage( + "Zbierz zdjęcia z wydarzenia", + ), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Zbierz zdjęcia"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Utwórz link, w którym Twoi znajomi mogą przesyłać zdjęcia w oryginalnej jakości.", + ), + "color": MessageLookupByLibrary.simpleMessage("Kolor"), + "configuration": MessageLookupByLibrary.simpleMessage("Konfiguracja"), + "confirm": MessageLookupByLibrary.simpleMessage("Potwierdź"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz wyłączyć uwierzytelnianie dwustopniowe?", + ), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Potwierdź usunięcie konta", + ), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Tak, chcę trwale usunąć to konto i jego dane ze wszystkich aplikacji.", + ), + "confirmPassword": MessageLookupByLibrary.simpleMessage("Powtórz hasło"), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage( + "Potwierdź zmianę planu", + ), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Potwierdź klucz odzyskiwania", + ), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Potwierdź klucz odzyskiwania", + ), + "connectToDevice": MessageLookupByLibrary.simpleMessage( + "Połącz z urządzeniem", + ), + "contactFamilyAdmin": m18, + "contactSupport": MessageLookupByLibrary.simpleMessage( + "Skontaktuj się z pomocą techniczną", + ), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Kontakty"), + "contents": MessageLookupByLibrary.simpleMessage("Zawartość"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Kontynuuj"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "Kontynuuj bezpłatny okres próbny", + ), + "convertToAlbum": MessageLookupByLibrary.simpleMessage( + "Konwertuj na album", + ), + "copyEmailAddress": MessageLookupByLibrary.simpleMessage( + "Kopiuj adres e-mail", + ), + "copyLink": MessageLookupByLibrary.simpleMessage("Skopiuj link"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Kopiuj, wklej ten kod\ndo swojej aplikacji uwierzytelniającej", + ), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "Nie można utworzyć kopii zapasowej Twoich danych.\nSpróbujemy ponownie później.", + ), + "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( + "Nie udało się zwolnić miejsca", + ), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Nie można było zaktualizować subskrybcji", + ), + "count": MessageLookupByLibrary.simpleMessage("Ilość"), + "crashReporting": MessageLookupByLibrary.simpleMessage("Zgłaszanie awarii"), + "create": MessageLookupByLibrary.simpleMessage("Utwórz"), + "createAccount": MessageLookupByLibrary.simpleMessage("Stwórz konto"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Przytrzymaj, aby wybrać zdjęcia i kliknij +, aby utworzyć album", + ), + "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( + "Utwórz link współpracy", + ), + "createCollage": MessageLookupByLibrary.simpleMessage("Utwórz kolaż"), + "createNewAccount": MessageLookupByLibrary.simpleMessage( + "Stwórz nowe konto", + ), + "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( + "Utwórz lub wybierz album", + ), + "createPublicLink": MessageLookupByLibrary.simpleMessage( + "Utwórz publiczny link", + ), + "creatingLink": MessageLookupByLibrary.simpleMessage("Tworzenie linku..."), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "Dostępna jest krytyczna aktualizacja", + ), + "crop": MessageLookupByLibrary.simpleMessage("Kadruj"), + "curatedMemories": MessageLookupByLibrary.simpleMessage( + "Wyselekcjonowane wspomnienia", + ), + "currentUsageIs": MessageLookupByLibrary.simpleMessage( + "Aktualne użycie to ", + ), + "currentlyRunning": MessageLookupByLibrary.simpleMessage( + "aktualnie uruchomiony", + ), + "custom": MessageLookupByLibrary.simpleMessage("Niestandardowy"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Ciemny"), + "dayToday": MessageLookupByLibrary.simpleMessage("Dzisiaj"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Wczoraj"), + "declineTrustInvite": MessageLookupByLibrary.simpleMessage( + "Odrzuć Zaproszenie", + ), + "decrypting": MessageLookupByLibrary.simpleMessage("Odszyfrowanie..."), + "decryptingVideo": MessageLookupByLibrary.simpleMessage( + "Odszyfrowywanie wideo...", + ), + "deduplicateFiles": MessageLookupByLibrary.simpleMessage( + "Odduplikuj pliki", + ), + "delete": MessageLookupByLibrary.simpleMessage("Usuń"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Usuń konto"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Przykro nam, że odchodzisz. Wyjaśnij nam, dlaczego nas opuszczasz, aby pomóc ulepszać nasze usługi.", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Usuń konto na stałe", + ), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Usuń album"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Usunąć również zdjęcia (i wideo) znajdujące się w tym albumie ze wszystkich innych albumów, których są częścią?", + ), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "Spowoduje to usunięcie wszystkich pustych albumów. Jest to przydatne, gdy chcesz zmniejszyć ilość śmieci na liście albumów.", + ), + "deleteAll": MessageLookupByLibrary.simpleMessage("Usuń Wszystko"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "To konto jest połączone z innymi aplikacjami Ente, jeśli ich używasz. Twoje przesłane dane, we wszystkich aplikacjach Ente, zostaną zaplanowane do usunięcia, a Twoje konto zostanie trwale usunięte.", + ), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Wyślij wiadomość e-mail na account-deletion@ente.io z zarejestrowanego adresu e-mail.", + ), + "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( + "Usuń puste albumy", + ), + "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( + "Usunąć puste albumy?", + ), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage("Usuń z obu"), + "deleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Usuń z urządzenia", + ), + "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Usuń z Ente"), + "deleteItemCount": m21, + "deleteLocation": MessageLookupByLibrary.simpleMessage("Usuń lokalizację"), + "deleteMultipleAlbumDialog": m22, + "deletePhotos": MessageLookupByLibrary.simpleMessage("Usuń zdjęcia"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Brakuje kluczowej funkcji, której potrzebuję", + ), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "Aplikacja lub określona funkcja nie zachowuje się tak, jak sądzę, że powinna", + ), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Znalazłem/am inną, lepszą usługę", + ), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "Moja przyczyna nie jest wymieniona", + ), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Twoje żądanie zostanie przetworzone w ciągu 72 godzin.", + ), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Usunąć udostępniony album?", + ), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "Album zostanie usunięty dla wszystkich\n\nUtracisz dostęp do udostępnionych zdjęć w tym albumie, które są własnością innych osób", + ), + "deselectAll": MessageLookupByLibrary.simpleMessage("Odznacz wszystko"), + "designedToOutlive": MessageLookupByLibrary.simpleMessage( + "Zaprojektowane do przetrwania", + ), + "details": MessageLookupByLibrary.simpleMessage("Szczegóły"), + "developerSettings": MessageLookupByLibrary.simpleMessage( + "Ustawienia dla programistów", + ), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz zmodyfikować ustawienia programisty?", + ), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Wprowadź kod"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "Pliki dodane do tego albumu urządzenia zostaną automatycznie przesłane do Ente.", + ), + "deviceLock": MessageLookupByLibrary.simpleMessage("Blokada urządzenia"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Wyłącz blokadę ekranu urządzenia, gdy Ente jest na pierwszym planie i w trakcie tworzenia kopii zapasowej. Zwykle nie jest to potrzebne, ale może pomóc w szybszym przesyłaniu i początkowym imporcie dużych bibliotek.", + ), + "deviceNotFound": MessageLookupByLibrary.simpleMessage( + "Nie znaleziono urządzenia", + ), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Czy wiedziałeś/aś?"), + "different": MessageLookupByLibrary.simpleMessage("Inne"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage( + "Wyłącz automatyczną blokadę", + ), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Widzowie mogą nadal robić zrzuty ekranu lub zapisywać kopie zdjęć za pomocą programów trzecich", + ), + "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( + "Uwaga", + ), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "Wyłącz uwierzytelnianie dwustopniowe", + ), + "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( + "Uwierzytelnianie dwustopniowe jest wyłączane...", + ), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Odkryj"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Niemowlęta"), + "discover_celebrations": MessageLookupByLibrary.simpleMessage( + "Uroczystości", + ), + "discover_food": MessageLookupByLibrary.simpleMessage("Jedzenie"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Zieleń"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Wzgórza"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Tożsamość"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Memy"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Notatki"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Zwierzęta domowe"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Paragony"), + "discover_screenshots": MessageLookupByLibrary.simpleMessage( + "Zrzuty ekranu", + ), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfie"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Zachód słońca"), + "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( + "Wizytówki", + ), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Tapety"), + "dismiss": MessageLookupByLibrary.simpleMessage("Odrzuć"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage("Nie wylogowuj mnie"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Spróbuj później"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Czy chcesz odrzucić dokonane zmiany?", + ), + "done": MessageLookupByLibrary.simpleMessage("Gotowe"), + "dontSave": MessageLookupByLibrary.simpleMessage("Nie zapisuj"), + "doubleYourStorage": MessageLookupByLibrary.simpleMessage( + "Podwój swoją przestrzeń dyskową", + ), + "download": MessageLookupByLibrary.simpleMessage("Pobierz"), + "downloadFailed": MessageLookupByLibrary.simpleMessage( + "Pobieranie nie powiodło się", + ), + "downloading": MessageLookupByLibrary.simpleMessage("Pobieranie..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Edytuj"), + "editEmailAlreadyLinked": m28, + "editLocation": MessageLookupByLibrary.simpleMessage("Edytuj lokalizację"), + "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( + "Edytuj lokalizację", + ), + "editPerson": MessageLookupByLibrary.simpleMessage("Edytuj osobę"), + "editTime": MessageLookupByLibrary.simpleMessage("Edytuj czas"), + "editsSaved": MessageLookupByLibrary.simpleMessage("Edycje zapisane"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Edycje lokalizacji będą widoczne tylko w Ente", + ), + "eligible": MessageLookupByLibrary.simpleMessage("kwalifikujący się"), + "email": MessageLookupByLibrary.simpleMessage("Adres e-mail"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "Adres e-mail jest już zarejestrowany.", + ), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "Adres e-mail nie jest zarejestrowany.", + ), + "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( + "Weryfikacja e-mail", + ), + "emailYourLogs": MessageLookupByLibrary.simpleMessage("Wyślij mailem logi"), + "emergencyContacts": MessageLookupByLibrary.simpleMessage( + "Kontakty Alarmowe", + ), + "empty": MessageLookupByLibrary.simpleMessage("Opróżnij"), + "emptyTrash": MessageLookupByLibrary.simpleMessage("Opróżnić kosz?"), + "enable": MessageLookupByLibrary.simpleMessage("Włącz"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "Ente obsługuje nauczanie maszynowe na urządzeniu dla rozpoznawania twarzy, wyszukiwania magicznego i innych zaawansowanych funkcji wyszukiwania", + ), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Włącz nauczanie maszynowe dla magicznego wyszukiwania i rozpoznawania twarzy", + ), + "enableMaps": MessageLookupByLibrary.simpleMessage("Włącz mapy"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "To pokaże Twoje zdjęcia na mapie świata.\n\nTa mapa jest hostowana przez Open Street Map, a dokładne lokalizacje Twoich zdjęć nigdy nie są udostępniane.\n\nMożesz wyłączyć tę funkcję w każdej chwili w ustawieniach.", + ), + "enabled": MessageLookupByLibrary.simpleMessage("Włączone"), + "encryptingBackup": MessageLookupByLibrary.simpleMessage( + "Szyfrowanie kopii zapasowej...", + ), + "encryption": MessageLookupByLibrary.simpleMessage("Szyfrowanie"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage( + "Klucze szyfrowania", + ), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Punkt końcowy zaktualizowano pomyślnie", + ), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Domyślnie zaszyfrowane metodą end-to-end", + ), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente może zaszyfrować i zachować pliki tylko wtedy, gdy udzielisz do nich dostępu", + ), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente potrzebuje uprawnień aby przechowywać twoje zdjęcia", + ), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "Ente zachowuje Twoje wspomnienia, więc są zawsze dostępne dla Ciebie, nawet jeśli zgubisz urządzenie.", + ), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Twoja rodzina może być również dodana do Twojego planu.", + ), + "enterAlbumName": MessageLookupByLibrary.simpleMessage( + "Wprowadź nazwę albumu", + ), + "enterCode": MessageLookupByLibrary.simpleMessage("Wprowadź kod"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Wprowadź kod dostarczony przez znajomego, aby uzyskać bezpłatne miejsce dla was obojga", + ), + "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( + "Urodziny (nieobowiązkowo)", + ), + "enterEmail": MessageLookupByLibrary.simpleMessage("Wprowadź adres e-mail"), + "enterFileName": MessageLookupByLibrary.simpleMessage( + "Wprowadź nazwę pliku", + ), + "enterName": MessageLookupByLibrary.simpleMessage("Wprowadź nazwę"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Wprowadź nowe hasło, którego możemy użyć do zaszyfrowania Twoich danych", + ), + "enterPassword": MessageLookupByLibrary.simpleMessage("Wprowadź hasło"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Wprowadź hasło, którego możemy użyć do zaszyfrowania Twoich danych", + ), + "enterPersonName": MessageLookupByLibrary.simpleMessage( + "Wprowadź imię osoby", + ), + "enterPin": MessageLookupByLibrary.simpleMessage("Wprowadź kod PIN"), + "enterReferralCode": MessageLookupByLibrary.simpleMessage( + "Wprowadź kod polecenia", + ), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Wprowadź 6-cyfrowy kod z\nTwojej aplikacji uwierzytelniającej", + ), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Prosimy podać prawidłowy adres e-mail.", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Podaj swój adres e-mail", + ), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Podaj swój nowy adres e-mail", + ), + "enterYourPassword": MessageLookupByLibrary.simpleMessage("Wprowadź hasło"), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Wprowadź swój klucz odzyskiwania", + ), + "error": MessageLookupByLibrary.simpleMessage("Błąd"), + "everywhere": MessageLookupByLibrary.simpleMessage("wszędzie"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": MessageLookupByLibrary.simpleMessage( + "Istniejący użytkownik", + ), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Ten link wygasł. Wybierz nowy czas wygaśnięcia lub wyłącz automatyczne wygasanie linku.", + ), + "exportLogs": MessageLookupByLibrary.simpleMessage("Eksportuj logi"), + "exportYourData": MessageLookupByLibrary.simpleMessage( + "Eksportuj swoje dane", + ), + "extraPhotosFound": MessageLookupByLibrary.simpleMessage( + "Znaleziono dodatkowe zdjęcia", + ), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Twarz jeszcze nie zgrupowana, prosimy wrócić później", + ), + "faceRecognition": MessageLookupByLibrary.simpleMessage( + "Rozpoznawanie twarzy", + ), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "Nie można wygenerować miniaturek twarzy", + ), + "faces": MessageLookupByLibrary.simpleMessage("Twarze"), + "failed": MessageLookupByLibrary.simpleMessage("Nie powiodło się"), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage( + "Nie udało się zastosować kodu", + ), + "failedToCancel": MessageLookupByLibrary.simpleMessage( + "Nie udało się anulować", + ), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( + "Nie udało się pobrać wideo", + ), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Nie udało się pobrać aktywnych sesji", + ), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Nie udało się pobrać oryginału do edycji", + ), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Nie można pobrać szczegółów polecenia. Spróbuj ponownie później.", + ), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "Nie udało się załadować albumów", + ), + "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Nie udało się odtworzyć wideo", + ), + "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( + "Nie udało się odświeżyć subskrypcji", + ), + "failedToRenew": MessageLookupByLibrary.simpleMessage( + "Nie udało się odnowić", + ), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Nie udało się zweryfikować stanu płatności", + ), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Dodaj 5 członków rodziny do istniejącego planu bez dodatkowego płacenia.\n\nKażdy członek otrzymuje własną przestrzeń prywatną i nie widzi wzajemnie swoich plików, chyba że są one udostępnione.\n\nPlany rodzinne są dostępne dla klientów, którzy mają płatną subskrypcję Ente.\n\nSubskrybuj teraz, aby rozpocząć!", + ), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Rodzina"), + "familyPlans": MessageLookupByLibrary.simpleMessage("Plany rodzinne"), + "faq": MessageLookupByLibrary.simpleMessage( + "FAQ – Często zadawane pytania", + ), + "faqs": MessageLookupByLibrary.simpleMessage( + "FAQ – Często zadawane pytania", + ), + "favorite": MessageLookupByLibrary.simpleMessage("Dodaj do ulubionych"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("Opinia"), + "file": MessageLookupByLibrary.simpleMessage("Plik"), + "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage( + "Nie można przeanalizować pliku", + ), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Nie udało się zapisać pliku do galerii", + ), + "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( + "Dodaj opis...", + ), + "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( + "Plik nie został jeszcze przesłany", + ), + "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Plik zapisany do galerii", + ), + "fileTypes": MessageLookupByLibrary.simpleMessage("Rodzaje plików"), + "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( + "Typy plików i nazwy", + ), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage("Pliki usunięto"), + "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Pliki zapisane do galerii", + ), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "Szybko szukaj osób po imieniu", + ), + "findThemQuickly": MessageLookupByLibrary.simpleMessage( + "Znajdź ich szybko", + ), + "flip": MessageLookupByLibrary.simpleMessage("Obróć"), + "food": MessageLookupByLibrary.simpleMessage("Kulinarna rozkosz"), + "forYourMemories": MessageLookupByLibrary.simpleMessage( + "dla twoich wspomnień", + ), + "forgotPassword": MessageLookupByLibrary.simpleMessage( + "Nie pamiętam hasła", + ), + "foundFaces": MessageLookupByLibrary.simpleMessage("Znaleziono twarze"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( + "Bezpłatna pamięć, którą odebrano", + ), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Darmowa pamięć użyteczna", + ), + "freeTrial": MessageLookupByLibrary.simpleMessage("Darmowy okres próbny"), + "freeTrialValidTill": m38, + "freeUpAmount": m40, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( + "Zwolnij miejsce na urządzeniu", + ), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Oszczędzaj miejsce na urządzeniu poprzez wyczyszczenie plików, które zostały już przesłane.", + ), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("Zwolnij miejsce"), + "gallery": MessageLookupByLibrary.simpleMessage("Galeria"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "W galerii wyświetlane jest do 1000 pamięci", + ), + "general": MessageLookupByLibrary.simpleMessage("Ogólne"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Generowanie kluczy szyfrujących...", + ), + "genericProgress": m42, + "goToSettings": MessageLookupByLibrary.simpleMessage("Przejdź do ustawień"), + "googlePlayId": MessageLookupByLibrary.simpleMessage( + "Identyfikator Google Play", + ), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Zezwól na dostęp do wszystkich zdjęć w aplikacji Ustawienia", + ), + "grantPermission": MessageLookupByLibrary.simpleMessage( + "Przyznaj uprawnienie", + ), + "greenery": MessageLookupByLibrary.simpleMessage("Zielone życie"), + "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( + "Grupuj pobliskie zdjęcia", + ), + "guestView": MessageLookupByLibrary.simpleMessage("Widok gościa"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "Aby włączyć widok gościa, należy skonfigurować hasło urządzenia lub blokadę ekranu w ustawieniach Twojego systemu.", + ), + "happyBirthday": MessageLookupByLibrary.simpleMessage( + "Wszystkiego najlepszego! 🥳", + ), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "Nie śledzimy instalacji aplikacji. Pomogłyby nam, gdybyś powiedział/a nam, gdzie nas znalazłeś/aś!", + ), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Jak usłyszałeś/aś o Ente? (opcjonalnie)", + ), + "help": MessageLookupByLibrary.simpleMessage("Pomoc"), + "hidden": MessageLookupByLibrary.simpleMessage("Ukryte"), + "hide": MessageLookupByLibrary.simpleMessage("Ukryj"), + "hideContent": MessageLookupByLibrary.simpleMessage("Ukryj zawartość"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Ukrywa zawartość aplikacji w przełączniku aplikacji i wyłącza zrzuty ekranu", + ), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Ukrywa zawartość aplikacji w przełączniku aplikacji", + ), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Ukryj współdzielone elementy w galerii głównej", + ), + "hiding": MessageLookupByLibrary.simpleMessage("Ukrywanie..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( + "Hostowane w OSM Francja", + ), + "howItWorks": MessageLookupByLibrary.simpleMessage("Jak to działa"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Poproś ich o przytrzymanie swojego adresu e-mail na ekranie ustawień i sprawdzenie, czy identyfikatory na obu urządzeniach są zgodne.", + ), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Uwierzytelnianie biometryczne nie jest skonfigurowane na Twoim urządzeniu. Prosimy włączyć Touch ID lub Face ID na swoim telefonie.", + ), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "Uwierzytelnianie biometryczne jest wyłączone. Prosimy zablokować i odblokować ekran, aby je włączyć.", + ), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), + "ignore": MessageLookupByLibrary.simpleMessage("Ignoruj"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignoruj"), + "ignored": MessageLookupByLibrary.simpleMessage("ignorowane"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Niektóre pliki w tym albumie są ignorowane podczas przesyłania, ponieważ zostały wcześniej usunięte z Ente.", + ), + "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( + "Obraz nie został przeanalizowany", + ), + "immediately": MessageLookupByLibrary.simpleMessage("Natychmiast"), + "importing": MessageLookupByLibrary.simpleMessage("Importowanie...."), + "incorrectCode": MessageLookupByLibrary.simpleMessage("Nieprawidłowy kod"), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Nieprawidłowe hasło", + ), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Nieprawidłowy klucz odzyskiwania", + ), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Kod jest nieprawidłowy", + ), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Nieprawidłowy klucz odzyskiwania", + ), + "indexedItems": MessageLookupByLibrary.simpleMessage( + "Zindeksowane elementy", + ), + "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( + "Indeksowanie zostało wstrzymane. Zostanie automatycznie wznowione, gdy urządzenie będzie gotowe. Urządzenie uznaje się za gotowe, gdy poziom baterii, stan jej zdrowia oraz status termiczny znajdują się w bezpiecznym zakresie.", + ), + "ineligible": MessageLookupByLibrary.simpleMessage("Nie kwalifikuje się"), + "info": MessageLookupByLibrary.simpleMessage("Informacje"), + "insecureDevice": MessageLookupByLibrary.simpleMessage( + "Niezabezpieczone urządzenie", + ), + "installManually": MessageLookupByLibrary.simpleMessage( + "Zainstaluj manualnie", + ), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "Nieprawidłowy adres e-mail", + ), + "invalidEndpoint": MessageLookupByLibrary.simpleMessage( + "Punkt końcowy jest nieprawidłowy", + ), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Niestety, wprowadzony punkt końcowy jest nieprawidłowy. Wprowadź prawidłowy punkt końcowy i spróbuj ponownie.", + ), + "invalidKey": MessageLookupByLibrary.simpleMessage( + "Klucz jest nieprawidłowy", + ), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Wprowadzony klucz odzyskiwania jest nieprawidłowy. Upewnij się, że zawiera on 24 słowa i sprawdź pisownię każdego z nich.\n\nJeśli wprowadziłeś starszy kod odzyskiwania, upewnij się, że ma on 64 znaki i sprawdź każdy z nich.", + ), + "invite": MessageLookupByLibrary.simpleMessage("Zaproś"), + "inviteToEnte": MessageLookupByLibrary.simpleMessage("Zaproś do Ente"), + "inviteYourFriends": MessageLookupByLibrary.simpleMessage( + "Zaproś znajomych", + ), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "Zaproś znajomych do Ente", + ), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Wygląda na to, że coś poszło nie tak. Spróbuj ponownie po pewnym czasie. Jeśli błąd będzie się powtarzał, skontaktuj się z naszym zespołem pomocy technicznej.", + ), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "Elementy pokazują liczbę dni pozostałych przed trwałym usunięciem", + ), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Wybrane elementy zostaną usunięte z tego albumu", + ), + "join": MessageLookupByLibrary.simpleMessage("Dołącz"), + "joinAlbum": MessageLookupByLibrary.simpleMessage("Dołącz do albumu"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "Dołączenie do albumu sprawi, że Twój e-mail będzie widoczny dla jego uczestników.", + ), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( + "aby wyświetlić i dodać swoje zdjęcia", + ), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "aby dodać to do udostępnionych albumów", + ), + "joinDiscord": MessageLookupByLibrary.simpleMessage( + "Dołącz do serwera Discord", + ), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Zachowaj Zdjęcia"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Pomóż nam z tą informacją", + ), + "language": MessageLookupByLibrary.simpleMessage("Język"), + "lastTimeWithThem": m45, + "lastUpdated": MessageLookupByLibrary.simpleMessage( + "Ostatnio zaktualizowano", + ), + "lastYearsTrip": MessageLookupByLibrary.simpleMessage( + "Zeszłoroczna podróż", + ), + "leave": MessageLookupByLibrary.simpleMessage("Wyjdź"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Opuść album"), + "leaveFamily": MessageLookupByLibrary.simpleMessage("Opuść rodzinę"), + "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Opuścić udostępniony album?", + ), + "left": MessageLookupByLibrary.simpleMessage("W lewo"), + "legacy": MessageLookupByLibrary.simpleMessage("Dziedzictwo"), + "legacyAccounts": MessageLookupByLibrary.simpleMessage( + "Odziedziczone konta", + ), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "Dziedzictwo pozwala zaufanym kontaktom na dostęp do Twojego konta w razie Twojej nieobecności.", + ), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "Zaufane kontakty mogą rozpocząć odzyskiwanie konta, a jeśli nie zostaną zablokowane w ciągu 30 dni, zresetować Twoje hasło i uzyskać dostęp do Twojego konta.", + ), + "light": MessageLookupByLibrary.simpleMessage("Jasny"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Jasny"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Link skopiowany do schowka", + ), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Limit urządzeń"), + "linkEmail": MessageLookupByLibrary.simpleMessage("Połącz adres e-mail"), + "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( + "aby szybciej udostępniać", + ), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Aktywny"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Wygasł"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Wygaśnięcie linku"), + "linkHasExpired": MessageLookupByLibrary.simpleMessage("Link wygasł"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Nigdy"), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("Zdjęcia Live Photo"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "Możesz udostępnić swoją subskrypcję swojej rodzinie", + ), + "loadMessage2": MessageLookupByLibrary.simpleMessage( + "Do tej pory zachowaliśmy ponad 200 milionów wspomnień", + ), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "Przechowujemy 3 kopie Twoich danych, jedną w podziemnym schronie", + ), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "Wszystkie nasze aplikacje są otwarto źródłowe", + ), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Nasz kod źródłowy i kryptografia zostały poddane zewnętrznemu audytowi", + ), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "Możesz udostępniać linki do swoich albumów swoim bliskim", + ), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Nasze aplikacje mobilne działają w tle, aby zaszyfrować i wykonać kopię zapasową wszystkich nowych zdjęć, które klikniesz", + ), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io ma zgrabny program do przesyłania", + ), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Używamy Xchacha20Poly1305 do bezpiecznego szyfrowania Twoich danych", + ), + "loadingExifData": MessageLookupByLibrary.simpleMessage( + "Wczytywanie danych EXIF...", + ), + "loadingGallery": MessageLookupByLibrary.simpleMessage( + "Ładowanie galerii...", + ), + "loadingMessage": MessageLookupByLibrary.simpleMessage( + "Wczytywanie Twoich zdjęć...", + ), + "loadingModel": MessageLookupByLibrary.simpleMessage( + "Pobieranie modeli...", + ), + "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( + "Wczytywanie Twoich zdjęć...", + ), + "localGallery": MessageLookupByLibrary.simpleMessage("Galeria lokalna"), + "localIndexing": MessageLookupByLibrary.simpleMessage( + "Indeksowanie lokalne", + ), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Wygląda na to, że coś poszło nie tak, ponieważ lokalna synchronizacja zdjęć zajmuje więcej czasu, niż oczekiwano. Skontaktuj się z naszym zespołem pomocy technicznej", + ), + "location": MessageLookupByLibrary.simpleMessage("Lokalizacja"), + "locationName": MessageLookupByLibrary.simpleMessage("Nazwa lokalizacji"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Znacznik lokalizacji grupuje wszystkie zdjęcia, które zostały zrobione w promieniu zdjęcia", + ), + "locations": MessageLookupByLibrary.simpleMessage("Lokalizacje"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Zablokuj"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Ekran blokady"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Zaloguj się"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Wylogowywanie..."), + "loginSessionExpired": MessageLookupByLibrary.simpleMessage( + "Sesja wygasła", + ), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "Twoja sesja wygasła. Zaloguj się ponownie.", + ), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Klikając, zaloguj się, zgadzam się na regulamin i politykę prywatności", + ), + "loginWithTOTP": MessageLookupByLibrary.simpleMessage( + "Zaloguj się za pomocą TOTP", + ), + "logout": MessageLookupByLibrary.simpleMessage("Wyloguj"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "Spowoduje to wysyłanie logów, aby pomóc nam w debugowaniu twojego problemu. Pamiętaj, że nazwy plików zostaną dołączone, aby pomóc w śledzeniu problemów z określonymi plikami.", + ), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Naciśnij i przytrzymaj e-mail, aby zweryfikować szyfrowanie end-to-end.", + ), + "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( + "Długo naciśnij element, aby wyświetlić go na pełnym ekranie", + ), + "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( + "Spójrz ponownie na swoje wspomnienia 🌄", + ), + "loopVideoOff": MessageLookupByLibrary.simpleMessage( + "Pętla wideo wyłączona", + ), + "loopVideoOn": MessageLookupByLibrary.simpleMessage("Pętla wideo włączona"), + "lostDevice": MessageLookupByLibrary.simpleMessage("Utracono urządzenie?"), + "machineLearning": MessageLookupByLibrary.simpleMessage( + "Nauczanie maszynowe", + ), + "magicSearch": MessageLookupByLibrary.simpleMessage( + "Magiczne wyszukiwanie", + ), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "Magiczne wyszukiwanie pozwala na wyszukiwanie zdjęć według ich zawartości, np. \"kwiat\", \"czerwony samochód\", \"dokumenty tożsamości\"", + ), + "manage": MessageLookupByLibrary.simpleMessage("Zarządzaj"), + "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( + "Zarządzaj pamięcią podręczną urządzenia", + ), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Przejrzyj i wyczyść lokalną pamięć podręczną.", + ), + "manageFamily": MessageLookupByLibrary.simpleMessage("Zarządzaj Rodziną"), + "manageLink": MessageLookupByLibrary.simpleMessage("Zarządzaj linkiem"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Zarządzaj"), + "manageSubscription": MessageLookupByLibrary.simpleMessage( + "Zarządzaj subskrypcją", + ), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "Parowanie PIN-em działa z każdym ekranem, na którym chcesz wyświetlić swój album.", + ), + "map": MessageLookupByLibrary.simpleMessage("Mapa"), + "maps": MessageLookupByLibrary.simpleMessage("Mapy"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("Ja"), + "memories": MessageLookupByLibrary.simpleMessage("Wspomnienia"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Wybierz rodzaj wspomnień, które chcesz zobaczyć na ekranie głównym.", + ), + "merchandise": MessageLookupByLibrary.simpleMessage("Sklep"), + "merge": MessageLookupByLibrary.simpleMessage("Scal"), + "mergeWithExisting": MessageLookupByLibrary.simpleMessage( + "Scal z istniejącym", + ), + "mergedPhotos": MessageLookupByLibrary.simpleMessage("Scalone zdjęcia"), + "mlConsent": MessageLookupByLibrary.simpleMessage( + "Włącz nauczanie maszynowe", + ), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Rozumiem i chcę włączyć nauczanie maszynowe", + ), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Jeśli włączysz nauczanie maszynowe, Ente wyodrębni informacje takie jak geometria twarzy z plików, w tym tych udostępnionych z Tobą.\n\nTo się stanie na Twoim urządzeniu i wygenerowane informacje biometryczne zostaną zaszyfrowane end-to-end.", + ), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Kliknij tutaj, aby uzyskać więcej informacji na temat tej funkcji w naszej polityce prywatności", + ), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "Włączyć nauczanie maszynowe?", + ), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Pamiętaj, że nauczanie maszynowe spowoduje większą przepustowość i zużycie baterii do czasu zindeksowania wszystkich elementów. Rozważ użycie aplikacji komputerowej do szybszego indeksowania, wszystkie wyniki zostaną automatycznie zsynchronizowane.", + ), + "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( + "Aplikacja Mobilna, Strona Internetowa, Aplikacja Komputerowa", + ), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Umiarkowane"), + "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( + "Zmodyfikuj zapytanie lub spróbuj wyszukać", + ), + "moments": MessageLookupByLibrary.simpleMessage("Momenty"), + "month": MessageLookupByLibrary.simpleMessage("miesiąc"), + "monthly": MessageLookupByLibrary.simpleMessage("Miesięcznie"), + "moon": MessageLookupByLibrary.simpleMessage("W świetle księżyca"), + "moreDetails": MessageLookupByLibrary.simpleMessage("Więcej szczegółów"), + "mostRecent": MessageLookupByLibrary.simpleMessage("Od najnowszych"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("Najbardziej trafne"), + "mountains": MessageLookupByLibrary.simpleMessage("Na wzgórzach"), + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "Przenieś wybrane zdjęcia na jedną datę", + ), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("Przenieś do albumu"), + "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Przenieś do ukrytego albumu", + ), + "movedSuccessfullyTo": m52, + "movedToTrash": MessageLookupByLibrary.simpleMessage( + "Przeniesiono do kosza", + ), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Przenoszenie plików do albumów...", + ), + "name": MessageLookupByLibrary.simpleMessage("Nazwa"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Nazwij album"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Nie można połączyć się z Ente, spróbuj ponownie po pewnym czasie. Jeśli błąd będzie się powtarzał, skontaktuj się z pomocą techniczną.", + ), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Nie można połączyć się z Ente, sprawdź ustawienia sieci i skontaktuj się z pomocą techniczną, jeśli błąd będzie się powtarzał.", + ), + "never": MessageLookupByLibrary.simpleMessage("Nigdy"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Nowy album"), + "newLocation": MessageLookupByLibrary.simpleMessage("Nowa lokalizacja"), + "newPerson": MessageLookupByLibrary.simpleMessage("Nowa osoba"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" nowe 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("Nowy zakres"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Nowy/a do Ente"), + "newest": MessageLookupByLibrary.simpleMessage("Najnowsze"), + "next": MessageLookupByLibrary.simpleMessage("Dalej"), + "no": MessageLookupByLibrary.simpleMessage("Nie"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Brak jeszcze albumów udostępnianych przez Ciebie", + ), + "noDeviceFound": MessageLookupByLibrary.simpleMessage( + "Nie znaleziono żadnego urządzenia", + ), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Brak"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "Nie masz żadnych plików na tym urządzeniu, które można usunąć", + ), + "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Brak duplikatów"), + "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( + "Brak konta Ente!", + ), + "noExifData": MessageLookupByLibrary.simpleMessage("Brak danych EXIF"), + "noFacesFound": MessageLookupByLibrary.simpleMessage( + "Nie znaleziono twarzy", + ), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "Brak ukrytych zdjęć lub wideo", + ), + "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( + "Brak zdjęć z lokalizacją", + ), + "noInternetConnection": MessageLookupByLibrary.simpleMessage( + "Brak połączenia z Internetem", + ), + "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( + "W tej chwili nie wykonuje się kopii zapasowej zdjęć", + ), + "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( + "Nie znaleziono tutaj zdjęć", + ), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( + "Nie wybrano żadnych szybkich linków", + ), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Brak klucza odzyskiwania?", + ), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Ze względu na charakter naszego protokołu szyfrowania end-to-end, dane nie mogą być odszyfrowane bez hasła lub klucza odzyskiwania", + ), + "noResults": MessageLookupByLibrary.simpleMessage("Brak wyników"), + "noResultsFound": MessageLookupByLibrary.simpleMessage( + "Nie znaleziono wyników", + ), + "noSuggestionsForPerson": m53, + "noSystemLockFound": MessageLookupByLibrary.simpleMessage( + "Nie znaleziono blokady systemowej", + ), + "notPersonLabel": m54, + "notThisPerson": MessageLookupByLibrary.simpleMessage("Nie ta osoba?"), + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "Nic Ci jeszcze nie udostępniono", + ), + "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( + "Nie ma tutaj nic do zobaczenia! 👀", + ), + "notifications": MessageLookupByLibrary.simpleMessage("Powiadomienia"), + "ok": MessageLookupByLibrary.simpleMessage("Ok"), + "onDevice": MessageLookupByLibrary.simpleMessage("Na urządzeniu"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "W ente", + ), + "onTheRoad": MessageLookupByLibrary.simpleMessage("Znowu na drodze"), + "onThisDay": MessageLookupByLibrary.simpleMessage("Tego dnia"), + "onThisDayMemories": MessageLookupByLibrary.simpleMessage( + "Wspomnienia z tego dnia", + ), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "Otrzymuj przypomnienia o wspomnieniach z tego dnia w poprzednich latach.", + ), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Tylko te"), + "oops": MessageLookupByLibrary.simpleMessage("Ups"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Ups, nie udało się zapisać zmian", + ), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Ups, coś poszło nie tak", + ), + "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( + "Otwórz album w przeglądarce", + ), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Prosimy użyć aplikacji internetowej, aby dodać zdjęcia do tego albumu", + ), + "openFile": MessageLookupByLibrary.simpleMessage("Otwórz plik"), + "openSettings": MessageLookupByLibrary.simpleMessage("Otwórz Ustawienia"), + "openTheItem": MessageLookupByLibrary.simpleMessage("• Otwórz element"), + "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( + "Współautorzy OpenStreetMap", + ), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Opcjonalnie, tak krótko, jak chcesz...", + ), + "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( + "Lub złącz z istniejącymi", + ), + "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( + "Lub wybierz istniejący", + ), + "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( + "lub wybierz ze swoich kontaktów", + ), + "otherDetectedFaces": MessageLookupByLibrary.simpleMessage( + "Inne wykryte twarze", + ), + "pair": MessageLookupByLibrary.simpleMessage("Sparuj"), + "pairWithPin": MessageLookupByLibrary.simpleMessage("Sparuj kodem PIN"), + "pairingComplete": MessageLookupByLibrary.simpleMessage( + "Parowanie zakończone", + ), + "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), + "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( + "Weryfikacja jest nadal w toku", + ), + "passkey": MessageLookupByLibrary.simpleMessage("Klucz dostępu"), + "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( + "Weryfikacja kluczem dostępu", + ), + "password": MessageLookupByLibrary.simpleMessage("Hasło"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Hasło zostało pomyślnie zmienione", + ), + "passwordLock": MessageLookupByLibrary.simpleMessage("Blokada hasłem"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "Siła hasła jest obliczana, biorąc pod uwagę długość hasła, użyte znaki, i czy hasło pojawi się w 10 000 najczęściej używanych haseł", + ), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Nie przechowujemy tego hasła, więc jeśli go zapomnisz, nie będziemy w stanie odszyfrować Twoich danych", + ), + "pastYearsMemories": MessageLookupByLibrary.simpleMessage( + "Wspomnienia z ubiegłych lat", + ), + "paymentDetails": MessageLookupByLibrary.simpleMessage( + "Szczegóły płatności", + ), + "paymentFailed": MessageLookupByLibrary.simpleMessage( + "Płatność się nie powiodła", + ), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "Niestety Twoja płatność nie powiodła się. Skontaktuj się z pomocą techniczną, a my Ci pomożemy!", + ), + "paymentFailedTalkToProvider": m58, + "pendingItems": MessageLookupByLibrary.simpleMessage("Oczekujące elementy"), + "pendingSync": MessageLookupByLibrary.simpleMessage( + "Oczekująca synchronizacja", + ), + "people": MessageLookupByLibrary.simpleMessage("Ludzie"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Osoby używające twojego kodu", + ), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Wybierz osoby, które chcesz zobaczyć na ekranie głównym.", + ), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Wszystkie elementy w koszu zostaną trwale usunięte\n\nTej czynności nie można cofnąć", + ), + "permanentlyDelete": MessageLookupByLibrary.simpleMessage("Usuń trwale"), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Trwale usunąć z urządzenia?", + ), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("Nazwa osoby"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("Futrzani towarzysze"), + "photoDescriptions": MessageLookupByLibrary.simpleMessage("Opisy zdjęć"), + "photoGridSize": MessageLookupByLibrary.simpleMessage( + "Rozmiar siatki zdjęć", + ), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("zdjęcie"), + "photos": MessageLookupByLibrary.simpleMessage("Zdjęcia"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "Zdjęcia dodane przez Ciebie zostaną usunięte z albumu", + ), + "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( + "Zdjęcia zachowują względną różnicę czasu", + ), + "pickCenterPoint": MessageLookupByLibrary.simpleMessage( + "Wybierz punkt środkowy", + ), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Przypnij album"), + "pinLock": MessageLookupByLibrary.simpleMessage("Blokada PIN"), + "playOnTv": MessageLookupByLibrary.simpleMessage( + "Odtwórz album na telewizorze", + ), + "playOriginal": MessageLookupByLibrary.simpleMessage("Odtwórz oryginał"), + "playStoreFreeTrialValidTill": m63, + "playstoreSubscription": MessageLookupByLibrary.simpleMessage( + "Subskrypcja PlayStore", + ), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Prosimy sprawdzić połączenie internetowe i spróbować ponownie.", + ), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Skontaktuj się z support@ente.io i z przyjemnością pomożemy!", + ), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Skontaktuj się z pomocą techniczną, jeśli problem będzie się powtarzał", + ), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( + "Prosimy przyznać uprawnienia", + ), + "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( + "Zaloguj się ponownie", + ), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Prosimy wybrać szybkie linki do usunięcia", + ), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("Spróbuj ponownie"), + "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( + "Prosimy zweryfikować wprowadzony kod", + ), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Prosimy czekać..."), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Prosimy czekać, usuwanie albumu", + ), + "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( + "Prosimy poczekać chwilę przed ponowną próbą", + ), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "Prosimy czekać, to może zająć chwilę.", + ), + "posingWithThem": m66, + "preparingLogs": MessageLookupByLibrary.simpleMessage( + "Przygotowywanie logów...", + ), + "preserveMore": MessageLookupByLibrary.simpleMessage("Zachowaj więcej"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Naciśnij i przytrzymaj, aby odtworzyć wideo", + ), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Naciśnij i przytrzymaj obraz, aby odtworzyć wideo", + ), + "previous": MessageLookupByLibrary.simpleMessage("Poprzedni"), + "privacy": MessageLookupByLibrary.simpleMessage("Prywatność"), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "Polityka Prywatności", + ), + "privateBackups": MessageLookupByLibrary.simpleMessage( + "Prywatne kopie zapasowe", + ), + "privateSharing": MessageLookupByLibrary.simpleMessage( + "Udostępnianie prywatne", + ), + "proceed": MessageLookupByLibrary.simpleMessage("Kontynuuj"), + "processed": MessageLookupByLibrary.simpleMessage("Przetworzone"), + "processing": MessageLookupByLibrary.simpleMessage("Przetwarzanie"), + "processingImport": m67, + "processingVideos": MessageLookupByLibrary.simpleMessage( + "Przetwarzanie wideo", + ), + "publicLinkCreated": MessageLookupByLibrary.simpleMessage( + "Utworzono publiczny link", + ), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( + "Publiczny link włączony", + ), + "questionmark": MessageLookupByLibrary.simpleMessage("?"), + "queued": MessageLookupByLibrary.simpleMessage("W kolejce"), + "quickLinks": MessageLookupByLibrary.simpleMessage("Szybkie linki"), + "radius": MessageLookupByLibrary.simpleMessage("Promień"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Zgłoś"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("Oceń aplikację"), + "rateUs": MessageLookupByLibrary.simpleMessage("Oceń nas"), + "rateUsOnStore": m68, + "reassignedToName": m69, + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Otrzymuj przypomnienia, kiedy są czyjeś urodziny. Naciskając na powiadomienie zabierze Cię do zdjęć osoby, która ma urodziny.", + ), + "recover": MessageLookupByLibrary.simpleMessage("Odzyskaj"), + "recoverAccount": MessageLookupByLibrary.simpleMessage("Odzyskaj konto"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Odzyskaj"), + "recoveryAccount": MessageLookupByLibrary.simpleMessage("Odzyskaj konto"), + "recoveryInitiated": MessageLookupByLibrary.simpleMessage( + "Odzyskiwanie rozpoczęte", + ), + "recoveryInitiatedDesc": m70, + "recoveryKey": MessageLookupByLibrary.simpleMessage("Klucz odzyskiwania"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Klucz odzyskiwania został skopiowany do schowka", + ), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Jeśli zapomnisz hasła, jedynym sposobem odzyskania danych jest ten klucz.", + ), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Nie przechowujemy tego klucza, prosimy zapisać ten 24-słowny klucz w bezpiecznym miejscu.", + ), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Znakomicie! Klucz odzyskiwania jest prawidłowy. Dziękujemy za weryfikację.\n\nPamiętaj, aby bezpiecznie przechowywać kopię zapasową klucza odzyskiwania.", + ), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Klucz odzyskiwania zweryfikowany", + ), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Twój klucz odzyskiwania jest jedynym sposobem na odzyskanie zdjęć, jeśli zapomnisz hasła. Klucz odzyskiwania można znaleźć w Ustawieniach > Konto.\n\nWprowadź tutaj swój klucz odzyskiwania, aby sprawdzić, czy został zapisany poprawnie.", + ), + "recoveryReady": m71, + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "Odzyskano pomyślnie!", + ), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "Zaufany kontakt próbuje uzyskać dostęp do Twojego konta", + ), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Obecne urządzenie nie jest wystarczająco wydajne, aby zweryfikować hasło, ale możemy je wygenerować w sposób działający na wszystkich urządzeniach.\n\nZaloguj się przy użyciu klucza odzyskiwania i wygeneruj nowe hasło (jeśli chcesz, możesz ponownie użyć tego samego).", + ), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Ponownie utwórz hasło", + ), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": MessageLookupByLibrary.simpleMessage( + "Wprowadź ponownie hasło", + ), + "reenterPin": MessageLookupByLibrary.simpleMessage( + "Wprowadź ponownie kod PIN", + ), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Poleć znajomym i podwój swój plan", + ), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Przekaż ten kod swoim znajomym", + ), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Wykupują płatny plan", + ), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Polecenia"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "Wysyłanie poleceń jest obecnie wstrzymane", + ), + "rejectRecovery": MessageLookupByLibrary.simpleMessage( + "Odrzuć odzyskiwanie", + ), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "Również opróżnij \"Ostatnio usunięte\" z \"Ustawienia\" -> \"Pamięć\", aby odebrać wolną przestrzeń", + ), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Opróżnij również swój \"Kosz\", aby zwolnić miejsce", + ), + "remoteImages": MessageLookupByLibrary.simpleMessage("Zdjęcia zdalne"), + "remoteThumbnails": MessageLookupByLibrary.simpleMessage( + "Zdalne miniatury", + ), + "remoteVideos": MessageLookupByLibrary.simpleMessage("Zdalne wideo"), + "remove": MessageLookupByLibrary.simpleMessage("Usuń"), + "removeDuplicates": MessageLookupByLibrary.simpleMessage("Usuń duplikaty"), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Przejrzyj i usuń pliki, które są dokładnymi duplikatami.", + ), + "removeFromAlbum": MessageLookupByLibrary.simpleMessage("Usuń z albumu"), + "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( + "Usunąć z albumu?", + ), + "removeFromFavorite": MessageLookupByLibrary.simpleMessage( + "Usuń z ulubionych", + ), + "removeInvite": MessageLookupByLibrary.simpleMessage("Usuń zaproszenie"), + "removeLink": MessageLookupByLibrary.simpleMessage("Usuń link"), + "removeParticipant": MessageLookupByLibrary.simpleMessage( + "Usuń użytkownika", + ), + "removeParticipantBody": m74, + "removePersonLabel": MessageLookupByLibrary.simpleMessage( + "Usuń etykietę osoby", + ), + "removePublicLink": MessageLookupByLibrary.simpleMessage( + "Usuń link publiczny", + ), + "removePublicLinks": MessageLookupByLibrary.simpleMessage( + "Usuń linki publiczne", + ), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Niektóre z usuwanych elementów zostały dodane przez inne osoby i utracisz do nich dostęp", + ), + "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Usunąć?"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Usuń siebie z listy zaufanych kontaktów", + ), + "removingFromFavorites": MessageLookupByLibrary.simpleMessage( + "Usuwanie z ulubionych...", + ), + "rename": MessageLookupByLibrary.simpleMessage("Zmień nazwę"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("Zmień nazwę albumu"), + "renameFile": MessageLookupByLibrary.simpleMessage("Zmień nazwę pliku"), + "renewSubscription": MessageLookupByLibrary.simpleMessage( + "Odnów subskrypcję", + ), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Zgłoś błąd"), + "reportBug": MessageLookupByLibrary.simpleMessage("Zgłoś błąd"), + "resendEmail": MessageLookupByLibrary.simpleMessage( + "Wyślij e-mail ponownie", + ), + "reset": MessageLookupByLibrary.simpleMessage("Zresetuj"), + "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( + "Zresetuj zignorowane pliki", + ), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Zresetuj hasło", + ), + "resetPerson": MessageLookupByLibrary.simpleMessage("Usuń"), + "resetToDefault": MessageLookupByLibrary.simpleMessage("Przywróć domyślne"), + "restore": MessageLookupByLibrary.simpleMessage("Przywróć"), + "restoreToAlbum": MessageLookupByLibrary.simpleMessage( + "Przywróć do albumu", + ), + "restoringFiles": MessageLookupByLibrary.simpleMessage( + "Przywracanie plików...", + ), + "resumableUploads": MessageLookupByLibrary.simpleMessage( + "Przesyłania wznawialne", + ), + "retry": MessageLookupByLibrary.simpleMessage("Spróbuj ponownie"), + "review": MessageLookupByLibrary.simpleMessage("Przejrzyj"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Przejrzyj i usuń elementy, które uważasz, że są duplikatami.", + ), + "reviewSuggestions": MessageLookupByLibrary.simpleMessage( + "Przeglądaj sugestie", + ), + "right": MessageLookupByLibrary.simpleMessage("W prawo"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("Obróć"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Obróć w lewo"), + "rotateRight": MessageLookupByLibrary.simpleMessage("Obróć w prawo"), + "safelyStored": MessageLookupByLibrary.simpleMessage( + "Bezpiecznie przechowywane", + ), + "same": MessageLookupByLibrary.simpleMessage("Identyczne"), + "sameperson": MessageLookupByLibrary.simpleMessage("Ta sama osoba?"), + "save": MessageLookupByLibrary.simpleMessage("Zapisz"), + "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage( + "Zapisz jako inną osobę", + ), + "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( + "Zapisać zmiany przed wyjściem?", + ), + "saveCollage": MessageLookupByLibrary.simpleMessage("Zapisz kolaż"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Zapisz kopię"), + "saveKey": MessageLookupByLibrary.simpleMessage("Zapisz klucz"), + "savePerson": MessageLookupByLibrary.simpleMessage("Zapisz osobę"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Zapisz swój klucz odzyskiwania, jeśli jeszcze tego nie zrobiłeś", + ), + "saving": MessageLookupByLibrary.simpleMessage("Zapisywanie..."), + "savingEdits": MessageLookupByLibrary.simpleMessage("Zapisywanie zmian..."), + "scanCode": MessageLookupByLibrary.simpleMessage("Zeskanuj kod"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Zeskanuj ten kod kreskowy używając\nswojej aplikacji uwierzytelniającej", + ), + "search": MessageLookupByLibrary.simpleMessage("Szukaj"), + "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Albumy"), + "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage( + "Nazwa albumu", + ), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Nazwy albumów (np. \"Aparat\")\n• Rodzaje plików (np. \"Wideo\", \".gif\")\n• Lata i miesiące (np. \"2022\", \"Styczeń\")\n• Święta (np. \"Boże Narodzenie\")\n• Opisy zdjęć (np. \"#fun\")", + ), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Dodaj opisy takie jak \"#trip\" w informacji o zdjęciu, aby szybko znaleźć je tutaj", + ), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Szukaj według daty, miesiąca lub roku", + ), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "Obrazy będą wyświetlane tutaj po zakończeniu przetwarzania i synchronizacji", + ), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "Po zakończeniu indeksowania ludzie będą tu wyświetlani", + ), + "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( + "Typy plików i nazwy", + ), + "searchHint1": MessageLookupByLibrary.simpleMessage( + "Szybkie wyszukiwanie na urządzeniu", + ), + "searchHint2": MessageLookupByLibrary.simpleMessage("Daty zdjęć, opisy"), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "Albumy, nazwy plików i typy", + ), + "searchHint4": MessageLookupByLibrary.simpleMessage("Lokalizacja"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "Wkrótce: Twarze i magiczne wyszukiwanie ✨", + ), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Grupuj zdjęcia zrobione w promieniu zdjęcia", + ), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "Zaproś ludzi, a zobaczysz tutaj wszystkie udostępnione przez nich zdjęcia", + ), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "Osoby będą wyświetlane tutaj po zakończeniu przetwarzania i synchronizacji", + ), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Bezpieczeństwo"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "Zobacz publiczne linki do albumów w aplikacji", + ), + "selectALocation": MessageLookupByLibrary.simpleMessage( + "Wybierz lokalizację", + ), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage( + "Najpierw wybierz lokalizację", + ), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Wybierz album"), + "selectAll": MessageLookupByLibrary.simpleMessage("Zaznacz wszystko"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("Wszystko"), + "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( + "Wybierz zdjęcie na okładkę", + ), + "selectDate": MessageLookupByLibrary.simpleMessage("Wybierz datę"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Wybierz foldery do stworzenia kopii zapasowej", + ), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "Wybierz elementy do dodania", + ), + "selectLanguage": MessageLookupByLibrary.simpleMessage("Wybierz Język"), + "selectMailApp": MessageLookupByLibrary.simpleMessage( + "Wybierz aplikację pocztową", + ), + "selectMorePhotos": MessageLookupByLibrary.simpleMessage( + "Wybierz więcej zdjęć", + ), + "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( + "Wybierz jedną datę i czas", + ), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "Wybierz jedną datę i czas dla wszystkich", + ), + "selectPersonToLink": MessageLookupByLibrary.simpleMessage( + "Wybierz osobę do powiązania", + ), + "selectReason": MessageLookupByLibrary.simpleMessage("Wybierz powód"), + "selectStartOfRange": MessageLookupByLibrary.simpleMessage( + "Wybierz początek zakresu", + ), + "selectTime": MessageLookupByLibrary.simpleMessage("Wybierz czas"), + "selectYourFace": MessageLookupByLibrary.simpleMessage( + "Wybierz swoją twarz", + ), + "selectYourPlan": MessageLookupByLibrary.simpleMessage("Wybierz swój plan"), + "selectedAlbums": m79, + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Wybrane pliki nie są w Ente", + ), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Wybrane foldery zostaną zaszyforwane i zostanie utworzona ich kopia zapasowa", + ), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Wybrane elementy zostaną usunięte ze wszystkich albumów i przeniesione do kosza.", + ), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "Wybrane elementy zostaną usunięte z tej osoby, ale nie zostaną usunięte z Twojej biblioteki.", + ), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("Wyślij"), + "sendEmail": MessageLookupByLibrary.simpleMessage("Wyślij e-mail"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Wyślij zaproszenie"), + "sendLink": MessageLookupByLibrary.simpleMessage("Wyślij link"), + "serverEndpoint": MessageLookupByLibrary.simpleMessage( + "Punkt końcowy serwera", + ), + "sessionExpired": MessageLookupByLibrary.simpleMessage("Sesja wygasła"), + "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( + "Niezgodność ID sesji", + ), + "setAPassword": MessageLookupByLibrary.simpleMessage("Ustaw hasło"), + "setAs": MessageLookupByLibrary.simpleMessage("Ustaw jako"), + "setCover": MessageLookupByLibrary.simpleMessage("Ustaw okładkę"), + "setLabel": MessageLookupByLibrary.simpleMessage("Ustaw"), + "setNewPassword": MessageLookupByLibrary.simpleMessage("Ustaw nowe hasło"), + "setNewPin": MessageLookupByLibrary.simpleMessage("Ustaw nowy kod PIN"), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage("Ustaw hasło"), + "setRadius": MessageLookupByLibrary.simpleMessage("Ustaw promień"), + "setupComplete": MessageLookupByLibrary.simpleMessage( + "Konfiguracja ukończona", + ), + "share": MessageLookupByLibrary.simpleMessage("Udostępnij"), + "shareALink": MessageLookupByLibrary.simpleMessage("Udostępnij link"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Otwórz album i dotknij przycisk udostępniania w prawym górnym rogu, aby udostępnić.", + ), + "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( + "Udostępnij teraz album", + ), + "shareLink": MessageLookupByLibrary.simpleMessage("Udostępnij link"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Udostępnij tylko ludziom, którym chcesz", + ), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Pobierz Ente, abyśmy mogli łatwo udostępniać zdjęcia i wideo w oryginalnej jakości\n\nhttps://ente.io", + ), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Udostępnij użytkownikom bez konta Ente", + ), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( + "Udostępnij swój pierwszy album", + ), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Twórz wspólne albumy i współpracuj z innymi użytkownikami Ente, w tym z użytkownikami korzystającymi z bezpłatnych planów.", + ), + "sharedByMe": MessageLookupByLibrary.simpleMessage( + "Udostępnione przeze mnie", + ), + "sharedByYou": MessageLookupByLibrary.simpleMessage( + "Udostępnione przez Ciebie", + ), + "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( + "Nowe udostępnione zdjęcia", + ), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Otrzymuj powiadomienia, gdy ktoś doda zdjęcie do udostępnionego albumu, którego jesteś częścią", + ), + "sharedWith": m87, + "sharedWithMe": MessageLookupByLibrary.simpleMessage("Udostępnione ze mną"), + "sharedWithYou": MessageLookupByLibrary.simpleMessage( + "Udostępnione z Tobą", + ), + "sharing": MessageLookupByLibrary.simpleMessage("Udostępnianie..."), + "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( + "Zmień daty i czas", + ), + "showLessFaces": MessageLookupByLibrary.simpleMessage("Pokaż mniej twarzy"), + "showMemories": MessageLookupByLibrary.simpleMessage("Pokaż wspomnienia"), + "showMoreFaces": MessageLookupByLibrary.simpleMessage( + "Pokaż więcej twarzy", + ), + "showPerson": MessageLookupByLibrary.simpleMessage("Pokaż osobę"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "Wyloguj z pozostałych urządzeń", + ), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Jeśli uważasz, że ktoś może znać Twoje hasło, możesz wymusić wylogowanie na wszystkich innych urządzeniach korzystających z Twojego konta.", + ), + "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( + "Wyloguj z pozostałych urządzeń", + ), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Akceptuję warunki korzystania z usługi i politykę prywatności", + ), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "To zostanie usunięte ze wszystkich albumów.", + ), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Pomiń"), + "social": MessageLookupByLibrary.simpleMessage("Społeczność"), + "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( + "Niektóre elementy są zarówno w Ente, jak i na Twoim urządzeniu.", + ), + "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( + "Niektóre z plików, które próbujesz usunąć, są dostępne tylko na Twoim urządzeniu i nie można ich odzyskać po usunięciu", + ), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Osoba udostępniająca albumy powinna widzieć ten sam identyfikator na swoim urządzeniu.", + ), + "somethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Coś poszło nie tak", + ), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Coś poszło nie tak, spróbuj ponownie", + ), + "sorry": MessageLookupByLibrary.simpleMessage("Przepraszamy"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "Przepraszamy, nie mogliśmy utworzyć kopii zapasowej tego pliku teraz, spróbujemy ponownie później.", + ), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Przepraszamy, nie udało się dodać do ulubionych!", + ), + "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( + "Przepraszamy, nie udało się usunąć z ulubionych!", + ), + "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "Niestety, wprowadzony kod jest nieprawidłowy", + ), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Przepraszamy, nie mogliśmy wygenerować bezpiecznych kluczy na tym urządzeniu.\n\nZarejestruj się z innego urządzenia.", + ), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Przepraszamy, musieliśmy wstrzymać tworzenie kopii zapasowych", + ), + "sort": MessageLookupByLibrary.simpleMessage("Sortuj"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sortuj według"), + "sortNewestFirst": MessageLookupByLibrary.simpleMessage("Od najnowszych"), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Od najstarszych"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Sukces"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": MessageLookupByLibrary.simpleMessage( + "Uwaga na siebie", + ), + "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( + "Rozpocznij odzyskiwanie", + ), + "startBackup": MessageLookupByLibrary.simpleMessage( + "Uruchom tworzenie kopii zapasowej", + ), + "status": MessageLookupByLibrary.simpleMessage("Stan"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "Czy chcesz przestać wyświetlać?", + ), + "stopCastingTitle": MessageLookupByLibrary.simpleMessage( + "Zatrzymaj wyświetlanie", + ), + "storage": MessageLookupByLibrary.simpleMessage("Pamięć"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Rodzina"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Ty"), + "storageInGB": m93, + "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( + "Przekroczono limit pamięci", + ), + "storageUsageInfo": m94, + "strongStrength": MessageLookupByLibrary.simpleMessage("Silne"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Subskrybuj"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Potrzebujesz aktywnej płatnej subskrypcji, aby włączyć udostępnianie.", + ), + "subscription": MessageLookupByLibrary.simpleMessage("Subskrypcja"), + "success": MessageLookupByLibrary.simpleMessage("Sukces"), + "successfullyArchived": MessageLookupByLibrary.simpleMessage( + "Pomyślnie zarchiwizowano", + ), + "successfullyHid": MessageLookupByLibrary.simpleMessage("Pomyślnie ukryto"), + "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( + "Pomyślnie przywrócono z archiwum", + ), + "successfullyUnhid": MessageLookupByLibrary.simpleMessage( + "Pomyślnie odkryto", + ), + "suggestFeatures": MessageLookupByLibrary.simpleMessage( + "Zaproponuj funkcje", + ), + "sunrise": MessageLookupByLibrary.simpleMessage("Na horyzoncie"), + "support": MessageLookupByLibrary.simpleMessage("Wsparcie techniczne"), + "syncProgress": m97, + "syncStopped": MessageLookupByLibrary.simpleMessage( + "Synchronizacja zatrzymana", + ), + "syncing": MessageLookupByLibrary.simpleMessage("Synchronizowanie..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("Systemowy"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("naciśnij aby skopiować"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage( + "Stuknij, aby wprowadzić kod", + ), + "tapToUnlock": MessageLookupByLibrary.simpleMessage( + "Naciśnij, aby odblokować", + ), + "tapToUpload": MessageLookupByLibrary.simpleMessage( + "Naciśnij, aby przesłać", + ), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Wygląda na to, że coś poszło nie tak. Spróbuj ponownie po pewnym czasie. Jeśli błąd będzie się powtarzał, skontaktuj się z naszym zespołem pomocy technicznej.", + ), + "terminate": MessageLookupByLibrary.simpleMessage("Zakończ"), + "terminateSession": MessageLookupByLibrary.simpleMessage( + "Zakończyć sesję?", + ), + "terms": MessageLookupByLibrary.simpleMessage("Warunki"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Regulamin"), + "thankYou": MessageLookupByLibrary.simpleMessage("Dziękujemy"), + "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( + "Dziękujemy za subskrypcję!", + ), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "Pobieranie nie mogło zostać ukończone", + ), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "Link, do którego próbujesz uzyskać dostęp, wygasł.", + ), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Grupy osób nie będą już wyświetlane w sekcji ludzi. Zdjęcia pozostaną nienaruszone.", + ), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Osoba nie będzie już wyświetlana w sekcji ludzi. Zdjęcia pozostaną nienaruszone.", + ), + "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "Wprowadzony klucz odzyskiwania jest nieprawidłowy", + ), + "theme": MessageLookupByLibrary.simpleMessage("Motyw"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Te elementy zostaną usunięte z Twojego urządzenia.", + ), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "Zostaną one usunięte ze wszystkich albumów.", + ), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Tej czynności nie można cofnąć", + ), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "Ten album posiada już link do współpracy", + ), + "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( + "Można go użyć do odzyskania konta w przypadku utraty swojej drugiej metody uwierzytelniania", + ), + "thisDevice": MessageLookupByLibrary.simpleMessage("To urządzenie"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "Ten e-mail jest już używany", + ), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Ten obraz nie posiada danych exif", + ), + "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("To ja!"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "To jest Twój Identyfikator Weryfikacji", + ), + "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( + "Ten tydzień przez lata", + ), + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "To wyloguje Cię z tego urządzenia:", + ), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "To wyloguje Cię z tego urządzenia!", + ), + "thisWillMakeTheDateAndTimeOfAllSelected": + MessageLookupByLibrary.simpleMessage( + "To sprawi, że data i czas wszystkich wybranych zdjęć będą takie same.", + ), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "Spowoduje to usunięcie publicznych linków wszystkich zaznaczonych szybkich linków.", + ), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "Aby włączyć blokadę aplikacji, należy skonfigurować hasło urządzenia lub blokadę ekranu w ustawieniach systemu.", + ), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( + "Aby ukryć zdjęcie lub wideo", + ), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Aby zresetować hasło, najpierw zweryfikuj swój adres e-mail.", + ), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Dzisiejsze logi"), + "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( + "Zbyt wiele błędnych prób", + ), + "total": MessageLookupByLibrary.simpleMessage("ogółem"), + "totalSize": MessageLookupByLibrary.simpleMessage("Całkowity rozmiar"), + "trash": MessageLookupByLibrary.simpleMessage("Kosz"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Przytnij"), + "tripInYear": m104, + "trustedContacts": MessageLookupByLibrary.simpleMessage("Zaufane kontakty"), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Spróbuj ponownie"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Włącz kopię zapasową, aby automatycznie przesyłać pliki dodane do folderu urządzenia do Ente.", + ), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "2 miesiące za darmo na planach rocznych", + ), + "twofactor": MessageLookupByLibrary.simpleMessage( + "Uwierzytelnianie dwustopniowe", + ), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "Uwierzytelnianie dwustopniowe zostało wyłączone", + ), + "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( + "Uwierzytelnianie dwustopniowe", + ), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "Pomyślnie zresetowano uwierzytelnianie dwustopniowe", + ), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Uwierzytelnianie dwustopniowe", + ), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("Przywróć z archiwum"), + "unarchiveAlbum": MessageLookupByLibrary.simpleMessage( + "Przywróć album z archiwum", + ), + "unarchiving": MessageLookupByLibrary.simpleMessage( + "Usuwanie z archiwum...", + ), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Przepraszamy, ten kod jest niedostępny.", + ), + "uncategorized": MessageLookupByLibrary.simpleMessage("Bez kategorii"), + "unhide": MessageLookupByLibrary.simpleMessage("Odkryj"), + "unhideToAlbum": MessageLookupByLibrary.simpleMessage("Odkryj do albumu"), + "unhiding": MessageLookupByLibrary.simpleMessage("Odkrywanie..."), + "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Odkrywanie plików do albumu", + ), + "unlock": MessageLookupByLibrary.simpleMessage("Odblokuj"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("Odepnij album"), + "unselectAll": MessageLookupByLibrary.simpleMessage("Odznacz wszystko"), + "update": MessageLookupByLibrary.simpleMessage("Aktualizuj"), + "updateAvailable": MessageLookupByLibrary.simpleMessage( + "Dostępna jest aktualizacja", + ), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Aktualizowanie wyboru folderu...", + ), + "upgrade": MessageLookupByLibrary.simpleMessage("Ulepsz"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Przesyłanie plików do albumu...", + ), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( + "Zachowywanie 1 wspomnienia...", + ), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "Do 50% zniżki, do 4 grudnia.", + ), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "Użyteczna przestrzeń dyskowa jest ograniczona przez Twój obecny plan. Nadmiar zadeklarowanej przestrzeni dyskowej stanie się automatycznie użyteczny po uaktualnieniu planu.", + ), + "useAsCover": MessageLookupByLibrary.simpleMessage("Użyj jako okładki"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "Masz problem z odtwarzaniem tego wideo? Przytrzymaj tutaj, aby spróbować innego odtwarzacza.", + ), + "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Użyj publicznych linków dla osób spoza Ente", + ), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Użyj kodu odzyskiwania", + ), + "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( + "Użyj zaznaczone zdjęcie", + ), + "usedSpace": MessageLookupByLibrary.simpleMessage("Zajęta przestrzeń"), + "validTill": m110, + "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Weryfikacja nie powiodła się, spróbuj ponownie", + ), + "verificationId": MessageLookupByLibrary.simpleMessage( + "Identyfikator weryfikacyjny", + ), + "verify": MessageLookupByLibrary.simpleMessage("Zweryfikuj"), + "verifyEmail": MessageLookupByLibrary.simpleMessage( + "Zweryfikuj adres e-mail", + ), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Zweryfikuj"), + "verifyPasskey": MessageLookupByLibrary.simpleMessage( + "Zweryfikuj klucz dostępu", + ), + "verifyPassword": MessageLookupByLibrary.simpleMessage("Zweryfikuj hasło"), + "verifying": MessageLookupByLibrary.simpleMessage("Weryfikowanie..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Weryfikowanie klucza odzyskiwania...", + ), + "videoInfo": MessageLookupByLibrary.simpleMessage("Informacje Wideo"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("wideo"), + "videoStreaming": MessageLookupByLibrary.simpleMessage( + "Streamowalne wideo", + ), + "videos": MessageLookupByLibrary.simpleMessage("Wideo"), + "viewActiveSessions": MessageLookupByLibrary.simpleMessage( + "Zobacz aktywne sesje", + ), + "viewAddOnButton": MessageLookupByLibrary.simpleMessage("Zobacz dodatki"), + "viewAll": MessageLookupByLibrary.simpleMessage("Pokaż wszystkie"), + "viewAllExifData": MessageLookupByLibrary.simpleMessage( + "Wyświetl wszystkie dane EXIF", + ), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Duże pliki"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Wyświetl pliki zużywające największą ilość pamięci.", + ), + "viewLogs": MessageLookupByLibrary.simpleMessage("Wyświetl logi"), + "viewPersonToUnlink": m112, + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Zobacz klucz odzyskiwania", + ), + "viewer": MessageLookupByLibrary.simpleMessage("Widz"), + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Odwiedź stronę web.ente.io, aby zarządzać subskrypcją", + ), + "waitingForVerification": MessageLookupByLibrary.simpleMessage( + "Oczekiwanie na weryfikację...", + ), + "waitingForWifi": MessageLookupByLibrary.simpleMessage( + "Czekanie na WiFi...", + ), + "warning": MessageLookupByLibrary.simpleMessage("Uwaga"), + "weAreOpenSource": MessageLookupByLibrary.simpleMessage( + "Posiadamy otwarte źródło!", + ), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "Nie wspieramy edycji zdjęć i albumów, których jeszcze nie posiadasz", + ), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Słabe"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("Witaj ponownie!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("Co nowego"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "Zaufany kontakt może pomóc w odzyskaniu Twoich danych.", + ), + "widgets": MessageLookupByLibrary.simpleMessage("Widżety"), + "wishThemAHappyBirthday": m115, + "yearShort": MessageLookupByLibrary.simpleMessage("r"), + "yearly": MessageLookupByLibrary.simpleMessage("Rocznie"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Tak"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Tak, anuluj"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "Tak, konwertuj na widza", + ), + "yesDelete": MessageLookupByLibrary.simpleMessage("Tak, usuń"), + "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( + "Tak, odrzuć zmiany", + ), + "yesIgnore": MessageLookupByLibrary.simpleMessage("Tak, ignoruj"), + "yesLogout": MessageLookupByLibrary.simpleMessage("Tak, wyloguj"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Tak, usuń"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Tak, Odnów"), + "yesResetPerson": MessageLookupByLibrary.simpleMessage( + "Tak, zresetuj osobę", + ), + "you": MessageLookupByLibrary.simpleMessage("Ty"), + "youAndThem": m117, + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( + "Jesteś w planie rodzinnym!", + ), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Korzystasz z najnowszej wersji", + ), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Maksymalnie możesz podwoić swoją przestrzeń dyskową", + ), + "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( + "Możesz zarządzać swoimi linkami w zakładce udostępnianie.", + ), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "Możesz spróbować wyszukać inne zapytanie.", + ), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "Nie możesz przejść do tego planu", + ), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Nie możesz udostępnić samemu sobie", + ), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "Nie masz żadnych zarchiwizowanych elementów.", + ), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "Twoje konto zostało usunięte", + ), + "yourMap": MessageLookupByLibrary.simpleMessage("Twoja mapa"), + "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( + "Twój plan został pomyślnie obniżony", + ), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "Twój plan został pomyślnie ulepszony", + ), + "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( + "Twój zakup zakończył się pomyślnie", + ), + "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( + "Nie można pobrać szczegółów pamięci", + ), + "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( + "Twoja subskrypcja wygasła", + ), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "Twoja subskrypcja została pomyślnie zaktualizowana", + ), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "Twój kod weryfikacyjny wygasł", + ), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "Nie masz zduplikowanych plików, które można wyczyścić", + ), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "Nie masz żadnych plików w tym albumie, które można usunąć", + ), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( + "Pomniejsz, aby zobaczyć zdjęcia", + ), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_pt.dart b/mobile/apps/photos/lib/generated/intl/messages_pt.dart index ff14267b56..bf18ff8f1a 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_pt.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_pt.dart @@ -48,11 +48,7 @@ class MessageLookup extends MessageLookupByLibrary { "${user} não será capaz de adicionar mais fotos a este álbum\n\nEles ainda serão capazes de remover fotos existentes adicionadas por eles"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, { - 'true': 'Sua família reinvidicou ${storageAmountInGb} GB até então', - 'false': 'Você reinvindicou ${storageAmountInGb} GB até então', - 'other': 'Você reinvindicou ${storageAmountInGb} GB até então!', - })}"; + "${Intl.select(isFamilyMember, {'true': 'Sua família reinvidicou ${storageAmountInGb} GB até então', 'false': 'Você reinvindicou ${storageAmountInGb} GB até então', 'other': 'Você reinvindicou ${storageAmountInGb} GB até então!'})}"; static String m15(albumName) => "Link colaborativo criado para ${albumName}"; @@ -236,7 +232,11 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => + usedAmount, + usedStorageUnit, + totalAmount, + totalStorageUnit, + ) => "${usedAmount} ${usedStorageUnit} de ${totalAmount} ${totalStorageUnit} usado"; static String m95(id) => @@ -296,1881 +296,2378 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Está disponível uma nova versão do Ente."), - "about": MessageLookupByLibrary.simpleMessage("Sobre"), - "acceptTrustInvite": - MessageLookupByLibrary.simpleMessage("Aceitar convite"), - "account": MessageLookupByLibrary.simpleMessage("Conta"), - "accountIsAlreadyConfigured": - MessageLookupByLibrary.simpleMessage("A conta já está ajustada."), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("Bem-vindo de volta!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Eu entendo que se eu perder a minha palavra-passe, posso perder os meus dados já que esses dados são encriptados de ponta a ponta."), - "activeSessions": - MessageLookupByLibrary.simpleMessage("Sessões ativas"), - "add": MessageLookupByLibrary.simpleMessage("Adicionar"), - "addAName": MessageLookupByLibrary.simpleMessage("Adiciona um nome"), - "addANewEmail": - MessageLookupByLibrary.simpleMessage("Adicionar um novo e-mail"), - "addCollaborator": - MessageLookupByLibrary.simpleMessage("Adicionar colaborador"), - "addFiles": MessageLookupByLibrary.simpleMessage("Adicionar arquivos"), - "addFromDevice": MessageLookupByLibrary.simpleMessage( - "Adicionar a partir do dispositivo"), - "addLocation": - MessageLookupByLibrary.simpleMessage("Adicionar localização"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Adicionar"), - "addMore": MessageLookupByLibrary.simpleMessage("Adicionar mais"), - "addName": MessageLookupByLibrary.simpleMessage("Adicionar pessoa"), - "addNameOrMerge": - MessageLookupByLibrary.simpleMessage("Adicionar nome ou juntar"), - "addNew": MessageLookupByLibrary.simpleMessage("Adicionar novo"), - "addNewPerson": - MessageLookupByLibrary.simpleMessage("Adicionar nova pessoa"), - "addOnPageSubtitle": - MessageLookupByLibrary.simpleMessage("Detalhes dos addons"), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("addons"), - "addPhotos": MessageLookupByLibrary.simpleMessage("Adicionar fotos"), - "addSelected": - MessageLookupByLibrary.simpleMessage("Adicionar selecionados"), - "addToAlbum": - MessageLookupByLibrary.simpleMessage("Adicionar ao álbum"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Adicionar ao Ente"), - "addToHiddenAlbum": - MessageLookupByLibrary.simpleMessage("Adicionar a álbum oculto"), - "addTrustedContact": - MessageLookupByLibrary.simpleMessage("Adicionar contato confiável"), - "addViewer": - MessageLookupByLibrary.simpleMessage("Adicionar visualizador"), - "addYourPhotosNow": - MessageLookupByLibrary.simpleMessage("Adicione suas fotos agora"), - "addedAs": MessageLookupByLibrary.simpleMessage("Adicionado como"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": MessageLookupByLibrary.simpleMessage( - "Adicionando aos favoritos..."), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("Avançado"), - "advancedSettings": - MessageLookupByLibrary.simpleMessage("Definições avançadas"), - "after1Day": MessageLookupByLibrary.simpleMessage("Depois de 1 dia"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Depois de 1 Hora"), - "after1Month": MessageLookupByLibrary.simpleMessage("Depois de 1 mês"), - "after1Week": - MessageLookupByLibrary.simpleMessage("Depois de 1 semana"), - "after1Year": MessageLookupByLibrary.simpleMessage("Depois de 1 ano"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Dono"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Título do álbum"), - "albumUpdated": - MessageLookupByLibrary.simpleMessage("Álbum atualizado"), - "albums": MessageLookupByLibrary.simpleMessage("Álbuns"), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Tudo limpo"), - "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( - "Todas as memórias preservadas"), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "Todos os agrupamentos para esta pessoa serão reiniciados e perderá todas as sugestões feitas para esta pessoa"), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "Este é o primeiro do grupo. As outras fotos selecionadas serão automaticamente alteradas para esta nova data"), - "allow": MessageLookupByLibrary.simpleMessage("Permitir"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Permitir que pessoas com o link também adicionem fotos ao álbum compartilhado."), - "allowAddingPhotos": - MessageLookupByLibrary.simpleMessage("Permitir adicionar fotos"), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "Permitir aplicativo abrir links de álbum compartilhado"), - "allowDownloads": - MessageLookupByLibrary.simpleMessage("Permitir downloads"), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Permitir que as pessoas adicionem fotos"), - "androidBiometricHint": - MessageLookupByLibrary.simpleMessage("Verificar identidade"), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "Não reconhecido. Tente novamente."), - "androidBiometricRequiredTitle": - MessageLookupByLibrary.simpleMessage("Biometria necessária"), - "androidBiometricSuccess": - MessageLookupByLibrary.simpleMessage("Sucesso"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Cancelar"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage( - "Credenciais do dispositivo são necessárias"), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage( - "Credenciais do dispositivo necessárias"), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "A autenticação biométrica não está configurada no seu dispositivo. Vá a “Definições > Segurança” para adicionar a autenticação biométrica."), - "androidIosWebDesktop": - MessageLookupByLibrary.simpleMessage("Android, iOS, Web, Desktop"), - "androidSignInTitle": - MessageLookupByLibrary.simpleMessage("Autenticação necessária"), - "appIcon": MessageLookupByLibrary.simpleMessage("Ícone do aplicativo"), - "appLock": MessageLookupByLibrary.simpleMessage("Bloqueio de app"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Escolha entre o ecrã de bloqueio predefinido do seu dispositivo e um ecrã de bloqueio personalizado com um PIN ou uma palavra-passe."), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("ID da Apple"), - "apply": MessageLookupByLibrary.simpleMessage("Aplicar"), - "applyCodeTitle": - MessageLookupByLibrary.simpleMessage("Aplicar código"), - "appstoreSubscription": - MessageLookupByLibrary.simpleMessage("Subscrição da AppStore"), - "archive": MessageLookupByLibrary.simpleMessage("............"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("Arquivar álbum"), - "archiving": MessageLookupByLibrary.simpleMessage("Arquivar..."), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Tem certeza que deseja sair do plano familiar?"), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "Tem a certeza de que quer cancelar?"), - "areYouSureYouWantToChangeYourPlan": - MessageLookupByLibrary.simpleMessage( - "Tem a certeza de que pretende alterar o seu plano?"), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "Tem certeza de que deseja sair?"), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Tem certeza que deseja terminar a sessão?"), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "Tem a certeza de que pretende renovar?"), - "areYouSureYouWantToResetThisPerson": - MessageLookupByLibrary.simpleMessage( - "Tens a certeza de que queres repor esta pessoa?"), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "A sua subscrição foi cancelada. Gostaria de partilhar o motivo?"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Qual o principal motivo pelo qual está a eliminar a conta?"), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Peça aos seus entes queridos para partilharem"), - "atAFalloutShelter": - MessageLookupByLibrary.simpleMessage("em um abrigo avançado"), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Por favor, autentique-se para alterar a verificação de e-mail"), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Por favor, autentique-se para alterar a configuração da tela do ecrã de bloqueio"), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Por favor, autentique-se para alterar o seu e-mail"), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Por favor, autentique-se para alterar a palavra-passe"), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Por favor, autentique para configurar a autenticação de dois fatores"), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Autentique-se para iniciar a eliminação da conta"), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Autentique-se para gerenciar seus contatos confiáveis"), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Autentique-se para ver a sua chave de acesso"), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Por favor, autentique-se para ver as suas sessões ativas"), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Por favor, autentique para ver seus arquivos ocultos"), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Por favor, autentique-se para ver suas memórias"), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Por favor, autentique-se para ver a chave de recuperação"), - "authenticating": - MessageLookupByLibrary.simpleMessage("A Autenticar..."), - "authenticationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Falha na autenticação, por favor tente novamente"), - "authenticationSuccessful": - MessageLookupByLibrary.simpleMessage("Autenticação bem sucedida!"), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Verá os dispositivos Cast disponíveis aqui."), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Certifique-se de que as permissões de Rede local estão activadas para a aplicação Ente Photos, nas Definições."), - "autoLock": MessageLookupByLibrary.simpleMessage("Bloqueio automático"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Tempo após o qual a aplicação bloqueia depois de ser colocada em segundo plano"), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "Devido a uma falha técnica, a sua sessão foi encerrada. Pedimos desculpas pelo incómodo."), - "autoPair": - MessageLookupByLibrary.simpleMessage("Emparelhamento automático"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "O pareamento automático funciona apenas com dispositivos que suportam o Chromecast."), - "available": MessageLookupByLibrary.simpleMessage("Disponível"), - "availableStorageSpace": m10, - "backedUpFolders": MessageLookupByLibrary.simpleMessage( - "Pastas com cópia de segurança"), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("Cópia de segurança"), - "backupFailed": MessageLookupByLibrary.simpleMessage("Backup falhou"), - "backupFile": MessageLookupByLibrary.simpleMessage( - "Copiar arquivo com segurança"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Cópia de segurança através dos dados móveis"), - "backupSettings": MessageLookupByLibrary.simpleMessage( - "Definições da cópia de segurança"), - "backupStatus": MessageLookupByLibrary.simpleMessage( - "Status da cópia de segurança"), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Os itens que foram salvos com segurança aparecerão aqui"), - "backupVideos": MessageLookupByLibrary.simpleMessage( - "Cópia de segurança de vídeos"), - "beach": MessageLookupByLibrary.simpleMessage("Areia e o mar"), - "birthday": MessageLookupByLibrary.simpleMessage("Aniversário"), - "birthdays": MessageLookupByLibrary.simpleMessage("Birthdays"), - "blackFridaySale": - MessageLookupByLibrary.simpleMessage("Promoção Black Friday"), - "blog": MessageLookupByLibrary.simpleMessage("Blog"), - "cachedData": MessageLookupByLibrary.simpleMessage("Dados em cache"), - "calculating": MessageLookupByLibrary.simpleMessage("Calcular..."), - "canNotUploadToAlbumsOwnedByOthers": - MessageLookupByLibrary.simpleMessage( - "Não é possível fazer upload para álbuns pertencentes a outros"), - "canOnlyCreateLinkForFilesOwnedByYou": - MessageLookupByLibrary.simpleMessage( - "Só pode criar um link para arquivos pertencentes a você"), - "canOnlyRemoveFilesOwnedByYou": - MessageLookupByLibrary.simpleMessage(""), - "cancel": MessageLookupByLibrary.simpleMessage("Cancelar"), - "cancelAccountRecovery": - MessageLookupByLibrary.simpleMessage("Cancelar recuperação"), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "Deseja mesmo cancelar a recuperação de conta?"), - "cancelOtherSubscription": m12, - "cancelSubscription": - MessageLookupByLibrary.simpleMessage("Cancelar subscrição"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Não é possível eliminar ficheiros partilhados"), - "castAlbum": MessageLookupByLibrary.simpleMessage("Transferir álbum"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Certifique-se de estar na mesma rede que a TV."), - "castIPMismatchTitle": - MessageLookupByLibrary.simpleMessage("Falha ao transmitir álbum"), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Visite cast.ente.io no dispositivo que pretende emparelhar.\n\n\nIntroduza o código abaixo para reproduzir o álbum na sua TV."), - "centerPoint": MessageLookupByLibrary.simpleMessage("Ponto central"), - "change": MessageLookupByLibrary.simpleMessage("Alterar"), - "changeEmail": MessageLookupByLibrary.simpleMessage("Alterar e-mail"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Alterar a localização dos itens selecionados?"), - "changePassword": - MessageLookupByLibrary.simpleMessage("Alterar palavra-passe"), - "changePasswordTitle": - MessageLookupByLibrary.simpleMessage("Alterar palavra-passe"), - "changePermissions": - MessageLookupByLibrary.simpleMessage("Alterar permissões"), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Alterar o código de referência"), - "checkForUpdates": - MessageLookupByLibrary.simpleMessage("Procurar atualizações"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Verifique a sua caixa de entrada (e spam) para concluir a verificação"), - "checkStatus": MessageLookupByLibrary.simpleMessage("Verificar status"), - "checking": MessageLookupByLibrary.simpleMessage("A verificar..."), - "checkingModels": - MessageLookupByLibrary.simpleMessage("A verificar modelos..."), - "city": MessageLookupByLibrary.simpleMessage("Na cidade"), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage( - "Solicitar armazenamento gratuito"), - "claimMore": MessageLookupByLibrary.simpleMessage("Reclamar mais!"), - "claimed": MessageLookupByLibrary.simpleMessage("Reclamado"), - "claimedStorageSoFar": m14, - "cleanUncategorized": - MessageLookupByLibrary.simpleMessage("Limpar sem categoria"), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Remover todos os arquivos da Não Categorizados que estão presentes em outros álbuns"), - "clearCaches": MessageLookupByLibrary.simpleMessage("Limpar cache"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Limpar índices"), - "click": MessageLookupByLibrary.simpleMessage("Clique"), - "clickOnTheOverflowMenu": - MessageLookupByLibrary.simpleMessage("• Clique no menu adicional"), - "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( - "Click to install our best version yet"), - "close": MessageLookupByLibrary.simpleMessage("Fechar"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( - "Agrupar por tempo de captura"), - "clubByFileName": MessageLookupByLibrary.simpleMessage( - "Agrupar pelo nome de arquivo"), - "clusteringProgress": - MessageLookupByLibrary.simpleMessage("Progresso de agrupamento"), - "codeAppliedPageTitle": - MessageLookupByLibrary.simpleMessage("Código aplicado"), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Desculpe, você atingiu o limite de alterações de código."), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Código copiado para área de transferência"), - "codeUsedByYou": - MessageLookupByLibrary.simpleMessage("Código usado por você"), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Criar um link para permitir que as pessoas adicionem e visualizem fotos em seu álbum compartilhado sem precisar de um aplicativo Ente ou conta. Ótimo para coletar fotos do evento."), - "collaborativeLink": - MessageLookupByLibrary.simpleMessage("Link colaborativo"), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Colaborador"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Os colaboradores podem adicionar fotos e vídeos ao álbum compartilhado."), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("Layout"), - "collageSaved": - MessageLookupByLibrary.simpleMessage("Colagem guardada na galeria"), - "collect": MessageLookupByLibrary.simpleMessage("Recolher"), - "collectEventPhotos": - MessageLookupByLibrary.simpleMessage("Coletar fotos do evento"), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Coletar fotos"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Crie um link onde seus amigos podem enviar fotos na qualidade original."), - "color": MessageLookupByLibrary.simpleMessage("Cor"), - "configuration": MessageLookupByLibrary.simpleMessage("Configuração"), - "confirm": MessageLookupByLibrary.simpleMessage("Confirmar"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Tem a certeza de que pretende desativar a autenticação de dois fatores?"), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Confirmar eliminação de conta"), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Sim, pretendo apagar permanentemente esta conta e os respetivos dados em todas as aplicações."), - "confirmPassword": - MessageLookupByLibrary.simpleMessage("Confirmar palavra-passe"), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage( - "Confirmar alteração de plano"), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Confirmar chave de recuperação"), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Confirmar chave de recuperação"), - "connectToDevice": - MessageLookupByLibrary.simpleMessage("Ligar ao dispositivo"), - "contactFamilyAdmin": m18, - "contactSupport": - MessageLookupByLibrary.simpleMessage("Contactar o suporte"), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Contactos"), - "contents": MessageLookupByLibrary.simpleMessage("Conteúdos"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Continuar"), - "continueOnFreeTrial": - MessageLookupByLibrary.simpleMessage("Continuar em teste gratuito"), - "convertToAlbum": - MessageLookupByLibrary.simpleMessage("Converter para álbum"), - "copyEmailAddress": - MessageLookupByLibrary.simpleMessage("Copiar endereço de email"), - "copyLink": MessageLookupByLibrary.simpleMessage("Copiar link"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Copie e cole este código\nno seu aplicativo de autenticação"), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "Não foi possível fazer o backup de seus dados.\nTentaremos novamente mais tarde."), - "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( - "Não foi possível libertar espaço"), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Não foi possível atualizar a subscrição"), - "count": MessageLookupByLibrary.simpleMessage("Contagem"), - "crashReporting": - MessageLookupByLibrary.simpleMessage("Relatório de falhas"), - "create": MessageLookupByLibrary.simpleMessage("Criar"), - "createAccount": MessageLookupByLibrary.simpleMessage("Criar conta"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Pressione e segure para selecionar fotos e clique em + para criar um álbum"), - "createCollaborativeLink": - MessageLookupByLibrary.simpleMessage("Criar link colaborativo"), - "createCollage": MessageLookupByLibrary.simpleMessage("Criar coleção"), - "createNewAccount": - MessageLookupByLibrary.simpleMessage("Criar nova conta"), - "createOrSelectAlbum": - MessageLookupByLibrary.simpleMessage("Criar ou selecionar álbum"), - "createPublicLink": - MessageLookupByLibrary.simpleMessage("Criar link público"), - "creatingLink": MessageLookupByLibrary.simpleMessage("Criar link..."), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "Atualização crítica disponível"), - "crop": MessageLookupByLibrary.simpleMessage("Recortar"), - "curatedMemories": - MessageLookupByLibrary.simpleMessage("Curated memories"), - "currentUsageIs": - MessageLookupByLibrary.simpleMessage("O uso atual é "), - "currentlyRunning": - MessageLookupByLibrary.simpleMessage("Atualmente executando"), - "custom": MessageLookupByLibrary.simpleMessage("Personalizado"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Escuro"), - "dayToday": MessageLookupByLibrary.simpleMessage("Hoje"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Ontem"), - "declineTrustInvite": - MessageLookupByLibrary.simpleMessage("Recusar convite"), - "decrypting": MessageLookupByLibrary.simpleMessage("A desencriptar…"), - "decryptingVideo": - MessageLookupByLibrary.simpleMessage("Descriptografando vídeo..."), - "deduplicateFiles": - MessageLookupByLibrary.simpleMessage("Arquivos duplicados"), - "delete": MessageLookupByLibrary.simpleMessage("Apagar"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Eliminar conta"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Lamentamos a sua partida. Indique-nos a razão para podermos melhorar o serviço."), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Excluir conta permanentemente"), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Apagar álbum"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Eliminar também as fotos (e vídeos) presentes neste álbum de all os outros álbuns de que fazem parte?"), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "Esta ação elimina todos os álbuns vazios. Isto é útil quando pretende reduzir a confusão na sua lista de álbuns."), - "deleteAll": MessageLookupByLibrary.simpleMessage("Apagar tudo"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "Esta conta está ligada a outras aplicações Ente, se utilizar alguma. Os seus dados carregados, em todas as aplicações Ente, serão agendados para eliminação e a sua conta será permanentemente eliminada."), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Envie um e-mail para accountt-deletion@ente.io a partir do seu endereço de email registrado."), - "deleteEmptyAlbums": - MessageLookupByLibrary.simpleMessage("Apagar álbuns vazios"), - "deleteEmptyAlbumsWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Apagar álbuns vazios?"), - "deleteFromBoth": - MessageLookupByLibrary.simpleMessage("Apagar de ambos"), - "deleteFromDevice": - MessageLookupByLibrary.simpleMessage("Apagar do dispositivo"), - "deleteFromEnte": - MessageLookupByLibrary.simpleMessage("Apagar do Ente"), - "deleteItemCount": m21, - "deleteLocation": - MessageLookupByLibrary.simpleMessage("Apagar localização"), - "deletePhotos": MessageLookupByLibrary.simpleMessage("Apagar fotos"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Falta uma funcionalidade-chave de que eu necessito"), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "O aplicativo ou um determinado recurso não se comportou como era suposto"), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Encontrei outro serviço de que gosto mais"), - "deleteReason4": - MessageLookupByLibrary.simpleMessage("O motivo não está na lista"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "O seu pedido será processado dentro de 72 horas."), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Excluir álbum compartilhado?"), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "O álbum será apagado para todos\n\nVocê perderá o acesso a fotos compartilhadas neste álbum que são propriedade de outros"), - "deselectAll": MessageLookupByLibrary.simpleMessage("Desmarcar tudo"), - "designedToOutlive": - MessageLookupByLibrary.simpleMessage("Feito para ter longevidade"), - "details": MessageLookupByLibrary.simpleMessage("Detalhes"), - "developerSettings": - MessageLookupByLibrary.simpleMessage("Definições do programador"), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Tem a certeza de que pretende modificar as definições de programador?"), - "deviceCodeHint": - MessageLookupByLibrary.simpleMessage("Introduza o código"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "Os ficheiros adicionados a este álbum de dispositivo serão automaticamente transferidos para o Ente."), - "deviceLock": - MessageLookupByLibrary.simpleMessage("Bloqueio do dispositivo"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Desativar o bloqueio do ecrã do dispositivo quando o Ente estiver em primeiro plano e houver uma cópia de segurança em curso. Normalmente, isto não é necessário, mas pode ajudar a que os grandes carregamentos e as importações iniciais de grandes bibliotecas sejam concluídos mais rapidamente."), - "deviceNotFound": - MessageLookupByLibrary.simpleMessage("Dispositivo não encontrado"), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Você sabia?"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage( - "Desativar bloqueio automático"), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Visualizadores ainda podem fazer capturas de tela ou salvar uma cópia das suas fotos usando ferramentas externas"), - "disableDownloadWarningTitle": - MessageLookupByLibrary.simpleMessage("Por favor, observe"), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "Desativar autenticação de dois fatores"), - "disablingTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Desativar a autenticação de dois factores..."), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Descobrir"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Bebés"), - "discover_celebrations": - MessageLookupByLibrary.simpleMessage("Comemorações"), - "discover_food": MessageLookupByLibrary.simpleMessage("Comida"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Vegetação"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Colinas"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Identidade"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Notas"), - "discover_pets": - MessageLookupByLibrary.simpleMessage("Animais de estimação"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Recibos"), - "discover_screenshots": - MessageLookupByLibrary.simpleMessage("Capturas de ecrã"), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfies"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Pôr do sol"), - "discover_visiting_cards": - MessageLookupByLibrary.simpleMessage("Cartões de visita"), - "discover_wallpapers": - MessageLookupByLibrary.simpleMessage("Papéis de parede"), - "dismiss": MessageLookupByLibrary.simpleMessage("Rejeitar"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": - MessageLookupByLibrary.simpleMessage("Não terminar a sessão"), - "doThisLater": - MessageLookupByLibrary.simpleMessage("Fazer isto mais tarde"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Pretende eliminar as edições que efectuou?"), - "done": MessageLookupByLibrary.simpleMessage("Concluído"), - "dontSave": MessageLookupByLibrary.simpleMessage("Não salvar"), - "doubleYourStorage": MessageLookupByLibrary.simpleMessage( - "Duplicar o seu armazenamento"), - "download": MessageLookupByLibrary.simpleMessage("Download"), - "downloadFailed": - MessageLookupByLibrary.simpleMessage("Falha no download"), - "downloading": MessageLookupByLibrary.simpleMessage("A transferir..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Editar"), - "editLocation": - MessageLookupByLibrary.simpleMessage("Editar localização"), - "editLocationTagTitle": - MessageLookupByLibrary.simpleMessage("Editar localização"), - "editPerson": MessageLookupByLibrary.simpleMessage("Editar pessoa"), - "editTime": MessageLookupByLibrary.simpleMessage("Editar tempo"), - "editsSaved": MessageLookupByLibrary.simpleMessage("Edição guardada"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Edições para localização só serão vistas dentro do Ente"), - "eligible": MessageLookupByLibrary.simpleMessage("elegível"), - "email": MessageLookupByLibrary.simpleMessage("Email"), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailVerificationToggle": - MessageLookupByLibrary.simpleMessage("Verificação por e-mail"), - "emailYourLogs": - MessageLookupByLibrary.simpleMessage("Enviar logs por e-mail"), - "embracingThem": m32, - "emergencyContacts": - MessageLookupByLibrary.simpleMessage("Contatos de emergência"), - "empty": MessageLookupByLibrary.simpleMessage("Esvaziar"), - "emptyTrash": MessageLookupByLibrary.simpleMessage("Esvaziar lixo?"), - "enable": MessageLookupByLibrary.simpleMessage("Ativar"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "O Ente suporta a aprendizagem automática no dispositivo para reconhecimento facial, pesquisa mágica e outras funcionalidades de pesquisa avançadas"), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Habilitar aprendizagem automática para pesquisa mágica e reconhecimento de rosto"), - "enableMaps": MessageLookupByLibrary.simpleMessage("Ativar mapas"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "Esta opção mostra as suas fotografias num mapa do mundo.\n\n\nEste mapa é alojado pelo Open Street Map e as localizações exactas das suas fotografias nunca são partilhadas.\n\n\nPode desativar esta funcionalidade em qualquer altura nas Definições."), - "enabled": MessageLookupByLibrary.simpleMessage("Ativado"), - "encryptingBackup": - MessageLookupByLibrary.simpleMessage("Criptografando backup..."), - "encryption": MessageLookupByLibrary.simpleMessage("Encriptação"), - "encryptionKeys": - MessageLookupByLibrary.simpleMessage("Chaves de encriptação"), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Endpoint atualizado com sucesso"), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Criptografia de ponta a ponta por padrão"), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente pode criptografar e preservar arquivos apenas se você conceder acesso a eles"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente precisa de permissão para preservar suas fotos"), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "O Ente preserva as suas memórias, para que estejam sempre disponíveis, mesmo que perca o seu dispositivo."), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Sua família também pode ser adicionada ao seu plano."), - "enterAlbumName": - MessageLookupByLibrary.simpleMessage("Introduzir nome do álbum"), - "enterCode": MessageLookupByLibrary.simpleMessage("Insira o código"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Introduza o código fornecido pelo seu amigo para obter armazenamento gratuito para ambos"), - "enterDateOfBirth": - MessageLookupByLibrary.simpleMessage("Aniversário (opcional)"), - "enterEmail": MessageLookupByLibrary.simpleMessage("Digite o e-mail"), - "enterFileName": - MessageLookupByLibrary.simpleMessage("Inserir nome do arquivo"), - "enterName": MessageLookupByLibrary.simpleMessage("Inserir nome"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Inserir uma nova palavra-passe para encriptar os seus dados"), - "enterPassword": - MessageLookupByLibrary.simpleMessage("Introduzir palavra-passe"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Inserir uma palavra-passe para encriptar os seus dados"), - "enterPersonName": - MessageLookupByLibrary.simpleMessage("Inserir nome da pessoa"), - "enterPin": MessageLookupByLibrary.simpleMessage("Introduzir PIN"), - "enterReferralCode": MessageLookupByLibrary.simpleMessage( - "Insira o código de referência"), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Introduzir o código de 6 dígitos da\nsua aplicação de autenticação"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Por favor, insira um endereço de email válido."), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Insira o seu endereço de email"), - "enterYourPassword": MessageLookupByLibrary.simpleMessage( - "Introduza a sua palavra-passe"), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Insira a sua chave de recuperação"), - "error": MessageLookupByLibrary.simpleMessage("Erro"), - "everywhere": MessageLookupByLibrary.simpleMessage("em todo o lado"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": - MessageLookupByLibrary.simpleMessage("Utilizador existente"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Este link expirou. Por favor, selecione um novo tempo de expiração ou desabilite a expiração do link."), - "exportLogs": MessageLookupByLibrary.simpleMessage("Exportar logs"), - "exportYourData": - MessageLookupByLibrary.simpleMessage("Exportar os seus dados"), - "extraPhotosFound": MessageLookupByLibrary.simpleMessage( - "Fotos adicionais encontradas"), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Rosto não agrupado ainda, volte aqui mais tarde"), - "faceRecognition": - MessageLookupByLibrary.simpleMessage("Reconhecimento facial"), - "faces": MessageLookupByLibrary.simpleMessage("Rostos"), - "failed": MessageLookupByLibrary.simpleMessage("Falhou"), - "failedToApplyCode": - MessageLookupByLibrary.simpleMessage("Falha ao aplicar código"), - "failedToCancel": - MessageLookupByLibrary.simpleMessage("Falhou ao cancelar"), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( - "Falha ao fazer o download do vídeo"), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Falha ao obter sessões em atividade"), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Falha ao obter original para edição"), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Não foi possível obter detalhes de indicação. Por favor, tente novamente mais tarde."), - "failedToLoadAlbums": - MessageLookupByLibrary.simpleMessage("Falha ao carregar álbuns"), - "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Falha ao reproduzir multimédia"), - "failedToRefreshStripeSubscription": - MessageLookupByLibrary.simpleMessage( - "Falha ao atualizar subscrição"), - "failedToRenew": - MessageLookupByLibrary.simpleMessage("Falhou ao renovar"), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Falha ao verificar status do pagamento"), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Adicione 5 membros da família ao seu plano existente sem pagar mais.\n\n\nCada membro tem o seu próprio espaço privado e não pode ver os ficheiros dos outros, a menos que sejam partilhados.\n\n\nOs planos familiares estão disponíveis para clientes que tenham uma subscrição paga do Ente.\n\n\nSubscreva agora para começar!"), - "familyPlanPortalTitle": - MessageLookupByLibrary.simpleMessage("Família"), - "familyPlans": - MessageLookupByLibrary.simpleMessage("Planos familiares"), - "faq": MessageLookupByLibrary.simpleMessage("Perguntas Frequentes"), - "faqs": MessageLookupByLibrary.simpleMessage("Perguntas frequentes"), - "favorite": MessageLookupByLibrary.simpleMessage("Favorito"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("Opinião"), - "file": MessageLookupByLibrary.simpleMessage("Arquivo"), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Falha ao guardar o ficheiro na galeria"), - "fileInfoAddDescHint": - MessageLookupByLibrary.simpleMessage("Acrescente uma descrição..."), - "fileNotUploadedYet": - MessageLookupByLibrary.simpleMessage("Arquivo ainda não enviado"), - "fileSavedToGallery": - MessageLookupByLibrary.simpleMessage("Arquivo guardado na galeria"), - "fileTypes": MessageLookupByLibrary.simpleMessage("Tipos de arquivo"), - "fileTypesAndNames": - MessageLookupByLibrary.simpleMessage("Tipos de arquivo e nomes"), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": - MessageLookupByLibrary.simpleMessage("Arquivos apagados"), - "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Arquivos guardados na galeria"), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Encontrar pessoas rapidamente pelo nome"), - "findThemQuickly": - MessageLookupByLibrary.simpleMessage("Ache-os rapidamente"), - "flip": MessageLookupByLibrary.simpleMessage("Inverter"), - "food": MessageLookupByLibrary.simpleMessage("Prazer em culinária"), - "forYourMemories": - MessageLookupByLibrary.simpleMessage("para suas memórias"), - "forgotPassword": MessageLookupByLibrary.simpleMessage( - "Esqueceu-se da palavra-passe"), - "foundFaces": - MessageLookupByLibrary.simpleMessage("Rostos encontrados"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( - "Armazenamento gratuito reclamado"), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Armazenamento livre utilizável"), - "freeTrial": MessageLookupByLibrary.simpleMessage("Teste grátis"), - "freeTrialValidTill": m38, - "freeUpAmount": m40, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( - "Libertar espaço no dispositivo"), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Poupe espaço no seu dispositivo limpando ficheiros dos quais já foi feita uma cópia de segurança."), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("Libertar espaço"), - "gallery": MessageLookupByLibrary.simpleMessage("Galeria"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "Até 1000 memórias mostradas na galeria"), - "general": MessageLookupByLibrary.simpleMessage("Geral"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Gerando chaves de encriptação..."), - "genericProgress": m42, - "goToSettings": - MessageLookupByLibrary.simpleMessage("Ir para as definições"), - "googlePlayId": - MessageLookupByLibrary.simpleMessage("ID do Google Play"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Por favor, permita o acesso a todas as fotos nas definições do aplicativo"), - "grantPermission": - MessageLookupByLibrary.simpleMessage("Conceder permissão"), - "greenery": MessageLookupByLibrary.simpleMessage("A vegetação verde"), - "groupNearbyPhotos": - MessageLookupByLibrary.simpleMessage("Agrupar fotos próximas"), - "guestView": MessageLookupByLibrary.simpleMessage("Visão de convidado"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "Para ativar a vista de convidado, configure o código de acesso do dispositivo ou o bloqueio do ecrã nas definições do sistema."), - "happyBirthday": - MessageLookupByLibrary.simpleMessage("Happy birthday! 🥳"), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "Não monitorizamos as instalações de aplicações. Ajudaria se nos dissesse onde nos encontrou!"), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Como é que soube do Ente? (opcional)"), - "help": MessageLookupByLibrary.simpleMessage("Ajuda"), - "hidden": MessageLookupByLibrary.simpleMessage("Oculto"), - "hide": MessageLookupByLibrary.simpleMessage("Ocultar"), - "hideContent": MessageLookupByLibrary.simpleMessage("Ocultar conteúdo"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Oculta o conteúdo da aplicação no alternador de aplicações e desactiva as capturas de ecrã"), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Oculta o conteúdo da aplicação no alternador de aplicações"), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "Ocultar itens compartilhados da galeria inicial"), - "hiding": MessageLookupByLibrary.simpleMessage("Ocultando..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": - MessageLookupByLibrary.simpleMessage("Hospedado na OSM France"), - "howItWorks": MessageLookupByLibrary.simpleMessage("Como funciona"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Por favor, peça-lhes para pressionar longamente o endereço de e-mail na tela de configurações e verifique se os IDs de ambos os dispositivos coincidem."), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "A autenticação biométrica não está configurada no seu dispositivo. Active o Touch ID ou o Face ID no seu telemóvel."), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "A autenticação biométrica está desativada. Por favor, bloqueie e desbloqueie o ecrã para ativá-la."), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorar"), - "ignored": MessageLookupByLibrary.simpleMessage("ignorado"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Alguns ficheiros deste álbum não podem ser carregados porque foram anteriormente eliminados do Ente."), - "imageNotAnalyzed": - MessageLookupByLibrary.simpleMessage("Imagem não analisada"), - "immediately": MessageLookupByLibrary.simpleMessage("Imediatamente"), - "importing": MessageLookupByLibrary.simpleMessage("A importar..."), - "incorrectCode": - MessageLookupByLibrary.simpleMessage("Código incorrecto"), - "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("Palavra-passe incorreta"), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Chave de recuperação incorreta"), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "A chave de recuperação inserida está incorreta"), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Chave de recuperação incorreta"), - "indexedItems": MessageLookupByLibrary.simpleMessage("Itens indexados"), - "ineligible": MessageLookupByLibrary.simpleMessage("Inelegível"), - "info": MessageLookupByLibrary.simpleMessage("Info"), - "insecureDevice": - MessageLookupByLibrary.simpleMessage("Dispositivo inseguro"), - "installManually": - MessageLookupByLibrary.simpleMessage("Instalar manualmente"), - "invalidEmailAddress": - MessageLookupByLibrary.simpleMessage("Endereço de email inválido"), - "invalidEndpoint": - MessageLookupByLibrary.simpleMessage("Endpoint inválido"), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Desculpe, o endpoint que introduziu é inválido. Introduza um ponto final válido e tente novamente."), - "invalidKey": MessageLookupByLibrary.simpleMessage("Chave inválida"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "A chave de recuperação que inseriu não é válida. Por favor, certifique-se que ela contém 24 palavras e verifique a ortografia de cada uma.\n\nSe inseriu um código de recuperação mais antigo, certifique-se de que tem 64 caracteres e verifique cada um deles."), - "invite": MessageLookupByLibrary.simpleMessage("Convidar"), - "inviteToEnte": - MessageLookupByLibrary.simpleMessage("Convidar para Ente"), - "inviteYourFriends": - MessageLookupByLibrary.simpleMessage("Convide os seus amigos"), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "Convide seus amigos para o Ente"), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Parece que algo correu mal. Por favor, tente novamente após algum tempo. Se o erro persistir, contacte a nossa equipa de apoio."), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "Os itens mostram o número de dias restantes antes da eliminação permanente"), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Os itens selecionados serão removidos deste álbum"), - "join": MessageLookupByLibrary.simpleMessage("Unir-se"), - "joinAlbum": MessageLookupByLibrary.simpleMessage("Unir-se ao álbum"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "Unir-se ao álbum fará que seu e-mail seja visível a todos do álbum."), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( - "para visualizar e adicionar suas fotos"), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "para adicionar isso aos álbuns compartilhados"), - "joinDiscord": - MessageLookupByLibrary.simpleMessage("Juntar-se ao Discord"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Manter fotos"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Por favor, ajude-nos com esta informação"), - "language": MessageLookupByLibrary.simpleMessage("Idioma"), - "lastTimeWithThem": m45, - "lastUpdated": - MessageLookupByLibrary.simpleMessage("Última atualização"), - "lastYearsTrip": - MessageLookupByLibrary.simpleMessage("Viajem do ano passado"), - "leave": MessageLookupByLibrary.simpleMessage("Sair"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Sair do álbum"), - "leaveFamily": - MessageLookupByLibrary.simpleMessage("Deixar plano famíliar"), - "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Sair do álbum compartilhado?"), - "left": MessageLookupByLibrary.simpleMessage("Esquerda"), - "legacy": MessageLookupByLibrary.simpleMessage("Legado"), - "legacyAccounts": - MessageLookupByLibrary.simpleMessage("Contas legadas"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "O legado permite que contatos confiáveis acessem sua conta em sua ausência."), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "Contatos confiáveis podem iniciar recuperação de conta. Se não cancelado dentro de 30 dias, redefina sua senha e acesse sua conta."), - "light": MessageLookupByLibrary.simpleMessage("Claro"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Claro"), - "link": MessageLookupByLibrary.simpleMessage("Vincular"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Link copiado para a área de transferência"), - "linkDeviceLimit": - MessageLookupByLibrary.simpleMessage("Limite de dispositivo"), - "linkEmail": MessageLookupByLibrary.simpleMessage("Vincular e-mail"), - "linkEmailToContactBannerCaption": - MessageLookupByLibrary.simpleMessage("para compartilhar rápido"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Ativado"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Expirado"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Link expirado"), - "linkHasExpired": - MessageLookupByLibrary.simpleMessage("O link expirou"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Nunca"), - "linkPerson": MessageLookupByLibrary.simpleMessage("Vincular pessoa"), - "linkPersonCaption": MessageLookupByLibrary.simpleMessage( - "para melhor experiência de compartilhamento"), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": - MessageLookupByLibrary.simpleMessage("Fotos Em Tempo Real"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "Pode partilhar a sua subscrição com a sua família"), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "Mantemos 3 cópias dos seus dados, uma em um abrigo subterrâneo"), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "Todos os nossos aplicativos são de código aberto"), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Nosso código-fonte e criptografia foram auditadas externamente"), - "loadMessage6": - MessageLookupByLibrary.simpleMessage("Deixar o álbum partilhado?"), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Nossos aplicativos móveis são executados em segundo plano para criptografar e fazer backup de quaisquer novas fotos que você clique"), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io tem um envio mais rápido"), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Nós usamos Xchacha20Poly1305 para criptografar seus dados com segurança"), - "loadingExifData": - MessageLookupByLibrary.simpleMessage("Carregando dados EXIF..."), - "loadingGallery": - MessageLookupByLibrary.simpleMessage("Carregando galeria..."), - "loadingMessage": - MessageLookupByLibrary.simpleMessage("Carregar as suas fotos..."), - "loadingModel": - MessageLookupByLibrary.simpleMessage("Transferindo modelos..."), - "loadingYourPhotos": - MessageLookupByLibrary.simpleMessage("Carregar as suas fotos..."), - "localGallery": MessageLookupByLibrary.simpleMessage("Galeria local"), - "localIndexing": - MessageLookupByLibrary.simpleMessage("Indexação local"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Parece que algo correu mal, uma vez que a sincronização de fotografias locais está a demorar mais tempo do que o esperado. Contacte a nossa equipa de apoio"), - "location": MessageLookupByLibrary.simpleMessage("Localização"), - "locationName": - MessageLookupByLibrary.simpleMessage("Nome da localização"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Uma etiqueta de localização agrupa todas as fotos que foram tiradas num determinado raio de uma fotografia"), - "locations": MessageLookupByLibrary.simpleMessage("Localizações"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Bloquear"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Ecrã de bloqueio"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Iniciar sessão"), - "loggingOut": - MessageLookupByLibrary.simpleMessage("Terminar a sessão..."), - "loginSessionExpired": - MessageLookupByLibrary.simpleMessage("Sessão expirada"), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "A sua sessão expirou. Por favor, inicie sessão novamente."), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Ao clicar em iniciar sessão, eu concordo com os termos de serviço e política de privacidade"), - "loginWithTOTP": - MessageLookupByLibrary.simpleMessage("Iniciar sessão com TOTP"), - "logout": MessageLookupByLibrary.simpleMessage("Terminar sessão"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Isto enviará os registos para nos ajudar a resolver o problema. Tenha em atenção que os nomes dos ficheiros serão incluídos para ajudar a localizar problemas com ficheiros específicos."), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Pressione e segure um e-mail para verificar a criptografia de ponta a ponta."), - "longpressOnAnItemToViewInFullscreen": - MessageLookupByLibrary.simpleMessage( - "Pressione e segure em um item para ver em tela cheia"), - "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( - "Look back on your memories 🌄"), - "loopVideoOff": - MessageLookupByLibrary.simpleMessage("Repetir vídeo desligado"), - "loopVideoOn": - MessageLookupByLibrary.simpleMessage("Repetir vídeo ligado"), - "lostDevice": - MessageLookupByLibrary.simpleMessage("Perdeu o seu dispositívo?"), - "machineLearning": - MessageLookupByLibrary.simpleMessage("Aprendizagem automática"), - "magicSearch": MessageLookupByLibrary.simpleMessage("Pesquisa mágica"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "A pesquisa mágica permite pesquisar fotos por seu conteúdo, por exemplo, \'flor\', \'carro vermelho\', \'documentos de identidade\'"), - "manage": MessageLookupByLibrary.simpleMessage("Gerir"), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Reveja e limpe o armazenamento de cache local."), - "manageFamily": MessageLookupByLibrary.simpleMessage("Gerir família"), - "manageLink": MessageLookupByLibrary.simpleMessage("Gerir link"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Gerir"), - "manageSubscription": - MessageLookupByLibrary.simpleMessage("Gerir subscrição"), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "Emparelhar com PIN funciona com qualquer ecrã onde pretenda ver o seu álbum."), - "map": MessageLookupByLibrary.simpleMessage("Mapa"), - "maps": MessageLookupByLibrary.simpleMessage("Mapas"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("Eu"), - "merchandise": MessageLookupByLibrary.simpleMessage("Produtos"), - "mergeWithExisting": - MessageLookupByLibrary.simpleMessage("Juntar com o existente"), - "mergedPhotos": - MessageLookupByLibrary.simpleMessage("Fotos combinadas"), - "mlConsent": MessageLookupByLibrary.simpleMessage( - "Ativar aprendizagem automática"), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Eu entendo, e desejo ativar a aprendizagem automática"), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Se ativar a aprendizagem automática, o Ente extrairá informações como a geometria do rosto de ficheiros, incluindo os partilhados consigo.\n\n\nIsto acontecerá no seu dispositivo e todas as informações biométricas geradas serão encriptadas de ponta a ponta."), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Por favor, clique aqui para mais detalhes sobre este recurso na nossa política de privacidade"), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "Ativar aprendizagem automática?"), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Tenha em atenção que a aprendizagem automática resultará numa maior utilização da largura de banda e da bateria até que todos os itens sejam indexados. Considere utilizar a aplicação de ambiente de trabalho para uma indexação mais rápida, todos os resultados serão sincronizados automaticamente."), - "mobileWebDesktop": - MessageLookupByLibrary.simpleMessage("Mobile, Web, Desktop"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Moderada"), - "modifyYourQueryOrTrySearchingFor": - MessageLookupByLibrary.simpleMessage( - "Modifique a sua consulta ou tente pesquisar por"), - "moments": MessageLookupByLibrary.simpleMessage("Momentos"), - "month": MessageLookupByLibrary.simpleMessage("mês"), - "monthly": MessageLookupByLibrary.simpleMessage("Mensal"), - "moon": MessageLookupByLibrary.simpleMessage("Na luz do luar"), - "moreDetails": MessageLookupByLibrary.simpleMessage("Mais detalhes"), - "mostRecent": MessageLookupByLibrary.simpleMessage("Mais recente"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("Mais relevante"), - "mountains": MessageLookupByLibrary.simpleMessage("Sob as montanhas"), - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "Mover fotos selecionadas para uma data"), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("Mover para álbum"), - "moveToHiddenAlbum": - MessageLookupByLibrary.simpleMessage("Mover para álbum oculto"), - "movedSuccessfullyTo": m52, - "movedToTrash": - MessageLookupByLibrary.simpleMessage("Mover para o lixo"), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Mover arquivos para o álbum..."), - "name": MessageLookupByLibrary.simpleMessage("Nome"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Nomear o álbum"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Não foi possível conectar ao Ente, tente novamente após algum tempo. Se o erro persistir, entre em contato com o suporte."), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Não foi possível estabelecer ligação ao Ente. Verifique as definições de rede e contacte o serviço de apoio se o erro persistir."), - "never": MessageLookupByLibrary.simpleMessage("Nunca"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Novo álbum"), - "newLocation": MessageLookupByLibrary.simpleMessage("Nova localização"), - "newPerson": MessageLookupByLibrary.simpleMessage("Nova pessoa"), - "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" new 📸"), - "newRange": MessageLookupByLibrary.simpleMessage("Novo intervalo"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Novo no Ente"), - "newest": MessageLookupByLibrary.simpleMessage("Recentes"), - "next": MessageLookupByLibrary.simpleMessage("Seguinte"), - "no": MessageLookupByLibrary.simpleMessage("Não"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Ainda não há álbuns partilhados por si"), - "noDeviceFound": MessageLookupByLibrary.simpleMessage( - "Nenhum dispositivo encontrado"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Nenhum"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "Você não tem arquivos neste dispositivo que possam ser apagados"), - "noDuplicates": - MessageLookupByLibrary.simpleMessage("✨ Sem duplicados"), - "noEnteAccountExclamation": - MessageLookupByLibrary.simpleMessage("Nenhuma conta Ente!"), - "noExifData": MessageLookupByLibrary.simpleMessage("Sem dados EXIF"), - "noFacesFound": - MessageLookupByLibrary.simpleMessage("Nenhum rosto encontrado"), - "noHiddenPhotosOrVideos": - MessageLookupByLibrary.simpleMessage("Sem fotos ou vídeos ocultos"), - "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( - "Nenhuma imagem com localização"), - "noInternetConnection": - MessageLookupByLibrary.simpleMessage("Sem ligação à internet"), - "noPhotosAreBeingBackedUpRightNow": - MessageLookupByLibrary.simpleMessage( - "No momento não há backup de fotos sendo feito"), - "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( - "Nenhuma foto encontrada aqui"), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( - "Nenhum link rápido selecionado"), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Não tem chave de recuperação?"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Devido à natureza do nosso protocolo de criptografia de ponta a ponta, os seus dados não podem ser descriptografados sem a sua palavra-passe ou a sua chave de recuperação"), - "noResults": MessageLookupByLibrary.simpleMessage("Nenhum resultado"), - "noResultsFound": MessageLookupByLibrary.simpleMessage( - "Não foram encontrados resultados"), - "noSuggestionsForPerson": m53, - "noSystemLockFound": MessageLookupByLibrary.simpleMessage( - "Nenhum bloqueio de sistema encontrado"), - "notPersonLabel": m54, - "notThisPerson": - MessageLookupByLibrary.simpleMessage("Não é esta pessoa?"), - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "Ainda nada partilhado consigo"), - "nothingToSeeHere": - MessageLookupByLibrary.simpleMessage("Nada para ver aqui! 👀"), - "notifications": MessageLookupByLibrary.simpleMessage("Notificações"), - "ok": MessageLookupByLibrary.simpleMessage("Ok"), - "onDevice": MessageLookupByLibrary.simpleMessage("No dispositivo"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "Em ente"), - "onTheRoad": MessageLookupByLibrary.simpleMessage("Na estrada de novo"), - "onThisDay": MessageLookupByLibrary.simpleMessage("On this day"), - "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( - "Receive reminders about memories from this day in previous years."), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Apenas eles"), - "oops": MessageLookupByLibrary.simpleMessage("Oops"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Oops, não foi possível guardar as edições"), - "oopsSomethingWentWrong": - MessageLookupByLibrary.simpleMessage("Ops, algo deu errado"), - "openAlbumInBrowser": - MessageLookupByLibrary.simpleMessage("Abrir álbum no navegador"), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Use o aplicativo da web para adicionar fotos a este álbum"), - "openFile": MessageLookupByLibrary.simpleMessage("Abrir arquivo"), - "openSettings": - MessageLookupByLibrary.simpleMessage("Abrir Definições"), - "openTheItem": MessageLookupByLibrary.simpleMessage("• Abra o item"), - "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( - "Contribuidores do OpenStreetMap"), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Opcional, o mais breve que quiser..."), - "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( - "Ou combinar com já existente"), - "orPickAnExistingOne": - MessageLookupByLibrary.simpleMessage("Ou escolha um já existente"), - "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( - "ou escolher dos seus contatos"), - "pair": MessageLookupByLibrary.simpleMessage("Emparelhar"), - "pairWithPin": - MessageLookupByLibrary.simpleMessage("Emparelhar com PIN"), - "pairingComplete": - MessageLookupByLibrary.simpleMessage("Emparelhamento concluído"), - "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), - "partyWithThem": m56, - "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( - "A verificação ainda está pendente"), - "passkey": MessageLookupByLibrary.simpleMessage("Chave de acesso"), - "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( - "Verificação da chave de acesso"), - "password": MessageLookupByLibrary.simpleMessage("Palavra-passe"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Palavra-passe alterada com sucesso"), - "passwordLock": - MessageLookupByLibrary.simpleMessage("Bloqueio da palavra-passe"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "A força da palavra-passe é calculada tendo em conta o comprimento da palavra-passe, os caracteres utilizados e se a palavra-passe aparece ou não nas 10.000 palavras-passe mais utilizadas"), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Não armazenamos esta palavra-passe, se você a esquecer, não podemos desencriptar os seus dados"), - "paymentDetails": - MessageLookupByLibrary.simpleMessage("Detalhes de pagamento"), - "paymentFailed": - MessageLookupByLibrary.simpleMessage("O pagamento falhou"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "Infelizmente o seu pagamento falhou. Entre em contato com o suporte e nós ajudaremos você!"), - "paymentFailedTalkToProvider": m58, - "pendingItems": MessageLookupByLibrary.simpleMessage("Itens pendentes"), - "pendingSync": - MessageLookupByLibrary.simpleMessage("Sincronização pendente"), - "people": MessageLookupByLibrary.simpleMessage("Pessoas"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Pessoas que utilizam seu código"), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Todos os itens no lixo serão permanentemente eliminados\n\n\nEsta ação não pode ser anulada"), - "permanentlyDelete": - MessageLookupByLibrary.simpleMessage("Eliminar permanentemente"), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Apagar permanentemente do dispositivo?"), - "personIsAge": m59, - "personName": MessageLookupByLibrary.simpleMessage("Nome da pessoa"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("Companhia de pelos"), - "photoDescriptions": - MessageLookupByLibrary.simpleMessage("Descrições das fotos"), - "photoGridSize": - MessageLookupByLibrary.simpleMessage("Tamanho da grelha de fotos"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("Fotos"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "As fotos adicionadas por si serão removidas do álbum"), - "photosCount": m62, - "photosKeepRelativeTimeDifference": - MessageLookupByLibrary.simpleMessage( - "As fotos mantêm a diferença de tempo relativo"), - "pickCenterPoint": - MessageLookupByLibrary.simpleMessage("Escolha o ponto central"), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Fixar álbum"), - "pinLock": MessageLookupByLibrary.simpleMessage("Bloqueio por PIN"), - "playOnTv": - MessageLookupByLibrary.simpleMessage("Reproduzir álbum na TV"), - "playOriginal": - MessageLookupByLibrary.simpleMessage("Reproduzir original"), - "playStoreFreeTrialValidTill": m63, - "playStream": - MessageLookupByLibrary.simpleMessage("Reproduzir transmissão"), - "playstoreSubscription": - MessageLookupByLibrary.simpleMessage("Subscrição da PlayStore"), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Por favor, verifique a sua ligação à Internet e tente novamente."), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Por favor, entre em contato com support@ente.io e nós ficaremos felizes em ajudar!"), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Por favor, contate o suporte se o problema persistir"), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( - "Por favor, conceda as permissões"), - "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( - "Por favor, inicie sessão novamente"), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Selecione links rápidos para remover"), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": - MessageLookupByLibrary.simpleMessage("Por favor, tente novamente"), - "pleaseVerifyTheCodeYouHaveEntered": - MessageLookupByLibrary.simpleMessage( - "Por favor, verifique se o código que você inseriu"), - "pleaseWait": - MessageLookupByLibrary.simpleMessage("Por favor, aguarde ..."), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Por favor aguarde, apagar o álbum"), - "pleaseWaitForSometimeBeforeRetrying": - MessageLookupByLibrary.simpleMessage( - "Por favor, aguarde algum tempo antes de tentar novamente"), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "Aguarde um pouco, isso talvez leve um tempo."), - "posingWithThem": m66, - "preparingLogs": - MessageLookupByLibrary.simpleMessage("Preparando logs..."), - "preserveMore": MessageLookupByLibrary.simpleMessage("Preservar mais"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Pressione e segure para reproduzir o vídeo"), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Pressione e segure na imagem para reproduzir o vídeo"), - "previous": MessageLookupByLibrary.simpleMessage("Anterior"), - "privacy": MessageLookupByLibrary.simpleMessage("Privacidade"), - "privacyPolicyTitle": - MessageLookupByLibrary.simpleMessage("Política de privacidade"), - "privateBackups": - MessageLookupByLibrary.simpleMessage("Backups privados"), - "privateSharing": - MessageLookupByLibrary.simpleMessage("Partilha privada"), - "proceed": MessageLookupByLibrary.simpleMessage("Continuar"), - "processing": MessageLookupByLibrary.simpleMessage("Processando"), - "processingImport": m67, - "processingVideos": - MessageLookupByLibrary.simpleMessage("Processando vídeos"), - "publicLinkCreated": - MessageLookupByLibrary.simpleMessage("Link público criado"), - "publicLinkEnabled": - MessageLookupByLibrary.simpleMessage("Link público ativado"), - "queued": MessageLookupByLibrary.simpleMessage("Na fila"), - "quickLinks": MessageLookupByLibrary.simpleMessage("Links rápidos"), - "radius": MessageLookupByLibrary.simpleMessage("Raio"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Abrir ticket"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("Avaliar aplicação"), - "rateUs": MessageLookupByLibrary.simpleMessage("Avalie-nos"), - "rateUsOnStore": m68, - "reassignMe": MessageLookupByLibrary.simpleMessage("Reatribuir \"Eu\""), - "reassignedToName": m69, - "reassigningLoading": - MessageLookupByLibrary.simpleMessage("Reatribuindo..."), - "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( - "Receive reminders when it\'s someone\'s birthday. Tapping on the notification will take you to photos of the birthday person."), - "recover": MessageLookupByLibrary.simpleMessage("Recuperar"), - "recoverAccount": - MessageLookupByLibrary.simpleMessage("Recuperar conta"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Recuperar"), - "recoveryAccount": - MessageLookupByLibrary.simpleMessage("Recuperar conta"), - "recoveryInitiated": - MessageLookupByLibrary.simpleMessage("A recuperação iniciou"), - "recoveryInitiatedDesc": m70, - "recoveryKey": - MessageLookupByLibrary.simpleMessage("Chave de recuperação"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Chave de recuperação copiada para a área de transferência"), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Se esquecer sua palavra-passe, a única maneira de recuperar os seus dados é com esta chave."), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Não armazenamos essa chave, por favor, guarde esta chave de 24 palavras num lugar seguro."), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Ótimo! A sua chave de recuperação é válida. Obrigado por verificar.\n\nLembre-se de manter cópia de segurança da sua chave de recuperação."), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Chave de recuperação verificada"), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "A sua chave de recuperação é a única forma de recuperar as suas fotografias se se esquecer da sua palavra-passe. Pode encontrar a sua chave de recuperação em Definições > Conta.\n\n\nIntroduza aqui a sua chave de recuperação para verificar se a guardou corretamente."), - "recoveryReady": m71, - "recoverySuccessful": - MessageLookupByLibrary.simpleMessage("Recuperação bem sucedida!"), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "Um contato confiável está tentando acessar sua conta"), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "O dispositivo atual não é suficientemente poderoso para verificar a palavra-passe, mas podemos regenerar novamente de uma maneira que funcione no seu dispositivo.\n\nPor favor, iniciar sessão utilizando código de recuperação e gerar novamente a sua palavra-passe (pode utilizar a mesma se quiser)."), - "recreatePasswordTitle": - MessageLookupByLibrary.simpleMessage("Recriar palavra-passe"), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": MessageLookupByLibrary.simpleMessage( - "Insira novamente a palavra-passe"), - "reenterPin": - MessageLookupByLibrary.simpleMessage("Inserir PIN novamente"), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Recomende amigos e duplique o seu plano"), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Envie este código aos seus amigos"), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Eles se inscrevem em um plano pago"), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Referências"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "As referências estão atualmente em pausa"), - "rejectRecovery": - MessageLookupByLibrary.simpleMessage("Rejeitar recuperação"), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "Esvazie também a opção “Eliminados recentemente” em “Definições” -> “Armazenamento” para reclamar o espaço libertado"), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Esvazie também o seu “Lixo” para reivindicar o espaço libertado"), - "remoteImages": MessageLookupByLibrary.simpleMessage("Imagens remotas"), - "remoteThumbnails": - MessageLookupByLibrary.simpleMessage("Miniaturas remotas"), - "remoteVideos": MessageLookupByLibrary.simpleMessage("Vídeos remotos"), - "remove": MessageLookupByLibrary.simpleMessage("Remover"), - "removeDuplicates": - MessageLookupByLibrary.simpleMessage("Remover duplicados"), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Rever e remover ficheiros que sejam duplicados exatos."), - "removeFromAlbum": - MessageLookupByLibrary.simpleMessage("Remover do álbum"), - "removeFromAlbumTitle": - MessageLookupByLibrary.simpleMessage("Remover do álbum"), - "removeFromFavorite": - MessageLookupByLibrary.simpleMessage("Remover dos favoritos"), - "removeInvite": MessageLookupByLibrary.simpleMessage("Remover convite"), - "removeLink": MessageLookupByLibrary.simpleMessage("Remover link"), - "removeParticipant": - MessageLookupByLibrary.simpleMessage("Remover participante"), - "removeParticipantBody": m74, - "removePersonLabel": - MessageLookupByLibrary.simpleMessage("Remover etiqueta da pessoa"), - "removePublicLink": - MessageLookupByLibrary.simpleMessage("Remover link público"), - "removePublicLinks": - MessageLookupByLibrary.simpleMessage("Remover link público"), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Alguns dos itens que você está removendo foram adicionados por outras pessoas, e você perderá o acesso a eles"), - "removeWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Remover?"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Remover si mesmo dos contatos confiáveis"), - "removingFromFavorites": - MessageLookupByLibrary.simpleMessage("Removendo dos favoritos..."), - "rename": MessageLookupByLibrary.simpleMessage("Renomear"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("Renomear álbum"), - "renameFile": MessageLookupByLibrary.simpleMessage("Renomear arquivo"), - "renewSubscription": - MessageLookupByLibrary.simpleMessage("Renovar subscrição"), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Reporte um bug"), - "reportBug": MessageLookupByLibrary.simpleMessage("Reportar bug"), - "resendEmail": MessageLookupByLibrary.simpleMessage("Reenviar e-mail"), - "resetIgnoredFiles": - MessageLookupByLibrary.simpleMessage("Repor ficheiros ignorados"), - "resetPasswordTitle": - MessageLookupByLibrary.simpleMessage("Redefinir palavra-passe"), - "resetPerson": MessageLookupByLibrary.simpleMessage("Remover"), - "resetToDefault": - MessageLookupByLibrary.simpleMessage("Redefinir para o padrão"), - "restore": MessageLookupByLibrary.simpleMessage("Restaurar"), - "restoreToAlbum": - MessageLookupByLibrary.simpleMessage("Restaurar para álbum"), - "restoringFiles": - MessageLookupByLibrary.simpleMessage("Restaurar arquivos..."), - "resumableUploads": - MessageLookupByLibrary.simpleMessage("Uploads reenviados"), - "retry": MessageLookupByLibrary.simpleMessage("Tentar novamente"), - "review": MessageLookupByLibrary.simpleMessage("Rever"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Reveja e elimine os itens que considera serem duplicados."), - "reviewSuggestions": - MessageLookupByLibrary.simpleMessage("Revisar sugestões"), - "right": MessageLookupByLibrary.simpleMessage("Direita"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("Rodar"), - "rotateLeft": - MessageLookupByLibrary.simpleMessage("Rodar para a esquerda"), - "rotateRight": - MessageLookupByLibrary.simpleMessage("Rodar para a direita"), - "safelyStored": - MessageLookupByLibrary.simpleMessage("Armazenado com segurança"), - "save": MessageLookupByLibrary.simpleMessage("Guardar"), - "saveChangesBeforeLeavingQuestion": - MessageLookupByLibrary.simpleMessage( - "Salvar mudanças antes de sair?"), - "saveCollage": MessageLookupByLibrary.simpleMessage("Guardar colagem"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Guardar cópia"), - "saveKey": MessageLookupByLibrary.simpleMessage("Guardar chave"), - "savePerson": MessageLookupByLibrary.simpleMessage("Guardar pessoa"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Guarde a sua chave de recuperação, caso ainda não o tenha feito"), - "saving": MessageLookupByLibrary.simpleMessage("A gravar..."), - "savingEdits": - MessageLookupByLibrary.simpleMessage("Gravando edições..."), - "scanCode": MessageLookupByLibrary.simpleMessage("Ler código Qr"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Leia este código com a sua aplicação dois fatores."), - "search": MessageLookupByLibrary.simpleMessage("Pesquisar"), - "searchAlbumsEmptySection": - MessageLookupByLibrary.simpleMessage("Álbuns"), - "searchByAlbumNameHint": - MessageLookupByLibrary.simpleMessage("Nome do álbum"), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Nomes de álbuns (ex: \"Câmera\")\n• Tipos de arquivos (ex.: \"Vídeos\", \".gif\")\n• Anos e meses (e.. \"2022\", \"Janeiro\")\n• Feriados (por exemplo, \"Natal\")\n• Descrições de fotos (por exemplo, \"#divertido\")"), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Adicione descrições como \"#trip\" nas informações das fotos para encontrá-las aqui rapidamente"), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Pesquisar por data, mês ou ano"), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "As pessoas serão mostradas aqui quando a indexação estiver concluída"), - "searchFileTypesAndNamesEmptySection": - MessageLookupByLibrary.simpleMessage("Tipos de arquivo e nomes"), - "searchHint1": MessageLookupByLibrary.simpleMessage( - "Pesquisa rápida no dispositivo"), - "searchHint2": - MessageLookupByLibrary.simpleMessage("Datas das fotos, descrições"), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "Álbuns, nomes de arquivos e tipos"), - "searchHint4": MessageLookupByLibrary.simpleMessage("Local"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "Em breve: Rostos e pesquisa mágica ✨"), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Fotos de grupo que estão sendo tiradas em algum raio da foto"), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "Convide pessoas e verá todas as fotos partilhadas por elas aqui"), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Segurança"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "Ver links de álbum compartilhado no aplicativo"), - "selectALocation": - MessageLookupByLibrary.simpleMessage("Selecione uma localização"), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage( - "Selecione uma localização primeiro"), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Selecionar álbum"), - "selectAll": MessageLookupByLibrary.simpleMessage("Selecionar tudo"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("Tudo"), - "selectCoverPhoto": - MessageLookupByLibrary.simpleMessage("Selecionar foto da capa"), - "selectDate": MessageLookupByLibrary.simpleMessage("Selecionar data"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Selecionar pastas para cópia de segurança"), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "Selecionar itens para adicionar"), - "selectLanguage": - MessageLookupByLibrary.simpleMessage("Selecionar Idioma"), - "selectMailApp": MessageLookupByLibrary.simpleMessage( - "Selecionar aplicativo de e-mail"), - "selectMorePhotos": - MessageLookupByLibrary.simpleMessage("Selecionar mais fotos"), - "selectOneDateAndTime": - MessageLookupByLibrary.simpleMessage("Selecionar data e hora"), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "Selecione uma data e hora para todos"), - "selectPersonToLink": MessageLookupByLibrary.simpleMessage( - "Selecione a pessoa para vincular"), - "selectReason": - MessageLookupByLibrary.simpleMessage("Selecionar motivo"), - "selectStartOfRange": MessageLookupByLibrary.simpleMessage( - "Selecionar início de intervalo"), - "selectTime": MessageLookupByLibrary.simpleMessage("Selecionar tempo"), - "selectYourFace": - MessageLookupByLibrary.simpleMessage("Selecione seu rosto"), - "selectYourPlan": - MessageLookupByLibrary.simpleMessage("Selecione o seu plano"), - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Os arquivos selecionados não estão no Ente"), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "As pastas selecionadas serão encriptadas e guardadas como cópia de segurança"), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Os itens selecionados serão eliminados de todos os álbuns e movidos para o lixo."), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "Os itens selecionados serão removidos desta pessoa, entretanto não serão excluídos da sua biblioteca."), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("Enviar"), - "sendEmail": MessageLookupByLibrary.simpleMessage("Enviar email"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Enviar convite"), - "sendLink": MessageLookupByLibrary.simpleMessage("Enviar link"), - "serverEndpoint": - MessageLookupByLibrary.simpleMessage("Endpoint do servidor"), - "sessionExpired": - MessageLookupByLibrary.simpleMessage("Sessão expirada"), - "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( - "Incompatibilidade de ID de sessão"), - "setAPassword": - MessageLookupByLibrary.simpleMessage("Definir uma palavra-passe"), - "setAs": MessageLookupByLibrary.simpleMessage("Definir como"), - "setCover": MessageLookupByLibrary.simpleMessage("Definir capa"), - "setLabel": MessageLookupByLibrary.simpleMessage("Definir"), - "setNewPassword": - MessageLookupByLibrary.simpleMessage("Definir nova palavra-passe"), - "setNewPin": MessageLookupByLibrary.simpleMessage("Definir novo PIN"), - "setPasswordTitle": - MessageLookupByLibrary.simpleMessage("Definir palavra-passe"), - "setRadius": MessageLookupByLibrary.simpleMessage("Definir raio"), - "setupComplete": - MessageLookupByLibrary.simpleMessage("Configuração concluída"), - "share": MessageLookupByLibrary.simpleMessage("Partilhar"), - "shareALink": MessageLookupByLibrary.simpleMessage("Partilhar um link"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Abra um álbum e toque no botão de partilha no canto superior direito para partilhar"), - "shareAnAlbumNow": - MessageLookupByLibrary.simpleMessage("Partilhar um álbum"), - "shareLink": MessageLookupByLibrary.simpleMessage("Partilhar link"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Partilhar apenas com as pessoas que deseja"), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Descarregue o Ente para poder partilhar facilmente fotografias e vídeos de qualidade original\n\n\nhttps://ente.io"), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Compartilhar com usuários que não usam Ente"), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( - "Partilhe o seu primeiro álbum"), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Criar álbuns compartilhados e colaborativos com outros usuários da Ente, incluindo usuários em planos gratuitos."), - "sharedByMe": - MessageLookupByLibrary.simpleMessage("Partilhado por mim"), - "sharedByYou": - MessageLookupByLibrary.simpleMessage("Partilhado por si"), - "sharedPhotoNotifications": - MessageLookupByLibrary.simpleMessage("Novas fotos partilhadas"), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Receber notificações quando alguém adiciona uma foto a um álbum partilhado do qual faz parte"), - "sharedWith": m87, - "sharedWithMe": - MessageLookupByLibrary.simpleMessage("Partilhado comigo"), - "sharedWithYou": - MessageLookupByLibrary.simpleMessage("Partilhado consigo"), - "sharing": MessageLookupByLibrary.simpleMessage("Partilhar..."), - "shiftDatesAndTime": - MessageLookupByLibrary.simpleMessage("Alterar as datas e horas"), - "showMemories": - MessageLookupByLibrary.simpleMessage("Mostrar memórias"), - "showPerson": MessageLookupByLibrary.simpleMessage("Mostrar pessoa"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "Terminar sessão noutros dispositivos"), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Se pensa que alguém pode saber a sua palavra-passe, pode forçar todos os outros dispositivos que utilizam a sua conta a terminar a sessão."), - "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( - "Terminar a sessão noutros dispositivos"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Eu concordo com os termos de serviço e política de privacidade"), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Será eliminado de todos os álbuns."), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Pular"), - "social": MessageLookupByLibrary.simpleMessage("Social"), - "someItemsAreInBothEnteAndYourDevice": - MessageLookupByLibrary.simpleMessage( - "Alguns itens estão tanto no Ente como no seu dispositivo."), - "someOfTheFilesYouAreTryingToDeleteAre": - MessageLookupByLibrary.simpleMessage( - "Alguns dos ficheiros que está a tentar eliminar só estão disponíveis no seu dispositivo e não podem ser recuperados se forem eliminados"), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Alguém compartilhando álbuns com você deve ver o mesmo ID no seu dispositivo."), - "somethingWentWrong": - MessageLookupByLibrary.simpleMessage("Ocorreu um erro"), - "somethingWentWrongPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Ocorreu um erro. Tente novamente"), - "sorry": MessageLookupByLibrary.simpleMessage("Desculpe"), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Desculpe, não foi possível adicionar aos favoritos!"), - "sorryCouldNotRemoveFromFavorites": - MessageLookupByLibrary.simpleMessage( - "Desculpe, não foi possível remover dos favoritos!"), - "sorryTheCodeYouveEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "Desculpe, o código inserido está incorreto"), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Desculpe, não foi possível gerar chaves seguras neste dispositivo.\n\npor favor iniciar sessão com um dispositivo diferente."), - "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( - "Sorry, we had to pause your backups"), - "sort": MessageLookupByLibrary.simpleMessage("Ordenar"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Ordenar por"), - "sortNewestFirst": - MessageLookupByLibrary.simpleMessage("Mais recentes primeiro"), - "sortOldestFirst": - MessageLookupByLibrary.simpleMessage("Mais antigos primeiro"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Sucesso"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": - MessageLookupByLibrary.simpleMessage("Destacar si mesmo"), - "startAccountRecoveryTitle": - MessageLookupByLibrary.simpleMessage("Iniciar recuperação"), - "startBackup": - MessageLookupByLibrary.simpleMessage("Iniciar cópia de segurança"), - "status": MessageLookupByLibrary.simpleMessage("Status"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "Queres parar de fazer transmissão?"), - "stopCastingTitle": - MessageLookupByLibrary.simpleMessage("Parar transmissão"), - "storage": MessageLookupByLibrary.simpleMessage("Armazenamento"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Família"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Tu"), - "storageInGB": m93, - "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( - "Limite de armazenamento excedido"), - "storageUsageInfo": m94, - "streamDetails": - MessageLookupByLibrary.simpleMessage("Detalhes da transmissão"), - "strongStrength": MessageLookupByLibrary.simpleMessage("Forte"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Subscrever"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Você precisa de uma assinatura paga ativa para ativar o compartilhamento."), - "subscription": MessageLookupByLibrary.simpleMessage("Subscrição"), - "success": MessageLookupByLibrary.simpleMessage("Sucesso"), - "successfullyArchived": - MessageLookupByLibrary.simpleMessage("Arquivado com sucesso"), - "successfullyHid": - MessageLookupByLibrary.simpleMessage("Ocultado com sucesso"), - "successfullyUnarchived": - MessageLookupByLibrary.simpleMessage("Desarquivado com sucesso"), - "successfullyUnhid": - MessageLookupByLibrary.simpleMessage("Reexibido com sucesso"), - "suggestFeatures": - MessageLookupByLibrary.simpleMessage("Sugerir recursos"), - "sunrise": MessageLookupByLibrary.simpleMessage("No horizonte"), - "support": MessageLookupByLibrary.simpleMessage("Suporte"), - "syncProgress": m97, - "syncStopped": - MessageLookupByLibrary.simpleMessage("Sincronização interrompida"), - "syncing": MessageLookupByLibrary.simpleMessage("Sincronizando..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("Sistema"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("toque para copiar"), - "tapToEnterCode": - MessageLookupByLibrary.simpleMessage("Toque para inserir código"), - "tapToUnlock": - MessageLookupByLibrary.simpleMessage("Toque para desbloquear"), - "tapToUpload": - MessageLookupByLibrary.simpleMessage("Toque para enviar"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Parece que algo correu mal. Por favor, tente novamente mais tarde. Se o erro persistir, entre em contacto com a nossa equipa de suporte."), - "terminate": MessageLookupByLibrary.simpleMessage("Terminar"), - "terminateSession": - MessageLookupByLibrary.simpleMessage("Terminar sessão?"), - "terms": MessageLookupByLibrary.simpleMessage("Termos"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Termos"), - "thankYou": MessageLookupByLibrary.simpleMessage("Obrigado"), - "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( - "Obrigado pela sua subscrição!"), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "Não foi possível concluir o download."), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "O link que você está tentando acessar já expirou."), - "theRecoveryKeyYouEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "A chave de recuperação inserida está incorreta"), - "theme": MessageLookupByLibrary.simpleMessage("Tema"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Estes itens serão eliminados do seu dispositivo."), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "Serão eliminados de todos os álbuns."), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Esta ação não pode ser desfeita"), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "Este álbum já tem um link colaborativo"), - "thisCanBeUsedToRecoverYourAccountIfYou": - MessageLookupByLibrary.simpleMessage( - "Isto pode ser usado para recuperar sua conta se você perder seu segundo fator"), - "thisDevice": MessageLookupByLibrary.simpleMessage("Este dispositivo"), - "thisEmailIsAlreadyInUse": - MessageLookupByLibrary.simpleMessage("Este email já está em uso"), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Esta imagem não tem dados exif"), - "thisIsMeExclamation": - MessageLookupByLibrary.simpleMessage("Este é você!"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Este é o seu ID de verificação"), - "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( - "Esta semana com o passar dos anos"), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Irá desconectar a sua conta do seguinte dispositivo:"), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Irá desconectar a sua conta do seu dispositivo!"), - "thisWillMakeTheDateAndTimeOfAllSelected": - MessageLookupByLibrary.simpleMessage( - "Isso fará que a data e hora de todas as fotos selecionadas fiquem iguais."), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "Isto removerá links públicos de todos os links rápidos selecionados."), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "Para ativar o bloqueio de aplicações, configure o código de acesso do dispositivo ou o bloqueio de ecrã nas definições do sistema."), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( - "Para ocultar uma foto ou um vídeo"), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Para redefinir a sua palavra-passe, verifique primeiro o seu e-mail."), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Logs de hoje"), - "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( - "Muitas tentativas incorretas"), - "total": MessageLookupByLibrary.simpleMessage("total"), - "totalSize": MessageLookupByLibrary.simpleMessage("Tamanho total"), - "trash": MessageLookupByLibrary.simpleMessage("Lixo"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Cortar"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": - MessageLookupByLibrary.simpleMessage("Contatos confiáveis"), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Tente novamente"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Ative o backup para enviar automaticamente arquivos adicionados a esta pasta do dispositivo para o Ente."), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "2 meses grátis em planos anuais"), - "twofactor": MessageLookupByLibrary.simpleMessage("Dois fatores"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "A autenticação de dois fatores foi desativada"), - "twofactorAuthenticationPageTitle": - MessageLookupByLibrary.simpleMessage( - "Autenticação de dois fatores"), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "Autenticação de dois fatores redefinida com êxito"), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Configuração de dois fatores"), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("Desarquivar"), - "unarchiveAlbum": - MessageLookupByLibrary.simpleMessage("Desarquivar álbum"), - "unarchiving": MessageLookupByLibrary.simpleMessage("Desarquivar..."), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Desculpe, este código não está disponível."), - "uncategorized": MessageLookupByLibrary.simpleMessage("Sem categoria"), - "unhide": MessageLookupByLibrary.simpleMessage("Mostrar"), - "unhideToAlbum": - MessageLookupByLibrary.simpleMessage("Mostrar para o álbum"), - "unhiding": MessageLookupByLibrary.simpleMessage("Reexibindo..."), - "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Desocultar ficheiros para o álbum"), - "unlock": MessageLookupByLibrary.simpleMessage("Desbloquear"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("Desafixar álbum"), - "unselectAll": MessageLookupByLibrary.simpleMessage("Desmarcar tudo"), - "update": MessageLookupByLibrary.simpleMessage("Atualizar"), - "updateAvailable": - MessageLookupByLibrary.simpleMessage("Atualização disponível"), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Atualizando seleção de pasta..."), - "upgrade": MessageLookupByLibrary.simpleMessage("Atualizar"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Enviar ficheiros para o álbum..."), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": - MessageLookupByLibrary.simpleMessage("Preservar 1 memória..."), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "Até 50% de desconto, até 4 de dezembro."), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "O armazenamento disponível é limitado pelo seu plano atual. O excesso de armazenamento reivindicado tornará automaticamente útil quando você atualizar seu plano."), - "useAsCover": MessageLookupByLibrary.simpleMessage("Usar como capa"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "Enfrentando problemas ao reproduzir este vídeo? Mantenha pressionado aqui ou tente outro reprodutor de vídeo"), - "usePublicLinksForPeopleNotOnEnte": - MessageLookupByLibrary.simpleMessage( - "Usar links públicos para pessoas que não estão no Ente"), - "useRecoveryKey": - MessageLookupByLibrary.simpleMessage("Usar chave de recuperação"), - "useSelectedPhoto": - MessageLookupByLibrary.simpleMessage("Utilizar foto selecionada"), - "usedSpace": MessageLookupByLibrary.simpleMessage("Espaço utilizado"), - "validTill": m110, - "verificationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Falha na verificação, por favor tente novamente"), - "verificationId": - MessageLookupByLibrary.simpleMessage("ID de Verificação"), - "verify": MessageLookupByLibrary.simpleMessage("Verificar"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("Verificar email"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Verificar"), - "verifyPasskey": - MessageLookupByLibrary.simpleMessage("Verificar chave de acesso"), - "verifyPassword": - MessageLookupByLibrary.simpleMessage("Verificar palavra-passe"), - "verifying": MessageLookupByLibrary.simpleMessage("A verificar…"), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Verificando chave de recuperação..."), - "videoInfo": - MessageLookupByLibrary.simpleMessage("Informação de Vídeo"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("vídeo"), - "videoStreaming": - MessageLookupByLibrary.simpleMessage("Transmissão de vídeo"), - "videos": MessageLookupByLibrary.simpleMessage("Vídeos"), - "viewActiveSessions": - MessageLookupByLibrary.simpleMessage("Ver sessões ativas"), - "viewAddOnButton": MessageLookupByLibrary.simpleMessage("Ver addons"), - "viewAll": MessageLookupByLibrary.simpleMessage("Ver tudo"), - "viewAllExifData": - MessageLookupByLibrary.simpleMessage("Ver todos os dados EXIF"), - "viewLargeFiles": - MessageLookupByLibrary.simpleMessage("Ficheiros grandes"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Ver os ficheiros que estão a consumir a maior quantidade de armazenamento."), - "viewLogs": MessageLookupByLibrary.simpleMessage("Ver logs"), - "viewRecoveryKey": - MessageLookupByLibrary.simpleMessage("Ver chave de recuperação"), - "viewer": MessageLookupByLibrary.simpleMessage("Visualizador"), - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Visite web.ente.io para gerir a sua subscrição"), - "waitingForVerification": - MessageLookupByLibrary.simpleMessage("Aguardando verificação..."), - "waitingForWifi": - MessageLookupByLibrary.simpleMessage("Aguardando Wi-Fi..."), - "warning": MessageLookupByLibrary.simpleMessage("Aviso"), - "weAreOpenSource": - MessageLookupByLibrary.simpleMessage("Nós somos de código aberto!"), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "Não suportamos a edição de fotos e álbuns que ainda não possui"), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Fraca"), - "welcomeBack": - MessageLookupByLibrary.simpleMessage("Bem-vindo(a) de volta!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("O que há de novo"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "Um contato confiável pode ajudá-lo em recuperar seus dados."), - "wishThemAHappyBirthday": m115, - "yearShort": MessageLookupByLibrary.simpleMessage("ano"), - "yearly": MessageLookupByLibrary.simpleMessage("Anual"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Sim"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Sim, cancelar"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "Sim, converter para visualizador"), - "yesDelete": MessageLookupByLibrary.simpleMessage("Sim, apagar"), - "yesDiscardChanges": - MessageLookupByLibrary.simpleMessage("Sim, rejeitar alterações"), - "yesLogout": - MessageLookupByLibrary.simpleMessage("Sim, terminar sessão"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Sim, remover"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Sim, Renovar"), - "yesResetPerson": - MessageLookupByLibrary.simpleMessage("Sim, repor pessoa"), - "you": MessageLookupByLibrary.simpleMessage("Tu"), - "youAndThem": m117, - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( - "Você está em um plano familiar!"), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Está a utilizar a versão mais recente"), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Você pode duplicar seu armazenamento no máximo"), - "youCanManageYourLinksInTheShareTab": - MessageLookupByLibrary.simpleMessage( - "Pode gerir as suas ligações no separador partilhar."), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "Pode tentar pesquisar uma consulta diferente."), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "Não é possível fazer o downgrade para este plano"), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Não podes partilhar contigo mesmo"), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "Não tem nenhum item arquivado."), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": - MessageLookupByLibrary.simpleMessage("A sua conta foi eliminada"), - "yourMap": MessageLookupByLibrary.simpleMessage("Seu mapa"), - "yourPlanWasSuccessfullyDowngraded": - MessageLookupByLibrary.simpleMessage( - "O seu plano foi rebaixado com sucesso"), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "O seu plano foi atualizado com sucesso"), - "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( - "Sua compra foi realizada com sucesso"), - "yourStorageDetailsCouldNotBeFetched": - MessageLookupByLibrary.simpleMessage( - "Não foi possível obter os seus dados de armazenamento"), - "yourSubscriptionHasExpired": - MessageLookupByLibrary.simpleMessage("A sua subscrição expirou"), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "A sua subscrição foi actualizada com sucesso"), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "O seu código de verificação expirou"), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "Não existem ficheiros neste álbum que possam ser eliminados"), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( - "Diminuir o zoom para ver fotos") - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Está disponível uma nova versão do Ente.", + ), + "about": MessageLookupByLibrary.simpleMessage("Sobre"), + "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( + "Aceitar convite", + ), + "account": MessageLookupByLibrary.simpleMessage("Conta"), + "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( + "A conta já está ajustada.", + ), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( + "Bem-vindo de volta!", + ), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Eu entendo que se eu perder a minha palavra-passe, posso perder os meus dados já que esses dados são encriptados de ponta a ponta.", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage("Sessões ativas"), + "add": MessageLookupByLibrary.simpleMessage("Adicionar"), + "addAName": MessageLookupByLibrary.simpleMessage("Adiciona um nome"), + "addANewEmail": MessageLookupByLibrary.simpleMessage( + "Adicionar um novo e-mail", + ), + "addCollaborator": MessageLookupByLibrary.simpleMessage( + "Adicionar colaborador", + ), + "addFiles": MessageLookupByLibrary.simpleMessage("Adicionar arquivos"), + "addFromDevice": MessageLookupByLibrary.simpleMessage( + "Adicionar a partir do dispositivo", + ), + "addLocation": MessageLookupByLibrary.simpleMessage( + "Adicionar localização", + ), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Adicionar"), + "addMore": MessageLookupByLibrary.simpleMessage("Adicionar mais"), + "addName": MessageLookupByLibrary.simpleMessage("Adicionar pessoa"), + "addNameOrMerge": MessageLookupByLibrary.simpleMessage( + "Adicionar nome ou juntar", + ), + "addNew": MessageLookupByLibrary.simpleMessage("Adicionar novo"), + "addNewPerson": MessageLookupByLibrary.simpleMessage( + "Adicionar nova pessoa", + ), + "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( + "Detalhes dos addons", + ), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("addons"), + "addPhotos": MessageLookupByLibrary.simpleMessage("Adicionar fotos"), + "addSelected": MessageLookupByLibrary.simpleMessage( + "Adicionar selecionados", + ), + "addToAlbum": MessageLookupByLibrary.simpleMessage("Adicionar ao álbum"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Adicionar ao Ente"), + "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Adicionar a álbum oculto", + ), + "addTrustedContact": MessageLookupByLibrary.simpleMessage( + "Adicionar contato confiável", + ), + "addViewer": MessageLookupByLibrary.simpleMessage("Adicionar visualizador"), + "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( + "Adicione suas fotos agora", + ), + "addedAs": MessageLookupByLibrary.simpleMessage("Adicionado como"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": MessageLookupByLibrary.simpleMessage( + "Adicionando aos favoritos...", + ), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("Avançado"), + "advancedSettings": MessageLookupByLibrary.simpleMessage( + "Definições avançadas", + ), + "after1Day": MessageLookupByLibrary.simpleMessage("Depois de 1 dia"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Depois de 1 Hora"), + "after1Month": MessageLookupByLibrary.simpleMessage("Depois de 1 mês"), + "after1Week": MessageLookupByLibrary.simpleMessage("Depois de 1 semana"), + "after1Year": MessageLookupByLibrary.simpleMessage("Depois de 1 ano"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Dono"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Título do álbum"), + "albumUpdated": MessageLookupByLibrary.simpleMessage("Álbum atualizado"), + "albums": MessageLookupByLibrary.simpleMessage("Álbuns"), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Tudo limpo"), + "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( + "Todas as memórias preservadas", + ), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "Todos os agrupamentos para esta pessoa serão reiniciados e perderá todas as sugestões feitas para esta pessoa", + ), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "Este é o primeiro do grupo. As outras fotos selecionadas serão automaticamente alteradas para esta nova data", + ), + "allow": MessageLookupByLibrary.simpleMessage("Permitir"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Permitir que pessoas com o link também adicionem fotos ao álbum compartilhado.", + ), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( + "Permitir adicionar fotos", + ), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "Permitir aplicativo abrir links de álbum compartilhado", + ), + "allowDownloads": MessageLookupByLibrary.simpleMessage( + "Permitir downloads", + ), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Permitir que as pessoas adicionem fotos", + ), + "androidBiometricHint": MessageLookupByLibrary.simpleMessage( + "Verificar identidade", + ), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "Não reconhecido. Tente novamente.", + ), + "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( + "Biometria necessária", + ), + "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("Sucesso"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Cancelar"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage( + "Credenciais do dispositivo são necessárias", + ), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage( + "Credenciais do dispositivo necessárias", + ), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "A autenticação biométrica não está configurada no seu dispositivo. Vá a “Definições > Segurança” para adicionar a autenticação biométrica.", + ), + "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( + "Android, iOS, Web, Desktop", + ), + "androidSignInTitle": MessageLookupByLibrary.simpleMessage( + "Autenticação necessária", + ), + "appIcon": MessageLookupByLibrary.simpleMessage("Ícone do aplicativo"), + "appLock": MessageLookupByLibrary.simpleMessage("Bloqueio de app"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Escolha entre o ecrã de bloqueio predefinido do seu dispositivo e um ecrã de bloqueio personalizado com um PIN ou uma palavra-passe.", + ), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("ID da Apple"), + "apply": MessageLookupByLibrary.simpleMessage("Aplicar"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Aplicar código"), + "appstoreSubscription": MessageLookupByLibrary.simpleMessage( + "Subscrição da AppStore", + ), + "archive": MessageLookupByLibrary.simpleMessage("............"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("Arquivar álbum"), + "archiving": MessageLookupByLibrary.simpleMessage("Arquivar..."), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Tem certeza que deseja sair do plano familiar?", + ), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "Tem a certeza de que quer cancelar?", + ), + "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( + "Tem a certeza de que pretende alterar o seu plano?", + ), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "Tem certeza de que deseja sair?", + ), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Tem certeza que deseja terminar a sessão?", + ), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "Tem a certeza de que pretende renovar?", + ), + "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( + "Tens a certeza de que queres repor esta pessoa?", + ), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "A sua subscrição foi cancelada. Gostaria de partilhar o motivo?", + ), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Qual o principal motivo pelo qual está a eliminar a conta?", + ), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Peça aos seus entes queridos para partilharem", + ), + "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( + "em um abrigo avançado", + ), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Por favor, autentique-se para alterar a verificação de e-mail", + ), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Por favor, autentique-se para alterar a configuração da tela do ecrã de bloqueio", + ), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Por favor, autentique-se para alterar o seu e-mail", + ), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Por favor, autentique-se para alterar a palavra-passe", + ), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Por favor, autentique para configurar a autenticação de dois fatores", + ), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Autentique-se para iniciar a eliminação da conta", + ), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Autentique-se para gerenciar seus contatos confiáveis", + ), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Autentique-se para ver a sua chave de acesso", + ), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Por favor, autentique-se para ver as suas sessões ativas", + ), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Por favor, autentique para ver seus arquivos ocultos", + ), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Por favor, autentique-se para ver suas memórias", + ), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Por favor, autentique-se para ver a chave de recuperação", + ), + "authenticating": MessageLookupByLibrary.simpleMessage("A Autenticar..."), + "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Falha na autenticação, por favor tente novamente", + ), + "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( + "Autenticação bem sucedida!", + ), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Verá os dispositivos Cast disponíveis aqui.", + ), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Certifique-se de que as permissões de Rede local estão activadas para a aplicação Ente Photos, nas Definições.", + ), + "autoLock": MessageLookupByLibrary.simpleMessage("Bloqueio automático"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Tempo após o qual a aplicação bloqueia depois de ser colocada em segundo plano", + ), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "Devido a uma falha técnica, a sua sessão foi encerrada. Pedimos desculpas pelo incómodo.", + ), + "autoPair": MessageLookupByLibrary.simpleMessage( + "Emparelhamento automático", + ), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "O pareamento automático funciona apenas com dispositivos que suportam o Chromecast.", + ), + "available": MessageLookupByLibrary.simpleMessage("Disponível"), + "availableStorageSpace": m10, + "backedUpFolders": MessageLookupByLibrary.simpleMessage( + "Pastas com cópia de segurança", + ), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("Cópia de segurança"), + "backupFailed": MessageLookupByLibrary.simpleMessage("Backup falhou"), + "backupFile": MessageLookupByLibrary.simpleMessage( + "Copiar arquivo com segurança", + ), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Cópia de segurança através dos dados móveis", + ), + "backupSettings": MessageLookupByLibrary.simpleMessage( + "Definições da cópia de segurança", + ), + "backupStatus": MessageLookupByLibrary.simpleMessage( + "Status da cópia de segurança", + ), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Os itens que foram salvos com segurança aparecerão aqui", + ), + "backupVideos": MessageLookupByLibrary.simpleMessage( + "Cópia de segurança de vídeos", + ), + "beach": MessageLookupByLibrary.simpleMessage("Areia e o mar"), + "birthday": MessageLookupByLibrary.simpleMessage("Aniversário"), + "birthdays": MessageLookupByLibrary.simpleMessage("Birthdays"), + "blackFridaySale": MessageLookupByLibrary.simpleMessage( + "Promoção Black Friday", + ), + "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cachedData": MessageLookupByLibrary.simpleMessage("Dados em cache"), + "calculating": MessageLookupByLibrary.simpleMessage("Calcular..."), + "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( + "Não é possível fazer upload para álbuns pertencentes a outros", + ), + "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Só pode criar um link para arquivos pertencentes a você", + ), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage(""), + "cancel": MessageLookupByLibrary.simpleMessage("Cancelar"), + "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( + "Cancelar recuperação", + ), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "Deseja mesmo cancelar a recuperação de conta?", + ), + "cancelOtherSubscription": m12, + "cancelSubscription": MessageLookupByLibrary.simpleMessage( + "Cancelar subscrição", + ), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Não é possível eliminar ficheiros partilhados", + ), + "castAlbum": MessageLookupByLibrary.simpleMessage("Transferir álbum"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Certifique-se de estar na mesma rede que a TV.", + ), + "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( + "Falha ao transmitir álbum", + ), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Visite cast.ente.io no dispositivo que pretende emparelhar.\n\n\nIntroduza o código abaixo para reproduzir o álbum na sua TV.", + ), + "centerPoint": MessageLookupByLibrary.simpleMessage("Ponto central"), + "change": MessageLookupByLibrary.simpleMessage("Alterar"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Alterar e-mail"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Alterar a localização dos itens selecionados?", + ), + "changePassword": MessageLookupByLibrary.simpleMessage( + "Alterar palavra-passe", + ), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Alterar palavra-passe", + ), + "changePermissions": MessageLookupByLibrary.simpleMessage( + "Alterar permissões", + ), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Alterar o código de referência", + ), + "checkForUpdates": MessageLookupByLibrary.simpleMessage( + "Procurar atualizações", + ), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Verifique a sua caixa de entrada (e spam) para concluir a verificação", + ), + "checkStatus": MessageLookupByLibrary.simpleMessage("Verificar status"), + "checking": MessageLookupByLibrary.simpleMessage("A verificar..."), + "checkingModels": MessageLookupByLibrary.simpleMessage( + "A verificar modelos...", + ), + "city": MessageLookupByLibrary.simpleMessage("Na cidade"), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage( + "Solicitar armazenamento gratuito", + ), + "claimMore": MessageLookupByLibrary.simpleMessage("Reclamar mais!"), + "claimed": MessageLookupByLibrary.simpleMessage("Reclamado"), + "claimedStorageSoFar": m14, + "cleanUncategorized": MessageLookupByLibrary.simpleMessage( + "Limpar sem categoria", + ), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Remover todos os arquivos da Não Categorizados que estão presentes em outros álbuns", + ), + "clearCaches": MessageLookupByLibrary.simpleMessage("Limpar cache"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Limpar índices"), + "click": MessageLookupByLibrary.simpleMessage("Clique"), + "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( + "• Clique no menu adicional", + ), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Click to install our best version yet", + ), + "close": MessageLookupByLibrary.simpleMessage("Fechar"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( + "Agrupar por tempo de captura", + ), + "clubByFileName": MessageLookupByLibrary.simpleMessage( + "Agrupar pelo nome de arquivo", + ), + "clusteringProgress": MessageLookupByLibrary.simpleMessage( + "Progresso de agrupamento", + ), + "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( + "Código aplicado", + ), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Desculpe, você atingiu o limite de alterações de código.", + ), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Código copiado para área de transferência", + ), + "codeUsedByYou": MessageLookupByLibrary.simpleMessage( + "Código usado por você", + ), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Criar um link para permitir que as pessoas adicionem e visualizem fotos em seu álbum compartilhado sem precisar de um aplicativo Ente ou conta. Ótimo para coletar fotos do evento.", + ), + "collaborativeLink": MessageLookupByLibrary.simpleMessage( + "Link colaborativo", + ), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Colaborador"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Os colaboradores podem adicionar fotos e vídeos ao álbum compartilhado.", + ), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("Layout"), + "collageSaved": MessageLookupByLibrary.simpleMessage( + "Colagem guardada na galeria", + ), + "collect": MessageLookupByLibrary.simpleMessage("Recolher"), + "collectEventPhotos": MessageLookupByLibrary.simpleMessage( + "Coletar fotos do evento", + ), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Coletar fotos"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Crie um link onde seus amigos podem enviar fotos na qualidade original.", + ), + "color": MessageLookupByLibrary.simpleMessage("Cor"), + "configuration": MessageLookupByLibrary.simpleMessage("Configuração"), + "confirm": MessageLookupByLibrary.simpleMessage("Confirmar"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Tem a certeza de que pretende desativar a autenticação de dois fatores?", + ), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Confirmar eliminação de conta", + ), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Sim, pretendo apagar permanentemente esta conta e os respetivos dados em todas as aplicações.", + ), + "confirmPassword": MessageLookupByLibrary.simpleMessage( + "Confirmar palavra-passe", + ), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage( + "Confirmar alteração de plano", + ), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Confirmar chave de recuperação", + ), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Confirmar chave de recuperação", + ), + "connectToDevice": MessageLookupByLibrary.simpleMessage( + "Ligar ao dispositivo", + ), + "contactFamilyAdmin": m18, + "contactSupport": MessageLookupByLibrary.simpleMessage( + "Contactar o suporte", + ), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Contactos"), + "contents": MessageLookupByLibrary.simpleMessage("Conteúdos"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Continuar"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "Continuar em teste gratuito", + ), + "convertToAlbum": MessageLookupByLibrary.simpleMessage( + "Converter para álbum", + ), + "copyEmailAddress": MessageLookupByLibrary.simpleMessage( + "Copiar endereço de email", + ), + "copyLink": MessageLookupByLibrary.simpleMessage("Copiar link"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Copie e cole este código\nno seu aplicativo de autenticação", + ), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "Não foi possível fazer o backup de seus dados.\nTentaremos novamente mais tarde.", + ), + "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( + "Não foi possível libertar espaço", + ), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Não foi possível atualizar a subscrição", + ), + "count": MessageLookupByLibrary.simpleMessage("Contagem"), + "crashReporting": MessageLookupByLibrary.simpleMessage( + "Relatório de falhas", + ), + "create": MessageLookupByLibrary.simpleMessage("Criar"), + "createAccount": MessageLookupByLibrary.simpleMessage("Criar conta"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Pressione e segure para selecionar fotos e clique em + para criar um álbum", + ), + "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( + "Criar link colaborativo", + ), + "createCollage": MessageLookupByLibrary.simpleMessage("Criar coleção"), + "createNewAccount": MessageLookupByLibrary.simpleMessage( + "Criar nova conta", + ), + "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( + "Criar ou selecionar álbum", + ), + "createPublicLink": MessageLookupByLibrary.simpleMessage( + "Criar link público", + ), + "creatingLink": MessageLookupByLibrary.simpleMessage("Criar link..."), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "Atualização crítica disponível", + ), + "crop": MessageLookupByLibrary.simpleMessage("Recortar"), + "curatedMemories": MessageLookupByLibrary.simpleMessage("Curated memories"), + "currentUsageIs": MessageLookupByLibrary.simpleMessage("O uso atual é "), + "currentlyRunning": MessageLookupByLibrary.simpleMessage( + "Atualmente executando", + ), + "custom": MessageLookupByLibrary.simpleMessage("Personalizado"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Escuro"), + "dayToday": MessageLookupByLibrary.simpleMessage("Hoje"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Ontem"), + "declineTrustInvite": MessageLookupByLibrary.simpleMessage( + "Recusar convite", + ), + "decrypting": MessageLookupByLibrary.simpleMessage("A desencriptar…"), + "decryptingVideo": MessageLookupByLibrary.simpleMessage( + "Descriptografando vídeo...", + ), + "deduplicateFiles": MessageLookupByLibrary.simpleMessage( + "Arquivos duplicados", + ), + "delete": MessageLookupByLibrary.simpleMessage("Apagar"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Eliminar conta"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Lamentamos a sua partida. Indique-nos a razão para podermos melhorar o serviço.", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Excluir conta permanentemente", + ), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Apagar álbum"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Eliminar também as fotos (e vídeos) presentes neste álbum de all os outros álbuns de que fazem parte?", + ), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "Esta ação elimina todos os álbuns vazios. Isto é útil quando pretende reduzir a confusão na sua lista de álbuns.", + ), + "deleteAll": MessageLookupByLibrary.simpleMessage("Apagar tudo"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "Esta conta está ligada a outras aplicações Ente, se utilizar alguma. Os seus dados carregados, em todas as aplicações Ente, serão agendados para eliminação e a sua conta será permanentemente eliminada.", + ), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Envie um e-mail para accountt-deletion@ente.io a partir do seu endereço de email registrado.", + ), + "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( + "Apagar álbuns vazios", + ), + "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( + "Apagar álbuns vazios?", + ), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage("Apagar de ambos"), + "deleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Apagar do dispositivo", + ), + "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Apagar do Ente"), + "deleteItemCount": m21, + "deleteLocation": MessageLookupByLibrary.simpleMessage( + "Apagar localização", + ), + "deletePhotos": MessageLookupByLibrary.simpleMessage("Apagar fotos"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Falta uma funcionalidade-chave de que eu necessito", + ), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "O aplicativo ou um determinado recurso não se comportou como era suposto", + ), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Encontrei outro serviço de que gosto mais", + ), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "O motivo não está na lista", + ), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "O seu pedido será processado dentro de 72 horas.", + ), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Excluir álbum compartilhado?", + ), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "O álbum será apagado para todos\n\nVocê perderá o acesso a fotos compartilhadas neste álbum que são propriedade de outros", + ), + "deselectAll": MessageLookupByLibrary.simpleMessage("Desmarcar tudo"), + "designedToOutlive": MessageLookupByLibrary.simpleMessage( + "Feito para ter longevidade", + ), + "details": MessageLookupByLibrary.simpleMessage("Detalhes"), + "developerSettings": MessageLookupByLibrary.simpleMessage( + "Definições do programador", + ), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Tem a certeza de que pretende modificar as definições de programador?", + ), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage( + "Introduza o código", + ), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "Os ficheiros adicionados a este álbum de dispositivo serão automaticamente transferidos para o Ente.", + ), + "deviceLock": MessageLookupByLibrary.simpleMessage( + "Bloqueio do dispositivo", + ), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Desativar o bloqueio do ecrã do dispositivo quando o Ente estiver em primeiro plano e houver uma cópia de segurança em curso. Normalmente, isto não é necessário, mas pode ajudar a que os grandes carregamentos e as importações iniciais de grandes bibliotecas sejam concluídos mais rapidamente.", + ), + "deviceNotFound": MessageLookupByLibrary.simpleMessage( + "Dispositivo não encontrado", + ), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Você sabia?"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage( + "Desativar bloqueio automático", + ), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Visualizadores ainda podem fazer capturas de tela ou salvar uma cópia das suas fotos usando ferramentas externas", + ), + "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( + "Por favor, observe", + ), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "Desativar autenticação de dois fatores", + ), + "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( + "Desativar a autenticação de dois factores...", + ), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Descobrir"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Bebés"), + "discover_celebrations": MessageLookupByLibrary.simpleMessage( + "Comemorações", + ), + "discover_food": MessageLookupByLibrary.simpleMessage("Comida"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Vegetação"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Colinas"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Identidade"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Notas"), + "discover_pets": MessageLookupByLibrary.simpleMessage( + "Animais de estimação", + ), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Recibos"), + "discover_screenshots": MessageLookupByLibrary.simpleMessage( + "Capturas de ecrã", + ), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfies"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Pôr do sol"), + "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( + "Cartões de visita", + ), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage( + "Papéis de parede", + ), + "dismiss": MessageLookupByLibrary.simpleMessage("Rejeitar"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage( + "Não terminar a sessão", + ), + "doThisLater": MessageLookupByLibrary.simpleMessage( + "Fazer isto mais tarde", + ), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Pretende eliminar as edições que efectuou?", + ), + "done": MessageLookupByLibrary.simpleMessage("Concluído"), + "dontSave": MessageLookupByLibrary.simpleMessage("Não salvar"), + "doubleYourStorage": MessageLookupByLibrary.simpleMessage( + "Duplicar o seu armazenamento", + ), + "download": MessageLookupByLibrary.simpleMessage("Download"), + "downloadFailed": MessageLookupByLibrary.simpleMessage("Falha no download"), + "downloading": MessageLookupByLibrary.simpleMessage("A transferir..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Editar"), + "editLocation": MessageLookupByLibrary.simpleMessage("Editar localização"), + "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( + "Editar localização", + ), + "editPerson": MessageLookupByLibrary.simpleMessage("Editar pessoa"), + "editTime": MessageLookupByLibrary.simpleMessage("Editar tempo"), + "editsSaved": MessageLookupByLibrary.simpleMessage("Edição guardada"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Edições para localização só serão vistas dentro do Ente", + ), + "eligible": MessageLookupByLibrary.simpleMessage("elegível"), + "email": MessageLookupByLibrary.simpleMessage("Email"), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( + "Verificação por e-mail", + ), + "emailYourLogs": MessageLookupByLibrary.simpleMessage( + "Enviar logs por e-mail", + ), + "embracingThem": m32, + "emergencyContacts": MessageLookupByLibrary.simpleMessage( + "Contatos de emergência", + ), + "empty": MessageLookupByLibrary.simpleMessage("Esvaziar"), + "emptyTrash": MessageLookupByLibrary.simpleMessage("Esvaziar lixo?"), + "enable": MessageLookupByLibrary.simpleMessage("Ativar"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "O Ente suporta a aprendizagem automática no dispositivo para reconhecimento facial, pesquisa mágica e outras funcionalidades de pesquisa avançadas", + ), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Habilitar aprendizagem automática para pesquisa mágica e reconhecimento de rosto", + ), + "enableMaps": MessageLookupByLibrary.simpleMessage("Ativar mapas"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "Esta opção mostra as suas fotografias num mapa do mundo.\n\n\nEste mapa é alojado pelo Open Street Map e as localizações exactas das suas fotografias nunca são partilhadas.\n\n\nPode desativar esta funcionalidade em qualquer altura nas Definições.", + ), + "enabled": MessageLookupByLibrary.simpleMessage("Ativado"), + "encryptingBackup": MessageLookupByLibrary.simpleMessage( + "Criptografando backup...", + ), + "encryption": MessageLookupByLibrary.simpleMessage("Encriptação"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage( + "Chaves de encriptação", + ), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Endpoint atualizado com sucesso", + ), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Criptografia de ponta a ponta por padrão", + ), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente pode criptografar e preservar arquivos apenas se você conceder acesso a eles", + ), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente precisa de permissão para preservar suas fotos", + ), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "O Ente preserva as suas memórias, para que estejam sempre disponíveis, mesmo que perca o seu dispositivo.", + ), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Sua família também pode ser adicionada ao seu plano.", + ), + "enterAlbumName": MessageLookupByLibrary.simpleMessage( + "Introduzir nome do álbum", + ), + "enterCode": MessageLookupByLibrary.simpleMessage("Insira o código"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Introduza o código fornecido pelo seu amigo para obter armazenamento gratuito para ambos", + ), + "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( + "Aniversário (opcional)", + ), + "enterEmail": MessageLookupByLibrary.simpleMessage("Digite o e-mail"), + "enterFileName": MessageLookupByLibrary.simpleMessage( + "Inserir nome do arquivo", + ), + "enterName": MessageLookupByLibrary.simpleMessage("Inserir nome"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Inserir uma nova palavra-passe para encriptar os seus dados", + ), + "enterPassword": MessageLookupByLibrary.simpleMessage( + "Introduzir palavra-passe", + ), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Inserir uma palavra-passe para encriptar os seus dados", + ), + "enterPersonName": MessageLookupByLibrary.simpleMessage( + "Inserir nome da pessoa", + ), + "enterPin": MessageLookupByLibrary.simpleMessage("Introduzir PIN"), + "enterReferralCode": MessageLookupByLibrary.simpleMessage( + "Insira o código de referência", + ), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Introduzir o código de 6 dígitos da\nsua aplicação de autenticação", + ), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Por favor, insira um endereço de email válido.", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Insira o seu endereço de email", + ), + "enterYourPassword": MessageLookupByLibrary.simpleMessage( + "Introduza a sua palavra-passe", + ), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Insira a sua chave de recuperação", + ), + "error": MessageLookupByLibrary.simpleMessage("Erro"), + "everywhere": MessageLookupByLibrary.simpleMessage("em todo o lado"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": MessageLookupByLibrary.simpleMessage( + "Utilizador existente", + ), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Este link expirou. Por favor, selecione um novo tempo de expiração ou desabilite a expiração do link.", + ), + "exportLogs": MessageLookupByLibrary.simpleMessage("Exportar logs"), + "exportYourData": MessageLookupByLibrary.simpleMessage( + "Exportar os seus dados", + ), + "extraPhotosFound": MessageLookupByLibrary.simpleMessage( + "Fotos adicionais encontradas", + ), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Rosto não agrupado ainda, volte aqui mais tarde", + ), + "faceRecognition": MessageLookupByLibrary.simpleMessage( + "Reconhecimento facial", + ), + "faces": MessageLookupByLibrary.simpleMessage("Rostos"), + "failed": MessageLookupByLibrary.simpleMessage("Falhou"), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage( + "Falha ao aplicar código", + ), + "failedToCancel": MessageLookupByLibrary.simpleMessage( + "Falhou ao cancelar", + ), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( + "Falha ao fazer o download do vídeo", + ), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Falha ao obter sessões em atividade", + ), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Falha ao obter original para edição", + ), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Não foi possível obter detalhes de indicação. Por favor, tente novamente mais tarde.", + ), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "Falha ao carregar álbuns", + ), + "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Falha ao reproduzir multimédia", + ), + "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( + "Falha ao atualizar subscrição", + ), + "failedToRenew": MessageLookupByLibrary.simpleMessage("Falhou ao renovar"), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Falha ao verificar status do pagamento", + ), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Adicione 5 membros da família ao seu plano existente sem pagar mais.\n\n\nCada membro tem o seu próprio espaço privado e não pode ver os ficheiros dos outros, a menos que sejam partilhados.\n\n\nOs planos familiares estão disponíveis para clientes que tenham uma subscrição paga do Ente.\n\n\nSubscreva agora para começar!", + ), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Família"), + "familyPlans": MessageLookupByLibrary.simpleMessage("Planos familiares"), + "faq": MessageLookupByLibrary.simpleMessage("Perguntas Frequentes"), + "faqs": MessageLookupByLibrary.simpleMessage("Perguntas frequentes"), + "favorite": MessageLookupByLibrary.simpleMessage("Favorito"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("Opinião"), + "file": MessageLookupByLibrary.simpleMessage("Arquivo"), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Falha ao guardar o ficheiro na galeria", + ), + "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( + "Acrescente uma descrição...", + ), + "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( + "Arquivo ainda não enviado", + ), + "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Arquivo guardado na galeria", + ), + "fileTypes": MessageLookupByLibrary.simpleMessage("Tipos de arquivo"), + "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( + "Tipos de arquivo e nomes", + ), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage("Arquivos apagados"), + "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Arquivos guardados na galeria", + ), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "Encontrar pessoas rapidamente pelo nome", + ), + "findThemQuickly": MessageLookupByLibrary.simpleMessage( + "Ache-os rapidamente", + ), + "flip": MessageLookupByLibrary.simpleMessage("Inverter"), + "food": MessageLookupByLibrary.simpleMessage("Prazer em culinária"), + "forYourMemories": MessageLookupByLibrary.simpleMessage( + "para suas memórias", + ), + "forgotPassword": MessageLookupByLibrary.simpleMessage( + "Esqueceu-se da palavra-passe", + ), + "foundFaces": MessageLookupByLibrary.simpleMessage("Rostos encontrados"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( + "Armazenamento gratuito reclamado", + ), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Armazenamento livre utilizável", + ), + "freeTrial": MessageLookupByLibrary.simpleMessage("Teste grátis"), + "freeTrialValidTill": m38, + "freeUpAmount": m40, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( + "Libertar espaço no dispositivo", + ), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Poupe espaço no seu dispositivo limpando ficheiros dos quais já foi feita uma cópia de segurança.", + ), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("Libertar espaço"), + "gallery": MessageLookupByLibrary.simpleMessage("Galeria"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "Até 1000 memórias mostradas na galeria", + ), + "general": MessageLookupByLibrary.simpleMessage("Geral"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Gerando chaves de encriptação...", + ), + "genericProgress": m42, + "goToSettings": MessageLookupByLibrary.simpleMessage( + "Ir para as definições", + ), + "googlePlayId": MessageLookupByLibrary.simpleMessage("ID do Google Play"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Por favor, permita o acesso a todas as fotos nas definições do aplicativo", + ), + "grantPermission": MessageLookupByLibrary.simpleMessage( + "Conceder permissão", + ), + "greenery": MessageLookupByLibrary.simpleMessage("A vegetação verde"), + "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( + "Agrupar fotos próximas", + ), + "guestView": MessageLookupByLibrary.simpleMessage("Visão de convidado"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "Para ativar a vista de convidado, configure o código de acesso do dispositivo ou o bloqueio do ecrã nas definições do sistema.", + ), + "happyBirthday": MessageLookupByLibrary.simpleMessage("Happy birthday! 🥳"), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "Não monitorizamos as instalações de aplicações. Ajudaria se nos dissesse onde nos encontrou!", + ), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Como é que soube do Ente? (opcional)", + ), + "help": MessageLookupByLibrary.simpleMessage("Ajuda"), + "hidden": MessageLookupByLibrary.simpleMessage("Oculto"), + "hide": MessageLookupByLibrary.simpleMessage("Ocultar"), + "hideContent": MessageLookupByLibrary.simpleMessage("Ocultar conteúdo"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Oculta o conteúdo da aplicação no alternador de aplicações e desactiva as capturas de ecrã", + ), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Oculta o conteúdo da aplicação no alternador de aplicações", + ), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Ocultar itens compartilhados da galeria inicial", + ), + "hiding": MessageLookupByLibrary.simpleMessage("Ocultando..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( + "Hospedado na OSM France", + ), + "howItWorks": MessageLookupByLibrary.simpleMessage("Como funciona"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Por favor, peça-lhes para pressionar longamente o endereço de e-mail na tela de configurações e verifique se os IDs de ambos os dispositivos coincidem.", + ), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "A autenticação biométrica não está configurada no seu dispositivo. Active o Touch ID ou o Face ID no seu telemóvel.", + ), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "A autenticação biométrica está desativada. Por favor, bloqueie e desbloqueie o ecrã para ativá-la.", + ), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorar"), + "ignored": MessageLookupByLibrary.simpleMessage("ignorado"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Alguns ficheiros deste álbum não podem ser carregados porque foram anteriormente eliminados do Ente.", + ), + "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( + "Imagem não analisada", + ), + "immediately": MessageLookupByLibrary.simpleMessage("Imediatamente"), + "importing": MessageLookupByLibrary.simpleMessage("A importar..."), + "incorrectCode": MessageLookupByLibrary.simpleMessage("Código incorrecto"), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Palavra-passe incorreta", + ), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Chave de recuperação incorreta", + ), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "A chave de recuperação inserida está incorreta", + ), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Chave de recuperação incorreta", + ), + "indexedItems": MessageLookupByLibrary.simpleMessage("Itens indexados"), + "ineligible": MessageLookupByLibrary.simpleMessage("Inelegível"), + "info": MessageLookupByLibrary.simpleMessage("Info"), + "insecureDevice": MessageLookupByLibrary.simpleMessage( + "Dispositivo inseguro", + ), + "installManually": MessageLookupByLibrary.simpleMessage( + "Instalar manualmente", + ), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "Endereço de email inválido", + ), + "invalidEndpoint": MessageLookupByLibrary.simpleMessage( + "Endpoint inválido", + ), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Desculpe, o endpoint que introduziu é inválido. Introduza um ponto final válido e tente novamente.", + ), + "invalidKey": MessageLookupByLibrary.simpleMessage("Chave inválida"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "A chave de recuperação que inseriu não é válida. Por favor, certifique-se que ela contém 24 palavras e verifique a ortografia de cada uma.\n\nSe inseriu um código de recuperação mais antigo, certifique-se de que tem 64 caracteres e verifique cada um deles.", + ), + "invite": MessageLookupByLibrary.simpleMessage("Convidar"), + "inviteToEnte": MessageLookupByLibrary.simpleMessage("Convidar para Ente"), + "inviteYourFriends": MessageLookupByLibrary.simpleMessage( + "Convide os seus amigos", + ), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "Convide seus amigos para o Ente", + ), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Parece que algo correu mal. Por favor, tente novamente após algum tempo. Se o erro persistir, contacte a nossa equipa de apoio.", + ), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "Os itens mostram o número de dias restantes antes da eliminação permanente", + ), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Os itens selecionados serão removidos deste álbum", + ), + "join": MessageLookupByLibrary.simpleMessage("Unir-se"), + "joinAlbum": MessageLookupByLibrary.simpleMessage("Unir-se ao álbum"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "Unir-se ao álbum fará que seu e-mail seja visível a todos do álbum.", + ), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( + "para visualizar e adicionar suas fotos", + ), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "para adicionar isso aos álbuns compartilhados", + ), + "joinDiscord": MessageLookupByLibrary.simpleMessage("Juntar-se ao Discord"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Manter fotos"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Por favor, ajude-nos com esta informação", + ), + "language": MessageLookupByLibrary.simpleMessage("Idioma"), + "lastTimeWithThem": m45, + "lastUpdated": MessageLookupByLibrary.simpleMessage("Última atualização"), + "lastYearsTrip": MessageLookupByLibrary.simpleMessage( + "Viajem do ano passado", + ), + "leave": MessageLookupByLibrary.simpleMessage("Sair"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Sair do álbum"), + "leaveFamily": MessageLookupByLibrary.simpleMessage( + "Deixar plano famíliar", + ), + "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Sair do álbum compartilhado?", + ), + "left": MessageLookupByLibrary.simpleMessage("Esquerda"), + "legacy": MessageLookupByLibrary.simpleMessage("Legado"), + "legacyAccounts": MessageLookupByLibrary.simpleMessage("Contas legadas"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "O legado permite que contatos confiáveis acessem sua conta em sua ausência.", + ), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "Contatos confiáveis podem iniciar recuperação de conta. Se não cancelado dentro de 30 dias, redefina sua senha e acesse sua conta.", + ), + "light": MessageLookupByLibrary.simpleMessage("Claro"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Claro"), + "link": MessageLookupByLibrary.simpleMessage("Vincular"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Link copiado para a área de transferência", + ), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage( + "Limite de dispositivo", + ), + "linkEmail": MessageLookupByLibrary.simpleMessage("Vincular e-mail"), + "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( + "para compartilhar rápido", + ), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Ativado"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Expirado"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Link expirado"), + "linkHasExpired": MessageLookupByLibrary.simpleMessage("O link expirou"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Nunca"), + "linkPerson": MessageLookupByLibrary.simpleMessage("Vincular pessoa"), + "linkPersonCaption": MessageLookupByLibrary.simpleMessage( + "para melhor experiência de compartilhamento", + ), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("Fotos Em Tempo Real"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "Pode partilhar a sua subscrição com a sua família", + ), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "Mantemos 3 cópias dos seus dados, uma em um abrigo subterrâneo", + ), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "Todos os nossos aplicativos são de código aberto", + ), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Nosso código-fonte e criptografia foram auditadas externamente", + ), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "Deixar o álbum partilhado?", + ), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Nossos aplicativos móveis são executados em segundo plano para criptografar e fazer backup de quaisquer novas fotos que você clique", + ), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io tem um envio mais rápido", + ), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Nós usamos Xchacha20Poly1305 para criptografar seus dados com segurança", + ), + "loadingExifData": MessageLookupByLibrary.simpleMessage( + "Carregando dados EXIF...", + ), + "loadingGallery": MessageLookupByLibrary.simpleMessage( + "Carregando galeria...", + ), + "loadingMessage": MessageLookupByLibrary.simpleMessage( + "Carregar as suas fotos...", + ), + "loadingModel": MessageLookupByLibrary.simpleMessage( + "Transferindo modelos...", + ), + "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( + "Carregar as suas fotos...", + ), + "localGallery": MessageLookupByLibrary.simpleMessage("Galeria local"), + "localIndexing": MessageLookupByLibrary.simpleMessage("Indexação local"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Parece que algo correu mal, uma vez que a sincronização de fotografias locais está a demorar mais tempo do que o esperado. Contacte a nossa equipa de apoio", + ), + "location": MessageLookupByLibrary.simpleMessage("Localização"), + "locationName": MessageLookupByLibrary.simpleMessage("Nome da localização"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Uma etiqueta de localização agrupa todas as fotos que foram tiradas num determinado raio de uma fotografia", + ), + "locations": MessageLookupByLibrary.simpleMessage("Localizações"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Bloquear"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Ecrã de bloqueio"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Iniciar sessão"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Terminar a sessão..."), + "loginSessionExpired": MessageLookupByLibrary.simpleMessage( + "Sessão expirada", + ), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "A sua sessão expirou. Por favor, inicie sessão novamente.", + ), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Ao clicar em iniciar sessão, eu concordo com os termos de serviço e política de privacidade", + ), + "loginWithTOTP": MessageLookupByLibrary.simpleMessage( + "Iniciar sessão com TOTP", + ), + "logout": MessageLookupByLibrary.simpleMessage("Terminar sessão"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "Isto enviará os registos para nos ajudar a resolver o problema. Tenha em atenção que os nomes dos ficheiros serão incluídos para ajudar a localizar problemas com ficheiros específicos.", + ), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Pressione e segure um e-mail para verificar a criptografia de ponta a ponta.", + ), + "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( + "Pressione e segure em um item para ver em tela cheia", + ), + "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( + "Look back on your memories 🌄", + ), + "loopVideoOff": MessageLookupByLibrary.simpleMessage( + "Repetir vídeo desligado", + ), + "loopVideoOn": MessageLookupByLibrary.simpleMessage("Repetir vídeo ligado"), + "lostDevice": MessageLookupByLibrary.simpleMessage( + "Perdeu o seu dispositívo?", + ), + "machineLearning": MessageLookupByLibrary.simpleMessage( + "Aprendizagem automática", + ), + "magicSearch": MessageLookupByLibrary.simpleMessage("Pesquisa mágica"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "A pesquisa mágica permite pesquisar fotos por seu conteúdo, por exemplo, \'flor\', \'carro vermelho\', \'documentos de identidade\'", + ), + "manage": MessageLookupByLibrary.simpleMessage("Gerir"), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Reveja e limpe o armazenamento de cache local.", + ), + "manageFamily": MessageLookupByLibrary.simpleMessage("Gerir família"), + "manageLink": MessageLookupByLibrary.simpleMessage("Gerir link"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Gerir"), + "manageSubscription": MessageLookupByLibrary.simpleMessage( + "Gerir subscrição", + ), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "Emparelhar com PIN funciona com qualquer ecrã onde pretenda ver o seu álbum.", + ), + "map": MessageLookupByLibrary.simpleMessage("Mapa"), + "maps": MessageLookupByLibrary.simpleMessage("Mapas"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("Eu"), + "merchandise": MessageLookupByLibrary.simpleMessage("Produtos"), + "mergeWithExisting": MessageLookupByLibrary.simpleMessage( + "Juntar com o existente", + ), + "mergedPhotos": MessageLookupByLibrary.simpleMessage("Fotos combinadas"), + "mlConsent": MessageLookupByLibrary.simpleMessage( + "Ativar aprendizagem automática", + ), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Eu entendo, e desejo ativar a aprendizagem automática", + ), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Se ativar a aprendizagem automática, o Ente extrairá informações como a geometria do rosto de ficheiros, incluindo os partilhados consigo.\n\n\nIsto acontecerá no seu dispositivo e todas as informações biométricas geradas serão encriptadas de ponta a ponta.", + ), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Por favor, clique aqui para mais detalhes sobre este recurso na nossa política de privacidade", + ), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "Ativar aprendizagem automática?", + ), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Tenha em atenção que a aprendizagem automática resultará numa maior utilização da largura de banda e da bateria até que todos os itens sejam indexados. Considere utilizar a aplicação de ambiente de trabalho para uma indexação mais rápida, todos os resultados serão sincronizados automaticamente.", + ), + "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( + "Mobile, Web, Desktop", + ), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Moderada"), + "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( + "Modifique a sua consulta ou tente pesquisar por", + ), + "moments": MessageLookupByLibrary.simpleMessage("Momentos"), + "month": MessageLookupByLibrary.simpleMessage("mês"), + "monthly": MessageLookupByLibrary.simpleMessage("Mensal"), + "moon": MessageLookupByLibrary.simpleMessage("Na luz do luar"), + "moreDetails": MessageLookupByLibrary.simpleMessage("Mais detalhes"), + "mostRecent": MessageLookupByLibrary.simpleMessage("Mais recente"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("Mais relevante"), + "mountains": MessageLookupByLibrary.simpleMessage("Sob as montanhas"), + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "Mover fotos selecionadas para uma data", + ), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("Mover para álbum"), + "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Mover para álbum oculto", + ), + "movedSuccessfullyTo": m52, + "movedToTrash": MessageLookupByLibrary.simpleMessage("Mover para o lixo"), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Mover arquivos para o álbum...", + ), + "name": MessageLookupByLibrary.simpleMessage("Nome"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Nomear o álbum"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Não foi possível conectar ao Ente, tente novamente após algum tempo. Se o erro persistir, entre em contato com o suporte.", + ), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Não foi possível estabelecer ligação ao Ente. Verifique as definições de rede e contacte o serviço de apoio se o erro persistir.", + ), + "never": MessageLookupByLibrary.simpleMessage("Nunca"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Novo álbum"), + "newLocation": MessageLookupByLibrary.simpleMessage("Nova localização"), + "newPerson": MessageLookupByLibrary.simpleMessage("Nova pessoa"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" new 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("Novo intervalo"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Novo no Ente"), + "newest": MessageLookupByLibrary.simpleMessage("Recentes"), + "next": MessageLookupByLibrary.simpleMessage("Seguinte"), + "no": MessageLookupByLibrary.simpleMessage("Não"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Ainda não há álbuns partilhados por si", + ), + "noDeviceFound": MessageLookupByLibrary.simpleMessage( + "Nenhum dispositivo encontrado", + ), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Nenhum"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "Você não tem arquivos neste dispositivo que possam ser apagados", + ), + "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Sem duplicados"), + "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( + "Nenhuma conta Ente!", + ), + "noExifData": MessageLookupByLibrary.simpleMessage("Sem dados EXIF"), + "noFacesFound": MessageLookupByLibrary.simpleMessage( + "Nenhum rosto encontrado", + ), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "Sem fotos ou vídeos ocultos", + ), + "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( + "Nenhuma imagem com localização", + ), + "noInternetConnection": MessageLookupByLibrary.simpleMessage( + "Sem ligação à internet", + ), + "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( + "No momento não há backup de fotos sendo feito", + ), + "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( + "Nenhuma foto encontrada aqui", + ), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( + "Nenhum link rápido selecionado", + ), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Não tem chave de recuperação?", + ), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Devido à natureza do nosso protocolo de criptografia de ponta a ponta, os seus dados não podem ser descriptografados sem a sua palavra-passe ou a sua chave de recuperação", + ), + "noResults": MessageLookupByLibrary.simpleMessage("Nenhum resultado"), + "noResultsFound": MessageLookupByLibrary.simpleMessage( + "Não foram encontrados resultados", + ), + "noSuggestionsForPerson": m53, + "noSystemLockFound": MessageLookupByLibrary.simpleMessage( + "Nenhum bloqueio de sistema encontrado", + ), + "notPersonLabel": m54, + "notThisPerson": MessageLookupByLibrary.simpleMessage("Não é esta pessoa?"), + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "Ainda nada partilhado consigo", + ), + "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( + "Nada para ver aqui! 👀", + ), + "notifications": MessageLookupByLibrary.simpleMessage("Notificações"), + "ok": MessageLookupByLibrary.simpleMessage("Ok"), + "onDevice": MessageLookupByLibrary.simpleMessage("No dispositivo"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "Em ente", + ), + "onTheRoad": MessageLookupByLibrary.simpleMessage("Na estrada de novo"), + "onThisDay": MessageLookupByLibrary.simpleMessage("On this day"), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "Receive reminders about memories from this day in previous years.", + ), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Apenas eles"), + "oops": MessageLookupByLibrary.simpleMessage("Oops"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Oops, não foi possível guardar as edições", + ), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Ops, algo deu errado", + ), + "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( + "Abrir álbum no navegador", + ), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Use o aplicativo da web para adicionar fotos a este álbum", + ), + "openFile": MessageLookupByLibrary.simpleMessage("Abrir arquivo"), + "openSettings": MessageLookupByLibrary.simpleMessage("Abrir Definições"), + "openTheItem": MessageLookupByLibrary.simpleMessage("• Abra o item"), + "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( + "Contribuidores do OpenStreetMap", + ), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Opcional, o mais breve que quiser...", + ), + "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( + "Ou combinar com já existente", + ), + "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( + "Ou escolha um já existente", + ), + "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( + "ou escolher dos seus contatos", + ), + "pair": MessageLookupByLibrary.simpleMessage("Emparelhar"), + "pairWithPin": MessageLookupByLibrary.simpleMessage("Emparelhar com PIN"), + "pairingComplete": MessageLookupByLibrary.simpleMessage( + "Emparelhamento concluído", + ), + "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), + "partyWithThem": m56, + "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( + "A verificação ainda está pendente", + ), + "passkey": MessageLookupByLibrary.simpleMessage("Chave de acesso"), + "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( + "Verificação da chave de acesso", + ), + "password": MessageLookupByLibrary.simpleMessage("Palavra-passe"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Palavra-passe alterada com sucesso", + ), + "passwordLock": MessageLookupByLibrary.simpleMessage( + "Bloqueio da palavra-passe", + ), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "A força da palavra-passe é calculada tendo em conta o comprimento da palavra-passe, os caracteres utilizados e se a palavra-passe aparece ou não nas 10.000 palavras-passe mais utilizadas", + ), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Não armazenamos esta palavra-passe, se você a esquecer, não podemos desencriptar os seus dados", + ), + "paymentDetails": MessageLookupByLibrary.simpleMessage( + "Detalhes de pagamento", + ), + "paymentFailed": MessageLookupByLibrary.simpleMessage("O pagamento falhou"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "Infelizmente o seu pagamento falhou. Entre em contato com o suporte e nós ajudaremos você!", + ), + "paymentFailedTalkToProvider": m58, + "pendingItems": MessageLookupByLibrary.simpleMessage("Itens pendentes"), + "pendingSync": MessageLookupByLibrary.simpleMessage( + "Sincronização pendente", + ), + "people": MessageLookupByLibrary.simpleMessage("Pessoas"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Pessoas que utilizam seu código", + ), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Todos os itens no lixo serão permanentemente eliminados\n\n\nEsta ação não pode ser anulada", + ), + "permanentlyDelete": MessageLookupByLibrary.simpleMessage( + "Eliminar permanentemente", + ), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Apagar permanentemente do dispositivo?", + ), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("Nome da pessoa"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("Companhia de pelos"), + "photoDescriptions": MessageLookupByLibrary.simpleMessage( + "Descrições das fotos", + ), + "photoGridSize": MessageLookupByLibrary.simpleMessage( + "Tamanho da grelha de fotos", + ), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("Fotos"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "As fotos adicionadas por si serão removidas do álbum", + ), + "photosCount": m62, + "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( + "As fotos mantêm a diferença de tempo relativo", + ), + "pickCenterPoint": MessageLookupByLibrary.simpleMessage( + "Escolha o ponto central", + ), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Fixar álbum"), + "pinLock": MessageLookupByLibrary.simpleMessage("Bloqueio por PIN"), + "playOnTv": MessageLookupByLibrary.simpleMessage("Reproduzir álbum na TV"), + "playOriginal": MessageLookupByLibrary.simpleMessage("Reproduzir original"), + "playStoreFreeTrialValidTill": m63, + "playStream": MessageLookupByLibrary.simpleMessage( + "Reproduzir transmissão", + ), + "playstoreSubscription": MessageLookupByLibrary.simpleMessage( + "Subscrição da PlayStore", + ), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Por favor, verifique a sua ligação à Internet e tente novamente.", + ), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Por favor, entre em contato com support@ente.io e nós ficaremos felizes em ajudar!", + ), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Por favor, contate o suporte se o problema persistir", + ), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( + "Por favor, conceda as permissões", + ), + "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( + "Por favor, inicie sessão novamente", + ), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Selecione links rápidos para remover", + ), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Por favor, tente novamente", + ), + "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( + "Por favor, verifique se o código que você inseriu", + ), + "pleaseWait": MessageLookupByLibrary.simpleMessage( + "Por favor, aguarde ...", + ), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Por favor aguarde, apagar o álbum", + ), + "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( + "Por favor, aguarde algum tempo antes de tentar novamente", + ), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "Aguarde um pouco, isso talvez leve um tempo.", + ), + "posingWithThem": m66, + "preparingLogs": MessageLookupByLibrary.simpleMessage("Preparando logs..."), + "preserveMore": MessageLookupByLibrary.simpleMessage("Preservar mais"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Pressione e segure para reproduzir o vídeo", + ), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Pressione e segure na imagem para reproduzir o vídeo", + ), + "previous": MessageLookupByLibrary.simpleMessage("Anterior"), + "privacy": MessageLookupByLibrary.simpleMessage("Privacidade"), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "Política de privacidade", + ), + "privateBackups": MessageLookupByLibrary.simpleMessage("Backups privados"), + "privateSharing": MessageLookupByLibrary.simpleMessage("Partilha privada"), + "proceed": MessageLookupByLibrary.simpleMessage("Continuar"), + "processing": MessageLookupByLibrary.simpleMessage("Processando"), + "processingImport": m67, + "processingVideos": MessageLookupByLibrary.simpleMessage( + "Processando vídeos", + ), + "publicLinkCreated": MessageLookupByLibrary.simpleMessage( + "Link público criado", + ), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( + "Link público ativado", + ), + "queued": MessageLookupByLibrary.simpleMessage("Na fila"), + "quickLinks": MessageLookupByLibrary.simpleMessage("Links rápidos"), + "radius": MessageLookupByLibrary.simpleMessage("Raio"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Abrir ticket"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("Avaliar aplicação"), + "rateUs": MessageLookupByLibrary.simpleMessage("Avalie-nos"), + "rateUsOnStore": m68, + "reassignMe": MessageLookupByLibrary.simpleMessage("Reatribuir \"Eu\""), + "reassignedToName": m69, + "reassigningLoading": MessageLookupByLibrary.simpleMessage( + "Reatribuindo...", + ), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Receive reminders when it\'s someone\'s birthday. Tapping on the notification will take you to photos of the birthday person.", + ), + "recover": MessageLookupByLibrary.simpleMessage("Recuperar"), + "recoverAccount": MessageLookupByLibrary.simpleMessage("Recuperar conta"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Recuperar"), + "recoveryAccount": MessageLookupByLibrary.simpleMessage("Recuperar conta"), + "recoveryInitiated": MessageLookupByLibrary.simpleMessage( + "A recuperação iniciou", + ), + "recoveryInitiatedDesc": m70, + "recoveryKey": MessageLookupByLibrary.simpleMessage("Chave de recuperação"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Chave de recuperação copiada para a área de transferência", + ), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Se esquecer sua palavra-passe, a única maneira de recuperar os seus dados é com esta chave.", + ), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Não armazenamos essa chave, por favor, guarde esta chave de 24 palavras num lugar seguro.", + ), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Ótimo! A sua chave de recuperação é válida. Obrigado por verificar.\n\nLembre-se de manter cópia de segurança da sua chave de recuperação.", + ), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Chave de recuperação verificada", + ), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "A sua chave de recuperação é a única forma de recuperar as suas fotografias se se esquecer da sua palavra-passe. Pode encontrar a sua chave de recuperação em Definições > Conta.\n\n\nIntroduza aqui a sua chave de recuperação para verificar se a guardou corretamente.", + ), + "recoveryReady": m71, + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "Recuperação bem sucedida!", + ), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "Um contato confiável está tentando acessar sua conta", + ), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "O dispositivo atual não é suficientemente poderoso para verificar a palavra-passe, mas podemos regenerar novamente de uma maneira que funcione no seu dispositivo.\n\nPor favor, iniciar sessão utilizando código de recuperação e gerar novamente a sua palavra-passe (pode utilizar a mesma se quiser).", + ), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Recriar palavra-passe", + ), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": MessageLookupByLibrary.simpleMessage( + "Insira novamente a palavra-passe", + ), + "reenterPin": MessageLookupByLibrary.simpleMessage("Inserir PIN novamente"), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Recomende amigos e duplique o seu plano", + ), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Envie este código aos seus amigos", + ), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Eles se inscrevem em um plano pago", + ), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Referências"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "As referências estão atualmente em pausa", + ), + "rejectRecovery": MessageLookupByLibrary.simpleMessage( + "Rejeitar recuperação", + ), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "Esvazie também a opção “Eliminados recentemente” em “Definições” -> “Armazenamento” para reclamar o espaço libertado", + ), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Esvazie também o seu “Lixo” para reivindicar o espaço libertado", + ), + "remoteImages": MessageLookupByLibrary.simpleMessage("Imagens remotas"), + "remoteThumbnails": MessageLookupByLibrary.simpleMessage( + "Miniaturas remotas", + ), + "remoteVideos": MessageLookupByLibrary.simpleMessage("Vídeos remotos"), + "remove": MessageLookupByLibrary.simpleMessage("Remover"), + "removeDuplicates": MessageLookupByLibrary.simpleMessage( + "Remover duplicados", + ), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Rever e remover ficheiros que sejam duplicados exatos.", + ), + "removeFromAlbum": MessageLookupByLibrary.simpleMessage("Remover do álbum"), + "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( + "Remover do álbum", + ), + "removeFromFavorite": MessageLookupByLibrary.simpleMessage( + "Remover dos favoritos", + ), + "removeInvite": MessageLookupByLibrary.simpleMessage("Remover convite"), + "removeLink": MessageLookupByLibrary.simpleMessage("Remover link"), + "removeParticipant": MessageLookupByLibrary.simpleMessage( + "Remover participante", + ), + "removeParticipantBody": m74, + "removePersonLabel": MessageLookupByLibrary.simpleMessage( + "Remover etiqueta da pessoa", + ), + "removePublicLink": MessageLookupByLibrary.simpleMessage( + "Remover link público", + ), + "removePublicLinks": MessageLookupByLibrary.simpleMessage( + "Remover link público", + ), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Alguns dos itens que você está removendo foram adicionados por outras pessoas, e você perderá o acesso a eles", + ), + "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Remover?"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Remover si mesmo dos contatos confiáveis", + ), + "removingFromFavorites": MessageLookupByLibrary.simpleMessage( + "Removendo dos favoritos...", + ), + "rename": MessageLookupByLibrary.simpleMessage("Renomear"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("Renomear álbum"), + "renameFile": MessageLookupByLibrary.simpleMessage("Renomear arquivo"), + "renewSubscription": MessageLookupByLibrary.simpleMessage( + "Renovar subscrição", + ), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Reporte um bug"), + "reportBug": MessageLookupByLibrary.simpleMessage("Reportar bug"), + "resendEmail": MessageLookupByLibrary.simpleMessage("Reenviar e-mail"), + "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( + "Repor ficheiros ignorados", + ), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Redefinir palavra-passe", + ), + "resetPerson": MessageLookupByLibrary.simpleMessage("Remover"), + "resetToDefault": MessageLookupByLibrary.simpleMessage( + "Redefinir para o padrão", + ), + "restore": MessageLookupByLibrary.simpleMessage("Restaurar"), + "restoreToAlbum": MessageLookupByLibrary.simpleMessage( + "Restaurar para álbum", + ), + "restoringFiles": MessageLookupByLibrary.simpleMessage( + "Restaurar arquivos...", + ), + "resumableUploads": MessageLookupByLibrary.simpleMessage( + "Uploads reenviados", + ), + "retry": MessageLookupByLibrary.simpleMessage("Tentar novamente"), + "review": MessageLookupByLibrary.simpleMessage("Rever"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Reveja e elimine os itens que considera serem duplicados.", + ), + "reviewSuggestions": MessageLookupByLibrary.simpleMessage( + "Revisar sugestões", + ), + "right": MessageLookupByLibrary.simpleMessage("Direita"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("Rodar"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Rodar para a esquerda"), + "rotateRight": MessageLookupByLibrary.simpleMessage("Rodar para a direita"), + "safelyStored": MessageLookupByLibrary.simpleMessage( + "Armazenado com segurança", + ), + "save": MessageLookupByLibrary.simpleMessage("Guardar"), + "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( + "Salvar mudanças antes de sair?", + ), + "saveCollage": MessageLookupByLibrary.simpleMessage("Guardar colagem"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Guardar cópia"), + "saveKey": MessageLookupByLibrary.simpleMessage("Guardar chave"), + "savePerson": MessageLookupByLibrary.simpleMessage("Guardar pessoa"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Guarde a sua chave de recuperação, caso ainda não o tenha feito", + ), + "saving": MessageLookupByLibrary.simpleMessage("A gravar..."), + "savingEdits": MessageLookupByLibrary.simpleMessage("Gravando edições..."), + "scanCode": MessageLookupByLibrary.simpleMessage("Ler código Qr"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Leia este código com a sua aplicação dois fatores.", + ), + "search": MessageLookupByLibrary.simpleMessage("Pesquisar"), + "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Álbuns"), + "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage( + "Nome do álbum", + ), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Nomes de álbuns (ex: \"Câmera\")\n• Tipos de arquivos (ex.: \"Vídeos\", \".gif\")\n• Anos e meses (e.. \"2022\", \"Janeiro\")\n• Feriados (por exemplo, \"Natal\")\n• Descrições de fotos (por exemplo, \"#divertido\")", + ), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Adicione descrições como \"#trip\" nas informações das fotos para encontrá-las aqui rapidamente", + ), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Pesquisar por data, mês ou ano", + ), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "As pessoas serão mostradas aqui quando a indexação estiver concluída", + ), + "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( + "Tipos de arquivo e nomes", + ), + "searchHint1": MessageLookupByLibrary.simpleMessage( + "Pesquisa rápida no dispositivo", + ), + "searchHint2": MessageLookupByLibrary.simpleMessage( + "Datas das fotos, descrições", + ), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "Álbuns, nomes de arquivos e tipos", + ), + "searchHint4": MessageLookupByLibrary.simpleMessage("Local"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "Em breve: Rostos e pesquisa mágica ✨", + ), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Fotos de grupo que estão sendo tiradas em algum raio da foto", + ), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "Convide pessoas e verá todas as fotos partilhadas por elas aqui", + ), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Segurança"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "Ver links de álbum compartilhado no aplicativo", + ), + "selectALocation": MessageLookupByLibrary.simpleMessage( + "Selecione uma localização", + ), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage( + "Selecione uma localização primeiro", + ), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Selecionar álbum"), + "selectAll": MessageLookupByLibrary.simpleMessage("Selecionar tudo"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("Tudo"), + "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( + "Selecionar foto da capa", + ), + "selectDate": MessageLookupByLibrary.simpleMessage("Selecionar data"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Selecionar pastas para cópia de segurança", + ), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "Selecionar itens para adicionar", + ), + "selectLanguage": MessageLookupByLibrary.simpleMessage("Selecionar Idioma"), + "selectMailApp": MessageLookupByLibrary.simpleMessage( + "Selecionar aplicativo de e-mail", + ), + "selectMorePhotos": MessageLookupByLibrary.simpleMessage( + "Selecionar mais fotos", + ), + "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( + "Selecionar data e hora", + ), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "Selecione uma data e hora para todos", + ), + "selectPersonToLink": MessageLookupByLibrary.simpleMessage( + "Selecione a pessoa para vincular", + ), + "selectReason": MessageLookupByLibrary.simpleMessage("Selecionar motivo"), + "selectStartOfRange": MessageLookupByLibrary.simpleMessage( + "Selecionar início de intervalo", + ), + "selectTime": MessageLookupByLibrary.simpleMessage("Selecionar tempo"), + "selectYourFace": MessageLookupByLibrary.simpleMessage( + "Selecione seu rosto", + ), + "selectYourPlan": MessageLookupByLibrary.simpleMessage( + "Selecione o seu plano", + ), + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Os arquivos selecionados não estão no Ente", + ), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "As pastas selecionadas serão encriptadas e guardadas como cópia de segurança", + ), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Os itens selecionados serão eliminados de todos os álbuns e movidos para o lixo.", + ), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "Os itens selecionados serão removidos desta pessoa, entretanto não serão excluídos da sua biblioteca.", + ), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("Enviar"), + "sendEmail": MessageLookupByLibrary.simpleMessage("Enviar email"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Enviar convite"), + "sendLink": MessageLookupByLibrary.simpleMessage("Enviar link"), + "serverEndpoint": MessageLookupByLibrary.simpleMessage( + "Endpoint do servidor", + ), + "sessionExpired": MessageLookupByLibrary.simpleMessage("Sessão expirada"), + "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( + "Incompatibilidade de ID de sessão", + ), + "setAPassword": MessageLookupByLibrary.simpleMessage( + "Definir uma palavra-passe", + ), + "setAs": MessageLookupByLibrary.simpleMessage("Definir como"), + "setCover": MessageLookupByLibrary.simpleMessage("Definir capa"), + "setLabel": MessageLookupByLibrary.simpleMessage("Definir"), + "setNewPassword": MessageLookupByLibrary.simpleMessage( + "Definir nova palavra-passe", + ), + "setNewPin": MessageLookupByLibrary.simpleMessage("Definir novo PIN"), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Definir palavra-passe", + ), + "setRadius": MessageLookupByLibrary.simpleMessage("Definir raio"), + "setupComplete": MessageLookupByLibrary.simpleMessage( + "Configuração concluída", + ), + "share": MessageLookupByLibrary.simpleMessage("Partilhar"), + "shareALink": MessageLookupByLibrary.simpleMessage("Partilhar um link"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Abra um álbum e toque no botão de partilha no canto superior direito para partilhar", + ), + "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( + "Partilhar um álbum", + ), + "shareLink": MessageLookupByLibrary.simpleMessage("Partilhar link"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Partilhar apenas com as pessoas que deseja", + ), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Descarregue o Ente para poder partilhar facilmente fotografias e vídeos de qualidade original\n\n\nhttps://ente.io", + ), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Compartilhar com usuários que não usam Ente", + ), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( + "Partilhe o seu primeiro álbum", + ), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Criar álbuns compartilhados e colaborativos com outros usuários da Ente, incluindo usuários em planos gratuitos.", + ), + "sharedByMe": MessageLookupByLibrary.simpleMessage("Partilhado por mim"), + "sharedByYou": MessageLookupByLibrary.simpleMessage("Partilhado por si"), + "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( + "Novas fotos partilhadas", + ), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Receber notificações quando alguém adiciona uma foto a um álbum partilhado do qual faz parte", + ), + "sharedWith": m87, + "sharedWithMe": MessageLookupByLibrary.simpleMessage("Partilhado comigo"), + "sharedWithYou": MessageLookupByLibrary.simpleMessage("Partilhado consigo"), + "sharing": MessageLookupByLibrary.simpleMessage("Partilhar..."), + "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( + "Alterar as datas e horas", + ), + "showMemories": MessageLookupByLibrary.simpleMessage("Mostrar memórias"), + "showPerson": MessageLookupByLibrary.simpleMessage("Mostrar pessoa"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "Terminar sessão noutros dispositivos", + ), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Se pensa que alguém pode saber a sua palavra-passe, pode forçar todos os outros dispositivos que utilizam a sua conta a terminar a sessão.", + ), + "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( + "Terminar a sessão noutros dispositivos", + ), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Eu concordo com os termos de serviço e política de privacidade", + ), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Será eliminado de todos os álbuns.", + ), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Pular"), + "social": MessageLookupByLibrary.simpleMessage("Social"), + "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( + "Alguns itens estão tanto no Ente como no seu dispositivo.", + ), + "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( + "Alguns dos ficheiros que está a tentar eliminar só estão disponíveis no seu dispositivo e não podem ser recuperados se forem eliminados", + ), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Alguém compartilhando álbuns com você deve ver o mesmo ID no seu dispositivo.", + ), + "somethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Ocorreu um erro", + ), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Ocorreu um erro. Tente novamente", + ), + "sorry": MessageLookupByLibrary.simpleMessage("Desculpe"), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Desculpe, não foi possível adicionar aos favoritos!", + ), + "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( + "Desculpe, não foi possível remover dos favoritos!", + ), + "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "Desculpe, o código inserido está incorreto", + ), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Desculpe, não foi possível gerar chaves seguras neste dispositivo.\n\npor favor iniciar sessão com um dispositivo diferente.", + ), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Sorry, we had to pause your backups", + ), + "sort": MessageLookupByLibrary.simpleMessage("Ordenar"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Ordenar por"), + "sortNewestFirst": MessageLookupByLibrary.simpleMessage( + "Mais recentes primeiro", + ), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage( + "Mais antigos primeiro", + ), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Sucesso"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": MessageLookupByLibrary.simpleMessage( + "Destacar si mesmo", + ), + "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( + "Iniciar recuperação", + ), + "startBackup": MessageLookupByLibrary.simpleMessage( + "Iniciar cópia de segurança", + ), + "status": MessageLookupByLibrary.simpleMessage("Status"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "Queres parar de fazer transmissão?", + ), + "stopCastingTitle": MessageLookupByLibrary.simpleMessage( + "Parar transmissão", + ), + "storage": MessageLookupByLibrary.simpleMessage("Armazenamento"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Família"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Tu"), + "storageInGB": m93, + "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( + "Limite de armazenamento excedido", + ), + "storageUsageInfo": m94, + "streamDetails": MessageLookupByLibrary.simpleMessage( + "Detalhes da transmissão", + ), + "strongStrength": MessageLookupByLibrary.simpleMessage("Forte"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Subscrever"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Você precisa de uma assinatura paga ativa para ativar o compartilhamento.", + ), + "subscription": MessageLookupByLibrary.simpleMessage("Subscrição"), + "success": MessageLookupByLibrary.simpleMessage("Sucesso"), + "successfullyArchived": MessageLookupByLibrary.simpleMessage( + "Arquivado com sucesso", + ), + "successfullyHid": MessageLookupByLibrary.simpleMessage( + "Ocultado com sucesso", + ), + "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( + "Desarquivado com sucesso", + ), + "successfullyUnhid": MessageLookupByLibrary.simpleMessage( + "Reexibido com sucesso", + ), + "suggestFeatures": MessageLookupByLibrary.simpleMessage("Sugerir recursos"), + "sunrise": MessageLookupByLibrary.simpleMessage("No horizonte"), + "support": MessageLookupByLibrary.simpleMessage("Suporte"), + "syncProgress": m97, + "syncStopped": MessageLookupByLibrary.simpleMessage( + "Sincronização interrompida", + ), + "syncing": MessageLookupByLibrary.simpleMessage("Sincronizando..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("Sistema"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("toque para copiar"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage( + "Toque para inserir código", + ), + "tapToUnlock": MessageLookupByLibrary.simpleMessage( + "Toque para desbloquear", + ), + "tapToUpload": MessageLookupByLibrary.simpleMessage("Toque para enviar"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Parece que algo correu mal. Por favor, tente novamente mais tarde. Se o erro persistir, entre em contacto com a nossa equipa de suporte.", + ), + "terminate": MessageLookupByLibrary.simpleMessage("Terminar"), + "terminateSession": MessageLookupByLibrary.simpleMessage( + "Terminar sessão?", + ), + "terms": MessageLookupByLibrary.simpleMessage("Termos"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Termos"), + "thankYou": MessageLookupByLibrary.simpleMessage("Obrigado"), + "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( + "Obrigado pela sua subscrição!", + ), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "Não foi possível concluir o download.", + ), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "O link que você está tentando acessar já expirou.", + ), + "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "A chave de recuperação inserida está incorreta", + ), + "theme": MessageLookupByLibrary.simpleMessage("Tema"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Estes itens serão eliminados do seu dispositivo.", + ), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "Serão eliminados de todos os álbuns.", + ), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Esta ação não pode ser desfeita", + ), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "Este álbum já tem um link colaborativo", + ), + "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( + "Isto pode ser usado para recuperar sua conta se você perder seu segundo fator", + ), + "thisDevice": MessageLookupByLibrary.simpleMessage("Este dispositivo"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "Este email já está em uso", + ), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Esta imagem não tem dados exif", + ), + "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("Este é você!"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Este é o seu ID de verificação", + ), + "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( + "Esta semana com o passar dos anos", + ), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Irá desconectar a sua conta do seguinte dispositivo:", + ), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Irá desconectar a sua conta do seu dispositivo!", + ), + "thisWillMakeTheDateAndTimeOfAllSelected": MessageLookupByLibrary.simpleMessage( + "Isso fará que a data e hora de todas as fotos selecionadas fiquem iguais.", + ), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "Isto removerá links públicos de todos os links rápidos selecionados.", + ), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "Para ativar o bloqueio de aplicações, configure o código de acesso do dispositivo ou o bloqueio de ecrã nas definições do sistema.", + ), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( + "Para ocultar uma foto ou um vídeo", + ), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Para redefinir a sua palavra-passe, verifique primeiro o seu e-mail.", + ), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Logs de hoje"), + "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( + "Muitas tentativas incorretas", + ), + "total": MessageLookupByLibrary.simpleMessage("total"), + "totalSize": MessageLookupByLibrary.simpleMessage("Tamanho total"), + "trash": MessageLookupByLibrary.simpleMessage("Lixo"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Cortar"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": MessageLookupByLibrary.simpleMessage( + "Contatos confiáveis", + ), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Tente novamente"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Ative o backup para enviar automaticamente arquivos adicionados a esta pasta do dispositivo para o Ente.", + ), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "2 meses grátis em planos anuais", + ), + "twofactor": MessageLookupByLibrary.simpleMessage("Dois fatores"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "A autenticação de dois fatores foi desativada", + ), + "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( + "Autenticação de dois fatores", + ), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "Autenticação de dois fatores redefinida com êxito", + ), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Configuração de dois fatores", + ), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("Desarquivar"), + "unarchiveAlbum": MessageLookupByLibrary.simpleMessage("Desarquivar álbum"), + "unarchiving": MessageLookupByLibrary.simpleMessage("Desarquivar..."), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Desculpe, este código não está disponível.", + ), + "uncategorized": MessageLookupByLibrary.simpleMessage("Sem categoria"), + "unhide": MessageLookupByLibrary.simpleMessage("Mostrar"), + "unhideToAlbum": MessageLookupByLibrary.simpleMessage( + "Mostrar para o álbum", + ), + "unhiding": MessageLookupByLibrary.simpleMessage("Reexibindo..."), + "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Desocultar ficheiros para o álbum", + ), + "unlock": MessageLookupByLibrary.simpleMessage("Desbloquear"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("Desafixar álbum"), + "unselectAll": MessageLookupByLibrary.simpleMessage("Desmarcar tudo"), + "update": MessageLookupByLibrary.simpleMessage("Atualizar"), + "updateAvailable": MessageLookupByLibrary.simpleMessage( + "Atualização disponível", + ), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Atualizando seleção de pasta...", + ), + "upgrade": MessageLookupByLibrary.simpleMessage("Atualizar"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Enviar ficheiros para o álbum...", + ), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( + "Preservar 1 memória...", + ), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "Até 50% de desconto, até 4 de dezembro.", + ), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "O armazenamento disponível é limitado pelo seu plano atual. O excesso de armazenamento reivindicado tornará automaticamente útil quando você atualizar seu plano.", + ), + "useAsCover": MessageLookupByLibrary.simpleMessage("Usar como capa"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "Enfrentando problemas ao reproduzir este vídeo? Mantenha pressionado aqui ou tente outro reprodutor de vídeo", + ), + "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Usar links públicos para pessoas que não estão no Ente", + ), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Usar chave de recuperação", + ), + "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( + "Utilizar foto selecionada", + ), + "usedSpace": MessageLookupByLibrary.simpleMessage("Espaço utilizado"), + "validTill": m110, + "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Falha na verificação, por favor tente novamente", + ), + "verificationId": MessageLookupByLibrary.simpleMessage("ID de Verificação"), + "verify": MessageLookupByLibrary.simpleMessage("Verificar"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("Verificar email"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Verificar"), + "verifyPasskey": MessageLookupByLibrary.simpleMessage( + "Verificar chave de acesso", + ), + "verifyPassword": MessageLookupByLibrary.simpleMessage( + "Verificar palavra-passe", + ), + "verifying": MessageLookupByLibrary.simpleMessage("A verificar…"), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Verificando chave de recuperação...", + ), + "videoInfo": MessageLookupByLibrary.simpleMessage("Informação de Vídeo"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("vídeo"), + "videoStreaming": MessageLookupByLibrary.simpleMessage( + "Transmissão de vídeo", + ), + "videos": MessageLookupByLibrary.simpleMessage("Vídeos"), + "viewActiveSessions": MessageLookupByLibrary.simpleMessage( + "Ver sessões ativas", + ), + "viewAddOnButton": MessageLookupByLibrary.simpleMessage("Ver addons"), + "viewAll": MessageLookupByLibrary.simpleMessage("Ver tudo"), + "viewAllExifData": MessageLookupByLibrary.simpleMessage( + "Ver todos os dados EXIF", + ), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Ficheiros grandes"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Ver os ficheiros que estão a consumir a maior quantidade de armazenamento.", + ), + "viewLogs": MessageLookupByLibrary.simpleMessage("Ver logs"), + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Ver chave de recuperação", + ), + "viewer": MessageLookupByLibrary.simpleMessage("Visualizador"), + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Visite web.ente.io para gerir a sua subscrição", + ), + "waitingForVerification": MessageLookupByLibrary.simpleMessage( + "Aguardando verificação...", + ), + "waitingForWifi": MessageLookupByLibrary.simpleMessage( + "Aguardando Wi-Fi...", + ), + "warning": MessageLookupByLibrary.simpleMessage("Aviso"), + "weAreOpenSource": MessageLookupByLibrary.simpleMessage( + "Nós somos de código aberto!", + ), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "Não suportamos a edição de fotos e álbuns que ainda não possui", + ), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Fraca"), + "welcomeBack": MessageLookupByLibrary.simpleMessage( + "Bem-vindo(a) de volta!", + ), + "whatsNew": MessageLookupByLibrary.simpleMessage("O que há de novo"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "Um contato confiável pode ajudá-lo em recuperar seus dados.", + ), + "wishThemAHappyBirthday": m115, + "yearShort": MessageLookupByLibrary.simpleMessage("ano"), + "yearly": MessageLookupByLibrary.simpleMessage("Anual"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Sim"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Sim, cancelar"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "Sim, converter para visualizador", + ), + "yesDelete": MessageLookupByLibrary.simpleMessage("Sim, apagar"), + "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( + "Sim, rejeitar alterações", + ), + "yesLogout": MessageLookupByLibrary.simpleMessage("Sim, terminar sessão"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Sim, remover"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Sim, Renovar"), + "yesResetPerson": MessageLookupByLibrary.simpleMessage("Sim, repor pessoa"), + "you": MessageLookupByLibrary.simpleMessage("Tu"), + "youAndThem": m117, + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( + "Você está em um plano familiar!", + ), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Está a utilizar a versão mais recente", + ), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Você pode duplicar seu armazenamento no máximo", + ), + "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( + "Pode gerir as suas ligações no separador partilhar.", + ), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "Pode tentar pesquisar uma consulta diferente.", + ), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "Não é possível fazer o downgrade para este plano", + ), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Não podes partilhar contigo mesmo", + ), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "Não tem nenhum item arquivado.", + ), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "A sua conta foi eliminada", + ), + "yourMap": MessageLookupByLibrary.simpleMessage("Seu mapa"), + "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( + "O seu plano foi rebaixado com sucesso", + ), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "O seu plano foi atualizado com sucesso", + ), + "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( + "Sua compra foi realizada com sucesso", + ), + "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( + "Não foi possível obter os seus dados de armazenamento", + ), + "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( + "A sua subscrição expirou", + ), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "A sua subscrição foi actualizada com sucesso", + ), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "O seu código de verificação expirou", + ), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "Não existem ficheiros neste álbum que possam ser eliminados", + ), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( + "Diminuir o zoom para ver fotos", + ), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_pt_BR.dart b/mobile/apps/photos/lib/generated/intl/messages_pt_BR.dart index 0b2505fff2..b42b262ab1 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_pt_BR.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_pt_BR.dart @@ -57,11 +57,7 @@ class MessageLookup extends MessageLookupByLibrary { "${user} Não poderá adicionar mais fotos a este álbum\n\nEles ainda conseguirão remover fotos existentes adicionadas por eles"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, { - 'true': 'Sua família reinvidicou ${storageAmountInGb} GB até então', - 'false': 'Você reinvindicou ${storageAmountInGb} GB até então', - 'other': 'Você reinvindicou ${storageAmountInGb} GB até então!', - })}"; + "${Intl.select(isFamilyMember, {'true': 'Sua família reinvidicou ${storageAmountInGb} GB até então', 'false': 'Você reinvindicou ${storageAmountInGb} GB até então', 'other': 'Você reinvindicou ${storageAmountInGb} GB até então!'})}"; static String m15(albumName) => "Link colaborativo criado para ${albumName}"; @@ -263,7 +259,11 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => + usedAmount, + usedStorageUnit, + totalAmount, + totalStorageUnit, + ) => "${usedAmount} ${usedStorageUnit} de ${totalAmount} ${totalStorageUnit} usado"; static String m95(id) => @@ -328,2005 +328,2527 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Uma nova versão do Ente está disponível."), - "about": MessageLookupByLibrary.simpleMessage("Sobre"), - "acceptTrustInvite": - MessageLookupByLibrary.simpleMessage("Aceitar convite"), - "account": MessageLookupByLibrary.simpleMessage("Conta"), - "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( - "A conta já está configurada."), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("Bem-vindo(a) de volta!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Eu entendo que se eu perder minha senha, posso perder meus dados, já que meus dados são criptografados de ponta a ponta."), - "actionNotSupportedOnFavouritesAlbum": - MessageLookupByLibrary.simpleMessage( - "Ação não suportada em álbum favorito"), - "activeSessions": - MessageLookupByLibrary.simpleMessage("Sessões ativas"), - "add": MessageLookupByLibrary.simpleMessage("Adicionar"), - "addAName": MessageLookupByLibrary.simpleMessage("Adicione um nome"), - "addANewEmail": - MessageLookupByLibrary.simpleMessage("Adicionar um novo e-mail"), - "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Adicione um widget de álbum a sua tela inicial e volte aqui para personalizar."), - "addCollaborator": - MessageLookupByLibrary.simpleMessage("Adicionar colaborador"), - "addCollaborators": m1, - "addFiles": MessageLookupByLibrary.simpleMessage("Adicionar arquivos"), - "addFromDevice": - MessageLookupByLibrary.simpleMessage("Adicionar do dispositivo"), - "addItem": m2, - "addLocation": - MessageLookupByLibrary.simpleMessage("Adicionar localização"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Adicionar"), - "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Adicione um widget de memória a sua tela inicial e volte aqui para personalizar."), - "addMore": MessageLookupByLibrary.simpleMessage("Adicionar mais"), - "addName": MessageLookupByLibrary.simpleMessage("Adicionar pessoa"), - "addNameOrMerge": - MessageLookupByLibrary.simpleMessage("Adicionar nome ou juntar"), - "addNew": MessageLookupByLibrary.simpleMessage("Adicionar novo"), - "addNewPerson": - MessageLookupByLibrary.simpleMessage("Adicionar nova pessoa"), - "addOnPageSubtitle": - MessageLookupByLibrary.simpleMessage("Detalhes dos complementos"), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("Complementos"), - "addParticipants": - MessageLookupByLibrary.simpleMessage("Adicionar participante"), - "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Adicione um widget de pessoas a sua tela inicial e volte aqui para personalizar."), - "addPhotos": MessageLookupByLibrary.simpleMessage("Adicionar fotos"), - "addSelected": - MessageLookupByLibrary.simpleMessage("Adicionar selecionado"), - "addToAlbum": - MessageLookupByLibrary.simpleMessage("Adicionar ao álbum"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Adicionar ao Ente"), - "addToHiddenAlbum": - MessageLookupByLibrary.simpleMessage("Adicionar ao álbum oculto"), - "addTrustedContact": - MessageLookupByLibrary.simpleMessage("Adicionar contato confiável"), - "addViewer": - MessageLookupByLibrary.simpleMessage("Adicionar visualizador"), - "addViewers": m4, - "addYourPhotosNow": - MessageLookupByLibrary.simpleMessage("Adicione suas fotos agora"), - "addedAs": MessageLookupByLibrary.simpleMessage("Adicionado como"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": MessageLookupByLibrary.simpleMessage( - "Adicionando aos favoritos..."), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("Avançado"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Avançado"), - "after1Day": MessageLookupByLibrary.simpleMessage("Após 1 dia"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Após 1 hora"), - "after1Month": MessageLookupByLibrary.simpleMessage("Após 1 mês"), - "after1Week": MessageLookupByLibrary.simpleMessage("Após 1 semana"), - "after1Year": MessageLookupByLibrary.simpleMessage("Após 1 ano"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Proprietário"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Título do álbum"), - "albumUpdated": - MessageLookupByLibrary.simpleMessage("Álbum atualizado"), - "albums": MessageLookupByLibrary.simpleMessage("Álbuns"), - "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Selecione os álbuns que deseje vê-los na sua tela inicial."), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Tudo limpo"), - "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( - "Todas as memórias preservadas"), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "Todos os agrupamentos dessa pessoa serão redefinidos, e você perderá todas as sugestões feitas por essa pessoa."), - "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": - MessageLookupByLibrary.simpleMessage( - "Todos os grupos sem nome serão mesclados numa pessoa selecionada. Isso ainda pode ser desfeito no histórico de sugestões da pessoa."), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "Este é o primeiro do grupo. As outras fotos selecionadas serão automaticamente alteradas para esta nova data"), - "allow": MessageLookupByLibrary.simpleMessage("Permitir"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Permitir que as pessoas com link também adicionem fotos ao álbum compartilhado."), - "allowAddingPhotos": - MessageLookupByLibrary.simpleMessage("Permitir adicionar fotos"), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "Permitir aplicativo abrir links de álbum compartilhado"), - "allowDownloads": - MessageLookupByLibrary.simpleMessage("Permitir downloads"), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Permitir que pessoas adicionem fotos"), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Permita o acesso a suas fotos nas Opções para que Ente exiba e salva em segurança sua fototeca."), - "allowPermTitle": - MessageLookupByLibrary.simpleMessage("Permita acesso às Fotos"), - "androidBiometricHint": - MessageLookupByLibrary.simpleMessage("Verificar identidade"), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "Não reconhecido. Tente novamente."), - "androidBiometricRequiredTitle": - MessageLookupByLibrary.simpleMessage("Biométrica necessária"), - "androidBiometricSuccess": - MessageLookupByLibrary.simpleMessage("Sucesso"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Cancelar"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage("Credenciais necessários"), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage("Credenciais necessários"), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "A autenticação biométrica não está definida no dispositivo. Vá em \'Opções > Segurança\' para adicionar a autenticação biométrica."), - "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( - "Android, iOS, Web, Computador"), - "androidSignInTitle": - MessageLookupByLibrary.simpleMessage("Autenticação necessária"), - "appIcon": MessageLookupByLibrary.simpleMessage("Ícone do aplicativo"), - "appLock": - MessageLookupByLibrary.simpleMessage("Bloqueio do aplicativo"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Escolha entre a tela de bloqueio padrão do seu dispositivo e uma tela de bloqueio personalizada com PIN ou senha."), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("ID da Apple"), - "apply": MessageLookupByLibrary.simpleMessage("Aplicar"), - "applyCodeTitle": - MessageLookupByLibrary.simpleMessage("Aplicar código"), - "appstoreSubscription": - MessageLookupByLibrary.simpleMessage("Assinatura da AppStore"), - "archive": MessageLookupByLibrary.simpleMessage("Arquivo"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("Arquivar álbum"), - "archiving": MessageLookupByLibrary.simpleMessage("Arquivando..."), - "areThey": MessageLookupByLibrary.simpleMessage("Eles são "), - "areYouSureRemoveThisFaceFromPerson": - MessageLookupByLibrary.simpleMessage( - "Deseja mesmo remover o rosto desta pessoa?"), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Você tem certeza que queira sair do plano familiar?"), - "areYouSureYouWantToCancel": - MessageLookupByLibrary.simpleMessage("Deseja cancelar?"), - "areYouSureYouWantToChangeYourPlan": - MessageLookupByLibrary.simpleMessage("Deseja trocar de plano?"), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "Tem certeza de que queira sair?"), - "areYouSureYouWantToIgnoreThesePersons": - MessageLookupByLibrary.simpleMessage( - "Você deseja mesmo ignorar estas pessoas?"), - "areYouSureYouWantToIgnoreThisPerson": - MessageLookupByLibrary.simpleMessage( - "Você deseja mesmo ignorar esta pessoa?"), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Você tem certeza que quer encerrar sessão?"), - "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( - "Você desejar mesmo mesclá-los?"), - "areYouSureYouWantToRenew": - MessageLookupByLibrary.simpleMessage("Deseja renovar?"), - "areYouSureYouWantToResetThisPerson": - MessageLookupByLibrary.simpleMessage( - "Deseja redefinir esta pessoa?"), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "Sua assinatura foi cancelada. Deseja compartilhar o motivo?"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Por que você quer excluir sua conta?"), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Peça que seus entes queridos compartilhem"), - "atAFalloutShelter": - MessageLookupByLibrary.simpleMessage("em um abrigo avançado"), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Autentique-se para alterar o e-mail de verificação"), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Autentique para alterar a configuração da tela de bloqueio"), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Por favor, autentique-se para alterar o seu e-mail"), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Autentique para alterar sua senha"), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Autentique para configurar a autenticação de dois fatores"), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Autentique para iniciar a exclusão de conta"), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Autentique-se para gerenciar seus contatos confiáveis"), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Autentique-se para ver sua chave de acesso"), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Autentique-se para ver seus arquivos excluídos"), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Autentique para ver as sessões ativas"), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Autentique-se para visualizar seus arquivos ocultos"), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Autentique-se para ver suas memórias"), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Autentique para ver sua chave de recuperação"), - "authenticating": - MessageLookupByLibrary.simpleMessage("Autenticando..."), - "authenticationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Falha na autenticação. Tente novamente"), - "authenticationSuccessful": - MessageLookupByLibrary.simpleMessage("Autenticado com sucesso!"), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Você verá dispositivos de transmissão disponível aqui."), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Certifique-se que as permissões da internet local estejam ligadas para o Ente Photos App, em opções."), - "autoLock": MessageLookupByLibrary.simpleMessage("Bloqueio automático"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Tempo após o qual o aplicativo bloqueia após ser colocado em segundo plano"), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "Devido ao ocorrido de erros técnicos, você foi desconectado. Pedimos desculpas pela inconveniência."), - "autoPair": - MessageLookupByLibrary.simpleMessage("Pareamento automático"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "O pareamento automático só funciona com dispositivos que suportam o Chromecast."), - "available": MessageLookupByLibrary.simpleMessage("Disponível"), - "availableStorageSpace": m10, - "backedUpFolders": - MessageLookupByLibrary.simpleMessage("Pastas salvas em segurança"), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("Salvar em segurança"), - "backupFailed": MessageLookupByLibrary.simpleMessage( - "Falhou ao salvar em segurança"), - "backupFile": - MessageLookupByLibrary.simpleMessage("Salvar arquivo em segurança"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Salvar fotos com dados móveis"), - "backupSettings": MessageLookupByLibrary.simpleMessage( - "Ajustes de salvar em segurança"), - "backupStatus": - MessageLookupByLibrary.simpleMessage("Estado das mídias salvas"), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Os itens salvos em segurança aparecerão aqui"), - "backupVideos": - MessageLookupByLibrary.simpleMessage("Salvar vídeos em segurança"), - "beach": MessageLookupByLibrary.simpleMessage("Areia e o mar"), - "birthday": MessageLookupByLibrary.simpleMessage("Aniversário"), - "birthdayNotifications": - MessageLookupByLibrary.simpleMessage("Notificações de aniversário"), - "birthdays": MessageLookupByLibrary.simpleMessage("Aniversários"), - "blackFridaySale": - MessageLookupByLibrary.simpleMessage("Promoção Black Friday"), - "blog": MessageLookupByLibrary.simpleMessage("Blog"), - "cLDesc1": MessageLookupByLibrary.simpleMessage( - "De volta na transmissão de vídeo beta, e trabalhando em envios e downloads retomáveis, nós aumentamos o limite de envio de arquivos para 10 GB. Isso está disponível em ambos a versão móvel e a versão para desktop."), - "cLDesc2": MessageLookupByLibrary.simpleMessage( - "Envios de fundo agora são suportados no iOS também, para assemelhar-se aos dispositivos Android. Não precisa abrir o aplicativo para salvar em segurança as fotos e vídeos mais recentes."), - "cLDesc3": MessageLookupByLibrary.simpleMessage( - "Fizemos melhorias significantes para a experiência de memórias, incluindo reprodução automática, deslizar para a próxima memória e mais."), - "cLDesc4": MessageLookupByLibrary.simpleMessage( - "Ao lado de outras melhorias, agora ficou mais fácil para detectar rostos, fornecer comentários em rostos similares, e adicionar/remover rostos de uma foto."), - "cLDesc5": MessageLookupByLibrary.simpleMessage( - "Você receberá uma notificação opcional para todos os aniversários salvos no Ente, além de uma coleção de melhores fotos."), - "cLDesc6": MessageLookupByLibrary.simpleMessage( - "Nada de esperar os envios/downloads terminarem para fechar o aplicativo. Todos os envios e downloads agora possuem a habilidade de ser pausado na metade do processo, e retomar de onde você parou."), - "cLTitle1": MessageLookupByLibrary.simpleMessage( - "Enviando arquivos de vídeo grandes"), - "cLTitle2": MessageLookupByLibrary.simpleMessage("Envio de fundo"), - "cLTitle3": - MessageLookupByLibrary.simpleMessage("Reproduzir memórias auto."), - "cLTitle4": MessageLookupByLibrary.simpleMessage( - "Reconhecimento Facial Melhorado"), - "cLTitle5": - MessageLookupByLibrary.simpleMessage("Notificações de aniversário"), - "cLTitle6": MessageLookupByLibrary.simpleMessage( - "Envios e downloads retomáveis"), - "cachedData": - MessageLookupByLibrary.simpleMessage("Dados armazenados em cache"), - "calculating": MessageLookupByLibrary.simpleMessage("Calculando..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Desculpe, este álbum não pode ser aberto no aplicativo."), - "canNotOpenTitle": - MessageLookupByLibrary.simpleMessage("Não pôde abrir este álbum"), - "canNotUploadToAlbumsOwnedByOthers": - MessageLookupByLibrary.simpleMessage( - "Não é possível enviar para álbuns pertencentes a outros"), - "canOnlyCreateLinkForFilesOwnedByYou": - MessageLookupByLibrary.simpleMessage( - "Só é possível criar um link para arquivos pertencentes a você"), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Só pode remover arquivos de sua propriedade"), - "cancel": MessageLookupByLibrary.simpleMessage("Cancelar"), - "cancelAccountRecovery": - MessageLookupByLibrary.simpleMessage("Cancelar recuperação"), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "Deseja mesmo cancelar a recuperação de conta?"), - "cancelOtherSubscription": m12, - "cancelSubscription": - MessageLookupByLibrary.simpleMessage("Cancelar assinatura"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Não é possível excluir arquivos compartilhados"), - "castAlbum": MessageLookupByLibrary.simpleMessage("Transferir álbum"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Certifique-se de estar na mesma internet que a TV."), - "castIPMismatchTitle": - MessageLookupByLibrary.simpleMessage("Falhou ao transmitir álbum"), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Acesse cast.ente.io no dispositivo desejado para parear.\n\nInsira o código abaixo para reproduzir o álbum na sua TV."), - "centerPoint": MessageLookupByLibrary.simpleMessage("Ponto central"), - "change": MessageLookupByLibrary.simpleMessage("Alterar"), - "changeEmail": MessageLookupByLibrary.simpleMessage("Alterar e-mail"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Alterar a localização dos itens selecionados?"), - "changePassword": MessageLookupByLibrary.simpleMessage("Alterar senha"), - "changePasswordTitle": - MessageLookupByLibrary.simpleMessage("Alterar senha"), - "changePermissions": - MessageLookupByLibrary.simpleMessage("Alterar permissões?"), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Alterar código de referência"), - "checkForUpdates": - MessageLookupByLibrary.simpleMessage("Buscar atualizações"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Verifique sua caixa de entrada (e spam) para concluir a verificação"), - "checkStatus": MessageLookupByLibrary.simpleMessage("Verificar estado"), - "checking": MessageLookupByLibrary.simpleMessage("Verificando..."), - "checkingModels": - MessageLookupByLibrary.simpleMessage("Verificando modelos..."), - "city": MessageLookupByLibrary.simpleMessage("Na cidade"), - "claimFreeStorage": - MessageLookupByLibrary.simpleMessage("Reivindique armaz. grátis"), - "claimMore": MessageLookupByLibrary.simpleMessage("Reivindique mais!"), - "claimed": MessageLookupByLibrary.simpleMessage("Reivindicado"), - "claimedStorageSoFar": m14, - "cleanUncategorized": - MessageLookupByLibrary.simpleMessage("Limpar não categorizado"), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Remover todos os arquivos não categorizados que estão presentes em outros álbuns"), - "clearCaches": MessageLookupByLibrary.simpleMessage("Limpar cache"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Limpar índices"), - "click": MessageLookupByLibrary.simpleMessage("• Clique"), - "clickOnTheOverflowMenu": - MessageLookupByLibrary.simpleMessage("• Clique no menu adicional"), - "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( - "Clique para instalar a nossa melhor versão até então"), - "close": MessageLookupByLibrary.simpleMessage("Fechar"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( - "Agrupar por tempo de captura"), - "clubByFileName": - MessageLookupByLibrary.simpleMessage("Agrupar por nome do arquivo"), - "clusteringProgress": - MessageLookupByLibrary.simpleMessage("Progresso de agrupamento"), - "codeAppliedPageTitle": - MessageLookupByLibrary.simpleMessage("Código aplicado"), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Desculpe, você atingiu o limite de mudanças de código."), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Código copiado para a área de transferência"), - "codeUsedByYou": - MessageLookupByLibrary.simpleMessage("Código usado por você"), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Crie um link para permitir que as pessoas adicionem e vejam fotos no seu álbum compartilhado sem a necessidade do aplicativo ou uma conta Ente. Ótimo para colecionar fotos de eventos."), - "collaborativeLink": - MessageLookupByLibrary.simpleMessage("Link colaborativo"), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Colaborador"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Colaboradores podem adicionar fotos e vídeos ao álbum compartilhado."), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("Layout"), - "collageSaved": - MessageLookupByLibrary.simpleMessage("Colagem salva na galeria"), - "collect": MessageLookupByLibrary.simpleMessage("Coletar"), - "collectEventPhotos": - MessageLookupByLibrary.simpleMessage("Coletar fotos de evento"), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Coletar fotos"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Crie um link onde seus amigos podem enviar fotos na qualidade original."), - "color": MessageLookupByLibrary.simpleMessage("Cor"), - "configuration": MessageLookupByLibrary.simpleMessage("Configuração"), - "confirm": MessageLookupByLibrary.simpleMessage("Confirmar"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Você tem certeza que queira desativar a autenticação de dois fatores?"), - "confirmAccountDeletion": - MessageLookupByLibrary.simpleMessage("Confirmar exclusão da conta"), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Sim, eu quero permanentemente excluir esta conta e os dados em todos os aplicativos."), - "confirmPassword": - MessageLookupByLibrary.simpleMessage("Confirmar senha"), - "confirmPlanChange": - MessageLookupByLibrary.simpleMessage("Confirmar mudança de plano"), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Confirmar chave de recuperação"), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Confirme sua chave de recuperação"), - "connectToDevice": - MessageLookupByLibrary.simpleMessage("Conectar ao dispositivo"), - "contactFamilyAdmin": m18, - "contactSupport": - MessageLookupByLibrary.simpleMessage("Contatar suporte"), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Contatos"), - "contents": MessageLookupByLibrary.simpleMessage("Conteúdos"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Continuar"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "Continuar com a avaliação grátis"), - "convertToAlbum": - MessageLookupByLibrary.simpleMessage("Converter para álbum"), - "copyEmailAddress": - MessageLookupByLibrary.simpleMessage("Copiar e-mail"), - "copyLink": MessageLookupByLibrary.simpleMessage("Copiar link"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Copie e cole o código no aplicativo autenticador"), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "Nós não podemos salvar seus dados.\nNós tentaremos novamente mais tarde."), - "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( - "Não foi possível liberar espaço"), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Não foi possível atualizar a assinatura"), - "count": MessageLookupByLibrary.simpleMessage("Contagem"), - "crashReporting": - MessageLookupByLibrary.simpleMessage("Relatório de erros"), - "create": MessageLookupByLibrary.simpleMessage("Criar"), - "createAccount": MessageLookupByLibrary.simpleMessage("Criar conta"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Pressione para selecionar fotos e clique em + para criar um álbum"), - "createCollaborativeLink": - MessageLookupByLibrary.simpleMessage("Criar link colaborativo"), - "createCollage": MessageLookupByLibrary.simpleMessage("Criar colagem"), - "createNewAccount": - MessageLookupByLibrary.simpleMessage("Criar nova conta"), - "createOrSelectAlbum": - MessageLookupByLibrary.simpleMessage("Criar ou selecionar álbum"), - "createPublicLink": - MessageLookupByLibrary.simpleMessage("Criar link público"), - "creatingLink": MessageLookupByLibrary.simpleMessage("Criando link..."), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "Atualização crítica disponível"), - "crop": MessageLookupByLibrary.simpleMessage("Cortar"), - "curatedMemories": - MessageLookupByLibrary.simpleMessage("Memórias restauradas"), - "currentUsageIs": - MessageLookupByLibrary.simpleMessage("O uso atual é "), - "currentlyRunning": - MessageLookupByLibrary.simpleMessage("Atualmente executando"), - "custom": MessageLookupByLibrary.simpleMessage("Personalizado"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Escuro"), - "dayToday": MessageLookupByLibrary.simpleMessage("Hoje"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Ontem"), - "declineTrustInvite": - MessageLookupByLibrary.simpleMessage("Recusar convite"), - "decrypting": - MessageLookupByLibrary.simpleMessage("Descriptografando..."), - "decryptingVideo": - MessageLookupByLibrary.simpleMessage("Descriptografando vídeo..."), - "deduplicateFiles": - MessageLookupByLibrary.simpleMessage("Arquivos duplicados"), - "delete": MessageLookupByLibrary.simpleMessage("Excluir"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Excluir conta"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Lamentamos você ir. Compartilhe seu feedback para ajudar-nos a melhorar."), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Excluir conta permanentemente"), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Excluir álbum"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Também excluir as fotos (e vídeos) presentes neste álbum de todos os outros álbuns que eles fazem parte?"), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "Isso excluirá todos os álbuns vazios. Isso é útil quando você quiser reduzir a desordem no seu álbum."), - "deleteAll": MessageLookupByLibrary.simpleMessage("Excluir tudo"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "Esta conta está vinculada aos outros aplicativos do Ente, se você usar algum. Seus dados baixados, entre todos os aplicativos do Ente, serão programados para exclusão, e sua conta será permanentemente excluída."), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Por favor, envie um e-mail a account-deletion@ente.io do seu e-mail registrado."), - "deleteEmptyAlbums": - MessageLookupByLibrary.simpleMessage("Excluir álbuns vazios"), - "deleteEmptyAlbumsWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Excluir álbuns vazios?"), - "deleteFromBoth": - MessageLookupByLibrary.simpleMessage("Excluir de ambos"), - "deleteFromDevice": - MessageLookupByLibrary.simpleMessage("Excluir do dispositivo"), - "deleteFromEnte": - MessageLookupByLibrary.simpleMessage("Excluir do Ente"), - "deleteItemCount": m21, - "deleteLocation": - MessageLookupByLibrary.simpleMessage("Excluir localização"), - "deleteMultipleAlbumDialog": m22, - "deletePhotos": MessageLookupByLibrary.simpleMessage("Excluir fotos"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Está faltando um recurso-chave que eu preciso"), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "O aplicativo ou um certo recurso não funciona da maneira que eu acredito que deveria funcionar"), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Encontrei outro serviço que considero melhor"), - "deleteReason4": - MessageLookupByLibrary.simpleMessage("Meu motivo não está listado"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Sua solicitação será revisada em até 72 horas."), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Excluir álbum compartilhado?"), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "O álbum será apagado para todos\n\nVocê perderá o acesso a fotos compartilhadas neste álbum que pertencem aos outros"), - "deselectAll": - MessageLookupByLibrary.simpleMessage("Deselecionar tudo"), - "designedToOutlive": - MessageLookupByLibrary.simpleMessage("Feito para reviver memórias"), - "details": MessageLookupByLibrary.simpleMessage("Detalhes"), - "developerSettings": - MessageLookupByLibrary.simpleMessage("Opções de desenvolvedor"), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Deseja modificar as Opções de Desenvolvedor?"), - "deviceCodeHint": - MessageLookupByLibrary.simpleMessage("Insira o código"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "Arquivos adicionados ao álbum do dispositivo serão automaticamente enviados para o Ente."), - "deviceLock": - MessageLookupByLibrary.simpleMessage("Bloqueio do dispositivo"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Desativa o bloqueio de tela se o Ente estiver de fundo e uma cópia de segurança ainda estiver em andamento. Às vezes, isso não é necessário, mas ajuda a agilizar envios grandes e importações iniciais de bibliotecas maiores."), - "deviceNotFound": - MessageLookupByLibrary.simpleMessage("Dispositivo não encontrado"), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Você sabia?"), - "different": MessageLookupByLibrary.simpleMessage("Diferente"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage( - "Desativar bloqueio automático"), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Os visualizadores podem fazer capturas de tela ou salvar uma cópia de suas fotos usando ferramentas externas"), - "disableDownloadWarningTitle": - MessageLookupByLibrary.simpleMessage("Por favor, saiba que"), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "Desativar autenticação de dois fatores"), - "disablingTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Desativando a autenticação de dois fatores..."), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Explorar"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Bebês"), - "discover_celebrations": - MessageLookupByLibrary.simpleMessage("Comemorações"), - "discover_food": MessageLookupByLibrary.simpleMessage("Comida"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Vegetação"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Colinas"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Identidade"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Notas"), - "discover_pets": - MessageLookupByLibrary.simpleMessage("Animais de estimação"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Recibos"), - "discover_screenshots": - MessageLookupByLibrary.simpleMessage("Capturas de tela"), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfies"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Pôr do sol"), - "discover_visiting_cards": - MessageLookupByLibrary.simpleMessage("Cartões de visita"), - "discover_wallpapers": - MessageLookupByLibrary.simpleMessage("Papéis de parede"), - "dismiss": MessageLookupByLibrary.simpleMessage("Descartar"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage("Não sair"), - "doThisLater": - MessageLookupByLibrary.simpleMessage("Fazer isso depois"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Você quer descartar as edições que você fez?"), - "done": MessageLookupByLibrary.simpleMessage("Concluído"), - "dontSave": MessageLookupByLibrary.simpleMessage("Não salvar"), - "doubleYourStorage": - MessageLookupByLibrary.simpleMessage("Duplique seu armazenamento"), - "download": MessageLookupByLibrary.simpleMessage("Baixar"), - "downloadFailed": - MessageLookupByLibrary.simpleMessage("Falhou ao baixar"), - "downloading": MessageLookupByLibrary.simpleMessage("Baixando..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Editar"), - "editEmailAlreadyLinked": m28, - "editLocation": - MessageLookupByLibrary.simpleMessage("Editar localização"), - "editLocationTagTitle": - MessageLookupByLibrary.simpleMessage("Editar localização"), - "editPerson": MessageLookupByLibrary.simpleMessage("Editar pessoa"), - "editTime": MessageLookupByLibrary.simpleMessage("Editar tempo"), - "editsSaved": MessageLookupByLibrary.simpleMessage("Edições salvas"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Edições à localização serão apenas vistos no Ente"), - "eligible": MessageLookupByLibrary.simpleMessage("elegível"), - "email": MessageLookupByLibrary.simpleMessage("E-mail"), - "emailAlreadyRegistered": - MessageLookupByLibrary.simpleMessage("E-mail já registrado."), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": - MessageLookupByLibrary.simpleMessage("E-mail não registrado."), - "emailVerificationToggle": - MessageLookupByLibrary.simpleMessage("Verificação por e-mail"), - "emailYourLogs": - MessageLookupByLibrary.simpleMessage("Enviar registros por e-mail"), - "embracingThem": m32, - "emergencyContacts": - MessageLookupByLibrary.simpleMessage("Contatos de emergência"), - "empty": MessageLookupByLibrary.simpleMessage("Esvaziar"), - "emptyTrash": - MessageLookupByLibrary.simpleMessage("Esvaziar a lixeira?"), - "enable": MessageLookupByLibrary.simpleMessage("Ativar"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "Ente fornece aprendizado automático no dispositivo para reconhecimento facial, busca mágica e outros recursos de busca avançados."), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Ativar o aprendizado automático para busca mágica e reconhecimento facial"), - "enableMaps": MessageLookupByLibrary.simpleMessage("Ativar mapas"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "Isso exibirá suas fotos em um mapa mundial.\n\nEste mapa é hospedado por Open Street Map, e as exatas localizações das fotos nunca serão compartilhadas.\n\nVocê pode desativar esta função a qualquer momento em Opções."), - "enabled": MessageLookupByLibrary.simpleMessage("Ativado"), - "encryptingBackup": MessageLookupByLibrary.simpleMessage( - "Criptografando salvar em segurança..."), - "encryption": MessageLookupByLibrary.simpleMessage("Criptografia"), - "encryptionKeys": - MessageLookupByLibrary.simpleMessage("Chaves de criptografia"), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Ponto final atualizado com sucesso"), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Criptografado de ponta a ponta por padrão"), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente pode criptografar e preservar arquivos apenas se você conceder acesso a eles"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente precisa de permissão para preservar suas fotos"), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "O Ente preserva suas memórias, então eles sempre estão disponíveis para você, mesmo se você perder o dispositivo."), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Sua família também poderá ser adicionada ao seu plano."), - "enterAlbumName": - MessageLookupByLibrary.simpleMessage("Inserir nome do álbum"), - "enterCode": MessageLookupByLibrary.simpleMessage("Inserir código"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Insira o código fornecido por um amigo para reivindicar armazenamento grátis para ambos"), - "enterDateOfBirth": - MessageLookupByLibrary.simpleMessage("Aniversário (opcional)"), - "enterEmail": MessageLookupByLibrary.simpleMessage("Inserir e-mail"), - "enterFileName": - MessageLookupByLibrary.simpleMessage("Inserir nome do arquivo"), - "enterName": MessageLookupByLibrary.simpleMessage("Inserir nome"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Insira uma senha nova para criptografar seus dados"), - "enterPassword": MessageLookupByLibrary.simpleMessage("Inserir senha"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Insira uma senha que podemos usar para criptografar seus dados"), - "enterPersonName": - MessageLookupByLibrary.simpleMessage("Inserir nome da pessoa"), - "enterPin": MessageLookupByLibrary.simpleMessage("Inserir PIN"), - "enterReferralCode": MessageLookupByLibrary.simpleMessage( - "Inserir código de referência"), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Digite o código de 6 dígitos do\naplicativo autenticador"), - "enterValidEmail": - MessageLookupByLibrary.simpleMessage("Insira um e-mail válido."), - "enterYourEmailAddress": - MessageLookupByLibrary.simpleMessage("Insira seu e-mail"), - "enterYourNewEmailAddress": - MessageLookupByLibrary.simpleMessage("Insira seu novo e-mail"), - "enterYourPassword": - MessageLookupByLibrary.simpleMessage("Insira sua senha"), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Insira sua chave de recuperação"), - "error": MessageLookupByLibrary.simpleMessage("Erro"), - "everywhere": - MessageLookupByLibrary.simpleMessage("em todas as partes"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": - MessageLookupByLibrary.simpleMessage("Usuário existente"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "O link expirou. Selecione um novo tempo de expiração ou desative a expiração do link."), - "exportLogs": - MessageLookupByLibrary.simpleMessage("Exportar registros"), - "exportYourData": - MessageLookupByLibrary.simpleMessage("Exportar dados"), - "extraPhotosFound": MessageLookupByLibrary.simpleMessage( - "Fotos adicionais encontradas"), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Rosto não agrupado ainda, volte aqui mais tarde"), - "faceRecognition": - MessageLookupByLibrary.simpleMessage("Reconhecimento facial"), - "faces": MessageLookupByLibrary.simpleMessage("Rostos"), - "failed": MessageLookupByLibrary.simpleMessage("Falhou"), - "failedToApplyCode": - MessageLookupByLibrary.simpleMessage("Falhou ao aplicar código"), - "failedToCancel": - MessageLookupByLibrary.simpleMessage("Falhou ao cancelar"), - "failedToDownloadVideo": - MessageLookupByLibrary.simpleMessage("Falhou ao baixar vídeo"), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Falhou ao obter sessões ativas"), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Falhou ao obter original para edição"), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Não foi possível buscar os detalhes de referência. Tente novamente mais tarde."), - "failedToLoadAlbums": - MessageLookupByLibrary.simpleMessage("Falhou ao carregar álbuns"), - "failedToPlayVideo": - MessageLookupByLibrary.simpleMessage("Falhou ao reproduzir vídeo"), - "failedToRefreshStripeSubscription": - MessageLookupByLibrary.simpleMessage( - "Falhou ao atualizar assinatura"), - "failedToRenew": - MessageLookupByLibrary.simpleMessage("Falhou ao renovar"), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Falhou ao verificar estado do pagamento"), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Adicione 5 familiares para seu plano existente sem pagar nenhum custo adicional.\n\nCada membro ganha seu espaço privado, significando que eles não podem ver os arquivos dos outros a menos que eles sejam compartilhados.\n\nOs planos familiares estão disponíveis para clientes que já tem uma assinatura paga do Ente.\n\nAssine agora para iniciar!"), - "familyPlanPortalTitle": - MessageLookupByLibrary.simpleMessage("Família"), - "familyPlans": - MessageLookupByLibrary.simpleMessage("Planos familiares"), - "faq": MessageLookupByLibrary.simpleMessage("Perguntas frequentes"), - "faqs": MessageLookupByLibrary.simpleMessage("Perguntas frequentes"), - "favorite": MessageLookupByLibrary.simpleMessage("Favorito"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("Feedback"), - "file": MessageLookupByLibrary.simpleMessage("Arquivo"), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Falhou ao salvar arquivo na galeria"), - "fileInfoAddDescHint": - MessageLookupByLibrary.simpleMessage("Adicionar descrição..."), - "fileNotUploadedYet": - MessageLookupByLibrary.simpleMessage("Arquivo ainda não enviado"), - "fileSavedToGallery": - MessageLookupByLibrary.simpleMessage("Arquivo salvo na galeria"), - "fileTypes": MessageLookupByLibrary.simpleMessage("Tipos de arquivo"), - "fileTypesAndNames": - MessageLookupByLibrary.simpleMessage("Tipos de arquivo e nomes"), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": - MessageLookupByLibrary.simpleMessage("Arquivos excluídos"), - "filesSavedToGallery": - MessageLookupByLibrary.simpleMessage("Arquivos salvos na galeria"), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Busque pessoas facilmente pelo nome"), - "findThemQuickly": - MessageLookupByLibrary.simpleMessage("Busque-os rapidamente"), - "flip": MessageLookupByLibrary.simpleMessage("Inverter"), - "food": MessageLookupByLibrary.simpleMessage("Delícias de cozinha"), - "forYourMemories": - MessageLookupByLibrary.simpleMessage("para suas memórias"), - "forgotPassword": - MessageLookupByLibrary.simpleMessage("Esqueci a senha"), - "foundFaces": - MessageLookupByLibrary.simpleMessage("Rostos encontrados"), - "freeStorageClaimed": - MessageLookupByLibrary.simpleMessage("Armaz. grátis reivindicado"), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": - MessageLookupByLibrary.simpleMessage("Armazenamento disponível"), - "freeTrial": MessageLookupByLibrary.simpleMessage("Avaliação grátis"), - "freeTrialValidTill": m38, - "freeUpAccessPostDelete": m39, - "freeUpAmount": m40, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( - "Liberar espaço no dispositivo"), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Economize espaço em seu dispositivo por limpar arquivos já salvos com segurança."), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("Liberar espaço"), - "freeUpSpaceSaving": m41, - "gallery": MessageLookupByLibrary.simpleMessage("Galeria"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "Até 1.000 memórias exibidas na galeria"), - "general": MessageLookupByLibrary.simpleMessage("Geral"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Gerando chaves de criptografia..."), - "genericProgress": m42, - "goToSettings": MessageLookupByLibrary.simpleMessage("Ir às opções"), - "googlePlayId": - MessageLookupByLibrary.simpleMessage("ID do Google Play"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Permita o acesso a todas as fotos nas opções do aplicativo"), - "grantPermission": - MessageLookupByLibrary.simpleMessage("Conceder permissões"), - "greenery": MessageLookupByLibrary.simpleMessage("A vegetação verde"), - "groupNearbyPhotos": - MessageLookupByLibrary.simpleMessage("Agrupar fotos próximas"), - "guestView": MessageLookupByLibrary.simpleMessage("Vista do convidado"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "Para ativar a vista do convidado, defina uma senha de acesso no dispositivo ou bloqueie sua tela nas opções do sistema."), - "happyBirthday": - MessageLookupByLibrary.simpleMessage("Feliz aniversário! 🥳"), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "Não rastreamos instalações de aplicativo. Seria útil se você contasse onde nos encontrou!"), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Como você soube do Ente? (opcional)"), - "help": MessageLookupByLibrary.simpleMessage("Ajuda"), - "hidden": MessageLookupByLibrary.simpleMessage("Oculto"), - "hide": MessageLookupByLibrary.simpleMessage("Ocultar"), - "hideContent": MessageLookupByLibrary.simpleMessage("Ocultar conteúdo"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Oculta os conteúdos do aplicativo no seletor de aplicativos e desativa capturas de tela"), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Oculta o conteúdo no seletor de aplicativos"), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "Ocultar itens compartilhados da galeria inicial"), - "hiding": MessageLookupByLibrary.simpleMessage("Ocultando..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": - MessageLookupByLibrary.simpleMessage("Hospedado em OSM France"), - "howItWorks": MessageLookupByLibrary.simpleMessage("Como funciona"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Peça-os para pressionarem no e-mail a partir das Opções, e verifique-se os IDs de ambos os dispositivos correspondem."), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "A autenticação biométrica não está definida no dispositivo. Ative o Touch ID ou Face ID no dispositivo."), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "A autenticação biométrica está desativada. Bloqueie e desbloqueie sua tela para ativá-la."), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), - "ignore": MessageLookupByLibrary.simpleMessage("Ignorar"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorar"), - "ignored": MessageLookupByLibrary.simpleMessage("ignorado"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Alguns arquivos neste álbum são ignorados do envio porque eles foram anteriormente excluídos do Ente."), - "imageNotAnalyzed": - MessageLookupByLibrary.simpleMessage("Imagem não analisada"), - "immediately": MessageLookupByLibrary.simpleMessage("Imediatamente"), - "importing": MessageLookupByLibrary.simpleMessage("Importando...."), - "incorrectCode": - MessageLookupByLibrary.simpleMessage("Código incorreto"), - "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("Senha incorreta"), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Chave de recuperação incorreta"), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "A chave de recuperação inserida está incorreta"), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Chave de recuperação incorreta"), - "indexedItems": MessageLookupByLibrary.simpleMessage("Itens indexados"), - "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( - "A indexação foi pausada. Ela retomará automaticamente quando o dispositivo estiver pronto. O dispositivo é considerado pronto quando o nível de bateria, saúde da bateria, e estado térmico estejam num alcance saudável."), - "ineligible": MessageLookupByLibrary.simpleMessage("Inelegível"), - "info": MessageLookupByLibrary.simpleMessage("Info"), - "insecureDevice": - MessageLookupByLibrary.simpleMessage("Dispositivo inseguro"), - "installManually": - MessageLookupByLibrary.simpleMessage("Instalar manualmente"), - "invalidEmailAddress": - MessageLookupByLibrary.simpleMessage("E-mail inválido"), - "invalidEndpoint": - MessageLookupByLibrary.simpleMessage("Ponto final inválido"), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Desculpe, o ponto final inserido é inválido. Insira um ponto final válido e tente novamente."), - "invalidKey": MessageLookupByLibrary.simpleMessage("Chave inválida"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "A chave de recuperação que você inseriu não é válida. Certifique-se de conter 24 caracteres, e verifique a ortografia de cada um deles.\n\nSe você inseriu um código de recuperação mais antigo, verifique se ele tem 64 caracteres e verifique cada um deles."), - "invite": MessageLookupByLibrary.simpleMessage("Convidar"), - "inviteToEnte": - MessageLookupByLibrary.simpleMessage("Convidar ao Ente"), - "inviteYourFriends": - MessageLookupByLibrary.simpleMessage("Convide seus amigos"), - "inviteYourFriendsToEnte": - MessageLookupByLibrary.simpleMessage("Convide seus amigos ao Ente"), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Parece que algo deu errado. Tente novamente mais tarde. Caso o erro persistir, por favor, entre em contato com nossa equipe."), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "Os itens exibem o número de dias restantes antes da exclusão permanente"), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Os itens selecionados serão removidos deste álbum"), - "join": MessageLookupByLibrary.simpleMessage("Unir-se"), - "joinAlbum": MessageLookupByLibrary.simpleMessage("Unir-se ao álbum"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "Unir-se ao álbum fará que seu e-mail seja visível a todos do álbum."), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( - "para visualizar e adicionar suas fotos"), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "para adicionar isso aos álbuns compartilhados"), - "joinDiscord": - MessageLookupByLibrary.simpleMessage("Junte-se ao Discord"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Manter fotos"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Ajude-nos com esta informação"), - "language": MessageLookupByLibrary.simpleMessage("Idioma"), - "lastTimeWithThem": m45, - "lastUpdated": - MessageLookupByLibrary.simpleMessage("Última atualização"), - "lastYearsTrip": - MessageLookupByLibrary.simpleMessage("Viajem do ano passado"), - "leave": MessageLookupByLibrary.simpleMessage("Sair"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Sair do álbum"), - "leaveFamily": - MessageLookupByLibrary.simpleMessage("Sair do plano familiar"), - "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Sair do álbum compartilhado?"), - "left": MessageLookupByLibrary.simpleMessage("Esquerda"), - "legacy": MessageLookupByLibrary.simpleMessage("Legado"), - "legacyAccounts": - MessageLookupByLibrary.simpleMessage("Contas legadas"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "O legado permite que contatos confiáveis acessem sua conta em sua ausência."), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "Contatos confiáveis podem iniciar recuperação de conta. Se não cancelado dentro de 30 dias, redefina sua senha e acesse sua conta."), - "light": MessageLookupByLibrary.simpleMessage("Brilho"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Claro"), - "link": MessageLookupByLibrary.simpleMessage("Vincular"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Link copiado para a área de transferência"), - "linkDeviceLimit": - MessageLookupByLibrary.simpleMessage("Limite do dispositivo"), - "linkEmail": MessageLookupByLibrary.simpleMessage("Vincular e-mail"), - "linkEmailToContactBannerCaption": - MessageLookupByLibrary.simpleMessage("para compartilhar rápido"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Ativado"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Expirado"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Expiração do link"), - "linkHasExpired": - MessageLookupByLibrary.simpleMessage("O link expirou"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Nunca"), - "linkPerson": MessageLookupByLibrary.simpleMessage("Vincular pessoa"), - "linkPersonCaption": MessageLookupByLibrary.simpleMessage( - "para melhorar o compartilhamento"), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("Fotos animadas"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "Você pode compartilhar sua assinatura com seus familiares"), - "loadMessage2": MessageLookupByLibrary.simpleMessage( - "Preservamos mais de 200 milhões de memórias até então"), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "Mantemos 3 cópias dos seus dados, uma em um abrigo subterrâneo"), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "Todos os nossos aplicativos são de código aberto"), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Nosso código-fonte e criptografia foram auditadas externamente"), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "Você pode compartilhar links para seus álbuns com seus entes queridos"), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Nossos aplicativos móveis são executados em segundo plano para criptografar e salvar em segurança quaisquer fotos novas que você acessar"), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io tem um enviador mais rápido"), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Nós usamos Xchacha20Poly1305 para criptografar seus dados com segurança"), - "loadingExifData": - MessageLookupByLibrary.simpleMessage("Carregando dados EXIF..."), - "loadingGallery": - MessageLookupByLibrary.simpleMessage("Carregando galeria..."), - "loadingMessage": - MessageLookupByLibrary.simpleMessage("Carregando suas fotos..."), - "loadingModel": - MessageLookupByLibrary.simpleMessage("Baixando modelos..."), - "loadingYourPhotos": - MessageLookupByLibrary.simpleMessage("Carregando suas fotos..."), - "localGallery": MessageLookupByLibrary.simpleMessage("Galeria local"), - "localIndexing": - MessageLookupByLibrary.simpleMessage("Indexação local"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Ocorreu um erro devido à sincronização de localização das fotos estar levando mais tempo que o esperado. Entre em contato conosco."), - "location": MessageLookupByLibrary.simpleMessage("Localização"), - "locationName": - MessageLookupByLibrary.simpleMessage("Nome da localização"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Uma etiqueta de localização agrupa todas as fotos fotografadas em algum raio de uma foto"), - "locations": MessageLookupByLibrary.simpleMessage("Localizações"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Bloquear"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Tela de bloqueio"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Entrar"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Desconectando..."), - "loginSessionExpired": - MessageLookupByLibrary.simpleMessage("Sessão expirada"), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "Sua sessão expirou. Registre-se novamente."), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Ao clicar em entrar, eu concordo com os termos de serviço e a política de privacidade"), - "loginWithTOTP": - MessageLookupByLibrary.simpleMessage("Registrar com TOTP"), - "logout": MessageLookupByLibrary.simpleMessage("Encerrar sessão"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Isso enviará através dos registros para ajudar-nos a resolver seu problema. Saiba que, nome de arquivos serão incluídos para ajudar a buscar problemas com arquivos específicos."), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Pressione um e-mail para verificar a criptografia ponta a ponta."), - "longpressOnAnItemToViewInFullscreen": - MessageLookupByLibrary.simpleMessage( - "Mantenha pressionado em um item para visualizá-lo em tela cheia"), - "lookBackOnYourMemories": - MessageLookupByLibrary.simpleMessage("Revise suas memórias 🌄"), - "loopVideoOff": - MessageLookupByLibrary.simpleMessage("Repetir vídeo desativado"), - "loopVideoOn": - MessageLookupByLibrary.simpleMessage("Repetir vídeo ativado"), - "lostDevice": - MessageLookupByLibrary.simpleMessage("Perdeu o dispositivo?"), - "machineLearning": - MessageLookupByLibrary.simpleMessage("Aprendizado automático"), - "magicSearch": MessageLookupByLibrary.simpleMessage("Busca mágica"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "A busca mágica permite buscar fotos pelo conteúdo, p. e.x. \'flor\', \'carro vermelho\', \'identidade\'"), - "manage": MessageLookupByLibrary.simpleMessage("Gerenciar"), - "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( - "Gerenciar cache do dispositivo"), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Reveja e limpe o armazenamento de cache local."), - "manageFamily": - MessageLookupByLibrary.simpleMessage("Gerenciar família"), - "manageLink": MessageLookupByLibrary.simpleMessage("Gerenciar link"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Gerenciar"), - "manageSubscription": - MessageLookupByLibrary.simpleMessage("Gerenciar assinatura"), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "Parear com PIN funciona com qualquer tela que queira visualizar seu álbum."), - "map": MessageLookupByLibrary.simpleMessage("Mapa"), - "maps": MessageLookupByLibrary.simpleMessage("Mapas"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("Eu"), - "memories": MessageLookupByLibrary.simpleMessage("Memórias"), - "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Selecione os tipos de memórias que deseje vê-las na sua tela inicial."), - "memoryCount": m50, - "merchandise": MessageLookupByLibrary.simpleMessage("Produtos"), - "merge": MessageLookupByLibrary.simpleMessage("Mesclar"), - "mergeWithExisting": - MessageLookupByLibrary.simpleMessage("Juntar com o existente"), - "mergedPhotos": MessageLookupByLibrary.simpleMessage("Fotos mescladas"), - "mlConsent": MessageLookupByLibrary.simpleMessage( - "Ativar o aprendizado automático"), - "mlConsentConfirmation": - MessageLookupByLibrary.simpleMessage("Concordo e desejo ativá-lo"), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Se ativar o aprendizado automático, Ente extrairá informações de geometria facial dos arquivos, incluindo aqueles compartilhados consigo.\n\nIsso acontecerá em seu dispositivo, e qualquer informação biométrica gerada será criptografada de ponta a ponta."), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Clique aqui para mais detalhes sobre este recurso na política de privacidade"), - "mlConsentTitle": - MessageLookupByLibrary.simpleMessage("Ativar aprendizado auto.?"), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Saiba que o aprendizado automático afetará a bateria do dispositivo negativamente até todos os itens serem indexados. Utilize a versão para computadores para melhor indexação, todos os resultados se auto-sincronizaram."), - "mobileWebDesktop": - MessageLookupByLibrary.simpleMessage("Celular, Web, Computador"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Moderado"), - "modifyYourQueryOrTrySearchingFor": - MessageLookupByLibrary.simpleMessage( - "Altere o termo de busca ou tente consultar"), - "moments": MessageLookupByLibrary.simpleMessage("Momentos"), - "month": MessageLookupByLibrary.simpleMessage("mês"), - "monthly": MessageLookupByLibrary.simpleMessage("Mensal"), - "moon": MessageLookupByLibrary.simpleMessage("Na luz do luar"), - "moreDetails": MessageLookupByLibrary.simpleMessage("Mais detalhes"), - "mostRecent": MessageLookupByLibrary.simpleMessage("Mais recente"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("Mais relevante"), - "mountains": MessageLookupByLibrary.simpleMessage("Sob as montanhas"), - "moveItem": m51, - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "Mover fotos selecionadas para uma data"), - "moveToAlbum": - MessageLookupByLibrary.simpleMessage("Mover para o álbum"), - "moveToHiddenAlbum": - MessageLookupByLibrary.simpleMessage("Mover ao álbum oculto"), - "movedSuccessfullyTo": m52, - "movedToTrash": - MessageLookupByLibrary.simpleMessage("Movido para a lixeira"), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Movendo arquivos para o álbum..."), - "name": MessageLookupByLibrary.simpleMessage("Nome"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Nomear álbum"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Não foi possível conectar ao Ente, tente novamente mais tarde. Se o erro persistir, entre em contato com o suporte."), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Não foi possível conectar-se ao Ente, verifique suas configurações de rede e entre em contato com o suporte se o erro persistir."), - "never": MessageLookupByLibrary.simpleMessage("Nunca"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Novo álbum"), - "newLocation": MessageLookupByLibrary.simpleMessage("Nova localização"), - "newPerson": MessageLookupByLibrary.simpleMessage("Nova pessoa"), - "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" novo 📸"), - "newRange": MessageLookupByLibrary.simpleMessage("Novo intervalo"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Novo no Ente"), - "newest": MessageLookupByLibrary.simpleMessage("Mais recente"), - "next": MessageLookupByLibrary.simpleMessage("Próximo"), - "no": MessageLookupByLibrary.simpleMessage("Não"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Nenhum álbum compartilhado por você ainda"), - "noDeviceFound": MessageLookupByLibrary.simpleMessage( - "Nenhum dispositivo encontrado"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Nenhum"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "Você não tem arquivos neste dispositivo que possam ser excluídos"), - "noDuplicates": - MessageLookupByLibrary.simpleMessage("✨ Sem duplicatas"), - "noEnteAccountExclamation": - MessageLookupByLibrary.simpleMessage("Nenhuma conta Ente!"), - "noExifData": MessageLookupByLibrary.simpleMessage("Sem dados EXIF"), - "noFacesFound": - MessageLookupByLibrary.simpleMessage("Nenhum rosto encontrado"), - "noHiddenPhotosOrVideos": - MessageLookupByLibrary.simpleMessage("Sem fotos ou vídeos ocultos"), - "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( - "Nenhuma imagem com localização"), - "noInternetConnection": - MessageLookupByLibrary.simpleMessage("Sem conexão à internet"), - "noPhotosAreBeingBackedUpRightNow": - MessageLookupByLibrary.simpleMessage( - "No momento não há fotos sendo salvas em segurança"), - "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( - "Nenhuma foto encontrada aqui"), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( - "Nenhum link rápido selecionado"), - "noRecoveryKey": - MessageLookupByLibrary.simpleMessage("Sem chave de recuperação?"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Devido à natureza do nosso protocolo de criptografia de ponta a ponta, seus dados não podem ser descriptografados sem sua senha ou chave de recuperação"), - "noResults": MessageLookupByLibrary.simpleMessage("Nenhum resultado"), - "noResultsFound": - MessageLookupByLibrary.simpleMessage("Nenhum resultado encontrado"), - "noSuggestionsForPerson": m53, - "noSystemLockFound": MessageLookupByLibrary.simpleMessage( - "Nenhum bloqueio do sistema encontrado"), - "notPersonLabel": m54, - "notThisPerson": - MessageLookupByLibrary.simpleMessage("Não é esta pessoa?"), - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "Nada compartilhado com você ainda"), - "nothingToSeeHere": - MessageLookupByLibrary.simpleMessage("Nada para ver aqui! 👀"), - "notifications": MessageLookupByLibrary.simpleMessage("Notificações"), - "ok": MessageLookupByLibrary.simpleMessage("OK"), - "onDevice": MessageLookupByLibrary.simpleMessage("No dispositivo"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "No ente"), - "onTheRoad": - MessageLookupByLibrary.simpleMessage("Na estrada novamente"), - "onThisDay": MessageLookupByLibrary.simpleMessage("Neste dia"), - "onThisDayMemories": - MessageLookupByLibrary.simpleMessage("Memórias deste dia"), - "onThisDayNotificationExplanation": - MessageLookupByLibrary.simpleMessage( - "Receba lembretes de memórias deste dia em anos passados."), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Apenas eles"), - "oops": MessageLookupByLibrary.simpleMessage("Ops"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Opa! Não foi possível salvar as edições"), - "oopsSomethingWentWrong": - MessageLookupByLibrary.simpleMessage("Ops, algo deu errado"), - "openAlbumInBrowser": - MessageLookupByLibrary.simpleMessage("Abrir álbum no navegador"), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Use o aplicativo da web para adicionar fotos a este álbum"), - "openFile": MessageLookupByLibrary.simpleMessage("Abrir arquivo"), - "openSettings": MessageLookupByLibrary.simpleMessage("Abrir opções"), - "openTheItem": - MessageLookupByLibrary.simpleMessage("• Abra a foto ou vídeo"), - "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( - "Contribuidores do OpenStreetMap"), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Opcional, tão curto como quiser..."), - "orMergeWithExistingPerson": - MessageLookupByLibrary.simpleMessage("Ou mesclar com existente"), - "orPickAnExistingOne": - MessageLookupByLibrary.simpleMessage("Ou escolha um existente"), - "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( - "ou escolher dos seus contatos"), - "otherDetectedFaces": - MessageLookupByLibrary.simpleMessage("Outros rostos detectados"), - "pair": MessageLookupByLibrary.simpleMessage("Parear"), - "pairWithPin": MessageLookupByLibrary.simpleMessage("Parear com PIN"), - "pairingComplete": - MessageLookupByLibrary.simpleMessage("Pareamento concluído"), - "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), - "partyWithThem": m56, - "passKeyPendingVerification": - MessageLookupByLibrary.simpleMessage("Verificação pendente"), - "passkey": MessageLookupByLibrary.simpleMessage("Chave de acesso"), - "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( - "Verificação de chave de acesso"), - "password": MessageLookupByLibrary.simpleMessage("Senha"), - "passwordChangedSuccessfully": - MessageLookupByLibrary.simpleMessage("Senha alterada com sucesso"), - "passwordLock": - MessageLookupByLibrary.simpleMessage("Bloqueio por senha"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "A força da senha é calculada considerando o comprimento dos dígitos, carácteres usados, e se ou não a senha aparece nas 10.000 senhas usadas."), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Nós não armazenamos esta senha, se você esquecer, nós não poderemos descriptografar seus dados"), - "pastYearsMemories": - MessageLookupByLibrary.simpleMessage("Memórias dos anos passados"), - "paymentDetails": - MessageLookupByLibrary.simpleMessage("Detalhes de pagamento"), - "paymentFailed": - MessageLookupByLibrary.simpleMessage("O pagamento falhou"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "Infelizmente o pagamento falhou. Entre em contato com o suporte e nós ajudaremos você!"), - "paymentFailedTalkToProvider": m58, - "pendingItems": MessageLookupByLibrary.simpleMessage("Itens pendentes"), - "pendingSync": - MessageLookupByLibrary.simpleMessage("Sincronização pendente"), - "people": MessageLookupByLibrary.simpleMessage("Pessoas"), - "peopleUsingYourCode": - MessageLookupByLibrary.simpleMessage("Pessoas que usou o código"), - "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Selecione as pessoas que deseje vê-las na sua tela inicial."), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Todos os itens na lixeira serão excluídos permanentemente\n\nEsta ação não pode ser desfeita"), - "permanentlyDelete": - MessageLookupByLibrary.simpleMessage("Excluir permanentemente"), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Excluir permanentemente do dispositivo?"), - "personIsAge": m59, - "personName": MessageLookupByLibrary.simpleMessage("Nome da pessoa"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("Companhias peludas"), - "photoDescriptions": - MessageLookupByLibrary.simpleMessage("Descrições das fotos"), - "photoGridSize": - MessageLookupByLibrary.simpleMessage("Tamanho da grade de fotos"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("Fotos"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "Suas fotos adicionadas serão removidas do álbum"), - "photosCount": m62, - "photosKeepRelativeTimeDifference": - MessageLookupByLibrary.simpleMessage( - "As fotos mantêm a diferença de tempo relativo"), - "pickCenterPoint": - MessageLookupByLibrary.simpleMessage("Escolha o ponto central"), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Fixar álbum"), - "pinLock": MessageLookupByLibrary.simpleMessage("Bloqueio por PIN"), - "playOnTv": - MessageLookupByLibrary.simpleMessage("Reproduzir álbum na TV"), - "playOriginal": - MessageLookupByLibrary.simpleMessage("Reproduzir original"), - "playStoreFreeTrialValidTill": m63, - "playStream": - MessageLookupByLibrary.simpleMessage("Reproduzir transmissão"), - "playstoreSubscription": - MessageLookupByLibrary.simpleMessage("Assinatura da PlayStore"), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Verifique sua conexão com a internet e tente novamente."), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Entre em contato com support@ente.io e nós ficaremos felizes em ajudar!"), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Por favor, contate o suporte se o problema persistir"), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( - "Por favor, conceda as permissões"), - "pleaseLoginAgain": - MessageLookupByLibrary.simpleMessage("Registre-se novamente"), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Selecione links rápidos para remover"), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": - MessageLookupByLibrary.simpleMessage("Tente novamente"), - "pleaseVerifyTheCodeYouHaveEntered": - MessageLookupByLibrary.simpleMessage("Verifique o código inserido"), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Aguarde..."), - "pleaseWaitDeletingAlbum": - MessageLookupByLibrary.simpleMessage("Aguarde, excluindo álbum"), - "pleaseWaitForSometimeBeforeRetrying": - MessageLookupByLibrary.simpleMessage( - "Por favor, aguarde mais algum tempo antes de tentar novamente"), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "Aguarde um pouco, isso talvez leve um tempo."), - "posingWithThem": m66, - "preparingLogs": - MessageLookupByLibrary.simpleMessage("Preparando registros..."), - "preserveMore": MessageLookupByLibrary.simpleMessage("Preservar mais"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Pressione e segure para reproduzir o vídeo"), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Pressione e segure na imagem para reproduzir o vídeo"), - "previous": MessageLookupByLibrary.simpleMessage("Anterior"), - "privacy": MessageLookupByLibrary.simpleMessage("Privacidade"), - "privacyPolicyTitle": - MessageLookupByLibrary.simpleMessage("Política de Privacidade"), - "privateBackups": - MessageLookupByLibrary.simpleMessage("Cópias privadas"), - "privateSharing": - MessageLookupByLibrary.simpleMessage("Compartilha privada"), - "proceed": MessageLookupByLibrary.simpleMessage("Continuar"), - "processed": MessageLookupByLibrary.simpleMessage("Processado"), - "processing": MessageLookupByLibrary.simpleMessage("Processando"), - "processingImport": m67, - "processingVideos": - MessageLookupByLibrary.simpleMessage("Processando vídeos"), - "publicLinkCreated": - MessageLookupByLibrary.simpleMessage("Link público criado"), - "publicLinkEnabled": - MessageLookupByLibrary.simpleMessage("Link público ativo"), - "questionmark": MessageLookupByLibrary.simpleMessage("?"), - "queued": MessageLookupByLibrary.simpleMessage("Na fila"), - "quickLinks": MessageLookupByLibrary.simpleMessage("Links rápidos"), - "radius": MessageLookupByLibrary.simpleMessage("Raio"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Abrir ticket"), - "rateTheApp": - MessageLookupByLibrary.simpleMessage("Avalie o aplicativo"), - "rateUs": MessageLookupByLibrary.simpleMessage("Avaliar"), - "rateUsOnStore": m68, - "reassignMe": MessageLookupByLibrary.simpleMessage("Reatribuir \"Eu\""), - "reassignedToName": m69, - "reassigningLoading": - MessageLookupByLibrary.simpleMessage("Reatribuindo..."), - "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( - "Receba notificações quando alguém fizer um aniversário. Tocar na notificação o levará às fotos do aniversariante."), - "recover": MessageLookupByLibrary.simpleMessage("Recuperar"), - "recoverAccount": - MessageLookupByLibrary.simpleMessage("Recuperar conta"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Recuperar"), - "recoveryAccount": - MessageLookupByLibrary.simpleMessage("Recuperar conta"), - "recoveryInitiated": - MessageLookupByLibrary.simpleMessage("A recuperação iniciou"), - "recoveryInitiatedDesc": m70, - "recoveryKey": - MessageLookupByLibrary.simpleMessage("Chave de recuperação"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Chave de recuperação copiada para a área de transferência"), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Caso você esqueça sua senha, a única maneira de recuperar seus dados é com esta chave."), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Não armazenamos esta chave, salve esta chave de 24 palavras em um lugar seguro."), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Ótimo! Sua chave de recuperação é válida. Obrigada por verificar.\n\nLembre-se de manter sua chave de recuperação salva em segurança."), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Chave de recuperação verificada"), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Sua chave de recuperação é a única maneira de recuperar suas fotos se você esqueceu sua senha. Você pode encontrar sua chave de recuperação em Opções > Conta.\n\nInsira sua chave de recuperação aqui para verificar se você a salvou corretamente."), - "recoveryReady": m71, - "recoverySuccessful": - MessageLookupByLibrary.simpleMessage("Recuperação com sucesso!"), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "Um contato confiável está tentando acessar sua conta"), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "O dispositivo atual não é poderoso o suficiente para verificar sua senha, no entanto, nós podemos regenerar numa maneira que funciona em todos os dispositivos.\n\nEntre usando a chave de recuperação e regenere sua senha (você pode usar a mesma novamente se desejar)."), - "recreatePasswordTitle": - MessageLookupByLibrary.simpleMessage("Redefinir senha"), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": - MessageLookupByLibrary.simpleMessage("Reinserir senha"), - "reenterPin": MessageLookupByLibrary.simpleMessage("Reinserir PIN"), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Recomende seus amigos e duplique seu plano"), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Envie este código aos seus amigos"), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Eles então se inscrevem num plano pago"), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Referências"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "As referências estão atualmente pausadas"), - "rejectRecovery": - MessageLookupByLibrary.simpleMessage("Rejeitar recuperação"), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "Também esvazie o \"Excluído Recentemente\" das \"Opções\" -> \"Armazenamento\" para liberar espaço"), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Também esvazie sua \"Lixeira\" para reivindicar o espaço liberado"), - "remoteImages": MessageLookupByLibrary.simpleMessage("Imagens remotas"), - "remoteThumbnails": - MessageLookupByLibrary.simpleMessage("Miniaturas remotas"), - "remoteVideos": MessageLookupByLibrary.simpleMessage("Vídeos remotos"), - "remove": MessageLookupByLibrary.simpleMessage("Remover"), - "removeDuplicates": - MessageLookupByLibrary.simpleMessage("Excluir duplicatas"), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Revise e remova arquivos que são duplicatas exatas."), - "removeFromAlbum": - MessageLookupByLibrary.simpleMessage("Remover do álbum"), - "removeFromAlbumTitle": - MessageLookupByLibrary.simpleMessage("Remover do álbum?"), - "removeFromFavorite": - MessageLookupByLibrary.simpleMessage("Desfavoritar"), - "removeInvite": MessageLookupByLibrary.simpleMessage("Remover convite"), - "removeLink": MessageLookupByLibrary.simpleMessage("Remover link"), - "removeParticipant": - MessageLookupByLibrary.simpleMessage("Remover participante"), - "removeParticipantBody": m74, - "removePersonLabel": - MessageLookupByLibrary.simpleMessage("Remover etiqueta da pessoa"), - "removePublicLink": - MessageLookupByLibrary.simpleMessage("Remover link público"), - "removePublicLinks": - MessageLookupByLibrary.simpleMessage("Remover link público"), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Alguns dos itens que você está removendo foram adicionados por outras pessoas, e você perderá o acesso a eles"), - "removeWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Remover?"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Remover si mesmo dos contatos confiáveis"), - "removingFromFavorites": - MessageLookupByLibrary.simpleMessage("Removendo dos favoritos..."), - "rename": MessageLookupByLibrary.simpleMessage("Renomear"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("Renomear álbum"), - "renameFile": MessageLookupByLibrary.simpleMessage("Renomear arquivo"), - "renewSubscription": - MessageLookupByLibrary.simpleMessage("Renovar assinatura"), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Informar um erro"), - "reportBug": MessageLookupByLibrary.simpleMessage("Informar erro"), - "resendEmail": MessageLookupByLibrary.simpleMessage("Reenviar e-mail"), - "reset": MessageLookupByLibrary.simpleMessage("Redefinir"), - "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( - "Redefinir arquivos ignorados"), - "resetPasswordTitle": - MessageLookupByLibrary.simpleMessage("Redefinir senha"), - "resetPerson": MessageLookupByLibrary.simpleMessage("Remover"), - "resetToDefault": - MessageLookupByLibrary.simpleMessage("Redefinir para o padrão"), - "restore": MessageLookupByLibrary.simpleMessage("Restaurar"), - "restoreToAlbum": - MessageLookupByLibrary.simpleMessage("Restaurar para álbum"), - "restoringFiles": - MessageLookupByLibrary.simpleMessage("Restaurando arquivos..."), - "resumableUploads": - MessageLookupByLibrary.simpleMessage("Envios retomáveis"), - "retry": MessageLookupByLibrary.simpleMessage("Tentar novamente"), - "review": MessageLookupByLibrary.simpleMessage("Revisar"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Reveja e exclua os itens que você acredita serem duplicados."), - "reviewSuggestions": - MessageLookupByLibrary.simpleMessage("Revisar sugestões"), - "right": MessageLookupByLibrary.simpleMessage("Direita"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("Girar"), - "rotateLeft": - MessageLookupByLibrary.simpleMessage("Girar para a esquerda"), - "rotateRight": - MessageLookupByLibrary.simpleMessage("Girar para a direita"), - "safelyStored": - MessageLookupByLibrary.simpleMessage("Armazenado com segurança"), - "same": MessageLookupByLibrary.simpleMessage("Igual"), - "sameperson": MessageLookupByLibrary.simpleMessage("Mesma pessoa?"), - "save": MessageLookupByLibrary.simpleMessage("Salvar"), - "saveAsAnotherPerson": - MessageLookupByLibrary.simpleMessage("Salvar como outra pessoa"), - "saveChangesBeforeLeavingQuestion": - MessageLookupByLibrary.simpleMessage( - "Salvar mudanças antes de sair?"), - "saveCollage": MessageLookupByLibrary.simpleMessage("Salvar colagem"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Salvar cópia"), - "saveKey": MessageLookupByLibrary.simpleMessage("Salvar chave"), - "savePerson": MessageLookupByLibrary.simpleMessage("Salvar pessoa"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Salve sua chave de recuperação, se você ainda não fez"), - "saving": MessageLookupByLibrary.simpleMessage("Salvando..."), - "savingEdits": - MessageLookupByLibrary.simpleMessage("Salvando edições..."), - "scanCode": MessageLookupByLibrary.simpleMessage("Escanear código"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Escaneie este código de barras com\no aplicativo autenticador"), - "search": MessageLookupByLibrary.simpleMessage("Buscar"), - "searchAlbumsEmptySection": - MessageLookupByLibrary.simpleMessage("Álbuns"), - "searchByAlbumNameHint": - MessageLookupByLibrary.simpleMessage("Nome do álbum"), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Nomes de álbuns (ex: \"Câmera\")\n• Tipos de arquivos (ex.: \"Vídeos\", \".gif\")\n• Anos e meses (ex.: \"2022\", \"Janeiro\")\n• Temporadas (ex.: \"Natal\")\n• Tags (ex.: \"#divertido\")"), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Adicione marcações como \"#viagem\" nas informações das fotos para encontrá-las aqui com facilidade"), - "searchDatesEmptySection": - MessageLookupByLibrary.simpleMessage("Buscar por data, mês ou ano"), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "As imagens serão exibidas aqui quando o processamento e sincronização for concluído"), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "As pessoas apareceram aqui quando a indexação for concluída"), - "searchFileTypesAndNamesEmptySection": - MessageLookupByLibrary.simpleMessage("Tipos de arquivo e nomes"), - "searchHint1": - MessageLookupByLibrary.simpleMessage("busca rápida no dispositivo"), - "searchHint2": - MessageLookupByLibrary.simpleMessage("Descrições e data das fotos"), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "Álbuns, nomes de arquivos e tipos"), - "searchHint4": MessageLookupByLibrary.simpleMessage("Localização"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "Em breve: Busca mágica e rostos ✨"), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Fotos de grupo que estão sendo tiradas em algum raio da foto"), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "Convide pessoas e você verá todas as fotos compartilhadas por elas aqui"), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "As pessoas serão exibidas aqui quando o processamento e sincronização for concluído"), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Segurança"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "Ver links de álbum compartilhado no aplicativo"), - "selectALocation": - MessageLookupByLibrary.simpleMessage("Selecionar localização"), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage( - "Primeiramente selecione uma localização"), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Selecionar álbum"), - "selectAll": MessageLookupByLibrary.simpleMessage("Selecionar tudo"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("Tudo"), - "selectCoverPhoto": - MessageLookupByLibrary.simpleMessage("Selecionar foto da capa"), - "selectDate": MessageLookupByLibrary.simpleMessage("Selecionar data"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Selecione as pastas para salvá-las"), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "Selecionar itens para adicionar"), - "selectLanguage": - MessageLookupByLibrary.simpleMessage("Selecionar idioma"), - "selectMailApp": MessageLookupByLibrary.simpleMessage( - "Selecionar aplicativo de e-mail"), - "selectMorePhotos": - MessageLookupByLibrary.simpleMessage("Selecionar mais fotos"), - "selectOneDateAndTime": - MessageLookupByLibrary.simpleMessage("Selecionar data e hora"), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "Selecione uma data e hora para todos"), - "selectPersonToLink": MessageLookupByLibrary.simpleMessage( - "Selecione a pessoa para vincular"), - "selectReason": MessageLookupByLibrary.simpleMessage("Diga o motivo"), - "selectStartOfRange": MessageLookupByLibrary.simpleMessage( - "Selecionar início de intervalo"), - "selectTime": MessageLookupByLibrary.simpleMessage("Selecionar tempo"), - "selectYourFace": - MessageLookupByLibrary.simpleMessage("Selecione seu rosto"), - "selectYourPlan": - MessageLookupByLibrary.simpleMessage("Selecione seu plano"), - "selectedAlbums": m79, - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Os arquivos selecionados não estão no Ente"), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "As pastas selecionadas serão criptografadas e salvas em segurança"), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Os itens selecionados serão excluídos de todos os álbuns e movidos para a lixeira."), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "Os itens selecionados serão removidos desta pessoa, entretanto não serão excluídos da sua biblioteca."), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("Enviar"), - "sendEmail": MessageLookupByLibrary.simpleMessage("Enviar e-mail"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Enviar convite"), - "sendLink": MessageLookupByLibrary.simpleMessage("Enviar link"), - "serverEndpoint": - MessageLookupByLibrary.simpleMessage("Ponto final do servidor"), - "sessionExpired": - MessageLookupByLibrary.simpleMessage("Sessão expirada"), - "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( - "Incompatibilidade de ID de sessão"), - "setAPassword": MessageLookupByLibrary.simpleMessage("Definir senha"), - "setAs": MessageLookupByLibrary.simpleMessage("Definir como"), - "setCover": MessageLookupByLibrary.simpleMessage("Definir capa"), - "setLabel": MessageLookupByLibrary.simpleMessage("Definir"), - "setNewPassword": - MessageLookupByLibrary.simpleMessage("Definir nova senha"), - "setNewPin": MessageLookupByLibrary.simpleMessage("Definir PIN novo"), - "setPasswordTitle": - MessageLookupByLibrary.simpleMessage("Definir senha"), - "setRadius": MessageLookupByLibrary.simpleMessage("Definir raio"), - "setupComplete": - MessageLookupByLibrary.simpleMessage("Configuração concluída"), - "share": MessageLookupByLibrary.simpleMessage("Compartilhar"), - "shareALink": MessageLookupByLibrary.simpleMessage("Compartilhar link"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Abra um álbum e toque no botão compartilhar no canto superior direito para compartilhar."), - "shareAnAlbumNow": - MessageLookupByLibrary.simpleMessage("Compartilhar um álbum agora"), - "shareLink": MessageLookupByLibrary.simpleMessage("Compartilhar link"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Compartilhar apenas com as pessoas que você quiser"), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Baixe o Ente para que nós possamos compartilhar com facilidade fotos e vídeos de qualidade original\n\nhttps://ente.io"), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Compartilhar com usuários não ente"), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( - "Compartilhar seu primeiro álbum"), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Criar álbuns compartilhados e colaborativos com outros usuários Ente, incluindo usuários em planos gratuitos."), - "sharedByMe": - MessageLookupByLibrary.simpleMessage("Compartilhada por mim"), - "sharedByYou": - MessageLookupByLibrary.simpleMessage("Compartilhado por você"), - "sharedPhotoNotifications": - MessageLookupByLibrary.simpleMessage("Novas fotos compartilhadas"), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Receba notificações caso alguém adicione uma foto a um álbum compartilhado que você faz parte"), - "sharedWith": m87, - "sharedWithMe": - MessageLookupByLibrary.simpleMessage("Compartilhado comigo"), - "sharedWithYou": - MessageLookupByLibrary.simpleMessage("Compartilhado com você"), - "sharing": MessageLookupByLibrary.simpleMessage("Compartilhando..."), - "shiftDatesAndTime": - MessageLookupByLibrary.simpleMessage("Alterar as datas e horas"), - "showLessFaces": - MessageLookupByLibrary.simpleMessage("Exibir menos rostos"), - "showMemories": - MessageLookupByLibrary.simpleMessage("Mostrar memórias"), - "showMoreFaces": - MessageLookupByLibrary.simpleMessage("Exibir mais rostos"), - "showPerson": MessageLookupByLibrary.simpleMessage("Mostrar pessoa"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "Sair da conta em outros dispositivos"), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Se você acha que alguém possa saber da sua senha, você pode forçar desconectar sua conta de outros dispositivos."), - "signOutOtherDevices": - MessageLookupByLibrary.simpleMessage("Sair em outros dispositivos"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Eu concordo com os termos de serviço e a política de privacidade"), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Ele será excluído de todos os álbuns."), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Pular"), - "smartMemories": - MessageLookupByLibrary.simpleMessage("Memórias inteligentes"), - "social": MessageLookupByLibrary.simpleMessage("Redes sociais"), - "someItemsAreInBothEnteAndYourDevice": - MessageLookupByLibrary.simpleMessage( - "Alguns itens estão em ambos o Ente quanto no seu dispositivo."), - "someOfTheFilesYouAreTryingToDeleteAre": - MessageLookupByLibrary.simpleMessage( - "Alguns dos arquivos que você está tentando excluir só estão disponíveis no seu dispositivo e não podem ser recuperados se forem excluídos"), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Alguém compartilhando álbuns com você deve ver o mesmo ID no dispositivo."), - "somethingWentWrong": - MessageLookupByLibrary.simpleMessage("Algo deu errado"), - "somethingWentWrongPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Algo deu errado. Tente outra vez"), - "sorry": MessageLookupByLibrary.simpleMessage("Desculpe"), - "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( - "Desculpe, não podemos salvar em segurança este arquivo no momento, nós tentaremos mais tarde."), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Desculpe, não foi possível adicionar aos favoritos!"), - "sorryCouldNotRemoveFromFavorites": - MessageLookupByLibrary.simpleMessage( - "Desculpe, não foi possível remover dos favoritos!"), - "sorryTheCodeYouveEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "O código inserido está incorreto"), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Desculpe, não foi possível gerar chaves seguras neste dispositivo.\n\ninicie sessão com um dispositivo diferente."), - "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( - "Desculpe, tivemos que pausar os salvamentos em segurança"), - "sort": MessageLookupByLibrary.simpleMessage("Ordenar"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Ordenar por"), - "sortNewestFirst": - MessageLookupByLibrary.simpleMessage("Recentes primeiro"), - "sortOldestFirst": - MessageLookupByLibrary.simpleMessage("Antigos primeiro"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Sucesso"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": - MessageLookupByLibrary.simpleMessage("Destacar si mesmo"), - "startAccountRecoveryTitle": - MessageLookupByLibrary.simpleMessage("Iniciar recuperação"), - "startBackup": MessageLookupByLibrary.simpleMessage( - "Iniciar a salvar em segurança"), - "status": MessageLookupByLibrary.simpleMessage("Estado"), - "stopCastingBody": - MessageLookupByLibrary.simpleMessage("Deseja parar a transmissão?"), - "stopCastingTitle": - MessageLookupByLibrary.simpleMessage("Parar transmissão"), - "storage": MessageLookupByLibrary.simpleMessage("Armazenamento"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Família"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Você"), - "storageInGB": m93, - "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( - "Limite de armazenamento excedido"), - "storageUsageInfo": m94, - "streamDetails": - MessageLookupByLibrary.simpleMessage("Detalhes da transmissão"), - "strongStrength": MessageLookupByLibrary.simpleMessage("Forte"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Inscrever-se"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Você precisa de uma inscrição paga ativa para ativar o compartilhamento."), - "subscription": MessageLookupByLibrary.simpleMessage("Assinatura"), - "success": MessageLookupByLibrary.simpleMessage("Sucesso"), - "successfullyArchived": - MessageLookupByLibrary.simpleMessage("Arquivado com sucesso"), - "successfullyHid": - MessageLookupByLibrary.simpleMessage("Ocultado com sucesso"), - "successfullyUnarchived": - MessageLookupByLibrary.simpleMessage("Desarquivado com sucesso"), - "successfullyUnhid": - MessageLookupByLibrary.simpleMessage("Desocultado com sucesso"), - "suggestFeatures": - MessageLookupByLibrary.simpleMessage("Sugerir recurso"), - "sunrise": MessageLookupByLibrary.simpleMessage("No horizonte"), - "support": MessageLookupByLibrary.simpleMessage("Suporte"), - "syncProgress": m97, - "syncStopped": - MessageLookupByLibrary.simpleMessage("Sincronização interrompida"), - "syncing": MessageLookupByLibrary.simpleMessage("Sincronizando..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("Sistema"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("toque para copiar"), - "tapToEnterCode": - MessageLookupByLibrary.simpleMessage("Toque para inserir código"), - "tapToUnlock": - MessageLookupByLibrary.simpleMessage("Toque para desbloquear"), - "tapToUpload": - MessageLookupByLibrary.simpleMessage("Toque para enviar"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Parece que algo deu errado. Tente novamente mais tarde. Caso o erro persistir, por favor, entre em contato com nossa equipe."), - "terminate": MessageLookupByLibrary.simpleMessage("Encerrar"), - "terminateSession": MessageLookupByLibrary.simpleMessage("Sair?"), - "terms": MessageLookupByLibrary.simpleMessage("Termos"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Termos"), - "thankYou": MessageLookupByLibrary.simpleMessage("Obrigado"), - "thankYouForSubscribing": - MessageLookupByLibrary.simpleMessage("Obrigado por assinar!"), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "A instalação não pôde ser concluída"), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "O link que você está tentando acessar já expirou."), - "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "Os grupos de pessoa não serão exibidos na seção de pessoa. As fotos permanecerão intactas."), - "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "A pessoa não será exibida na seção de pessoas. As fotos permanecerão intactas."), - "theRecoveryKeyYouEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "A chave de recuperação inserida está incorreta"), - "theme": MessageLookupByLibrary.simpleMessage("Tema"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Estes itens serão excluídos do seu dispositivo."), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "Eles serão excluídos de todos os álbuns."), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Esta ação não pode ser desfeita"), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "Este álbum já tem um link colaborativo"), - "thisCanBeUsedToRecoverYourAccountIfYou": - MessageLookupByLibrary.simpleMessage( - "Isso pode ser usado para recuperar sua conta se você perder seu segundo fator"), - "thisDevice": MessageLookupByLibrary.simpleMessage("Este dispositivo"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "Este e-mail já está sendo usado"), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Esta imagem não possui dados EXIF"), - "thisIsMeExclamation": - MessageLookupByLibrary.simpleMessage("Este é você!"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Este é o seu ID de verificação"), - "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( - "Esta semana com o passar dos anos"), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Isso fará você sair do dispositivo a seguir:"), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Isso fará você sair deste dispositivo!"), - "thisWillMakeTheDateAndTimeOfAllSelected": - MessageLookupByLibrary.simpleMessage( - "Isso fará que a data e hora de todas as fotos selecionadas fiquem iguais."), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "Isto removerá links públicos de todos os links rápidos selecionados."), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "Para ativar o bloqueio do aplicativo, defina uma senha de acesso no dispositivo ou bloqueie sua tela nas opções do sistema."), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( - "Para ocultar uma foto ou vídeo"), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Para redefinir sua senha, verifique seu e-mail primeiramente."), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Registros de hoje"), - "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( - "Muitas tentativas incorretas"), - "total": MessageLookupByLibrary.simpleMessage("total"), - "totalSize": MessageLookupByLibrary.simpleMessage("Tamanho total"), - "trash": MessageLookupByLibrary.simpleMessage("Lixeira"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Recortar"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": - MessageLookupByLibrary.simpleMessage("Contatos confiáveis"), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Tente novamente"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Ative o salvamento em segurança para automaticamente enviar arquivos adicionados à pasta do dispositivo para o Ente."), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter/X"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "2 meses grátis em planos anuais"), - "twofactor": MessageLookupByLibrary.simpleMessage("Dois fatores"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "A autenticação de dois fatores foi desativada"), - "twofactorAuthenticationPageTitle": - MessageLookupByLibrary.simpleMessage( - "Autenticação de dois fatores"), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "Autenticação de dois fatores redefinida com sucesso"), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Configuração de dois fatores"), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("Desarquivar"), - "unarchiveAlbum": - MessageLookupByLibrary.simpleMessage("Desarquivar álbum"), - "unarchiving": MessageLookupByLibrary.simpleMessage("Desarquivando..."), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Desculpe, este código está indisponível."), - "uncategorized": MessageLookupByLibrary.simpleMessage("Sem categoria"), - "unhide": MessageLookupByLibrary.simpleMessage("Desocultar"), - "unhideToAlbum": - MessageLookupByLibrary.simpleMessage("Desocultar para o álbum"), - "unhiding": MessageLookupByLibrary.simpleMessage("Reexibindo..."), - "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Desocultando arquivos para o álbum"), - "unlock": MessageLookupByLibrary.simpleMessage("Desbloquear"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("Desafixar álbum"), - "unselectAll": MessageLookupByLibrary.simpleMessage("Desmarcar tudo"), - "update": MessageLookupByLibrary.simpleMessage("Atualizar"), - "updateAvailable": - MessageLookupByLibrary.simpleMessage("Atualização disponível"), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Atualizando seleção de pasta..."), - "upgrade": MessageLookupByLibrary.simpleMessage("Atualizar"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Enviando arquivos para o álbum..."), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": - MessageLookupByLibrary.simpleMessage("Preservando 1 memória..."), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "Com 50% de desconto, até 4 de dezembro"), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "O armazenamento disponível é limitado devido ao seu plano atual. O armazenamento adicional será aplicado quando você atualizar seu plano."), - "useAsCover": MessageLookupByLibrary.simpleMessage("Usar como capa"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "Enfrentando problemas ao reproduzir este vídeo? Mantenha pressionado aqui para tentar outro reprodutor de vídeo"), - "usePublicLinksForPeopleNotOnEnte": - MessageLookupByLibrary.simpleMessage( - "Usar links públicos para pessoas que não estão no Ente"), - "useRecoveryKey": - MessageLookupByLibrary.simpleMessage("Usar chave de recuperação"), - "useSelectedPhoto": - MessageLookupByLibrary.simpleMessage("Usar foto selecionada"), - "usedSpace": MessageLookupByLibrary.simpleMessage("Espaço usado"), - "validTill": m110, - "verificationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Falha na verificação. Tente novamente"), - "verificationId": - MessageLookupByLibrary.simpleMessage("ID de verificação"), - "verify": MessageLookupByLibrary.simpleMessage("Verificar"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("Verificar e-mail"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Verificar"), - "verifyPasskey": - MessageLookupByLibrary.simpleMessage("Verificar chave de acesso"), - "verifyPassword": - MessageLookupByLibrary.simpleMessage("Verificar senha"), - "verifying": MessageLookupByLibrary.simpleMessage("Verificando..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Verificando chave de recuperação..."), - "videoInfo": - MessageLookupByLibrary.simpleMessage("Informações do vídeo"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("vídeo"), - "videoStreaming": - MessageLookupByLibrary.simpleMessage("Vídeos transmissíveis"), - "videos": MessageLookupByLibrary.simpleMessage("Vídeos"), - "viewActiveSessions": - MessageLookupByLibrary.simpleMessage("Ver sessões ativas"), - "viewAddOnButton": - MessageLookupByLibrary.simpleMessage("Ver complementos"), - "viewAll": MessageLookupByLibrary.simpleMessage("Ver tudo"), - "viewAllExifData": - MessageLookupByLibrary.simpleMessage("Ver todos os dados EXIF"), - "viewLargeFiles": - MessageLookupByLibrary.simpleMessage("Arquivos grandes"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Ver arquivos que consumem a maior parte do armazenamento."), - "viewLogs": MessageLookupByLibrary.simpleMessage("Ver registros"), - "viewPersonToUnlink": m112, - "viewRecoveryKey": - MessageLookupByLibrary.simpleMessage("Ver chave de recuperação"), - "viewer": MessageLookupByLibrary.simpleMessage("Visualizador"), - "viewersSuccessfullyAdded": m113, - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Visite o web.ente.io para gerenciar sua assinatura"), - "waitingForVerification": - MessageLookupByLibrary.simpleMessage("Esperando verificação..."), - "waitingForWifi": - MessageLookupByLibrary.simpleMessage("Aguardando Wi-Fi..."), - "warning": MessageLookupByLibrary.simpleMessage("Aviso"), - "weAreOpenSource": - MessageLookupByLibrary.simpleMessage("Nós somos de código aberto!"), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "Não suportamos a edição de fotos e álbuns que você ainda não possui"), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Fraca"), - "welcomeBack": - MessageLookupByLibrary.simpleMessage("Bem-vindo(a) de volta!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("O que há de novo"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "Um contato confiável pode ajudá-lo em recuperar seus dados."), - "widgets": MessageLookupByLibrary.simpleMessage("Widgets"), - "wishThemAHappyBirthday": m115, - "yearShort": MessageLookupByLibrary.simpleMessage("ano"), - "yearly": MessageLookupByLibrary.simpleMessage("Anual"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Sim"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Sim"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "Sim, converter para visualizador"), - "yesDelete": MessageLookupByLibrary.simpleMessage("Sim, excluir"), - "yesDiscardChanges": - MessageLookupByLibrary.simpleMessage("Sim, descartar alterações"), - "yesIgnore": MessageLookupByLibrary.simpleMessage("Sim, ignorar"), - "yesLogout": - MessageLookupByLibrary.simpleMessage("Sim, encerrar sessão"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Sim, excluir"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Sim"), - "yesResetPerson": - MessageLookupByLibrary.simpleMessage("Sim, redefinir pessoa"), - "you": MessageLookupByLibrary.simpleMessage("Você"), - "youAndThem": m117, - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( - "Você está em um plano familiar!"), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Você está na versão mais recente"), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Você pode duplicar seu armazenamento ao máximo"), - "youCanManageYourLinksInTheShareTab": - MessageLookupByLibrary.simpleMessage( - "Você pode gerenciar seus links na aba de compartilhamento."), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "Você pode tentar buscar por outra consulta."), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "Você não pode rebaixar para este plano"), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Não é possível compartilhar consigo mesmo"), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "Você não tem nenhum item arquivado."), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": - MessageLookupByLibrary.simpleMessage("Sua conta foi excluída"), - "yourMap": MessageLookupByLibrary.simpleMessage("Seu mapa"), - "yourPlanWasSuccessfullyDowngraded": - MessageLookupByLibrary.simpleMessage( - "Seu plano foi rebaixado com sucesso"), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "Seu plano foi atualizado com sucesso"), - "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( - "Sua compra foi efetuada com sucesso"), - "yourStorageDetailsCouldNotBeFetched": - MessageLookupByLibrary.simpleMessage( - "Seus detalhes de armazenamento não puderam ser obtidos"), - "yourSubscriptionHasExpired": - MessageLookupByLibrary.simpleMessage("A sua assinatura expirou"), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "Sua assinatura foi atualizada com sucesso"), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "O código de verificação expirou"), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage( - "Você não possui nenhum arquivo duplicado que possa ser excluído"), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "Você não tem arquivos neste álbum que possam ser excluídos"), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( - "Reduzir ampliação para ver as fotos") - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Uma nova versão do Ente está disponível.", + ), + "about": MessageLookupByLibrary.simpleMessage("Sobre"), + "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( + "Aceitar convite", + ), + "account": MessageLookupByLibrary.simpleMessage("Conta"), + "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( + "A conta já está configurada.", + ), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( + "Bem-vindo(a) de volta!", + ), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Eu entendo que se eu perder minha senha, posso perder meus dados, já que meus dados são criptografados de ponta a ponta.", + ), + "actionNotSupportedOnFavouritesAlbum": MessageLookupByLibrary.simpleMessage( + "Ação não suportada em álbum favorito", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage("Sessões ativas"), + "add": MessageLookupByLibrary.simpleMessage("Adicionar"), + "addAName": MessageLookupByLibrary.simpleMessage("Adicione um nome"), + "addANewEmail": MessageLookupByLibrary.simpleMessage( + "Adicionar um novo e-mail", + ), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Adicione um widget de álbum a sua tela inicial e volte aqui para personalizar.", + ), + "addCollaborator": MessageLookupByLibrary.simpleMessage( + "Adicionar colaborador", + ), + "addCollaborators": m1, + "addFiles": MessageLookupByLibrary.simpleMessage("Adicionar arquivos"), + "addFromDevice": MessageLookupByLibrary.simpleMessage( + "Adicionar do dispositivo", + ), + "addItem": m2, + "addLocation": MessageLookupByLibrary.simpleMessage( + "Adicionar localização", + ), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Adicionar"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Adicione um widget de memória a sua tela inicial e volte aqui para personalizar.", + ), + "addMore": MessageLookupByLibrary.simpleMessage("Adicionar mais"), + "addName": MessageLookupByLibrary.simpleMessage("Adicionar pessoa"), + "addNameOrMerge": MessageLookupByLibrary.simpleMessage( + "Adicionar nome ou juntar", + ), + "addNew": MessageLookupByLibrary.simpleMessage("Adicionar novo"), + "addNewPerson": MessageLookupByLibrary.simpleMessage( + "Adicionar nova pessoa", + ), + "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( + "Detalhes dos complementos", + ), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("Complementos"), + "addParticipants": MessageLookupByLibrary.simpleMessage( + "Adicionar participante", + ), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Adicione um widget de pessoas a sua tela inicial e volte aqui para personalizar.", + ), + "addPhotos": MessageLookupByLibrary.simpleMessage("Adicionar fotos"), + "addSelected": MessageLookupByLibrary.simpleMessage( + "Adicionar selecionado", + ), + "addToAlbum": MessageLookupByLibrary.simpleMessage("Adicionar ao álbum"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Adicionar ao Ente"), + "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Adicionar ao álbum oculto", + ), + "addTrustedContact": MessageLookupByLibrary.simpleMessage( + "Adicionar contato confiável", + ), + "addViewer": MessageLookupByLibrary.simpleMessage("Adicionar visualizador"), + "addViewers": m4, + "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( + "Adicione suas fotos agora", + ), + "addedAs": MessageLookupByLibrary.simpleMessage("Adicionado como"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": MessageLookupByLibrary.simpleMessage( + "Adicionando aos favoritos...", + ), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("Avançado"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Avançado"), + "after1Day": MessageLookupByLibrary.simpleMessage("Após 1 dia"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Após 1 hora"), + "after1Month": MessageLookupByLibrary.simpleMessage("Após 1 mês"), + "after1Week": MessageLookupByLibrary.simpleMessage("Após 1 semana"), + "after1Year": MessageLookupByLibrary.simpleMessage("Após 1 ano"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Proprietário"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Título do álbum"), + "albumUpdated": MessageLookupByLibrary.simpleMessage("Álbum atualizado"), + "albums": MessageLookupByLibrary.simpleMessage("Álbuns"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Selecione os álbuns que deseje vê-los na sua tela inicial.", + ), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Tudo limpo"), + "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( + "Todas as memórias preservadas", + ), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "Todos os agrupamentos dessa pessoa serão redefinidos, e você perderá todas as sugestões feitas por essa pessoa.", + ), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "Todos os grupos sem nome serão mesclados numa pessoa selecionada. Isso ainda pode ser desfeito no histórico de sugestões da pessoa.", + ), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "Este é o primeiro do grupo. As outras fotos selecionadas serão automaticamente alteradas para esta nova data", + ), + "allow": MessageLookupByLibrary.simpleMessage("Permitir"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Permitir que as pessoas com link também adicionem fotos ao álbum compartilhado.", + ), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( + "Permitir adicionar fotos", + ), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "Permitir aplicativo abrir links de álbum compartilhado", + ), + "allowDownloads": MessageLookupByLibrary.simpleMessage( + "Permitir downloads", + ), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Permitir que pessoas adicionem fotos", + ), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Permita o acesso a suas fotos nas Opções para que Ente exiba e salva em segurança sua fototeca.", + ), + "allowPermTitle": MessageLookupByLibrary.simpleMessage( + "Permita acesso às Fotos", + ), + "androidBiometricHint": MessageLookupByLibrary.simpleMessage( + "Verificar identidade", + ), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "Não reconhecido. Tente novamente.", + ), + "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( + "Biométrica necessária", + ), + "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("Sucesso"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Cancelar"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage("Credenciais necessários"), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage("Credenciais necessários"), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "A autenticação biométrica não está definida no dispositivo. Vá em \'Opções > Segurança\' para adicionar a autenticação biométrica.", + ), + "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( + "Android, iOS, Web, Computador", + ), + "androidSignInTitle": MessageLookupByLibrary.simpleMessage( + "Autenticação necessária", + ), + "appIcon": MessageLookupByLibrary.simpleMessage("Ícone do aplicativo"), + "appLock": MessageLookupByLibrary.simpleMessage("Bloqueio do aplicativo"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Escolha entre a tela de bloqueio padrão do seu dispositivo e uma tela de bloqueio personalizada com PIN ou senha.", + ), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("ID da Apple"), + "apply": MessageLookupByLibrary.simpleMessage("Aplicar"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Aplicar código"), + "appstoreSubscription": MessageLookupByLibrary.simpleMessage( + "Assinatura da AppStore", + ), + "archive": MessageLookupByLibrary.simpleMessage("Arquivo"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("Arquivar álbum"), + "archiving": MessageLookupByLibrary.simpleMessage("Arquivando..."), + "areThey": MessageLookupByLibrary.simpleMessage("Eles são "), + "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( + "Deseja mesmo remover o rosto desta pessoa?", + ), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Você tem certeza que queira sair do plano familiar?", + ), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "Deseja cancelar?", + ), + "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( + "Deseja trocar de plano?", + ), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "Tem certeza de que queira sair?", + ), + "areYouSureYouWantToIgnoreThesePersons": + MessageLookupByLibrary.simpleMessage( + "Você deseja mesmo ignorar estas pessoas?", + ), + "areYouSureYouWantToIgnoreThisPerson": MessageLookupByLibrary.simpleMessage( + "Você deseja mesmo ignorar esta pessoa?", + ), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Você tem certeza que quer encerrar sessão?", + ), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "Você desejar mesmo mesclá-los?", + ), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "Deseja renovar?", + ), + "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( + "Deseja redefinir esta pessoa?", + ), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "Sua assinatura foi cancelada. Deseja compartilhar o motivo?", + ), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Por que você quer excluir sua conta?", + ), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Peça que seus entes queridos compartilhem", + ), + "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( + "em um abrigo avançado", + ), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Autentique-se para alterar o e-mail de verificação", + ), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Autentique para alterar a configuração da tela de bloqueio", + ), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Por favor, autentique-se para alterar o seu e-mail", + ), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Autentique para alterar sua senha", + ), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Autentique para configurar a autenticação de dois fatores", + ), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Autentique para iniciar a exclusão de conta", + ), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Autentique-se para gerenciar seus contatos confiáveis", + ), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Autentique-se para ver sua chave de acesso", + ), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Autentique-se para ver seus arquivos excluídos", + ), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Autentique para ver as sessões ativas", + ), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Autentique-se para visualizar seus arquivos ocultos", + ), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Autentique-se para ver suas memórias", + ), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Autentique para ver sua chave de recuperação", + ), + "authenticating": MessageLookupByLibrary.simpleMessage("Autenticando..."), + "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Falha na autenticação. Tente novamente", + ), + "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( + "Autenticado com sucesso!", + ), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Você verá dispositivos de transmissão disponível aqui.", + ), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Certifique-se que as permissões da internet local estejam ligadas para o Ente Photos App, em opções.", + ), + "autoLock": MessageLookupByLibrary.simpleMessage("Bloqueio automático"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Tempo após o qual o aplicativo bloqueia após ser colocado em segundo plano", + ), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "Devido ao ocorrido de erros técnicos, você foi desconectado. Pedimos desculpas pela inconveniência.", + ), + "autoPair": MessageLookupByLibrary.simpleMessage("Pareamento automático"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "O pareamento automático só funciona com dispositivos que suportam o Chromecast.", + ), + "available": MessageLookupByLibrary.simpleMessage("Disponível"), + "availableStorageSpace": m10, + "backedUpFolders": MessageLookupByLibrary.simpleMessage( + "Pastas salvas em segurança", + ), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("Salvar em segurança"), + "backupFailed": MessageLookupByLibrary.simpleMessage( + "Falhou ao salvar em segurança", + ), + "backupFile": MessageLookupByLibrary.simpleMessage( + "Salvar arquivo em segurança", + ), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Salvar fotos com dados móveis", + ), + "backupSettings": MessageLookupByLibrary.simpleMessage( + "Ajustes de salvar em segurança", + ), + "backupStatus": MessageLookupByLibrary.simpleMessage( + "Estado das mídias salvas", + ), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Os itens salvos em segurança aparecerão aqui", + ), + "backupVideos": MessageLookupByLibrary.simpleMessage( + "Salvar vídeos em segurança", + ), + "beach": MessageLookupByLibrary.simpleMessage("Areia e o mar"), + "birthday": MessageLookupByLibrary.simpleMessage("Aniversário"), + "birthdayNotifications": MessageLookupByLibrary.simpleMessage( + "Notificações de aniversário", + ), + "birthdays": MessageLookupByLibrary.simpleMessage("Aniversários"), + "blackFridaySale": MessageLookupByLibrary.simpleMessage( + "Promoção Black Friday", + ), + "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cLDesc1": MessageLookupByLibrary.simpleMessage( + "De volta na transmissão de vídeo beta, e trabalhando em envios e downloads retomáveis, nós aumentamos o limite de envio de arquivos para 10 GB. Isso está disponível em ambos a versão móvel e a versão para desktop.", + ), + "cLDesc2": MessageLookupByLibrary.simpleMessage( + "Envios de fundo agora são suportados no iOS também, para assemelhar-se aos dispositivos Android. Não precisa abrir o aplicativo para salvar em segurança as fotos e vídeos mais recentes.", + ), + "cLDesc3": MessageLookupByLibrary.simpleMessage( + "Fizemos melhorias significantes para a experiência de memórias, incluindo reprodução automática, deslizar para a próxima memória e mais.", + ), + "cLDesc4": MessageLookupByLibrary.simpleMessage( + "Ao lado de outras melhorias, agora ficou mais fácil para detectar rostos, fornecer comentários em rostos similares, e adicionar/remover rostos de uma foto.", + ), + "cLDesc5": MessageLookupByLibrary.simpleMessage( + "Você receberá uma notificação opcional para todos os aniversários salvos no Ente, além de uma coleção de melhores fotos.", + ), + "cLDesc6": MessageLookupByLibrary.simpleMessage( + "Nada de esperar os envios/downloads terminarem para fechar o aplicativo. Todos os envios e downloads agora possuem a habilidade de ser pausado na metade do processo, e retomar de onde você parou.", + ), + "cLTitle1": MessageLookupByLibrary.simpleMessage( + "Enviando arquivos de vídeo grandes", + ), + "cLTitle2": MessageLookupByLibrary.simpleMessage("Envio de fundo"), + "cLTitle3": MessageLookupByLibrary.simpleMessage( + "Reproduzir memórias auto.", + ), + "cLTitle4": MessageLookupByLibrary.simpleMessage( + "Reconhecimento Facial Melhorado", + ), + "cLTitle5": MessageLookupByLibrary.simpleMessage( + "Notificações de aniversário", + ), + "cLTitle6": MessageLookupByLibrary.simpleMessage( + "Envios e downloads retomáveis", + ), + "cachedData": MessageLookupByLibrary.simpleMessage( + "Dados armazenados em cache", + ), + "calculating": MessageLookupByLibrary.simpleMessage("Calculando..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Desculpe, este álbum não pode ser aberto no aplicativo.", + ), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( + "Não pôde abrir este álbum", + ), + "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( + "Não é possível enviar para álbuns pertencentes a outros", + ), + "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Só é possível criar um link para arquivos pertencentes a você", + ), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Só pode remover arquivos de sua propriedade", + ), + "cancel": MessageLookupByLibrary.simpleMessage("Cancelar"), + "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( + "Cancelar recuperação", + ), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "Deseja mesmo cancelar a recuperação de conta?", + ), + "cancelOtherSubscription": m12, + "cancelSubscription": MessageLookupByLibrary.simpleMessage( + "Cancelar assinatura", + ), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Não é possível excluir arquivos compartilhados", + ), + "castAlbum": MessageLookupByLibrary.simpleMessage("Transferir álbum"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Certifique-se de estar na mesma internet que a TV.", + ), + "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( + "Falhou ao transmitir álbum", + ), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Acesse cast.ente.io no dispositivo desejado para parear.\n\nInsira o código abaixo para reproduzir o álbum na sua TV.", + ), + "centerPoint": MessageLookupByLibrary.simpleMessage("Ponto central"), + "change": MessageLookupByLibrary.simpleMessage("Alterar"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Alterar e-mail"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Alterar a localização dos itens selecionados?", + ), + "changePassword": MessageLookupByLibrary.simpleMessage("Alterar senha"), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Alterar senha", + ), + "changePermissions": MessageLookupByLibrary.simpleMessage( + "Alterar permissões?", + ), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Alterar código de referência", + ), + "checkForUpdates": MessageLookupByLibrary.simpleMessage( + "Buscar atualizações", + ), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Verifique sua caixa de entrada (e spam) para concluir a verificação", + ), + "checkStatus": MessageLookupByLibrary.simpleMessage("Verificar estado"), + "checking": MessageLookupByLibrary.simpleMessage("Verificando..."), + "checkingModels": MessageLookupByLibrary.simpleMessage( + "Verificando modelos...", + ), + "city": MessageLookupByLibrary.simpleMessage("Na cidade"), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage( + "Reivindique armaz. grátis", + ), + "claimMore": MessageLookupByLibrary.simpleMessage("Reivindique mais!"), + "claimed": MessageLookupByLibrary.simpleMessage("Reivindicado"), + "claimedStorageSoFar": m14, + "cleanUncategorized": MessageLookupByLibrary.simpleMessage( + "Limpar não categorizado", + ), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Remover todos os arquivos não categorizados que estão presentes em outros álbuns", + ), + "clearCaches": MessageLookupByLibrary.simpleMessage("Limpar cache"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Limpar índices"), + "click": MessageLookupByLibrary.simpleMessage("• Clique"), + "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( + "• Clique no menu adicional", + ), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Clique para instalar a nossa melhor versão até então", + ), + "close": MessageLookupByLibrary.simpleMessage("Fechar"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( + "Agrupar por tempo de captura", + ), + "clubByFileName": MessageLookupByLibrary.simpleMessage( + "Agrupar por nome do arquivo", + ), + "clusteringProgress": MessageLookupByLibrary.simpleMessage( + "Progresso de agrupamento", + ), + "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( + "Código aplicado", + ), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Desculpe, você atingiu o limite de mudanças de código.", + ), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Código copiado para a área de transferência", + ), + "codeUsedByYou": MessageLookupByLibrary.simpleMessage( + "Código usado por você", + ), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Crie um link para permitir que as pessoas adicionem e vejam fotos no seu álbum compartilhado sem a necessidade do aplicativo ou uma conta Ente. Ótimo para colecionar fotos de eventos.", + ), + "collaborativeLink": MessageLookupByLibrary.simpleMessage( + "Link colaborativo", + ), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Colaborador"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Colaboradores podem adicionar fotos e vídeos ao álbum compartilhado.", + ), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("Layout"), + "collageSaved": MessageLookupByLibrary.simpleMessage( + "Colagem salva na galeria", + ), + "collect": MessageLookupByLibrary.simpleMessage("Coletar"), + "collectEventPhotos": MessageLookupByLibrary.simpleMessage( + "Coletar fotos de evento", + ), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Coletar fotos"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Crie um link onde seus amigos podem enviar fotos na qualidade original.", + ), + "color": MessageLookupByLibrary.simpleMessage("Cor"), + "configuration": MessageLookupByLibrary.simpleMessage("Configuração"), + "confirm": MessageLookupByLibrary.simpleMessage("Confirmar"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Você tem certeza que queira desativar a autenticação de dois fatores?", + ), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Confirmar exclusão da conta", + ), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Sim, eu quero permanentemente excluir esta conta e os dados em todos os aplicativos.", + ), + "confirmPassword": MessageLookupByLibrary.simpleMessage("Confirmar senha"), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage( + "Confirmar mudança de plano", + ), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Confirmar chave de recuperação", + ), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Confirme sua chave de recuperação", + ), + "connectToDevice": MessageLookupByLibrary.simpleMessage( + "Conectar ao dispositivo", + ), + "contactFamilyAdmin": m18, + "contactSupport": MessageLookupByLibrary.simpleMessage("Contatar suporte"), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Contatos"), + "contents": MessageLookupByLibrary.simpleMessage("Conteúdos"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Continuar"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "Continuar com a avaliação grátis", + ), + "convertToAlbum": MessageLookupByLibrary.simpleMessage( + "Converter para álbum", + ), + "copyEmailAddress": MessageLookupByLibrary.simpleMessage("Copiar e-mail"), + "copyLink": MessageLookupByLibrary.simpleMessage("Copiar link"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Copie e cole o código no aplicativo autenticador", + ), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "Nós não podemos salvar seus dados.\nNós tentaremos novamente mais tarde.", + ), + "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( + "Não foi possível liberar espaço", + ), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Não foi possível atualizar a assinatura", + ), + "count": MessageLookupByLibrary.simpleMessage("Contagem"), + "crashReporting": MessageLookupByLibrary.simpleMessage( + "Relatório de erros", + ), + "create": MessageLookupByLibrary.simpleMessage("Criar"), + "createAccount": MessageLookupByLibrary.simpleMessage("Criar conta"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Pressione para selecionar fotos e clique em + para criar um álbum", + ), + "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( + "Criar link colaborativo", + ), + "createCollage": MessageLookupByLibrary.simpleMessage("Criar colagem"), + "createNewAccount": MessageLookupByLibrary.simpleMessage( + "Criar nova conta", + ), + "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( + "Criar ou selecionar álbum", + ), + "createPublicLink": MessageLookupByLibrary.simpleMessage( + "Criar link público", + ), + "creatingLink": MessageLookupByLibrary.simpleMessage("Criando link..."), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "Atualização crítica disponível", + ), + "crop": MessageLookupByLibrary.simpleMessage("Cortar"), + "curatedMemories": MessageLookupByLibrary.simpleMessage( + "Memórias restauradas", + ), + "currentUsageIs": MessageLookupByLibrary.simpleMessage("O uso atual é "), + "currentlyRunning": MessageLookupByLibrary.simpleMessage( + "Atualmente executando", + ), + "custom": MessageLookupByLibrary.simpleMessage("Personalizado"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Escuro"), + "dayToday": MessageLookupByLibrary.simpleMessage("Hoje"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Ontem"), + "declineTrustInvite": MessageLookupByLibrary.simpleMessage( + "Recusar convite", + ), + "decrypting": MessageLookupByLibrary.simpleMessage("Descriptografando..."), + "decryptingVideo": MessageLookupByLibrary.simpleMessage( + "Descriptografando vídeo...", + ), + "deduplicateFiles": MessageLookupByLibrary.simpleMessage( + "Arquivos duplicados", + ), + "delete": MessageLookupByLibrary.simpleMessage("Excluir"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Excluir conta"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Lamentamos você ir. Compartilhe seu feedback para ajudar-nos a melhorar.", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Excluir conta permanentemente", + ), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Excluir álbum"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Também excluir as fotos (e vídeos) presentes neste álbum de todos os outros álbuns que eles fazem parte?", + ), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "Isso excluirá todos os álbuns vazios. Isso é útil quando você quiser reduzir a desordem no seu álbum.", + ), + "deleteAll": MessageLookupByLibrary.simpleMessage("Excluir tudo"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "Esta conta está vinculada aos outros aplicativos do Ente, se você usar algum. Seus dados baixados, entre todos os aplicativos do Ente, serão programados para exclusão, e sua conta será permanentemente excluída.", + ), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Por favor, envie um e-mail a account-deletion@ente.io do seu e-mail registrado.", + ), + "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( + "Excluir álbuns vazios", + ), + "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( + "Excluir álbuns vazios?", + ), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage("Excluir de ambos"), + "deleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Excluir do dispositivo", + ), + "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Excluir do Ente"), + "deleteItemCount": m21, + "deleteLocation": MessageLookupByLibrary.simpleMessage( + "Excluir localização", + ), + "deleteMultipleAlbumDialog": m22, + "deletePhotos": MessageLookupByLibrary.simpleMessage("Excluir fotos"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Está faltando um recurso-chave que eu preciso", + ), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "O aplicativo ou um certo recurso não funciona da maneira que eu acredito que deveria funcionar", + ), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Encontrei outro serviço que considero melhor", + ), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "Meu motivo não está listado", + ), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Sua solicitação será revisada em até 72 horas.", + ), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Excluir álbum compartilhado?", + ), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "O álbum será apagado para todos\n\nVocê perderá o acesso a fotos compartilhadas neste álbum que pertencem aos outros", + ), + "deselectAll": MessageLookupByLibrary.simpleMessage("Deselecionar tudo"), + "designedToOutlive": MessageLookupByLibrary.simpleMessage( + "Feito para reviver memórias", + ), + "details": MessageLookupByLibrary.simpleMessage("Detalhes"), + "developerSettings": MessageLookupByLibrary.simpleMessage( + "Opções de desenvolvedor", + ), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Deseja modificar as Opções de Desenvolvedor?", + ), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Insira o código"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "Arquivos adicionados ao álbum do dispositivo serão automaticamente enviados para o Ente.", + ), + "deviceLock": MessageLookupByLibrary.simpleMessage( + "Bloqueio do dispositivo", + ), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Desativa o bloqueio de tela se o Ente estiver de fundo e uma cópia de segurança ainda estiver em andamento. Às vezes, isso não é necessário, mas ajuda a agilizar envios grandes e importações iniciais de bibliotecas maiores.", + ), + "deviceNotFound": MessageLookupByLibrary.simpleMessage( + "Dispositivo não encontrado", + ), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Você sabia?"), + "different": MessageLookupByLibrary.simpleMessage("Diferente"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage( + "Desativar bloqueio automático", + ), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Os visualizadores podem fazer capturas de tela ou salvar uma cópia de suas fotos usando ferramentas externas", + ), + "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( + "Por favor, saiba que", + ), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "Desativar autenticação de dois fatores", + ), + "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( + "Desativando a autenticação de dois fatores...", + ), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Explorar"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Bebês"), + "discover_celebrations": MessageLookupByLibrary.simpleMessage( + "Comemorações", + ), + "discover_food": MessageLookupByLibrary.simpleMessage("Comida"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Vegetação"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Colinas"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Identidade"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Notas"), + "discover_pets": MessageLookupByLibrary.simpleMessage( + "Animais de estimação", + ), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Recibos"), + "discover_screenshots": MessageLookupByLibrary.simpleMessage( + "Capturas de tela", + ), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfies"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Pôr do sol"), + "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( + "Cartões de visita", + ), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage( + "Papéis de parede", + ), + "dismiss": MessageLookupByLibrary.simpleMessage("Descartar"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage("Não sair"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Fazer isso depois"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Você quer descartar as edições que você fez?", + ), + "done": MessageLookupByLibrary.simpleMessage("Concluído"), + "dontSave": MessageLookupByLibrary.simpleMessage("Não salvar"), + "doubleYourStorage": MessageLookupByLibrary.simpleMessage( + "Duplique seu armazenamento", + ), + "download": MessageLookupByLibrary.simpleMessage("Baixar"), + "downloadFailed": MessageLookupByLibrary.simpleMessage("Falhou ao baixar"), + "downloading": MessageLookupByLibrary.simpleMessage("Baixando..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Editar"), + "editEmailAlreadyLinked": m28, + "editLocation": MessageLookupByLibrary.simpleMessage("Editar localização"), + "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( + "Editar localização", + ), + "editPerson": MessageLookupByLibrary.simpleMessage("Editar pessoa"), + "editTime": MessageLookupByLibrary.simpleMessage("Editar tempo"), + "editsSaved": MessageLookupByLibrary.simpleMessage("Edições salvas"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Edições à localização serão apenas vistos no Ente", + ), + "eligible": MessageLookupByLibrary.simpleMessage("elegível"), + "email": MessageLookupByLibrary.simpleMessage("E-mail"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "E-mail já registrado.", + ), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "E-mail não registrado.", + ), + "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( + "Verificação por e-mail", + ), + "emailYourLogs": MessageLookupByLibrary.simpleMessage( + "Enviar registros por e-mail", + ), + "embracingThem": m32, + "emergencyContacts": MessageLookupByLibrary.simpleMessage( + "Contatos de emergência", + ), + "empty": MessageLookupByLibrary.simpleMessage("Esvaziar"), + "emptyTrash": MessageLookupByLibrary.simpleMessage("Esvaziar a lixeira?"), + "enable": MessageLookupByLibrary.simpleMessage("Ativar"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "Ente fornece aprendizado automático no dispositivo para reconhecimento facial, busca mágica e outros recursos de busca avançados.", + ), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Ativar o aprendizado automático para busca mágica e reconhecimento facial", + ), + "enableMaps": MessageLookupByLibrary.simpleMessage("Ativar mapas"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "Isso exibirá suas fotos em um mapa mundial.\n\nEste mapa é hospedado por Open Street Map, e as exatas localizações das fotos nunca serão compartilhadas.\n\nVocê pode desativar esta função a qualquer momento em Opções.", + ), + "enabled": MessageLookupByLibrary.simpleMessage("Ativado"), + "encryptingBackup": MessageLookupByLibrary.simpleMessage( + "Criptografando salvar em segurança...", + ), + "encryption": MessageLookupByLibrary.simpleMessage("Criptografia"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage( + "Chaves de criptografia", + ), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Ponto final atualizado com sucesso", + ), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Criptografado de ponta a ponta por padrão", + ), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente pode criptografar e preservar arquivos apenas se você conceder acesso a eles", + ), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente precisa de permissão para preservar suas fotos", + ), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "O Ente preserva suas memórias, então eles sempre estão disponíveis para você, mesmo se você perder o dispositivo.", + ), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Sua família também poderá ser adicionada ao seu plano.", + ), + "enterAlbumName": MessageLookupByLibrary.simpleMessage( + "Inserir nome do álbum", + ), + "enterCode": MessageLookupByLibrary.simpleMessage("Inserir código"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Insira o código fornecido por um amigo para reivindicar armazenamento grátis para ambos", + ), + "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( + "Aniversário (opcional)", + ), + "enterEmail": MessageLookupByLibrary.simpleMessage("Inserir e-mail"), + "enterFileName": MessageLookupByLibrary.simpleMessage( + "Inserir nome do arquivo", + ), + "enterName": MessageLookupByLibrary.simpleMessage("Inserir nome"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Insira uma senha nova para criptografar seus dados", + ), + "enterPassword": MessageLookupByLibrary.simpleMessage("Inserir senha"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Insira uma senha que podemos usar para criptografar seus dados", + ), + "enterPersonName": MessageLookupByLibrary.simpleMessage( + "Inserir nome da pessoa", + ), + "enterPin": MessageLookupByLibrary.simpleMessage("Inserir PIN"), + "enterReferralCode": MessageLookupByLibrary.simpleMessage( + "Inserir código de referência", + ), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Digite o código de 6 dígitos do\naplicativo autenticador", + ), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Insira um e-mail válido.", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Insira seu e-mail", + ), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Insira seu novo e-mail", + ), + "enterYourPassword": MessageLookupByLibrary.simpleMessage( + "Insira sua senha", + ), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Insira sua chave de recuperação", + ), + "error": MessageLookupByLibrary.simpleMessage("Erro"), + "everywhere": MessageLookupByLibrary.simpleMessage("em todas as partes"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": MessageLookupByLibrary.simpleMessage("Usuário existente"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "O link expirou. Selecione um novo tempo de expiração ou desative a expiração do link.", + ), + "exportLogs": MessageLookupByLibrary.simpleMessage("Exportar registros"), + "exportYourData": MessageLookupByLibrary.simpleMessage("Exportar dados"), + "extraPhotosFound": MessageLookupByLibrary.simpleMessage( + "Fotos adicionais encontradas", + ), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Rosto não agrupado ainda, volte aqui mais tarde", + ), + "faceRecognition": MessageLookupByLibrary.simpleMessage( + "Reconhecimento facial", + ), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "Incapaz de gerar miniaturas de rosto", + ), + "faces": MessageLookupByLibrary.simpleMessage("Rostos"), + "failed": MessageLookupByLibrary.simpleMessage("Falhou"), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage( + "Falhou ao aplicar código", + ), + "failedToCancel": MessageLookupByLibrary.simpleMessage( + "Falhou ao cancelar", + ), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( + "Falhou ao baixar vídeo", + ), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Falhou ao obter sessões ativas", + ), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Falhou ao obter original para edição", + ), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Não foi possível buscar os detalhes de referência. Tente novamente mais tarde.", + ), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "Falhou ao carregar álbuns", + ), + "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Falhou ao reproduzir vídeo", + ), + "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( + "Falhou ao atualizar assinatura", + ), + "failedToRenew": MessageLookupByLibrary.simpleMessage("Falhou ao renovar"), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Falhou ao verificar estado do pagamento", + ), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Adicione 5 familiares para seu plano existente sem pagar nenhum custo adicional.\n\nCada membro ganha seu espaço privado, significando que eles não podem ver os arquivos dos outros a menos que eles sejam compartilhados.\n\nOs planos familiares estão disponíveis para clientes que já tem uma assinatura paga do Ente.\n\nAssine agora para iniciar!", + ), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Família"), + "familyPlans": MessageLookupByLibrary.simpleMessage("Planos familiares"), + "faq": MessageLookupByLibrary.simpleMessage("Perguntas frequentes"), + "faqs": MessageLookupByLibrary.simpleMessage("Perguntas frequentes"), + "favorite": MessageLookupByLibrary.simpleMessage("Favorito"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("Feedback"), + "file": MessageLookupByLibrary.simpleMessage("Arquivo"), + "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage( + "Incapaz de analisar rosto", + ), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Falhou ao salvar arquivo na galeria", + ), + "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( + "Adicionar descrição...", + ), + "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( + "Arquivo ainda não enviado", + ), + "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Arquivo salvo na galeria", + ), + "fileTypes": MessageLookupByLibrary.simpleMessage("Tipos de arquivo"), + "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( + "Tipos de arquivo e nomes", + ), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage("Arquivos excluídos"), + "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Arquivos salvos na galeria", + ), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "Busque pessoas facilmente pelo nome", + ), + "findThemQuickly": MessageLookupByLibrary.simpleMessage( + "Busque-os rapidamente", + ), + "flip": MessageLookupByLibrary.simpleMessage("Inverter"), + "food": MessageLookupByLibrary.simpleMessage("Delícias de cozinha"), + "forYourMemories": MessageLookupByLibrary.simpleMessage( + "para suas memórias", + ), + "forgotPassword": MessageLookupByLibrary.simpleMessage("Esqueci a senha"), + "foundFaces": MessageLookupByLibrary.simpleMessage("Rostos encontrados"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( + "Armaz. grátis reivindicado", + ), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Armazenamento disponível", + ), + "freeTrial": MessageLookupByLibrary.simpleMessage("Avaliação grátis"), + "freeTrialValidTill": m38, + "freeUpAccessPostDelete": m39, + "freeUpAmount": m40, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( + "Liberar espaço no dispositivo", + ), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Economize espaço em seu dispositivo por limpar arquivos já salvos com segurança.", + ), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("Liberar espaço"), + "freeUpSpaceSaving": m41, + "gallery": MessageLookupByLibrary.simpleMessage("Galeria"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "Até 1.000 memórias exibidas na galeria", + ), + "general": MessageLookupByLibrary.simpleMessage("Geral"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Gerando chaves de criptografia...", + ), + "genericProgress": m42, + "goToSettings": MessageLookupByLibrary.simpleMessage("Ir às opções"), + "googlePlayId": MessageLookupByLibrary.simpleMessage("ID do Google Play"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Permita o acesso a todas as fotos nas opções do aplicativo", + ), + "grantPermission": MessageLookupByLibrary.simpleMessage( + "Conceder permissões", + ), + "greenery": MessageLookupByLibrary.simpleMessage("A vegetação verde"), + "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( + "Agrupar fotos próximas", + ), + "guestView": MessageLookupByLibrary.simpleMessage("Vista do convidado"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "Para ativar a vista do convidado, defina uma senha de acesso no dispositivo ou bloqueie sua tela nas opções do sistema.", + ), + "happyBirthday": MessageLookupByLibrary.simpleMessage( + "Feliz aniversário! 🥳", + ), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "Não rastreamos instalações de aplicativo. Seria útil se você contasse onde nos encontrou!", + ), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Como você soube do Ente? (opcional)", + ), + "help": MessageLookupByLibrary.simpleMessage("Ajuda"), + "hidden": MessageLookupByLibrary.simpleMessage("Oculto"), + "hide": MessageLookupByLibrary.simpleMessage("Ocultar"), + "hideContent": MessageLookupByLibrary.simpleMessage("Ocultar conteúdo"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Oculta os conteúdos do aplicativo no seletor de aplicativos e desativa capturas de tela", + ), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Oculta o conteúdo no seletor de aplicativos", + ), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Ocultar itens compartilhados da galeria inicial", + ), + "hiding": MessageLookupByLibrary.simpleMessage("Ocultando..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( + "Hospedado em OSM France", + ), + "howItWorks": MessageLookupByLibrary.simpleMessage("Como funciona"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Peça-os para pressionarem no e-mail a partir das Opções, e verifique-se os IDs de ambos os dispositivos correspondem.", + ), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "A autenticação biométrica não está definida no dispositivo. Ative o Touch ID ou Face ID no dispositivo.", + ), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "A autenticação biométrica está desativada. Bloqueie e desbloqueie sua tela para ativá-la.", + ), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), + "ignore": MessageLookupByLibrary.simpleMessage("Ignorar"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorar"), + "ignored": MessageLookupByLibrary.simpleMessage("ignorado"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Alguns arquivos neste álbum são ignorados do envio porque eles foram anteriormente excluídos do Ente.", + ), + "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( + "Imagem não analisada", + ), + "immediately": MessageLookupByLibrary.simpleMessage("Imediatamente"), + "importing": MessageLookupByLibrary.simpleMessage("Importando...."), + "incorrectCode": MessageLookupByLibrary.simpleMessage("Código incorreto"), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Senha incorreta", + ), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Chave de recuperação incorreta", + ), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "A chave de recuperação inserida está incorreta", + ), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Chave de recuperação incorreta", + ), + "indexedItems": MessageLookupByLibrary.simpleMessage("Itens indexados"), + "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( + "A indexação foi pausada. Ela retomará automaticamente quando o dispositivo estiver pronto. O dispositivo é considerado pronto quando o nível de bateria, saúde da bateria, e estado térmico estejam num alcance saudável.", + ), + "ineligible": MessageLookupByLibrary.simpleMessage("Inelegível"), + "info": MessageLookupByLibrary.simpleMessage("Info"), + "insecureDevice": MessageLookupByLibrary.simpleMessage( + "Dispositivo inseguro", + ), + "installManually": MessageLookupByLibrary.simpleMessage( + "Instalar manualmente", + ), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "E-mail inválido", + ), + "invalidEndpoint": MessageLookupByLibrary.simpleMessage( + "Ponto final inválido", + ), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Desculpe, o ponto final inserido é inválido. Insira um ponto final válido e tente novamente.", + ), + "invalidKey": MessageLookupByLibrary.simpleMessage("Chave inválida"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "A chave de recuperação que você inseriu não é válida. Certifique-se de conter 24 caracteres, e verifique a ortografia de cada um deles.\n\nSe você inseriu um código de recuperação mais antigo, verifique se ele tem 64 caracteres e verifique cada um deles.", + ), + "invite": MessageLookupByLibrary.simpleMessage("Convidar"), + "inviteToEnte": MessageLookupByLibrary.simpleMessage("Convidar ao Ente"), + "inviteYourFriends": MessageLookupByLibrary.simpleMessage( + "Convide seus amigos", + ), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "Convide seus amigos ao Ente", + ), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Parece que algo deu errado. Tente novamente mais tarde. Caso o erro persistir, por favor, entre em contato com nossa equipe.", + ), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "Os itens exibem o número de dias restantes antes da exclusão permanente", + ), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Os itens selecionados serão removidos deste álbum", + ), + "join": MessageLookupByLibrary.simpleMessage("Unir-se"), + "joinAlbum": MessageLookupByLibrary.simpleMessage("Unir-se ao álbum"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "Unir-se ao álbum fará que seu e-mail seja visível a todos do álbum.", + ), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( + "para visualizar e adicionar suas fotos", + ), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "para adicionar isso aos álbuns compartilhados", + ), + "joinDiscord": MessageLookupByLibrary.simpleMessage("Junte-se ao Discord"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Manter fotos"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Ajude-nos com esta informação", + ), + "language": MessageLookupByLibrary.simpleMessage("Idioma"), + "lastTimeWithThem": m45, + "lastUpdated": MessageLookupByLibrary.simpleMessage("Última atualização"), + "lastYearsTrip": MessageLookupByLibrary.simpleMessage( + "Viajem do ano passado", + ), + "leave": MessageLookupByLibrary.simpleMessage("Sair"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Sair do álbum"), + "leaveFamily": MessageLookupByLibrary.simpleMessage( + "Sair do plano familiar", + ), + "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Sair do álbum compartilhado?", + ), + "left": MessageLookupByLibrary.simpleMessage("Esquerda"), + "legacy": MessageLookupByLibrary.simpleMessage("Legado"), + "legacyAccounts": MessageLookupByLibrary.simpleMessage("Contas legadas"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "O legado permite que contatos confiáveis acessem sua conta em sua ausência.", + ), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "Contatos confiáveis podem iniciar recuperação de conta. Se não cancelado dentro de 30 dias, redefina sua senha e acesse sua conta.", + ), + "light": MessageLookupByLibrary.simpleMessage("Brilho"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Claro"), + "link": MessageLookupByLibrary.simpleMessage("Vincular"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Link copiado para a área de transferência", + ), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage( + "Limite do dispositivo", + ), + "linkEmail": MessageLookupByLibrary.simpleMessage("Vincular e-mail"), + "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( + "para compartilhar rápido", + ), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Ativado"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Expirado"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Expiração do link"), + "linkHasExpired": MessageLookupByLibrary.simpleMessage("O link expirou"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Nunca"), + "linkPerson": MessageLookupByLibrary.simpleMessage("Vincular pessoa"), + "linkPersonCaption": MessageLookupByLibrary.simpleMessage( + "para melhorar o compartilhamento", + ), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("Fotos animadas"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "Você pode compartilhar sua assinatura com seus familiares", + ), + "loadMessage2": MessageLookupByLibrary.simpleMessage( + "Preservamos mais de 200 milhões de memórias até então", + ), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "Mantemos 3 cópias dos seus dados, uma em um abrigo subterrâneo", + ), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "Todos os nossos aplicativos são de código aberto", + ), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Nosso código-fonte e criptografia foram auditadas externamente", + ), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "Você pode compartilhar links para seus álbuns com seus entes queridos", + ), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Nossos aplicativos móveis são executados em segundo plano para criptografar e salvar em segurança quaisquer fotos novas que você acessar", + ), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io tem um enviador mais rápido", + ), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Nós usamos Xchacha20Poly1305 para criptografar seus dados com segurança", + ), + "loadingExifData": MessageLookupByLibrary.simpleMessage( + "Carregando dados EXIF...", + ), + "loadingGallery": MessageLookupByLibrary.simpleMessage( + "Carregando galeria...", + ), + "loadingMessage": MessageLookupByLibrary.simpleMessage( + "Carregando suas fotos...", + ), + "loadingModel": MessageLookupByLibrary.simpleMessage("Baixando modelos..."), + "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( + "Carregando suas fotos...", + ), + "localGallery": MessageLookupByLibrary.simpleMessage("Galeria local"), + "localIndexing": MessageLookupByLibrary.simpleMessage("Indexação local"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Ocorreu um erro devido à sincronização de localização das fotos estar levando mais tempo que o esperado. Entre em contato conosco.", + ), + "location": MessageLookupByLibrary.simpleMessage("Localização"), + "locationName": MessageLookupByLibrary.simpleMessage("Nome da localização"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Uma etiqueta de localização agrupa todas as fotos fotografadas em algum raio de uma foto", + ), + "locations": MessageLookupByLibrary.simpleMessage("Localizações"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Bloquear"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Tela de bloqueio"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Entrar"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Desconectando..."), + "loginSessionExpired": MessageLookupByLibrary.simpleMessage( + "Sessão expirada", + ), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "Sua sessão expirou. Registre-se novamente.", + ), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Ao clicar em entrar, eu concordo com os termos de serviço e a política de privacidade", + ), + "loginWithTOTP": MessageLookupByLibrary.simpleMessage("Registrar com TOTP"), + "logout": MessageLookupByLibrary.simpleMessage("Encerrar sessão"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "Isso enviará através dos registros para ajudar-nos a resolver seu problema. Saiba que, nome de arquivos serão incluídos para ajudar a buscar problemas com arquivos específicos.", + ), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Pressione um e-mail para verificar a criptografia ponta a ponta.", + ), + "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( + "Mantenha pressionado em um item para visualizá-lo em tela cheia", + ), + "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( + "Revise suas memórias 🌄", + ), + "loopVideoOff": MessageLookupByLibrary.simpleMessage( + "Repetir vídeo desativado", + ), + "loopVideoOn": MessageLookupByLibrary.simpleMessage( + "Repetir vídeo ativado", + ), + "lostDevice": MessageLookupByLibrary.simpleMessage("Perdeu o dispositivo?"), + "machineLearning": MessageLookupByLibrary.simpleMessage( + "Aprendizado automático", + ), + "magicSearch": MessageLookupByLibrary.simpleMessage("Busca mágica"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "A busca mágica permite buscar fotos pelo conteúdo, p. e.x. \'flor\', \'carro vermelho\', \'identidade\'", + ), + "manage": MessageLookupByLibrary.simpleMessage("Gerenciar"), + "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( + "Gerenciar cache do dispositivo", + ), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Reveja e limpe o armazenamento de cache local.", + ), + "manageFamily": MessageLookupByLibrary.simpleMessage("Gerenciar família"), + "manageLink": MessageLookupByLibrary.simpleMessage("Gerenciar link"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Gerenciar"), + "manageSubscription": MessageLookupByLibrary.simpleMessage( + "Gerenciar assinatura", + ), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "Parear com PIN funciona com qualquer tela que queira visualizar seu álbum.", + ), + "map": MessageLookupByLibrary.simpleMessage("Mapa"), + "maps": MessageLookupByLibrary.simpleMessage("Mapas"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("Eu"), + "memories": MessageLookupByLibrary.simpleMessage("Memórias"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Selecione os tipos de memórias que deseje vê-las na sua tela inicial.", + ), + "memoryCount": m50, + "merchandise": MessageLookupByLibrary.simpleMessage("Produtos"), + "merge": MessageLookupByLibrary.simpleMessage("Mesclar"), + "mergeWithExisting": MessageLookupByLibrary.simpleMessage( + "Juntar com o existente", + ), + "mergedPhotos": MessageLookupByLibrary.simpleMessage("Fotos mescladas"), + "mlConsent": MessageLookupByLibrary.simpleMessage( + "Ativar o aprendizado automático", + ), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Concordo e desejo ativá-lo", + ), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Se ativar o aprendizado automático, Ente extrairá informações de geometria facial dos arquivos, incluindo aqueles compartilhados consigo.\n\nIsso acontecerá em seu dispositivo, e qualquer informação biométrica gerada será criptografada de ponta a ponta.", + ), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Clique aqui para mais detalhes sobre este recurso na política de privacidade", + ), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "Ativar aprendizado auto.?", + ), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Saiba que o aprendizado automático afetará a bateria do dispositivo negativamente até todos os itens serem indexados. Utilize a versão para computadores para melhor indexação, todos os resultados se auto-sincronizaram.", + ), + "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( + "Celular, Web, Computador", + ), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Moderado"), + "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( + "Altere o termo de busca ou tente consultar", + ), + "moments": MessageLookupByLibrary.simpleMessage("Momentos"), + "month": MessageLookupByLibrary.simpleMessage("mês"), + "monthly": MessageLookupByLibrary.simpleMessage("Mensal"), + "moon": MessageLookupByLibrary.simpleMessage("Na luz do luar"), + "moreDetails": MessageLookupByLibrary.simpleMessage("Mais detalhes"), + "mostRecent": MessageLookupByLibrary.simpleMessage("Mais recente"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("Mais relevante"), + "mountains": MessageLookupByLibrary.simpleMessage("Sob as montanhas"), + "moveItem": m51, + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "Mover fotos selecionadas para uma data", + ), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("Mover para o álbum"), + "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Mover ao álbum oculto", + ), + "movedSuccessfullyTo": m52, + "movedToTrash": MessageLookupByLibrary.simpleMessage( + "Movido para a lixeira", + ), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Movendo arquivos para o álbum...", + ), + "name": MessageLookupByLibrary.simpleMessage("Nome"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Nomear álbum"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Não foi possível conectar ao Ente, tente novamente mais tarde. Se o erro persistir, entre em contato com o suporte.", + ), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Não foi possível conectar-se ao Ente, verifique suas configurações de rede e entre em contato com o suporte se o erro persistir.", + ), + "never": MessageLookupByLibrary.simpleMessage("Nunca"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Novo álbum"), + "newLocation": MessageLookupByLibrary.simpleMessage("Nova localização"), + "newPerson": MessageLookupByLibrary.simpleMessage("Nova pessoa"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" novo 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("Novo intervalo"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Novo no Ente"), + "newest": MessageLookupByLibrary.simpleMessage("Mais recente"), + "next": MessageLookupByLibrary.simpleMessage("Próximo"), + "no": MessageLookupByLibrary.simpleMessage("Não"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Nenhum álbum compartilhado por você ainda", + ), + "noDeviceFound": MessageLookupByLibrary.simpleMessage( + "Nenhum dispositivo encontrado", + ), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Nenhum"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "Você não tem arquivos neste dispositivo que possam ser excluídos", + ), + "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Sem duplicatas"), + "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( + "Nenhuma conta Ente!", + ), + "noExifData": MessageLookupByLibrary.simpleMessage("Sem dados EXIF"), + "noFacesFound": MessageLookupByLibrary.simpleMessage( + "Nenhum rosto encontrado", + ), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "Sem fotos ou vídeos ocultos", + ), + "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( + "Nenhuma imagem com localização", + ), + "noInternetConnection": MessageLookupByLibrary.simpleMessage( + "Sem conexão à internet", + ), + "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( + "No momento não há fotos sendo salvas em segurança", + ), + "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( + "Nenhuma foto encontrada aqui", + ), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( + "Nenhum link rápido selecionado", + ), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Sem chave de recuperação?", + ), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Devido à natureza do nosso protocolo de criptografia de ponta a ponta, seus dados não podem ser descriptografados sem sua senha ou chave de recuperação", + ), + "noResults": MessageLookupByLibrary.simpleMessage("Nenhum resultado"), + "noResultsFound": MessageLookupByLibrary.simpleMessage( + "Nenhum resultado encontrado", + ), + "noSuggestionsForPerson": m53, + "noSystemLockFound": MessageLookupByLibrary.simpleMessage( + "Nenhum bloqueio do sistema encontrado", + ), + "notPersonLabel": m54, + "notThisPerson": MessageLookupByLibrary.simpleMessage("Não é esta pessoa?"), + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "Nada compartilhado com você ainda", + ), + "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( + "Nada para ver aqui! 👀", + ), + "notifications": MessageLookupByLibrary.simpleMessage("Notificações"), + "ok": MessageLookupByLibrary.simpleMessage("OK"), + "onDevice": MessageLookupByLibrary.simpleMessage("No dispositivo"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "No ente", + ), + "onTheRoad": MessageLookupByLibrary.simpleMessage("Na estrada novamente"), + "onThisDay": MessageLookupByLibrary.simpleMessage("Neste dia"), + "onThisDayMemories": MessageLookupByLibrary.simpleMessage( + "Memórias deste dia", + ), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "Receba lembretes de memórias deste dia em anos passados.", + ), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Apenas eles"), + "oops": MessageLookupByLibrary.simpleMessage("Ops"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Opa! Não foi possível salvar as edições", + ), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Ops, algo deu errado", + ), + "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( + "Abrir álbum no navegador", + ), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Use o aplicativo da web para adicionar fotos a este álbum", + ), + "openFile": MessageLookupByLibrary.simpleMessage("Abrir arquivo"), + "openSettings": MessageLookupByLibrary.simpleMessage("Abrir opções"), + "openTheItem": MessageLookupByLibrary.simpleMessage( + "• Abra a foto ou vídeo", + ), + "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( + "Contribuidores do OpenStreetMap", + ), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Opcional, tão curto como quiser...", + ), + "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( + "Ou mesclar com existente", + ), + "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( + "Ou escolha um existente", + ), + "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( + "ou escolher dos seus contatos", + ), + "otherDetectedFaces": MessageLookupByLibrary.simpleMessage( + "Outros rostos detectados", + ), + "pair": MessageLookupByLibrary.simpleMessage("Parear"), + "pairWithPin": MessageLookupByLibrary.simpleMessage("Parear com PIN"), + "pairingComplete": MessageLookupByLibrary.simpleMessage( + "Pareamento concluído", + ), + "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), + "partyWithThem": m56, + "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( + "Verificação pendente", + ), + "passkey": MessageLookupByLibrary.simpleMessage("Chave de acesso"), + "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( + "Verificação de chave de acesso", + ), + "password": MessageLookupByLibrary.simpleMessage("Senha"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Senha alterada com sucesso", + ), + "passwordLock": MessageLookupByLibrary.simpleMessage("Bloqueio por senha"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "A força da senha é calculada considerando o comprimento dos dígitos, carácteres usados, e se ou não a senha aparece nas 10.000 senhas usadas.", + ), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Nós não armazenamos esta senha, se você esquecer, nós não poderemos descriptografar seus dados", + ), + "pastYearsMemories": MessageLookupByLibrary.simpleMessage( + "Memórias dos anos passados", + ), + "paymentDetails": MessageLookupByLibrary.simpleMessage( + "Detalhes de pagamento", + ), + "paymentFailed": MessageLookupByLibrary.simpleMessage("O pagamento falhou"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "Infelizmente o pagamento falhou. Entre em contato com o suporte e nós ajudaremos você!", + ), + "paymentFailedTalkToProvider": m58, + "pendingItems": MessageLookupByLibrary.simpleMessage("Itens pendentes"), + "pendingSync": MessageLookupByLibrary.simpleMessage( + "Sincronização pendente", + ), + "people": MessageLookupByLibrary.simpleMessage("Pessoas"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Pessoas que usou o código", + ), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Selecione as pessoas que deseje vê-las na sua tela inicial.", + ), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Todos os itens na lixeira serão excluídos permanentemente\n\nEsta ação não pode ser desfeita", + ), + "permanentlyDelete": MessageLookupByLibrary.simpleMessage( + "Excluir permanentemente", + ), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Excluir permanentemente do dispositivo?", + ), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("Nome da pessoa"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("Companhias peludas"), + "photoDescriptions": MessageLookupByLibrary.simpleMessage( + "Descrições das fotos", + ), + "photoGridSize": MessageLookupByLibrary.simpleMessage( + "Tamanho da grade de fotos", + ), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("Fotos"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "Suas fotos adicionadas serão removidas do álbum", + ), + "photosCount": m62, + "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( + "As fotos mantêm a diferença de tempo relativo", + ), + "pickCenterPoint": MessageLookupByLibrary.simpleMessage( + "Escolha o ponto central", + ), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Fixar álbum"), + "pinLock": MessageLookupByLibrary.simpleMessage("Bloqueio por PIN"), + "playOnTv": MessageLookupByLibrary.simpleMessage("Reproduzir álbum na TV"), + "playOriginal": MessageLookupByLibrary.simpleMessage("Reproduzir original"), + "playStoreFreeTrialValidTill": m63, + "playStream": MessageLookupByLibrary.simpleMessage( + "Reproduzir transmissão", + ), + "playstoreSubscription": MessageLookupByLibrary.simpleMessage( + "Assinatura da PlayStore", + ), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Verifique sua conexão com a internet e tente novamente.", + ), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Entre em contato com support@ente.io e nós ficaremos felizes em ajudar!", + ), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Por favor, contate o suporte se o problema persistir", + ), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( + "Por favor, conceda as permissões", + ), + "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( + "Registre-se novamente", + ), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Selecione links rápidos para remover", + ), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("Tente novamente"), + "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( + "Verifique o código inserido", + ), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Aguarde..."), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Aguarde, excluindo álbum", + ), + "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( + "Por favor, aguarde mais algum tempo antes de tentar novamente", + ), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "Aguarde um pouco, isso talvez leve um tempo.", + ), + "posingWithThem": m66, + "preparingLogs": MessageLookupByLibrary.simpleMessage( + "Preparando registros...", + ), + "preserveMore": MessageLookupByLibrary.simpleMessage("Preservar mais"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Pressione e segure para reproduzir o vídeo", + ), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Pressione e segure na imagem para reproduzir o vídeo", + ), + "previous": MessageLookupByLibrary.simpleMessage("Anterior"), + "privacy": MessageLookupByLibrary.simpleMessage("Privacidade"), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "Política de Privacidade", + ), + "privateBackups": MessageLookupByLibrary.simpleMessage("Cópias privadas"), + "privateSharing": MessageLookupByLibrary.simpleMessage( + "Compartilha privada", + ), + "proceed": MessageLookupByLibrary.simpleMessage("Continuar"), + "processed": MessageLookupByLibrary.simpleMessage("Processado"), + "processing": MessageLookupByLibrary.simpleMessage("Processando"), + "processingImport": m67, + "processingVideos": MessageLookupByLibrary.simpleMessage( + "Processando vídeos", + ), + "publicLinkCreated": MessageLookupByLibrary.simpleMessage( + "Link público criado", + ), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( + "Link público ativo", + ), + "questionmark": MessageLookupByLibrary.simpleMessage("?"), + "queued": MessageLookupByLibrary.simpleMessage("Na fila"), + "quickLinks": MessageLookupByLibrary.simpleMessage("Links rápidos"), + "radius": MessageLookupByLibrary.simpleMessage("Raio"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Abrir ticket"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("Avalie o aplicativo"), + "rateUs": MessageLookupByLibrary.simpleMessage("Avaliar"), + "rateUsOnStore": m68, + "reassignMe": MessageLookupByLibrary.simpleMessage("Reatribuir \"Eu\""), + "reassignedToName": m69, + "reassigningLoading": MessageLookupByLibrary.simpleMessage( + "Reatribuindo...", + ), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Receba notificações quando alguém fizer um aniversário. Tocar na notificação o levará às fotos do aniversariante.", + ), + "recover": MessageLookupByLibrary.simpleMessage("Recuperar"), + "recoverAccount": MessageLookupByLibrary.simpleMessage("Recuperar conta"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Recuperar"), + "recoveryAccount": MessageLookupByLibrary.simpleMessage("Recuperar conta"), + "recoveryInitiated": MessageLookupByLibrary.simpleMessage( + "A recuperação iniciou", + ), + "recoveryInitiatedDesc": m70, + "recoveryKey": MessageLookupByLibrary.simpleMessage("Chave de recuperação"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Chave de recuperação copiada para a área de transferência", + ), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Caso você esqueça sua senha, a única maneira de recuperar seus dados é com esta chave.", + ), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Não armazenamos esta chave, salve esta chave de 24 palavras em um lugar seguro.", + ), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Ótimo! Sua chave de recuperação é válida. Obrigada por verificar.\n\nLembre-se de manter sua chave de recuperação salva em segurança.", + ), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Chave de recuperação verificada", + ), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Sua chave de recuperação é a única maneira de recuperar suas fotos se você esqueceu sua senha. Você pode encontrar sua chave de recuperação em Opções > Conta.\n\nInsira sua chave de recuperação aqui para verificar se você a salvou corretamente.", + ), + "recoveryReady": m71, + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "Recuperação com sucesso!", + ), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "Um contato confiável está tentando acessar sua conta", + ), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "O dispositivo atual não é poderoso o suficiente para verificar sua senha, no entanto, nós podemos regenerar numa maneira que funciona em todos os dispositivos.\n\nEntre usando a chave de recuperação e regenere sua senha (você pode usar a mesma novamente se desejar).", + ), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Redefinir senha", + ), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": MessageLookupByLibrary.simpleMessage("Reinserir senha"), + "reenterPin": MessageLookupByLibrary.simpleMessage("Reinserir PIN"), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Recomende seus amigos e duplique seu plano", + ), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Envie este código aos seus amigos", + ), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Eles então se inscrevem num plano pago", + ), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Referências"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "As referências estão atualmente pausadas", + ), + "rejectRecovery": MessageLookupByLibrary.simpleMessage( + "Rejeitar recuperação", + ), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "Também esvazie o \"Excluído Recentemente\" das \"Opções\" -> \"Armazenamento\" para liberar espaço", + ), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Também esvazie sua \"Lixeira\" para reivindicar o espaço liberado", + ), + "remoteImages": MessageLookupByLibrary.simpleMessage("Imagens remotas"), + "remoteThumbnails": MessageLookupByLibrary.simpleMessage( + "Miniaturas remotas", + ), + "remoteVideos": MessageLookupByLibrary.simpleMessage("Vídeos remotos"), + "remove": MessageLookupByLibrary.simpleMessage("Remover"), + "removeDuplicates": MessageLookupByLibrary.simpleMessage( + "Excluir duplicatas", + ), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Revise e remova arquivos que são duplicatas exatas.", + ), + "removeFromAlbum": MessageLookupByLibrary.simpleMessage("Remover do álbum"), + "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( + "Remover do álbum?", + ), + "removeFromFavorite": MessageLookupByLibrary.simpleMessage("Desfavoritar"), + "removeInvite": MessageLookupByLibrary.simpleMessage("Remover convite"), + "removeLink": MessageLookupByLibrary.simpleMessage("Remover link"), + "removeParticipant": MessageLookupByLibrary.simpleMessage( + "Remover participante", + ), + "removeParticipantBody": m74, + "removePersonLabel": MessageLookupByLibrary.simpleMessage( + "Remover etiqueta da pessoa", + ), + "removePublicLink": MessageLookupByLibrary.simpleMessage( + "Remover link público", + ), + "removePublicLinks": MessageLookupByLibrary.simpleMessage( + "Remover link público", + ), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Alguns dos itens que você está removendo foram adicionados por outras pessoas, e você perderá o acesso a eles", + ), + "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Remover?"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Remover si mesmo dos contatos confiáveis", + ), + "removingFromFavorites": MessageLookupByLibrary.simpleMessage( + "Removendo dos favoritos...", + ), + "rename": MessageLookupByLibrary.simpleMessage("Renomear"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("Renomear álbum"), + "renameFile": MessageLookupByLibrary.simpleMessage("Renomear arquivo"), + "renewSubscription": MessageLookupByLibrary.simpleMessage( + "Renovar assinatura", + ), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Informar um erro"), + "reportBug": MessageLookupByLibrary.simpleMessage("Informar erro"), + "resendEmail": MessageLookupByLibrary.simpleMessage("Reenviar e-mail"), + "reset": MessageLookupByLibrary.simpleMessage("Redefinir"), + "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( + "Redefinir arquivos ignorados", + ), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Redefinir senha", + ), + "resetPerson": MessageLookupByLibrary.simpleMessage("Remover"), + "resetToDefault": MessageLookupByLibrary.simpleMessage( + "Redefinir para o padrão", + ), + "restore": MessageLookupByLibrary.simpleMessage("Restaurar"), + "restoreToAlbum": MessageLookupByLibrary.simpleMessage( + "Restaurar para álbum", + ), + "restoringFiles": MessageLookupByLibrary.simpleMessage( + "Restaurando arquivos...", + ), + "resumableUploads": MessageLookupByLibrary.simpleMessage( + "Envios retomáveis", + ), + "retry": MessageLookupByLibrary.simpleMessage("Tentar novamente"), + "review": MessageLookupByLibrary.simpleMessage("Revisar"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Reveja e exclua os itens que você acredita serem duplicados.", + ), + "reviewSuggestions": MessageLookupByLibrary.simpleMessage( + "Revisar sugestões", + ), + "right": MessageLookupByLibrary.simpleMessage("Direita"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("Girar"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Girar para a esquerda"), + "rotateRight": MessageLookupByLibrary.simpleMessage("Girar para a direita"), + "safelyStored": MessageLookupByLibrary.simpleMessage( + "Armazenado com segurança", + ), + "same": MessageLookupByLibrary.simpleMessage("Igual"), + "sameperson": MessageLookupByLibrary.simpleMessage("Mesma pessoa?"), + "save": MessageLookupByLibrary.simpleMessage("Salvar"), + "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage( + "Salvar como outra pessoa", + ), + "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( + "Salvar mudanças antes de sair?", + ), + "saveCollage": MessageLookupByLibrary.simpleMessage("Salvar colagem"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Salvar cópia"), + "saveKey": MessageLookupByLibrary.simpleMessage("Salvar chave"), + "savePerson": MessageLookupByLibrary.simpleMessage("Salvar pessoa"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Salve sua chave de recuperação, se você ainda não fez", + ), + "saving": MessageLookupByLibrary.simpleMessage("Salvando..."), + "savingEdits": MessageLookupByLibrary.simpleMessage("Salvando edições..."), + "scanCode": MessageLookupByLibrary.simpleMessage("Escanear código"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Escaneie este código de barras com\no aplicativo autenticador", + ), + "search": MessageLookupByLibrary.simpleMessage("Buscar"), + "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Álbuns"), + "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage( + "Nome do álbum", + ), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Nomes de álbuns (ex: \"Câmera\")\n• Tipos de arquivos (ex.: \"Vídeos\", \".gif\")\n• Anos e meses (ex.: \"2022\", \"Janeiro\")\n• Temporadas (ex.: \"Natal\")\n• Tags (ex.: \"#divertido\")", + ), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Adicione marcações como \"#viagem\" nas informações das fotos para encontrá-las aqui com facilidade", + ), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Buscar por data, mês ou ano", + ), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "As imagens serão exibidas aqui quando o processamento e sincronização for concluído", + ), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "As pessoas apareceram aqui quando a indexação for concluída", + ), + "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( + "Tipos de arquivo e nomes", + ), + "searchHint1": MessageLookupByLibrary.simpleMessage( + "busca rápida no dispositivo", + ), + "searchHint2": MessageLookupByLibrary.simpleMessage( + "Descrições e data das fotos", + ), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "Álbuns, nomes de arquivos e tipos", + ), + "searchHint4": MessageLookupByLibrary.simpleMessage("Localização"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "Em breve: Busca mágica e rostos ✨", + ), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Fotos de grupo que estão sendo tiradas em algum raio da foto", + ), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "Convide pessoas e você verá todas as fotos compartilhadas por elas aqui", + ), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "As pessoas serão exibidas aqui quando o processamento e sincronização for concluído", + ), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Segurança"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "Ver links de álbum compartilhado no aplicativo", + ), + "selectALocation": MessageLookupByLibrary.simpleMessage( + "Selecionar localização", + ), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage( + "Primeiramente selecione uma localização", + ), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Selecionar álbum"), + "selectAll": MessageLookupByLibrary.simpleMessage("Selecionar tudo"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("Tudo"), + "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( + "Selecionar foto da capa", + ), + "selectDate": MessageLookupByLibrary.simpleMessage("Selecionar data"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Selecione as pastas para salvá-las", + ), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "Selecionar itens para adicionar", + ), + "selectLanguage": MessageLookupByLibrary.simpleMessage("Selecionar idioma"), + "selectMailApp": MessageLookupByLibrary.simpleMessage( + "Selecionar aplicativo de e-mail", + ), + "selectMorePhotos": MessageLookupByLibrary.simpleMessage( + "Selecionar mais fotos", + ), + "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( + "Selecionar data e hora", + ), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "Selecione uma data e hora para todos", + ), + "selectPersonToLink": MessageLookupByLibrary.simpleMessage( + "Selecione a pessoa para vincular", + ), + "selectReason": MessageLookupByLibrary.simpleMessage("Diga o motivo"), + "selectStartOfRange": MessageLookupByLibrary.simpleMessage( + "Selecionar início de intervalo", + ), + "selectTime": MessageLookupByLibrary.simpleMessage("Selecionar tempo"), + "selectYourFace": MessageLookupByLibrary.simpleMessage( + "Selecione seu rosto", + ), + "selectYourPlan": MessageLookupByLibrary.simpleMessage( + "Selecione seu plano", + ), + "selectedAlbums": m79, + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Os arquivos selecionados não estão no Ente", + ), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "As pastas selecionadas serão criptografadas e salvas em segurança", + ), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Os itens selecionados serão excluídos de todos os álbuns e movidos para a lixeira.", + ), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "Os itens selecionados serão removidos desta pessoa, entretanto não serão excluídos da sua biblioteca.", + ), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("Enviar"), + "sendEmail": MessageLookupByLibrary.simpleMessage("Enviar e-mail"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Enviar convite"), + "sendLink": MessageLookupByLibrary.simpleMessage("Enviar link"), + "serverEndpoint": MessageLookupByLibrary.simpleMessage( + "Ponto final do servidor", + ), + "sessionExpired": MessageLookupByLibrary.simpleMessage("Sessão expirada"), + "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( + "Incompatibilidade de ID de sessão", + ), + "setAPassword": MessageLookupByLibrary.simpleMessage("Definir senha"), + "setAs": MessageLookupByLibrary.simpleMessage("Definir como"), + "setCover": MessageLookupByLibrary.simpleMessage("Definir capa"), + "setLabel": MessageLookupByLibrary.simpleMessage("Definir"), + "setNewPassword": MessageLookupByLibrary.simpleMessage( + "Definir nova senha", + ), + "setNewPin": MessageLookupByLibrary.simpleMessage("Definir PIN novo"), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage("Definir senha"), + "setRadius": MessageLookupByLibrary.simpleMessage("Definir raio"), + "setupComplete": MessageLookupByLibrary.simpleMessage( + "Configuração concluída", + ), + "share": MessageLookupByLibrary.simpleMessage("Compartilhar"), + "shareALink": MessageLookupByLibrary.simpleMessage("Compartilhar link"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Abra um álbum e toque no botão compartilhar no canto superior direito para compartilhar.", + ), + "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( + "Compartilhar um álbum agora", + ), + "shareLink": MessageLookupByLibrary.simpleMessage("Compartilhar link"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Compartilhar apenas com as pessoas que você quiser", + ), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Baixe o Ente para que nós possamos compartilhar com facilidade fotos e vídeos de qualidade original\n\nhttps://ente.io", + ), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Compartilhar com usuários não ente", + ), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( + "Compartilhar seu primeiro álbum", + ), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Criar álbuns compartilhados e colaborativos com outros usuários Ente, incluindo usuários em planos gratuitos.", + ), + "sharedByMe": MessageLookupByLibrary.simpleMessage("Compartilhada por mim"), + "sharedByYou": MessageLookupByLibrary.simpleMessage( + "Compartilhado por você", + ), + "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( + "Novas fotos compartilhadas", + ), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Receba notificações caso alguém adicione uma foto a um álbum compartilhado que você faz parte", + ), + "sharedWith": m87, + "sharedWithMe": MessageLookupByLibrary.simpleMessage( + "Compartilhado comigo", + ), + "sharedWithYou": MessageLookupByLibrary.simpleMessage( + "Compartilhado com você", + ), + "sharing": MessageLookupByLibrary.simpleMessage("Compartilhando..."), + "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( + "Alterar as datas e horas", + ), + "showLessFaces": MessageLookupByLibrary.simpleMessage( + "Exibir menos rostos", + ), + "showMemories": MessageLookupByLibrary.simpleMessage("Mostrar memórias"), + "showMoreFaces": MessageLookupByLibrary.simpleMessage("Exibir mais rostos"), + "showPerson": MessageLookupByLibrary.simpleMessage("Mostrar pessoa"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "Sair da conta em outros dispositivos", + ), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Se você acha que alguém possa saber da sua senha, você pode forçar desconectar sua conta de outros dispositivos.", + ), + "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( + "Sair em outros dispositivos", + ), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Eu concordo com os termos de serviço e a política de privacidade", + ), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Ele será excluído de todos os álbuns.", + ), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Pular"), + "smartMemories": MessageLookupByLibrary.simpleMessage( + "Memórias inteligentes", + ), + "social": MessageLookupByLibrary.simpleMessage("Redes sociais"), + "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( + "Alguns itens estão em ambos o Ente quanto no seu dispositivo.", + ), + "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( + "Alguns dos arquivos que você está tentando excluir só estão disponíveis no seu dispositivo e não podem ser recuperados se forem excluídos", + ), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Alguém compartilhando álbuns com você deve ver o mesmo ID no dispositivo.", + ), + "somethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Algo deu errado", + ), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Algo deu errado. Tente outra vez", + ), + "sorry": MessageLookupByLibrary.simpleMessage("Desculpe"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "Desculpe, não podemos salvar em segurança este arquivo no momento, nós tentaremos mais tarde.", + ), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Desculpe, não foi possível adicionar aos favoritos!", + ), + "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( + "Desculpe, não foi possível remover dos favoritos!", + ), + "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "O código inserido está incorreto", + ), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Desculpe, não foi possível gerar chaves seguras neste dispositivo.\n\ninicie sessão com um dispositivo diferente.", + ), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Desculpe, tivemos que pausar os salvamentos em segurança", + ), + "sort": MessageLookupByLibrary.simpleMessage("Ordenar"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Ordenar por"), + "sortNewestFirst": MessageLookupByLibrary.simpleMessage( + "Recentes primeiro", + ), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Antigos primeiro"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Sucesso"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": MessageLookupByLibrary.simpleMessage( + "Destacar si mesmo", + ), + "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( + "Iniciar recuperação", + ), + "startBackup": MessageLookupByLibrary.simpleMessage( + "Iniciar a salvar em segurança", + ), + "status": MessageLookupByLibrary.simpleMessage("Estado"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "Deseja parar a transmissão?", + ), + "stopCastingTitle": MessageLookupByLibrary.simpleMessage( + "Parar transmissão", + ), + "storage": MessageLookupByLibrary.simpleMessage("Armazenamento"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Família"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Você"), + "storageInGB": m93, + "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( + "Limite de armazenamento excedido", + ), + "storageUsageInfo": m94, + "streamDetails": MessageLookupByLibrary.simpleMessage( + "Detalhes da transmissão", + ), + "strongStrength": MessageLookupByLibrary.simpleMessage("Forte"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Inscrever-se"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Você precisa de uma inscrição paga ativa para ativar o compartilhamento.", + ), + "subscription": MessageLookupByLibrary.simpleMessage("Assinatura"), + "success": MessageLookupByLibrary.simpleMessage("Sucesso"), + "successfullyArchived": MessageLookupByLibrary.simpleMessage( + "Arquivado com sucesso", + ), + "successfullyHid": MessageLookupByLibrary.simpleMessage( + "Ocultado com sucesso", + ), + "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( + "Desarquivado com sucesso", + ), + "successfullyUnhid": MessageLookupByLibrary.simpleMessage( + "Desocultado com sucesso", + ), + "suggestFeatures": MessageLookupByLibrary.simpleMessage("Sugerir recurso"), + "sunrise": MessageLookupByLibrary.simpleMessage("No horizonte"), + "support": MessageLookupByLibrary.simpleMessage("Suporte"), + "syncProgress": m97, + "syncStopped": MessageLookupByLibrary.simpleMessage( + "Sincronização interrompida", + ), + "syncing": MessageLookupByLibrary.simpleMessage("Sincronizando..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("Sistema"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("toque para copiar"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage( + "Toque para inserir código", + ), + "tapToUnlock": MessageLookupByLibrary.simpleMessage( + "Toque para desbloquear", + ), + "tapToUpload": MessageLookupByLibrary.simpleMessage("Toque para enviar"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Parece que algo deu errado. Tente novamente mais tarde. Caso o erro persistir, por favor, entre em contato com nossa equipe.", + ), + "terminate": MessageLookupByLibrary.simpleMessage("Encerrar"), + "terminateSession": MessageLookupByLibrary.simpleMessage("Sair?"), + "terms": MessageLookupByLibrary.simpleMessage("Termos"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Termos"), + "thankYou": MessageLookupByLibrary.simpleMessage("Obrigado"), + "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( + "Obrigado por assinar!", + ), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "A instalação não pôde ser concluída", + ), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "O link que você está tentando acessar já expirou.", + ), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Os grupos de pessoa não serão exibidos na seção de pessoa. As fotos permanecerão intactas.", + ), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "A pessoa não será exibida na seção de pessoas. As fotos permanecerão intactas.", + ), + "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "A chave de recuperação inserida está incorreta", + ), + "theme": MessageLookupByLibrary.simpleMessage("Tema"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Estes itens serão excluídos do seu dispositivo.", + ), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "Eles serão excluídos de todos os álbuns.", + ), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Esta ação não pode ser desfeita", + ), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "Este álbum já tem um link colaborativo", + ), + "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( + "Isso pode ser usado para recuperar sua conta se você perder seu segundo fator", + ), + "thisDevice": MessageLookupByLibrary.simpleMessage("Este dispositivo"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "Este e-mail já está sendo usado", + ), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Esta imagem não possui dados EXIF", + ), + "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("Este é você!"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Este é o seu ID de verificação", + ), + "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( + "Esta semana com o passar dos anos", + ), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Isso fará você sair do dispositivo a seguir:", + ), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Isso fará você sair deste dispositivo!", + ), + "thisWillMakeTheDateAndTimeOfAllSelected": MessageLookupByLibrary.simpleMessage( + "Isso fará que a data e hora de todas as fotos selecionadas fiquem iguais.", + ), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "Isto removerá links públicos de todos os links rápidos selecionados.", + ), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "Para ativar o bloqueio do aplicativo, defina uma senha de acesso no dispositivo ou bloqueie sua tela nas opções do sistema.", + ), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( + "Para ocultar uma foto ou vídeo", + ), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Para redefinir sua senha, verifique seu e-mail primeiramente.", + ), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Registros de hoje"), + "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( + "Muitas tentativas incorretas", + ), + "total": MessageLookupByLibrary.simpleMessage("total"), + "totalSize": MessageLookupByLibrary.simpleMessage("Tamanho total"), + "trash": MessageLookupByLibrary.simpleMessage("Lixeira"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Recortar"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": MessageLookupByLibrary.simpleMessage( + "Contatos confiáveis", + ), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Tente novamente"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Ative o salvamento em segurança para automaticamente enviar arquivos adicionados à pasta do dispositivo para o Ente.", + ), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter/X"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "2 meses grátis em planos anuais", + ), + "twofactor": MessageLookupByLibrary.simpleMessage("Dois fatores"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "A autenticação de dois fatores foi desativada", + ), + "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( + "Autenticação de dois fatores", + ), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "Autenticação de dois fatores redefinida com sucesso", + ), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Configuração de dois fatores", + ), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("Desarquivar"), + "unarchiveAlbum": MessageLookupByLibrary.simpleMessage("Desarquivar álbum"), + "unarchiving": MessageLookupByLibrary.simpleMessage("Desarquivando..."), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Desculpe, este código está indisponível.", + ), + "uncategorized": MessageLookupByLibrary.simpleMessage("Sem categoria"), + "unhide": MessageLookupByLibrary.simpleMessage("Desocultar"), + "unhideToAlbum": MessageLookupByLibrary.simpleMessage( + "Desocultar para o álbum", + ), + "unhiding": MessageLookupByLibrary.simpleMessage("Reexibindo..."), + "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Desocultando arquivos para o álbum", + ), + "unlock": MessageLookupByLibrary.simpleMessage("Desbloquear"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("Desafixar álbum"), + "unselectAll": MessageLookupByLibrary.simpleMessage("Desmarcar tudo"), + "update": MessageLookupByLibrary.simpleMessage("Atualizar"), + "updateAvailable": MessageLookupByLibrary.simpleMessage( + "Atualização disponível", + ), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Atualizando seleção de pasta...", + ), + "upgrade": MessageLookupByLibrary.simpleMessage("Atualizar"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Enviando arquivos para o álbum...", + ), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( + "Preservando 1 memória...", + ), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "Com 50% de desconto, até 4 de dezembro", + ), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "O armazenamento disponível é limitado devido ao seu plano atual. O armazenamento adicional será aplicado quando você atualizar seu plano.", + ), + "useAsCover": MessageLookupByLibrary.simpleMessage("Usar como capa"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "Enfrentando problemas ao reproduzir este vídeo? Mantenha pressionado aqui para tentar outro reprodutor de vídeo", + ), + "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Usar links públicos para pessoas que não estão no Ente", + ), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Usar chave de recuperação", + ), + "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( + "Usar foto selecionada", + ), + "usedSpace": MessageLookupByLibrary.simpleMessage("Espaço usado"), + "validTill": m110, + "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Falha na verificação. Tente novamente", + ), + "verificationId": MessageLookupByLibrary.simpleMessage("ID de verificação"), + "verify": MessageLookupByLibrary.simpleMessage("Verificar"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("Verificar e-mail"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Verificar"), + "verifyPasskey": MessageLookupByLibrary.simpleMessage( + "Verificar chave de acesso", + ), + "verifyPassword": MessageLookupByLibrary.simpleMessage("Verificar senha"), + "verifying": MessageLookupByLibrary.simpleMessage("Verificando..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Verificando chave de recuperação...", + ), + "videoInfo": MessageLookupByLibrary.simpleMessage("Informações do vídeo"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("vídeo"), + "videoStreaming": MessageLookupByLibrary.simpleMessage( + "Vídeos transmissíveis", + ), + "videos": MessageLookupByLibrary.simpleMessage("Vídeos"), + "viewActiveSessions": MessageLookupByLibrary.simpleMessage( + "Ver sessões ativas", + ), + "viewAddOnButton": MessageLookupByLibrary.simpleMessage("Ver complementos"), + "viewAll": MessageLookupByLibrary.simpleMessage("Ver tudo"), + "viewAllExifData": MessageLookupByLibrary.simpleMessage( + "Ver todos os dados EXIF", + ), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Arquivos grandes"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Ver arquivos que consumem a maior parte do armazenamento.", + ), + "viewLogs": MessageLookupByLibrary.simpleMessage("Ver registros"), + "viewPersonToUnlink": m112, + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Ver chave de recuperação", + ), + "viewer": MessageLookupByLibrary.simpleMessage("Visualizador"), + "viewersSuccessfullyAdded": m113, + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Visite o web.ente.io para gerenciar sua assinatura", + ), + "waitingForVerification": MessageLookupByLibrary.simpleMessage( + "Esperando verificação...", + ), + "waitingForWifi": MessageLookupByLibrary.simpleMessage( + "Aguardando Wi-Fi...", + ), + "warning": MessageLookupByLibrary.simpleMessage("Aviso"), + "weAreOpenSource": MessageLookupByLibrary.simpleMessage( + "Nós somos de código aberto!", + ), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "Não suportamos a edição de fotos e álbuns que você ainda não possui", + ), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Fraca"), + "welcomeBack": MessageLookupByLibrary.simpleMessage( + "Bem-vindo(a) de volta!", + ), + "whatsNew": MessageLookupByLibrary.simpleMessage("O que há de novo"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "Um contato confiável pode ajudá-lo em recuperar seus dados.", + ), + "widgets": MessageLookupByLibrary.simpleMessage("Widgets"), + "wishThemAHappyBirthday": m115, + "yearShort": MessageLookupByLibrary.simpleMessage("ano"), + "yearly": MessageLookupByLibrary.simpleMessage("Anual"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Sim"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Sim"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "Sim, converter para visualizador", + ), + "yesDelete": MessageLookupByLibrary.simpleMessage("Sim, excluir"), + "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( + "Sim, descartar alterações", + ), + "yesIgnore": MessageLookupByLibrary.simpleMessage("Sim, ignorar"), + "yesLogout": MessageLookupByLibrary.simpleMessage("Sim, encerrar sessão"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Sim, excluir"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Sim"), + "yesResetPerson": MessageLookupByLibrary.simpleMessage( + "Sim, redefinir pessoa", + ), + "you": MessageLookupByLibrary.simpleMessage("Você"), + "youAndThem": m117, + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( + "Você está em um plano familiar!", + ), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Você está na versão mais recente", + ), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Você pode duplicar seu armazenamento ao máximo", + ), + "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( + "Você pode gerenciar seus links na aba de compartilhamento.", + ), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "Você pode tentar buscar por outra consulta.", + ), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "Você não pode rebaixar para este plano", + ), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Não é possível compartilhar consigo mesmo", + ), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "Você não tem nenhum item arquivado.", + ), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "Sua conta foi excluída", + ), + "yourMap": MessageLookupByLibrary.simpleMessage("Seu mapa"), + "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( + "Seu plano foi rebaixado com sucesso", + ), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "Seu plano foi atualizado com sucesso", + ), + "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( + "Sua compra foi efetuada com sucesso", + ), + "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( + "Seus detalhes de armazenamento não puderam ser obtidos", + ), + "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( + "A sua assinatura expirou", + ), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "Sua assinatura foi atualizada com sucesso", + ), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "O código de verificação expirou", + ), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "Você não possui nenhum arquivo duplicado que possa ser excluído", + ), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "Você não tem arquivos neste álbum que possam ser excluídos", + ), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( + "Reduzir ampliação para ver as fotos", + ), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_pt_PT.dart b/mobile/apps/photos/lib/generated/intl/messages_pt_PT.dart index a4bdd9f09b..91b5beebd5 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_pt_PT.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_pt_PT.dart @@ -57,11 +57,7 @@ class MessageLookup extends MessageLookupByLibrary { "${user} não será capaz de adicionar mais fotos a este álbum\n\nEles ainda serão capazes de remover fotos existentes adicionadas por eles"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, { - 'true': 'Sua família reinvidicou ${storageAmountInGb} GB até então', - 'false': 'Você reinvindicou ${storageAmountInGb} GB até então', - 'other': 'Você reinvindicou ${storageAmountInGb} GB até então!', - })}"; + "${Intl.select(isFamilyMember, {'true': 'Sua família reinvidicou ${storageAmountInGb} GB até então', 'false': 'Você reinvindicou ${storageAmountInGb} GB até então', 'other': 'Você reinvindicou ${storageAmountInGb} GB até então!'})}"; static String m15(albumName) => "Link colaborativo criado para ${albumName}"; @@ -264,7 +260,11 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => + usedAmount, + usedStorageUnit, + totalAmount, + totalStorageUnit, + ) => "${usedAmount} ${usedStorageUnit} de ${totalAmount} ${totalStorageUnit} usado"; static String m95(id) => @@ -329,2007 +329,2552 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Está disponível uma nova versão do Ente."), - "about": MessageLookupByLibrary.simpleMessage("Sobre"), - "acceptTrustInvite": - MessageLookupByLibrary.simpleMessage("Aceite o Convite"), - "account": MessageLookupByLibrary.simpleMessage("Conta"), - "accountIsAlreadyConfigured": - MessageLookupByLibrary.simpleMessage("A conta já está ajustada."), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("Boas-vindas de volta!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Eu entendo que se eu perder a minha palavra-passe, posso perder os meus dados já que esses dados são encriptados de ponta a ponta."), - "actionNotSupportedOnFavouritesAlbum": - MessageLookupByLibrary.simpleMessage( - "Ação não suportada no álbum de Preferidos"), - "activeSessions": - MessageLookupByLibrary.simpleMessage("Sessões ativas"), - "add": MessageLookupByLibrary.simpleMessage("Adicionar"), - "addAName": MessageLookupByLibrary.simpleMessage("Adiciona um nome"), - "addANewEmail": - MessageLookupByLibrary.simpleMessage("Adicionar um novo e-mail"), - "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Adiciona um widget de álbum no seu ecrã inicial e volte aqui para personalizar."), - "addCollaborator": - MessageLookupByLibrary.simpleMessage("Adicionar colaborador"), - "addCollaborators": m1, - "addFiles": MessageLookupByLibrary.simpleMessage("Adicionar Ficheiros"), - "addFromDevice": MessageLookupByLibrary.simpleMessage( - "Adicionar a partir do dispositivo"), - "addItem": m2, - "addLocation": - MessageLookupByLibrary.simpleMessage("Adicionar localização"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Adicionar"), - "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Adiciona um widget de memórias no seu ecrã inicial e volte aqui para personalizar."), - "addMore": MessageLookupByLibrary.simpleMessage("Adicionar mais"), - "addName": MessageLookupByLibrary.simpleMessage("Adicionar pessoa"), - "addNameOrMerge": - MessageLookupByLibrary.simpleMessage("Adicionar nome ou juntar"), - "addNew": MessageLookupByLibrary.simpleMessage("Adicionar novo"), - "addNewPerson": - MessageLookupByLibrary.simpleMessage("Adicionar nova pessoa"), - "addOnPageSubtitle": - MessageLookupByLibrary.simpleMessage("Detalhes dos addons"), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("addons"), - "addParticipants": - MessageLookupByLibrary.simpleMessage("Adicionar participante"), - "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Adiciona um widget de pessoas no seu ecrã inicial e volte aqui para personalizar."), - "addPhotos": MessageLookupByLibrary.simpleMessage("Adicionar fotos"), - "addSelected": - MessageLookupByLibrary.simpleMessage("Adicionar selecionados"), - "addToAlbum": - MessageLookupByLibrary.simpleMessage("Adicionar ao álbum"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Adicionar ao Ente"), - "addToHiddenAlbum": - MessageLookupByLibrary.simpleMessage("Adicionar a álbum oculto"), - "addTrustedContact": MessageLookupByLibrary.simpleMessage( - "Adicionar Contacto de Confiança"), - "addViewer": - MessageLookupByLibrary.simpleMessage("Adicionar visualizador"), - "addViewers": m4, - "addYourPhotosNow": - MessageLookupByLibrary.simpleMessage("Adicione suas fotos agora"), - "addedAs": MessageLookupByLibrary.simpleMessage("Adicionado como"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": MessageLookupByLibrary.simpleMessage( - "Adicionando aos favoritos..."), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("Avançado"), - "advancedSettings": - MessageLookupByLibrary.simpleMessage("Definições avançadas"), - "after1Day": MessageLookupByLibrary.simpleMessage("Depois de 1 dia"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Depois de 1 Hora"), - "after1Month": MessageLookupByLibrary.simpleMessage("Depois de 1 mês"), - "after1Week": - MessageLookupByLibrary.simpleMessage("Depois de 1 semana"), - "after1Year": MessageLookupByLibrary.simpleMessage("Depois de 1 ano"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Dono"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Título do álbum"), - "albumUpdated": - MessageLookupByLibrary.simpleMessage("Álbum atualizado"), - "albums": MessageLookupByLibrary.simpleMessage("Álbuns"), - "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Seleciona os álbuns que adoraria ver no seu ecrã inicial."), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Tudo limpo"), - "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( - "Todas as memórias preservadas"), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "Todos os agrupamentos para esta pessoa serão reiniciados e perderá todas as sugestões feitas para esta pessoa"), - "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": - MessageLookupByLibrary.simpleMessage( - "Todos os grupos sem título serão fundidos na pessoa selecionada. Isso pode ser desfeito no histórico geral das sugestões da pessoa."), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "Este é o primeiro neste grupo. Outras fotos selecionadas serão automaticamente alteradas para a nova data"), - "allow": MessageLookupByLibrary.simpleMessage("Permitir"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Permitir que pessoas com o link também adicionem fotos ao álbum compartilhado."), - "allowAddingPhotos": - MessageLookupByLibrary.simpleMessage("Permitir adicionar fotos"), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "Permitir Aplicação Abrir Ligações Partilhadas"), - "allowDownloads": - MessageLookupByLibrary.simpleMessage("Permitir downloads"), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Permitir que as pessoas adicionem fotos"), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Favor, permite acesso às fotos nas Definições para que Ente possa exibi-las e fazer backup na Fototeca."), - "allowPermTitle": - MessageLookupByLibrary.simpleMessage("Garanta acesso às fotos"), - "androidBiometricHint": - MessageLookupByLibrary.simpleMessage("Verificar identidade"), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "Não reconhecido. Tente novamente."), - "androidBiometricRequiredTitle": - MessageLookupByLibrary.simpleMessage("Biometria necessária"), - "androidBiometricSuccess": - MessageLookupByLibrary.simpleMessage("Sucesso"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Cancelar"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage( - "Credenciais do dispositivo são necessárias"), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage( - "Credenciais do dispositivo necessárias"), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "A autenticação biométrica não está configurada no seu dispositivo. Vá a “Definições > Segurança” para adicionar a autenticação biométrica."), - "androidIosWebDesktop": - MessageLookupByLibrary.simpleMessage("Android, iOS, Web, Desktop"), - "androidSignInTitle": - MessageLookupByLibrary.simpleMessage("Autenticação necessária"), - "appIcon": MessageLookupByLibrary.simpleMessage("Ícone da Aplicação"), - "appLock": MessageLookupByLibrary.simpleMessage("Bloqueio de app"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Escolha entre o ecrã de bloqueio predefinido do seu dispositivo e um ecrã de bloqueio personalizado com um PIN ou uma palavra-passe."), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("ID da Apple"), - "apply": MessageLookupByLibrary.simpleMessage("Aplicar"), - "applyCodeTitle": - MessageLookupByLibrary.simpleMessage("Aplicar código"), - "appstoreSubscription": - MessageLookupByLibrary.simpleMessage("Subscrição da AppStore"), - "archive": MessageLookupByLibrary.simpleMessage("............"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("Arquivar álbum"), - "archiving": MessageLookupByLibrary.simpleMessage("Arquivar..."), - "areThey": MessageLookupByLibrary.simpleMessage("Eles são "), - "areYouSureRemoveThisFaceFromPerson": - MessageLookupByLibrary.simpleMessage( - "Tem a certeza que queira remover o rosto desta pessoa?"), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Tem certeza que deseja sair do plano familiar?"), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "Tem a certeza de que quer cancelar?"), - "areYouSureYouWantToChangeYourPlan": - MessageLookupByLibrary.simpleMessage( - "Tem a certeza de que pretende alterar o seu plano?"), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "Tem certeza de que deseja sair?"), - "areYouSureYouWantToIgnoreThesePersons": - MessageLookupByLibrary.simpleMessage( - "Tem a certeza que quer ignorar estas pessoas?"), - "areYouSureYouWantToIgnoreThisPerson": - MessageLookupByLibrary.simpleMessage( - "Tem a certeza que quer ignorar esta pessoa?"), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Tem certeza que deseja terminar a sessão?"), - "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( - "Tem a certeza que quer fundi-los?"), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "Tem a certeza de que pretende renovar?"), - "areYouSureYouWantToResetThisPerson": - MessageLookupByLibrary.simpleMessage( - "Tens a certeza de que queres repor esta pessoa?"), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "A sua subscrição foi cancelada. Gostaria de partilhar o motivo?"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Por que quer eliminar a sua conta?"), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Peça aos seus entes queridos para partilharem"), - "atAFalloutShelter": - MessageLookupByLibrary.simpleMessage("em um abrigo avançado"), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Por favor, autentique-se para alterar a verificação de e-mail"), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Por favor, autentique-se para alterar a configuração da tela do ecrã de bloqueio"), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Por favor, autentique-se para alterar o seu e-mail"), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Por favor, autentique-se para alterar a palavra-passe"), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Por favor, autentique para configurar a autenticação de dois fatores"), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Autentique-se para iniciar a eliminação da conta"), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Autentica-se para gerir os seus contactos de confiança"), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Autentique-se para ver a sua chave de acesso"), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Autentica-se para visualizar os ficheiros na lata de lixo"), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Por favor, autentique-se para ver as suas sessões ativas"), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Por favor, autentique para ver seus arquivos ocultos"), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Por favor, autentique-se para ver suas memórias"), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Por favor, autentique-se para ver a chave de recuperação"), - "authenticating": - MessageLookupByLibrary.simpleMessage("A Autenticar..."), - "authenticationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Falha na autenticação, por favor tente novamente"), - "authenticationSuccessful": - MessageLookupByLibrary.simpleMessage("Autenticação bem sucedida!"), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Verá os dispositivos Cast disponíveis aqui."), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Certifique-se de que as permissões de Rede local estão activadas para a aplicação Ente Photos, nas Definições."), - "autoLock": MessageLookupByLibrary.simpleMessage("Bloqueio automático"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Tempo após o qual a aplicação bloqueia depois de ser colocada em segundo plano"), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "Devido a uma falha técnica, a sua sessão foi encerrada. Pedimos desculpas pelo incómodo."), - "autoPair": - MessageLookupByLibrary.simpleMessage("Emparelhamento automático"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "O pareamento automático funciona apenas com dispositivos que suportam o Chromecast."), - "available": MessageLookupByLibrary.simpleMessage("Disponível"), - "availableStorageSpace": m10, - "backedUpFolders": MessageLookupByLibrary.simpleMessage( - "Pastas com cópia de segurança"), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("Cópia de segurança"), - "backupFailed": MessageLookupByLibrary.simpleMessage("Backup falhou"), - "backupFile": - MessageLookupByLibrary.simpleMessage("Backup de Ficheiro"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Cópia de segurança através dos dados móveis"), - "backupSettings": MessageLookupByLibrary.simpleMessage( - "Definições da cópia de segurança"), - "backupStatus": MessageLookupByLibrary.simpleMessage( - "Status da cópia de segurança"), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Os itens que foram salvos com segurança aparecerão aqui"), - "backupVideos": MessageLookupByLibrary.simpleMessage( - "Cópia de segurança de vídeos"), - "beach": MessageLookupByLibrary.simpleMessage("A areia e o mar"), - "birthday": MessageLookupByLibrary.simpleMessage("Aniversário"), - "birthdayNotifications": - MessageLookupByLibrary.simpleMessage("Notificações de felicidades"), - "birthdays": MessageLookupByLibrary.simpleMessage("Aniversários"), - "blackFridaySale": - MessageLookupByLibrary.simpleMessage("Promoção Black Friday"), - "blog": MessageLookupByLibrary.simpleMessage("Blog"), - "cLDesc1": MessageLookupByLibrary.simpleMessage( - "De volta aos vídeos em direto (beta), e a trabalhar em envios e transferências retomáveis, nós aumentamos o limite de envio de ficheiros para 10 GB. Isto está disponível para dispositivos Móveis e para Desktop."), - "cLDesc2": MessageLookupByLibrary.simpleMessage( - "Envios de fundo agora fornecerem suporte ao iOS. Para combinar com os aparelhos Android. Não precisa abrir a aplicação para fazer backup das fotos e vídeos recentes."), - "cLDesc3": MessageLookupByLibrary.simpleMessage( - "Nós fizemos melhorias significativas para a experiência das memórias, incluindo revisão automática, arrastar até a próxima memória e muito mais."), - "cLDesc4": MessageLookupByLibrary.simpleMessage( - "Junto a outras mudanças, agora facilitou a maneira de ver todos os rostos detetados, fornecer comentários para rostos similares, e adicionar ou remover rostos de uma foto única."), - "cLDesc5": MessageLookupByLibrary.simpleMessage( - "Ganhará uma notificação para todos os aniversários que salvaste no Ente, além de uma coleção das melhores fotos."), - "cLDesc6": MessageLookupByLibrary.simpleMessage( - "Sem mais aguardar até que os envios e transferências sejam concluídos para fechar a aplicação. Todos os envios e transferências podem ser pausados a qualquer momento, e retomar onde parou."), - "cLTitle1": MessageLookupByLibrary.simpleMessage( - "A Enviar Ficheiros de Vídeo Grandes"), - "cLTitle2": MessageLookupByLibrary.simpleMessage("Envio de Fundo"), - "cLTitle3": MessageLookupByLibrary.simpleMessage( - "Revisão automática de memórias"), - "cLTitle4": MessageLookupByLibrary.simpleMessage( - "Reconhecimento Facial Melhorado"), - "cLTitle5": - MessageLookupByLibrary.simpleMessage("Notificações de Felicidade"), - "cLTitle6": MessageLookupByLibrary.simpleMessage( - "Envios e transferências retomáveis"), - "cachedData": MessageLookupByLibrary.simpleMessage("Dados em cache"), - "calculating": MessageLookupByLibrary.simpleMessage("Calcular..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Perdão, portanto o álbum não pode ser aberto na aplicação."), - "canNotOpenTitle": - MessageLookupByLibrary.simpleMessage("Não pôde abrir este álbum"), - "canNotUploadToAlbumsOwnedByOthers": - MessageLookupByLibrary.simpleMessage( - "Não é possível fazer upload para álbuns pertencentes a outros"), - "canOnlyCreateLinkForFilesOwnedByYou": - MessageLookupByLibrary.simpleMessage( - "Só pode criar um link para arquivos pertencentes a você"), - "canOnlyRemoveFilesOwnedByYou": - MessageLookupByLibrary.simpleMessage(""), - "cancel": MessageLookupByLibrary.simpleMessage("Cancelar"), - "cancelAccountRecovery": - MessageLookupByLibrary.simpleMessage("Cancelar recuperação"), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "Quer mesmo cancelar a recuperação?"), - "cancelOtherSubscription": m12, - "cancelSubscription": - MessageLookupByLibrary.simpleMessage("Cancelar subscrição"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Não é possível eliminar ficheiros partilhados"), - "castAlbum": MessageLookupByLibrary.simpleMessage("Transferir Álbum"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Certifique-se de estar na mesma rede que a TV."), - "castIPMismatchTitle": - MessageLookupByLibrary.simpleMessage("Falha ao transmitir álbum"), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Visite cast.ente.io no dispositivo que pretende emparelhar.\n\n\nIntroduza o código abaixo para reproduzir o álbum na sua TV."), - "centerPoint": MessageLookupByLibrary.simpleMessage("Ponto central"), - "change": MessageLookupByLibrary.simpleMessage("Alterar"), - "changeEmail": MessageLookupByLibrary.simpleMessage("Alterar e-mail"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Alterar a localização dos itens selecionados?"), - "changePassword": - MessageLookupByLibrary.simpleMessage("Alterar palavra-passe"), - "changePasswordTitle": - MessageLookupByLibrary.simpleMessage("Alterar palavra-passe"), - "changePermissions": - MessageLookupByLibrary.simpleMessage("Alterar permissões"), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Alterar o código de referência"), - "checkForUpdates": - MessageLookupByLibrary.simpleMessage("Procurar atualizações"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Revê a sua caixa de entrada (e de spam) para concluir a verificação"), - "checkStatus": MessageLookupByLibrary.simpleMessage("Verificar status"), - "checking": MessageLookupByLibrary.simpleMessage("A verificar..."), - "checkingModels": - MessageLookupByLibrary.simpleMessage("A verificar modelos..."), - "city": MessageLookupByLibrary.simpleMessage("Na cidade"), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage( - "Solicitar armazenamento gratuito"), - "claimMore": MessageLookupByLibrary.simpleMessage("Reclamar mais!"), - "claimed": MessageLookupByLibrary.simpleMessage("Reclamado"), - "claimedStorageSoFar": m14, - "cleanUncategorized": - MessageLookupByLibrary.simpleMessage("Limpar sem categoria"), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Remover todos os arquivos da Não Categorizados que estão presentes em outros álbuns"), - "clearCaches": MessageLookupByLibrary.simpleMessage("Limpar cache"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Limpar índices"), - "click": MessageLookupByLibrary.simpleMessage("Clique"), - "clickOnTheOverflowMenu": - MessageLookupByLibrary.simpleMessage("• Clique no menu adicional"), - "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( - "Clica para transferir a melhor versão"), - "close": MessageLookupByLibrary.simpleMessage("Fechar"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( - "Agrupar por tempo de captura"), - "clubByFileName": MessageLookupByLibrary.simpleMessage( - "Agrupar pelo nome de arquivo"), - "clusteringProgress": - MessageLookupByLibrary.simpleMessage("Progresso de agrupamento"), - "codeAppliedPageTitle": - MessageLookupByLibrary.simpleMessage("Código aplicado"), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Desculpe, você atingiu o limite de alterações de código."), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Código copiado para área de transferência"), - "codeUsedByYou": - MessageLookupByLibrary.simpleMessage("Código usado por você"), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Criar um link para permitir que as pessoas adicionem e visualizem fotos em seu álbum compartilhado sem precisar de um aplicativo Ente ou conta. Ótimo para coletar fotos do evento."), - "collaborativeLink": - MessageLookupByLibrary.simpleMessage("Link colaborativo"), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Colaborador"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Os colaboradores podem adicionar fotos e vídeos ao álbum compartilhado."), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("Layout"), - "collageSaved": - MessageLookupByLibrary.simpleMessage("Colagem guardada na galeria"), - "collect": MessageLookupByLibrary.simpleMessage("Recolher"), - "collectEventPhotos": - MessageLookupByLibrary.simpleMessage("Coletar fotos do evento"), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Coletar fotos"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Crie um link onde seus amigos podem enviar fotos na qualidade original."), - "color": MessageLookupByLibrary.simpleMessage("Cor"), - "configuration": MessageLookupByLibrary.simpleMessage("Configuração"), - "confirm": MessageLookupByLibrary.simpleMessage("Confirmar"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Tem a certeza de que pretende desativar a autenticação de dois fatores?"), - "confirmAccountDeletion": - MessageLookupByLibrary.simpleMessage("Eliminar Conta"), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Sim, quero permanentemente eliminar esta conta com os dados."), - "confirmPassword": - MessageLookupByLibrary.simpleMessage("Confirmar palavra-passe"), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage( - "Confirmar alteração de plano"), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Confirmar chave de recuperação"), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Confirmar chave de recuperação"), - "connectToDevice": - MessageLookupByLibrary.simpleMessage("Ligar ao dispositivo"), - "contactFamilyAdmin": m18, - "contactSupport": - MessageLookupByLibrary.simpleMessage("Contactar o suporte"), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Contactos"), - "contents": MessageLookupByLibrary.simpleMessage("Conteúdos"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Continuar"), - "continueOnFreeTrial": - MessageLookupByLibrary.simpleMessage("Continuar em teste gratuito"), - "convertToAlbum": - MessageLookupByLibrary.simpleMessage("Converter para álbum"), - "copyEmailAddress": - MessageLookupByLibrary.simpleMessage("Copiar endereço de email"), - "copyLink": MessageLookupByLibrary.simpleMessage("Copiar link"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Copie e cole este código\nno seu aplicativo de autenticação"), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "Não foi possível fazer o backup de seus dados.\nTentaremos novamente mais tarde."), - "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( - "Não foi possível libertar espaço"), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Não foi possível atualizar a subscrição"), - "count": MessageLookupByLibrary.simpleMessage("Contagem"), - "crashReporting": - MessageLookupByLibrary.simpleMessage("Relatório de falhas"), - "create": MessageLookupByLibrary.simpleMessage("Criar"), - "createAccount": MessageLookupByLibrary.simpleMessage("Criar conta"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Pressione e segure para selecionar fotos e clique em + para criar um álbum"), - "createCollaborativeLink": - MessageLookupByLibrary.simpleMessage("Criar link colaborativo"), - "createCollage": MessageLookupByLibrary.simpleMessage("Criar coleção"), - "createNewAccount": - MessageLookupByLibrary.simpleMessage("Criar conta nova"), - "createOrSelectAlbum": - MessageLookupByLibrary.simpleMessage("Criar ou selecionar álbum"), - "createPublicLink": - MessageLookupByLibrary.simpleMessage("Criar link público"), - "creatingLink": MessageLookupByLibrary.simpleMessage("Criar link..."), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "Atualização crítica disponível"), - "crop": MessageLookupByLibrary.simpleMessage("Recortar"), - "curatedMemories": - MessageLookupByLibrary.simpleMessage("Memórias curadas"), - "currentUsageIs": - MessageLookupByLibrary.simpleMessage("O uso atual é "), - "currentlyRunning": MessageLookupByLibrary.simpleMessage("em execução"), - "custom": MessageLookupByLibrary.simpleMessage("Personalizado"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Escuro"), - "dayToday": MessageLookupByLibrary.simpleMessage("Hoje"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Ontem"), - "declineTrustInvite": - MessageLookupByLibrary.simpleMessage("Dispense o Convite"), - "decrypting": MessageLookupByLibrary.simpleMessage("A desencriptar…"), - "decryptingVideo": - MessageLookupByLibrary.simpleMessage("Descriptografando vídeo..."), - "deduplicateFiles": - MessageLookupByLibrary.simpleMessage("Arquivos duplicados"), - "delete": MessageLookupByLibrary.simpleMessage("Apagar"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Eliminar conta"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Lamentável a sua ida. Favor, partilhe o seu comentário para ajudar-nos a aprimorar."), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Eliminar Conta Permanentemente"), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Apagar álbum"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Eliminar também as fotos (e vídeos) presentes neste álbum de all os outros álbuns de que fazem parte?"), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "Esta ação elimina todos os álbuns vazios. Isto é útil quando pretende reduzir a confusão na sua lista de álbuns."), - "deleteAll": MessageLookupByLibrary.simpleMessage("Apagar tudo"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "Esta conta está ligada a outras aplicações Ente, se utilizar alguma. Os seus dados carregados, em todas as aplicações Ente, serão agendados para eliminação e a sua conta será permanentemente eliminada."), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Favor, envie um e-mail a account-deletion@ente.io do e-mail registado."), - "deleteEmptyAlbums": - MessageLookupByLibrary.simpleMessage("Apagar álbuns vazios"), - "deleteEmptyAlbumsWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Apagar álbuns vazios?"), - "deleteFromBoth": - MessageLookupByLibrary.simpleMessage("Apagar de ambos"), - "deleteFromDevice": - MessageLookupByLibrary.simpleMessage("Apagar do dispositivo"), - "deleteFromEnte": - MessageLookupByLibrary.simpleMessage("Apagar do Ente"), - "deleteItemCount": m21, - "deleteLocation": - MessageLookupByLibrary.simpleMessage("Apagar localização"), - "deleteMultipleAlbumDialog": m22, - "deletePhotos": MessageLookupByLibrary.simpleMessage("Apagar fotos"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Necessita uma funcionalidade-chave que quero"), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "A aplicação ou certa funcionalidade não comporta conforme o meu desejo"), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Possuo outro serviço que acho melhor"), - "deleteReason4": - MessageLookupByLibrary.simpleMessage("A razão não está listada"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "O pedido será revisto dentre 72 horas."), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Excluir álbum compartilhado?"), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "O álbum será apagado para todos\n\nVocê perderá o acesso a fotos compartilhadas neste álbum que são propriedade de outros"), - "deselectAll": MessageLookupByLibrary.simpleMessage("Desmarcar tudo"), - "designedToOutlive": - MessageLookupByLibrary.simpleMessage("Feito para ter longevidade"), - "details": MessageLookupByLibrary.simpleMessage("Detalhes"), - "developerSettings": - MessageLookupByLibrary.simpleMessage("Definições do programador"), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Tem a certeza de que pretende modificar as definições de programador?"), - "deviceCodeHint": - MessageLookupByLibrary.simpleMessage("Introduza o código"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "Os ficheiros adicionados a este álbum de dispositivo serão automaticamente transferidos para o Ente."), - "deviceLock": - MessageLookupByLibrary.simpleMessage("Bloqueio do dispositivo"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Desativar o bloqueio do ecrã do dispositivo quando o Ente estiver em primeiro plano e houver uma cópia de segurança em curso. Normalmente, isto não é necessário, mas pode ajudar a que os grandes carregamentos e as importações iniciais de grandes bibliotecas sejam concluídos mais rapidamente."), - "deviceNotFound": - MessageLookupByLibrary.simpleMessage("Dispositivo não encontrado"), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Você sabia?"), - "different": MessageLookupByLibrary.simpleMessage("Diferente"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage( - "Desativar bloqueio automático"), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Visualizadores ainda podem fazer capturas de tela ou salvar uma cópia das suas fotos usando ferramentas externas"), - "disableDownloadWarningTitle": - MessageLookupByLibrary.simpleMessage("Por favor, observe"), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "Desativar autenticação de dois fatores"), - "disablingTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Desativar a autenticação de dois factores..."), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Descobrir"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Bebés"), - "discover_celebrations": - MessageLookupByLibrary.simpleMessage("Comemorações"), - "discover_food": MessageLookupByLibrary.simpleMessage("Comida"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Vegetação"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Colinas"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Identidade"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Notas"), - "discover_pets": - MessageLookupByLibrary.simpleMessage("Animais de estimação"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Recibos"), - "discover_screenshots": - MessageLookupByLibrary.simpleMessage("Capturas de ecrã"), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfies"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Pôr do sol"), - "discover_visiting_cards": - MessageLookupByLibrary.simpleMessage("Cartões de visita"), - "discover_wallpapers": - MessageLookupByLibrary.simpleMessage("Papéis de parede"), - "dismiss": MessageLookupByLibrary.simpleMessage("Rejeitar"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": - MessageLookupByLibrary.simpleMessage("Não terminar a sessão"), - "doThisLater": - MessageLookupByLibrary.simpleMessage("Fazer isto mais tarde"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Pretende eliminar as edições que efectuou?"), - "done": MessageLookupByLibrary.simpleMessage("Concluído"), - "dontSave": MessageLookupByLibrary.simpleMessage("Não guarde"), - "doubleYourStorage": MessageLookupByLibrary.simpleMessage( - "Duplicar o seu armazenamento"), - "download": MessageLookupByLibrary.simpleMessage("Download"), - "downloadFailed": - MessageLookupByLibrary.simpleMessage("Falha no download"), - "downloading": MessageLookupByLibrary.simpleMessage("A transferir..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Editar"), - "editEmailAlreadyLinked": m28, - "editLocation": - MessageLookupByLibrary.simpleMessage("Editar localização"), - "editLocationTagTitle": - MessageLookupByLibrary.simpleMessage("Editar localização"), - "editPerson": MessageLookupByLibrary.simpleMessage("Editar pessoa"), - "editTime": MessageLookupByLibrary.simpleMessage("Editar tempo"), - "editsSaved": MessageLookupByLibrary.simpleMessage("Edição guardada"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Edições para localização só serão vistas dentro do Ente"), - "eligible": MessageLookupByLibrary.simpleMessage("elegível"), - "email": MessageLookupByLibrary.simpleMessage("E-mail"), - "emailAlreadyRegistered": - MessageLookupByLibrary.simpleMessage("E-mail já em utilização."), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": - MessageLookupByLibrary.simpleMessage("E-mail não em utilização."), - "emailVerificationToggle": - MessageLookupByLibrary.simpleMessage("Verificação por e-mail"), - "emailYourLogs": - MessageLookupByLibrary.simpleMessage("Enviar logs por e-mail"), - "embracingThem": m32, - "emergencyContacts": - MessageLookupByLibrary.simpleMessage("Contactos de Emergência"), - "empty": MessageLookupByLibrary.simpleMessage("Esvaziar"), - "emptyTrash": MessageLookupByLibrary.simpleMessage("Esvaziar lixo?"), - "enable": MessageLookupByLibrary.simpleMessage("Ativar"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "O Ente suporta a aprendizagem automática no dispositivo para reconhecimento facial, pesquisa mágica e outras funcionalidades de pesquisa avançadas"), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Habilitar aprendizagem automática para pesquisa mágica e reconhecimento de rosto"), - "enableMaps": MessageLookupByLibrary.simpleMessage("Ativar mapas"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "Esta opção mostra as suas fotografias num mapa do mundo.\n\n\nEste mapa é alojado pelo Open Street Map e as localizações exactas das suas fotografias nunca são partilhadas.\n\n\nPode desativar esta funcionalidade em qualquer altura nas Definições."), - "enabled": MessageLookupByLibrary.simpleMessage("Ativado"), - "encryptingBackup": - MessageLookupByLibrary.simpleMessage("Criptografando backup..."), - "encryption": MessageLookupByLibrary.simpleMessage("Encriptação"), - "encryptionKeys": - MessageLookupByLibrary.simpleMessage("Chaves de encriptação"), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Endpoint atualizado com sucesso"), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Criptografia de ponta a ponta por padrão"), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente pode criptografar e preservar arquivos apenas se você conceder acesso a eles"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente precisa da permissão para preservar as suas fotos"), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "O Ente preserva as suas memórias, para que estejam sempre disponíveis, mesmo que perca o seu dispositivo."), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Sua família também pode ser adicionada ao seu plano."), - "enterAlbumName": - MessageLookupByLibrary.simpleMessage("Introduzir nome do álbum"), - "enterCode": MessageLookupByLibrary.simpleMessage("Insira o código"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Introduza o código fornecido pelo seu amigo para obter armazenamento gratuito para ambos"), - "enterDateOfBirth": - MessageLookupByLibrary.simpleMessage("Aniversário (opcional)"), - "enterEmail": MessageLookupByLibrary.simpleMessage("Digite o e-mail"), - "enterFileName": - MessageLookupByLibrary.simpleMessage("Inserir nome do arquivo"), - "enterName": MessageLookupByLibrary.simpleMessage("Inserir nome"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Inserir uma nova palavra-passe para encriptar os seus dados"), - "enterPassword": - MessageLookupByLibrary.simpleMessage("Introduzir palavra-passe"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Inserir uma palavra-passe para encriptar os seus dados"), - "enterPersonName": - MessageLookupByLibrary.simpleMessage("Inserir nome da pessoa"), - "enterPin": MessageLookupByLibrary.simpleMessage("Introduzir PIN"), - "enterReferralCode": MessageLookupByLibrary.simpleMessage( - "Insira o código de referência"), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Introduzir o código de 6 dígitos da\nsua aplicação de autenticação"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Favor, introduz um e-mail válido."), - "enterYourEmailAddress": - MessageLookupByLibrary.simpleMessage("Introduza o seu e-mail"), - "enterYourNewEmailAddress": - MessageLookupByLibrary.simpleMessage("Introduza o seu novo e-mail"), - "enterYourPassword": MessageLookupByLibrary.simpleMessage( - "Introduza a sua palavra-passe"), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Introduz a sua chave de recuperação"), - "error": MessageLookupByLibrary.simpleMessage("Erro"), - "everywhere": MessageLookupByLibrary.simpleMessage("em todo o lado"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": - MessageLookupByLibrary.simpleMessage("Utilizador existente"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Este link expirou. Por favor, selecione um novo tempo de expiração ou desabilite a expiração do link."), - "exportLogs": MessageLookupByLibrary.simpleMessage("Exportar logs"), - "exportYourData": - MessageLookupByLibrary.simpleMessage("Exportar os seus dados"), - "extraPhotosFound": MessageLookupByLibrary.simpleMessage( - "Fotos adicionais encontradas"), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Rosto não aglomerado ainda, retome mais tarde"), - "faceRecognition": - MessageLookupByLibrary.simpleMessage("Reconhecimento facial"), - "faces": MessageLookupByLibrary.simpleMessage("Rostos"), - "failed": MessageLookupByLibrary.simpleMessage("Falha"), - "failedToApplyCode": - MessageLookupByLibrary.simpleMessage("Falha ao aplicar código"), - "failedToCancel": - MessageLookupByLibrary.simpleMessage("Falhou ao cancelar"), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( - "Falha ao fazer o download do vídeo"), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Falha ao obter sessões em atividade"), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Falha ao obter original para edição"), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Não foi possível obter detalhes de indicação. Por favor, tente novamente mais tarde."), - "failedToLoadAlbums": - MessageLookupByLibrary.simpleMessage("Falha ao carregar álbuns"), - "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Falha ao reproduzir multimédia"), - "failedToRefreshStripeSubscription": - MessageLookupByLibrary.simpleMessage( - "Falha ao atualizar subscrição"), - "failedToRenew": - MessageLookupByLibrary.simpleMessage("Falhou ao renovar"), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Falha ao verificar status do pagamento"), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Adicione 5 membros da família ao seu plano existente sem pagar mais.\n\n\nCada membro tem o seu próprio espaço privado e não pode ver os ficheiros dos outros, a menos que sejam partilhados.\n\n\nOs planos familiares estão disponíveis para clientes que tenham uma subscrição paga do Ente.\n\n\nSubscreva agora para começar!"), - "familyPlanPortalTitle": - MessageLookupByLibrary.simpleMessage("Família"), - "familyPlans": - MessageLookupByLibrary.simpleMessage("Planos familiares"), - "faq": MessageLookupByLibrary.simpleMessage("Perguntas Frequentes"), - "faqs": MessageLookupByLibrary.simpleMessage("Perguntas frequentes"), - "favorite": MessageLookupByLibrary.simpleMessage("Favorito"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("Comentário"), - "file": MessageLookupByLibrary.simpleMessage("Ficheiro"), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Falha ao guardar o ficheiro na galeria"), - "fileInfoAddDescHint": - MessageLookupByLibrary.simpleMessage("Acrescente uma descrição..."), - "fileNotUploadedYet": - MessageLookupByLibrary.simpleMessage("Ficheiro não enviado ainda"), - "fileSavedToGallery": - MessageLookupByLibrary.simpleMessage("Arquivo guardado na galeria"), - "fileTypes": MessageLookupByLibrary.simpleMessage("Tipos de arquivo"), - "fileTypesAndNames": - MessageLookupByLibrary.simpleMessage("Tipos de arquivo e nomes"), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": - MessageLookupByLibrary.simpleMessage("Arquivos apagados"), - "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Arquivos guardados na galeria"), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Encontrar pessoas rapidamente pelo nome"), - "findThemQuickly": - MessageLookupByLibrary.simpleMessage("Ache-os rapidamente"), - "flip": MessageLookupByLibrary.simpleMessage("Inverter"), - "food": MessageLookupByLibrary.simpleMessage("Culinária saborosa"), - "forYourMemories": - MessageLookupByLibrary.simpleMessage("para suas memórias"), - "forgotPassword": - MessageLookupByLibrary.simpleMessage("Não recordo a palavra-passe"), - "foundFaces": - MessageLookupByLibrary.simpleMessage("Rostos encontrados"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( - "Armazenamento gratuito reclamado"), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Armazenamento livre utilizável"), - "freeTrial": MessageLookupByLibrary.simpleMessage("Teste grátis"), - "freeTrialValidTill": m38, - "freeUpAccessPostDelete": m39, - "freeUpAmount": m40, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( - "Libertar espaço no dispositivo"), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Poupe espaço no seu dispositivo limpando ficheiros dos quais já foi feita uma cópia de segurança."), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("Libertar espaço"), - "freeUpSpaceSaving": m41, - "gallery": MessageLookupByLibrary.simpleMessage("Galeria"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "Até 1000 memórias mostradas na galeria"), - "general": MessageLookupByLibrary.simpleMessage("Geral"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Gerando chaves de encriptação..."), - "genericProgress": m42, - "goToSettings": - MessageLookupByLibrary.simpleMessage("Ir para as definições"), - "googlePlayId": - MessageLookupByLibrary.simpleMessage("ID do Google Play"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Por favor, permita o acesso a todas as fotos nas definições do aplicativo"), - "grantPermission": - MessageLookupByLibrary.simpleMessage("Conceder permissão"), - "greenery": MessageLookupByLibrary.simpleMessage("A vida esverdeada"), - "groupNearbyPhotos": - MessageLookupByLibrary.simpleMessage("Agrupar fotos próximas"), - "guestView": MessageLookupByLibrary.simpleMessage("Visão de convidado"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "Para ativar a vista de convidado, configure o código de acesso do dispositivo ou o bloqueio do ecrã nas definições do sistema."), - "happyBirthday": - MessageLookupByLibrary.simpleMessage("Felicidades! 🥳"), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "Não monitorizamos as instalações de aplicações. Ajudaria se nos dissesse onde nos encontrou!"), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Como é que soube do Ente? (opcional)"), - "help": MessageLookupByLibrary.simpleMessage("Ajuda"), - "hidden": MessageLookupByLibrary.simpleMessage("Oculto"), - "hide": MessageLookupByLibrary.simpleMessage("Ocultar"), - "hideContent": MessageLookupByLibrary.simpleMessage("Ocultar conteúdo"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Oculta o conteúdo da aplicação no alternador de aplicações e desactiva as capturas de ecrã"), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Oculta o conteúdo da aplicação no alternador de aplicações"), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "Esconder Itens Partilhados da Galeria Inicial"), - "hiding": MessageLookupByLibrary.simpleMessage("Ocultando..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": - MessageLookupByLibrary.simpleMessage("Hospedado na OSM France"), - "howItWorks": MessageLookupByLibrary.simpleMessage("Como funciona"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Por favor, peça-lhes para pressionar longamente o endereço de e-mail na tela de configurações e verifique se os IDs de ambos os dispositivos coincidem."), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "A autenticação biométrica não está configurada no seu dispositivo. Active o Touch ID ou o Face ID no seu telemóvel."), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "A autenticação biométrica está desativada. Por favor, bloqueie e desbloqueie o ecrã para ativá-la."), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), - "ignore": MessageLookupByLibrary.simpleMessage("Ignorar"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorar"), - "ignored": MessageLookupByLibrary.simpleMessage("ignorado"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Alguns ficheiros deste álbum não podem ser carregados porque foram anteriormente eliminados do Ente."), - "imageNotAnalyzed": - MessageLookupByLibrary.simpleMessage("Imagem sem análise"), - "immediately": MessageLookupByLibrary.simpleMessage("Imediatamente"), - "importing": MessageLookupByLibrary.simpleMessage("A importar..."), - "incorrectCode": - MessageLookupByLibrary.simpleMessage("Código incorrecto"), - "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("Palavra-passe incorreta"), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Chave de recuperação incorreta"), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "A chave de recuperação introduzida está incorreta"), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Chave de recuperação incorreta"), - "indexedItems": MessageLookupByLibrary.simpleMessage("Itens indexados"), - "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( - "A indexação foi interrompida. Ele será retomado se o dispositivo estiver pronto. O dispositivo é considerado pronto se o nível de bateria, saúde da bateria, e estado térmico esteja num estado saudável."), - "ineligible": MessageLookupByLibrary.simpleMessage("Inelegível"), - "info": MessageLookupByLibrary.simpleMessage("Info"), - "insecureDevice": - MessageLookupByLibrary.simpleMessage("Dispositivo inseguro"), - "installManually": - MessageLookupByLibrary.simpleMessage("Instalar manualmente"), - "invalidEmailAddress": - MessageLookupByLibrary.simpleMessage("E-mail inválido"), - "invalidEndpoint": - MessageLookupByLibrary.simpleMessage("Endpoint inválido"), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Desculpe, o endpoint que introduziu é inválido. Introduza um ponto final válido e tente novamente."), - "invalidKey": MessageLookupByLibrary.simpleMessage("Chave inválida"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "A chave de recuperação que inseriu não é válida. Por favor, certifique-se que ela contém 24 palavras e verifique a ortografia de cada uma.\n\nSe inseriu um código de recuperação mais antigo, certifique-se de que tem 64 caracteres e verifique cada um deles."), - "invite": MessageLookupByLibrary.simpleMessage("Convidar"), - "inviteToEnte": - MessageLookupByLibrary.simpleMessage("Convidar para Ente"), - "inviteYourFriends": - MessageLookupByLibrary.simpleMessage("Convide os seus amigos"), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "Convide seus amigos para o Ente"), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Parece que algo correu mal. Por favor, tente novamente após algum tempo. Se o erro persistir, contacte a nossa equipa de apoio."), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "Os itens mostram o número de dias restantes antes da eliminação permanente"), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Os itens selecionados serão removidos deste álbum"), - "join": MessageLookupByLibrary.simpleMessage("Aderir"), - "joinAlbum": MessageLookupByLibrary.simpleMessage("Aderir ao Álbum"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "Aderir a um álbum fará o seu e-mail visível aos participantes."), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( - "para ver e adicionar as suas fotos"), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "para adicionar isto aos álbuns partilhados"), - "joinDiscord": - MessageLookupByLibrary.simpleMessage("Juntar-se ao Discord"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Manter fotos"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Ajude-nos com esta informação"), - "language": MessageLookupByLibrary.simpleMessage("Idioma"), - "lastTimeWithThem": m45, - "lastUpdated": - MessageLookupByLibrary.simpleMessage("Última atualização"), - "lastYearsTrip": - MessageLookupByLibrary.simpleMessage("Viagem do ano passado"), - "leave": MessageLookupByLibrary.simpleMessage("Sair"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Sair do álbum"), - "leaveFamily": - MessageLookupByLibrary.simpleMessage("Deixar plano famíliar"), - "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Sair do álbum compartilhado?"), - "left": MessageLookupByLibrary.simpleMessage("Esquerda"), - "legacy": MessageLookupByLibrary.simpleMessage("Revivência"), - "legacyAccounts": - MessageLookupByLibrary.simpleMessage("Contas revividas"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "A Revivência permite que contactos de confiança acessem a sua conta na sua inatividade."), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "Contactos de confiança podem restaurar a sua conta, e se não lhes impedir em 30 dias, redefine a sua palavra-passe e acesse a sua conta."), - "light": MessageLookupByLibrary.simpleMessage("Claro"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Claro"), - "link": MessageLookupByLibrary.simpleMessage("Ligar"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Link copiado para a área de transferência"), - "linkDeviceLimit": - MessageLookupByLibrary.simpleMessage("Limite de dispositivo"), - "linkEmail": MessageLookupByLibrary.simpleMessage("Ligar e-mail"), - "linkEmailToContactBannerCaption": - MessageLookupByLibrary.simpleMessage("para partilha ágil"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Ativado"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Expirado"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Link expirado"), - "linkHasExpired": - MessageLookupByLibrary.simpleMessage("O link expirou"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Nunca"), - "linkPerson": MessageLookupByLibrary.simpleMessage("Ligar pessoa"), - "linkPersonCaption": MessageLookupByLibrary.simpleMessage( - "para melhor experiência de partilha"), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": - MessageLookupByLibrary.simpleMessage("Fotos Em Tempo Real"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "Pode partilhar a sua subscrição com a sua família"), - "loadMessage2": MessageLookupByLibrary.simpleMessage( - "Já contivemos 200 milhões de memórias até o momento"), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "Mantemos 3 cópias dos seus dados, uma em um abrigo subterrâneo"), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "Todos os nossos aplicativos são de código aberto"), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Nosso código-fonte e criptografia foram auditadas externamente"), - "loadMessage6": - MessageLookupByLibrary.simpleMessage("Deixar o álbum partilhado?"), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Nossos aplicativos móveis são executados em segundo plano para criptografar e fazer backup de quaisquer novas fotos que você clique"), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io tem um envio mais rápido"), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Nós usamos Xchacha20Poly1305 para criptografar seus dados com segurança"), - "loadingExifData": - MessageLookupByLibrary.simpleMessage("Carregando dados EXIF..."), - "loadingGallery": - MessageLookupByLibrary.simpleMessage("Carregando galeria..."), - "loadingMessage": - MessageLookupByLibrary.simpleMessage("Carregar as suas fotos..."), - "loadingModel": - MessageLookupByLibrary.simpleMessage("Transferindo modelos..."), - "loadingYourPhotos": - MessageLookupByLibrary.simpleMessage("Carregar as suas fotos..."), - "localGallery": MessageLookupByLibrary.simpleMessage("Galeria local"), - "localIndexing": - MessageLookupByLibrary.simpleMessage("Indexação local"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Parece que algo correu mal, uma vez que a sincronização de fotografias locais está a demorar mais tempo do que o esperado. Contacte a nossa equipa de apoio"), - "location": MessageLookupByLibrary.simpleMessage("Localização"), - "locationName": - MessageLookupByLibrary.simpleMessage("Nome da localização"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Uma etiqueta de localização agrupa todas as fotos que foram tiradas num determinado raio de uma fotografia"), - "locations": MessageLookupByLibrary.simpleMessage("Localizações"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Bloquear"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Ecrã de bloqueio"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Iniciar sessão"), - "loggingOut": - MessageLookupByLibrary.simpleMessage("Terminar a sessão..."), - "loginSessionExpired": - MessageLookupByLibrary.simpleMessage("Sessão expirada"), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "A sua sessão expirou. Por favor, inicie sessão novamente."), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Ao clicar em iniciar sessão, eu concordo com os termos de serviço e política de privacidade"), - "loginWithTOTP": - MessageLookupByLibrary.simpleMessage("Iniciar sessão com TOTP"), - "logout": MessageLookupByLibrary.simpleMessage("Terminar sessão"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Isto enviará os registos para nos ajudar a resolver o problema. Tenha em atenção que os nomes dos ficheiros serão incluídos para ajudar a localizar problemas com ficheiros específicos."), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Pressione e segure um e-mail para verificar a criptografia de ponta a ponta."), - "longpressOnAnItemToViewInFullscreen": - MessageLookupByLibrary.simpleMessage( - "Pressione e segure em um item para ver em tela cheia"), - "lookBackOnYourMemories": - MessageLookupByLibrary.simpleMessage("Revê as suas memórias 🌄"), - "loopVideoOff": - MessageLookupByLibrary.simpleMessage("Repetir vídeo desligado"), - "loopVideoOn": - MessageLookupByLibrary.simpleMessage("Repetir vídeo ligado"), - "lostDevice": - MessageLookupByLibrary.simpleMessage("Perdeu o seu dispositívo?"), - "machineLearning": - MessageLookupByLibrary.simpleMessage("Aprendizagem automática"), - "magicSearch": MessageLookupByLibrary.simpleMessage("Pesquisa mágica"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "A pesquisa mágica permite pesquisar fotos por seu conteúdo, por exemplo, \'flor\', \'carro vermelho\', \'documentos de identidade\'"), - "manage": MessageLookupByLibrary.simpleMessage("Gerir"), - "manageDeviceStorage": - MessageLookupByLibrary.simpleMessage("Gerir cache do aparelho"), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Reveja e limpe o armazenamento de cache local."), - "manageFamily": MessageLookupByLibrary.simpleMessage("Gerir família"), - "manageLink": MessageLookupByLibrary.simpleMessage("Gerir link"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Gerir"), - "manageSubscription": - MessageLookupByLibrary.simpleMessage("Gerir subscrição"), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "Emparelhar com PIN funciona com qualquer ecrã onde pretenda ver o seu álbum."), - "map": MessageLookupByLibrary.simpleMessage("Mapa"), - "maps": MessageLookupByLibrary.simpleMessage("Mapas"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("Eu"), - "memories": MessageLookupByLibrary.simpleMessage("Memórias"), - "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Seleciona os tipos de memórias que adoraria ver no seu ecrã inicial."), - "memoryCount": m50, - "merchandise": MessageLookupByLibrary.simpleMessage("Produtos"), - "merge": MessageLookupByLibrary.simpleMessage("Fundir"), - "mergeWithExisting": - MessageLookupByLibrary.simpleMessage("Juntar com o existente"), - "mergedPhotos": - MessageLookupByLibrary.simpleMessage("Fotos combinadas"), - "mlConsent": MessageLookupByLibrary.simpleMessage( - "Ativar aprendizagem automática"), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Eu entendo, e desejo ativar a aprendizagem automática"), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Se ativar a aprendizagem automática, o Ente extrairá informações como a geometria do rosto de ficheiros, incluindo os partilhados consigo.\n\n\nIsto acontecerá no seu dispositivo e todas as informações biométricas geradas serão encriptadas de ponta a ponta."), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Por favor, clique aqui para mais detalhes sobre este recurso na nossa política de privacidade"), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "Ativar aprendizagem automática?"), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Tenha em atenção que a aprendizagem automática resultará numa maior utilização da largura de banda e da bateria até que todos os itens sejam indexados. Considere utilizar a aplicação de ambiente de trabalho para uma indexação mais rápida, todos os resultados serão sincronizados automaticamente."), - "mobileWebDesktop": - MessageLookupByLibrary.simpleMessage("Mobile, Web, Desktop"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Moderada"), - "modifyYourQueryOrTrySearchingFor": - MessageLookupByLibrary.simpleMessage( - "Modifique a sua consulta ou tente pesquisar por"), - "moments": MessageLookupByLibrary.simpleMessage("Momentos"), - "month": MessageLookupByLibrary.simpleMessage("mês"), - "monthly": MessageLookupByLibrary.simpleMessage("Mensal"), - "moon": MessageLookupByLibrary.simpleMessage("Na luz da lua"), - "moreDetails": MessageLookupByLibrary.simpleMessage("Mais detalhes"), - "mostRecent": MessageLookupByLibrary.simpleMessage("Mais recente"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("Mais relevante"), - "mountains": MessageLookupByLibrary.simpleMessage("Sobre as colinas"), - "moveItem": m51, - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "Alterar datas de Fotos ao Selecionado"), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("Mover para álbum"), - "moveToHiddenAlbum": - MessageLookupByLibrary.simpleMessage("Mover para álbum oculto"), - "movedSuccessfullyTo": m52, - "movedToTrash": - MessageLookupByLibrary.simpleMessage("Mover para o lixo"), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Mover arquivos para o álbum..."), - "name": MessageLookupByLibrary.simpleMessage("Nome"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Nomear o álbum"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Não foi possível conectar ao Ente, tente novamente após algum tempo. Se o erro persistir, entre em contato com o suporte."), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Não foi possível estabelecer ligação ao Ente. Verifique as definições de rede e contacte o serviço de apoio se o erro persistir."), - "never": MessageLookupByLibrary.simpleMessage("Nunca"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Novo álbum"), - "newLocation": MessageLookupByLibrary.simpleMessage("Novo Lugar"), - "newPerson": MessageLookupByLibrary.simpleMessage("Nova pessoa"), - "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" novo 📸"), - "newRange": MessageLookupByLibrary.simpleMessage("Novo intervalo"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Novo no Ente"), - "newest": MessageLookupByLibrary.simpleMessage("Recentes"), - "next": MessageLookupByLibrary.simpleMessage("Seguinte"), - "no": MessageLookupByLibrary.simpleMessage("Não"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Ainda não há álbuns partilhados por si"), - "noDeviceFound": MessageLookupByLibrary.simpleMessage( - "Nenhum dispositivo encontrado"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Nenhum"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "Você não tem arquivos neste dispositivo que possam ser apagados"), - "noDuplicates": - MessageLookupByLibrary.simpleMessage("✨ Sem duplicados"), - "noEnteAccountExclamation": - MessageLookupByLibrary.simpleMessage("Nenhuma conta do Ente!"), - "noExifData": MessageLookupByLibrary.simpleMessage("Sem dados EXIF"), - "noFacesFound": - MessageLookupByLibrary.simpleMessage("Nenhum rosto foi detetado"), - "noHiddenPhotosOrVideos": - MessageLookupByLibrary.simpleMessage("Sem fotos ou vídeos ocultos"), - "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( - "Nenhuma imagem com localização"), - "noInternetConnection": - MessageLookupByLibrary.simpleMessage("Sem ligação à internet"), - "noPhotosAreBeingBackedUpRightNow": - MessageLookupByLibrary.simpleMessage( - "No momento não há backup de fotos sendo feito"), - "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( - "Nenhuma foto encontrada aqui"), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( - "Nenhum link rápido selecionado"), - "noRecoveryKey": - MessageLookupByLibrary.simpleMessage("Sem chave de recuperação?"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Por conta da natureza do nosso protocolo de encriptação, os seus dados não podem ser desencriptados sem a sua palavra-passe ou chave de recuperação."), - "noResults": MessageLookupByLibrary.simpleMessage("Nenhum resultado"), - "noResultsFound": MessageLookupByLibrary.simpleMessage( - "Não foram encontrados resultados"), - "noSuggestionsForPerson": m53, - "noSystemLockFound": MessageLookupByLibrary.simpleMessage( - "Nenhum bloqueio de sistema encontrado"), - "notPersonLabel": m54, - "notThisPerson": - MessageLookupByLibrary.simpleMessage("Não é esta pessoa?"), - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "Ainda nada partilhado consigo"), - "nothingToSeeHere": - MessageLookupByLibrary.simpleMessage("Nada para ver aqui! 👀"), - "notifications": MessageLookupByLibrary.simpleMessage("Notificações"), - "ok": MessageLookupByLibrary.simpleMessage("OK"), - "onDevice": MessageLookupByLibrary.simpleMessage("No dispositivo"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "Em ente"), - "onTheRoad": MessageLookupByLibrary.simpleMessage("Na rua de novo"), - "onThisDay": MessageLookupByLibrary.simpleMessage("Neste dia"), - "onThisDayMemories": - MessageLookupByLibrary.simpleMessage("Memórias deste dia"), - "onThisDayNotificationExplanation": - MessageLookupByLibrary.simpleMessage( - "Obtém lembretes de memórias deste dia em anos passados."), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Apenas eles"), - "oops": MessageLookupByLibrary.simpleMessage("Ops"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Oops, não foi possível guardar as edições"), - "oopsSomethingWentWrong": - MessageLookupByLibrary.simpleMessage("Ops, algo deu errado"), - "openAlbumInBrowser": - MessageLookupByLibrary.simpleMessage("Abrir o Álbum em Navegador"), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Utilize a Aplicação de Web Sítio para adicionar fotos ao álbum"), - "openFile": MessageLookupByLibrary.simpleMessage("Abrir o Ficheiro"), - "openSettings": - MessageLookupByLibrary.simpleMessage("Abrir Definições"), - "openTheItem": MessageLookupByLibrary.simpleMessage("• Abra o item"), - "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( - "Contribuidores do OpenStreetMap"), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Opcional, o mais breve que quiser..."), - "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( - "Ou combinar com já existente"), - "orPickAnExistingOne": - MessageLookupByLibrary.simpleMessage("Ou escolha um já existente"), - "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( - "ou selecione dos seus contactos"), - "otherDetectedFaces": - MessageLookupByLibrary.simpleMessage("Outros rostos detetados"), - "pair": MessageLookupByLibrary.simpleMessage("Emparelhar"), - "pairWithPin": - MessageLookupByLibrary.simpleMessage("Emparelhar com PIN"), - "pairingComplete": - MessageLookupByLibrary.simpleMessage("Emparelhamento concluído"), - "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), - "partyWithThem": m56, - "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( - "A verificação ainda está pendente"), - "passkey": MessageLookupByLibrary.simpleMessage("Chave de acesso"), - "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( - "Verificação da chave de acesso"), - "password": MessageLookupByLibrary.simpleMessage("Palavra-passe"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Palavra-passe alterada com sucesso"), - "passwordLock": - MessageLookupByLibrary.simpleMessage("Bloqueio da palavra-passe"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "A força da palavra-passe é calculada tendo em conta o comprimento da palavra-passe, os caracteres utilizados e se a palavra-passe aparece ou não nas 10.000 palavras-passe mais utilizadas"), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Não armazenamos esta palavra-passe, se você a esquecer, não podemos desencriptar os seus dados"), - "pastYearsMemories": - MessageLookupByLibrary.simpleMessage("Memórias de anos passados"), - "paymentDetails": - MessageLookupByLibrary.simpleMessage("Detalhes de pagamento"), - "paymentFailed": - MessageLookupByLibrary.simpleMessage("O pagamento falhou"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "Infelizmente o seu pagamento falhou. Entre em contato com o suporte e nós ajudaremos você!"), - "paymentFailedTalkToProvider": m58, - "pendingItems": MessageLookupByLibrary.simpleMessage("Itens pendentes"), - "pendingSync": - MessageLookupByLibrary.simpleMessage("Sincronização pendente"), - "people": MessageLookupByLibrary.simpleMessage("Pessoas"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Pessoas que utilizam seu código"), - "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Seleciona as pessoas que adoraria ver no seu ecrã inicial."), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Todos os itens no lixo serão permanentemente eliminados\n\n\nEsta ação não pode ser anulada"), - "permanentlyDelete": - MessageLookupByLibrary.simpleMessage("Eliminar permanentemente"), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Apagar permanentemente do dispositivo?"), - "personIsAge": m59, - "personName": MessageLookupByLibrary.simpleMessage("Nome da pessoa"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("Acompanhantes peludos"), - "photoDescriptions": - MessageLookupByLibrary.simpleMessage("Descrições das fotos"), - "photoGridSize": - MessageLookupByLibrary.simpleMessage("Tamanho da grelha de fotos"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("Fotos"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "As fotos adicionadas por si serão removidas do álbum"), - "photosCount": m62, - "photosKeepRelativeTimeDifference": - MessageLookupByLibrary.simpleMessage( - "As Fotos continuam com uma diferença de horário relativo"), - "pickCenterPoint": - MessageLookupByLibrary.simpleMessage("Escolha o ponto central"), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Fixar álbum"), - "pinLock": MessageLookupByLibrary.simpleMessage("Bloqueio por PIN"), - "playOnTv": - MessageLookupByLibrary.simpleMessage("Reproduzir álbum na TV"), - "playOriginal": MessageLookupByLibrary.simpleMessage("Ver original"), - "playStoreFreeTrialValidTill": m63, - "playStream": MessageLookupByLibrary.simpleMessage("Ver em direto"), - "playstoreSubscription": - MessageLookupByLibrary.simpleMessage("Subscrição da PlayStore"), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Por favor, verifique a sua ligação à Internet e tente novamente."), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Por favor, entre em contato com support@ente.io e nós ficaremos felizes em ajudar!"), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Por favor, contate o suporte se o problema persistir"), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( - "Por favor, conceda as permissões"), - "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( - "Por favor, inicie sessão novamente"), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Selecione links rápidos para remover"), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": - MessageLookupByLibrary.simpleMessage("Por favor, tente novamente"), - "pleaseVerifyTheCodeYouHaveEntered": - MessageLookupByLibrary.simpleMessage( - "Por favor, verifique se o código que você inseriu"), - "pleaseWait": - MessageLookupByLibrary.simpleMessage("Por favor, aguarde ..."), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Por favor aguarde, apagar o álbum"), - "pleaseWaitForSometimeBeforeRetrying": - MessageLookupByLibrary.simpleMessage( - "Por favor, aguarde algum tempo antes de tentar novamente"), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "Espera um pouco, isto deve levar um tempo."), - "posingWithThem": m66, - "preparingLogs": - MessageLookupByLibrary.simpleMessage("Preparando logs..."), - "preserveMore": MessageLookupByLibrary.simpleMessage("Preservar mais"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Pressione e segure para reproduzir o vídeo"), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Pressione e segure na imagem para reproduzir o vídeo"), - "previous": MessageLookupByLibrary.simpleMessage("Anterior"), - "privacy": MessageLookupByLibrary.simpleMessage("Privacidade"), - "privacyPolicyTitle": - MessageLookupByLibrary.simpleMessage("Política de privacidade"), - "privateBackups": - MessageLookupByLibrary.simpleMessage("Backups privados"), - "privateSharing": - MessageLookupByLibrary.simpleMessage("Partilha privada"), - "proceed": MessageLookupByLibrary.simpleMessage("Continuar"), - "processed": MessageLookupByLibrary.simpleMessage("Processado"), - "processing": MessageLookupByLibrary.simpleMessage("A processar"), - "processingImport": m67, - "processingVideos": - MessageLookupByLibrary.simpleMessage("A processar vídeos"), - "publicLinkCreated": - MessageLookupByLibrary.simpleMessage("Link público criado"), - "publicLinkEnabled": - MessageLookupByLibrary.simpleMessage("Link público ativado"), - "questionmark": MessageLookupByLibrary.simpleMessage("?"), - "queued": MessageLookupByLibrary.simpleMessage("Em fila"), - "quickLinks": MessageLookupByLibrary.simpleMessage("Links rápidos"), - "radius": MessageLookupByLibrary.simpleMessage("Raio"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Abrir ticket"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("Avaliar aplicação"), - "rateUs": MessageLookupByLibrary.simpleMessage("Avalie-nos"), - "rateUsOnStore": m68, - "reassignMe": MessageLookupByLibrary.simpleMessage("Retribua \"Mim\""), - "reassignedToName": m69, - "reassigningLoading": - MessageLookupByLibrary.simpleMessage("A retribuir..."), - "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( - "Obtém lembretes de quando é aniversário de alguém. Apertar na notificação o levará às fotos do aniversariante."), - "recover": MessageLookupByLibrary.simpleMessage("Recuperar"), - "recoverAccount": - MessageLookupByLibrary.simpleMessage("Recuperar conta"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Recuperar"), - "recoveryAccount": - MessageLookupByLibrary.simpleMessage("Recuperar Conta"), - "recoveryInitiated": - MessageLookupByLibrary.simpleMessage("Recuperação iniciada"), - "recoveryInitiatedDesc": m70, - "recoveryKey": - MessageLookupByLibrary.simpleMessage("Chave de recuperação"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Chave de recuperação copiada para a área de transferência"), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Se esquecer sua palavra-passe, a única maneira de recuperar os seus dados é com esta chave."), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Não armazenamos essa chave, por favor, guarde esta chave de 24 palavras num lugar seguro."), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Ótimo! A sua chave de recuperação é válida. Obrigado por verificar.\n\nLembre-se de manter cópia de segurança da sua chave de recuperação."), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Chave de recuperação verificada"), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "A sua chave de recuperação é a única forma de recuperar as suas fotografias se se esquecer da sua palavra-passe. Pode encontrar a sua chave de recuperação em Definições > Conta.\n\n\nIntroduza aqui a sua chave de recuperação para verificar se a guardou corretamente."), - "recoveryReady": m71, - "recoverySuccessful": - MessageLookupByLibrary.simpleMessage("Recuperação com êxito!"), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "Um contacto de confiança está a tentar acessar a sua conta"), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "O dispositivo atual não é suficientemente poderoso para verificar a palavra-passe, mas podemos regenerar novamente de uma maneira que funcione no seu dispositivo.\n\nPor favor, iniciar sessão utilizando código de recuperação e gerar novamente a sua palavra-passe (pode utilizar a mesma se quiser)."), - "recreatePasswordTitle": - MessageLookupByLibrary.simpleMessage("Recriar palavra-passe"), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": MessageLookupByLibrary.simpleMessage( - "Insira novamente a palavra-passe"), - "reenterPin": - MessageLookupByLibrary.simpleMessage("Inserir PIN novamente"), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Recomende amigos e duplique o seu plano"), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Envie este código aos seus amigos"), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Eles se inscrevem em um plano pago"), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Referências"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "As referências estão atualmente em pausa"), - "rejectRecovery": - MessageLookupByLibrary.simpleMessage("Recusar recuperação"), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "Esvazie também a opção “Eliminados recentemente” em “Definições” -> “Armazenamento” para reclamar o espaço libertado"), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Esvazie também o seu “Lixo” para reivindicar o espaço libertado"), - "remoteImages": MessageLookupByLibrary.simpleMessage("Imagens remotas"), - "remoteThumbnails": - MessageLookupByLibrary.simpleMessage("Miniaturas remotas"), - "remoteVideos": MessageLookupByLibrary.simpleMessage("Vídeos remotos"), - "remove": MessageLookupByLibrary.simpleMessage("Remover"), - "removeDuplicates": - MessageLookupByLibrary.simpleMessage("Remover duplicados"), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Rever e remover ficheiros que sejam duplicados exatos."), - "removeFromAlbum": - MessageLookupByLibrary.simpleMessage("Remover do álbum"), - "removeFromAlbumTitle": - MessageLookupByLibrary.simpleMessage("Remover do álbum"), - "removeFromFavorite": - MessageLookupByLibrary.simpleMessage("Remover dos favoritos"), - "removeInvite": MessageLookupByLibrary.simpleMessage("Retirar convite"), - "removeLink": MessageLookupByLibrary.simpleMessage("Remover link"), - "removeParticipant": - MessageLookupByLibrary.simpleMessage("Remover participante"), - "removeParticipantBody": m74, - "removePersonLabel": - MessageLookupByLibrary.simpleMessage("Remover etiqueta da pessoa"), - "removePublicLink": - MessageLookupByLibrary.simpleMessage("Remover link público"), - "removePublicLinks": - MessageLookupByLibrary.simpleMessage("Remover link público"), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Alguns dos itens que você está removendo foram adicionados por outras pessoas, e você perderá o acesso a eles"), - "removeWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Remover?"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Retirar-vos dos contactos de confiança"), - "removingFromFavorites": - MessageLookupByLibrary.simpleMessage("Removendo dos favoritos..."), - "rename": MessageLookupByLibrary.simpleMessage("Renomear"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("Renomear álbum"), - "renameFile": MessageLookupByLibrary.simpleMessage("Renomear arquivo"), - "renewSubscription": - MessageLookupByLibrary.simpleMessage("Renovar subscrição"), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Reporte um bug"), - "reportBug": MessageLookupByLibrary.simpleMessage("Reportar bug"), - "resendEmail": MessageLookupByLibrary.simpleMessage("Reenviar e-mail"), - "reset": MessageLookupByLibrary.simpleMessage("Redefinir"), - "resetIgnoredFiles": - MessageLookupByLibrary.simpleMessage("Repor ficheiros ignorados"), - "resetPasswordTitle": - MessageLookupByLibrary.simpleMessage("Redefinir palavra-passe"), - "resetPerson": MessageLookupByLibrary.simpleMessage("Remover"), - "resetToDefault": - MessageLookupByLibrary.simpleMessage("Redefinir para o padrão"), - "restore": MessageLookupByLibrary.simpleMessage("Restaurar"), - "restoreToAlbum": - MessageLookupByLibrary.simpleMessage("Restaurar para álbum"), - "restoringFiles": - MessageLookupByLibrary.simpleMessage("Restaurar arquivos..."), - "resumableUploads": - MessageLookupByLibrary.simpleMessage("Uploads reenviados"), - "retry": MessageLookupByLibrary.simpleMessage("Tentar novamente"), - "review": MessageLookupByLibrary.simpleMessage("Rever"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Reveja e elimine os itens que considera serem duplicados."), - "reviewSuggestions": - MessageLookupByLibrary.simpleMessage("Revisar sugestões"), - "right": MessageLookupByLibrary.simpleMessage("Direita"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("Rodar"), - "rotateLeft": - MessageLookupByLibrary.simpleMessage("Rodar para a esquerda"), - "rotateRight": - MessageLookupByLibrary.simpleMessage("Rodar para a direita"), - "safelyStored": - MessageLookupByLibrary.simpleMessage("Armazenado com segurança"), - "same": MessageLookupByLibrary.simpleMessage("Igual"), - "sameperson": MessageLookupByLibrary.simpleMessage("A mesma pessoa?"), - "save": MessageLookupByLibrary.simpleMessage("Guardar"), - "saveAsAnotherPerson": - MessageLookupByLibrary.simpleMessage("Guardar como outra pessoa"), - "saveChangesBeforeLeavingQuestion": - MessageLookupByLibrary.simpleMessage( - "Guardar as alterações antes de sair?"), - "saveCollage": MessageLookupByLibrary.simpleMessage("Guardar colagem"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Guardar cópia"), - "saveKey": MessageLookupByLibrary.simpleMessage("Guardar chave"), - "savePerson": MessageLookupByLibrary.simpleMessage("Guardar pessoa"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Guarde a sua chave de recuperação, caso ainda não o tenha feito"), - "saving": MessageLookupByLibrary.simpleMessage("A gravar..."), - "savingEdits": - MessageLookupByLibrary.simpleMessage("Gravando edições..."), - "scanCode": MessageLookupByLibrary.simpleMessage("Ler código Qr"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Leia este código com a sua aplicação dois fatores."), - "search": MessageLookupByLibrary.simpleMessage("Pesquisar"), - "searchAlbumsEmptySection": - MessageLookupByLibrary.simpleMessage("Álbuns"), - "searchByAlbumNameHint": - MessageLookupByLibrary.simpleMessage("Nome do álbum"), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Nomes de álbuns (ex: \"Câmera\")\n• Tipos de arquivos (ex.: \"Vídeos\", \".gif\")\n• Anos e meses (e.. \"2022\", \"Janeiro\")\n• Feriados (por exemplo, \"Natal\")\n• Descrições de fotos (por exemplo, \"#divertido\")"), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Adicione descrições como \"#trip\" nas informações das fotos para encontrá-las aqui rapidamente"), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Pesquisar por data, mês ou ano"), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "As imagens aparecerão aqui caso o processamento e sincronização for concluído"), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "As pessoas serão mostradas aqui quando a indexação estiver concluída"), - "searchFileTypesAndNamesEmptySection": - MessageLookupByLibrary.simpleMessage("Tipos de arquivo e nomes"), - "searchHint1": MessageLookupByLibrary.simpleMessage( - "Pesquisa rápida no dispositivo"), - "searchHint2": - MessageLookupByLibrary.simpleMessage("Datas das fotos, descrições"), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "Álbuns, nomes de arquivos e tipos"), - "searchHint4": MessageLookupByLibrary.simpleMessage("Local"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "Em breve: Rostos e pesquisa mágica ✨"), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Fotos de grupo que estão sendo tiradas em algum raio da foto"), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "Convide pessoas e verá todas as fotos partilhadas por elas aqui"), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "As pessoas aparecerão aqui caso o processamento e sincronização for concluído"), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Segurança"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "Ver Ligações Públicas na Aplicação"), - "selectALocation": - MessageLookupByLibrary.simpleMessage("Selecione uma localização"), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage( - "Selecione uma localização primeiro"), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Selecionar álbum"), - "selectAll": MessageLookupByLibrary.simpleMessage("Selecionar tudo"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("Tudo"), - "selectCoverPhoto": - MessageLookupByLibrary.simpleMessage("Selecionar Foto para Capa"), - "selectDate": MessageLookupByLibrary.simpleMessage("Selecionar data"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Selecionar pastas para cópia de segurança"), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "Selecionar itens para adicionar"), - "selectLanguage": - MessageLookupByLibrary.simpleMessage("Selecionar Idioma"), - "selectMailApp": MessageLookupByLibrary.simpleMessage( - "Selecione Aplicação de Correios"), - "selectMorePhotos": - MessageLookupByLibrary.simpleMessage("Selecionar mais fotos"), - "selectOneDateAndTime": - MessageLookupByLibrary.simpleMessage("Selecione uma Data e Hora"), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "Selecionar uma data e hora a todos"), - "selectPersonToLink": MessageLookupByLibrary.simpleMessage( - "Selecione uma pessoa para ligar-se"), - "selectReason": MessageLookupByLibrary.simpleMessage("Diz a razão"), - "selectStartOfRange": MessageLookupByLibrary.simpleMessage( - "Selecionar início de intervalo"), - "selectTime": MessageLookupByLibrary.simpleMessage("Selecionar tempo"), - "selectYourFace": - MessageLookupByLibrary.simpleMessage("Selecionar o seu rosto"), - "selectYourPlan": - MessageLookupByLibrary.simpleMessage("Selecione o seu plano"), - "selectedAlbums": m79, - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Os arquivos selecionados não estão no Ente"), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "As pastas selecionadas serão encriptadas e guardadas como cópia de segurança"), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Os itens selecionados serão eliminados de todos os álbuns e movidos para o lixo."), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "Os itens em seleção serão removidos desta pessoa, mas não da sua biblioteca."), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("Enviar"), - "sendEmail": MessageLookupByLibrary.simpleMessage("Enviar e-mail"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Enviar convite"), - "sendLink": MessageLookupByLibrary.simpleMessage("Enviar link"), - "serverEndpoint": - MessageLookupByLibrary.simpleMessage("Endpoint do servidor"), - "sessionExpired": - MessageLookupByLibrary.simpleMessage("Sessão expirada"), - "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( - "Incompatibilidade de ID de sessão"), - "setAPassword": - MessageLookupByLibrary.simpleMessage("Definir uma palavra-passe"), - "setAs": MessageLookupByLibrary.simpleMessage("Definir como"), - "setCover": MessageLookupByLibrary.simpleMessage("Definir capa"), - "setLabel": MessageLookupByLibrary.simpleMessage("Definir"), - "setNewPassword": - MessageLookupByLibrary.simpleMessage("Definir nova palavra-passe"), - "setNewPin": MessageLookupByLibrary.simpleMessage("Definir novo PIN"), - "setPasswordTitle": - MessageLookupByLibrary.simpleMessage("Definir palavra-passe"), - "setRadius": MessageLookupByLibrary.simpleMessage("Definir raio"), - "setupComplete": - MessageLookupByLibrary.simpleMessage("Configuração concluída"), - "share": MessageLookupByLibrary.simpleMessage("Partilhar"), - "shareALink": MessageLookupByLibrary.simpleMessage("Partilhar um link"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Abra um álbum e toque no botão de partilha no canto superior direito para partilhar"), - "shareAnAlbumNow": - MessageLookupByLibrary.simpleMessage("Partilhar um álbum"), - "shareLink": MessageLookupByLibrary.simpleMessage("Partilhar link"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Partilhar apenas com as pessoas que deseja"), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Descarregue o Ente para poder partilhar facilmente fotografias e vídeos de qualidade original\n\n\nhttps://ente.io"), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Compartilhar com usuários que não usam Ente"), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( - "Partilhe o seu primeiro álbum"), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Criar álbuns compartilhados e colaborativos com outros usuários da Ente, incluindo usuários em planos gratuitos."), - "sharedByMe": - MessageLookupByLibrary.simpleMessage("Partilhado por mim"), - "sharedByYou": - MessageLookupByLibrary.simpleMessage("Partilhado por si"), - "sharedPhotoNotifications": - MessageLookupByLibrary.simpleMessage("Novas fotos partilhadas"), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Receber notificações quando alguém adiciona uma foto a um álbum partilhado do qual faz parte"), - "sharedWith": m87, - "sharedWithMe": - MessageLookupByLibrary.simpleMessage("Partilhado comigo"), - "sharedWithYou": - MessageLookupByLibrary.simpleMessage("Partilhado consigo"), - "sharing": MessageLookupByLibrary.simpleMessage("Partilhar..."), - "shiftDatesAndTime": - MessageLookupByLibrary.simpleMessage("Mude as Datas e Horas"), - "showLessFaces": - MessageLookupByLibrary.simpleMessage("Mostrar menos rostos"), - "showMemories": - MessageLookupByLibrary.simpleMessage("Mostrar memórias"), - "showMoreFaces": - MessageLookupByLibrary.simpleMessage("Mostrar mais rostos"), - "showPerson": MessageLookupByLibrary.simpleMessage("Mostrar pessoa"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "Terminar sessão noutros dispositivos"), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Se pensa que alguém pode saber a sua palavra-passe, pode forçar todos os outros dispositivos que utilizam a sua conta a terminar a sessão."), - "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( - "Terminar a sessão noutros dispositivos"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Eu concordo com os termos de serviço e política de privacidade"), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Será eliminado de todos os álbuns."), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Pular"), - "smartMemories": - MessageLookupByLibrary.simpleMessage("Memórias inteligentes"), - "social": MessageLookupByLibrary.simpleMessage("Social"), - "someItemsAreInBothEnteAndYourDevice": - MessageLookupByLibrary.simpleMessage( - "Alguns itens estão tanto no Ente como no seu dispositivo."), - "someOfTheFilesYouAreTryingToDeleteAre": - MessageLookupByLibrary.simpleMessage( - "Alguns dos ficheiros que está a tentar eliminar só estão disponíveis no seu dispositivo e não podem ser recuperados se forem eliminados"), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Alguém compartilhando álbuns com você deve ver o mesmo ID no seu dispositivo."), - "somethingWentWrong": - MessageLookupByLibrary.simpleMessage("Ocorreu um erro"), - "somethingWentWrongPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Algo correu mal. Favor, tentar de novo"), - "sorry": MessageLookupByLibrary.simpleMessage("Desculpe"), - "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( - "Perdão, mas não podemos fazer backup deste ficheiro agora, tentaremos mais tarde."), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Desculpe, não foi possível adicionar aos favoritos!"), - "sorryCouldNotRemoveFromFavorites": - MessageLookupByLibrary.simpleMessage( - "Desculpe, não foi possível remover dos favoritos!"), - "sorryTheCodeYouveEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "Desculpe, o código inserido está incorreto"), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Desculpe, não foi possível gerar chaves seguras neste dispositivo.\n\npor favor iniciar sessão com um dispositivo diferente."), - "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( - "Perdão, precisamos parar seus backups"), - "sort": MessageLookupByLibrary.simpleMessage("Ordenar"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Ordenar por"), - "sortNewestFirst": - MessageLookupByLibrary.simpleMessage("Mais recentes primeiro"), - "sortOldestFirst": - MessageLookupByLibrary.simpleMessage("Mais antigos primeiro"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Sucesso"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": - MessageLookupByLibrary.simpleMessage("A dar destaque em vos"), - "startAccountRecoveryTitle": - MessageLookupByLibrary.simpleMessage("Começar Recuperação"), - "startBackup": - MessageLookupByLibrary.simpleMessage("Iniciar cópia de segurança"), - "status": MessageLookupByLibrary.simpleMessage("Status"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "Queres parar de fazer transmissão?"), - "stopCastingTitle": - MessageLookupByLibrary.simpleMessage("Parar transmissão"), - "storage": MessageLookupByLibrary.simpleMessage("Armazenamento"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Família"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Tu"), - "storageInGB": m93, - "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( - "Limite de armazenamento excedido"), - "storageUsageInfo": m94, - "streamDetails": - MessageLookupByLibrary.simpleMessage("Detalhes do em direto"), - "strongStrength": MessageLookupByLibrary.simpleMessage("Forte"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Subscrever"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Você precisa de uma assinatura paga ativa para ativar o compartilhamento."), - "subscription": MessageLookupByLibrary.simpleMessage("Subscrição"), - "success": MessageLookupByLibrary.simpleMessage("Sucesso"), - "successfullyArchived": - MessageLookupByLibrary.simpleMessage("Arquivado com sucesso"), - "successfullyHid": - MessageLookupByLibrary.simpleMessage("Ocultado com sucesso"), - "successfullyUnarchived": - MessageLookupByLibrary.simpleMessage("Desarquivado com sucesso"), - "successfullyUnhid": - MessageLookupByLibrary.simpleMessage("Reexibido com sucesso"), - "suggestFeatures": - MessageLookupByLibrary.simpleMessage("Sugerir recursos"), - "sunrise": MessageLookupByLibrary.simpleMessage("No horizonte"), - "support": MessageLookupByLibrary.simpleMessage("Suporte"), - "syncProgress": m97, - "syncStopped": - MessageLookupByLibrary.simpleMessage("Sincronização interrompida"), - "syncing": MessageLookupByLibrary.simpleMessage("Sincronizando..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("Sistema"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("toque para copiar"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage( - "Tocar para introduzir código"), - "tapToUnlock": - MessageLookupByLibrary.simpleMessage("Toque para desbloquear"), - "tapToUpload": - MessageLookupByLibrary.simpleMessage("Clique para enviar"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Parece que algo correu mal. Por favor, tente novamente mais tarde. Se o erro persistir, entre em contacto com a nossa equipa de suporte."), - "terminate": MessageLookupByLibrary.simpleMessage("Desconectar"), - "terminateSession": - MessageLookupByLibrary.simpleMessage("Desconectar?"), - "terms": MessageLookupByLibrary.simpleMessage("Termos"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Termos"), - "thankYou": MessageLookupByLibrary.simpleMessage("Obrigado"), - "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( - "Obrigado pela sua subscrição!"), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "Não foi possível concluir o download."), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "A ligação que está a tentar acessar já expirou."), - "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "Os grupos de pessoa não aparecerão mais na secção de pessoas. As Fotos permanecerão intocadas."), - "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "As pessoas não aparecerão mais na secção de pessoas. As fotos permanecerão intocadas."), - "theRecoveryKeyYouEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "A chave de recuperação inserida está incorreta"), - "theme": MessageLookupByLibrary.simpleMessage("Tema"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Estes itens serão eliminados do seu dispositivo."), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "Serão eliminados de todos os álbuns."), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Esta ação não pode ser desfeita"), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "Este álbum já tem um link colaborativo"), - "thisCanBeUsedToRecoverYourAccountIfYou": - MessageLookupByLibrary.simpleMessage( - "Isto pode ser usado para recuperar sua conta se você perder seu segundo fator"), - "thisDevice": MessageLookupByLibrary.simpleMessage("Este aparelho"), - "thisEmailIsAlreadyInUse": - MessageLookupByLibrary.simpleMessage("Este email já está em uso"), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Esta imagem não tem dados exif"), - "thisIsMeExclamation": - MessageLookupByLibrary.simpleMessage("Este sou eu!"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Este é o seu ID de verificação"), - "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( - "Esta semana com o avanço dos anos"), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Isto desconectará-vos dos aparelhos a seguir:"), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Isto desconectará-vos deste aparelho!"), - "thisWillMakeTheDateAndTimeOfAllSelected": - MessageLookupByLibrary.simpleMessage( - "Isto fará a data e hora de todas as fotos o mesmo."), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "Isto removerá links públicos de todos os links rápidos selecionados."), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "Para ativar o bloqueio de aplicações, configure o código de acesso do dispositivo ou o bloqueio de ecrã nas definições do sistema."), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( - "Para ocultar uma foto ou um vídeo"), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Para redefinir a palavra-passe, favor, verifique o seu e-mail."), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Logs de hoje"), - "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( - "Muitas tentativas incorretas"), - "total": MessageLookupByLibrary.simpleMessage("total"), - "totalSize": MessageLookupByLibrary.simpleMessage("Tamanho total"), - "trash": MessageLookupByLibrary.simpleMessage("Lixo"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Cortar"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": - MessageLookupByLibrary.simpleMessage("Contactos de Confiança"), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Tente novamente"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Ative o backup para enviar automaticamente arquivos adicionados a esta pasta do dispositivo para o Ente."), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "2 meses grátis em planos anuais"), - "twofactor": MessageLookupByLibrary.simpleMessage("Dois fatores"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "A autenticação de dois fatores foi desativada"), - "twofactorAuthenticationPageTitle": - MessageLookupByLibrary.simpleMessage( - "Autenticação de dois fatores"), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "Autenticação de dois fatores redefinida com êxito"), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Configuração de dois fatores"), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("Desarquivar"), - "unarchiveAlbum": - MessageLookupByLibrary.simpleMessage("Desarquivar álbum"), - "unarchiving": MessageLookupByLibrary.simpleMessage("Desarquivar..."), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Desculpe, este código não está disponível."), - "uncategorized": MessageLookupByLibrary.simpleMessage("Sem categoria"), - "unhide": MessageLookupByLibrary.simpleMessage("Mostrar"), - "unhideToAlbum": - MessageLookupByLibrary.simpleMessage("Mostrar para o álbum"), - "unhiding": MessageLookupByLibrary.simpleMessage("Reexibindo..."), - "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Desocultar ficheiros para o álbum"), - "unlock": MessageLookupByLibrary.simpleMessage("Desbloquear"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("Desafixar álbum"), - "unselectAll": MessageLookupByLibrary.simpleMessage("Desmarcar tudo"), - "update": MessageLookupByLibrary.simpleMessage("Atualizar"), - "updateAvailable": - MessageLookupByLibrary.simpleMessage("Atualização disponível"), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Atualizando seleção de pasta..."), - "upgrade": MessageLookupByLibrary.simpleMessage("Atualizar"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Enviar ficheiros para o álbum..."), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": - MessageLookupByLibrary.simpleMessage("Preservar 1 memória..."), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "Até 50% de desconto, até 4 de dezembro."), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "O armazenamento disponível é limitado pelo seu plano atual. O excesso de armazenamento reivindicado tornará automaticamente útil quando você atualizar seu plano."), - "useAsCover": MessageLookupByLibrary.simpleMessage("Usar como capa"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "A ter problemas reproduzindo este vídeo? Prima aqui para tentar outro reprodutor."), - "usePublicLinksForPeopleNotOnEnte": - MessageLookupByLibrary.simpleMessage( - "Usar links públicos para pessoas que não estão no Ente"), - "useRecoveryKey": - MessageLookupByLibrary.simpleMessage("Usar chave de recuperação"), - "useSelectedPhoto": - MessageLookupByLibrary.simpleMessage("Utilizar foto selecionada"), - "usedSpace": MessageLookupByLibrary.simpleMessage("Espaço utilizado"), - "validTill": m110, - "verificationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Falha na verificação, por favor tente novamente"), - "verificationId": - MessageLookupByLibrary.simpleMessage("ID de Verificação"), - "verify": MessageLookupByLibrary.simpleMessage("Verificar"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("Verificar e-mail"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Verificar"), - "verifyPasskey": - MessageLookupByLibrary.simpleMessage("Verificar chave de acesso"), - "verifyPassword": - MessageLookupByLibrary.simpleMessage("Verificar palavra-passe"), - "verifying": MessageLookupByLibrary.simpleMessage("A verificar…"), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Verificando chave de recuperação..."), - "videoInfo": - MessageLookupByLibrary.simpleMessage("Informação de Vídeo"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("vídeo"), - "videoStreaming": - MessageLookupByLibrary.simpleMessage("Vídeos transmissíveis"), - "videos": MessageLookupByLibrary.simpleMessage("Vídeos"), - "viewActiveSessions": - MessageLookupByLibrary.simpleMessage("Ver sessões ativas"), - "viewAddOnButton": MessageLookupByLibrary.simpleMessage("Ver addons"), - "viewAll": MessageLookupByLibrary.simpleMessage("Ver tudo"), - "viewAllExifData": - MessageLookupByLibrary.simpleMessage("Ver todos os dados EXIF"), - "viewLargeFiles": - MessageLookupByLibrary.simpleMessage("Ficheiros grandes"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Ver os ficheiros que estão a consumir a maior quantidade de armazenamento."), - "viewLogs": MessageLookupByLibrary.simpleMessage("Ver logs"), - "viewPersonToUnlink": m112, - "viewRecoveryKey": - MessageLookupByLibrary.simpleMessage("Ver chave de recuperação"), - "viewer": MessageLookupByLibrary.simpleMessage("Visualizador"), - "viewersSuccessfullyAdded": m113, - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Visite web.ente.io para gerir a sua subscrição"), - "waitingForVerification": - MessageLookupByLibrary.simpleMessage("Aguardando verificação..."), - "waitingForWifi": - MessageLookupByLibrary.simpleMessage("Aguardando Wi-Fi..."), - "warning": MessageLookupByLibrary.simpleMessage("Alerta"), - "weAreOpenSource": - MessageLookupByLibrary.simpleMessage("Nós somos de código aberto!"), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "Não suportamos a edição de fotos e álbuns que ainda não possui"), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Fraca"), - "welcomeBack": - MessageLookupByLibrary.simpleMessage("Bem-vindo(a) de volta!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("O que há de novo"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "O contacto de confiança pode ajudar na recuperação dos seus dados."), - "widgets": MessageLookupByLibrary.simpleMessage("Widgets"), - "wishThemAHappyBirthday": m115, - "yearShort": MessageLookupByLibrary.simpleMessage("ano"), - "yearly": MessageLookupByLibrary.simpleMessage("Anual"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Sim"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Sim, cancelar"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "Sim, converter para visualizador"), - "yesDelete": MessageLookupByLibrary.simpleMessage("Sim, apagar"), - "yesDiscardChanges": - MessageLookupByLibrary.simpleMessage("Sim, rejeitar alterações"), - "yesIgnore": MessageLookupByLibrary.simpleMessage("Sim, ignorar"), - "yesLogout": - MessageLookupByLibrary.simpleMessage("Sim, terminar sessão"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Sim, remover"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Sim, Renovar"), - "yesResetPerson": - MessageLookupByLibrary.simpleMessage("Sim, repor pessoa"), - "you": MessageLookupByLibrary.simpleMessage("Tu"), - "youAndThem": m117, - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( - "Você está em um plano familiar!"), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Está a utilizar a versão mais recente"), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Você pode duplicar seu armazenamento no máximo"), - "youCanManageYourLinksInTheShareTab": - MessageLookupByLibrary.simpleMessage( - "Pode gerir as suas ligações no separador partilhar."), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "Pode tentar pesquisar uma consulta diferente."), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "Não é possível fazer o downgrade para este plano"), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Não podes partilhar contigo mesmo"), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "Não tem nenhum item arquivado."), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": - MessageLookupByLibrary.simpleMessage("A sua conta foi eliminada"), - "yourMap": MessageLookupByLibrary.simpleMessage("Seu mapa"), - "yourPlanWasSuccessfullyDowngraded": - MessageLookupByLibrary.simpleMessage( - "O seu plano foi rebaixado com sucesso"), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "O seu plano foi atualizado com sucesso"), - "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( - "Sua compra foi realizada com sucesso"), - "yourStorageDetailsCouldNotBeFetched": - MessageLookupByLibrary.simpleMessage( - "Não foi possível obter os seus dados de armazenamento"), - "yourSubscriptionHasExpired": - MessageLookupByLibrary.simpleMessage("A sua subscrição expirou"), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "A sua subscrição foi actualizada com sucesso"), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "O seu código de verificação expirou"), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage( - "Não tem nenhum ficheiro duplicado que possa ser eliminado"), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "Não existem ficheiros neste álbum que possam ser eliminados"), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( - "Diminuir o zoom para ver fotos") - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Está disponível uma nova versão do Ente.", + ), + "about": MessageLookupByLibrary.simpleMessage("Sobre"), + "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( + "Aceite o Convite", + ), + "account": MessageLookupByLibrary.simpleMessage("Conta"), + "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( + "A conta já está ajustada.", + ), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( + "Boas-vindas de volta!", + ), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Eu entendo que se eu perder a minha palavra-passe, posso perder os meus dados já que esses dados são encriptados de ponta a ponta.", + ), + "actionNotSupportedOnFavouritesAlbum": MessageLookupByLibrary.simpleMessage( + "Ação não suportada no álbum de Preferidos", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage("Sessões ativas"), + "add": MessageLookupByLibrary.simpleMessage("Adicionar"), + "addAName": MessageLookupByLibrary.simpleMessage("Adiciona um nome"), + "addANewEmail": MessageLookupByLibrary.simpleMessage( + "Adicionar um novo e-mail", + ), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Adiciona um widget de álbum no seu ecrã inicial e volte aqui para personalizar.", + ), + "addCollaborator": MessageLookupByLibrary.simpleMessage( + "Adicionar colaborador", + ), + "addCollaborators": m1, + "addFiles": MessageLookupByLibrary.simpleMessage("Adicionar Ficheiros"), + "addFromDevice": MessageLookupByLibrary.simpleMessage( + "Adicionar a partir do dispositivo", + ), + "addItem": m2, + "addLocation": MessageLookupByLibrary.simpleMessage( + "Adicionar localização", + ), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Adicionar"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Adiciona um widget de memórias no seu ecrã inicial e volte aqui para personalizar.", + ), + "addMore": MessageLookupByLibrary.simpleMessage("Adicionar mais"), + "addName": MessageLookupByLibrary.simpleMessage("Adicionar pessoa"), + "addNameOrMerge": MessageLookupByLibrary.simpleMessage( + "Adicionar nome ou juntar", + ), + "addNew": MessageLookupByLibrary.simpleMessage("Adicionar novo"), + "addNewPerson": MessageLookupByLibrary.simpleMessage( + "Adicionar nova pessoa", + ), + "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( + "Detalhes dos addons", + ), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("addons"), + "addParticipants": MessageLookupByLibrary.simpleMessage( + "Adicionar participante", + ), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Adiciona um widget de pessoas no seu ecrã inicial e volte aqui para personalizar.", + ), + "addPhotos": MessageLookupByLibrary.simpleMessage("Adicionar fotos"), + "addSelected": MessageLookupByLibrary.simpleMessage( + "Adicionar selecionados", + ), + "addToAlbum": MessageLookupByLibrary.simpleMessage("Adicionar ao álbum"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Adicionar ao Ente"), + "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Adicionar a álbum oculto", + ), + "addTrustedContact": MessageLookupByLibrary.simpleMessage( + "Adicionar Contacto de Confiança", + ), + "addViewer": MessageLookupByLibrary.simpleMessage("Adicionar visualizador"), + "addViewers": m4, + "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( + "Adicione suas fotos agora", + ), + "addedAs": MessageLookupByLibrary.simpleMessage("Adicionado como"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": MessageLookupByLibrary.simpleMessage( + "Adicionando aos favoritos...", + ), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("Avançado"), + "advancedSettings": MessageLookupByLibrary.simpleMessage( + "Definições avançadas", + ), + "after1Day": MessageLookupByLibrary.simpleMessage("Depois de 1 dia"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Depois de 1 Hora"), + "after1Month": MessageLookupByLibrary.simpleMessage("Depois de 1 mês"), + "after1Week": MessageLookupByLibrary.simpleMessage("Depois de 1 semana"), + "after1Year": MessageLookupByLibrary.simpleMessage("Depois de 1 ano"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Dono"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Título do álbum"), + "albumUpdated": MessageLookupByLibrary.simpleMessage("Álbum atualizado"), + "albums": MessageLookupByLibrary.simpleMessage("Álbuns"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Seleciona os álbuns que adoraria ver no seu ecrã inicial.", + ), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Tudo limpo"), + "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( + "Todas as memórias preservadas", + ), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "Todos os agrupamentos para esta pessoa serão reiniciados e perderá todas as sugestões feitas para esta pessoa", + ), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "Todos os grupos sem título serão fundidos na pessoa selecionada. Isso pode ser desfeito no histórico geral das sugestões da pessoa.", + ), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "Este é o primeiro neste grupo. Outras fotos selecionadas serão automaticamente alteradas para a nova data", + ), + "allow": MessageLookupByLibrary.simpleMessage("Permitir"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Permitir que pessoas com o link também adicionem fotos ao álbum compartilhado.", + ), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( + "Permitir adicionar fotos", + ), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "Permitir Aplicação Abrir Ligações Partilhadas", + ), + "allowDownloads": MessageLookupByLibrary.simpleMessage( + "Permitir downloads", + ), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Permitir que as pessoas adicionem fotos", + ), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Favor, permite acesso às fotos nas Definições para que Ente possa exibi-las e fazer backup na Fototeca.", + ), + "allowPermTitle": MessageLookupByLibrary.simpleMessage( + "Garanta acesso às fotos", + ), + "androidBiometricHint": MessageLookupByLibrary.simpleMessage( + "Verificar identidade", + ), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "Não reconhecido. Tente novamente.", + ), + "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( + "Biometria necessária", + ), + "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("Sucesso"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Cancelar"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage( + "Credenciais do dispositivo são necessárias", + ), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage( + "Credenciais do dispositivo necessárias", + ), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "A autenticação biométrica não está configurada no seu dispositivo. Vá a “Definições > Segurança” para adicionar a autenticação biométrica.", + ), + "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( + "Android, iOS, Web, Desktop", + ), + "androidSignInTitle": MessageLookupByLibrary.simpleMessage( + "Autenticação necessária", + ), + "appIcon": MessageLookupByLibrary.simpleMessage("Ícone da Aplicação"), + "appLock": MessageLookupByLibrary.simpleMessage("Bloqueio de app"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Escolha entre o ecrã de bloqueio predefinido do seu dispositivo e um ecrã de bloqueio personalizado com um PIN ou uma palavra-passe.", + ), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("ID da Apple"), + "apply": MessageLookupByLibrary.simpleMessage("Aplicar"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Aplicar código"), + "appstoreSubscription": MessageLookupByLibrary.simpleMessage( + "Subscrição da AppStore", + ), + "archive": MessageLookupByLibrary.simpleMessage("............"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("Arquivar álbum"), + "archiving": MessageLookupByLibrary.simpleMessage("Arquivar..."), + "areThey": MessageLookupByLibrary.simpleMessage("Eles são "), + "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( + "Tem a certeza que queira remover o rosto desta pessoa?", + ), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Tem certeza que deseja sair do plano familiar?", + ), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "Tem a certeza de que quer cancelar?", + ), + "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( + "Tem a certeza de que pretende alterar o seu plano?", + ), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "Tem certeza de que deseja sair?", + ), + "areYouSureYouWantToIgnoreThesePersons": + MessageLookupByLibrary.simpleMessage( + "Tem a certeza que quer ignorar estas pessoas?", + ), + "areYouSureYouWantToIgnoreThisPerson": MessageLookupByLibrary.simpleMessage( + "Tem a certeza que quer ignorar esta pessoa?", + ), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Tem certeza que deseja terminar a sessão?", + ), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "Tem a certeza que quer fundi-los?", + ), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "Tem a certeza de que pretende renovar?", + ), + "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( + "Tens a certeza de que queres repor esta pessoa?", + ), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "A sua subscrição foi cancelada. Gostaria de partilhar o motivo?", + ), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Por que quer eliminar a sua conta?", + ), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Peça aos seus entes queridos para partilharem", + ), + "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( + "em um abrigo avançado", + ), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Por favor, autentique-se para alterar a verificação de e-mail", + ), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Por favor, autentique-se para alterar a configuração da tela do ecrã de bloqueio", + ), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Por favor, autentique-se para alterar o seu e-mail", + ), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Por favor, autentique-se para alterar a palavra-passe", + ), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Por favor, autentique para configurar a autenticação de dois fatores", + ), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Autentique-se para iniciar a eliminação da conta", + ), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Autentica-se para gerir os seus contactos de confiança", + ), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Autentique-se para ver a sua chave de acesso", + ), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Autentica-se para visualizar os ficheiros na lata de lixo", + ), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Por favor, autentique-se para ver as suas sessões ativas", + ), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Por favor, autentique para ver seus arquivos ocultos", + ), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Por favor, autentique-se para ver suas memórias", + ), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Por favor, autentique-se para ver a chave de recuperação", + ), + "authenticating": MessageLookupByLibrary.simpleMessage("A Autenticar..."), + "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Falha na autenticação, por favor tente novamente", + ), + "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( + "Autenticação bem sucedida!", + ), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Verá os dispositivos Cast disponíveis aqui.", + ), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Certifique-se de que as permissões de Rede local estão activadas para a aplicação Ente Photos, nas Definições.", + ), + "autoLock": MessageLookupByLibrary.simpleMessage("Bloqueio automático"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Tempo após o qual a aplicação bloqueia depois de ser colocada em segundo plano", + ), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "Devido a uma falha técnica, a sua sessão foi encerrada. Pedimos desculpas pelo incómodo.", + ), + "autoPair": MessageLookupByLibrary.simpleMessage( + "Emparelhamento automático", + ), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "O pareamento automático funciona apenas com dispositivos que suportam o Chromecast.", + ), + "available": MessageLookupByLibrary.simpleMessage("Disponível"), + "availableStorageSpace": m10, + "backedUpFolders": MessageLookupByLibrary.simpleMessage( + "Pastas com cópia de segurança", + ), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("Cópia de segurança"), + "backupFailed": MessageLookupByLibrary.simpleMessage("Backup falhou"), + "backupFile": MessageLookupByLibrary.simpleMessage("Backup de Ficheiro"), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Cópia de segurança através dos dados móveis", + ), + "backupSettings": MessageLookupByLibrary.simpleMessage( + "Definições da cópia de segurança", + ), + "backupStatus": MessageLookupByLibrary.simpleMessage( + "Status da cópia de segurança", + ), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Os itens que foram salvos com segurança aparecerão aqui", + ), + "backupVideos": MessageLookupByLibrary.simpleMessage( + "Cópia de segurança de vídeos", + ), + "beach": MessageLookupByLibrary.simpleMessage("A areia e o mar"), + "birthday": MessageLookupByLibrary.simpleMessage("Aniversário"), + "birthdayNotifications": MessageLookupByLibrary.simpleMessage( + "Notificações de felicidades", + ), + "birthdays": MessageLookupByLibrary.simpleMessage("Aniversários"), + "blackFridaySale": MessageLookupByLibrary.simpleMessage( + "Promoção Black Friday", + ), + "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cLDesc1": MessageLookupByLibrary.simpleMessage( + "De volta aos vídeos em direto (beta), e a trabalhar em envios e transferências retomáveis, nós aumentamos o limite de envio de ficheiros para 10 GB. Isto está disponível para dispositivos Móveis e para Desktop.", + ), + "cLDesc2": MessageLookupByLibrary.simpleMessage( + "Envios de fundo agora fornecerem suporte ao iOS. Para combinar com os aparelhos Android. Não precisa abrir a aplicação para fazer backup das fotos e vídeos recentes.", + ), + "cLDesc3": MessageLookupByLibrary.simpleMessage( + "Nós fizemos melhorias significativas para a experiência das memórias, incluindo revisão automática, arrastar até a próxima memória e muito mais.", + ), + "cLDesc4": MessageLookupByLibrary.simpleMessage( + "Junto a outras mudanças, agora facilitou a maneira de ver todos os rostos detetados, fornecer comentários para rostos similares, e adicionar ou remover rostos de uma foto única.", + ), + "cLDesc5": MessageLookupByLibrary.simpleMessage( + "Ganhará uma notificação para todos os aniversários que salvaste no Ente, além de uma coleção das melhores fotos.", + ), + "cLDesc6": MessageLookupByLibrary.simpleMessage( + "Sem mais aguardar até que os envios e transferências sejam concluídos para fechar a aplicação. Todos os envios e transferências podem ser pausados a qualquer momento, e retomar onde parou.", + ), + "cLTitle1": MessageLookupByLibrary.simpleMessage( + "A Enviar Ficheiros de Vídeo Grandes", + ), + "cLTitle2": MessageLookupByLibrary.simpleMessage("Envio de Fundo"), + "cLTitle3": MessageLookupByLibrary.simpleMessage( + "Revisão automática de memórias", + ), + "cLTitle4": MessageLookupByLibrary.simpleMessage( + "Reconhecimento Facial Melhorado", + ), + "cLTitle5": MessageLookupByLibrary.simpleMessage( + "Notificações de Felicidade", + ), + "cLTitle6": MessageLookupByLibrary.simpleMessage( + "Envios e transferências retomáveis", + ), + "cachedData": MessageLookupByLibrary.simpleMessage("Dados em cache"), + "calculating": MessageLookupByLibrary.simpleMessage("Calcular..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Perdão, portanto o álbum não pode ser aberto na aplicação.", + ), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( + "Não pôde abrir este álbum", + ), + "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( + "Não é possível fazer upload para álbuns pertencentes a outros", + ), + "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Só pode criar um link para arquivos pertencentes a você", + ), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage(""), + "cancel": MessageLookupByLibrary.simpleMessage("Cancelar"), + "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( + "Cancelar recuperação", + ), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "Quer mesmo cancelar a recuperação?", + ), + "cancelOtherSubscription": m12, + "cancelSubscription": MessageLookupByLibrary.simpleMessage( + "Cancelar subscrição", + ), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Não é possível eliminar ficheiros partilhados", + ), + "castAlbum": MessageLookupByLibrary.simpleMessage("Transferir Álbum"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Certifique-se de estar na mesma rede que a TV.", + ), + "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( + "Falha ao transmitir álbum", + ), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Visite cast.ente.io no dispositivo que pretende emparelhar.\n\n\nIntroduza o código abaixo para reproduzir o álbum na sua TV.", + ), + "centerPoint": MessageLookupByLibrary.simpleMessage("Ponto central"), + "change": MessageLookupByLibrary.simpleMessage("Alterar"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Alterar e-mail"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Alterar a localização dos itens selecionados?", + ), + "changePassword": MessageLookupByLibrary.simpleMessage( + "Alterar palavra-passe", + ), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Alterar palavra-passe", + ), + "changePermissions": MessageLookupByLibrary.simpleMessage( + "Alterar permissões", + ), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Alterar o código de referência", + ), + "checkForUpdates": MessageLookupByLibrary.simpleMessage( + "Procurar atualizações", + ), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Revê a sua caixa de entrada (e de spam) para concluir a verificação", + ), + "checkStatus": MessageLookupByLibrary.simpleMessage("Verificar status"), + "checking": MessageLookupByLibrary.simpleMessage("A verificar..."), + "checkingModels": MessageLookupByLibrary.simpleMessage( + "A verificar modelos...", + ), + "city": MessageLookupByLibrary.simpleMessage("Na cidade"), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage( + "Solicitar armazenamento gratuito", + ), + "claimMore": MessageLookupByLibrary.simpleMessage("Reclamar mais!"), + "claimed": MessageLookupByLibrary.simpleMessage("Reclamado"), + "claimedStorageSoFar": m14, + "cleanUncategorized": MessageLookupByLibrary.simpleMessage( + "Limpar sem categoria", + ), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Remover todos os arquivos da Não Categorizados que estão presentes em outros álbuns", + ), + "clearCaches": MessageLookupByLibrary.simpleMessage("Limpar cache"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Limpar índices"), + "click": MessageLookupByLibrary.simpleMessage("Clique"), + "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( + "• Clique no menu adicional", + ), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Clica para transferir a melhor versão", + ), + "close": MessageLookupByLibrary.simpleMessage("Fechar"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( + "Agrupar por tempo de captura", + ), + "clubByFileName": MessageLookupByLibrary.simpleMessage( + "Agrupar pelo nome de arquivo", + ), + "clusteringProgress": MessageLookupByLibrary.simpleMessage( + "Progresso de agrupamento", + ), + "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( + "Código aplicado", + ), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Desculpe, você atingiu o limite de alterações de código.", + ), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Código copiado para área de transferência", + ), + "codeUsedByYou": MessageLookupByLibrary.simpleMessage( + "Código usado por você", + ), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Criar um link para permitir que as pessoas adicionem e visualizem fotos em seu álbum compartilhado sem precisar de um aplicativo Ente ou conta. Ótimo para coletar fotos do evento.", + ), + "collaborativeLink": MessageLookupByLibrary.simpleMessage( + "Link colaborativo", + ), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Colaborador"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Os colaboradores podem adicionar fotos e vídeos ao álbum compartilhado.", + ), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("Layout"), + "collageSaved": MessageLookupByLibrary.simpleMessage( + "Colagem guardada na galeria", + ), + "collect": MessageLookupByLibrary.simpleMessage("Recolher"), + "collectEventPhotos": MessageLookupByLibrary.simpleMessage( + "Coletar fotos do evento", + ), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Coletar fotos"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Crie um link onde seus amigos podem enviar fotos na qualidade original.", + ), + "color": MessageLookupByLibrary.simpleMessage("Cor"), + "configuration": MessageLookupByLibrary.simpleMessage("Configuração"), + "confirm": MessageLookupByLibrary.simpleMessage("Confirmar"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Tem a certeza de que pretende desativar a autenticação de dois fatores?", + ), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Eliminar Conta", + ), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Sim, quero permanentemente eliminar esta conta com os dados.", + ), + "confirmPassword": MessageLookupByLibrary.simpleMessage( + "Confirmar palavra-passe", + ), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage( + "Confirmar alteração de plano", + ), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Confirmar chave de recuperação", + ), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Confirmar chave de recuperação", + ), + "connectToDevice": MessageLookupByLibrary.simpleMessage( + "Ligar ao dispositivo", + ), + "contactFamilyAdmin": m18, + "contactSupport": MessageLookupByLibrary.simpleMessage( + "Contactar o suporte", + ), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Contactos"), + "contents": MessageLookupByLibrary.simpleMessage("Conteúdos"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Continuar"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "Continuar em teste gratuito", + ), + "convertToAlbum": MessageLookupByLibrary.simpleMessage( + "Converter para álbum", + ), + "copyEmailAddress": MessageLookupByLibrary.simpleMessage( + "Copiar endereço de email", + ), + "copyLink": MessageLookupByLibrary.simpleMessage("Copiar link"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Copie e cole este código\nno seu aplicativo de autenticação", + ), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "Não foi possível fazer o backup de seus dados.\nTentaremos novamente mais tarde.", + ), + "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( + "Não foi possível libertar espaço", + ), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Não foi possível atualizar a subscrição", + ), + "count": MessageLookupByLibrary.simpleMessage("Contagem"), + "crashReporting": MessageLookupByLibrary.simpleMessage( + "Relatório de falhas", + ), + "create": MessageLookupByLibrary.simpleMessage("Criar"), + "createAccount": MessageLookupByLibrary.simpleMessage("Criar conta"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Pressione e segure para selecionar fotos e clique em + para criar um álbum", + ), + "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( + "Criar link colaborativo", + ), + "createCollage": MessageLookupByLibrary.simpleMessage("Criar coleção"), + "createNewAccount": MessageLookupByLibrary.simpleMessage( + "Criar conta nova", + ), + "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( + "Criar ou selecionar álbum", + ), + "createPublicLink": MessageLookupByLibrary.simpleMessage( + "Criar link público", + ), + "creatingLink": MessageLookupByLibrary.simpleMessage("Criar link..."), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "Atualização crítica disponível", + ), + "crop": MessageLookupByLibrary.simpleMessage("Recortar"), + "curatedMemories": MessageLookupByLibrary.simpleMessage("Memórias curadas"), + "currentUsageIs": MessageLookupByLibrary.simpleMessage("O uso atual é "), + "currentlyRunning": MessageLookupByLibrary.simpleMessage("em execução"), + "custom": MessageLookupByLibrary.simpleMessage("Personalizado"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Escuro"), + "dayToday": MessageLookupByLibrary.simpleMessage("Hoje"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Ontem"), + "declineTrustInvite": MessageLookupByLibrary.simpleMessage( + "Dispense o Convite", + ), + "decrypting": MessageLookupByLibrary.simpleMessage("A desencriptar…"), + "decryptingVideo": MessageLookupByLibrary.simpleMessage( + "Descriptografando vídeo...", + ), + "deduplicateFiles": MessageLookupByLibrary.simpleMessage( + "Arquivos duplicados", + ), + "delete": MessageLookupByLibrary.simpleMessage("Apagar"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Eliminar conta"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Lamentável a sua ida. Favor, partilhe o seu comentário para ajudar-nos a aprimorar.", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Eliminar Conta Permanentemente", + ), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Apagar álbum"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Eliminar também as fotos (e vídeos) presentes neste álbum de all os outros álbuns de que fazem parte?", + ), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "Esta ação elimina todos os álbuns vazios. Isto é útil quando pretende reduzir a confusão na sua lista de álbuns.", + ), + "deleteAll": MessageLookupByLibrary.simpleMessage("Apagar tudo"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "Esta conta está ligada a outras aplicações Ente, se utilizar alguma. Os seus dados carregados, em todas as aplicações Ente, serão agendados para eliminação e a sua conta será permanentemente eliminada.", + ), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Favor, envie um e-mail a account-deletion@ente.io do e-mail registado.", + ), + "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( + "Apagar álbuns vazios", + ), + "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( + "Apagar álbuns vazios?", + ), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage("Apagar de ambos"), + "deleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Apagar do dispositivo", + ), + "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Apagar do Ente"), + "deleteItemCount": m21, + "deleteLocation": MessageLookupByLibrary.simpleMessage( + "Apagar localização", + ), + "deleteMultipleAlbumDialog": m22, + "deletePhotos": MessageLookupByLibrary.simpleMessage("Apagar fotos"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Necessita uma funcionalidade-chave que quero", + ), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "A aplicação ou certa funcionalidade não comporta conforme o meu desejo", + ), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Possuo outro serviço que acho melhor", + ), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "A razão não está listada", + ), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "O pedido será revisto dentre 72 horas.", + ), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Excluir álbum compartilhado?", + ), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "O álbum será apagado para todos\n\nVocê perderá o acesso a fotos compartilhadas neste álbum que são propriedade de outros", + ), + "deselectAll": MessageLookupByLibrary.simpleMessage("Desmarcar tudo"), + "designedToOutlive": MessageLookupByLibrary.simpleMessage( + "Feito para ter longevidade", + ), + "details": MessageLookupByLibrary.simpleMessage("Detalhes"), + "developerSettings": MessageLookupByLibrary.simpleMessage( + "Definições do programador", + ), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Tem a certeza de que pretende modificar as definições de programador?", + ), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage( + "Introduza o código", + ), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "Os ficheiros adicionados a este álbum de dispositivo serão automaticamente transferidos para o Ente.", + ), + "deviceLock": MessageLookupByLibrary.simpleMessage( + "Bloqueio do dispositivo", + ), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Desativar o bloqueio do ecrã do dispositivo quando o Ente estiver em primeiro plano e houver uma cópia de segurança em curso. Normalmente, isto não é necessário, mas pode ajudar a que os grandes carregamentos e as importações iniciais de grandes bibliotecas sejam concluídos mais rapidamente.", + ), + "deviceNotFound": MessageLookupByLibrary.simpleMessage( + "Dispositivo não encontrado", + ), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Você sabia?"), + "different": MessageLookupByLibrary.simpleMessage("Diferente"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage( + "Desativar bloqueio automático", + ), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Visualizadores ainda podem fazer capturas de tela ou salvar uma cópia das suas fotos usando ferramentas externas", + ), + "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( + "Por favor, observe", + ), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "Desativar autenticação de dois fatores", + ), + "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( + "Desativar a autenticação de dois factores...", + ), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Descobrir"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Bebés"), + "discover_celebrations": MessageLookupByLibrary.simpleMessage( + "Comemorações", + ), + "discover_food": MessageLookupByLibrary.simpleMessage("Comida"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Vegetação"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Colinas"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Identidade"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Notas"), + "discover_pets": MessageLookupByLibrary.simpleMessage( + "Animais de estimação", + ), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Recibos"), + "discover_screenshots": MessageLookupByLibrary.simpleMessage( + "Capturas de ecrã", + ), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfies"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Pôr do sol"), + "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( + "Cartões de visita", + ), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage( + "Papéis de parede", + ), + "dismiss": MessageLookupByLibrary.simpleMessage("Rejeitar"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage( + "Não terminar a sessão", + ), + "doThisLater": MessageLookupByLibrary.simpleMessage( + "Fazer isto mais tarde", + ), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Pretende eliminar as edições que efectuou?", + ), + "done": MessageLookupByLibrary.simpleMessage("Concluído"), + "dontSave": MessageLookupByLibrary.simpleMessage("Não guarde"), + "doubleYourStorage": MessageLookupByLibrary.simpleMessage( + "Duplicar o seu armazenamento", + ), + "download": MessageLookupByLibrary.simpleMessage("Download"), + "downloadFailed": MessageLookupByLibrary.simpleMessage("Falha no download"), + "downloading": MessageLookupByLibrary.simpleMessage("A transferir..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Editar"), + "editEmailAlreadyLinked": m28, + "editLocation": MessageLookupByLibrary.simpleMessage("Editar localização"), + "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( + "Editar localização", + ), + "editPerson": MessageLookupByLibrary.simpleMessage("Editar pessoa"), + "editTime": MessageLookupByLibrary.simpleMessage("Editar tempo"), + "editsSaved": MessageLookupByLibrary.simpleMessage("Edição guardada"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Edições para localização só serão vistas dentro do Ente", + ), + "eligible": MessageLookupByLibrary.simpleMessage("elegível"), + "email": MessageLookupByLibrary.simpleMessage("E-mail"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "E-mail já em utilização.", + ), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "E-mail não em utilização.", + ), + "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( + "Verificação por e-mail", + ), + "emailYourLogs": MessageLookupByLibrary.simpleMessage( + "Enviar logs por e-mail", + ), + "embracingThem": m32, + "emergencyContacts": MessageLookupByLibrary.simpleMessage( + "Contactos de Emergência", + ), + "empty": MessageLookupByLibrary.simpleMessage("Esvaziar"), + "emptyTrash": MessageLookupByLibrary.simpleMessage("Esvaziar lixo?"), + "enable": MessageLookupByLibrary.simpleMessage("Ativar"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "O Ente suporta a aprendizagem automática no dispositivo para reconhecimento facial, pesquisa mágica e outras funcionalidades de pesquisa avançadas", + ), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Habilitar aprendizagem automática para pesquisa mágica e reconhecimento de rosto", + ), + "enableMaps": MessageLookupByLibrary.simpleMessage("Ativar mapas"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "Esta opção mostra as suas fotografias num mapa do mundo.\n\n\nEste mapa é alojado pelo Open Street Map e as localizações exactas das suas fotografias nunca são partilhadas.\n\n\nPode desativar esta funcionalidade em qualquer altura nas Definições.", + ), + "enabled": MessageLookupByLibrary.simpleMessage("Ativado"), + "encryptingBackup": MessageLookupByLibrary.simpleMessage( + "Criptografando backup...", + ), + "encryption": MessageLookupByLibrary.simpleMessage("Encriptação"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage( + "Chaves de encriptação", + ), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Endpoint atualizado com sucesso", + ), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Criptografia de ponta a ponta por padrão", + ), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente pode criptografar e preservar arquivos apenas se você conceder acesso a eles", + ), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente precisa da permissão para preservar as suas fotos", + ), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "O Ente preserva as suas memórias, para que estejam sempre disponíveis, mesmo que perca o seu dispositivo.", + ), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Sua família também pode ser adicionada ao seu plano.", + ), + "enterAlbumName": MessageLookupByLibrary.simpleMessage( + "Introduzir nome do álbum", + ), + "enterCode": MessageLookupByLibrary.simpleMessage("Insira o código"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Introduza o código fornecido pelo seu amigo para obter armazenamento gratuito para ambos", + ), + "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( + "Aniversário (opcional)", + ), + "enterEmail": MessageLookupByLibrary.simpleMessage("Digite o e-mail"), + "enterFileName": MessageLookupByLibrary.simpleMessage( + "Inserir nome do arquivo", + ), + "enterName": MessageLookupByLibrary.simpleMessage("Inserir nome"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Inserir uma nova palavra-passe para encriptar os seus dados", + ), + "enterPassword": MessageLookupByLibrary.simpleMessage( + "Introduzir palavra-passe", + ), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Inserir uma palavra-passe para encriptar os seus dados", + ), + "enterPersonName": MessageLookupByLibrary.simpleMessage( + "Inserir nome da pessoa", + ), + "enterPin": MessageLookupByLibrary.simpleMessage("Introduzir PIN"), + "enterReferralCode": MessageLookupByLibrary.simpleMessage( + "Insira o código de referência", + ), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Introduzir o código de 6 dígitos da\nsua aplicação de autenticação", + ), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Favor, introduz um e-mail válido.", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Introduza o seu e-mail", + ), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Introduza o seu novo e-mail", + ), + "enterYourPassword": MessageLookupByLibrary.simpleMessage( + "Introduza a sua palavra-passe", + ), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Introduz a sua chave de recuperação", + ), + "error": MessageLookupByLibrary.simpleMessage("Erro"), + "everywhere": MessageLookupByLibrary.simpleMessage("em todo o lado"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": MessageLookupByLibrary.simpleMessage( + "Utilizador existente", + ), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Este link expirou. Por favor, selecione um novo tempo de expiração ou desabilite a expiração do link.", + ), + "exportLogs": MessageLookupByLibrary.simpleMessage("Exportar logs"), + "exportYourData": MessageLookupByLibrary.simpleMessage( + "Exportar os seus dados", + ), + "extraPhotosFound": MessageLookupByLibrary.simpleMessage( + "Fotos adicionais encontradas", + ), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Rosto não aglomerado ainda, retome mais tarde", + ), + "faceRecognition": MessageLookupByLibrary.simpleMessage( + "Reconhecimento facial", + ), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "Impossível gerar thumbnails de rosto", + ), + "faces": MessageLookupByLibrary.simpleMessage("Rostos"), + "failed": MessageLookupByLibrary.simpleMessage("Falha"), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage( + "Falha ao aplicar código", + ), + "failedToCancel": MessageLookupByLibrary.simpleMessage( + "Falhou ao cancelar", + ), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( + "Falha ao fazer o download do vídeo", + ), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Falha ao obter sessões em atividade", + ), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Falha ao obter original para edição", + ), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Não foi possível obter detalhes de indicação. Por favor, tente novamente mais tarde.", + ), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "Falha ao carregar álbuns", + ), + "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Falha ao reproduzir multimédia", + ), + "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( + "Falha ao atualizar subscrição", + ), + "failedToRenew": MessageLookupByLibrary.simpleMessage("Falhou ao renovar"), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Falha ao verificar status do pagamento", + ), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Adicione 5 membros da família ao seu plano existente sem pagar mais.\n\n\nCada membro tem o seu próprio espaço privado e não pode ver os ficheiros dos outros, a menos que sejam partilhados.\n\n\nOs planos familiares estão disponíveis para clientes que tenham uma subscrição paga do Ente.\n\n\nSubscreva agora para começar!", + ), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Família"), + "familyPlans": MessageLookupByLibrary.simpleMessage("Planos familiares"), + "faq": MessageLookupByLibrary.simpleMessage("Perguntas Frequentes"), + "faqs": MessageLookupByLibrary.simpleMessage("Perguntas frequentes"), + "favorite": MessageLookupByLibrary.simpleMessage("Favorito"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("Comentário"), + "file": MessageLookupByLibrary.simpleMessage("Ficheiro"), + "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage( + "Impossível analisar arquivo", + ), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Falha ao guardar o ficheiro na galeria", + ), + "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( + "Acrescente uma descrição...", + ), + "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( + "Ficheiro não enviado ainda", + ), + "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Arquivo guardado na galeria", + ), + "fileTypes": MessageLookupByLibrary.simpleMessage("Tipos de arquivo"), + "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( + "Tipos de arquivo e nomes", + ), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage("Arquivos apagados"), + "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Arquivos guardados na galeria", + ), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "Encontrar pessoas rapidamente pelo nome", + ), + "findThemQuickly": MessageLookupByLibrary.simpleMessage( + "Ache-os rapidamente", + ), + "flip": MessageLookupByLibrary.simpleMessage("Inverter"), + "food": MessageLookupByLibrary.simpleMessage("Culinária saborosa"), + "forYourMemories": MessageLookupByLibrary.simpleMessage( + "para suas memórias", + ), + "forgotPassword": MessageLookupByLibrary.simpleMessage( + "Não recordo a palavra-passe", + ), + "foundFaces": MessageLookupByLibrary.simpleMessage("Rostos encontrados"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( + "Armazenamento gratuito reclamado", + ), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Armazenamento livre utilizável", + ), + "freeTrial": MessageLookupByLibrary.simpleMessage("Teste grátis"), + "freeTrialValidTill": m38, + "freeUpAccessPostDelete": m39, + "freeUpAmount": m40, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( + "Libertar espaço no dispositivo", + ), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Poupe espaço no seu dispositivo limpando ficheiros dos quais já foi feita uma cópia de segurança.", + ), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("Libertar espaço"), + "freeUpSpaceSaving": m41, + "gallery": MessageLookupByLibrary.simpleMessage("Galeria"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "Até 1000 memórias mostradas na galeria", + ), + "general": MessageLookupByLibrary.simpleMessage("Geral"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Gerando chaves de encriptação...", + ), + "genericProgress": m42, + "goToSettings": MessageLookupByLibrary.simpleMessage( + "Ir para as definições", + ), + "googlePlayId": MessageLookupByLibrary.simpleMessage("ID do Google Play"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Por favor, permita o acesso a todas as fotos nas definições do aplicativo", + ), + "grantPermission": MessageLookupByLibrary.simpleMessage( + "Conceder permissão", + ), + "greenery": MessageLookupByLibrary.simpleMessage("A vida esverdeada"), + "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( + "Agrupar fotos próximas", + ), + "guestView": MessageLookupByLibrary.simpleMessage("Visão de convidado"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "Para ativar a vista de convidado, configure o código de acesso do dispositivo ou o bloqueio do ecrã nas definições do sistema.", + ), + "happyBirthday": MessageLookupByLibrary.simpleMessage("Felicidades! 🥳"), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "Não monitorizamos as instalações de aplicações. Ajudaria se nos dissesse onde nos encontrou!", + ), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Como é que soube do Ente? (opcional)", + ), + "help": MessageLookupByLibrary.simpleMessage("Ajuda"), + "hidden": MessageLookupByLibrary.simpleMessage("Oculto"), + "hide": MessageLookupByLibrary.simpleMessage("Ocultar"), + "hideContent": MessageLookupByLibrary.simpleMessage("Ocultar conteúdo"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Oculta o conteúdo da aplicação no alternador de aplicações e desactiva as capturas de ecrã", + ), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Oculta o conteúdo da aplicação no alternador de aplicações", + ), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Esconder Itens Partilhados da Galeria Inicial", + ), + "hiding": MessageLookupByLibrary.simpleMessage("Ocultando..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( + "Hospedado na OSM France", + ), + "howItWorks": MessageLookupByLibrary.simpleMessage("Como funciona"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Por favor, peça-lhes para pressionar longamente o endereço de e-mail na tela de configurações e verifique se os IDs de ambos os dispositivos coincidem.", + ), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "A autenticação biométrica não está configurada no seu dispositivo. Active o Touch ID ou o Face ID no seu telemóvel.", + ), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "A autenticação biométrica está desativada. Por favor, bloqueie e desbloqueie o ecrã para ativá-la.", + ), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), + "ignore": MessageLookupByLibrary.simpleMessage("Ignorar"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorar"), + "ignored": MessageLookupByLibrary.simpleMessage("ignorado"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Alguns ficheiros deste álbum não podem ser carregados porque foram anteriormente eliminados do Ente.", + ), + "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( + "Imagem sem análise", + ), + "immediately": MessageLookupByLibrary.simpleMessage("Imediatamente"), + "importing": MessageLookupByLibrary.simpleMessage("A importar..."), + "incorrectCode": MessageLookupByLibrary.simpleMessage("Código incorrecto"), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Palavra-passe incorreta", + ), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Chave de recuperação incorreta", + ), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "A chave de recuperação introduzida está incorreta", + ), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Chave de recuperação incorreta", + ), + "indexedItems": MessageLookupByLibrary.simpleMessage("Itens indexados"), + "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( + "A indexação foi interrompida. Ele será retomado se o dispositivo estiver pronto. O dispositivo é considerado pronto se o nível de bateria, saúde da bateria, e estado térmico esteja num estado saudável.", + ), + "ineligible": MessageLookupByLibrary.simpleMessage("Inelegível"), + "info": MessageLookupByLibrary.simpleMessage("Info"), + "insecureDevice": MessageLookupByLibrary.simpleMessage( + "Dispositivo inseguro", + ), + "installManually": MessageLookupByLibrary.simpleMessage( + "Instalar manualmente", + ), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "E-mail inválido", + ), + "invalidEndpoint": MessageLookupByLibrary.simpleMessage( + "Endpoint inválido", + ), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Desculpe, o endpoint que introduziu é inválido. Introduza um ponto final válido e tente novamente.", + ), + "invalidKey": MessageLookupByLibrary.simpleMessage("Chave inválida"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "A chave de recuperação que inseriu não é válida. Por favor, certifique-se que ela contém 24 palavras e verifique a ortografia de cada uma.\n\nSe inseriu um código de recuperação mais antigo, certifique-se de que tem 64 caracteres e verifique cada um deles.", + ), + "invite": MessageLookupByLibrary.simpleMessage("Convidar"), + "inviteToEnte": MessageLookupByLibrary.simpleMessage("Convidar para Ente"), + "inviteYourFriends": MessageLookupByLibrary.simpleMessage( + "Convide os seus amigos", + ), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "Convide seus amigos para o Ente", + ), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Parece que algo correu mal. Por favor, tente novamente após algum tempo. Se o erro persistir, contacte a nossa equipa de apoio.", + ), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "Os itens mostram o número de dias restantes antes da eliminação permanente", + ), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Os itens selecionados serão removidos deste álbum", + ), + "join": MessageLookupByLibrary.simpleMessage("Aderir"), + "joinAlbum": MessageLookupByLibrary.simpleMessage("Aderir ao Álbum"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "Aderir a um álbum fará o seu e-mail visível aos participantes.", + ), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( + "para ver e adicionar as suas fotos", + ), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "para adicionar isto aos álbuns partilhados", + ), + "joinDiscord": MessageLookupByLibrary.simpleMessage("Juntar-se ao Discord"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Manter fotos"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Ajude-nos com esta informação", + ), + "language": MessageLookupByLibrary.simpleMessage("Idioma"), + "lastTimeWithThem": m45, + "lastUpdated": MessageLookupByLibrary.simpleMessage("Última atualização"), + "lastYearsTrip": MessageLookupByLibrary.simpleMessage( + "Viagem do ano passado", + ), + "leave": MessageLookupByLibrary.simpleMessage("Sair"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Sair do álbum"), + "leaveFamily": MessageLookupByLibrary.simpleMessage( + "Deixar plano famíliar", + ), + "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Sair do álbum compartilhado?", + ), + "left": MessageLookupByLibrary.simpleMessage("Esquerda"), + "legacy": MessageLookupByLibrary.simpleMessage("Revivência"), + "legacyAccounts": MessageLookupByLibrary.simpleMessage("Contas revividas"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "A Revivência permite que contactos de confiança acessem a sua conta na sua inatividade.", + ), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "Contactos de confiança podem restaurar a sua conta, e se não lhes impedir em 30 dias, redefine a sua palavra-passe e acesse a sua conta.", + ), + "light": MessageLookupByLibrary.simpleMessage("Claro"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Claro"), + "link": MessageLookupByLibrary.simpleMessage("Ligar"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Link copiado para a área de transferência", + ), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage( + "Limite de dispositivo", + ), + "linkEmail": MessageLookupByLibrary.simpleMessage("Ligar e-mail"), + "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( + "para partilha ágil", + ), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Ativado"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Expirado"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Link expirado"), + "linkHasExpired": MessageLookupByLibrary.simpleMessage("O link expirou"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Nunca"), + "linkPerson": MessageLookupByLibrary.simpleMessage("Ligar pessoa"), + "linkPersonCaption": MessageLookupByLibrary.simpleMessage( + "para melhor experiência de partilha", + ), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("Fotos Em Tempo Real"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "Pode partilhar a sua subscrição com a sua família", + ), + "loadMessage2": MessageLookupByLibrary.simpleMessage( + "Já contivemos 200 milhões de memórias até o momento", + ), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "Mantemos 3 cópias dos seus dados, uma em um abrigo subterrâneo", + ), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "Todos os nossos aplicativos são de código aberto", + ), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Nosso código-fonte e criptografia foram auditadas externamente", + ), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "Deixar o álbum partilhado?", + ), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Nossos aplicativos móveis são executados em segundo plano para criptografar e fazer backup de quaisquer novas fotos que você clique", + ), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io tem um envio mais rápido", + ), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Nós usamos Xchacha20Poly1305 para criptografar seus dados com segurança", + ), + "loadingExifData": MessageLookupByLibrary.simpleMessage( + "Carregando dados EXIF...", + ), + "loadingGallery": MessageLookupByLibrary.simpleMessage( + "Carregando galeria...", + ), + "loadingMessage": MessageLookupByLibrary.simpleMessage( + "Carregar as suas fotos...", + ), + "loadingModel": MessageLookupByLibrary.simpleMessage( + "Transferindo modelos...", + ), + "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( + "Carregar as suas fotos...", + ), + "localGallery": MessageLookupByLibrary.simpleMessage("Galeria local"), + "localIndexing": MessageLookupByLibrary.simpleMessage("Indexação local"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Parece que algo correu mal, uma vez que a sincronização de fotografias locais está a demorar mais tempo do que o esperado. Contacte a nossa equipa de apoio", + ), + "location": MessageLookupByLibrary.simpleMessage("Localização"), + "locationName": MessageLookupByLibrary.simpleMessage("Nome da localização"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Uma etiqueta de localização agrupa todas as fotos que foram tiradas num determinado raio de uma fotografia", + ), + "locations": MessageLookupByLibrary.simpleMessage("Localizações"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Bloquear"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Ecrã de bloqueio"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Iniciar sessão"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Terminar a sessão..."), + "loginSessionExpired": MessageLookupByLibrary.simpleMessage( + "Sessão expirada", + ), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "A sua sessão expirou. Por favor, inicie sessão novamente.", + ), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Ao clicar em iniciar sessão, eu concordo com os termos de serviço e política de privacidade", + ), + "loginWithTOTP": MessageLookupByLibrary.simpleMessage( + "Iniciar sessão com TOTP", + ), + "logout": MessageLookupByLibrary.simpleMessage("Terminar sessão"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "Isto enviará os registos para nos ajudar a resolver o problema. Tenha em atenção que os nomes dos ficheiros serão incluídos para ajudar a localizar problemas com ficheiros específicos.", + ), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Pressione e segure um e-mail para verificar a criptografia de ponta a ponta.", + ), + "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( + "Pressione e segure em um item para ver em tela cheia", + ), + "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( + "Revê as suas memórias 🌄", + ), + "loopVideoOff": MessageLookupByLibrary.simpleMessage( + "Repetir vídeo desligado", + ), + "loopVideoOn": MessageLookupByLibrary.simpleMessage("Repetir vídeo ligado"), + "lostDevice": MessageLookupByLibrary.simpleMessage( + "Perdeu o seu dispositívo?", + ), + "machineLearning": MessageLookupByLibrary.simpleMessage( + "Aprendizagem automática", + ), + "magicSearch": MessageLookupByLibrary.simpleMessage("Pesquisa mágica"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "A pesquisa mágica permite pesquisar fotos por seu conteúdo, por exemplo, \'flor\', \'carro vermelho\', \'documentos de identidade\'", + ), + "manage": MessageLookupByLibrary.simpleMessage("Gerir"), + "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( + "Gerir cache do aparelho", + ), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Reveja e limpe o armazenamento de cache local.", + ), + "manageFamily": MessageLookupByLibrary.simpleMessage("Gerir família"), + "manageLink": MessageLookupByLibrary.simpleMessage("Gerir link"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Gerir"), + "manageSubscription": MessageLookupByLibrary.simpleMessage( + "Gerir subscrição", + ), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "Emparelhar com PIN funciona com qualquer ecrã onde pretenda ver o seu álbum.", + ), + "map": MessageLookupByLibrary.simpleMessage("Mapa"), + "maps": MessageLookupByLibrary.simpleMessage("Mapas"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("Eu"), + "memories": MessageLookupByLibrary.simpleMessage("Memórias"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Seleciona os tipos de memórias que adoraria ver no seu ecrã inicial.", + ), + "memoryCount": m50, + "merchandise": MessageLookupByLibrary.simpleMessage("Produtos"), + "merge": MessageLookupByLibrary.simpleMessage("Fundir"), + "mergeWithExisting": MessageLookupByLibrary.simpleMessage( + "Juntar com o existente", + ), + "mergedPhotos": MessageLookupByLibrary.simpleMessage("Fotos combinadas"), + "mlConsent": MessageLookupByLibrary.simpleMessage( + "Ativar aprendizagem automática", + ), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Eu entendo, e desejo ativar a aprendizagem automática", + ), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Se ativar a aprendizagem automática, o Ente extrairá informações como a geometria do rosto de ficheiros, incluindo os partilhados consigo.\n\n\nIsto acontecerá no seu dispositivo e todas as informações biométricas geradas serão encriptadas de ponta a ponta.", + ), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Por favor, clique aqui para mais detalhes sobre este recurso na nossa política de privacidade", + ), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "Ativar aprendizagem automática?", + ), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Tenha em atenção que a aprendizagem automática resultará numa maior utilização da largura de banda e da bateria até que todos os itens sejam indexados. Considere utilizar a aplicação de ambiente de trabalho para uma indexação mais rápida, todos os resultados serão sincronizados automaticamente.", + ), + "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( + "Mobile, Web, Desktop", + ), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Moderada"), + "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( + "Modifique a sua consulta ou tente pesquisar por", + ), + "moments": MessageLookupByLibrary.simpleMessage("Momentos"), + "month": MessageLookupByLibrary.simpleMessage("mês"), + "monthly": MessageLookupByLibrary.simpleMessage("Mensal"), + "moon": MessageLookupByLibrary.simpleMessage("Na luz da lua"), + "moreDetails": MessageLookupByLibrary.simpleMessage("Mais detalhes"), + "mostRecent": MessageLookupByLibrary.simpleMessage("Mais recente"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("Mais relevante"), + "mountains": MessageLookupByLibrary.simpleMessage("Sobre as colinas"), + "moveItem": m51, + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "Alterar datas de Fotos ao Selecionado", + ), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("Mover para álbum"), + "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Mover para álbum oculto", + ), + "movedSuccessfullyTo": m52, + "movedToTrash": MessageLookupByLibrary.simpleMessage("Mover para o lixo"), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Mover arquivos para o álbum...", + ), + "name": MessageLookupByLibrary.simpleMessage("Nome"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Nomear o álbum"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Não foi possível conectar ao Ente, tente novamente após algum tempo. Se o erro persistir, entre em contato com o suporte.", + ), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Não foi possível estabelecer ligação ao Ente. Verifique as definições de rede e contacte o serviço de apoio se o erro persistir.", + ), + "never": MessageLookupByLibrary.simpleMessage("Nunca"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Novo álbum"), + "newLocation": MessageLookupByLibrary.simpleMessage("Novo Lugar"), + "newPerson": MessageLookupByLibrary.simpleMessage("Nova pessoa"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" novo 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("Novo intervalo"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Novo no Ente"), + "newest": MessageLookupByLibrary.simpleMessage("Recentes"), + "next": MessageLookupByLibrary.simpleMessage("Seguinte"), + "no": MessageLookupByLibrary.simpleMessage("Não"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Ainda não há álbuns partilhados por si", + ), + "noDeviceFound": MessageLookupByLibrary.simpleMessage( + "Nenhum dispositivo encontrado", + ), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Nenhum"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "Você não tem arquivos neste dispositivo que possam ser apagados", + ), + "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Sem duplicados"), + "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( + "Nenhuma conta do Ente!", + ), + "noExifData": MessageLookupByLibrary.simpleMessage("Sem dados EXIF"), + "noFacesFound": MessageLookupByLibrary.simpleMessage( + "Nenhum rosto foi detetado", + ), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "Sem fotos ou vídeos ocultos", + ), + "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( + "Nenhuma imagem com localização", + ), + "noInternetConnection": MessageLookupByLibrary.simpleMessage( + "Sem ligação à internet", + ), + "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( + "No momento não há backup de fotos sendo feito", + ), + "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( + "Nenhuma foto encontrada aqui", + ), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( + "Nenhum link rápido selecionado", + ), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Sem chave de recuperação?", + ), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Por conta da natureza do nosso protocolo de encriptação, os seus dados não podem ser desencriptados sem a sua palavra-passe ou chave de recuperação.", + ), + "noResults": MessageLookupByLibrary.simpleMessage("Nenhum resultado"), + "noResultsFound": MessageLookupByLibrary.simpleMessage( + "Não foram encontrados resultados", + ), + "noSuggestionsForPerson": m53, + "noSystemLockFound": MessageLookupByLibrary.simpleMessage( + "Nenhum bloqueio de sistema encontrado", + ), + "notPersonLabel": m54, + "notThisPerson": MessageLookupByLibrary.simpleMessage("Não é esta pessoa?"), + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "Ainda nada partilhado consigo", + ), + "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( + "Nada para ver aqui! 👀", + ), + "notifications": MessageLookupByLibrary.simpleMessage("Notificações"), + "ok": MessageLookupByLibrary.simpleMessage("OK"), + "onDevice": MessageLookupByLibrary.simpleMessage("No dispositivo"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "Em ente", + ), + "onTheRoad": MessageLookupByLibrary.simpleMessage("Na rua de novo"), + "onThisDay": MessageLookupByLibrary.simpleMessage("Neste dia"), + "onThisDayMemories": MessageLookupByLibrary.simpleMessage( + "Memórias deste dia", + ), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "Obtém lembretes de memórias deste dia em anos passados.", + ), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Apenas eles"), + "oops": MessageLookupByLibrary.simpleMessage("Ops"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Oops, não foi possível guardar as edições", + ), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Ops, algo deu errado", + ), + "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( + "Abrir o Álbum em Navegador", + ), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Utilize a Aplicação de Web Sítio para adicionar fotos ao álbum", + ), + "openFile": MessageLookupByLibrary.simpleMessage("Abrir o Ficheiro"), + "openSettings": MessageLookupByLibrary.simpleMessage("Abrir Definições"), + "openTheItem": MessageLookupByLibrary.simpleMessage("• Abra o item"), + "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( + "Contribuidores do OpenStreetMap", + ), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Opcional, o mais breve que quiser...", + ), + "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( + "Ou combinar com já existente", + ), + "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( + "Ou escolha um já existente", + ), + "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( + "ou selecione dos seus contactos", + ), + "otherDetectedFaces": MessageLookupByLibrary.simpleMessage( + "Outros rostos detetados", + ), + "pair": MessageLookupByLibrary.simpleMessage("Emparelhar"), + "pairWithPin": MessageLookupByLibrary.simpleMessage("Emparelhar com PIN"), + "pairingComplete": MessageLookupByLibrary.simpleMessage( + "Emparelhamento concluído", + ), + "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), + "partyWithThem": m56, + "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( + "A verificação ainda está pendente", + ), + "passkey": MessageLookupByLibrary.simpleMessage("Chave de acesso"), + "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( + "Verificação da chave de acesso", + ), + "password": MessageLookupByLibrary.simpleMessage("Palavra-passe"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Palavra-passe alterada com sucesso", + ), + "passwordLock": MessageLookupByLibrary.simpleMessage( + "Bloqueio da palavra-passe", + ), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "A força da palavra-passe é calculada tendo em conta o comprimento da palavra-passe, os caracteres utilizados e se a palavra-passe aparece ou não nas 10.000 palavras-passe mais utilizadas", + ), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Não armazenamos esta palavra-passe, se você a esquecer, não podemos desencriptar os seus dados", + ), + "pastYearsMemories": MessageLookupByLibrary.simpleMessage( + "Memórias de anos passados", + ), + "paymentDetails": MessageLookupByLibrary.simpleMessage( + "Detalhes de pagamento", + ), + "paymentFailed": MessageLookupByLibrary.simpleMessage("O pagamento falhou"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "Infelizmente o seu pagamento falhou. Entre em contato com o suporte e nós ajudaremos você!", + ), + "paymentFailedTalkToProvider": m58, + "pendingItems": MessageLookupByLibrary.simpleMessage("Itens pendentes"), + "pendingSync": MessageLookupByLibrary.simpleMessage( + "Sincronização pendente", + ), + "people": MessageLookupByLibrary.simpleMessage("Pessoas"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Pessoas que utilizam seu código", + ), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Seleciona as pessoas que adoraria ver no seu ecrã inicial.", + ), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Todos os itens no lixo serão permanentemente eliminados\n\n\nEsta ação não pode ser anulada", + ), + "permanentlyDelete": MessageLookupByLibrary.simpleMessage( + "Eliminar permanentemente", + ), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Apagar permanentemente do dispositivo?", + ), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("Nome da pessoa"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("Acompanhantes peludos"), + "photoDescriptions": MessageLookupByLibrary.simpleMessage( + "Descrições das fotos", + ), + "photoGridSize": MessageLookupByLibrary.simpleMessage( + "Tamanho da grelha de fotos", + ), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("Fotos"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "As fotos adicionadas por si serão removidas do álbum", + ), + "photosCount": m62, + "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( + "As Fotos continuam com uma diferença de horário relativo", + ), + "pickCenterPoint": MessageLookupByLibrary.simpleMessage( + "Escolha o ponto central", + ), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Fixar álbum"), + "pinLock": MessageLookupByLibrary.simpleMessage("Bloqueio por PIN"), + "playOnTv": MessageLookupByLibrary.simpleMessage("Reproduzir álbum na TV"), + "playOriginal": MessageLookupByLibrary.simpleMessage("Ver original"), + "playStoreFreeTrialValidTill": m63, + "playStream": MessageLookupByLibrary.simpleMessage("Ver em direto"), + "playstoreSubscription": MessageLookupByLibrary.simpleMessage( + "Subscrição da PlayStore", + ), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Por favor, verifique a sua ligação à Internet e tente novamente.", + ), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Por favor, entre em contato com support@ente.io e nós ficaremos felizes em ajudar!", + ), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Por favor, contate o suporte se o problema persistir", + ), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( + "Por favor, conceda as permissões", + ), + "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( + "Por favor, inicie sessão novamente", + ), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Selecione links rápidos para remover", + ), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Por favor, tente novamente", + ), + "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( + "Por favor, verifique se o código que você inseriu", + ), + "pleaseWait": MessageLookupByLibrary.simpleMessage( + "Por favor, aguarde ...", + ), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Por favor aguarde, apagar o álbum", + ), + "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( + "Por favor, aguarde algum tempo antes de tentar novamente", + ), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "Espera um pouco, isto deve levar um tempo.", + ), + "posingWithThem": m66, + "preparingLogs": MessageLookupByLibrary.simpleMessage("Preparando logs..."), + "preserveMore": MessageLookupByLibrary.simpleMessage("Preservar mais"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Pressione e segure para reproduzir o vídeo", + ), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Pressione e segure na imagem para reproduzir o vídeo", + ), + "previous": MessageLookupByLibrary.simpleMessage("Anterior"), + "privacy": MessageLookupByLibrary.simpleMessage("Privacidade"), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "Política de privacidade", + ), + "privateBackups": MessageLookupByLibrary.simpleMessage("Backups privados"), + "privateSharing": MessageLookupByLibrary.simpleMessage("Partilha privada"), + "proceed": MessageLookupByLibrary.simpleMessage("Continuar"), + "processed": MessageLookupByLibrary.simpleMessage("Processado"), + "processing": MessageLookupByLibrary.simpleMessage("A processar"), + "processingImport": m67, + "processingVideos": MessageLookupByLibrary.simpleMessage( + "A processar vídeos", + ), + "publicLinkCreated": MessageLookupByLibrary.simpleMessage( + "Link público criado", + ), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( + "Link público ativado", + ), + "questionmark": MessageLookupByLibrary.simpleMessage("?"), + "queued": MessageLookupByLibrary.simpleMessage("Em fila"), + "quickLinks": MessageLookupByLibrary.simpleMessage("Links rápidos"), + "radius": MessageLookupByLibrary.simpleMessage("Raio"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Abrir ticket"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("Avaliar aplicação"), + "rateUs": MessageLookupByLibrary.simpleMessage("Avalie-nos"), + "rateUsOnStore": m68, + "reassignMe": MessageLookupByLibrary.simpleMessage("Retribua \"Mim\""), + "reassignedToName": m69, + "reassigningLoading": MessageLookupByLibrary.simpleMessage( + "A retribuir...", + ), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Obtém lembretes de quando é aniversário de alguém. Apertar na notificação o levará às fotos do aniversariante.", + ), + "recover": MessageLookupByLibrary.simpleMessage("Recuperar"), + "recoverAccount": MessageLookupByLibrary.simpleMessage("Recuperar conta"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Recuperar"), + "recoveryAccount": MessageLookupByLibrary.simpleMessage("Recuperar Conta"), + "recoveryInitiated": MessageLookupByLibrary.simpleMessage( + "Recuperação iniciada", + ), + "recoveryInitiatedDesc": m70, + "recoveryKey": MessageLookupByLibrary.simpleMessage("Chave de recuperação"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Chave de recuperação copiada para a área de transferência", + ), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Se esquecer sua palavra-passe, a única maneira de recuperar os seus dados é com esta chave.", + ), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Não armazenamos essa chave, por favor, guarde esta chave de 24 palavras num lugar seguro.", + ), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Ótimo! A sua chave de recuperação é válida. Obrigado por verificar.\n\nLembre-se de manter cópia de segurança da sua chave de recuperação.", + ), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Chave de recuperação verificada", + ), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "A sua chave de recuperação é a única forma de recuperar as suas fotografias se se esquecer da sua palavra-passe. Pode encontrar a sua chave de recuperação em Definições > Conta.\n\n\nIntroduza aqui a sua chave de recuperação para verificar se a guardou corretamente.", + ), + "recoveryReady": m71, + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "Recuperação com êxito!", + ), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "Um contacto de confiança está a tentar acessar a sua conta", + ), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "O dispositivo atual não é suficientemente poderoso para verificar a palavra-passe, mas podemos regenerar novamente de uma maneira que funcione no seu dispositivo.\n\nPor favor, iniciar sessão utilizando código de recuperação e gerar novamente a sua palavra-passe (pode utilizar a mesma se quiser).", + ), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Recriar palavra-passe", + ), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": MessageLookupByLibrary.simpleMessage( + "Insira novamente a palavra-passe", + ), + "reenterPin": MessageLookupByLibrary.simpleMessage("Inserir PIN novamente"), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Recomende amigos e duplique o seu plano", + ), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Envie este código aos seus amigos", + ), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Eles se inscrevem em um plano pago", + ), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Referências"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "As referências estão atualmente em pausa", + ), + "rejectRecovery": MessageLookupByLibrary.simpleMessage( + "Recusar recuperação", + ), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "Esvazie também a opção “Eliminados recentemente” em “Definições” -> “Armazenamento” para reclamar o espaço libertado", + ), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Esvazie também o seu “Lixo” para reivindicar o espaço libertado", + ), + "remoteImages": MessageLookupByLibrary.simpleMessage("Imagens remotas"), + "remoteThumbnails": MessageLookupByLibrary.simpleMessage( + "Miniaturas remotas", + ), + "remoteVideos": MessageLookupByLibrary.simpleMessage("Vídeos remotos"), + "remove": MessageLookupByLibrary.simpleMessage("Remover"), + "removeDuplicates": MessageLookupByLibrary.simpleMessage( + "Remover duplicados", + ), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Rever e remover ficheiros que sejam duplicados exatos.", + ), + "removeFromAlbum": MessageLookupByLibrary.simpleMessage("Remover do álbum"), + "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( + "Remover do álbum", + ), + "removeFromFavorite": MessageLookupByLibrary.simpleMessage( + "Remover dos favoritos", + ), + "removeInvite": MessageLookupByLibrary.simpleMessage("Retirar convite"), + "removeLink": MessageLookupByLibrary.simpleMessage("Remover link"), + "removeParticipant": MessageLookupByLibrary.simpleMessage( + "Remover participante", + ), + "removeParticipantBody": m74, + "removePersonLabel": MessageLookupByLibrary.simpleMessage( + "Remover etiqueta da pessoa", + ), + "removePublicLink": MessageLookupByLibrary.simpleMessage( + "Remover link público", + ), + "removePublicLinks": MessageLookupByLibrary.simpleMessage( + "Remover link público", + ), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Alguns dos itens que você está removendo foram adicionados por outras pessoas, e você perderá o acesso a eles", + ), + "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Remover?"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Retirar-vos dos contactos de confiança", + ), + "removingFromFavorites": MessageLookupByLibrary.simpleMessage( + "Removendo dos favoritos...", + ), + "rename": MessageLookupByLibrary.simpleMessage("Renomear"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("Renomear álbum"), + "renameFile": MessageLookupByLibrary.simpleMessage("Renomear arquivo"), + "renewSubscription": MessageLookupByLibrary.simpleMessage( + "Renovar subscrição", + ), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Reporte um bug"), + "reportBug": MessageLookupByLibrary.simpleMessage("Reportar bug"), + "resendEmail": MessageLookupByLibrary.simpleMessage("Reenviar e-mail"), + "reset": MessageLookupByLibrary.simpleMessage("Redefinir"), + "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( + "Repor ficheiros ignorados", + ), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Redefinir palavra-passe", + ), + "resetPerson": MessageLookupByLibrary.simpleMessage("Remover"), + "resetToDefault": MessageLookupByLibrary.simpleMessage( + "Redefinir para o padrão", + ), + "restore": MessageLookupByLibrary.simpleMessage("Restaurar"), + "restoreToAlbum": MessageLookupByLibrary.simpleMessage( + "Restaurar para álbum", + ), + "restoringFiles": MessageLookupByLibrary.simpleMessage( + "Restaurar arquivos...", + ), + "resumableUploads": MessageLookupByLibrary.simpleMessage( + "Uploads reenviados", + ), + "retry": MessageLookupByLibrary.simpleMessage("Tentar novamente"), + "review": MessageLookupByLibrary.simpleMessage("Rever"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Reveja e elimine os itens que considera serem duplicados.", + ), + "reviewSuggestions": MessageLookupByLibrary.simpleMessage( + "Revisar sugestões", + ), + "right": MessageLookupByLibrary.simpleMessage("Direita"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("Rodar"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Rodar para a esquerda"), + "rotateRight": MessageLookupByLibrary.simpleMessage("Rodar para a direita"), + "safelyStored": MessageLookupByLibrary.simpleMessage( + "Armazenado com segurança", + ), + "same": MessageLookupByLibrary.simpleMessage("Igual"), + "sameperson": MessageLookupByLibrary.simpleMessage("A mesma pessoa?"), + "save": MessageLookupByLibrary.simpleMessage("Guardar"), + "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage( + "Guardar como outra pessoa", + ), + "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( + "Guardar as alterações antes de sair?", + ), + "saveCollage": MessageLookupByLibrary.simpleMessage("Guardar colagem"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Guardar cópia"), + "saveKey": MessageLookupByLibrary.simpleMessage("Guardar chave"), + "savePerson": MessageLookupByLibrary.simpleMessage("Guardar pessoa"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Guarde a sua chave de recuperação, caso ainda não o tenha feito", + ), + "saving": MessageLookupByLibrary.simpleMessage("A gravar..."), + "savingEdits": MessageLookupByLibrary.simpleMessage("Gravando edições..."), + "scanCode": MessageLookupByLibrary.simpleMessage("Ler código Qr"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Leia este código com a sua aplicação dois fatores.", + ), + "search": MessageLookupByLibrary.simpleMessage("Pesquisar"), + "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Álbuns"), + "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage( + "Nome do álbum", + ), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Nomes de álbuns (ex: \"Câmera\")\n• Tipos de arquivos (ex.: \"Vídeos\", \".gif\")\n• Anos e meses (e.. \"2022\", \"Janeiro\")\n• Feriados (por exemplo, \"Natal\")\n• Descrições de fotos (por exemplo, \"#divertido\")", + ), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Adicione descrições como \"#trip\" nas informações das fotos para encontrá-las aqui rapidamente", + ), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Pesquisar por data, mês ou ano", + ), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "As imagens aparecerão aqui caso o processamento e sincronização for concluído", + ), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "As pessoas serão mostradas aqui quando a indexação estiver concluída", + ), + "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( + "Tipos de arquivo e nomes", + ), + "searchHint1": MessageLookupByLibrary.simpleMessage( + "Pesquisa rápida no dispositivo", + ), + "searchHint2": MessageLookupByLibrary.simpleMessage( + "Datas das fotos, descrições", + ), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "Álbuns, nomes de arquivos e tipos", + ), + "searchHint4": MessageLookupByLibrary.simpleMessage("Local"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "Em breve: Rostos e pesquisa mágica ✨", + ), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Fotos de grupo que estão sendo tiradas em algum raio da foto", + ), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "Convide pessoas e verá todas as fotos partilhadas por elas aqui", + ), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "As pessoas aparecerão aqui caso o processamento e sincronização for concluído", + ), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Segurança"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "Ver Ligações Públicas na Aplicação", + ), + "selectALocation": MessageLookupByLibrary.simpleMessage( + "Selecione uma localização", + ), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage( + "Selecione uma localização primeiro", + ), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Selecionar álbum"), + "selectAll": MessageLookupByLibrary.simpleMessage("Selecionar tudo"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("Tudo"), + "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( + "Selecionar Foto para Capa", + ), + "selectDate": MessageLookupByLibrary.simpleMessage("Selecionar data"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Selecionar pastas para cópia de segurança", + ), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "Selecionar itens para adicionar", + ), + "selectLanguage": MessageLookupByLibrary.simpleMessage("Selecionar Idioma"), + "selectMailApp": MessageLookupByLibrary.simpleMessage( + "Selecione Aplicação de Correios", + ), + "selectMorePhotos": MessageLookupByLibrary.simpleMessage( + "Selecionar mais fotos", + ), + "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( + "Selecione uma Data e Hora", + ), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "Selecionar uma data e hora a todos", + ), + "selectPersonToLink": MessageLookupByLibrary.simpleMessage( + "Selecione uma pessoa para ligar-se", + ), + "selectReason": MessageLookupByLibrary.simpleMessage("Diz a razão"), + "selectStartOfRange": MessageLookupByLibrary.simpleMessage( + "Selecionar início de intervalo", + ), + "selectTime": MessageLookupByLibrary.simpleMessage("Selecionar tempo"), + "selectYourFace": MessageLookupByLibrary.simpleMessage( + "Selecionar o seu rosto", + ), + "selectYourPlan": MessageLookupByLibrary.simpleMessage( + "Selecione o seu plano", + ), + "selectedAlbums": m79, + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Os arquivos selecionados não estão no Ente", + ), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "As pastas selecionadas serão encriptadas e guardadas como cópia de segurança", + ), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Os itens selecionados serão eliminados de todos os álbuns e movidos para o lixo.", + ), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "Os itens em seleção serão removidos desta pessoa, mas não da sua biblioteca.", + ), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("Enviar"), + "sendEmail": MessageLookupByLibrary.simpleMessage("Enviar e-mail"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Enviar convite"), + "sendLink": MessageLookupByLibrary.simpleMessage("Enviar link"), + "serverEndpoint": MessageLookupByLibrary.simpleMessage( + "Endpoint do servidor", + ), + "sessionExpired": MessageLookupByLibrary.simpleMessage("Sessão expirada"), + "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( + "Incompatibilidade de ID de sessão", + ), + "setAPassword": MessageLookupByLibrary.simpleMessage( + "Definir uma palavra-passe", + ), + "setAs": MessageLookupByLibrary.simpleMessage("Definir como"), + "setCover": MessageLookupByLibrary.simpleMessage("Definir capa"), + "setLabel": MessageLookupByLibrary.simpleMessage("Definir"), + "setNewPassword": MessageLookupByLibrary.simpleMessage( + "Definir nova palavra-passe", + ), + "setNewPin": MessageLookupByLibrary.simpleMessage("Definir novo PIN"), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Definir palavra-passe", + ), + "setRadius": MessageLookupByLibrary.simpleMessage("Definir raio"), + "setupComplete": MessageLookupByLibrary.simpleMessage( + "Configuração concluída", + ), + "share": MessageLookupByLibrary.simpleMessage("Partilhar"), + "shareALink": MessageLookupByLibrary.simpleMessage("Partilhar um link"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Abra um álbum e toque no botão de partilha no canto superior direito para partilhar", + ), + "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( + "Partilhar um álbum", + ), + "shareLink": MessageLookupByLibrary.simpleMessage("Partilhar link"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Partilhar apenas com as pessoas que deseja", + ), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Descarregue o Ente para poder partilhar facilmente fotografias e vídeos de qualidade original\n\n\nhttps://ente.io", + ), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Compartilhar com usuários que não usam Ente", + ), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( + "Partilhe o seu primeiro álbum", + ), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Criar álbuns compartilhados e colaborativos com outros usuários da Ente, incluindo usuários em planos gratuitos.", + ), + "sharedByMe": MessageLookupByLibrary.simpleMessage("Partilhado por mim"), + "sharedByYou": MessageLookupByLibrary.simpleMessage("Partilhado por si"), + "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( + "Novas fotos partilhadas", + ), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Receber notificações quando alguém adiciona uma foto a um álbum partilhado do qual faz parte", + ), + "sharedWith": m87, + "sharedWithMe": MessageLookupByLibrary.simpleMessage("Partilhado comigo"), + "sharedWithYou": MessageLookupByLibrary.simpleMessage("Partilhado consigo"), + "sharing": MessageLookupByLibrary.simpleMessage("Partilhar..."), + "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( + "Mude as Datas e Horas", + ), + "showLessFaces": MessageLookupByLibrary.simpleMessage( + "Mostrar menos rostos", + ), + "showMemories": MessageLookupByLibrary.simpleMessage("Mostrar memórias"), + "showMoreFaces": MessageLookupByLibrary.simpleMessage( + "Mostrar mais rostos", + ), + "showPerson": MessageLookupByLibrary.simpleMessage("Mostrar pessoa"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "Terminar sessão noutros dispositivos", + ), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Se pensa que alguém pode saber a sua palavra-passe, pode forçar todos os outros dispositivos que utilizam a sua conta a terminar a sessão.", + ), + "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( + "Terminar a sessão noutros dispositivos", + ), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Eu concordo com os termos de serviço e política de privacidade", + ), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Será eliminado de todos os álbuns.", + ), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Pular"), + "smartMemories": MessageLookupByLibrary.simpleMessage( + "Memórias inteligentes", + ), + "social": MessageLookupByLibrary.simpleMessage("Social"), + "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( + "Alguns itens estão tanto no Ente como no seu dispositivo.", + ), + "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( + "Alguns dos ficheiros que está a tentar eliminar só estão disponíveis no seu dispositivo e não podem ser recuperados se forem eliminados", + ), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Alguém compartilhando álbuns com você deve ver o mesmo ID no seu dispositivo.", + ), + "somethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Ocorreu um erro", + ), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Algo correu mal. Favor, tentar de novo", + ), + "sorry": MessageLookupByLibrary.simpleMessage("Desculpe"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "Perdão, mas não podemos fazer backup deste ficheiro agora, tentaremos mais tarde.", + ), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Desculpe, não foi possível adicionar aos favoritos!", + ), + "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( + "Desculpe, não foi possível remover dos favoritos!", + ), + "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "Desculpe, o código inserido está incorreto", + ), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Desculpe, não foi possível gerar chaves seguras neste dispositivo.\n\npor favor iniciar sessão com um dispositivo diferente.", + ), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Perdão, precisamos parar seus backups", + ), + "sort": MessageLookupByLibrary.simpleMessage("Ordenar"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Ordenar por"), + "sortNewestFirst": MessageLookupByLibrary.simpleMessage( + "Mais recentes primeiro", + ), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage( + "Mais antigos primeiro", + ), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Sucesso"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": MessageLookupByLibrary.simpleMessage( + "A dar destaque em vos", + ), + "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( + "Começar Recuperação", + ), + "startBackup": MessageLookupByLibrary.simpleMessage( + "Iniciar cópia de segurança", + ), + "status": MessageLookupByLibrary.simpleMessage("Status"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "Queres parar de fazer transmissão?", + ), + "stopCastingTitle": MessageLookupByLibrary.simpleMessage( + "Parar transmissão", + ), + "storage": MessageLookupByLibrary.simpleMessage("Armazenamento"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Família"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Tu"), + "storageInGB": m93, + "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( + "Limite de armazenamento excedido", + ), + "storageUsageInfo": m94, + "streamDetails": MessageLookupByLibrary.simpleMessage( + "Detalhes do em direto", + ), + "strongStrength": MessageLookupByLibrary.simpleMessage("Forte"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Subscrever"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Você precisa de uma assinatura paga ativa para ativar o compartilhamento.", + ), + "subscription": MessageLookupByLibrary.simpleMessage("Subscrição"), + "success": MessageLookupByLibrary.simpleMessage("Sucesso"), + "successfullyArchived": MessageLookupByLibrary.simpleMessage( + "Arquivado com sucesso", + ), + "successfullyHid": MessageLookupByLibrary.simpleMessage( + "Ocultado com sucesso", + ), + "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( + "Desarquivado com sucesso", + ), + "successfullyUnhid": MessageLookupByLibrary.simpleMessage( + "Reexibido com sucesso", + ), + "suggestFeatures": MessageLookupByLibrary.simpleMessage("Sugerir recursos"), + "sunrise": MessageLookupByLibrary.simpleMessage("No horizonte"), + "support": MessageLookupByLibrary.simpleMessage("Suporte"), + "syncProgress": m97, + "syncStopped": MessageLookupByLibrary.simpleMessage( + "Sincronização interrompida", + ), + "syncing": MessageLookupByLibrary.simpleMessage("Sincronizando..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("Sistema"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("toque para copiar"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage( + "Tocar para introduzir código", + ), + "tapToUnlock": MessageLookupByLibrary.simpleMessage( + "Toque para desbloquear", + ), + "tapToUpload": MessageLookupByLibrary.simpleMessage("Clique para enviar"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Parece que algo correu mal. Por favor, tente novamente mais tarde. Se o erro persistir, entre em contacto com a nossa equipa de suporte.", + ), + "terminate": MessageLookupByLibrary.simpleMessage("Desconectar"), + "terminateSession": MessageLookupByLibrary.simpleMessage("Desconectar?"), + "terms": MessageLookupByLibrary.simpleMessage("Termos"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Termos"), + "thankYou": MessageLookupByLibrary.simpleMessage("Obrigado"), + "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( + "Obrigado pela sua subscrição!", + ), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "Não foi possível concluir o download.", + ), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "A ligação que está a tentar acessar já expirou.", + ), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Os grupos de pessoa não aparecerão mais na secção de pessoas. As Fotos permanecerão intocadas.", + ), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "As pessoas não aparecerão mais na secção de pessoas. As fotos permanecerão intocadas.", + ), + "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "A chave de recuperação inserida está incorreta", + ), + "theme": MessageLookupByLibrary.simpleMessage("Tema"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Estes itens serão eliminados do seu dispositivo.", + ), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "Serão eliminados de todos os álbuns.", + ), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Esta ação não pode ser desfeita", + ), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "Este álbum já tem um link colaborativo", + ), + "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( + "Isto pode ser usado para recuperar sua conta se você perder seu segundo fator", + ), + "thisDevice": MessageLookupByLibrary.simpleMessage("Este aparelho"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "Este email já está em uso", + ), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Esta imagem não tem dados exif", + ), + "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("Este sou eu!"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Este é o seu ID de verificação", + ), + "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( + "Esta semana com o avanço dos anos", + ), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Isto desconectará-vos dos aparelhos a seguir:", + ), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Isto desconectará-vos deste aparelho!", + ), + "thisWillMakeTheDateAndTimeOfAllSelected": + MessageLookupByLibrary.simpleMessage( + "Isto fará a data e hora de todas as fotos o mesmo.", + ), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "Isto removerá links públicos de todos os links rápidos selecionados.", + ), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "Para ativar o bloqueio de aplicações, configure o código de acesso do dispositivo ou o bloqueio de ecrã nas definições do sistema.", + ), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( + "Para ocultar uma foto ou um vídeo", + ), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Para redefinir a palavra-passe, favor, verifique o seu e-mail.", + ), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Logs de hoje"), + "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( + "Muitas tentativas incorretas", + ), + "total": MessageLookupByLibrary.simpleMessage("total"), + "totalSize": MessageLookupByLibrary.simpleMessage("Tamanho total"), + "trash": MessageLookupByLibrary.simpleMessage("Lixo"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Cortar"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": MessageLookupByLibrary.simpleMessage( + "Contactos de Confiança", + ), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Tente novamente"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Ative o backup para enviar automaticamente arquivos adicionados a esta pasta do dispositivo para o Ente.", + ), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "2 meses grátis em planos anuais", + ), + "twofactor": MessageLookupByLibrary.simpleMessage("Dois fatores"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "A autenticação de dois fatores foi desativada", + ), + "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( + "Autenticação de dois fatores", + ), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "Autenticação de dois fatores redefinida com êxito", + ), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Configuração de dois fatores", + ), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("Desarquivar"), + "unarchiveAlbum": MessageLookupByLibrary.simpleMessage("Desarquivar álbum"), + "unarchiving": MessageLookupByLibrary.simpleMessage("Desarquivar..."), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Desculpe, este código não está disponível.", + ), + "uncategorized": MessageLookupByLibrary.simpleMessage("Sem categoria"), + "unhide": MessageLookupByLibrary.simpleMessage("Mostrar"), + "unhideToAlbum": MessageLookupByLibrary.simpleMessage( + "Mostrar para o álbum", + ), + "unhiding": MessageLookupByLibrary.simpleMessage("Reexibindo..."), + "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Desocultar ficheiros para o álbum", + ), + "unlock": MessageLookupByLibrary.simpleMessage("Desbloquear"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("Desafixar álbum"), + "unselectAll": MessageLookupByLibrary.simpleMessage("Desmarcar tudo"), + "update": MessageLookupByLibrary.simpleMessage("Atualizar"), + "updateAvailable": MessageLookupByLibrary.simpleMessage( + "Atualização disponível", + ), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Atualizando seleção de pasta...", + ), + "upgrade": MessageLookupByLibrary.simpleMessage("Atualizar"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Enviar ficheiros para o álbum...", + ), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( + "Preservar 1 memória...", + ), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "Até 50% de desconto, até 4 de dezembro.", + ), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "O armazenamento disponível é limitado pelo seu plano atual. O excesso de armazenamento reivindicado tornará automaticamente útil quando você atualizar seu plano.", + ), + "useAsCover": MessageLookupByLibrary.simpleMessage("Usar como capa"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "A ter problemas reproduzindo este vídeo? Prima aqui para tentar outro reprodutor.", + ), + "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Usar links públicos para pessoas que não estão no Ente", + ), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Usar chave de recuperação", + ), + "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( + "Utilizar foto selecionada", + ), + "usedSpace": MessageLookupByLibrary.simpleMessage("Espaço utilizado"), + "validTill": m110, + "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Falha na verificação, por favor tente novamente", + ), + "verificationId": MessageLookupByLibrary.simpleMessage("ID de Verificação"), + "verify": MessageLookupByLibrary.simpleMessage("Verificar"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("Verificar e-mail"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Verificar"), + "verifyPasskey": MessageLookupByLibrary.simpleMessage( + "Verificar chave de acesso", + ), + "verifyPassword": MessageLookupByLibrary.simpleMessage( + "Verificar palavra-passe", + ), + "verifying": MessageLookupByLibrary.simpleMessage("A verificar…"), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Verificando chave de recuperação...", + ), + "videoInfo": MessageLookupByLibrary.simpleMessage("Informação de Vídeo"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("vídeo"), + "videoStreaming": MessageLookupByLibrary.simpleMessage( + "Vídeos transmissíveis", + ), + "videos": MessageLookupByLibrary.simpleMessage("Vídeos"), + "viewActiveSessions": MessageLookupByLibrary.simpleMessage( + "Ver sessões ativas", + ), + "viewAddOnButton": MessageLookupByLibrary.simpleMessage("Ver addons"), + "viewAll": MessageLookupByLibrary.simpleMessage("Ver tudo"), + "viewAllExifData": MessageLookupByLibrary.simpleMessage( + "Ver todos os dados EXIF", + ), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Ficheiros grandes"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Ver os ficheiros que estão a consumir a maior quantidade de armazenamento.", + ), + "viewLogs": MessageLookupByLibrary.simpleMessage("Ver logs"), + "viewPersonToUnlink": m112, + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Ver chave de recuperação", + ), + "viewer": MessageLookupByLibrary.simpleMessage("Visualizador"), + "viewersSuccessfullyAdded": m113, + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Visite web.ente.io para gerir a sua subscrição", + ), + "waitingForVerification": MessageLookupByLibrary.simpleMessage( + "Aguardando verificação...", + ), + "waitingForWifi": MessageLookupByLibrary.simpleMessage( + "Aguardando Wi-Fi...", + ), + "warning": MessageLookupByLibrary.simpleMessage("Alerta"), + "weAreOpenSource": MessageLookupByLibrary.simpleMessage( + "Nós somos de código aberto!", + ), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "Não suportamos a edição de fotos e álbuns que ainda não possui", + ), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Fraca"), + "welcomeBack": MessageLookupByLibrary.simpleMessage( + "Bem-vindo(a) de volta!", + ), + "whatsNew": MessageLookupByLibrary.simpleMessage("O que há de novo"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "O contacto de confiança pode ajudar na recuperação dos seus dados.", + ), + "widgets": MessageLookupByLibrary.simpleMessage("Widgets"), + "wishThemAHappyBirthday": m115, + "yearShort": MessageLookupByLibrary.simpleMessage("ano"), + "yearly": MessageLookupByLibrary.simpleMessage("Anual"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Sim"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Sim, cancelar"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "Sim, converter para visualizador", + ), + "yesDelete": MessageLookupByLibrary.simpleMessage("Sim, apagar"), + "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( + "Sim, rejeitar alterações", + ), + "yesIgnore": MessageLookupByLibrary.simpleMessage("Sim, ignorar"), + "yesLogout": MessageLookupByLibrary.simpleMessage("Sim, terminar sessão"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Sim, remover"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Sim, Renovar"), + "yesResetPerson": MessageLookupByLibrary.simpleMessage("Sim, repor pessoa"), + "you": MessageLookupByLibrary.simpleMessage("Tu"), + "youAndThem": m117, + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( + "Você está em um plano familiar!", + ), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Está a utilizar a versão mais recente", + ), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Você pode duplicar seu armazenamento no máximo", + ), + "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( + "Pode gerir as suas ligações no separador partilhar.", + ), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "Pode tentar pesquisar uma consulta diferente.", + ), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "Não é possível fazer o downgrade para este plano", + ), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Não podes partilhar contigo mesmo", + ), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "Não tem nenhum item arquivado.", + ), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "A sua conta foi eliminada", + ), + "yourMap": MessageLookupByLibrary.simpleMessage("Seu mapa"), + "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( + "O seu plano foi rebaixado com sucesso", + ), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "O seu plano foi atualizado com sucesso", + ), + "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( + "Sua compra foi realizada com sucesso", + ), + "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( + "Não foi possível obter os seus dados de armazenamento", + ), + "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( + "A sua subscrição expirou", + ), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "A sua subscrição foi actualizada com sucesso", + ), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "O seu código de verificação expirou", + ), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "Não tem nenhum ficheiro duplicado que possa ser eliminado", + ), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "Não existem ficheiros neste álbum que possam ser eliminados", + ), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( + "Diminuir o zoom para ver fotos", + ), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_ro.dart b/mobile/apps/photos/lib/generated/intl/messages_ro.dart index ea6407b424..6af0004226 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_ro.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_ro.dart @@ -42,12 +42,7 @@ class MessageLookup extends MessageLookupByLibrary { "${user} nu va putea să mai adauge fotografii la acest album\n\nVa putea să elimine fotografii existente adăugate de el/ea"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, { - 'true': - 'Familia dvs. a revendicat ${storageAmountInGb} GB până acum', - 'false': 'Ați revendicat ${storageAmountInGb} GB până acum', - 'other': 'Ați revendicat ${storageAmountInGb} de GB până acum!', - })}"; + "${Intl.select(isFamilyMember, {'true': 'Familia dvs. a revendicat ${storageAmountInGb} GB până acum', 'false': 'Ați revendicat ${storageAmountInGb} GB până acum', 'other': 'Ați revendicat ${storageAmountInGb} de GB până acum!'})}"; static String m15(albumName) => "Link colaborativ creat pentru ${albumName}"; @@ -75,7 +70,7 @@ class MessageLookup extends MessageLookupByLibrary { "Vă rugăm să trimiteți un e-mail la ${supportEmail} de pe adresa de e-mail înregistrată"; static String m26(count, storageSaved) => - "Ați curățat ${Intl.plural(count, one: '${count} dublură', other: '${count} de dubluri')}, economisind (${storageSaved}!)"; + "Ați curățat ${Intl.plural(count, one: '${count} dublură', few: '${count} dubluri', other: '${count} de dubluri')}, economisind (${storageSaved}!)"; static String m27(count, formattedSize) => "${count} fișiere, ${formattedSize} fiecare"; @@ -88,10 +83,10 @@ class MessageLookup extends MessageLookupByLibrary { static String m33(text) => "S-au găsit fotografii extra pentru ${text}"; static String m35(count, formattedNumber) => - "${Intl.plural(count, one: 'Un fișier de pe acest dispozitiv a fost deja salvat în siguranță', other: '${formattedNumber} de fișiere de pe acest dispozitiv fost deja salvate în siguranță')}"; + "${Intl.plural(count, one: 'Un fișier de pe acest dispozitiv a fost deja salvat în siguranță', few: '${formattedNumber} fișiere de pe acest dispozitiv au fost deja salvate în siguranță', other: '${formattedNumber} de fișiere de pe acest dispozitiv fost deja salvate în siguranță')}"; static String m36(count, formattedNumber) => - "${Intl.plural(count, one: 'Un fișier din acest album a fost deja salvat în siguranță', other: '${formattedNumber} de fișiere din acest album au fost deja salvate în siguranță')}"; + "${Intl.plural(count, one: 'Un fișier din acest album a fost deja salvat în siguranță', few: '${formattedNumber} fișiere din acest album au fost deja salvate în siguranță', other: '${formattedNumber} de fișiere din acest album au fost deja salvate în siguranță')}"; static String m37(storageAmountInGB) => "${storageAmountInGB} GB de fiecare dată când cineva se înscrie pentru un plan plătit și aplică codul dvs."; @@ -105,7 +100,7 @@ class MessageLookup extends MessageLookupByLibrary { "Se procesează ${currentlyProcessing} / ${totalCount}"; static String m44(count) => - "${Intl.plural(count, one: '${count} articol', other: '${count} de articole')}"; + "${Intl.plural(count, one: '${count} articol', few: '${count} articole', other: '${count} de articole')}"; static String m46(email) => "${email} v-a invitat să fiți un contact de încredere"; @@ -157,7 +152,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m75(endDate) => "Abonamentul se reînnoiește pe ${endDate}"; static String m77(count) => - "${Intl.plural(count, one: '${count} rezultat găsit', other: '${count} de rezultate găsite')}"; + "${Intl.plural(count, one: '${count} rezultat găsit', few: '${count} rezultate găsite', other: '${count} de rezultate găsite')}"; static String m78(snapshotLength, searchLength) => "Lungimea secțiunilor nu se potrivesc: ${snapshotLength} != ${searchLength}"; @@ -193,7 +188,11 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => + usedAmount, + usedStorageUnit, + totalAmount, + totalStorageUnit, + ) => "${usedAmount} ${usedStorageUnit} din ${totalAmount} ${totalStorageUnit} utilizat"; static String m95(id) => @@ -233,1799 +232,2256 @@ class MessageLookup extends MessageLookupByLibrary { static String m114(email) => "Am trimis un e-mail la ${email}"; static String m116(count) => - "${Intl.plural(count, one: 'acum ${count} an', other: 'acum ${count} de ani')}"; + "${Intl.plural(count, one: 'acum ${count} an', few: 'acum ${count} ani', other: 'acum ${count} de ani')}"; static String m118(storageSaved) => "Ați eliberat cu succes ${storageSaved}!"; final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Este disponibilă o nouă versiune de Ente."), - "about": MessageLookupByLibrary.simpleMessage("Despre"), - "acceptTrustInvite": - MessageLookupByLibrary.simpleMessage("Acceptați invitația"), - "account": MessageLookupByLibrary.simpleMessage("Cont"), - "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( - "Contul este deja configurat."), - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("Bine ați revenit!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Înțeleg că dacă îmi pierd parola, îmi pot pierde datele, deoarece datele mele sunt criptate integral."), - "activeSessions": - MessageLookupByLibrary.simpleMessage("Sesiuni active"), - "add": MessageLookupByLibrary.simpleMessage("Adăugare"), - "addAName": MessageLookupByLibrary.simpleMessage("Adăugați un nume"), - "addANewEmail": - MessageLookupByLibrary.simpleMessage("Adăugați un e-mail nou"), - "addCollaborator": - MessageLookupByLibrary.simpleMessage("Adăugare colaborator"), - "addFiles": MessageLookupByLibrary.simpleMessage("Adăugați fișiere"), - "addFromDevice": - MessageLookupByLibrary.simpleMessage("Adăugați de pe dispozitiv"), - "addLocation": MessageLookupByLibrary.simpleMessage("Adăugare locație"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Adăugare"), - "addMore": MessageLookupByLibrary.simpleMessage("Adăugați mai mulți"), - "addName": MessageLookupByLibrary.simpleMessage("Adăugare nume"), - "addNameOrMerge": - MessageLookupByLibrary.simpleMessage("Adăugare nume sau îmbinare"), - "addNew": MessageLookupByLibrary.simpleMessage("Adăugare nou"), - "addNewPerson": - MessageLookupByLibrary.simpleMessage("Adăugare persoană nouă"), - "addOnPageSubtitle": - MessageLookupByLibrary.simpleMessage("Detaliile suplimentelor"), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("Suplimente"), - "addPhotos": - MessageLookupByLibrary.simpleMessage("Adăugați fotografii"), - "addSelected": - MessageLookupByLibrary.simpleMessage("Adăugați selectate"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("Adăugare la album"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Adăugare la Ente"), - "addToHiddenAlbum": - MessageLookupByLibrary.simpleMessage("Adăugați la album ascuns"), - "addTrustedContact": MessageLookupByLibrary.simpleMessage( - "Adăugare contact de încredere"), - "addViewer": - MessageLookupByLibrary.simpleMessage("Adăugare observator"), - "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( - "Adăugați-vă fotografiile acum"), - "addedAs": MessageLookupByLibrary.simpleMessage("Adăugat ca"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": - MessageLookupByLibrary.simpleMessage("Se adaugă la favorite..."), - "advanced": MessageLookupByLibrary.simpleMessage("Avansat"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Avansat"), - "after1Day": MessageLookupByLibrary.simpleMessage("După o zi"), - "after1Hour": MessageLookupByLibrary.simpleMessage("După o oră"), - "after1Month": MessageLookupByLibrary.simpleMessage("După o lună"), - "after1Week": MessageLookupByLibrary.simpleMessage("După o săptămâna"), - "after1Year": MessageLookupByLibrary.simpleMessage("După un an"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Proprietar"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Titlu album"), - "albumUpdated": - MessageLookupByLibrary.simpleMessage("Album actualizat"), - "albums": MessageLookupByLibrary.simpleMessage("Albume"), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Totul e curat"), - "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( - "S-au salvat toate amintirile"), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "Toate grupările pentru această persoană vor fi resetate și veți pierde toate sugestiile făcute pentru această persoană"), - "allow": MessageLookupByLibrary.simpleMessage("Permiteți"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Permiteți persoanelor care au linkul să adauge și fotografii la albumul distribuit."), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( - "Permiteți adăugarea fotografiilor"), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "Permiteți aplicației să deschidă link-uri de album partajate"), - "allowDownloads": - MessageLookupByLibrary.simpleMessage("Permiteți descărcările"), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Permiteți persoanelor să adauge fotografii"), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să permiteți accesul la fotografiile dvs. din Setări, astfel încât Ente să vă poată afișa și salva biblioteca."), - "allowPermTitle": MessageLookupByLibrary.simpleMessage( - "Permiteți accesul la fotografii"), - "androidBiometricHint": - MessageLookupByLibrary.simpleMessage("Verificați-vă identitatea"), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "Neidentificat. Încercați din nou."), - "androidBiometricRequiredTitle": - MessageLookupByLibrary.simpleMessage("Biometrice necesare"), - "androidBiometricSuccess": - MessageLookupByLibrary.simpleMessage("Succes"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Anulare"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage( - "Sunt necesare acreditările dispozitivului"), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage( - "Sunt necesare acreditările dispozitivului"), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Autentificarea biometrică nu este configurată pe dispozitivul dvs. Mergeți la „Setări > Securitate” pentru a adăuga autentificarea biometrică."), - "androidIosWebDesktop": - MessageLookupByLibrary.simpleMessage("Android, iOS, Web, Desktop"), - "androidSignInTitle": - MessageLookupByLibrary.simpleMessage("Autentificare necesară"), - "appLock": MessageLookupByLibrary.simpleMessage("Blocare aplicație"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Alegeți între ecranul de blocare implicit al dispozitivului dvs. și un ecran de blocare personalizat cu PIN sau parolă."), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), - "apply": MessageLookupByLibrary.simpleMessage("Aplicare"), - "applyCodeTitle": - MessageLookupByLibrary.simpleMessage("Aplicați codul"), - "appstoreSubscription": - MessageLookupByLibrary.simpleMessage("Abonament AppStore"), - "archive": MessageLookupByLibrary.simpleMessage("Arhivă"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("Arhivare album"), - "archiving": MessageLookupByLibrary.simpleMessage("Se arhivează..."), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Sunteți sigur că doriți să părăsiți planul de familie?"), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "Sunteți sigur că doriți să anulați?"), - "areYouSureYouWantToChangeYourPlan": - MessageLookupByLibrary.simpleMessage( - "Sunteți sigur că doriți să vă schimbați planul?"), - "areYouSureYouWantToExit": - MessageLookupByLibrary.simpleMessage("Sigur doriți să ieșiți?"), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Sunteți sigur că doriți să vă deconectați?"), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "Sunteți sigur că doriți să reînnoiți?"), - "areYouSureYouWantToResetThisPerson": - MessageLookupByLibrary.simpleMessage( - "Sunteți sigur că doriți să resetaţi această persoană?"), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "Abonamentul dvs. a fost anulat. Doriți să ne comunicați motivul?"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Care este principalul motiv pentru care vă ștergeți contul?"), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Cereți-le celor dragi să distribuie"), - "atAFalloutShelter": - MessageLookupByLibrary.simpleMessage("la un adăpost antiatomic"), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Vă rugăm să vă autentificați pentru a schimba verificarea prin e-mail"), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să vă autentificați pentru a schimba setarea ecranului de blocare"), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să vă autentificați pentru a vă schimba adresa de e-mail"), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să vă autentificați pentru a vă schimba parola"), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Vă rugăm să vă autentificați pentru a configura autentificarea cu doi factori"), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să vă autentificați pentru a iniția ștergerea contului"), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să vă autentificați pentru a gestiona contactele de încredere"), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să vă autentificați pentru a vizualiza cheia de acces"), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să vă autentificați pentru a vedea fișierele din coșul de gunoi"), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să vă autentificați pentru a vedea sesiunile active"), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să vă autentificați pentru a vedea fișierele ascunse"), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să vă autentificați pentru a vă vizualiza amintirile"), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să vă autentificați pentru a vedea cheia de recuperare"), - "authenticating": - MessageLookupByLibrary.simpleMessage("Autentificare..."), - "authenticationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Autentificare eșuată, încercați din nou"), - "authenticationSuccessful": - MessageLookupByLibrary.simpleMessage("Autentificare cu succes!"), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Veți vedea dispozitivele disponibile pentru Cast aici."), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Asigurați-vă că permisiunile de rețea locală sunt activate pentru aplicația Ente Foto, în Setări."), - "autoLock": MessageLookupByLibrary.simpleMessage("Blocare automată"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Timpul după care aplicația se blochează după ce a fost pusă în fundal"), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "Din cauza unei probleme tehnice, ați fost deconectat. Ne cerem scuze pentru neplăcerile create."), - "autoPair": MessageLookupByLibrary.simpleMessage("Asociere automată"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "Asocierea automată funcționează numai cu dispozitive care acceptă Chromecast."), - "available": MessageLookupByLibrary.simpleMessage("Disponibil"), - "availableStorageSpace": m10, - "backedUpFolders": - MessageLookupByLibrary.simpleMessage("Foldere salvate"), - "backup": MessageLookupByLibrary.simpleMessage("Copie de rezervă"), - "backupFailed": - MessageLookupByLibrary.simpleMessage("Copie de rezervă eșuată"), - "backupFile": MessageLookupByLibrary.simpleMessage("Salvare fișier"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Efectuare copie de rezervă prin date mobile"), - "backupSettings": - MessageLookupByLibrary.simpleMessage("Setări copie de rezervă"), - "backupStatus": - MessageLookupByLibrary.simpleMessage("Stare copie de rezervă"), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Articolele care au fost salvate vor apărea aici"), - "backupVideos": MessageLookupByLibrary.simpleMessage( - "Copie de rezervă videoclipuri"), - "birthday": MessageLookupByLibrary.simpleMessage("Ziua de naștere"), - "blackFridaySale": - MessageLookupByLibrary.simpleMessage("Ofertă Black Friday"), - "blog": MessageLookupByLibrary.simpleMessage("Blog"), - "cachedData": MessageLookupByLibrary.simpleMessage( - "Date salvate în memoria cache"), - "calculating": MessageLookupByLibrary.simpleMessage("Se calculează..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Ne pare rău, acest album nu poate fi deschis în aplicație."), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( - "Nu se poate deschide acest album"), - "canNotUploadToAlbumsOwnedByOthers": - MessageLookupByLibrary.simpleMessage( - "Nu se poate încărca în albumele deținute de alții"), - "canOnlyCreateLinkForFilesOwnedByYou": - MessageLookupByLibrary.simpleMessage( - "Se pot crea linkuri doar pentru fișiere deținute de dvs."), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Puteți elimina numai fișierele deținute de dvs."), - "cancel": MessageLookupByLibrary.simpleMessage("Anulare"), - "cancelAccountRecovery": - MessageLookupByLibrary.simpleMessage("Anulare recuperare"), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "Sunteți sigur că doriți să anulați recuperarea?"), - "cancelOtherSubscription": m12, - "cancelSubscription": - MessageLookupByLibrary.simpleMessage("Anulare abonament"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Nu se pot șterge fișierele distribuite"), - "castAlbum": MessageLookupByLibrary.simpleMessage("Difuzați albumul"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să vă asigurați că sunteți în aceeași rețea cu televizorul."), - "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( - "Nu s-a reușit proiectarea albumului"), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Accesați cast.ente.io de pe dispozitivul pe care doriți să îl asociați.\n\nIntroduceți codul de mai jos pentru a reda albumul pe TV."), - "centerPoint": MessageLookupByLibrary.simpleMessage("Punctul central"), - "change": MessageLookupByLibrary.simpleMessage("Schimbați"), - "changeEmail": - MessageLookupByLibrary.simpleMessage("Schimbați e-mailul"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Schimbați locația articolelor selectate?"), - "changePassword": - MessageLookupByLibrary.simpleMessage("Schimbare parolă"), - "changePasswordTitle": - MessageLookupByLibrary.simpleMessage("Schimbați parola"), - "changePermissions": - MessageLookupByLibrary.simpleMessage("Schimbați permisiunile?"), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Schimbați codul dvs. de recomandare"), - "checkForUpdates": - MessageLookupByLibrary.simpleMessage("Căutați actualizări"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să verificaţi inbox-ul (şi spam) pentru a finaliza verificarea"), - "checkStatus": - MessageLookupByLibrary.simpleMessage("Verificați starea"), - "checking": MessageLookupByLibrary.simpleMessage("Se verifică..."), - "checkingModels": - MessageLookupByLibrary.simpleMessage("Se verifică modelele..."), - "claimFreeStorage": - MessageLookupByLibrary.simpleMessage("Revendică spațiul gratuit"), - "claimMore": - MessageLookupByLibrary.simpleMessage("Revendicați mai multe!"), - "claimed": MessageLookupByLibrary.simpleMessage("Revendicat"), - "claimedStorageSoFar": m14, - "cleanUncategorized": - MessageLookupByLibrary.simpleMessage("Curățare Necategorisite"), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Eliminați toate fișierele din „Fără categorie” care sunt prezente în alte albume"), - "clearCaches": - MessageLookupByLibrary.simpleMessage("Ștergeți memoria cache"), - "clearIndexes": - MessageLookupByLibrary.simpleMessage("Ștergeți indexul"), - "click": MessageLookupByLibrary.simpleMessage("• Apăsați"), - "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( - "• Apăsați pe meniul suplimentar"), - "close": MessageLookupByLibrary.simpleMessage("Închidere"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( - "Grupare după timpul capturării"), - "clubByFileName": MessageLookupByLibrary.simpleMessage( - "Grupare după numele fișierului"), - "clusteringProgress": - MessageLookupByLibrary.simpleMessage("Progres grupare"), - "codeAppliedPageTitle": - MessageLookupByLibrary.simpleMessage("Cod aplicat"), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Ne pare rău, ați atins limita de modificări ale codului."), - "codeCopiedToClipboard": - MessageLookupByLibrary.simpleMessage("Cod copiat în clipboard"), - "codeUsedByYou": - MessageLookupByLibrary.simpleMessage("Cod folosit de dvs."), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Creați un link pentru a permite oamenilor să adauge și să vizualizeze fotografii în albumul dvs. distribuit, fără a avea nevoie de o aplicație sau un cont Ente. Excelent pentru colectarea fotografiilor de la evenimente."), - "collaborativeLink": - MessageLookupByLibrary.simpleMessage("Link colaborativ"), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Colaborator"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Colaboratorii pot adăuga fotografii și videoclipuri la albumul distribuit."), - "collageLayout": MessageLookupByLibrary.simpleMessage("Aspect"), - "collageSaved": - MessageLookupByLibrary.simpleMessage("Colaj salvat în galerie"), - "collect": MessageLookupByLibrary.simpleMessage("Colectare"), - "collectEventPhotos": MessageLookupByLibrary.simpleMessage( - "Strângeți imagini de la evenimente"), - "collectPhotos": - MessageLookupByLibrary.simpleMessage("Colectare fotografii"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Creați un link unde prietenii dvs. pot încărca fotografii la calitatea originală."), - "color": MessageLookupByLibrary.simpleMessage("Culoare"), - "configuration": MessageLookupByLibrary.simpleMessage("Configurare"), - "confirm": MessageLookupByLibrary.simpleMessage("Confirmare"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Sigur doriți dezactivarea autentificării cu doi factori?"), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Confirmați ștergerea contului"), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Da, doresc să șterg definitiv acest cont și toate datele sale din toate aplicațiile."), - "confirmPassword": - MessageLookupByLibrary.simpleMessage("Confirmare parolă"), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage( - "Confirmați schimbarea planului"), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Confirmați cheia de recuperare"), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Confirmați cheia de recuperare"), - "connectToDevice": - MessageLookupByLibrary.simpleMessage("Conectați-vă la dispozitiv"), - "contactFamilyAdmin": m18, - "contactSupport": MessageLookupByLibrary.simpleMessage( - "Contactați serviciul de asistență"), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Contacte"), - "contents": MessageLookupByLibrary.simpleMessage("Conținuturi"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Continuare"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "Continuați în perioada de încercare gratuită"), - "convertToAlbum": - MessageLookupByLibrary.simpleMessage("Convertire în album"), - "copyEmailAddress": - MessageLookupByLibrary.simpleMessage("Copiați adresa de e-mail"), - "copyLink": MessageLookupByLibrary.simpleMessage("Copere link"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Copiați acest cod\nîn aplicația de autentificare"), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "Nu s-a putut face copie de rezervă datelor.\nSe va reîncerca mai târziu."), - "couldNotFreeUpSpace": - MessageLookupByLibrary.simpleMessage("Nu s-a putut elibera spațiu"), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Nu s-a putut actualiza abonamentul"), - "count": MessageLookupByLibrary.simpleMessage("Total"), - "crashReporting": - MessageLookupByLibrary.simpleMessage("Raportarea problemelor"), - "create": MessageLookupByLibrary.simpleMessage("Creare"), - "createAccount": MessageLookupByLibrary.simpleMessage("Creare cont"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Apăsați lung pentru a selecta fotografii și apăsați pe + pentru a crea un album"), - "createCollaborativeLink": - MessageLookupByLibrary.simpleMessage("Creați un link colaborativ"), - "createCollage": MessageLookupByLibrary.simpleMessage("Creați colaj"), - "createNewAccount": - MessageLookupByLibrary.simpleMessage("Creare cont nou"), - "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( - "Creați sau selectați un album"), - "createPublicLink": - MessageLookupByLibrary.simpleMessage("Creare link public"), - "creatingLink": - MessageLookupByLibrary.simpleMessage("Se crează linkul..."), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "Actualizare critică disponibilă"), - "crop": MessageLookupByLibrary.simpleMessage("Decupare"), - "currentUsageIs": - MessageLookupByLibrary.simpleMessage("Utilizarea actuală este "), - "currentlyRunning": - MessageLookupByLibrary.simpleMessage("rulează în prezent"), - "custom": MessageLookupByLibrary.simpleMessage("Particularizat"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Întunecată"), - "dayToday": MessageLookupByLibrary.simpleMessage("Astăzi"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Ieri"), - "declineTrustInvite": - MessageLookupByLibrary.simpleMessage("Refuzați invitația"), - "decrypting": MessageLookupByLibrary.simpleMessage("Se decriptează..."), - "decryptingVideo": MessageLookupByLibrary.simpleMessage( - "Se decriptează videoclipul..."), - "deduplicateFiles": - MessageLookupByLibrary.simpleMessage("Elim. dubluri fișiere"), - "delete": MessageLookupByLibrary.simpleMessage("Ștergere"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Ștergere cont"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Ne pare rău că plecați. Vă rugăm să împărtășiți feedback-ul dvs. pentru a ne ajuta să ne îmbunătățim."), - "deleteAccountPermanentlyButton": - MessageLookupByLibrary.simpleMessage("Ștergeți contul definitiv"), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Ştergeţi albumul"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "De asemenea, ștergeți fotografiile (și videoclipurile) prezente în acest album din toate celelalte albume din care fac parte?"), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "Urmează să ștergeți toate albumele goale. Este util atunci când doriți să reduceți dezordinea din lista de albume."), - "deleteAll": MessageLookupByLibrary.simpleMessage("Ștergeți tot"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "Acest cont este legat de alte aplicații Ente, dacă utilizați vreuna. Datele dvs. încărcate în toate aplicațiile Ente vor fi programate pentru ștergere, iar contul dvs. va fi șters definitiv."), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să trimiteți un e-mail la account-deletion@ente.io de pe adresa dvs. de e-mail înregistrată."), - "deleteEmptyAlbums": - MessageLookupByLibrary.simpleMessage("Ștergeți albumele goale"), - "deleteEmptyAlbumsWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Ștergeți albumele goale?"), - "deleteFromBoth": - MessageLookupByLibrary.simpleMessage("Ștergeți din ambele"), - "deleteFromDevice": - MessageLookupByLibrary.simpleMessage("Ștergeți de pe dispozitiv"), - "deleteFromEnte": - MessageLookupByLibrary.simpleMessage("Ștergeți din Ente"), - "deleteItemCount": m21, - "deleteLocation": - MessageLookupByLibrary.simpleMessage("Ștergeți locația"), - "deletePhotos": - MessageLookupByLibrary.simpleMessage("Ștergeți fotografiile"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Lipsește o funcție cheie de care am nevoie"), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "Aplicația sau o anumită funcție nu se comportă așa cum cred eu că ar trebui"), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Am găsit un alt serviciu care îmi place mai mult"), - "deleteReason4": - MessageLookupByLibrary.simpleMessage("Motivul meu nu apare"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Solicitarea dvs. va fi procesată în 72 de ore."), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Ștergeți albumul distribuit?"), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "Albumul va fi șters pentru toată lumea\n\nVeți pierde accesul la fotografiile distribuite din acest album care sunt deținute de alții"), - "deselectAll": - MessageLookupByLibrary.simpleMessage("Deselectare totală"), - "designedToOutlive": MessageLookupByLibrary.simpleMessage( - "Conceput pentru a supraviețui"), - "details": MessageLookupByLibrary.simpleMessage("Detalii"), - "developerSettings": - MessageLookupByLibrary.simpleMessage("Setări dezvoltator"), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Sunteți sigur că doriți să modificați setările pentru dezvoltatori?"), - "deviceCodeHint": - MessageLookupByLibrary.simpleMessage("Introduceți codul"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "Fișierele adăugate la acest album de pe dispozitiv vor fi încărcate automat pe Ente."), - "deviceLock": - MessageLookupByLibrary.simpleMessage("Blocare dispozitiv"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Dezactivați blocarea ecranului dispozitivului atunci când Ente este în prim-plan și există o copie de rezervă în curs de desfășurare. În mod normal, acest lucru nu este necesar, dar poate ajuta la finalizarea mai rapidă a încărcărilor mari și a importurilor inițiale de biblioteci mari."), - "deviceNotFound": MessageLookupByLibrary.simpleMessage( - "Dispozitivul nu a fost găsit"), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Știați că?"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage( - "Dezactivare blocare automată"), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Observatorii pot să facă capturi de ecran sau să salveze o copie a fotografiilor dvs. folosind instrumente externe"), - "disableDownloadWarningTitle": - MessageLookupByLibrary.simpleMessage("Rețineți"), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "Dezactivați al doilea factor"), - "disablingTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Se dezactivează autentificarea cu doi factori..."), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Descoperire"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Bebeluși"), - "discover_celebrations": - MessageLookupByLibrary.simpleMessage("Celebrări"), - "discover_food": MessageLookupByLibrary.simpleMessage("Mâncare"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Verdeață"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Dealuri"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Identitate"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Meme-uri"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Notițe"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Animale"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Bonuri"), - "discover_screenshots": - MessageLookupByLibrary.simpleMessage("Capturi de ecran"), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfie-uri"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Apusuri"), - "discover_visiting_cards": - MessageLookupByLibrary.simpleMessage("Carte de vizită"), - "discover_wallpapers": - MessageLookupByLibrary.simpleMessage("Imagini de fundal"), - "dismiss": MessageLookupByLibrary.simpleMessage("Renunțați"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage("Nu deconectați"), - "doThisLater": MessageLookupByLibrary.simpleMessage("Mai târziu"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Doriți să renunțați la editările efectuate?"), - "done": MessageLookupByLibrary.simpleMessage("Finalizat"), - "doubleYourStorage": - MessageLookupByLibrary.simpleMessage("Dublați-vă spațiul"), - "download": MessageLookupByLibrary.simpleMessage("Descărcare"), - "downloadFailed": - MessageLookupByLibrary.simpleMessage("Descărcarea nu a reușit"), - "downloading": MessageLookupByLibrary.simpleMessage("Se descarcă..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Editare"), - "editLocation": MessageLookupByLibrary.simpleMessage("Editare locaţie"), - "editLocationTagTitle": - MessageLookupByLibrary.simpleMessage("Editare locaţie"), - "editPerson": MessageLookupByLibrary.simpleMessage("Editați persoana"), - "editsSaved": MessageLookupByLibrary.simpleMessage("Editări salvate"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Editările locației vor fi vizibile doar pe Ente"), - "eligible": MessageLookupByLibrary.simpleMessage("eligibil"), - "email": MessageLookupByLibrary.simpleMessage("E-mail"), - "emailAlreadyRegistered": - MessageLookupByLibrary.simpleMessage("E-mail deja înregistrat."), - "emailChangedTo": m29, - "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "E-mailul nu este înregistrat."), - "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( - "Verificarea adresei de e-mail"), - "emailYourLogs": MessageLookupByLibrary.simpleMessage( - "Trimiteți jurnalele prin e-mail"), - "emergencyContacts": - MessageLookupByLibrary.simpleMessage("Contacte de urgență"), - "empty": MessageLookupByLibrary.simpleMessage("Gol"), - "emptyTrash": - MessageLookupByLibrary.simpleMessage("Goliți coșul de gunoi?"), - "enable": MessageLookupByLibrary.simpleMessage("Activare"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "Ente acceptă învățarea automată pe dispozitiv pentru recunoaștere facială, căutarea magică și alte funcții avansate de căutare"), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Activați învățarea automată pentru a folosi căutarea magică și recunoașterea facială"), - "enableMaps": MessageLookupByLibrary.simpleMessage("Activare hărți"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "Se va afișa fotografiile dvs. pe o hartă a lumii.\n\nAceastă hartă este găzduită de Open Street Map, iar locațiile exacte ale fotografiilor dvs. nu sunt niciodată partajate.\n\nPuteți dezactiva această funcție oricând din Setări."), - "enabled": MessageLookupByLibrary.simpleMessage("Activat"), - "encryptingBackup": MessageLookupByLibrary.simpleMessage( - "Criptare copie de rezervă..."), - "encryption": MessageLookupByLibrary.simpleMessage("Criptarea"), - "encryptionKeys": - MessageLookupByLibrary.simpleMessage("Chei de criptare"), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Endpoint actualizat cu succes"), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Criptare integrală implicită"), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente poate cripta și păstra fișiere numai dacă acordați accesul la acestea"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente are nevoie de permisiune pentru a vă păstra fotografiile"), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "Ente vă păstrează amintirile, astfel încât acestea să vă fie întotdeauna disponibile, chiar dacă vă pierdeți dispozitivul."), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "La planul dvs. vi se poate alătura și familia."), - "enterAlbumName": MessageLookupByLibrary.simpleMessage( - "Introduceți numele albumului"), - "enterCode": MessageLookupByLibrary.simpleMessage("Introduceți codul"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Introduceți codul oferit de prietenul dvs. pentru a beneficia de spațiu gratuit pentru amândoi"), - "enterDateOfBirth": - MessageLookupByLibrary.simpleMessage("Ziua de naștere (opțional)"), - "enterEmail": - MessageLookupByLibrary.simpleMessage("Introduceți e-mailul"), - "enterFileName": MessageLookupByLibrary.simpleMessage( - "Introduceți numele fișierului"), - "enterName": MessageLookupByLibrary.simpleMessage("Introduceți numele"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Introduceți o parolă nouă pe care o putem folosi pentru a cripta datele"), - "enterPassword": - MessageLookupByLibrary.simpleMessage("Introduceți parola"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Introduceți o parolă pe care o putem folosi pentru a decripta datele"), - "enterPersonName": MessageLookupByLibrary.simpleMessage( - "Introduceți numele persoanei"), - "enterPin": - MessageLookupByLibrary.simpleMessage("Introduceţi codul PIN"), - "enterReferralCode": MessageLookupByLibrary.simpleMessage( - "Introduceţi codul de recomandare"), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Introduceți codul de 6 cifre\ndin aplicația de autentificare"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să introduceți o adresă de e-mail validă."), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Introduceți adresa de e-mail"), - "enterYourPassword": - MessageLookupByLibrary.simpleMessage("Introduceţi parola"), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Introduceți cheia de recuperare"), - "error": MessageLookupByLibrary.simpleMessage("Eroare"), - "everywhere": MessageLookupByLibrary.simpleMessage("pretutindeni"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": - MessageLookupByLibrary.simpleMessage("Utilizator existent"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Acest link a expirat. Vă rugăm să selectați un nou termen de expirare sau să dezactivați expirarea linkului."), - "exportLogs": - MessageLookupByLibrary.simpleMessage("Exportați jurnalele"), - "exportYourData": - MessageLookupByLibrary.simpleMessage("Export de date"), - "extraPhotosFound": - MessageLookupByLibrary.simpleMessage("S-au găsit fotografii extra"), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Fața nu este încă grupată, vă rugăm să reveniți mai târziu"), - "faceRecognition": - MessageLookupByLibrary.simpleMessage("Recunoaștere facială"), - "faces": MessageLookupByLibrary.simpleMessage("Fețe"), - "failedToApplyCode": - MessageLookupByLibrary.simpleMessage("Codul nu a putut fi aplicat"), - "failedToCancel": - MessageLookupByLibrary.simpleMessage("Nu s-a reușit anularea"), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( - "Descărcarea videoclipului nu a reușit"), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Nu s-a reușit preluarea sesiunilor active"), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Nu s-a reușit preluarea originalului pentru editare"), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Nu se pot obține detaliile recomandării. Vă rugăm să încercați din nou mai târziu."), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "Încărcarea albumelor nu a reușit"), - "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Eroare la redarea videoclipului"), - "failedToRefreshStripeSubscription": - MessageLookupByLibrary.simpleMessage( - "Nu s-a reușit reîmprospătarea abonamentului"), - "failedToRenew": - MessageLookupByLibrary.simpleMessage("Nu s-a reușit reînnoirea"), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Verificarea stării plății nu a reușit"), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Adăugați 5 membri ai familiei la planul dvs. existent fără a plăti suplimentar.\n\nFiecare membru primește propriul spațiu privat și nu poate vedea fișierele celuilalt decât dacă acestea sunt partajate.\n\nPlanurile de familie sunt disponibile pentru clienții care au un abonament Ente plătit.\n\nAbonați-vă acum pentru a începe!"), - "familyPlanPortalTitle": - MessageLookupByLibrary.simpleMessage("Familie"), - "familyPlans": - MessageLookupByLibrary.simpleMessage("Planuri de familie"), - "faq": MessageLookupByLibrary.simpleMessage("Întrebări frecvente"), - "faqs": MessageLookupByLibrary.simpleMessage("Întrebări frecvente"), - "favorite": MessageLookupByLibrary.simpleMessage("Favorit"), - "feedback": MessageLookupByLibrary.simpleMessage("Feedback"), - "file": MessageLookupByLibrary.simpleMessage("Fișier"), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Salvarea fișierului în galerie nu a reușit"), - "fileInfoAddDescHint": - MessageLookupByLibrary.simpleMessage("Adăugați o descriere..."), - "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( - "Fișierul nu a fost încărcat încă"), - "fileSavedToGallery": - MessageLookupByLibrary.simpleMessage("Fișier salvat în galerie"), - "fileTypes": MessageLookupByLibrary.simpleMessage("Tipuri de fișiere"), - "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( - "Tipuri de fișiere și denumiri"), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage("Fișiere șterse"), - "filesSavedToGallery": - MessageLookupByLibrary.simpleMessage("Fișiere salvate în galerie"), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Găsiți rapid persoane după nume"), - "findThemQuickly": MessageLookupByLibrary.simpleMessage("Găsiți rapid"), - "flip": MessageLookupByLibrary.simpleMessage("Răsturnare"), - "forYourMemories": - MessageLookupByLibrary.simpleMessage("pentru amintirile dvs."), - "forgotPassword": - MessageLookupByLibrary.simpleMessage("Am uitat parola"), - "foundFaces": MessageLookupByLibrary.simpleMessage("S-au găsit fețe"), - "freeStorageClaimed": - MessageLookupByLibrary.simpleMessage("Spațiu gratuit revendicat"), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": - MessageLookupByLibrary.simpleMessage("Spațiu gratuit utilizabil"), - "freeTrial": MessageLookupByLibrary.simpleMessage( - "Perioadă de încercare gratuită"), - "freeTrialValidTill": m38, - "freeUpAmount": m40, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( - "Eliberați spațiu pe dispozitiv"), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Economisiți spațiu pe dispozitivul dvs. prin ștergerea fișierelor cărora li s-a făcut copie de rezervă."), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("Eliberați spațiu"), - "gallery": MessageLookupByLibrary.simpleMessage("Galerie"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "Până la 1000 de amintiri afișate în galerie"), - "general": MessageLookupByLibrary.simpleMessage("General"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Se generează cheile de criptare..."), - "genericProgress": m42, - "goToSettings": - MessageLookupByLibrary.simpleMessage("Mergeți la setări"), - "googlePlayId": MessageLookupByLibrary.simpleMessage("ID Google Play"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să permiteți accesul la toate fotografiile în aplicația Setări"), - "grantPermission": - MessageLookupByLibrary.simpleMessage("Acordați permisiunea"), - "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( - "Grupare fotografii apropiate"), - "guestView": MessageLookupByLibrary.simpleMessage("Mod oaspete"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "Pentru a activa modul oaspete, vă rugăm să configurați codul de acces al dispozitivului sau blocarea ecranului în setările sistemului."), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "Nu urmărim instalările aplicației. Ne-ar ajuta dacă ne-ați spune unde ne-ați găsit!"), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Cum ați auzit de Ente? (opțional)"), - "help": MessageLookupByLibrary.simpleMessage("Asistență"), - "hidden": MessageLookupByLibrary.simpleMessage("Ascunse"), - "hide": MessageLookupByLibrary.simpleMessage("Ascundere"), - "hideContent": - MessageLookupByLibrary.simpleMessage("Ascundeți conținutul"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Ascunde conținutul aplicației în comutatorul de aplicații și dezactivează capturile de ecran"), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Ascunde conținutul aplicației în comutatorul de aplicații"), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "Ascundeți elementele distribuite din galeria principală"), - "hiding": MessageLookupByLibrary.simpleMessage("Se ascunde..."), - "hostedAtOsmFrance": - MessageLookupByLibrary.simpleMessage("Găzduit la OSM Franţa"), - "howItWorks": MessageLookupByLibrary.simpleMessage("Cum funcţionează"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Rugați-i să țină apăsat pe adresa de e-mail din ecranul de setări și să verifice dacă ID-urile de pe ambele dispozitive se potrivesc."), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Autentificarea biometrică nu este configurată pe dispozitivul dvs. Vă rugăm să activați Touch ID sau Face ID pe telefonul dvs."), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "Autentificarea biometrică este dezactivată. Vă rugăm să blocați și să deblocați ecranul pentru a o activa."), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorare"), - "ignored": MessageLookupByLibrary.simpleMessage("ignorat"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Unele fișiere din acest album sunt excluse de la încărcare deoarece au fost șterse anterior din Ente."), - "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( - "Imaginea nu a fost analizată"), - "immediately": MessageLookupByLibrary.simpleMessage("Imediat"), - "importing": MessageLookupByLibrary.simpleMessage("Se importă...."), - "incorrectCode": MessageLookupByLibrary.simpleMessage("Cod incorect"), - "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("Parolă incorectă"), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Cheie de recuperare incorectă"), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "Cheia de recuperare introdusă este incorectă"), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Cheie de recuperare incorectă"), - "indexedItems": - MessageLookupByLibrary.simpleMessage("Elemente indexate"), - "info": MessageLookupByLibrary.simpleMessage("Informații"), - "insecureDevice": - MessageLookupByLibrary.simpleMessage("Dispozitiv nesigur"), - "installManually": - MessageLookupByLibrary.simpleMessage("Instalare manuală"), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "Adresa e-mail nu este validă"), - "invalidEndpoint": - MessageLookupByLibrary.simpleMessage("Endpoint invalid"), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Ne pare rău, endpoint-ul introdus nu este valabil. Vă rugăm să introduceți un endpoint valid și să încercați din nou."), - "invalidKey": MessageLookupByLibrary.simpleMessage("Cheie invalidă"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Cheia de recuperare pe care ați introdus-o nu este validă. Vă rugăm să vă asigurați că aceasta conține 24 de cuvinte și să verificați ortografia fiecăruia.\n\nDacă ați introdus un cod de recuperare mai vechi, asigurați-vă că acesta conține 64 de caractere și verificați fiecare dintre ele."), - "invite": MessageLookupByLibrary.simpleMessage("Invitați"), - "inviteToEnte": - MessageLookupByLibrary.simpleMessage("Invitați la Ente"), - "inviteYourFriends": - MessageLookupByLibrary.simpleMessage("Invitați-vă prietenii"), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "Invitați-vă prietenii la Ente"), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Se pare că ceva nu a mers bine. Vă rugăm să încercați din nou după ceva timp. Dacă eroarea persistă, vă rugăm să contactați echipa noastră de asistență."), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "Articolele afișează numărul de zile rămase până la ștergerea definitivă"), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Articolele selectate vor fi eliminate din acest album"), - "join": MessageLookupByLibrary.simpleMessage("Alăturare"), - "joinAlbum": - MessageLookupByLibrary.simpleMessage("Alăturați-vă albumului"), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( - "pentru a vedea și a adăuga fotografii"), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "pentru a adăuga la albumele distribuite"), - "joinDiscord": - MessageLookupByLibrary.simpleMessage("Alăturați-vă pe Discord"), - "keepPhotos": - MessageLookupByLibrary.simpleMessage("Păstrați fotografiile"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să ne ajutați cu aceste informații"), - "language": MessageLookupByLibrary.simpleMessage("Limbă"), - "lastUpdated": - MessageLookupByLibrary.simpleMessage("Ultima actualizare"), - "leave": MessageLookupByLibrary.simpleMessage("Părăsiți"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Părăsiți albumul"), - "leaveFamily": MessageLookupByLibrary.simpleMessage("Părăsiți familia"), - "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Părăsiți albumul distribuit?"), - "left": MessageLookupByLibrary.simpleMessage("Stânga"), - "legacy": MessageLookupByLibrary.simpleMessage("Moștenire"), - "legacyAccounts": - MessageLookupByLibrary.simpleMessage("Conturi de moștenire"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "Moștenirea permite contactelor de încredere să vă acceseze contul în absența dvs."), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "Persoanele de contact de încredere pot iniția recuperarea contului și, dacă nu este blocată în termen de 30 de zile, vă pot reseta parola și accesa contul."), - "light": MessageLookupByLibrary.simpleMessage("Lumină"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Luminoasă"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Linkul a fost copiat în clipboard"), - "linkDeviceLimit": - MessageLookupByLibrary.simpleMessage("Limită de dispozitive"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Activat"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Expirat"), - "linkExpiresOn": m47, - "linkExpiry": - MessageLookupByLibrary.simpleMessage("Expirarea linkului"), - "linkHasExpired": - MessageLookupByLibrary.simpleMessage("Linkul a expirat"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Niciodată"), - "livePhotos": MessageLookupByLibrary.simpleMessage("Fotografii live"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "Puteți împărți abonamentul cu familia dvs."), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "Păstrăm 3 copii ale datelor dvs., dintre care una într-un adăpost antiatomic subteran"), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "Toate aplicațiile noastre sunt open source"), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Codul nostru sursă și criptografia au fost evaluate extern"), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "Puteți distribui linkuri către albumele dvs. celor dragi"), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Aplicațiile noastre mobile rulează în fundal pentru a cripta și salva orice fotografie nouă pe care o realizați"), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io are un instrument de încărcare sofisticat"), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Folosim Xchacha20Poly1305 pentru a vă cripta datele în siguranță"), - "loadingExifData": - MessageLookupByLibrary.simpleMessage("Se încarcă date EXIF..."), - "loadingGallery": - MessageLookupByLibrary.simpleMessage("Se încarcă galeria..."), - "loadingMessage": - MessageLookupByLibrary.simpleMessage("Se încarcă fotografiile..."), - "loadingModel": - MessageLookupByLibrary.simpleMessage("Se descarcă modelele..."), - "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( - "Se încarcă fotografiile dvs..."), - "localGallery": MessageLookupByLibrary.simpleMessage("Galerie locală"), - "localIndexing": - MessageLookupByLibrary.simpleMessage("Indexare locală"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Se pare că ceva nu a mers bine, deoarece sincronizarea fotografiilor locale durează mai mult decât ne așteptam. Vă rugăm să contactați echipa noastră de asistență"), - "location": MessageLookupByLibrary.simpleMessage("Locație"), - "locationName": MessageLookupByLibrary.simpleMessage("Numele locației"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "O etichetă de locație grupează toate fotografiile care au fost făcute pe o anumită rază a unei fotografii"), - "locations": MessageLookupByLibrary.simpleMessage("Locații"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Blocat"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Ecran de blocare"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Conectare"), - "loggingOut": - MessageLookupByLibrary.simpleMessage("Se deconectează..."), - "loginSessionExpired": - MessageLookupByLibrary.simpleMessage("Sesiune expirată"), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "Sesiunea a expirat. Vă rugăm să vă autentificați din nou."), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Apăsând pe „Conectare”, sunteți de acord cu termenii de prestare ai serviciului și politica de confidenţialitate"), - "loginWithTOTP": MessageLookupByLibrary.simpleMessage( - "Autentificare cu parolă unică (TOTP)"), - "logout": MessageLookupByLibrary.simpleMessage("Deconectare"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Aceasta va trimite jurnalele pentru a ne ajuta să depistăm problema. Vă rugăm să rețineți că numele fișierelor vor fi incluse pentru a ne ajuta să urmărim problemele cu anumite fișiere."), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Apăsați lung un e-mail pentru a verifica criptarea integrală."), - "longpressOnAnItemToViewInFullscreen": - MessageLookupByLibrary.simpleMessage( - "Apăsați lung pe un articol pentru a-l vizualiza pe tot ecranul"), - "loopVideoOff": - MessageLookupByLibrary.simpleMessage("Repetare video dezactivată"), - "loopVideoOn": - MessageLookupByLibrary.simpleMessage("Repetare video activată"), - "lostDevice": - MessageLookupByLibrary.simpleMessage("Dispozitiv pierdut?"), - "machineLearning": - MessageLookupByLibrary.simpleMessage("Învățare automată"), - "magicSearch": MessageLookupByLibrary.simpleMessage("Căutare magică"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "Căutarea magică permite căutarea fotografiilor după conținutul lor, de exemplu, „floare”, „mașină roșie”, „documente de identitate”"), - "manage": MessageLookupByLibrary.simpleMessage("Gestionare"), - "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( - "Gestionați memoria cache a dispozitivului"), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Revizuiți și ștergeți spațiul din memoria cache locală."), - "manageFamily": - MessageLookupByLibrary.simpleMessage("Administrați familia"), - "manageLink": MessageLookupByLibrary.simpleMessage("Gestionați linkul"), - "manageParticipants": - MessageLookupByLibrary.simpleMessage("Gestionare"), - "manageSubscription": - MessageLookupByLibrary.simpleMessage("Gestionare abonament"), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "Asocierea cu PIN funcționează cu orice ecran pe care doriți să vizualizați albumul."), - "map": MessageLookupByLibrary.simpleMessage("Hartă"), - "maps": MessageLookupByLibrary.simpleMessage("Hărţi"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "merchandise": MessageLookupByLibrary.simpleMessage("Produse"), - "mergeWithExisting": - MessageLookupByLibrary.simpleMessage("Îmbinare cu unul existent"), - "mergedPhotos": - MessageLookupByLibrary.simpleMessage("Fotografii combinate"), - "mlConsent": - MessageLookupByLibrary.simpleMessage("Activați învățarea automată"), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Înțeleg și doresc să activez învățarea automată"), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Dacă activați învățarea automată, Ente va extrage informații precum geometria fețelor din fișiere, inclusiv din cele distribuite cu dvs.\n\nAcest lucru se va întâmpla pe dispozitivul dvs., iar orice informații biometrice generate vor fi criptate integral."), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să faceți clic aici pentru mai multe detalii despre această funcție în politica de confidențialitate"), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "Activați învățarea automată?"), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să rețineți că învățarea automată va duce la o utilizare mai mare a lățimii de bandă și a bateriei până când toate elementele sunt indexate. Luați în considerare utilizarea aplicației desktop pentru o indexare mai rapidă, toate rezultatele vor fi sincronizate automat."), - "mobileWebDesktop": - MessageLookupByLibrary.simpleMessage("Mobil, Web, Desktop"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Moderată"), - "modifyYourQueryOrTrySearchingFor": - MessageLookupByLibrary.simpleMessage( - "Modificați interogarea sau încercați să căutați"), - "moments": MessageLookupByLibrary.simpleMessage("Momente"), - "month": MessageLookupByLibrary.simpleMessage("lună"), - "monthly": MessageLookupByLibrary.simpleMessage("Lunar"), - "moreDetails": - MessageLookupByLibrary.simpleMessage("Mai multe detalii"), - "mostRecent": MessageLookupByLibrary.simpleMessage("Cele mai recente"), - "mostRelevant": - MessageLookupByLibrary.simpleMessage("Cele mai relevante"), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("Mutare în album"), - "moveToHiddenAlbum": - MessageLookupByLibrary.simpleMessage("Mutați în albumul ascuns"), - "movedSuccessfullyTo": m52, - "movedToTrash": - MessageLookupByLibrary.simpleMessage("S-a mutat în coșul de gunoi"), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Se mută fișierele în album..."), - "name": MessageLookupByLibrary.simpleMessage("Nume"), - "nameTheAlbum": - MessageLookupByLibrary.simpleMessage("Denumiți albumul"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Nu se poate conecta la Ente, vă rugăm să reîncercați după un timp. Dacă eroarea persistă, contactați asistența."), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Nu se poate conecta la Ente, vă rugăm să verificați setările de rețea și să contactați asistenta dacă eroarea persistă."), - "never": MessageLookupByLibrary.simpleMessage("Niciodată"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Album nou"), - "newLocation": MessageLookupByLibrary.simpleMessage("Locație nouă"), - "newPerson": MessageLookupByLibrary.simpleMessage("Persoană nouă"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Nou la Ente"), - "newest": MessageLookupByLibrary.simpleMessage("Cele mai noi"), - "next": MessageLookupByLibrary.simpleMessage("Înainte"), - "no": MessageLookupByLibrary.simpleMessage("Nu"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Niciun album nu a fost distribuit de dvs. încă"), - "noDeviceFound": - MessageLookupByLibrary.simpleMessage("Niciun dispozitiv găsit"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Niciuna"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "Nu aveți fișiere pe acest dispozitiv care pot fi șterse"), - "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Fără dubluri"), - "noExifData": - MessageLookupByLibrary.simpleMessage("Nu există date EXIF"), - "noFacesFound": - MessageLookupByLibrary.simpleMessage("Nu au fost găsite fețe"), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "Fără poze sau videoclipuri ascunse"), - "noImagesWithLocation": - MessageLookupByLibrary.simpleMessage("Nicio imagine cu locație"), - "noInternetConnection": MessageLookupByLibrary.simpleMessage( - "Nu există conexiune la internet"), - "noPhotosAreBeingBackedUpRightNow": - MessageLookupByLibrary.simpleMessage( - "Nicio fotografie nu este salvată în acest moment"), - "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( - "Nu s-au găsit fotografii aici"), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( - "Nu au fost găsite linkuri rapide"), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Nu aveți cheia de recuperare?"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Datorită naturii protocolului nostru de criptare integrală, datele dvs. nu pot fi decriptate fără parola sau cheia dvs. de recuperare"), - "noResults": MessageLookupByLibrary.simpleMessage("Niciun rezultat"), - "noResultsFound": - MessageLookupByLibrary.simpleMessage("Nu s-au găsit rezultate"), - "noSuggestionsForPerson": m53, - "noSystemLockFound": MessageLookupByLibrary.simpleMessage( - "Nu s-a găsit nicio blocare de sistem"), - "notPersonLabel": m54, - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "Nimic distribuit cu dvs. încă"), - "nothingToSeeHere": - MessageLookupByLibrary.simpleMessage("Nimic de văzut aici! 👀"), - "notifications": MessageLookupByLibrary.simpleMessage("Notificări"), - "ok": MessageLookupByLibrary.simpleMessage("Ok"), - "onDevice": MessageLookupByLibrary.simpleMessage("Pe dispozitiv"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "Pe ente"), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Numai el/ea"), - "oops": MessageLookupByLibrary.simpleMessage("Ups"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Hopa, nu s-au putut salva editările"), - "oopsSomethingWentWrong": - MessageLookupByLibrary.simpleMessage("Hopa, ceva nu a mers bine"), - "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( - "Deschideți albumul în browser"), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să utilizați aplicația web pentru a adăuga fotografii la acest album"), - "openFile": MessageLookupByLibrary.simpleMessage("Deschidere fișier"), - "openSettings": - MessageLookupByLibrary.simpleMessage("Deschideți Setări"), - "openTheItem": - MessageLookupByLibrary.simpleMessage("• Deschideți articolul"), - "openstreetmapContributors": - MessageLookupByLibrary.simpleMessage("Contribuitori OpenStreetMap"), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Opțional, cât de scurt doriți..."), - "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( - "Sau îmbinați cu cele existente"), - "orPickAnExistingOne": - MessageLookupByLibrary.simpleMessage("Sau alegeți unul existent"), - "pair": MessageLookupByLibrary.simpleMessage("Asociere"), - "pairWithPin": MessageLookupByLibrary.simpleMessage("Asociere cu PIN"), - "pairingComplete": - MessageLookupByLibrary.simpleMessage("Asociere reușită"), - "panorama": MessageLookupByLibrary.simpleMessage("Panoramă"), - "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( - "Verificarea este încă în așteptare"), - "passkey": MessageLookupByLibrary.simpleMessage("Cheie de acces"), - "passkeyAuthTitle": - MessageLookupByLibrary.simpleMessage("Verificare cheie de acces"), - "password": MessageLookupByLibrary.simpleMessage("Parolă"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Parola a fost schimbată cu succes"), - "passwordLock": - MessageLookupByLibrary.simpleMessage("Blocare cu parolă"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "Puterea parolei este calculată luând în considerare lungimea parolei, caracterele utilizate și dacă parola apare sau nu în top 10.000 cele mai utilizate parole"), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Nu reținem această parolă, deci dacă o uitați nu vă putem decripta datele"), - "paymentDetails": - MessageLookupByLibrary.simpleMessage("Detalii de plată"), - "paymentFailed": - MessageLookupByLibrary.simpleMessage("Plata nu a reușit"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "Din păcate, plata dvs. nu a reușit. Vă rugăm să contactați asistență și vom fi bucuroși să vă ajutăm!"), - "paymentFailedTalkToProvider": m58, - "pendingItems": - MessageLookupByLibrary.simpleMessage("Elemente în așteptare"), - "pendingSync": - MessageLookupByLibrary.simpleMessage("Sincronizare în așteptare"), - "people": MessageLookupByLibrary.simpleMessage("Persoane"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Persoane care folosesc codul dvs."), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Toate articolele din coșul de gunoi vor fi șterse definitiv\n\nAceastă acțiune nu poate fi anulată"), - "permanentlyDelete": - MessageLookupByLibrary.simpleMessage("Ștergere definitivă"), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Ștergeți permanent de pe dispozitiv?"), - "personName": MessageLookupByLibrary.simpleMessage("Numele persoanei"), - "photoDescriptions": - MessageLookupByLibrary.simpleMessage("Descrieri fotografie"), - "photoGridSize": - MessageLookupByLibrary.simpleMessage("Dimensiunea grilei foto"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("fotografie"), - "photos": MessageLookupByLibrary.simpleMessage("Fotografii"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "Fotografiile adăugate de dvs. vor fi eliminate din album"), - "pickCenterPoint": - MessageLookupByLibrary.simpleMessage("Alegeți punctul central"), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Fixați albumul"), - "pinLock": MessageLookupByLibrary.simpleMessage("Blocare PIN"), - "playOnTv": MessageLookupByLibrary.simpleMessage("Redare album pe TV"), - "playStoreFreeTrialValidTill": m63, - "playstoreSubscription": - MessageLookupByLibrary.simpleMessage("Abonament PlayStore"), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Vă rugăm să verificați conexiunea la internet și să încercați din nou."), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Vă rugăm să contactați support@ente.io și vom fi bucuroși să vă ajutăm!"), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Vă rugăm să contactați asistența dacă problema persistă"), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să acordați permisiuni"), - "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( - "Vă rugăm, autentificați-vă din nou"), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să selectați linkurile rapide de eliminat"), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să încercați din nou"), - "pleaseVerifyTheCodeYouHaveEntered": - MessageLookupByLibrary.simpleMessage( - "Vă rugăm să verificați codul introdus"), - "pleaseWait": - MessageLookupByLibrary.simpleMessage("Vă rugăm așteptați..."), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Vă rugăm așteptați, se șterge albumul"), - "pleaseWaitForSometimeBeforeRetrying": - MessageLookupByLibrary.simpleMessage( - "Vă rugăm să așteptați un moment înainte să reîncercați"), - "preparingLogs": - MessageLookupByLibrary.simpleMessage("Se pregătesc jurnalele..."), - "preserveMore": - MessageLookupByLibrary.simpleMessage("Păstrați mai multe"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Apăsați lung pentru a reda videoclipul"), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Apăsați lung pe imagine pentru a reda videoclipul"), - "privacy": MessageLookupByLibrary.simpleMessage("Confidențialitate"), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( - "Politică de confidențialitate"), - "privateBackups": - MessageLookupByLibrary.simpleMessage("Copii de rezervă private"), - "privateSharing": - MessageLookupByLibrary.simpleMessage("Distribuire privată"), - "proceed": MessageLookupByLibrary.simpleMessage("Continuați"), - "processed": MessageLookupByLibrary.simpleMessage("Procesate"), - "processingImport": m67, - "publicLinkCreated": - MessageLookupByLibrary.simpleMessage("Link public creat"), - "publicLinkEnabled": - MessageLookupByLibrary.simpleMessage("Link public activat"), - "quickLinks": MessageLookupByLibrary.simpleMessage("Link-uri rapide"), - "radius": MessageLookupByLibrary.simpleMessage("Rază"), - "raiseTicket": - MessageLookupByLibrary.simpleMessage("Solicitați asistență"), - "rateTheApp": - MessageLookupByLibrary.simpleMessage("Evaluați aplicația"), - "rateUs": MessageLookupByLibrary.simpleMessage("Evaluați-ne"), - "rateUsOnStore": m68, - "recover": MessageLookupByLibrary.simpleMessage("Recuperare"), - "recoverAccount": - MessageLookupByLibrary.simpleMessage("Recuperare cont"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Recuperare"), - "recoveryAccount": - MessageLookupByLibrary.simpleMessage("Recuperare cont"), - "recoveryInitiated": - MessageLookupByLibrary.simpleMessage("Recuperare inițiată"), - "recoveryInitiatedDesc": m70, - "recoveryKey": - MessageLookupByLibrary.simpleMessage("Cheie de recuperare"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Cheie de recuperare copiată în clipboard"), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Dacă vă uitați parola, singura cale de a vă recupera datele este folosind această cheie."), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Nu reținem această cheie, vă rugăm să păstrați această cheie de 24 de cuvinte într-un loc sigur."), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Super! Cheia dvs. de recuperare este validă. Vă mulțumim pentru verificare.\n\nVă rugăm să nu uitați să păstrați cheia de recuperare în siguranță."), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Cheie de recuperare verificată"), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Cheia dvs. de recuperare este singura modalitate de a vă recupera fotografiile dacă uitați parola. Puteți găsi cheia dvs. de recuperare în Setări > Cont.\n\nVă rugăm să introduceți aici cheia de recuperare pentru a verifica dacă ați salvat-o corect."), - "recoveryReady": m71, - "recoverySuccessful": - MessageLookupByLibrary.simpleMessage("Recuperare reușită!"), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "Un contact de încredere încearcă să vă acceseze contul"), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "Dispozitivul actual nu este suficient de puternic pentru a vă verifica parola, dar o putem regenera într-un mod care să funcționeze cu toate dispozitivele.\n\nVă rugăm să vă conectați utilizând cheia de recuperare și să vă regenerați parola (dacă doriți, o puteți utiliza din nou pe aceeași)."), - "recreatePasswordTitle": - MessageLookupByLibrary.simpleMessage("Refaceți parola"), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": - MessageLookupByLibrary.simpleMessage("Reintroduceți parola"), - "reenterPin": - MessageLookupByLibrary.simpleMessage("Reintroduceți codul PIN"), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Recomandați un prieten și dublați-vă planul"), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Dați acest cod prietenilor"), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Aceștia se înscriu la un plan cu plată"), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Recomandări"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "Recomandările sunt momentan întrerupte"), - "rejectRecovery": - MessageLookupByLibrary.simpleMessage("Respingeți recuperarea"), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "De asemenea, goliți dosarul „Șterse recent” din „Setări” -> „Spațiu” pentru a recupera spațiul eliberat"), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "De asemenea, goliți „Coșul de gunoi” pentru a revendica spațiul eliberat"), - "remoteImages": - MessageLookupByLibrary.simpleMessage("Imagini la distanță"), - "remoteThumbnails": - MessageLookupByLibrary.simpleMessage("Miniaturi la distanță"), - "remoteVideos": - MessageLookupByLibrary.simpleMessage("Videoclipuri la distanță"), - "remove": MessageLookupByLibrary.simpleMessage("Eliminare"), - "removeDuplicates": - MessageLookupByLibrary.simpleMessage("Eliminați dublurile"), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Revizuiți și eliminați fișierele care sunt dubluri exacte."), - "removeFromAlbum": - MessageLookupByLibrary.simpleMessage("Eliminați din album"), - "removeFromAlbumTitle": - MessageLookupByLibrary.simpleMessage("Eliminați din album?"), - "removeFromFavorite": - MessageLookupByLibrary.simpleMessage("Eliminați din favorite"), - "removeInvite": - MessageLookupByLibrary.simpleMessage("Eliminare invitație"), - "removeLink": MessageLookupByLibrary.simpleMessage("Eliminați linkul"), - "removeParticipant": - MessageLookupByLibrary.simpleMessage("Eliminați participantul"), - "removeParticipantBody": m74, - "removePersonLabel": MessageLookupByLibrary.simpleMessage( - "Eliminați eticheta persoanei"), - "removePublicLink": - MessageLookupByLibrary.simpleMessage("Eliminați linkul public"), - "removePublicLinks": - MessageLookupByLibrary.simpleMessage("Eliminați linkurile publice"), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Unele dintre articolele pe care le eliminați au fost adăugate de alte persoane și veți pierde accesul la acestea"), - "removeWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Eliminați?"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Eliminați-vă ca persoană de contact de încredere"), - "removingFromFavorites": - MessageLookupByLibrary.simpleMessage("Se elimină din favorite..."), - "rename": MessageLookupByLibrary.simpleMessage("Redenumire"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("Redenumire album"), - "renameFile": - MessageLookupByLibrary.simpleMessage("Redenumiți fișierul"), - "renewSubscription": - MessageLookupByLibrary.simpleMessage("Reînnoire abonament"), - "renewsOn": m75, - "reportABug": - MessageLookupByLibrary.simpleMessage("Raportați o eroare"), - "reportBug": MessageLookupByLibrary.simpleMessage("Raportare eroare"), - "resendEmail": - MessageLookupByLibrary.simpleMessage("Retrimitere e-mail"), - "resetIgnoredFiles": - MessageLookupByLibrary.simpleMessage("Resetare fișiere ignorate"), - "resetPasswordTitle": - MessageLookupByLibrary.simpleMessage("Resetați parola"), - "resetPerson": MessageLookupByLibrary.simpleMessage("Eliminare"), - "resetToDefault": MessageLookupByLibrary.simpleMessage( - "Resetare la valori implicite"), - "restore": MessageLookupByLibrary.simpleMessage("Restaurare"), - "restoreToAlbum": - MessageLookupByLibrary.simpleMessage("Restaurare în album"), - "restoringFiles": - MessageLookupByLibrary.simpleMessage("Se restaurează fișierele..."), - "resumableUploads": - MessageLookupByLibrary.simpleMessage("Reluare încărcări"), - "retry": MessageLookupByLibrary.simpleMessage("Încercați din nou"), - "review": MessageLookupByLibrary.simpleMessage("Examinați"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să revizuiți și să ștergeți articolele pe care le considerați a fi dubluri."), - "reviewSuggestions": - MessageLookupByLibrary.simpleMessage("Revizuire sugestii"), - "right": MessageLookupByLibrary.simpleMessage("Dreapta"), - "rotate": MessageLookupByLibrary.simpleMessage("Rotire"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Rotire la stânga"), - "rotateRight": - MessageLookupByLibrary.simpleMessage("Rotire la dreapta"), - "safelyStored": - MessageLookupByLibrary.simpleMessage("Stocare în siguranță"), - "save": MessageLookupByLibrary.simpleMessage("Salvare"), - "saveCollage": MessageLookupByLibrary.simpleMessage("Salvați colajul"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Salvare copie"), - "saveKey": MessageLookupByLibrary.simpleMessage("Salvați cheia"), - "savePerson": MessageLookupByLibrary.simpleMessage("Salvați persoana"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Salvați cheia de recuperare, dacă nu ați făcut-o deja"), - "saving": MessageLookupByLibrary.simpleMessage("Se salvează..."), - "savingEdits": - MessageLookupByLibrary.simpleMessage("Se salvează editările..."), - "scanCode": MessageLookupByLibrary.simpleMessage("Scanare cod"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Scanați acest cod de bare\ncu aplicația de autentificare"), - "search": MessageLookupByLibrary.simpleMessage("Căutare"), - "searchAlbumsEmptySection": - MessageLookupByLibrary.simpleMessage("Albume"), - "searchByAlbumNameHint": - MessageLookupByLibrary.simpleMessage("Nume album"), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Nume de album (ex. „Cameră”)\n• Tipuri de fișiere (ex. „Videoclipuri”, „.gif”)\n• Ani și luni (ex. „2022”, „Ianuarie”)\n• Sărbători (ex. „Crăciun”)\n• Descrieri ale fotografiilor (ex. „#distracție”)"), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Adăugați descrieri precum „#excursie” în informațiile fotografiilor pentru a le găsi ușor aici"), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Căutare după o dată, o lună sau un an"), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "Imaginile vor fi afișate aici odată ce procesarea și sincronizarea este completă"), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "Persoanele vor fi afișate aici odată ce indexarea este finalizată"), - "searchFileTypesAndNamesEmptySection": - MessageLookupByLibrary.simpleMessage( - "Tipuri de fișiere și denumiri"), - "searchHint1": MessageLookupByLibrary.simpleMessage( - "Căutare rapidă, pe dispozitiv"), - "searchHint2": MessageLookupByLibrary.simpleMessage( - "Date, descrieri ale fotografiilor"), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "Albume, numele fișierelor și tipuri"), - "searchHint4": MessageLookupByLibrary.simpleMessage("Locație"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "În curând: chipuri și căutare magică ✨"), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Grupare fotografii realizate în raza unei fotografii"), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "Invitați persoane și veți vedea aici toate fotografiile distribuite de acestea"), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "Persoanele vor fi afișate aici odată ce procesarea și sincronizarea este completă"), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Securitate"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "Vedeți linkurile albumelor publice în aplicație"), - "selectALocation": - MessageLookupByLibrary.simpleMessage("Selectați o locație"), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage( - "Selectați mai întâi o locație"), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Selectare album"), - "selectAll": MessageLookupByLibrary.simpleMessage("Selectare totală"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("Toate"), - "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( - "Selectați fotografia de copertă"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Selectați folderele pentru copie de rezervă"), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "Selectați elementele de adăugat"), - "selectLanguage": - MessageLookupByLibrary.simpleMessage("Selectaţi limba"), - "selectMailApp": MessageLookupByLibrary.simpleMessage( - "Selectați aplicația de e-mail"), - "selectMorePhotos": MessageLookupByLibrary.simpleMessage( - "Selectați mai multe fotografii"), - "selectReason": - MessageLookupByLibrary.simpleMessage("Selectați motivul"), - "selectYourPlan": - MessageLookupByLibrary.simpleMessage("Selectați planul"), - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Fișierele selectate nu sunt pe Ente"), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Dosarele selectate vor fi criptate și salvate"), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Articolele selectate vor fi șterse din toate albumele și mutate în coșul de gunoi."), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "send": MessageLookupByLibrary.simpleMessage("Trimitere"), - "sendEmail": MessageLookupByLibrary.simpleMessage("Trimiteți e-mail"), - "sendInvite": - MessageLookupByLibrary.simpleMessage("Trimiteți invitația"), - "sendLink": MessageLookupByLibrary.simpleMessage("Trimitere link"), - "serverEndpoint": MessageLookupByLibrary.simpleMessage( - "Adresa (endpoint) server-ului"), - "sessionExpired": - MessageLookupByLibrary.simpleMessage("Sesiune expirată"), - "sessionIdMismatch": - MessageLookupByLibrary.simpleMessage("Nepotrivire ID sesiune"), - "setAPassword": MessageLookupByLibrary.simpleMessage("Setați o parolă"), - "setAs": MessageLookupByLibrary.simpleMessage("Setare ca"), - "setCover": MessageLookupByLibrary.simpleMessage("Setare copertă"), - "setLabel": MessageLookupByLibrary.simpleMessage("Setare"), - "setNewPassword": - MessageLookupByLibrary.simpleMessage("Setați parola noua"), - "setNewPin": - MessageLookupByLibrary.simpleMessage("Setați un cod nou PIN"), - "setPasswordTitle": - MessageLookupByLibrary.simpleMessage("Setați parola"), - "setRadius": MessageLookupByLibrary.simpleMessage("Setare rază"), - "setupComplete": - MessageLookupByLibrary.simpleMessage("Configurare finalizată"), - "share": MessageLookupByLibrary.simpleMessage("Distribuire"), - "shareALink": - MessageLookupByLibrary.simpleMessage("Distribuiți un link"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Deschideți un album și atingeți butonul de distribuire din dreapta sus pentru a distribui."), - "shareAnAlbumNow": - MessageLookupByLibrary.simpleMessage("Distribuiți un album acum"), - "shareLink": MessageLookupByLibrary.simpleMessage("Distribuiți linkul"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Distribuiți numai cu persoanele pe care le doriți"), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Descarcă Ente pentru a putea distribui cu ușurință fotografii și videoclipuri în calitate originală\n\nhttps://ente.io"), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Distribuiți cu utilizatori din afara Ente"), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": - MessageLookupByLibrary.simpleMessage("Distribuiți primul album"), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Creați albume distribuite și colaborative cu alți utilizatori Ente, inclusiv cu utilizatorii planurilor gratuite."), - "sharedByMe": - MessageLookupByLibrary.simpleMessage("Distribuit de către mine"), - "sharedByYou": - MessageLookupByLibrary.simpleMessage("Distribuite de dvs."), - "sharedPhotoNotifications": - MessageLookupByLibrary.simpleMessage("Fotografii partajate noi"), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Primiți notificări atunci când cineva adaugă o fotografie la un album distribuit din care faceți parte"), - "sharedWith": m87, - "sharedWithMe": MessageLookupByLibrary.simpleMessage("Distribuit mie"), - "sharedWithYou": - MessageLookupByLibrary.simpleMessage("Distribuite cu dvs."), - "sharing": MessageLookupByLibrary.simpleMessage("Se distribuie..."), - "showMemories": - MessageLookupByLibrary.simpleMessage("Afișare amintiri"), - "showPerson": MessageLookupByLibrary.simpleMessage("Afișare persoană"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "Deconectare de pe alte dispozitive"), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Dacă credeți că cineva ar putea să vă cunoască parola, puteți forța toate celelalte dispozitive care utilizează contul dvs. să se deconecteze."), - "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( - "Deconectați alte dispozitive"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Sunt de acord cu termenii de prestare ai serviciului și politica de confidențialitate"), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Acesta va fi șters din toate albumele."), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Omiteți"), - "social": MessageLookupByLibrary.simpleMessage("Rețele socializare"), - "someItemsAreInBothEnteAndYourDevice": - MessageLookupByLibrary.simpleMessage( - "Anumite articole se află atât în Ente, cât și în dispozitiv."), - "someOfTheFilesYouAreTryingToDeleteAre": - MessageLookupByLibrary.simpleMessage( - "Unele dintre fișierele pe care încercați să le ștergeți sunt disponibile numai pe dispozitivul dvs. și nu pot fi recuperate dacă sunt șterse"), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Cineva care distribuie albume cu dvs. ar trebui să vadă același ID pe dispozitivul său."), - "somethingWentWrong": - MessageLookupByLibrary.simpleMessage("Ceva nu a funcţionat corect"), - "somethingWentWrongPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Ceva nu a mers bine, vă rugăm să încercați din nou"), - "sorry": MessageLookupByLibrary.simpleMessage("Ne pare rău"), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Ne pare rău, nu s-a putut adăuga la favorite!"), - "sorryCouldNotRemoveFromFavorites": - MessageLookupByLibrary.simpleMessage( - "Ne pare rău, nu s-a putut elimina din favorite!"), - "sorryTheCodeYouveEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "Ne pare rău, codul introdus este incorect"), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Ne pare rău, nu am putut genera chei securizate pe acest dispozitiv.\n\nvă rugăm să vă înregistrați de pe un alt dispozitiv."), - "sort": MessageLookupByLibrary.simpleMessage("Sortare"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sortare după"), - "sortNewestFirst": - MessageLookupByLibrary.simpleMessage("Cele mai noi primele"), - "sortOldestFirst": - MessageLookupByLibrary.simpleMessage("Cele mai vechi primele"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Succes"), - "startAccountRecoveryTitle": - MessageLookupByLibrary.simpleMessage("Începeți recuperarea"), - "startBackup": - MessageLookupByLibrary.simpleMessage("Începeți copia de rezervă"), - "status": MessageLookupByLibrary.simpleMessage("Status"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "Doriți să opriți proiectarea?"), - "stopCastingTitle": - MessageLookupByLibrary.simpleMessage("Opriți proiectarea"), - "storage": MessageLookupByLibrary.simpleMessage("Spațiu"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Familie"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Dvs."), - "storageInGB": m93, - "storageLimitExceeded": - MessageLookupByLibrary.simpleMessage("Limita de spațiu depășită"), - "storageUsageInfo": m94, - "strongStrength": MessageLookupByLibrary.simpleMessage("Puternică"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Abonare"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Aveți nevoie de un abonament plătit activ pentru a activa distribuirea."), - "subscription": MessageLookupByLibrary.simpleMessage("Abonament"), - "success": MessageLookupByLibrary.simpleMessage("Succes"), - "successfullyArchived": - MessageLookupByLibrary.simpleMessage("Arhivat cu succes"), - "successfullyHid": - MessageLookupByLibrary.simpleMessage("S-a ascuns cu succes"), - "successfullyUnarchived": - MessageLookupByLibrary.simpleMessage("Dezarhivat cu succes"), - "successfullyUnhid": - MessageLookupByLibrary.simpleMessage("S-a reafișat cu succes"), - "suggestFeatures": - MessageLookupByLibrary.simpleMessage("Sugerați funcționalități"), - "support": MessageLookupByLibrary.simpleMessage("Asistență"), - "syncProgress": m97, - "syncStopped": - MessageLookupByLibrary.simpleMessage("Sincronizare oprită"), - "syncing": MessageLookupByLibrary.simpleMessage("Sincronizare..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("Sistem"), - "tapToCopy": - MessageLookupByLibrary.simpleMessage("atingeți pentru a copia"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage( - "Atingeți pentru a introduce codul"), - "tapToUnlock": - MessageLookupByLibrary.simpleMessage("Atingeți pentru a debloca"), - "tapToUpload": - MessageLookupByLibrary.simpleMessage("Atingeți pentru a încărca"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Se pare că ceva nu a mers bine. Vă rugăm să încercați din nou după ceva timp. Dacă eroarea persistă, vă rugăm să contactați echipa noastră de asistență."), - "terminate": MessageLookupByLibrary.simpleMessage("Terminare"), - "terminateSession": - MessageLookupByLibrary.simpleMessage("Terminați sesiunea?"), - "terms": MessageLookupByLibrary.simpleMessage("Termeni"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Termeni"), - "thankYou": MessageLookupByLibrary.simpleMessage("Vă mulțumim"), - "thankYouForSubscribing": - MessageLookupByLibrary.simpleMessage("Mulțumim pentru abonare!"), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "Descărcarea nu a putut fi finalizată"), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "Linkul pe care încercați să îl accesați a expirat."), - "theRecoveryKeyYouEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "Cheia de recuperare introdusă este incorectă"), - "theme": MessageLookupByLibrary.simpleMessage("Temă"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Aceste articole vor fi șterse din dispozitivul dvs."), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "Acestea vor fi șterse din toate albumele."), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Această acțiune nu poate fi anulată"), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "Acest album are deja un link colaborativ"), - "thisCanBeUsedToRecoverYourAccountIfYou": - MessageLookupByLibrary.simpleMessage( - "Aceasta poate fi utilizată pentru a vă recupera contul în cazul în care pierdeți al doilea factor"), - "thisDevice": MessageLookupByLibrary.simpleMessage("Acest dispozitiv"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "Această adresă de e-mail este deja folosită"), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Această imagine nu are date exif"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Acesta este ID-ul dvs. de verificare"), - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Urmează să vă deconectați de pe următorul dispozitiv:"), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Urmează să vă deconectați de pe acest dispozitiv!"), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "Se vor elimina linkurile publice ale linkurilor rapide selectate."), - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "Pentru a activa blocarea aplicației, vă rugăm să configurați codul de acces al dispozitivului sau blocarea ecranului în setările sistemului."), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( - "Pentru a ascunde o fotografie sau un videoclip"), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Pentru a reseta parola, vă rugăm să verificați mai întâi e-mailul."), - "todaysLogs": - MessageLookupByLibrary.simpleMessage("Jurnalele de astăzi"), - "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( - "Prea multe încercări incorecte"), - "total": MessageLookupByLibrary.simpleMessage("total"), - "totalSize": MessageLookupByLibrary.simpleMessage("Dimensiune totală"), - "trash": MessageLookupByLibrary.simpleMessage("Coș de gunoi"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Decupare"), - "trustedContacts": - MessageLookupByLibrary.simpleMessage("Contacte de încredere"), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Încercați din nou"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Activați copia de rezervă pentru a încărca automat fișierele adăugate la acest dosar de pe dispozitiv în Ente."), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "2 luni gratuite la planurile anuale"), - "twofactor": MessageLookupByLibrary.simpleMessage("Doi factori"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "Autentificarea cu doi factori a fost dezactivată"), - "twofactorAuthenticationPageTitle": - MessageLookupByLibrary.simpleMessage( - "Autentificare cu doi factori"), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "Autentificarea cu doi factori a fost resetată cu succes"), - "twofactorSetup": - MessageLookupByLibrary.simpleMessage("Configurare doi factori"), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("Dezarhivare"), - "unarchiveAlbum": - MessageLookupByLibrary.simpleMessage("Dezarhivare album"), - "unarchiving": - MessageLookupByLibrary.simpleMessage("Se dezarhivează..."), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Ne pare rău, acest cod nu este disponibil."), - "uncategorized": MessageLookupByLibrary.simpleMessage("Necategorisite"), - "unhide": MessageLookupByLibrary.simpleMessage("Reafişare"), - "unhideToAlbum": - MessageLookupByLibrary.simpleMessage("Reafișare în album"), - "unhiding": MessageLookupByLibrary.simpleMessage("Se reafișează..."), - "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Se reafișează fișierele în album"), - "unlock": MessageLookupByLibrary.simpleMessage("Deblocare"), - "unpinAlbum": - MessageLookupByLibrary.simpleMessage("Anulați fixarea albumului"), - "unselectAll": - MessageLookupByLibrary.simpleMessage("Deselectare totală"), - "update": MessageLookupByLibrary.simpleMessage("Actualizare"), - "updateAvailable": - MessageLookupByLibrary.simpleMessage("Actualizare disponibilă"), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Se actualizează selecția dosarelor..."), - "upgrade": MessageLookupByLibrary.simpleMessage("Îmbunătățire"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Se încarcă fișiere în album..."), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": - MessageLookupByLibrary.simpleMessage("Se salvează o amintire..."), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "Reducere de până la 50%, până pe 4 decembrie"), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "Spațiul utilizabil este limitat de planul dvs. actual. Spațiul suplimentar revendicat va deveni automat utilizabil atunci când vă îmbunătățiți planul."), - "useAsCover": - MessageLookupByLibrary.simpleMessage("Utilizați ca și copertă"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "Aveți probleme cu redarea acestui videoclip? Apăsați lung aici pentru a încerca un alt player."), - "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Folosiți linkuri publice pentru persoanele care nu sunt pe Ente"), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Folosiți cheia de recuperare"), - "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( - "Folosiți fotografia selectată"), - "usedSpace": MessageLookupByLibrary.simpleMessage("Spațiu utilizat"), - "validTill": m110, - "verificationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Verificare eșuată, încercați din nou"), - "verificationId": - MessageLookupByLibrary.simpleMessage("ID de verificare"), - "verify": MessageLookupByLibrary.simpleMessage("Verificare"), - "verifyEmail": - MessageLookupByLibrary.simpleMessage("Verificare e-mail"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Verificare"), - "verifyPasskey": - MessageLookupByLibrary.simpleMessage("Verificați cheia de acces"), - "verifyPassword": - MessageLookupByLibrary.simpleMessage("Verificați parola"), - "verifying": MessageLookupByLibrary.simpleMessage("Se verifică..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Se verifică cheia de recuperare..."), - "videoInfo": MessageLookupByLibrary.simpleMessage("Informaţii video"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("videoclip"), - "videos": MessageLookupByLibrary.simpleMessage("Videoclipuri"), - "viewActiveSessions": - MessageLookupByLibrary.simpleMessage("Vedeți sesiunile active"), - "viewAddOnButton": - MessageLookupByLibrary.simpleMessage("Vizualizare suplimente"), - "viewAll": MessageLookupByLibrary.simpleMessage("Vizualizați tot"), - "viewAllExifData": MessageLookupByLibrary.simpleMessage( - "Vizualizați toate datele EXIF"), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Fișiere mari"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Vizualizați fișierele care consumă cel mai mult spațiu."), - "viewLogs": MessageLookupByLibrary.simpleMessage("Afișare jurnale"), - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Vizualizați cheia de recuperare"), - "viewer": MessageLookupByLibrary.simpleMessage("Observator"), - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să vizitați web.ente.io pentru a vă gestiona abonamentul"), - "waitingForVerification": - MessageLookupByLibrary.simpleMessage("Se așteaptă verificarea..."), - "waitingForWifi": - MessageLookupByLibrary.simpleMessage("Se așteaptă WiFi..."), - "warning": MessageLookupByLibrary.simpleMessage("Atenție"), - "weAreOpenSource": - MessageLookupByLibrary.simpleMessage("Suntem open source!"), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "Nu se acceptă editarea fotografiilor sau albumelor pe care nu le dețineți încă"), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Slabă"), - "welcomeBack": - MessageLookupByLibrary.simpleMessage("Bine ați revenit!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("Noutăți"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "Contactul de încredere vă poate ajuta la recuperarea datelor."), - "yearShort": MessageLookupByLibrary.simpleMessage("an"), - "yearly": MessageLookupByLibrary.simpleMessage("Anual"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Da"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Da, anulează"), - "yesConvertToViewer": - MessageLookupByLibrary.simpleMessage("Da, covertiți la observator"), - "yesDelete": MessageLookupByLibrary.simpleMessage("Da, șterge"), - "yesDiscardChanges": - MessageLookupByLibrary.simpleMessage("Da, renunțați la modificări"), - "yesLogout": MessageLookupByLibrary.simpleMessage("Da, mă deconectez"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Da, elimină"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Da, reînnoiește"), - "yesResetPerson": - MessageLookupByLibrary.simpleMessage("Da, resetează persoana"), - "you": MessageLookupByLibrary.simpleMessage("Dvs."), - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( - "Sunteți pe un plan de familie!"), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Sunteți pe cea mai recentă versiune"), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Cel mult vă puteți dubla spațiul"), - "youCanManageYourLinksInTheShareTab": - MessageLookupByLibrary.simpleMessage( - "Puteți gestiona link-urile în fila de distribuire."), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "Puteți încerca să căutați altceva."), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "Nu puteți retrograda la acest plan"), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Nu poți distribui cu tine însuți"), - "youDontHaveAnyArchivedItems": - MessageLookupByLibrary.simpleMessage("Nu aveți articole arhivate."), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": - MessageLookupByLibrary.simpleMessage("Contul dvs. a fost șters"), - "yourMap": MessageLookupByLibrary.simpleMessage("Harta dvs."), - "yourPlanWasSuccessfullyDowngraded": - MessageLookupByLibrary.simpleMessage( - "Planul dvs. a fost retrogradat cu succes"), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "Planul dvs. a fost îmbunătățit cu succes"), - "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( - "Achiziția dvs. a fost efectuată cu succes"), - "yourStorageDetailsCouldNotBeFetched": - MessageLookupByLibrary.simpleMessage( - "Detaliile privind spațiul de stocare nu au putut fi preluate"), - "yourSubscriptionHasExpired": - MessageLookupByLibrary.simpleMessage("Abonamentul dvs. a expirat"), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "Abonamentul dvs. a fost actualizat cu succes"), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "Codul dvs. de verificare a expirat"), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "Nu aveți fișiere în acest album care pot fi șterse"), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( - "Micșorați pentru a vedea fotografiile") - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Este disponibilă o nouă versiune de Ente.", + ), + "about": MessageLookupByLibrary.simpleMessage("Despre"), + "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( + "Acceptați invitația", + ), + "account": MessageLookupByLibrary.simpleMessage("Cont"), + "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( + "Contul este deja configurat.", + ), + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( + "Bine ați revenit!", + ), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Înțeleg că dacă îmi pierd parola, îmi pot pierde datele, deoarece datele mele sunt criptate integral.", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage("Sesiuni active"), + "add": MessageLookupByLibrary.simpleMessage("Adăugare"), + "addAName": MessageLookupByLibrary.simpleMessage("Adăugați un nume"), + "addANewEmail": MessageLookupByLibrary.simpleMessage( + "Adăugați un e-mail nou", + ), + "addCollaborator": MessageLookupByLibrary.simpleMessage( + "Adăugare colaborator", + ), + "addFiles": MessageLookupByLibrary.simpleMessage("Adăugați fișiere"), + "addFromDevice": MessageLookupByLibrary.simpleMessage( + "Adăugați de pe dispozitiv", + ), + "addLocation": MessageLookupByLibrary.simpleMessage("Adăugare locație"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Adăugare"), + "addMore": MessageLookupByLibrary.simpleMessage("Adăugați mai mulți"), + "addName": MessageLookupByLibrary.simpleMessage("Adăugare nume"), + "addNameOrMerge": MessageLookupByLibrary.simpleMessage( + "Adăugare nume sau îmbinare", + ), + "addNew": MessageLookupByLibrary.simpleMessage("Adăugare nou"), + "addNewPerson": MessageLookupByLibrary.simpleMessage( + "Adăugare persoană nouă", + ), + "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( + "Detaliile suplimentelor", + ), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("Suplimente"), + "addPhotos": MessageLookupByLibrary.simpleMessage("Adăugați fotografii"), + "addSelected": MessageLookupByLibrary.simpleMessage("Adăugați selectate"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("Adăugare la album"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Adăugare la Ente"), + "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Adăugați la album ascuns", + ), + "addTrustedContact": MessageLookupByLibrary.simpleMessage( + "Adăugare contact de încredere", + ), + "addViewer": MessageLookupByLibrary.simpleMessage("Adăugare observator"), + "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( + "Adăugați-vă fotografiile acum", + ), + "addedAs": MessageLookupByLibrary.simpleMessage("Adăugat ca"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": MessageLookupByLibrary.simpleMessage( + "Se adaugă la favorite...", + ), + "advanced": MessageLookupByLibrary.simpleMessage("Avansat"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Avansat"), + "after1Day": MessageLookupByLibrary.simpleMessage("După o zi"), + "after1Hour": MessageLookupByLibrary.simpleMessage("După o oră"), + "after1Month": MessageLookupByLibrary.simpleMessage("După o lună"), + "after1Week": MessageLookupByLibrary.simpleMessage("După o săptămâna"), + "after1Year": MessageLookupByLibrary.simpleMessage("După un an"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Proprietar"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Titlu album"), + "albumUpdated": MessageLookupByLibrary.simpleMessage("Album actualizat"), + "albums": MessageLookupByLibrary.simpleMessage("Albume"), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Totul e curat"), + "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( + "S-au salvat toate amintirile", + ), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "Toate grupările pentru această persoană vor fi resetate și veți pierde toate sugestiile făcute pentru această persoană", + ), + "allow": MessageLookupByLibrary.simpleMessage("Permiteți"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Permiteți persoanelor care au linkul să adauge și fotografii la albumul distribuit.", + ), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( + "Permiteți adăugarea fotografiilor", + ), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "Permiteți aplicației să deschidă link-uri de album partajate", + ), + "allowDownloads": MessageLookupByLibrary.simpleMessage( + "Permiteți descărcările", + ), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Permiteți persoanelor să adauge fotografii", + ), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să permiteți accesul la fotografiile dvs. din Setări, astfel încât Ente să vă poată afișa și salva biblioteca.", + ), + "allowPermTitle": MessageLookupByLibrary.simpleMessage( + "Permiteți accesul la fotografii", + ), + "androidBiometricHint": MessageLookupByLibrary.simpleMessage( + "Verificați-vă identitatea", + ), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "Neidentificat. Încercați din nou.", + ), + "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( + "Biometrice necesare", + ), + "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("Succes"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Anulare"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage( + "Sunt necesare acreditările dispozitivului", + ), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage( + "Sunt necesare acreditările dispozitivului", + ), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Autentificarea biometrică nu este configurată pe dispozitivul dvs. Mergeți la „Setări > Securitate” pentru a adăuga autentificarea biometrică.", + ), + "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( + "Android, iOS, Web, Desktop", + ), + "androidSignInTitle": MessageLookupByLibrary.simpleMessage( + "Autentificare necesară", + ), + "appLock": MessageLookupByLibrary.simpleMessage("Blocare aplicație"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Alegeți între ecranul de blocare implicit al dispozitivului dvs. și un ecran de blocare personalizat cu PIN sau parolă.", + ), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), + "apply": MessageLookupByLibrary.simpleMessage("Aplicare"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Aplicați codul"), + "appstoreSubscription": MessageLookupByLibrary.simpleMessage( + "Abonament AppStore", + ), + "archive": MessageLookupByLibrary.simpleMessage("Arhivă"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("Arhivare album"), + "archiving": MessageLookupByLibrary.simpleMessage("Se arhivează..."), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Sunteți sigur că doriți să părăsiți planul de familie?", + ), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "Sunteți sigur că doriți să anulați?", + ), + "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( + "Sunteți sigur că doriți să vă schimbați planul?", + ), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "Sigur doriți să ieșiți?", + ), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Sunteți sigur că doriți să vă deconectați?", + ), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "Sunteți sigur că doriți să reînnoiți?", + ), + "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( + "Sunteți sigur că doriți să resetaţi această persoană?", + ), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "Abonamentul dvs. a fost anulat. Doriți să ne comunicați motivul?", + ), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Care este principalul motiv pentru care vă ștergeți contul?", + ), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Cereți-le celor dragi să distribuie", + ), + "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( + "la un adăpost antiatomic", + ), + "authToChangeEmailVerificationSetting": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să vă autentificați pentru a schimba verificarea prin e-mail", + ), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să vă autentificați pentru a schimba setarea ecranului de blocare", + ), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să vă autentificați pentru a vă schimba adresa de e-mail", + ), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să vă autentificați pentru a vă schimba parola", + ), + "authToConfigureTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să vă autentificați pentru a configura autentificarea cu doi factori", + ), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să vă autentificați pentru a iniția ștergerea contului", + ), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să vă autentificați pentru a gestiona contactele de încredere", + ), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să vă autentificați pentru a vizualiza cheia de acces", + ), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să vă autentificați pentru a vedea fișierele din coșul de gunoi", + ), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să vă autentificați pentru a vedea sesiunile active", + ), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să vă autentificați pentru a vedea fișierele ascunse", + ), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să vă autentificați pentru a vă vizualiza amintirile", + ), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să vă autentificați pentru a vedea cheia de recuperare", + ), + "authenticating": MessageLookupByLibrary.simpleMessage("Autentificare..."), + "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Autentificare eșuată, încercați din nou", + ), + "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( + "Autentificare cu succes!", + ), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Veți vedea dispozitivele disponibile pentru Cast aici.", + ), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Asigurați-vă că permisiunile de rețea locală sunt activate pentru aplicația Ente Foto, în Setări.", + ), + "autoLock": MessageLookupByLibrary.simpleMessage("Blocare automată"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Timpul după care aplicația se blochează după ce a fost pusă în fundal", + ), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "Din cauza unei probleme tehnice, ați fost deconectat. Ne cerem scuze pentru neplăcerile create.", + ), + "autoPair": MessageLookupByLibrary.simpleMessage("Asociere automată"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "Asocierea automată funcționează numai cu dispozitive care acceptă Chromecast.", + ), + "available": MessageLookupByLibrary.simpleMessage("Disponibil"), + "availableStorageSpace": m10, + "backedUpFolders": MessageLookupByLibrary.simpleMessage("Foldere salvate"), + "backup": MessageLookupByLibrary.simpleMessage("Copie de rezervă"), + "backupFailed": MessageLookupByLibrary.simpleMessage( + "Copie de rezervă eșuată", + ), + "backupFile": MessageLookupByLibrary.simpleMessage("Salvare fișier"), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Efectuare copie de rezervă prin date mobile", + ), + "backupSettings": MessageLookupByLibrary.simpleMessage( + "Setări copie de rezervă", + ), + "backupStatus": MessageLookupByLibrary.simpleMessage( + "Stare copie de rezervă", + ), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Articolele care au fost salvate vor apărea aici", + ), + "backupVideos": MessageLookupByLibrary.simpleMessage( + "Copie de rezervă videoclipuri", + ), + "birthday": MessageLookupByLibrary.simpleMessage("Ziua de naștere"), + "blackFridaySale": MessageLookupByLibrary.simpleMessage( + "Ofertă Black Friday", + ), + "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cachedData": MessageLookupByLibrary.simpleMessage( + "Date salvate în memoria cache", + ), + "calculating": MessageLookupByLibrary.simpleMessage("Se calculează..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Ne pare rău, acest album nu poate fi deschis în aplicație.", + ), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( + "Nu se poate deschide acest album", + ), + "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( + "Nu se poate încărca în albumele deținute de alții", + ), + "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Se pot crea linkuri doar pentru fișiere deținute de dvs.", + ), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Puteți elimina numai fișierele deținute de dvs.", + ), + "cancel": MessageLookupByLibrary.simpleMessage("Anulare"), + "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( + "Anulare recuperare", + ), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "Sunteți sigur că doriți să anulați recuperarea?", + ), + "cancelOtherSubscription": m12, + "cancelSubscription": MessageLookupByLibrary.simpleMessage( + "Anulare abonament", + ), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Nu se pot șterge fișierele distribuite", + ), + "castAlbum": MessageLookupByLibrary.simpleMessage("Difuzați albumul"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să vă asigurați că sunteți în aceeași rețea cu televizorul.", + ), + "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( + "Nu s-a reușit proiectarea albumului", + ), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Accesați cast.ente.io de pe dispozitivul pe care doriți să îl asociați.\n\nIntroduceți codul de mai jos pentru a reda albumul pe TV.", + ), + "centerPoint": MessageLookupByLibrary.simpleMessage("Punctul central"), + "change": MessageLookupByLibrary.simpleMessage("Schimbați"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Schimbați e-mailul"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Schimbați locația articolelor selectate?", + ), + "changePassword": MessageLookupByLibrary.simpleMessage("Schimbare parolă"), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Schimbați parola", + ), + "changePermissions": MessageLookupByLibrary.simpleMessage( + "Schimbați permisiunile?", + ), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Schimbați codul dvs. de recomandare", + ), + "checkForUpdates": MessageLookupByLibrary.simpleMessage( + "Căutați actualizări", + ), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să verificaţi inbox-ul (şi spam) pentru a finaliza verificarea", + ), + "checkStatus": MessageLookupByLibrary.simpleMessage("Verificați starea"), + "checking": MessageLookupByLibrary.simpleMessage("Se verifică..."), + "checkingModels": MessageLookupByLibrary.simpleMessage( + "Se verifică modelele...", + ), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage( + "Revendică spațiul gratuit", + ), + "claimMore": MessageLookupByLibrary.simpleMessage("Revendicați mai multe!"), + "claimed": MessageLookupByLibrary.simpleMessage("Revendicat"), + "claimedStorageSoFar": m14, + "cleanUncategorized": MessageLookupByLibrary.simpleMessage( + "Curățare Necategorisite", + ), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Eliminați toate fișierele din „Fără categorie” care sunt prezente în alte albume", + ), + "clearCaches": MessageLookupByLibrary.simpleMessage( + "Ștergeți memoria cache", + ), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Ștergeți indexul"), + "click": MessageLookupByLibrary.simpleMessage("• Apăsați"), + "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( + "• Apăsați pe meniul suplimentar", + ), + "close": MessageLookupByLibrary.simpleMessage("Închidere"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( + "Grupare după timpul capturării", + ), + "clubByFileName": MessageLookupByLibrary.simpleMessage( + "Grupare după numele fișierului", + ), + "clusteringProgress": MessageLookupByLibrary.simpleMessage( + "Progres grupare", + ), + "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage("Cod aplicat"), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Ne pare rău, ați atins limita de modificări ale codului.", + ), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Cod copiat în clipboard", + ), + "codeUsedByYou": MessageLookupByLibrary.simpleMessage( + "Cod folosit de dvs.", + ), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Creați un link pentru a permite oamenilor să adauge și să vizualizeze fotografii în albumul dvs. distribuit, fără a avea nevoie de o aplicație sau un cont Ente. Excelent pentru colectarea fotografiilor de la evenimente.", + ), + "collaborativeLink": MessageLookupByLibrary.simpleMessage( + "Link colaborativ", + ), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Colaborator"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Colaboratorii pot adăuga fotografii și videoclipuri la albumul distribuit.", + ), + "collageLayout": MessageLookupByLibrary.simpleMessage("Aspect"), + "collageSaved": MessageLookupByLibrary.simpleMessage( + "Colaj salvat în galerie", + ), + "collect": MessageLookupByLibrary.simpleMessage("Colectare"), + "collectEventPhotos": MessageLookupByLibrary.simpleMessage( + "Strângeți imagini de la evenimente", + ), + "collectPhotos": MessageLookupByLibrary.simpleMessage( + "Colectare fotografii", + ), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Creați un link unde prietenii dvs. pot încărca fotografii la calitatea originală.", + ), + "color": MessageLookupByLibrary.simpleMessage("Culoare"), + "configuration": MessageLookupByLibrary.simpleMessage("Configurare"), + "confirm": MessageLookupByLibrary.simpleMessage("Confirmare"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Sigur doriți dezactivarea autentificării cu doi factori?", + ), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Confirmați ștergerea contului", + ), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Da, doresc să șterg definitiv acest cont și toate datele sale din toate aplicațiile.", + ), + "confirmPassword": MessageLookupByLibrary.simpleMessage( + "Confirmare parolă", + ), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage( + "Confirmați schimbarea planului", + ), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Confirmați cheia de recuperare", + ), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Confirmați cheia de recuperare", + ), + "connectToDevice": MessageLookupByLibrary.simpleMessage( + "Conectați-vă la dispozitiv", + ), + "contactFamilyAdmin": m18, + "contactSupport": MessageLookupByLibrary.simpleMessage( + "Contactați serviciul de asistență", + ), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Contacte"), + "contents": MessageLookupByLibrary.simpleMessage("Conținuturi"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Continuare"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "Continuați în perioada de încercare gratuită", + ), + "convertToAlbum": MessageLookupByLibrary.simpleMessage( + "Convertire în album", + ), + "copyEmailAddress": MessageLookupByLibrary.simpleMessage( + "Copiați adresa de e-mail", + ), + "copyLink": MessageLookupByLibrary.simpleMessage("Copere link"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Copiați acest cod\nîn aplicația de autentificare", + ), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "Nu s-a putut face copie de rezervă datelor.\nSe va reîncerca mai târziu.", + ), + "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( + "Nu s-a putut elibera spațiu", + ), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Nu s-a putut actualiza abonamentul", + ), + "count": MessageLookupByLibrary.simpleMessage("Total"), + "crashReporting": MessageLookupByLibrary.simpleMessage( + "Raportarea problemelor", + ), + "create": MessageLookupByLibrary.simpleMessage("Creare"), + "createAccount": MessageLookupByLibrary.simpleMessage("Creare cont"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Apăsați lung pentru a selecta fotografii și apăsați pe + pentru a crea un album", + ), + "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( + "Creați un link colaborativ", + ), + "createCollage": MessageLookupByLibrary.simpleMessage("Creați colaj"), + "createNewAccount": MessageLookupByLibrary.simpleMessage("Creare cont nou"), + "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( + "Creați sau selectați un album", + ), + "createPublicLink": MessageLookupByLibrary.simpleMessage( + "Creare link public", + ), + "creatingLink": MessageLookupByLibrary.simpleMessage("Se crează linkul..."), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "Actualizare critică disponibilă", + ), + "crop": MessageLookupByLibrary.simpleMessage("Decupare"), + "currentUsageIs": MessageLookupByLibrary.simpleMessage( + "Utilizarea actuală este ", + ), + "currentlyRunning": MessageLookupByLibrary.simpleMessage( + "rulează în prezent", + ), + "custom": MessageLookupByLibrary.simpleMessage("Particularizat"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Întunecată"), + "dayToday": MessageLookupByLibrary.simpleMessage("Astăzi"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Ieri"), + "declineTrustInvite": MessageLookupByLibrary.simpleMessage( + "Refuzați invitația", + ), + "decrypting": MessageLookupByLibrary.simpleMessage("Se decriptează..."), + "decryptingVideo": MessageLookupByLibrary.simpleMessage( + "Se decriptează videoclipul...", + ), + "deduplicateFiles": MessageLookupByLibrary.simpleMessage( + "Elim. dubluri fișiere", + ), + "delete": MessageLookupByLibrary.simpleMessage("Ștergere"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Ștergere cont"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Ne pare rău că plecați. Vă rugăm să împărtășiți feedback-ul dvs. pentru a ne ajuta să ne îmbunătățim.", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Ștergeți contul definitiv", + ), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Ştergeţi albumul"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "De asemenea, ștergeți fotografiile (și videoclipurile) prezente în acest album din toate celelalte albume din care fac parte?", + ), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "Urmează să ștergeți toate albumele goale. Este util atunci când doriți să reduceți dezordinea din lista de albume.", + ), + "deleteAll": MessageLookupByLibrary.simpleMessage("Ștergeți tot"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "Acest cont este legat de alte aplicații Ente, dacă utilizați vreuna. Datele dvs. încărcate în toate aplicațiile Ente vor fi programate pentru ștergere, iar contul dvs. va fi șters definitiv.", + ), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să trimiteți un e-mail la account-deletion@ente.io de pe adresa dvs. de e-mail înregistrată.", + ), + "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( + "Ștergeți albumele goale", + ), + "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( + "Ștergeți albumele goale?", + ), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage( + "Ștergeți din ambele", + ), + "deleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Ștergeți de pe dispozitiv", + ), + "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Ștergeți din Ente"), + "deleteItemCount": m21, + "deleteLocation": MessageLookupByLibrary.simpleMessage("Ștergeți locația"), + "deletePhotos": MessageLookupByLibrary.simpleMessage( + "Ștergeți fotografiile", + ), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Lipsește o funcție cheie de care am nevoie", + ), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "Aplicația sau o anumită funcție nu se comportă așa cum cred eu că ar trebui", + ), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Am găsit un alt serviciu care îmi place mai mult", + ), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "Motivul meu nu apare", + ), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Solicitarea dvs. va fi procesată în 72 de ore.", + ), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Ștergeți albumul distribuit?", + ), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "Albumul va fi șters pentru toată lumea\n\nVeți pierde accesul la fotografiile distribuite din acest album care sunt deținute de alții", + ), + "deselectAll": MessageLookupByLibrary.simpleMessage("Deselectare totală"), + "designedToOutlive": MessageLookupByLibrary.simpleMessage( + "Conceput pentru a supraviețui", + ), + "details": MessageLookupByLibrary.simpleMessage("Detalii"), + "developerSettings": MessageLookupByLibrary.simpleMessage( + "Setări dezvoltator", + ), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Sunteți sigur că doriți să modificați setările pentru dezvoltatori?", + ), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Introduceți codul"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "Fișierele adăugate la acest album de pe dispozitiv vor fi încărcate automat pe Ente.", + ), + "deviceLock": MessageLookupByLibrary.simpleMessage("Blocare dispozitiv"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Dezactivați blocarea ecranului dispozitivului atunci când Ente este în prim-plan și există o copie de rezervă în curs de desfășurare. În mod normal, acest lucru nu este necesar, dar poate ajuta la finalizarea mai rapidă a încărcărilor mari și a importurilor inițiale de biblioteci mari.", + ), + "deviceNotFound": MessageLookupByLibrary.simpleMessage( + "Dispozitivul nu a fost găsit", + ), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Știați că?"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage( + "Dezactivare blocare automată", + ), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Observatorii pot să facă capturi de ecran sau să salveze o copie a fotografiilor dvs. folosind instrumente externe", + ), + "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( + "Rețineți", + ), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "Dezactivați al doilea factor", + ), + "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( + "Se dezactivează autentificarea cu doi factori...", + ), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Descoperire"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Bebeluși"), + "discover_celebrations": MessageLookupByLibrary.simpleMessage("Celebrări"), + "discover_food": MessageLookupByLibrary.simpleMessage("Mâncare"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Verdeață"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Dealuri"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Identitate"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Meme-uri"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Notițe"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Animale"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Bonuri"), + "discover_screenshots": MessageLookupByLibrary.simpleMessage( + "Capturi de ecran", + ), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfie-uri"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Apusuri"), + "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( + "Carte de vizită", + ), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage( + "Imagini de fundal", + ), + "dismiss": MessageLookupByLibrary.simpleMessage("Renunțați"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage("Nu deconectați"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Mai târziu"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Doriți să renunțați la editările efectuate?", + ), + "done": MessageLookupByLibrary.simpleMessage("Finalizat"), + "doubleYourStorage": MessageLookupByLibrary.simpleMessage( + "Dublați-vă spațiul", + ), + "download": MessageLookupByLibrary.simpleMessage("Descărcare"), + "downloadFailed": MessageLookupByLibrary.simpleMessage( + "Descărcarea nu a reușit", + ), + "downloading": MessageLookupByLibrary.simpleMessage("Se descarcă..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Editare"), + "editLocation": MessageLookupByLibrary.simpleMessage("Editare locaţie"), + "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( + "Editare locaţie", + ), + "editPerson": MessageLookupByLibrary.simpleMessage("Editați persoana"), + "editsSaved": MessageLookupByLibrary.simpleMessage("Editări salvate"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Editările locației vor fi vizibile doar pe Ente", + ), + "eligible": MessageLookupByLibrary.simpleMessage("eligibil"), + "email": MessageLookupByLibrary.simpleMessage("E-mail"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "E-mail deja înregistrat.", + ), + "emailChangedTo": m29, + "emailNoEnteAccount": m31, + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "E-mailul nu este înregistrat.", + ), + "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( + "Verificarea adresei de e-mail", + ), + "emailYourLogs": MessageLookupByLibrary.simpleMessage( + "Trimiteți jurnalele prin e-mail", + ), + "emergencyContacts": MessageLookupByLibrary.simpleMessage( + "Contacte de urgență", + ), + "empty": MessageLookupByLibrary.simpleMessage("Gol"), + "emptyTrash": MessageLookupByLibrary.simpleMessage( + "Goliți coșul de gunoi?", + ), + "enable": MessageLookupByLibrary.simpleMessage("Activare"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "Ente acceptă învățarea automată pe dispozitiv pentru recunoaștere facială, căutarea magică și alte funcții avansate de căutare", + ), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Activați învățarea automată pentru a folosi căutarea magică și recunoașterea facială", + ), + "enableMaps": MessageLookupByLibrary.simpleMessage("Activare hărți"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "Se va afișa fotografiile dvs. pe o hartă a lumii.\n\nAceastă hartă este găzduită de Open Street Map, iar locațiile exacte ale fotografiilor dvs. nu sunt niciodată partajate.\n\nPuteți dezactiva această funcție oricând din Setări.", + ), + "enabled": MessageLookupByLibrary.simpleMessage("Activat"), + "encryptingBackup": MessageLookupByLibrary.simpleMessage( + "Criptare copie de rezervă...", + ), + "encryption": MessageLookupByLibrary.simpleMessage("Criptarea"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage("Chei de criptare"), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Endpoint actualizat cu succes", + ), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Criptare integrală implicită", + ), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente poate cripta și păstra fișiere numai dacă acordați accesul la acestea", + ), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente are nevoie de permisiune pentru a vă păstra fotografiile", + ), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "Ente vă păstrează amintirile, astfel încât acestea să vă fie întotdeauna disponibile, chiar dacă vă pierdeți dispozitivul.", + ), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "La planul dvs. vi se poate alătura și familia.", + ), + "enterAlbumName": MessageLookupByLibrary.simpleMessage( + "Introduceți numele albumului", + ), + "enterCode": MessageLookupByLibrary.simpleMessage("Introduceți codul"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Introduceți codul oferit de prietenul dvs. pentru a beneficia de spațiu gratuit pentru amândoi", + ), + "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( + "Ziua de naștere (opțional)", + ), + "enterEmail": MessageLookupByLibrary.simpleMessage("Introduceți e-mailul"), + "enterFileName": MessageLookupByLibrary.simpleMessage( + "Introduceți numele fișierului", + ), + "enterName": MessageLookupByLibrary.simpleMessage("Introduceți numele"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Introduceți o parolă nouă pe care o putem folosi pentru a cripta datele", + ), + "enterPassword": MessageLookupByLibrary.simpleMessage("Introduceți parola"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Introduceți o parolă pe care o putem folosi pentru a decripta datele", + ), + "enterPersonName": MessageLookupByLibrary.simpleMessage( + "Introduceți numele persoanei", + ), + "enterPin": MessageLookupByLibrary.simpleMessage("Introduceţi codul PIN"), + "enterReferralCode": MessageLookupByLibrary.simpleMessage( + "Introduceţi codul de recomandare", + ), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Introduceți codul de 6 cifre\ndin aplicația de autentificare", + ), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să introduceți o adresă de e-mail validă.", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Introduceți adresa de e-mail", + ), + "enterYourPassword": MessageLookupByLibrary.simpleMessage( + "Introduceţi parola", + ), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Introduceți cheia de recuperare", + ), + "error": MessageLookupByLibrary.simpleMessage("Eroare"), + "everywhere": MessageLookupByLibrary.simpleMessage("pretutindeni"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": MessageLookupByLibrary.simpleMessage("Utilizator existent"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Acest link a expirat. Vă rugăm să selectați un nou termen de expirare sau să dezactivați expirarea linkului.", + ), + "exportLogs": MessageLookupByLibrary.simpleMessage("Exportați jurnalele"), + "exportYourData": MessageLookupByLibrary.simpleMessage("Export de date"), + "extraPhotosFound": MessageLookupByLibrary.simpleMessage( + "S-au găsit fotografii extra", + ), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Fața nu este încă grupată, vă rugăm să reveniți mai târziu", + ), + "faceRecognition": MessageLookupByLibrary.simpleMessage( + "Recunoaștere facială", + ), + "faces": MessageLookupByLibrary.simpleMessage("Fețe"), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage( + "Codul nu a putut fi aplicat", + ), + "failedToCancel": MessageLookupByLibrary.simpleMessage( + "Nu s-a reușit anularea", + ), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( + "Descărcarea videoclipului nu a reușit", + ), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Nu s-a reușit preluarea sesiunilor active", + ), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Nu s-a reușit preluarea originalului pentru editare", + ), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Nu se pot obține detaliile recomandării. Vă rugăm să încercați din nou mai târziu.", + ), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "Încărcarea albumelor nu a reușit", + ), + "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Eroare la redarea videoclipului", + ), + "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( + "Nu s-a reușit reîmprospătarea abonamentului", + ), + "failedToRenew": MessageLookupByLibrary.simpleMessage( + "Nu s-a reușit reînnoirea", + ), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Verificarea stării plății nu a reușit", + ), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Adăugați 5 membri ai familiei la planul dvs. existent fără a plăti suplimentar.\n\nFiecare membru primește propriul spațiu privat și nu poate vedea fișierele celuilalt decât dacă acestea sunt partajate.\n\nPlanurile de familie sunt disponibile pentru clienții care au un abonament Ente plătit.\n\nAbonați-vă acum pentru a începe!", + ), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Familie"), + "familyPlans": MessageLookupByLibrary.simpleMessage("Planuri de familie"), + "faq": MessageLookupByLibrary.simpleMessage("Întrebări frecvente"), + "faqs": MessageLookupByLibrary.simpleMessage("Întrebări frecvente"), + "favorite": MessageLookupByLibrary.simpleMessage("Favorit"), + "feedback": MessageLookupByLibrary.simpleMessage("Feedback"), + "file": MessageLookupByLibrary.simpleMessage("Fișier"), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Salvarea fișierului în galerie nu a reușit", + ), + "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( + "Adăugați o descriere...", + ), + "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( + "Fișierul nu a fost încărcat încă", + ), + "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Fișier salvat în galerie", + ), + "fileTypes": MessageLookupByLibrary.simpleMessage("Tipuri de fișiere"), + "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( + "Tipuri de fișiere și denumiri", + ), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage("Fișiere șterse"), + "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Fișiere salvate în galerie", + ), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "Găsiți rapid persoane după nume", + ), + "findThemQuickly": MessageLookupByLibrary.simpleMessage("Găsiți rapid"), + "flip": MessageLookupByLibrary.simpleMessage("Răsturnare"), + "forYourMemories": MessageLookupByLibrary.simpleMessage( + "pentru amintirile dvs.", + ), + "forgotPassword": MessageLookupByLibrary.simpleMessage("Am uitat parola"), + "foundFaces": MessageLookupByLibrary.simpleMessage("S-au găsit fețe"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( + "Spațiu gratuit revendicat", + ), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Spațiu gratuit utilizabil", + ), + "freeTrial": MessageLookupByLibrary.simpleMessage( + "Perioadă de încercare gratuită", + ), + "freeTrialValidTill": m38, + "freeUpAmount": m40, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( + "Eliberați spațiu pe dispozitiv", + ), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Economisiți spațiu pe dispozitivul dvs. prin ștergerea fișierelor cărora li s-a făcut copie de rezervă.", + ), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("Eliberați spațiu"), + "gallery": MessageLookupByLibrary.simpleMessage("Galerie"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "Până la 1000 de amintiri afișate în galerie", + ), + "general": MessageLookupByLibrary.simpleMessage("General"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Se generează cheile de criptare...", + ), + "genericProgress": m42, + "goToSettings": MessageLookupByLibrary.simpleMessage("Mergeți la setări"), + "googlePlayId": MessageLookupByLibrary.simpleMessage("ID Google Play"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să permiteți accesul la toate fotografiile în aplicația Setări", + ), + "grantPermission": MessageLookupByLibrary.simpleMessage( + "Acordați permisiunea", + ), + "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( + "Grupare fotografii apropiate", + ), + "guestView": MessageLookupByLibrary.simpleMessage("Mod oaspete"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "Pentru a activa modul oaspete, vă rugăm să configurați codul de acces al dispozitivului sau blocarea ecranului în setările sistemului.", + ), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "Nu urmărim instalările aplicației. Ne-ar ajuta dacă ne-ați spune unde ne-ați găsit!", + ), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Cum ați auzit de Ente? (opțional)", + ), + "help": MessageLookupByLibrary.simpleMessage("Asistență"), + "hidden": MessageLookupByLibrary.simpleMessage("Ascunse"), + "hide": MessageLookupByLibrary.simpleMessage("Ascundere"), + "hideContent": MessageLookupByLibrary.simpleMessage("Ascundeți conținutul"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Ascunde conținutul aplicației în comutatorul de aplicații și dezactivează capturile de ecran", + ), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Ascunde conținutul aplicației în comutatorul de aplicații", + ), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Ascundeți elementele distribuite din galeria principală", + ), + "hiding": MessageLookupByLibrary.simpleMessage("Se ascunde..."), + "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( + "Găzduit la OSM Franţa", + ), + "howItWorks": MessageLookupByLibrary.simpleMessage("Cum funcţionează"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Rugați-i să țină apăsat pe adresa de e-mail din ecranul de setări și să verifice dacă ID-urile de pe ambele dispozitive se potrivesc.", + ), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Autentificarea biometrică nu este configurată pe dispozitivul dvs. Vă rugăm să activați Touch ID sau Face ID pe telefonul dvs.", + ), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "Autentificarea biometrică este dezactivată. Vă rugăm să blocați și să deblocați ecranul pentru a o activa.", + ), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorare"), + "ignored": MessageLookupByLibrary.simpleMessage("ignorat"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Unele fișiere din acest album sunt excluse de la încărcare deoarece au fost șterse anterior din Ente.", + ), + "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( + "Imaginea nu a fost analizată", + ), + "immediately": MessageLookupByLibrary.simpleMessage("Imediat"), + "importing": MessageLookupByLibrary.simpleMessage("Se importă...."), + "incorrectCode": MessageLookupByLibrary.simpleMessage("Cod incorect"), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Parolă incorectă", + ), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Cheie de recuperare incorectă", + ), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Cheia de recuperare introdusă este incorectă", + ), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Cheie de recuperare incorectă", + ), + "indexedItems": MessageLookupByLibrary.simpleMessage("Elemente indexate"), + "info": MessageLookupByLibrary.simpleMessage("Informații"), + "insecureDevice": MessageLookupByLibrary.simpleMessage( + "Dispozitiv nesigur", + ), + "installManually": MessageLookupByLibrary.simpleMessage( + "Instalare manuală", + ), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "Adresa e-mail nu este validă", + ), + "invalidEndpoint": MessageLookupByLibrary.simpleMessage("Endpoint invalid"), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Ne pare rău, endpoint-ul introdus nu este valabil. Vă rugăm să introduceți un endpoint valid și să încercați din nou.", + ), + "invalidKey": MessageLookupByLibrary.simpleMessage("Cheie invalidă"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Cheia de recuperare pe care ați introdus-o nu este validă. Vă rugăm să vă asigurați că aceasta conține 24 de cuvinte și să verificați ortografia fiecăruia.\n\nDacă ați introdus un cod de recuperare mai vechi, asigurați-vă că acesta conține 64 de caractere și verificați fiecare dintre ele.", + ), + "invite": MessageLookupByLibrary.simpleMessage("Invitați"), + "inviteToEnte": MessageLookupByLibrary.simpleMessage("Invitați la Ente"), + "inviteYourFriends": MessageLookupByLibrary.simpleMessage( + "Invitați-vă prietenii", + ), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "Invitați-vă prietenii la Ente", + ), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Se pare că ceva nu a mers bine. Vă rugăm să încercați din nou după ceva timp. Dacă eroarea persistă, vă rugăm să contactați echipa noastră de asistență.", + ), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "Articolele afișează numărul de zile rămase până la ștergerea definitivă", + ), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Articolele selectate vor fi eliminate din acest album", + ), + "join": MessageLookupByLibrary.simpleMessage("Alăturare"), + "joinAlbum": MessageLookupByLibrary.simpleMessage("Alăturați-vă albumului"), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( + "pentru a vedea și a adăuga fotografii", + ), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "pentru a adăuga la albumele distribuite", + ), + "joinDiscord": MessageLookupByLibrary.simpleMessage( + "Alăturați-vă pe Discord", + ), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Păstrați fotografiile"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să ne ajutați cu aceste informații", + ), + "language": MessageLookupByLibrary.simpleMessage("Limbă"), + "lastUpdated": MessageLookupByLibrary.simpleMessage("Ultima actualizare"), + "leave": MessageLookupByLibrary.simpleMessage("Părăsiți"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Părăsiți albumul"), + "leaveFamily": MessageLookupByLibrary.simpleMessage("Părăsiți familia"), + "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Părăsiți albumul distribuit?", + ), + "left": MessageLookupByLibrary.simpleMessage("Stânga"), + "legacy": MessageLookupByLibrary.simpleMessage("Moștenire"), + "legacyAccounts": MessageLookupByLibrary.simpleMessage( + "Conturi de moștenire", + ), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "Moștenirea permite contactelor de încredere să vă acceseze contul în absența dvs.", + ), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "Persoanele de contact de încredere pot iniția recuperarea contului și, dacă nu este blocată în termen de 30 de zile, vă pot reseta parola și accesa contul.", + ), + "light": MessageLookupByLibrary.simpleMessage("Lumină"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Luminoasă"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Linkul a fost copiat în clipboard", + ), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage( + "Limită de dispozitive", + ), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Activat"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Expirat"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Expirarea linkului"), + "linkHasExpired": MessageLookupByLibrary.simpleMessage("Linkul a expirat"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Niciodată"), + "livePhotos": MessageLookupByLibrary.simpleMessage("Fotografii live"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "Puteți împărți abonamentul cu familia dvs.", + ), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "Păstrăm 3 copii ale datelor dvs., dintre care una într-un adăpost antiatomic subteran", + ), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "Toate aplicațiile noastre sunt open source", + ), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Codul nostru sursă și criptografia au fost evaluate extern", + ), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "Puteți distribui linkuri către albumele dvs. celor dragi", + ), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Aplicațiile noastre mobile rulează în fundal pentru a cripta și salva orice fotografie nouă pe care o realizați", + ), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io are un instrument de încărcare sofisticat", + ), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Folosim Xchacha20Poly1305 pentru a vă cripta datele în siguranță", + ), + "loadingExifData": MessageLookupByLibrary.simpleMessage( + "Se încarcă date EXIF...", + ), + "loadingGallery": MessageLookupByLibrary.simpleMessage( + "Se încarcă galeria...", + ), + "loadingMessage": MessageLookupByLibrary.simpleMessage( + "Se încarcă fotografiile...", + ), + "loadingModel": MessageLookupByLibrary.simpleMessage( + "Se descarcă modelele...", + ), + "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( + "Se încarcă fotografiile dvs...", + ), + "localGallery": MessageLookupByLibrary.simpleMessage("Galerie locală"), + "localIndexing": MessageLookupByLibrary.simpleMessage("Indexare locală"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Se pare că ceva nu a mers bine, deoarece sincronizarea fotografiilor locale durează mai mult decât ne așteptam. Vă rugăm să contactați echipa noastră de asistență", + ), + "location": MessageLookupByLibrary.simpleMessage("Locație"), + "locationName": MessageLookupByLibrary.simpleMessage("Numele locației"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "O etichetă de locație grupează toate fotografiile care au fost făcute pe o anumită rază a unei fotografii", + ), + "locations": MessageLookupByLibrary.simpleMessage("Locații"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Blocat"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Ecran de blocare"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Conectare"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Se deconectează..."), + "loginSessionExpired": MessageLookupByLibrary.simpleMessage( + "Sesiune expirată", + ), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "Sesiunea a expirat. Vă rugăm să vă autentificați din nou.", + ), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Apăsând pe „Conectare”, sunteți de acord cu termenii de prestare ai serviciului și politica de confidenţialitate", + ), + "loginWithTOTP": MessageLookupByLibrary.simpleMessage( + "Autentificare cu parolă unică (TOTP)", + ), + "logout": MessageLookupByLibrary.simpleMessage("Deconectare"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "Aceasta va trimite jurnalele pentru a ne ajuta să depistăm problema. Vă rugăm să rețineți că numele fișierelor vor fi incluse pentru a ne ajuta să urmărim problemele cu anumite fișiere.", + ), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Apăsați lung un e-mail pentru a verifica criptarea integrală.", + ), + "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( + "Apăsați lung pe un articol pentru a-l vizualiza pe tot ecranul", + ), + "loopVideoOff": MessageLookupByLibrary.simpleMessage( + "Repetare video dezactivată", + ), + "loopVideoOn": MessageLookupByLibrary.simpleMessage( + "Repetare video activată", + ), + "lostDevice": MessageLookupByLibrary.simpleMessage("Dispozitiv pierdut?"), + "machineLearning": MessageLookupByLibrary.simpleMessage( + "Învățare automată", + ), + "magicSearch": MessageLookupByLibrary.simpleMessage("Căutare magică"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "Căutarea magică permite căutarea fotografiilor după conținutul lor, de exemplu, „floare”, „mașină roșie”, „documente de identitate”", + ), + "manage": MessageLookupByLibrary.simpleMessage("Gestionare"), + "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( + "Gestionați memoria cache a dispozitivului", + ), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Revizuiți și ștergeți spațiul din memoria cache locală.", + ), + "manageFamily": MessageLookupByLibrary.simpleMessage( + "Administrați familia", + ), + "manageLink": MessageLookupByLibrary.simpleMessage("Gestionați linkul"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Gestionare"), + "manageSubscription": MessageLookupByLibrary.simpleMessage( + "Gestionare abonament", + ), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "Asocierea cu PIN funcționează cu orice ecran pe care doriți să vizualizați albumul.", + ), + "map": MessageLookupByLibrary.simpleMessage("Hartă"), + "maps": MessageLookupByLibrary.simpleMessage("Hărţi"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "merchandise": MessageLookupByLibrary.simpleMessage("Produse"), + "mergeWithExisting": MessageLookupByLibrary.simpleMessage( + "Îmbinare cu unul existent", + ), + "mergedPhotos": MessageLookupByLibrary.simpleMessage( + "Fotografii combinate", + ), + "mlConsent": MessageLookupByLibrary.simpleMessage( + "Activați învățarea automată", + ), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Înțeleg și doresc să activez învățarea automată", + ), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Dacă activați învățarea automată, Ente va extrage informații precum geometria fețelor din fișiere, inclusiv din cele distribuite cu dvs.\n\nAcest lucru se va întâmpla pe dispozitivul dvs., iar orice informații biometrice generate vor fi criptate integral.", + ), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să faceți clic aici pentru mai multe detalii despre această funcție în politica de confidențialitate", + ), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "Activați învățarea automată?", + ), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să rețineți că învățarea automată va duce la o utilizare mai mare a lățimii de bandă și a bateriei până când toate elementele sunt indexate. Luați în considerare utilizarea aplicației desktop pentru o indexare mai rapidă, toate rezultatele vor fi sincronizate automat.", + ), + "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( + "Mobil, Web, Desktop", + ), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Moderată"), + "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( + "Modificați interogarea sau încercați să căutați", + ), + "moments": MessageLookupByLibrary.simpleMessage("Momente"), + "month": MessageLookupByLibrary.simpleMessage("lună"), + "monthly": MessageLookupByLibrary.simpleMessage("Lunar"), + "moreDetails": MessageLookupByLibrary.simpleMessage("Mai multe detalii"), + "mostRecent": MessageLookupByLibrary.simpleMessage("Cele mai recente"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("Cele mai relevante"), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("Mutare în album"), + "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Mutați în albumul ascuns", + ), + "movedSuccessfullyTo": m52, + "movedToTrash": MessageLookupByLibrary.simpleMessage( + "S-a mutat în coșul de gunoi", + ), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Se mută fișierele în album...", + ), + "name": MessageLookupByLibrary.simpleMessage("Nume"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Denumiți albumul"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Nu se poate conecta la Ente, vă rugăm să reîncercați după un timp. Dacă eroarea persistă, contactați asistența.", + ), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Nu se poate conecta la Ente, vă rugăm să verificați setările de rețea și să contactați asistenta dacă eroarea persistă.", + ), + "never": MessageLookupByLibrary.simpleMessage("Niciodată"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Album nou"), + "newLocation": MessageLookupByLibrary.simpleMessage("Locație nouă"), + "newPerson": MessageLookupByLibrary.simpleMessage("Persoană nouă"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Nou la Ente"), + "newest": MessageLookupByLibrary.simpleMessage("Cele mai noi"), + "next": MessageLookupByLibrary.simpleMessage("Înainte"), + "no": MessageLookupByLibrary.simpleMessage("Nu"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Niciun album nu a fost distribuit de dvs. încă", + ), + "noDeviceFound": MessageLookupByLibrary.simpleMessage( + "Niciun dispozitiv găsit", + ), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Niciuna"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "Nu aveți fișiere pe acest dispozitiv care pot fi șterse", + ), + "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Fără dubluri"), + "noExifData": MessageLookupByLibrary.simpleMessage("Nu există date EXIF"), + "noFacesFound": MessageLookupByLibrary.simpleMessage( + "Nu au fost găsite fețe", + ), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "Fără poze sau videoclipuri ascunse", + ), + "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( + "Nicio imagine cu locație", + ), + "noInternetConnection": MessageLookupByLibrary.simpleMessage( + "Nu există conexiune la internet", + ), + "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( + "Nicio fotografie nu este salvată în acest moment", + ), + "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( + "Nu s-au găsit fotografii aici", + ), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( + "Nu au fost găsite linkuri rapide", + ), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Nu aveți cheia de recuperare?", + ), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Datorită naturii protocolului nostru de criptare integrală, datele dvs. nu pot fi decriptate fără parola sau cheia dvs. de recuperare", + ), + "noResults": MessageLookupByLibrary.simpleMessage("Niciun rezultat"), + "noResultsFound": MessageLookupByLibrary.simpleMessage( + "Nu s-au găsit rezultate", + ), + "noSuggestionsForPerson": m53, + "noSystemLockFound": MessageLookupByLibrary.simpleMessage( + "Nu s-a găsit nicio blocare de sistem", + ), + "notPersonLabel": m54, + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "Nimic distribuit cu dvs. încă", + ), + "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( + "Nimic de văzut aici! 👀", + ), + "notifications": MessageLookupByLibrary.simpleMessage("Notificări"), + "ok": MessageLookupByLibrary.simpleMessage("Ok"), + "onDevice": MessageLookupByLibrary.simpleMessage("Pe dispozitiv"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "Pe ente", + ), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Numai el/ea"), + "oops": MessageLookupByLibrary.simpleMessage("Ups"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Hopa, nu s-au putut salva editările", + ), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Hopa, ceva nu a mers bine", + ), + "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( + "Deschideți albumul în browser", + ), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să utilizați aplicația web pentru a adăuga fotografii la acest album", + ), + "openFile": MessageLookupByLibrary.simpleMessage("Deschidere fișier"), + "openSettings": MessageLookupByLibrary.simpleMessage("Deschideți Setări"), + "openTheItem": MessageLookupByLibrary.simpleMessage( + "• Deschideți articolul", + ), + "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( + "Contribuitori OpenStreetMap", + ), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Opțional, cât de scurt doriți...", + ), + "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( + "Sau îmbinați cu cele existente", + ), + "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( + "Sau alegeți unul existent", + ), + "pair": MessageLookupByLibrary.simpleMessage("Asociere"), + "pairWithPin": MessageLookupByLibrary.simpleMessage("Asociere cu PIN"), + "pairingComplete": MessageLookupByLibrary.simpleMessage("Asociere reușită"), + "panorama": MessageLookupByLibrary.simpleMessage("Panoramă"), + "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( + "Verificarea este încă în așteptare", + ), + "passkey": MessageLookupByLibrary.simpleMessage("Cheie de acces"), + "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( + "Verificare cheie de acces", + ), + "password": MessageLookupByLibrary.simpleMessage("Parolă"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Parola a fost schimbată cu succes", + ), + "passwordLock": MessageLookupByLibrary.simpleMessage("Blocare cu parolă"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "Puterea parolei este calculată luând în considerare lungimea parolei, caracterele utilizate și dacă parola apare sau nu în top 10.000 cele mai utilizate parole", + ), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Nu reținem această parolă, deci dacă o uitați nu vă putem decripta datele", + ), + "paymentDetails": MessageLookupByLibrary.simpleMessage("Detalii de plată"), + "paymentFailed": MessageLookupByLibrary.simpleMessage("Plata nu a reușit"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "Din păcate, plata dvs. nu a reușit. Vă rugăm să contactați asistență și vom fi bucuroși să vă ajutăm!", + ), + "paymentFailedTalkToProvider": m58, + "pendingItems": MessageLookupByLibrary.simpleMessage( + "Elemente în așteptare", + ), + "pendingSync": MessageLookupByLibrary.simpleMessage( + "Sincronizare în așteptare", + ), + "people": MessageLookupByLibrary.simpleMessage("Persoane"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Persoane care folosesc codul dvs.", + ), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Toate articolele din coșul de gunoi vor fi șterse definitiv\n\nAceastă acțiune nu poate fi anulată", + ), + "permanentlyDelete": MessageLookupByLibrary.simpleMessage( + "Ștergere definitivă", + ), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Ștergeți permanent de pe dispozitiv?", + ), + "personName": MessageLookupByLibrary.simpleMessage("Numele persoanei"), + "photoDescriptions": MessageLookupByLibrary.simpleMessage( + "Descrieri fotografie", + ), + "photoGridSize": MessageLookupByLibrary.simpleMessage( + "Dimensiunea grilei foto", + ), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("fotografie"), + "photos": MessageLookupByLibrary.simpleMessage("Fotografii"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "Fotografiile adăugate de dvs. vor fi eliminate din album", + ), + "pickCenterPoint": MessageLookupByLibrary.simpleMessage( + "Alegeți punctul central", + ), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Fixați albumul"), + "pinLock": MessageLookupByLibrary.simpleMessage("Blocare PIN"), + "playOnTv": MessageLookupByLibrary.simpleMessage("Redare album pe TV"), + "playStoreFreeTrialValidTill": m63, + "playstoreSubscription": MessageLookupByLibrary.simpleMessage( + "Abonament PlayStore", + ), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Vă rugăm să verificați conexiunea la internet și să încercați din nou.", + ), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Vă rugăm să contactați support@ente.io și vom fi bucuroși să vă ajutăm!", + ), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Vă rugăm să contactați asistența dacă problema persistă", + ), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să acordați permisiuni", + ), + "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( + "Vă rugăm, autentificați-vă din nou", + ), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să selectați linkurile rapide de eliminat", + ), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să încercați din nou", + ), + "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să verificați codul introdus", + ), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Vă rugăm așteptați..."), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Vă rugăm așteptați, se șterge albumul", + ), + "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să așteptați un moment înainte să reîncercați", + ), + "preparingLogs": MessageLookupByLibrary.simpleMessage( + "Se pregătesc jurnalele...", + ), + "preserveMore": MessageLookupByLibrary.simpleMessage("Păstrați mai multe"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Apăsați lung pentru a reda videoclipul", + ), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Apăsați lung pe imagine pentru a reda videoclipul", + ), + "privacy": MessageLookupByLibrary.simpleMessage("Confidențialitate"), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "Politică de confidențialitate", + ), + "privateBackups": MessageLookupByLibrary.simpleMessage( + "Copii de rezervă private", + ), + "privateSharing": MessageLookupByLibrary.simpleMessage( + "Distribuire privată", + ), + "proceed": MessageLookupByLibrary.simpleMessage("Continuați"), + "processed": MessageLookupByLibrary.simpleMessage("Procesate"), + "processingImport": m67, + "publicLinkCreated": MessageLookupByLibrary.simpleMessage( + "Link public creat", + ), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( + "Link public activat", + ), + "quickLinks": MessageLookupByLibrary.simpleMessage("Link-uri rapide"), + "radius": MessageLookupByLibrary.simpleMessage("Rază"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Solicitați asistență"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("Evaluați aplicația"), + "rateUs": MessageLookupByLibrary.simpleMessage("Evaluați-ne"), + "rateUsOnStore": m68, + "recover": MessageLookupByLibrary.simpleMessage("Recuperare"), + "recoverAccount": MessageLookupByLibrary.simpleMessage("Recuperare cont"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Recuperare"), + "recoveryAccount": MessageLookupByLibrary.simpleMessage("Recuperare cont"), + "recoveryInitiated": MessageLookupByLibrary.simpleMessage( + "Recuperare inițiată", + ), + "recoveryInitiatedDesc": m70, + "recoveryKey": MessageLookupByLibrary.simpleMessage("Cheie de recuperare"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Cheie de recuperare copiată în clipboard", + ), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Dacă vă uitați parola, singura cale de a vă recupera datele este folosind această cheie.", + ), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Nu reținem această cheie, vă rugăm să păstrați această cheie de 24 de cuvinte într-un loc sigur.", + ), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Super! Cheia dvs. de recuperare este validă. Vă mulțumim pentru verificare.\n\nVă rugăm să nu uitați să păstrați cheia de recuperare în siguranță.", + ), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Cheie de recuperare verificată", + ), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Cheia dvs. de recuperare este singura modalitate de a vă recupera fotografiile dacă uitați parola. Puteți găsi cheia dvs. de recuperare în Setări > Cont.\n\nVă rugăm să introduceți aici cheia de recuperare pentru a verifica dacă ați salvat-o corect.", + ), + "recoveryReady": m71, + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "Recuperare reușită!", + ), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "Un contact de încredere încearcă să vă acceseze contul", + ), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Dispozitivul actual nu este suficient de puternic pentru a vă verifica parola, dar o putem regenera într-un mod care să funcționeze cu toate dispozitivele.\n\nVă rugăm să vă conectați utilizând cheia de recuperare și să vă regenerați parola (dacă doriți, o puteți utiliza din nou pe aceeași).", + ), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Refaceți parola", + ), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": MessageLookupByLibrary.simpleMessage( + "Reintroduceți parola", + ), + "reenterPin": MessageLookupByLibrary.simpleMessage( + "Reintroduceți codul PIN", + ), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Recomandați un prieten și dublați-vă planul", + ), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Dați acest cod prietenilor", + ), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Aceștia se înscriu la un plan cu plată", + ), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Recomandări"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "Recomandările sunt momentan întrerupte", + ), + "rejectRecovery": MessageLookupByLibrary.simpleMessage( + "Respingeți recuperarea", + ), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "De asemenea, goliți dosarul „Șterse recent” din „Setări” -> „Spațiu” pentru a recupera spațiul eliberat", + ), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "De asemenea, goliți „Coșul de gunoi” pentru a revendica spațiul eliberat", + ), + "remoteImages": MessageLookupByLibrary.simpleMessage("Imagini la distanță"), + "remoteThumbnails": MessageLookupByLibrary.simpleMessage( + "Miniaturi la distanță", + ), + "remoteVideos": MessageLookupByLibrary.simpleMessage( + "Videoclipuri la distanță", + ), + "remove": MessageLookupByLibrary.simpleMessage("Eliminare"), + "removeDuplicates": MessageLookupByLibrary.simpleMessage( + "Eliminați dublurile", + ), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Revizuiți și eliminați fișierele care sunt dubluri exacte.", + ), + "removeFromAlbum": MessageLookupByLibrary.simpleMessage( + "Eliminați din album", + ), + "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( + "Eliminați din album?", + ), + "removeFromFavorite": MessageLookupByLibrary.simpleMessage( + "Eliminați din favorite", + ), + "removeInvite": MessageLookupByLibrary.simpleMessage("Eliminare invitație"), + "removeLink": MessageLookupByLibrary.simpleMessage("Eliminați linkul"), + "removeParticipant": MessageLookupByLibrary.simpleMessage( + "Eliminați participantul", + ), + "removeParticipantBody": m74, + "removePersonLabel": MessageLookupByLibrary.simpleMessage( + "Eliminați eticheta persoanei", + ), + "removePublicLink": MessageLookupByLibrary.simpleMessage( + "Eliminați linkul public", + ), + "removePublicLinks": MessageLookupByLibrary.simpleMessage( + "Eliminați linkurile publice", + ), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Unele dintre articolele pe care le eliminați au fost adăugate de alte persoane și veți pierde accesul la acestea", + ), + "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage( + "Eliminați?", + ), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Eliminați-vă ca persoană de contact de încredere", + ), + "removingFromFavorites": MessageLookupByLibrary.simpleMessage( + "Se elimină din favorite...", + ), + "rename": MessageLookupByLibrary.simpleMessage("Redenumire"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("Redenumire album"), + "renameFile": MessageLookupByLibrary.simpleMessage("Redenumiți fișierul"), + "renewSubscription": MessageLookupByLibrary.simpleMessage( + "Reînnoire abonament", + ), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Raportați o eroare"), + "reportBug": MessageLookupByLibrary.simpleMessage("Raportare eroare"), + "resendEmail": MessageLookupByLibrary.simpleMessage("Retrimitere e-mail"), + "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( + "Resetare fișiere ignorate", + ), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Resetați parola", + ), + "resetPerson": MessageLookupByLibrary.simpleMessage("Eliminare"), + "resetToDefault": MessageLookupByLibrary.simpleMessage( + "Resetare la valori implicite", + ), + "restore": MessageLookupByLibrary.simpleMessage("Restaurare"), + "restoreToAlbum": MessageLookupByLibrary.simpleMessage( + "Restaurare în album", + ), + "restoringFiles": MessageLookupByLibrary.simpleMessage( + "Se restaurează fișierele...", + ), + "resumableUploads": MessageLookupByLibrary.simpleMessage( + "Reluare încărcări", + ), + "retry": MessageLookupByLibrary.simpleMessage("Încercați din nou"), + "review": MessageLookupByLibrary.simpleMessage("Examinați"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să revizuiți și să ștergeți articolele pe care le considerați a fi dubluri.", + ), + "reviewSuggestions": MessageLookupByLibrary.simpleMessage( + "Revizuire sugestii", + ), + "right": MessageLookupByLibrary.simpleMessage("Dreapta"), + "rotate": MessageLookupByLibrary.simpleMessage("Rotire"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Rotire la stânga"), + "rotateRight": MessageLookupByLibrary.simpleMessage("Rotire la dreapta"), + "safelyStored": MessageLookupByLibrary.simpleMessage( + "Stocare în siguranță", + ), + "save": MessageLookupByLibrary.simpleMessage("Salvare"), + "saveCollage": MessageLookupByLibrary.simpleMessage("Salvați colajul"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Salvare copie"), + "saveKey": MessageLookupByLibrary.simpleMessage("Salvați cheia"), + "savePerson": MessageLookupByLibrary.simpleMessage("Salvați persoana"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Salvați cheia de recuperare, dacă nu ați făcut-o deja", + ), + "saving": MessageLookupByLibrary.simpleMessage("Se salvează..."), + "savingEdits": MessageLookupByLibrary.simpleMessage( + "Se salvează editările...", + ), + "scanCode": MessageLookupByLibrary.simpleMessage("Scanare cod"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Scanați acest cod de bare\ncu aplicația de autentificare", + ), + "search": MessageLookupByLibrary.simpleMessage("Căutare"), + "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Albume"), + "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage("Nume album"), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Nume de album (ex. „Cameră”)\n• Tipuri de fișiere (ex. „Videoclipuri”, „.gif”)\n• Ani și luni (ex. „2022”, „Ianuarie”)\n• Sărbători (ex. „Crăciun”)\n• Descrieri ale fotografiilor (ex. „#distracție”)", + ), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Adăugați descrieri precum „#excursie” în informațiile fotografiilor pentru a le găsi ușor aici", + ), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Căutare după o dată, o lună sau un an", + ), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "Imaginile vor fi afișate aici odată ce procesarea și sincronizarea este completă", + ), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "Persoanele vor fi afișate aici odată ce indexarea este finalizată", + ), + "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( + "Tipuri de fișiere și denumiri", + ), + "searchHint1": MessageLookupByLibrary.simpleMessage( + "Căutare rapidă, pe dispozitiv", + ), + "searchHint2": MessageLookupByLibrary.simpleMessage( + "Date, descrieri ale fotografiilor", + ), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "Albume, numele fișierelor și tipuri", + ), + "searchHint4": MessageLookupByLibrary.simpleMessage("Locație"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "În curând: chipuri și căutare magică ✨", + ), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Grupare fotografii realizate în raza unei fotografii", + ), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "Invitați persoane și veți vedea aici toate fotografiile distribuite de acestea", + ), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "Persoanele vor fi afișate aici odată ce procesarea și sincronizarea este completă", + ), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Securitate"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "Vedeți linkurile albumelor publice în aplicație", + ), + "selectALocation": MessageLookupByLibrary.simpleMessage( + "Selectați o locație", + ), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage( + "Selectați mai întâi o locație", + ), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Selectare album"), + "selectAll": MessageLookupByLibrary.simpleMessage("Selectare totală"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("Toate"), + "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( + "Selectați fotografia de copertă", + ), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Selectați folderele pentru copie de rezervă", + ), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "Selectați elementele de adăugat", + ), + "selectLanguage": MessageLookupByLibrary.simpleMessage("Selectaţi limba"), + "selectMailApp": MessageLookupByLibrary.simpleMessage( + "Selectați aplicația de e-mail", + ), + "selectMorePhotos": MessageLookupByLibrary.simpleMessage( + "Selectați mai multe fotografii", + ), + "selectReason": MessageLookupByLibrary.simpleMessage("Selectați motivul"), + "selectYourPlan": MessageLookupByLibrary.simpleMessage("Selectați planul"), + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Fișierele selectate nu sunt pe Ente", + ), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Dosarele selectate vor fi criptate și salvate", + ), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Articolele selectate vor fi șterse din toate albumele și mutate în coșul de gunoi.", + ), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "send": MessageLookupByLibrary.simpleMessage("Trimitere"), + "sendEmail": MessageLookupByLibrary.simpleMessage("Trimiteți e-mail"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Trimiteți invitația"), + "sendLink": MessageLookupByLibrary.simpleMessage("Trimitere link"), + "serverEndpoint": MessageLookupByLibrary.simpleMessage( + "Adresa (endpoint) server-ului", + ), + "sessionExpired": MessageLookupByLibrary.simpleMessage("Sesiune expirată"), + "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( + "Nepotrivire ID sesiune", + ), + "setAPassword": MessageLookupByLibrary.simpleMessage("Setați o parolă"), + "setAs": MessageLookupByLibrary.simpleMessage("Setare ca"), + "setCover": MessageLookupByLibrary.simpleMessage("Setare copertă"), + "setLabel": MessageLookupByLibrary.simpleMessage("Setare"), + "setNewPassword": MessageLookupByLibrary.simpleMessage( + "Setați parola noua", + ), + "setNewPin": MessageLookupByLibrary.simpleMessage("Setați un cod nou PIN"), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage("Setați parola"), + "setRadius": MessageLookupByLibrary.simpleMessage("Setare rază"), + "setupComplete": MessageLookupByLibrary.simpleMessage( + "Configurare finalizată", + ), + "share": MessageLookupByLibrary.simpleMessage("Distribuire"), + "shareALink": MessageLookupByLibrary.simpleMessage("Distribuiți un link"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Deschideți un album și atingeți butonul de distribuire din dreapta sus pentru a distribui.", + ), + "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( + "Distribuiți un album acum", + ), + "shareLink": MessageLookupByLibrary.simpleMessage("Distribuiți linkul"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Distribuiți numai cu persoanele pe care le doriți", + ), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Descarcă Ente pentru a putea distribui cu ușurință fotografii și videoclipuri în calitate originală\n\nhttps://ente.io", + ), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Distribuiți cu utilizatori din afara Ente", + ), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( + "Distribuiți primul album", + ), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Creați albume distribuite și colaborative cu alți utilizatori Ente, inclusiv cu utilizatorii planurilor gratuite.", + ), + "sharedByMe": MessageLookupByLibrary.simpleMessage( + "Distribuit de către mine", + ), + "sharedByYou": MessageLookupByLibrary.simpleMessage("Distribuite de dvs."), + "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( + "Fotografii partajate noi", + ), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Primiți notificări atunci când cineva adaugă o fotografie la un album distribuit din care faceți parte", + ), + "sharedWith": m87, + "sharedWithMe": MessageLookupByLibrary.simpleMessage("Distribuit mie"), + "sharedWithYou": MessageLookupByLibrary.simpleMessage( + "Distribuite cu dvs.", + ), + "sharing": MessageLookupByLibrary.simpleMessage("Se distribuie..."), + "showMemories": MessageLookupByLibrary.simpleMessage("Afișare amintiri"), + "showPerson": MessageLookupByLibrary.simpleMessage("Afișare persoană"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "Deconectare de pe alte dispozitive", + ), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Dacă credeți că cineva ar putea să vă cunoască parola, puteți forța toate celelalte dispozitive care utilizează contul dvs. să se deconecteze.", + ), + "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( + "Deconectați alte dispozitive", + ), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Sunt de acord cu termenii de prestare ai serviciului și politica de confidențialitate", + ), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Acesta va fi șters din toate albumele.", + ), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Omiteți"), + "social": MessageLookupByLibrary.simpleMessage("Rețele socializare"), + "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( + "Anumite articole se află atât în Ente, cât și în dispozitiv.", + ), + "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( + "Unele dintre fișierele pe care încercați să le ștergeți sunt disponibile numai pe dispozitivul dvs. și nu pot fi recuperate dacă sunt șterse", + ), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Cineva care distribuie albume cu dvs. ar trebui să vadă același ID pe dispozitivul său.", + ), + "somethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Ceva nu a funcţionat corect", + ), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Ceva nu a mers bine, vă rugăm să încercați din nou", + ), + "sorry": MessageLookupByLibrary.simpleMessage("Ne pare rău"), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Ne pare rău, nu s-a putut adăuga la favorite!", + ), + "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( + "Ne pare rău, nu s-a putut elimina din favorite!", + ), + "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "Ne pare rău, codul introdus este incorect", + ), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Ne pare rău, nu am putut genera chei securizate pe acest dispozitiv.\n\nvă rugăm să vă înregistrați de pe un alt dispozitiv.", + ), + "sort": MessageLookupByLibrary.simpleMessage("Sortare"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sortare după"), + "sortNewestFirst": MessageLookupByLibrary.simpleMessage( + "Cele mai noi primele", + ), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage( + "Cele mai vechi primele", + ), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Succes"), + "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( + "Începeți recuperarea", + ), + "startBackup": MessageLookupByLibrary.simpleMessage( + "Începeți copia de rezervă", + ), + "status": MessageLookupByLibrary.simpleMessage("Status"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "Doriți să opriți proiectarea?", + ), + "stopCastingTitle": MessageLookupByLibrary.simpleMessage( + "Opriți proiectarea", + ), + "storage": MessageLookupByLibrary.simpleMessage("Spațiu"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Familie"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Dvs."), + "storageInGB": m93, + "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( + "Limita de spațiu depășită", + ), + "storageUsageInfo": m94, + "strongStrength": MessageLookupByLibrary.simpleMessage("Puternică"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Abonare"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Aveți nevoie de un abonament plătit activ pentru a activa distribuirea.", + ), + "subscription": MessageLookupByLibrary.simpleMessage("Abonament"), + "success": MessageLookupByLibrary.simpleMessage("Succes"), + "successfullyArchived": MessageLookupByLibrary.simpleMessage( + "Arhivat cu succes", + ), + "successfullyHid": MessageLookupByLibrary.simpleMessage( + "S-a ascuns cu succes", + ), + "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( + "Dezarhivat cu succes", + ), + "successfullyUnhid": MessageLookupByLibrary.simpleMessage( + "S-a reafișat cu succes", + ), + "suggestFeatures": MessageLookupByLibrary.simpleMessage( + "Sugerați funcționalități", + ), + "support": MessageLookupByLibrary.simpleMessage("Asistență"), + "syncProgress": m97, + "syncStopped": MessageLookupByLibrary.simpleMessage("Sincronizare oprită"), + "syncing": MessageLookupByLibrary.simpleMessage("Sincronizare..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("Sistem"), + "tapToCopy": MessageLookupByLibrary.simpleMessage( + "atingeți pentru a copia", + ), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage( + "Atingeți pentru a introduce codul", + ), + "tapToUnlock": MessageLookupByLibrary.simpleMessage( + "Atingeți pentru a debloca", + ), + "tapToUpload": MessageLookupByLibrary.simpleMessage( + "Atingeți pentru a încărca", + ), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Se pare că ceva nu a mers bine. Vă rugăm să încercați din nou după ceva timp. Dacă eroarea persistă, vă rugăm să contactați echipa noastră de asistență.", + ), + "terminate": MessageLookupByLibrary.simpleMessage("Terminare"), + "terminateSession": MessageLookupByLibrary.simpleMessage( + "Terminați sesiunea?", + ), + "terms": MessageLookupByLibrary.simpleMessage("Termeni"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Termeni"), + "thankYou": MessageLookupByLibrary.simpleMessage("Vă mulțumim"), + "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( + "Mulțumim pentru abonare!", + ), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "Descărcarea nu a putut fi finalizată", + ), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "Linkul pe care încercați să îl accesați a expirat.", + ), + "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "Cheia de recuperare introdusă este incorectă", + ), + "theme": MessageLookupByLibrary.simpleMessage("Temă"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Aceste articole vor fi șterse din dispozitivul dvs.", + ), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "Acestea vor fi șterse din toate albumele.", + ), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Această acțiune nu poate fi anulată", + ), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "Acest album are deja un link colaborativ", + ), + "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( + "Aceasta poate fi utilizată pentru a vă recupera contul în cazul în care pierdeți al doilea factor", + ), + "thisDevice": MessageLookupByLibrary.simpleMessage("Acest dispozitiv"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "Această adresă de e-mail este deja folosită", + ), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Această imagine nu are date exif", + ), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Acesta este ID-ul dvs. de verificare", + ), + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Urmează să vă deconectați de pe următorul dispozitiv:", + ), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Urmează să vă deconectați de pe acest dispozitiv!", + ), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "Se vor elimina linkurile publice ale linkurilor rapide selectate.", + ), + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "Pentru a activa blocarea aplicației, vă rugăm să configurați codul de acces al dispozitivului sau blocarea ecranului în setările sistemului.", + ), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( + "Pentru a ascunde o fotografie sau un videoclip", + ), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Pentru a reseta parola, vă rugăm să verificați mai întâi e-mailul.", + ), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Jurnalele de astăzi"), + "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( + "Prea multe încercări incorecte", + ), + "total": MessageLookupByLibrary.simpleMessage("total"), + "totalSize": MessageLookupByLibrary.simpleMessage("Dimensiune totală"), + "trash": MessageLookupByLibrary.simpleMessage("Coș de gunoi"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Decupare"), + "trustedContacts": MessageLookupByLibrary.simpleMessage( + "Contacte de încredere", + ), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Încercați din nou"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Activați copia de rezervă pentru a încărca automat fișierele adăugate la acest dosar de pe dispozitiv în Ente.", + ), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "2 luni gratuite la planurile anuale", + ), + "twofactor": MessageLookupByLibrary.simpleMessage("Doi factori"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "Autentificarea cu doi factori a fost dezactivată", + ), + "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( + "Autentificare cu doi factori", + ), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "Autentificarea cu doi factori a fost resetată cu succes", + ), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Configurare doi factori", + ), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("Dezarhivare"), + "unarchiveAlbum": MessageLookupByLibrary.simpleMessage("Dezarhivare album"), + "unarchiving": MessageLookupByLibrary.simpleMessage("Se dezarhivează..."), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Ne pare rău, acest cod nu este disponibil.", + ), + "uncategorized": MessageLookupByLibrary.simpleMessage("Necategorisite"), + "unhide": MessageLookupByLibrary.simpleMessage("Reafişare"), + "unhideToAlbum": MessageLookupByLibrary.simpleMessage("Reafișare în album"), + "unhiding": MessageLookupByLibrary.simpleMessage("Se reafișează..."), + "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Se reafișează fișierele în album", + ), + "unlock": MessageLookupByLibrary.simpleMessage("Deblocare"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage( + "Anulați fixarea albumului", + ), + "unselectAll": MessageLookupByLibrary.simpleMessage("Deselectare totală"), + "update": MessageLookupByLibrary.simpleMessage("Actualizare"), + "updateAvailable": MessageLookupByLibrary.simpleMessage( + "Actualizare disponibilă", + ), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Se actualizează selecția dosarelor...", + ), + "upgrade": MessageLookupByLibrary.simpleMessage("Îmbunătățire"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Se încarcă fișiere în album...", + ), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( + "Se salvează o amintire...", + ), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "Reducere de până la 50%, până pe 4 decembrie", + ), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "Spațiul utilizabil este limitat de planul dvs. actual. Spațiul suplimentar revendicat va deveni automat utilizabil atunci când vă îmbunătățiți planul.", + ), + "useAsCover": MessageLookupByLibrary.simpleMessage( + "Utilizați ca și copertă", + ), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "Aveți probleme cu redarea acestui videoclip? Apăsați lung aici pentru a încerca un alt player.", + ), + "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Folosiți linkuri publice pentru persoanele care nu sunt pe Ente", + ), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Folosiți cheia de recuperare", + ), + "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( + "Folosiți fotografia selectată", + ), + "usedSpace": MessageLookupByLibrary.simpleMessage("Spațiu utilizat"), + "validTill": m110, + "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Verificare eșuată, încercați din nou", + ), + "verificationId": MessageLookupByLibrary.simpleMessage("ID de verificare"), + "verify": MessageLookupByLibrary.simpleMessage("Verificare"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("Verificare e-mail"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Verificare"), + "verifyPasskey": MessageLookupByLibrary.simpleMessage( + "Verificați cheia de acces", + ), + "verifyPassword": MessageLookupByLibrary.simpleMessage("Verificați parola"), + "verifying": MessageLookupByLibrary.simpleMessage("Se verifică..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Se verifică cheia de recuperare...", + ), + "videoInfo": MessageLookupByLibrary.simpleMessage("Informaţii video"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("videoclip"), + "videos": MessageLookupByLibrary.simpleMessage("Videoclipuri"), + "viewActiveSessions": MessageLookupByLibrary.simpleMessage( + "Vedeți sesiunile active", + ), + "viewAddOnButton": MessageLookupByLibrary.simpleMessage( + "Vizualizare suplimente", + ), + "viewAll": MessageLookupByLibrary.simpleMessage("Vizualizați tot"), + "viewAllExifData": MessageLookupByLibrary.simpleMessage( + "Vizualizați toate datele EXIF", + ), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Fișiere mari"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Vizualizați fișierele care consumă cel mai mult spațiu.", + ), + "viewLogs": MessageLookupByLibrary.simpleMessage("Afișare jurnale"), + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Vizualizați cheia de recuperare", + ), + "viewer": MessageLookupByLibrary.simpleMessage("Observator"), + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să vizitați web.ente.io pentru a vă gestiona abonamentul", + ), + "waitingForVerification": MessageLookupByLibrary.simpleMessage( + "Se așteaptă verificarea...", + ), + "waitingForWifi": MessageLookupByLibrary.simpleMessage( + "Se așteaptă WiFi...", + ), + "warning": MessageLookupByLibrary.simpleMessage("Atenție"), + "weAreOpenSource": MessageLookupByLibrary.simpleMessage( + "Suntem open source!", + ), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "Nu se acceptă editarea fotografiilor sau albumelor pe care nu le dețineți încă", + ), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Slabă"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("Bine ați revenit!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("Noutăți"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "Contactul de încredere vă poate ajuta la recuperarea datelor.", + ), + "yearShort": MessageLookupByLibrary.simpleMessage("an"), + "yearly": MessageLookupByLibrary.simpleMessage("Anual"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Da"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Da, anulează"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "Da, covertiți la observator", + ), + "yesDelete": MessageLookupByLibrary.simpleMessage("Da, șterge"), + "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( + "Da, renunțați la modificări", + ), + "yesLogout": MessageLookupByLibrary.simpleMessage("Da, mă deconectez"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Da, elimină"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Da, reînnoiește"), + "yesResetPerson": MessageLookupByLibrary.simpleMessage( + "Da, resetează persoana", + ), + "you": MessageLookupByLibrary.simpleMessage("Dvs."), + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( + "Sunteți pe un plan de familie!", + ), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Sunteți pe cea mai recentă versiune", + ), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Cel mult vă puteți dubla spațiul", + ), + "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( + "Puteți gestiona link-urile în fila de distribuire.", + ), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "Puteți încerca să căutați altceva.", + ), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "Nu puteți retrograda la acest plan", + ), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Nu poți distribui cu tine însuți", + ), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "Nu aveți articole arhivate.", + ), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "Contul dvs. a fost șters", + ), + "yourMap": MessageLookupByLibrary.simpleMessage("Harta dvs."), + "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( + "Planul dvs. a fost retrogradat cu succes", + ), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "Planul dvs. a fost îmbunătățit cu succes", + ), + "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( + "Achiziția dvs. a fost efectuată cu succes", + ), + "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( + "Detaliile privind spațiul de stocare nu au putut fi preluate", + ), + "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( + "Abonamentul dvs. a expirat", + ), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "Abonamentul dvs. a fost actualizat cu succes", + ), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "Codul dvs. de verificare a expirat", + ), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "Nu aveți fișiere în acest album care pot fi șterse", + ), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( + "Micșorați pentru a vedea fotografiile", + ), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_ru.dart b/mobile/apps/photos/lib/generated/intl/messages_ru.dart index 3955a25e92..25b3005f75 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_ru.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_ru.dart @@ -57,12 +57,7 @@ class MessageLookup extends MessageLookupByLibrary { "${user} не сможет добавлять новые фото в этот альбом\n\nЭтот пользователь всё ещё сможет удалять существующие фото, добавленные им"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, { - 'true': - 'Ваша семья получила ${storageAmountInGb} ГБ на данный момент', - 'false': 'Вы получили ${storageAmountInGb} ГБ на данный момент', - 'other': 'Вы получили ${storageAmountInGb} ГБ на данный момент!', - })}"; + "${Intl.select(isFamilyMember, {'true': 'Ваша семья получила ${storageAmountInGb} ГБ на данный момент', 'false': 'Вы получили ${storageAmountInGb} ГБ на данный момент', 'other': 'Вы получили ${storageAmountInGb} ГБ на данный момент!'})}"; static String m15(albumName) => "Совместная ссылка создана для ${albumName}"; @@ -266,7 +261,11 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} ГБ"; static String m94( - usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => + usedAmount, + usedStorageUnit, + totalAmount, + totalStorageUnit, + ) => "Использовано ${usedAmount} ${usedStorageUnit} из ${totalAmount} ${totalStorageUnit}"; static String m95(id) => @@ -322,7 +321,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m115(name) => "Поздравляем ${name} с днем ​​рождения! 🎉"; static String m116(count) => - "${Intl.plural(count, one: '${count} год назад', other: '${count} лет назад')}"; + "${Intl.plural(count, one: '${count} год назад', few: '${count} года назад', other: '${count} лет назад')}"; static String m117(name) => "Вы и ${name}"; @@ -330,2023 +329,2567 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": - MessageLookupByLibrary.simpleMessage("Доступна новая версия Ente."), - "about": MessageLookupByLibrary.simpleMessage("О программе"), - "acceptTrustInvite": - MessageLookupByLibrary.simpleMessage("Принять приглашение"), - "account": MessageLookupByLibrary.simpleMessage("Аккаунт"), - "accountIsAlreadyConfigured": - MessageLookupByLibrary.simpleMessage("Аккаунт уже настроен."), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("С возвращением!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Я понимаю, что если я потеряю пароль, я могу потерять свои данные, так как они защищены сквозным шифрованием."), - "actionNotSupportedOnFavouritesAlbum": - MessageLookupByLibrary.simpleMessage( - "Действие не поддерживается в альбоме «Избранное»"), - "activeSessions": - MessageLookupByLibrary.simpleMessage("Активные сеансы"), - "add": MessageLookupByLibrary.simpleMessage("Добавить"), - "addAName": MessageLookupByLibrary.simpleMessage("Добавить имя"), - "addANewEmail": MessageLookupByLibrary.simpleMessage( - "Добавьте новую электронную почту"), - "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Добавьте виджет альбома на главный экран и вернитесь сюда, чтобы настроить его."), - "addCollaborator": - MessageLookupByLibrary.simpleMessage("Добавить соавтора"), - "addCollaborators": m1, - "addFiles": MessageLookupByLibrary.simpleMessage("Добавить файлы"), - "addFromDevice": - MessageLookupByLibrary.simpleMessage("Добавить с устройства"), - "addItem": m2, - "addLocation": - MessageLookupByLibrary.simpleMessage("Добавить местоположение"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Добавить"), - "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Добавьте виджет воспоминаний на главный экран и вернитесь сюда, чтобы настроить его."), - "addMore": MessageLookupByLibrary.simpleMessage("Добавить ещё"), - "addName": MessageLookupByLibrary.simpleMessage("Добавить имя"), - "addNameOrMerge": - MessageLookupByLibrary.simpleMessage("Добавить имя или объединить"), - "addNew": MessageLookupByLibrary.simpleMessage("Добавить новое"), - "addNewPerson": - MessageLookupByLibrary.simpleMessage("Добавить нового человека"), - "addOnPageSubtitle": - MessageLookupByLibrary.simpleMessage("Подробности дополнений"), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("Дополнения"), - "addParticipants": - MessageLookupByLibrary.simpleMessage("Добавить участников"), - "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Добавьте виджет людей на главный экран и вернитесь сюда, чтобы настроить его."), - "addPhotos": MessageLookupByLibrary.simpleMessage("Добавить фото"), - "addSelected": - MessageLookupByLibrary.simpleMessage("Добавить выбранные"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("Добавить в альбом"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Добавить в Ente"), - "addToHiddenAlbum": - MessageLookupByLibrary.simpleMessage("Добавить в скрытый альбом"), - "addTrustedContact": - MessageLookupByLibrary.simpleMessage("Добавить доверенный контакт"), - "addViewer": MessageLookupByLibrary.simpleMessage("Добавить зрителя"), - "addViewers": m4, - "addYourPhotosNow": - MessageLookupByLibrary.simpleMessage("Добавьте ваши фото"), - "addedAs": MessageLookupByLibrary.simpleMessage("Добавлен как"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": - MessageLookupByLibrary.simpleMessage("Добавление в избранное..."), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("Расширенные"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Расширенные"), - "after1Day": MessageLookupByLibrary.simpleMessage("Через 1 день"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Через 1 час"), - "after1Month": MessageLookupByLibrary.simpleMessage("Через 1 месяц"), - "after1Week": MessageLookupByLibrary.simpleMessage("Через 1 неделю"), - "after1Year": MessageLookupByLibrary.simpleMessage("Через 1 год"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Владелец"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Название альбома"), - "albumUpdated": MessageLookupByLibrary.simpleMessage("Альбом обновлён"), - "albums": MessageLookupByLibrary.simpleMessage("Альбомы"), - "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Выберите альбомы, которые вы хотите видеть на главном экране."), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Всё чисто"), - "allMemoriesPreserved": - MessageLookupByLibrary.simpleMessage("Все воспоминания сохранены"), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "Все группы этого человека будут сброшены, и вы потеряете все предложения для него"), - "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": - MessageLookupByLibrary.simpleMessage( - "Все неназванные группы будут объединены в выбранного человека. Это можно отменить в обзоре истории предложений для данного человека."), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "Это первое фото в группе. Остальные выбранные фото автоматически сместятся на основе новой даты"), - "allow": MessageLookupByLibrary.simpleMessage("Разрешить"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Разрешить людям с этой ссылкой добавлять фото в общий альбом."), - "allowAddingPhotos": - MessageLookupByLibrary.simpleMessage("Разрешить добавление фото"), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "Разрешить приложению открывать ссылки на общие альбомы"), - "allowDownloads": - MessageLookupByLibrary.simpleMessage("Разрешить скачивание"), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Разрешить людям добавлять фото"), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, разрешите доступ к вашим фото через настройки устройства, чтобы Ente мог отображать и сохранять вашу библиотеку."), - "allowPermTitle": - MessageLookupByLibrary.simpleMessage("Разрешить доступ к фото"), - "androidBiometricHint": - MessageLookupByLibrary.simpleMessage("Подтвердите личность"), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "Не распознано. Попробуйте снова."), - "androidBiometricRequiredTitle": - MessageLookupByLibrary.simpleMessage("Требуется биометрия"), - "androidBiometricSuccess": - MessageLookupByLibrary.simpleMessage("Успешно"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Отмена"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage( - "Требуются учётные данные устройства"), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage( - "Требуются учётные данные устройства"), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Биометрическая аутентификация не настроена. Перейдите в «Настройки» → «Безопасность», чтобы добавить её."), - "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( - "Android, iOS, браузер, компьютер"), - "androidSignInTitle": - MessageLookupByLibrary.simpleMessage("Требуется аутентификация"), - "appIcon": MessageLookupByLibrary.simpleMessage("Иконка приложения"), - "appLock": - MessageLookupByLibrary.simpleMessage("Блокировка приложения"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Выберите между экраном блокировки устройства и пользовательским с PIN-кодом или паролем."), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("Идентификатор Apple"), - "apply": MessageLookupByLibrary.simpleMessage("Применить"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Применить код"), - "appstoreSubscription": - MessageLookupByLibrary.simpleMessage("Подписка AppStore"), - "archive": MessageLookupByLibrary.simpleMessage("Архив"), - "archiveAlbum": - MessageLookupByLibrary.simpleMessage("Архивировать альбом"), - "archiving": MessageLookupByLibrary.simpleMessage("Архивация..."), - "areThey": MessageLookupByLibrary.simpleMessage("Они "), - "areYouSureRemoveThisFaceFromPerson": - MessageLookupByLibrary.simpleMessage( - "Вы уверены, что хотите удалить лицо этого человека?"), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Вы уверены, что хотите покинуть семейный тариф?"), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "Вы уверены, что хотите отменить?"), - "areYouSureYouWantToChangeYourPlan": - MessageLookupByLibrary.simpleMessage( - "Вы уверены, что хотите сменить тариф?"), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "Вы уверены, что хотите выйти?"), - "areYouSureYouWantToIgnoreThesePersons": - MessageLookupByLibrary.simpleMessage( - "Вы уверены, что хотите игнорировать этих людей?"), - "areYouSureYouWantToIgnoreThisPerson": - MessageLookupByLibrary.simpleMessage( - "Вы уверены, что хотите игнорировать этого человека?"), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Вы уверены, что хотите выйти?"), - "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( - "Вы уверены, что хотите их объединить?"), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "Вы уверены, что хотите продлить?"), - "areYouSureYouWantToResetThisPerson": - MessageLookupByLibrary.simpleMessage( - "Вы уверены, что хотите сбросить данные этого человека?"), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "Ваша подписка была отменена. Не хотели бы вы поделиться причиной?"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Какова основная причина удаления вашего аккаунта?"), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Попросите близких поделиться"), - "atAFalloutShelter": MessageLookupByLibrary.simpleMessage("в бункере"), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Пожалуйста, авторизуйтесь для изменения настроек подтверждения электронной почты"), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, авторизуйтесь для изменения настроек экрана блокировки"), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, авторизуйтесь для смены электронной почты"), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, авторизуйтесь для смены пароля"), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Пожалуйста, авторизуйтесь для настройки двухфакторной аутентификации"), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, авторизуйтесь для начала процедуры удаления аккаунта"), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, авторизуйтесь для управления доверенными контактами"), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, авторизуйтесь для просмотра ключа доступа"), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, авторизуйтесь для просмотра удалённых файлов"), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, авторизуйтесь для просмотра активных сессий"), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, авторизуйтесь для просмотра скрытых файлов"), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, авторизуйтесь для просмотра воспоминаний"), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, авторизуйтесь для просмотра ключа восстановления"), - "authenticating": - MessageLookupByLibrary.simpleMessage("Аутентификация..."), - "authenticationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Аутентификация не удалась, пожалуйста, попробуйте снова"), - "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( - "Аутентификация прошла успешно!"), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Здесь вы увидите доступные устройства."), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Убедитесь, что для приложения Ente Photos включены разрешения локальной сети в настройках."), - "autoLock": MessageLookupByLibrary.simpleMessage("Автоблокировка"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Спустя какое время приложение блокируется после перехода в фоновый режим"), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "Из-за технического сбоя вы были выведены из системы. Приносим извинения за неудобства."), - "autoPair": MessageLookupByLibrary.simpleMessage("Автоподключение"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "Автоподключение работает только с устройствами, поддерживающими Chromecast."), - "available": MessageLookupByLibrary.simpleMessage("Доступно"), - "availableStorageSpace": m10, - "backedUpFolders": MessageLookupByLibrary.simpleMessage( - "Папки для резервного копирования"), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("Резервное копирование"), - "backupFailed": MessageLookupByLibrary.simpleMessage( - "Резервное копирование не удалось"), - "backupFile": - MessageLookupByLibrary.simpleMessage("Резервное копирование файла"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Резервное копирование через мобильный интернет"), - "backupSettings": MessageLookupByLibrary.simpleMessage( - "Настройки резервного копирования"), - "backupStatus": MessageLookupByLibrary.simpleMessage( - "Статус резервного копирования"), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Элементы, сохранённые в резервной копии, появятся здесь"), - "backupVideos": - MessageLookupByLibrary.simpleMessage("Резервное копирование видео"), - "beach": MessageLookupByLibrary.simpleMessage("Песок и море"), - "birthday": MessageLookupByLibrary.simpleMessage("День рождения"), - "birthdayNotifications": - MessageLookupByLibrary.simpleMessage("Уведомления о днях рождения"), - "birthdays": MessageLookupByLibrary.simpleMessage("Дни рождения"), - "blackFridaySale": MessageLookupByLibrary.simpleMessage( - "Распродажа в \"Черную пятницу\""), - "blog": MessageLookupByLibrary.simpleMessage("Блог"), - "cLDesc1": MessageLookupByLibrary.simpleMessage( - "В результате бета-тестирования потоковой передачи видео и работы над возобновляемыми загрузками и скачиваниями мы увеличили лимит загружаемых файлов до 10 ГБ. Теперь это доступно как в настольных, так и в мобильных приложениях."), - "cLDesc2": MessageLookupByLibrary.simpleMessage( - "Фоновая загрузка теперь поддерживается не только на устройствах Android, но и на iOS. Не нужно открывать приложение для резервного копирования последних фотографий и видео."), - "cLDesc3": MessageLookupByLibrary.simpleMessage( - "Мы внесли значительные улучшения в работу с воспоминаниями, включая автовоспроизведение, переход к следующему воспоминанию и многое другое."), - "cLDesc4": MessageLookupByLibrary.simpleMessage( - "Наряду с рядом внутренних улучшений теперь стало гораздо проще просматривать все обнаруженные лица, оставлять отзывы о похожих лицах, а также добавлять/удалять лица с одной фотографии."), - "cLDesc5": MessageLookupByLibrary.simpleMessage( - "Теперь вы будете получать уведомления о всех днях рождениях, которые вы сохранили на Ente, а также коллекцию их лучших фотографий."), - "cLDesc6": MessageLookupByLibrary.simpleMessage( - "Больше не нужно ждать завершения загрузки/скачивания, прежде чем закрыть приложение. Все загрузки и скачивания теперь можно приостановить и возобновить с того места, где вы остановились."), - "cLTitle1": MessageLookupByLibrary.simpleMessage( - "Загрузка больших видеофайлов"), - "cLTitle2": MessageLookupByLibrary.simpleMessage("Фоновая загрузка"), - "cLTitle3": MessageLookupByLibrary.simpleMessage( - "Автовоспроизведение воспоминаний"), - "cLTitle4": MessageLookupByLibrary.simpleMessage( - "Улучшенное распознавание лиц"), - "cLTitle5": - MessageLookupByLibrary.simpleMessage("Уведомления о днях рождения"), - "cLTitle6": MessageLookupByLibrary.simpleMessage( - "Возобновляемые загрузки и скачивания"), - "cachedData": - MessageLookupByLibrary.simpleMessage("Кэшированные данные"), - "calculating": MessageLookupByLibrary.simpleMessage("Подсчёт..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Извините, этот альбом не может быть открыт в приложении."), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( - "Не удаётся открыть этот альбом"), - "canNotUploadToAlbumsOwnedByOthers": - MessageLookupByLibrary.simpleMessage( - "Нельзя загружать в альбомы, принадлежащие другим"), - "canOnlyCreateLinkForFilesOwnedByYou": - MessageLookupByLibrary.simpleMessage( - "Можно создать ссылку только для ваших файлов"), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Можно удалять только файлы, принадлежащие вам"), - "cancel": MessageLookupByLibrary.simpleMessage("Отменить"), - "cancelAccountRecovery": - MessageLookupByLibrary.simpleMessage("Отменить восстановление"), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "Вы уверены, что хотите отменить восстановление?"), - "cancelOtherSubscription": m12, - "cancelSubscription": - MessageLookupByLibrary.simpleMessage("Отменить подписку"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": - MessageLookupByLibrary.simpleMessage("Нельзя удалить общие файлы"), - "castAlbum": - MessageLookupByLibrary.simpleMessage("Транслировать альбом"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, убедитесь, что вы находитесь в одной сети с телевизором."), - "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( - "Не удалось транслировать альбом"), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Посетите cast.ente.io на устройстве, которое хотите подключить.\n\nВведите код ниже, чтобы воспроизвести альбом на телевизоре."), - "centerPoint": - MessageLookupByLibrary.simpleMessage("Центральная точка"), - "change": MessageLookupByLibrary.simpleMessage("Изменить"), - "changeEmail": MessageLookupByLibrary.simpleMessage( - "Изменить адрес электронной почты"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Изменить местоположение выбранных элементов?"), - "changePassword": - MessageLookupByLibrary.simpleMessage("Сменить пароль"), - "changePasswordTitle": - MessageLookupByLibrary.simpleMessage("Изменить пароль"), - "changePermissions": - MessageLookupByLibrary.simpleMessage("Изменить разрешения?"), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Изменить ваш реферальный код"), - "checkForUpdates": - MessageLookupByLibrary.simpleMessage("Проверить обновления"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, проверьте ваш почтовый ящик (и спам) для завершения верификации"), - "checkStatus": MessageLookupByLibrary.simpleMessage("Проверить статус"), - "checking": MessageLookupByLibrary.simpleMessage("Проверка..."), - "checkingModels": - MessageLookupByLibrary.simpleMessage("Проверка моделей..."), - "city": MessageLookupByLibrary.simpleMessage("В городе"), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage( - "Получить бесплатное хранилище"), - "claimMore": MessageLookupByLibrary.simpleMessage("Получите больше!"), - "claimed": MessageLookupByLibrary.simpleMessage("Получено"), - "claimedStorageSoFar": m14, - "cleanUncategorized": - MessageLookupByLibrary.simpleMessage("Очистить «Без категории»"), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Удалить из «Без категории» все файлы, присутствующие в других альбомах"), - "clearCaches": MessageLookupByLibrary.simpleMessage("Очистить кэш"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Удалить индексы"), - "click": MessageLookupByLibrary.simpleMessage("• Нажмите"), - "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( - "• Нажмите на меню дополнительных действий"), - "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( - "Нажмите, чтобы установить нашу лучшую версию"), - "close": MessageLookupByLibrary.simpleMessage("Закрыть"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( - "Группировать по времени съёмки"), - "clubByFileName": - MessageLookupByLibrary.simpleMessage("Группировать по имени файла"), - "clusteringProgress": - MessageLookupByLibrary.simpleMessage("Прогресс кластеризации"), - "codeAppliedPageTitle": - MessageLookupByLibrary.simpleMessage("Код применён"), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Извините, вы достигли лимита изменений кода."), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Код скопирован в буфер обмена"), - "codeUsedByYou": - MessageLookupByLibrary.simpleMessage("Код, использованный вами"), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Создайте ссылку, чтобы люди могли добавлять и просматривать фото в вашем общем альбоме без использования приложения или аккаунта Ente. Это отлично подходит для сбора фото с мероприятий."), - "collaborativeLink": - MessageLookupByLibrary.simpleMessage("Совместная ссылка"), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Соавтор"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Соавторы могут добавлять фото и видео в общий альбом."), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("Макет"), - "collageSaved": - MessageLookupByLibrary.simpleMessage("Коллаж сохранён в галерее"), - "collect": MessageLookupByLibrary.simpleMessage("Собрать"), - "collectEventPhotos": - MessageLookupByLibrary.simpleMessage("Собрать фото с мероприятия"), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Сбор фото"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Создайте ссылку, по которой ваши друзья смогут загружать фото в оригинальном качестве."), - "color": MessageLookupByLibrary.simpleMessage("Цвет"), - "configuration": MessageLookupByLibrary.simpleMessage("Настройки"), - "confirm": MessageLookupByLibrary.simpleMessage("Подтвердить"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Вы уверены, что хотите отключить двухфакторную аутентификацию?"), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Подтвердить удаление аккаунта"), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Да, я хочу навсегда удалить этот аккаунт и все его данные во всех приложениях."), - "confirmPassword": - MessageLookupByLibrary.simpleMessage("Подтвердите пароль"), - "confirmPlanChange": - MessageLookupByLibrary.simpleMessage("Подтвердить смену тарифа"), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Подтвердить ключ восстановления"), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Подтвердите ваш ключ восстановления"), - "connectToDevice": - MessageLookupByLibrary.simpleMessage("Подключиться к устройству"), - "contactFamilyAdmin": m18, - "contactSupport": - MessageLookupByLibrary.simpleMessage("Связаться с поддержкой"), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Контакты"), - "contents": MessageLookupByLibrary.simpleMessage("Содержимое"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Продолжить"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "Продолжить с бесплатным пробным периодом"), - "convertToAlbum": - MessageLookupByLibrary.simpleMessage("Преобразовать в альбом"), - "copyEmailAddress": MessageLookupByLibrary.simpleMessage( - "Скопировать адрес электронной почты"), - "copyLink": MessageLookupByLibrary.simpleMessage("Скопировать ссылку"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Скопируйте этот код\nв ваше приложение для аутентификации"), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "Нам не удалось создать резервную копию ваших данных.\nМы повторим попытку позже."), - "couldNotFreeUpSpace": - MessageLookupByLibrary.simpleMessage("Не удалось освободить место"), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Не удалось обновить подписку"), - "count": MessageLookupByLibrary.simpleMessage("Количество"), - "crashReporting": - MessageLookupByLibrary.simpleMessage("Отчёты об ошибках"), - "create": MessageLookupByLibrary.simpleMessage("Создать"), - "createAccount": - MessageLookupByLibrary.simpleMessage("Создать аккаунт"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Нажмите и удерживайте, чтобы выбрать фото, и нажмите «+», чтобы создать альбом"), - "createCollaborativeLink": - MessageLookupByLibrary.simpleMessage("Создать совместную ссылку"), - "createCollage": MessageLookupByLibrary.simpleMessage("Создать коллаж"), - "createNewAccount": - MessageLookupByLibrary.simpleMessage("Создать новый аккаунт"), - "createOrSelectAlbum": - MessageLookupByLibrary.simpleMessage("Создать или выбрать альбом"), - "createPublicLink": - MessageLookupByLibrary.simpleMessage("Создать публичную ссылку"), - "creatingLink": - MessageLookupByLibrary.simpleMessage("Создание ссылки..."), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "Доступно критическое обновление"), - "crop": MessageLookupByLibrary.simpleMessage("Обрезать"), - "curatedMemories": - MessageLookupByLibrary.simpleMessage("Отобранные воспоминания"), - "currentUsageIs": MessageLookupByLibrary.simpleMessage( - "Текущее использование составляет "), - "currentlyRunning": MessageLookupByLibrary.simpleMessage("выполняется"), - "custom": MessageLookupByLibrary.simpleMessage("Пользовательский"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Тёмная"), - "dayToday": MessageLookupByLibrary.simpleMessage("Сегодня"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Вчера"), - "declineTrustInvite": - MessageLookupByLibrary.simpleMessage("Отклонить приглашение"), - "decrypting": MessageLookupByLibrary.simpleMessage("Расшифровка..."), - "decryptingVideo": - MessageLookupByLibrary.simpleMessage("Расшифровка видео..."), - "deduplicateFiles": - MessageLookupByLibrary.simpleMessage("Удалить дубликаты файлов"), - "delete": MessageLookupByLibrary.simpleMessage("Удалить"), - "deleteAccount": - MessageLookupByLibrary.simpleMessage("Удалить аккаунт"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Нам жаль, что вы уходите. Пожалуйста, поделитесь мнением о том, как мы могли бы стать лучше."), - "deleteAccountPermanentlyButton": - MessageLookupByLibrary.simpleMessage("Удалить аккаунт навсегда"), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Удалить альбом"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Также удалить фото (и видео), находящиеся в этом альбоме, из всех других альбомов, частью которых они являются?"), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "Это удалит все пустые альбомы. Это может быть полезно, если вы хотите навести порядок в списке альбомов."), - "deleteAll": MessageLookupByLibrary.simpleMessage("Удалить всё"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "Этот аккаунт связан с другими приложениями Ente, если вы их используете. Все загруженные данные во всех приложениях Ente будут поставлены в очередь на удаление, а ваш аккаунт будет удален навсегда."), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, отправьте письмо на account-deletion@ente.io с вашего зарегистрированного адреса электронной почты."), - "deleteEmptyAlbums": - MessageLookupByLibrary.simpleMessage("Удалить пустые альбомы"), - "deleteEmptyAlbumsWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Удалить пустые альбомы?"), - "deleteFromBoth": - MessageLookupByLibrary.simpleMessage("Удалить из обоих мест"), - "deleteFromDevice": - MessageLookupByLibrary.simpleMessage("Удалить с устройства"), - "deleteFromEnte": - MessageLookupByLibrary.simpleMessage("Удалить из Ente"), - "deleteItemCount": m21, - "deleteLocation": - MessageLookupByLibrary.simpleMessage("Удалить местоположение"), - "deleteMultipleAlbumDialog": m22, - "deletePhotos": MessageLookupByLibrary.simpleMessage("Удалить фото"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Отсутствует необходимая функция"), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "Приложение или определённая функция работают не так, как я ожидал"), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Я нашёл другой сервис, который мне больше нравится"), - "deleteReason4": - MessageLookupByLibrary.simpleMessage("Моя причина не указана"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Ваш запрос будет обработан в течение 72 часов."), - "deleteSharedAlbum": - MessageLookupByLibrary.simpleMessage("Удалить общий альбом?"), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "Альбом будет удалён для всех\n\nВы потеряете доступ к общим фото в этом альбоме, принадлежащим другим"), - "deselectAll": - MessageLookupByLibrary.simpleMessage("Отменить выделение"), - "designedToOutlive": - MessageLookupByLibrary.simpleMessage("Создано на века"), - "details": MessageLookupByLibrary.simpleMessage("Подробности"), - "developerSettings": - MessageLookupByLibrary.simpleMessage("Настройки для разработчиков"), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Вы уверены, что хотите изменить настройки для разработчиков?"), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Введите код"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "Файлы, добавленные в этот альбом на устройстве, будут автоматически загружены в Ente."), - "deviceLock": - MessageLookupByLibrary.simpleMessage("Блокировка устройства"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Отключить блокировку экрана устройства, когда Ente на экране, и выполняется резервное копирование. Обычно это не требуется, но это может ускорить завершение больших загрузок и первоначального импортирования крупных библиотек."), - "deviceNotFound": - MessageLookupByLibrary.simpleMessage("Устройство не найдено"), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Знаете ли вы?"), - "different": MessageLookupByLibrary.simpleMessage("Разные"), - "disableAutoLock": - MessageLookupByLibrary.simpleMessage("Отключить автоблокировку"), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Зрители всё ещё могут делать скриншоты или сохранять копии ваших фото с помощью внешних инструментов"), - "disableDownloadWarningTitle": - MessageLookupByLibrary.simpleMessage("Обратите внимание"), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "Отключить двухфакторную аутентификацию"), - "disablingTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Отключение двухфакторной аутентификации..."), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Откройте для себя"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Малыши"), - "discover_celebrations": - MessageLookupByLibrary.simpleMessage("Праздники"), - "discover_food": MessageLookupByLibrary.simpleMessage("Еда"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Зелень"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Холмы"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Документы"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Мемы"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Заметки"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Питомцы"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Чеки"), - "discover_screenshots": - MessageLookupByLibrary.simpleMessage("Скриншоты"), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Селфи"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Закат"), - "discover_visiting_cards": - MessageLookupByLibrary.simpleMessage("Визитки"), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Обои"), - "dismiss": MessageLookupByLibrary.simpleMessage("Отклонить"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("км"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage("Не выходить"), - "doThisLater": - MessageLookupByLibrary.simpleMessage("Сделать это позже"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Хотите отменить сделанные изменения?"), - "done": MessageLookupByLibrary.simpleMessage("Готово"), - "dontSave": MessageLookupByLibrary.simpleMessage("Не сохранять"), - "doubleYourStorage": - MessageLookupByLibrary.simpleMessage("Удвойте своё хранилище"), - "download": MessageLookupByLibrary.simpleMessage("Скачать"), - "downloadFailed": - MessageLookupByLibrary.simpleMessage("Скачивание не удалось"), - "downloading": MessageLookupByLibrary.simpleMessage("Скачивание..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Редактировать"), - "editEmailAlreadyLinked": m28, - "editLocation": - MessageLookupByLibrary.simpleMessage("Изменить местоположение"), - "editLocationTagTitle": - MessageLookupByLibrary.simpleMessage("Изменить местоположение"), - "editPerson": - MessageLookupByLibrary.simpleMessage("Редактировать человека"), - "editTime": MessageLookupByLibrary.simpleMessage("Изменить время"), - "editsSaved": - MessageLookupByLibrary.simpleMessage("Изменения сохранены"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Изменения в местоположении будут видны только в Ente"), - "eligible": MessageLookupByLibrary.simpleMessage("доступно"), - "email": MessageLookupByLibrary.simpleMessage("Электронная почта"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "Электронная почта уже зарегистрирована."), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "Электронная почта не зарегистрирована."), - "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( - "Подтверждение входа по почте"), - "emailYourLogs": MessageLookupByLibrary.simpleMessage( - "Отправить логи по электронной почте"), - "embracingThem": m32, - "emergencyContacts": - MessageLookupByLibrary.simpleMessage("Экстренные контакты"), - "empty": MessageLookupByLibrary.simpleMessage("Очистить"), - "emptyTrash": MessageLookupByLibrary.simpleMessage("Очистить корзину?"), - "enable": MessageLookupByLibrary.simpleMessage("Включить"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "Ente поддерживает машинное обучение прямо на устройстве для распознавания лиц, магического поиска и других поисковых функций"), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Включите машинное обучение для магического поиска и распознавания лиц"), - "enableMaps": MessageLookupByLibrary.simpleMessage("Включить Карты"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "Ваши фото будут отображены на карте мира.\n\nЭта карта размещена на OpenStreetMap, и точное местоположение ваших фото никогда не разглашается.\n\nВы можете отключить эту функцию в любое время в настройках."), - "enabled": MessageLookupByLibrary.simpleMessage("Включено"), - "encryptingBackup": MessageLookupByLibrary.simpleMessage( - "Шифрование резервной копии..."), - "encryption": MessageLookupByLibrary.simpleMessage("Шифрование"), - "encryptionKeys": - MessageLookupByLibrary.simpleMessage("Ключи шифрования"), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Конечная точка успешно обновлена"), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Сквозное шифрование по умолчанию"), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente может шифровать и сохранять файлы, только если вы предоставите к ним доступ"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente требуется разрешение для сохранения ваших фото"), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "Ente сохраняет ваши воспоминания, чтобы они всегда были доступны вам, даже если вы потеряете устройство."), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Ваша семья также может быть включена в ваш тариф."), - "enterAlbumName": - MessageLookupByLibrary.simpleMessage("Введите название альбома"), - "enterCode": MessageLookupByLibrary.simpleMessage("Введите код"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Введите код, предоставленный вашим другом, чтобы вы оба могли получить бесплатное хранилище"), - "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( - "Дата рождения (необязательно)"), - "enterEmail": - MessageLookupByLibrary.simpleMessage("Введите электронную почту"), - "enterFileName": - MessageLookupByLibrary.simpleMessage("Введите название файла"), - "enterName": MessageLookupByLibrary.simpleMessage("Введите имя"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Введите новый пароль для шифрования ваших данных"), - "enterPassword": MessageLookupByLibrary.simpleMessage("Введите пароль"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Введите пароль для шифрования ваших данных"), - "enterPersonName": - MessageLookupByLibrary.simpleMessage("Введите имя человека"), - "enterPin": MessageLookupByLibrary.simpleMessage("Введите PIN-код"), - "enterReferralCode": - MessageLookupByLibrary.simpleMessage("Введите реферальный код"), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Введите 6-значный код из\nвашего приложения для аутентификации"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, введите действительный адрес электронной почты."), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Введите адрес вашей электронной почты"), - "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( - "Введите ваш новый адрес электронной почты"), - "enterYourPassword": - MessageLookupByLibrary.simpleMessage("Введите ваш пароль"), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Введите ваш ключ восстановления"), - "error": MessageLookupByLibrary.simpleMessage("Ошибка"), - "everywhere": MessageLookupByLibrary.simpleMessage("везде"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": - MessageLookupByLibrary.simpleMessage("Существующий пользователь"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Срок действия этой ссылки истёк. Пожалуйста, выберите новый срок или отключите его."), - "exportLogs": - MessageLookupByLibrary.simpleMessage("Экспортировать логи"), - "exportYourData": - MessageLookupByLibrary.simpleMessage("Экспортировать ваши данные"), - "extraPhotosFound": - MessageLookupByLibrary.simpleMessage("Найдены дополнительные фото"), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Лицо ещё не кластеризовано. Пожалуйста, попробуйте позже"), - "faceRecognition": - MessageLookupByLibrary.simpleMessage("Распознавание лиц"), - "faces": MessageLookupByLibrary.simpleMessage("Лица"), - "failed": MessageLookupByLibrary.simpleMessage("Не удалось"), - "failedToApplyCode": - MessageLookupByLibrary.simpleMessage("Не удалось применить код"), - "failedToCancel": - MessageLookupByLibrary.simpleMessage("Не удалось отменить"), - "failedToDownloadVideo": - MessageLookupByLibrary.simpleMessage("Не удалось скачать видео"), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Не удалось получить активные сессии"), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Не удалось скачать оригинал для редактирования"), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Не удалось получить данные о рефералах. Пожалуйста, попробуйте позже."), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "Не удалось загрузить альбомы"), - "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Не удалось воспроизвести видео"), - "failedToRefreshStripeSubscription": - MessageLookupByLibrary.simpleMessage( - "Не удалось обновить подписку"), - "failedToRenew": - MessageLookupByLibrary.simpleMessage("Не удалось продлить"), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Не удалось проверить статус платежа"), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Добавьте 5 членов семьи к существующему тарифу без дополнительной оплаты.\n\nКаждый участник получает своё личное пространство и не может видеть файлы других, если они не общедоступны.\n\nСемейные тарифы доступны клиентам с платной подпиской на Ente.\n\nПодпишитесь сейчас, чтобы начать!"), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Семья"), - "familyPlans": MessageLookupByLibrary.simpleMessage("Семейные тарифы"), - "faq": MessageLookupByLibrary.simpleMessage("Часто задаваемые вопросы"), - "faqs": - MessageLookupByLibrary.simpleMessage("Часто задаваемые вопросы"), - "favorite": MessageLookupByLibrary.simpleMessage("В избранное"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("Обратная связь"), - "file": MessageLookupByLibrary.simpleMessage("Файл"), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Не удалось сохранить файл в галерею"), - "fileInfoAddDescHint": - MessageLookupByLibrary.simpleMessage("Добавить описание..."), - "fileNotUploadedYet": - MessageLookupByLibrary.simpleMessage("Файл ещё не загружен"), - "fileSavedToGallery": - MessageLookupByLibrary.simpleMessage("Файл сохранён в галерею"), - "fileTypes": MessageLookupByLibrary.simpleMessage("Типы файлов"), - "fileTypesAndNames": - MessageLookupByLibrary.simpleMessage("Типы и названия файлов"), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage("Файлы удалены"), - "filesSavedToGallery": - MessageLookupByLibrary.simpleMessage("Файлы сохранены в галерею"), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "С лёгкостью находите людей по имени"), - "findThemQuickly": - MessageLookupByLibrary.simpleMessage("С лёгкостью находите его"), - "flip": MessageLookupByLibrary.simpleMessage("Отразить"), - "food": MessageLookupByLibrary.simpleMessage("Кулинарное наслаждение"), - "forYourMemories": - MessageLookupByLibrary.simpleMessage("для ваших воспоминаний"), - "forgotPassword": MessageLookupByLibrary.simpleMessage("Забыл пароль"), - "foundFaces": MessageLookupByLibrary.simpleMessage("Найденные лица"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( - "Полученное бесплатное хранилище"), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Доступное бесплатное хранилище"), - "freeTrial": - MessageLookupByLibrary.simpleMessage("Бесплатный пробный период"), - "freeTrialValidTill": m38, - "freeUpAccessPostDelete": m39, - "freeUpAmount": m40, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( - "Освободить место на устройстве"), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Освободите место на устройстве, удалив файлы, которые уже сохранены в резервной копии."), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("Освободить место"), - "freeUpSpaceSaving": m41, - "gallery": MessageLookupByLibrary.simpleMessage("Галерея"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "В галерее отображается до 1000 воспоминаний"), - "general": MessageLookupByLibrary.simpleMessage("Общие"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Генерация ключей шифрования..."), - "genericProgress": m42, - "goToSettings": - MessageLookupByLibrary.simpleMessage("Перейти в настройки"), - "googlePlayId": - MessageLookupByLibrary.simpleMessage("Идентификатор Google Play"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, разрешите доступ ко всем фото в настройках устройства"), - "grantPermission": - MessageLookupByLibrary.simpleMessage("Предоставить разрешение"), - "greenery": MessageLookupByLibrary.simpleMessage("Зелёная жизнь"), - "groupNearbyPhotos": - MessageLookupByLibrary.simpleMessage("Группировать ближайшие фото"), - "guestView": MessageLookupByLibrary.simpleMessage("Гостевой просмотр"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "Для включения гостевого просмотра, пожалуйста, настройте код или блокировку экрана в настройках устройства."), - "happyBirthday": - MessageLookupByLibrary.simpleMessage("С днём рождения! 🥳"), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "Мы не отслеживаем установки приложений. Нам поможет, если скажете, как вы нас нашли!"), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Как вы узнали об Ente? (необязательно)"), - "help": MessageLookupByLibrary.simpleMessage("Помощь"), - "hidden": MessageLookupByLibrary.simpleMessage("Скрытые"), - "hide": MessageLookupByLibrary.simpleMessage("Скрыть"), - "hideContent": - MessageLookupByLibrary.simpleMessage("Скрыть содержимое"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Скрывает содержимое приложения при переключении между приложениями и отключает скриншоты"), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Скрывает содержимое приложения при переключении между приложениями"), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "Скрыть общие элементы из основной галереи"), - "hiding": MessageLookupByLibrary.simpleMessage("Скрытие..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": - MessageLookupByLibrary.simpleMessage("Размещено на OSM France"), - "howItWorks": MessageLookupByLibrary.simpleMessage("Как это работает"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Попросите их нажать с удержанием на адрес электронной почты на экране настроек и убедиться, что идентификаторы на обоих устройствах совпадают."), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Биометрическая аутентификация не настроена. Пожалуйста, включите Touch ID или Face ID на вашем устройстве."), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "Биометрическая аутентификация отключена. Пожалуйста, заблокируйте и разблокируйте экран, чтобы включить её."), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("Хорошо"), - "ignore": MessageLookupByLibrary.simpleMessage("Игнорировать"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Игнорировать"), - "ignored": MessageLookupByLibrary.simpleMessage("игнорируется"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Некоторые файлы в этом альбоме игнорируются, так как ранее они были удалены из Ente."), - "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( - "Изображение не проанализировано"), - "immediately": MessageLookupByLibrary.simpleMessage("Немедленно"), - "importing": MessageLookupByLibrary.simpleMessage("Импортирование..."), - "incorrectCode": MessageLookupByLibrary.simpleMessage("Неверный код"), - "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("Неверный пароль"), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Неверный ключ восстановления"), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "Введённый вами ключ восстановления неверен"), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Неверный ключ восстановления"), - "indexedItems": - MessageLookupByLibrary.simpleMessage("Проиндексированные элементы"), - "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( - "Индексирование приостановлено. Оно автоматически возобновится, когда устройство будет готово. Устройство считается готовым, когда уровень заряда батареи, её состояние и температура находятся в пределах нормы."), - "ineligible": MessageLookupByLibrary.simpleMessage("Неподходящий"), - "info": MessageLookupByLibrary.simpleMessage("Информация"), - "insecureDevice": - MessageLookupByLibrary.simpleMessage("Небезопасное устройство"), - "installManually": - MessageLookupByLibrary.simpleMessage("Установить вручную"), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "Недействительный адрес электронной почты"), - "invalidEndpoint": MessageLookupByLibrary.simpleMessage( - "Недействительная конечная точка"), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Извините, введённая вами конечная точка недействительна. Пожалуйста, введите корректную точку и попробуйте снова."), - "invalidKey": - MessageLookupByLibrary.simpleMessage("Недействительный ключ"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Введённый вами ключ восстановления недействителен. Убедитесь, что он содержит 24 слова, и проверьте правописание каждого из них.\n\nЕсли вы ввели старый код восстановления, убедитесь, что он состоит из 64 символов, и проверьте каждый из них."), - "invite": MessageLookupByLibrary.simpleMessage("Пригласить"), - "inviteToEnte": - MessageLookupByLibrary.simpleMessage("Пригласить в Ente"), - "inviteYourFriends": - MessageLookupByLibrary.simpleMessage("Пригласите своих друзей"), - "inviteYourFriendsToEnte": - MessageLookupByLibrary.simpleMessage("Пригласите друзей в Ente"), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Похоже, что-то пошло не так. Пожалуйста, повторите попытку через некоторое время. Если ошибка сохраняется, обратитесь в нашу службу поддержки."), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "На элементах отображается количество дней, оставшихся до их безвозвратного удаления"), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Выбранные элементы будут удалены из этого альбома"), - "join": MessageLookupByLibrary.simpleMessage("Присоединиться"), - "joinAlbum": - MessageLookupByLibrary.simpleMessage("Присоединиться к альбому"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "Если вы присоединитесь к альбому, ваша электронная почта станет видимой для его участников."), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( - "чтобы просматривать и добавлять свои фото"), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "чтобы добавить это в общие альбомы"), - "joinDiscord": - MessageLookupByLibrary.simpleMessage("Присоединиться в Discord"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Оставить фото"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("км"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, помогите нам с этой информацией"), - "language": MessageLookupByLibrary.simpleMessage("Язык"), - "lastTimeWithThem": m45, - "lastUpdated": - MessageLookupByLibrary.simpleMessage("Последнее обновление"), - "lastYearsTrip": - MessageLookupByLibrary.simpleMessage("Прошлогодняя поездка"), - "leave": MessageLookupByLibrary.simpleMessage("Покинуть"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Покинуть альбом"), - "leaveFamily": MessageLookupByLibrary.simpleMessage("Покинуть семью"), - "leaveSharedAlbum": - MessageLookupByLibrary.simpleMessage("Покинуть общий альбом?"), - "left": MessageLookupByLibrary.simpleMessage("Влево"), - "legacy": MessageLookupByLibrary.simpleMessage("Наследие"), - "legacyAccounts": - MessageLookupByLibrary.simpleMessage("Наследуемые аккаунты"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "Наследие позволяет доверенным контактам получить доступ к вашему аккаунту в ваше отсутствие."), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "Доверенные контакты могут начать восстановление аккаунта. Если не отменить это в течение 30 дней, то они смогут сбросить пароль и получить доступ."), - "light": MessageLookupByLibrary.simpleMessage("Яркость"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Светлая"), - "link": MessageLookupByLibrary.simpleMessage("Привязать"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Ссылка скопирована в буфер обмена"), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage( - "Ограничение по количеству устройств"), - "linkEmail": - MessageLookupByLibrary.simpleMessage("Привязать электронную почту"), - "linkEmailToContactBannerCaption": - MessageLookupByLibrary.simpleMessage("чтобы быстрее делиться"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Включена"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Истекла"), - "linkExpiresOn": m47, - "linkExpiry": - MessageLookupByLibrary.simpleMessage("Срок действия ссылки"), - "linkHasExpired": - MessageLookupByLibrary.simpleMessage("Срок действия ссылки истёк"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Никогда"), - "linkPerson": MessageLookupByLibrary.simpleMessage("Связать человека"), - "linkPersonCaption": - MessageLookupByLibrary.simpleMessage("чтобы было удобнее делиться"), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("Живые фото"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "Вы можете поделиться подпиской с вашей семьёй"), - "loadMessage2": MessageLookupByLibrary.simpleMessage( - "На сегодняшний день мы сохранили более 200 миллионов воспоминаний"), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "Мы храним 3 копии ваших данных, одну из них — в бункере"), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "Все наши приложения имеют открытый исходный код"), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Наш исходный код и криптография прошли внешний аудит"), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "Вы можете делиться ссылками на свои альбомы с близкими"), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Наши мобильные приложения работают в фоновом режиме, чтобы шифровать и сохранять все новые фото, которые вы снимаете"), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "На web.ente.io есть удобный загрузчик"), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Мы используем Xchacha20Poly1305 для безопасного шифрования ваших данных"), - "loadingExifData": - MessageLookupByLibrary.simpleMessage("Загрузка данных EXIF..."), - "loadingGallery": - MessageLookupByLibrary.simpleMessage("Загрузка галереи..."), - "loadingMessage": - MessageLookupByLibrary.simpleMessage("Загрузка ваших фото..."), - "loadingModel": - MessageLookupByLibrary.simpleMessage("Загрузка моделей..."), - "loadingYourPhotos": - MessageLookupByLibrary.simpleMessage("Загрузка ваших фото..."), - "localGallery": - MessageLookupByLibrary.simpleMessage("Локальная галерея"), - "localIndexing": - MessageLookupByLibrary.simpleMessage("Локальная индексация"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Похоже, что-то пошло не так: синхронизация фото занимает больше времени, чем ожидалось. Пожалуйста, обратитесь в поддержку"), - "location": MessageLookupByLibrary.simpleMessage("Местоположение"), - "locationName": - MessageLookupByLibrary.simpleMessage("Название местоположения"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Тег местоположения группирует все фото, снятые в определённом радиусе от фото"), - "locations": MessageLookupByLibrary.simpleMessage("Местоположения"), - "lockButtonLabel": - MessageLookupByLibrary.simpleMessage("Заблокировать"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Экран блокировки"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Войти"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Выход..."), - "loginSessionExpired": - MessageLookupByLibrary.simpleMessage("Сессия истекла"), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "Ваша сессия истекла. Пожалуйста, войдите снова."), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Нажимая \"Войти\", я соглашаюсь с условиями предоставления услуг и политикой конфиденциальности"), - "loginWithTOTP": - MessageLookupByLibrary.simpleMessage("Войти с одноразовым кодом"), - "logout": MessageLookupByLibrary.simpleMessage("Выйти"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Это отправит нам логи, чтобы помочь разобраться с вашей проблемой. Обратите внимание, что имена файлов будут включены для отслеживания проблем с конкретными файлами."), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Нажмите с удержанием на электронную почту для подтверждения сквозного шифрования."), - "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( - "Нажмите с удержанием на элемент для просмотра в полноэкранном режиме"), - "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( - "Оглянитесь на ваши воспоминания 🌄"), - "loopVideoOff": - MessageLookupByLibrary.simpleMessage("Видео не зациклено"), - "loopVideoOn": MessageLookupByLibrary.simpleMessage("Видео зациклено"), - "lostDevice": - MessageLookupByLibrary.simpleMessage("Потеряли устройство?"), - "machineLearning": - MessageLookupByLibrary.simpleMessage("Машинное обучение"), - "magicSearch": MessageLookupByLibrary.simpleMessage("Магический поиск"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "Магический поиск позволяет искать фото по содержимому, например, «цветок», «красная машина», «документы»"), - "manage": MessageLookupByLibrary.simpleMessage("Управлять"), - "manageDeviceStorage": - MessageLookupByLibrary.simpleMessage("Управление кэшем устройства"), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Ознакомиться и очистить локальный кэш."), - "manageFamily": - MessageLookupByLibrary.simpleMessage("Управление семьёй"), - "manageLink": MessageLookupByLibrary.simpleMessage("Управлять ссылкой"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Управлять"), - "manageSubscription": - MessageLookupByLibrary.simpleMessage("Управление подпиской"), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "Подключение с PIN-кодом работает с любым устройством, на котором вы хотите просматривать альбом."), - "map": MessageLookupByLibrary.simpleMessage("Карта"), - "maps": MessageLookupByLibrary.simpleMessage("Карты"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("Я"), - "memories": MessageLookupByLibrary.simpleMessage("Воспоминания"), - "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Выберите, какие воспоминания вы хотите видеть на главном экране."), - "memoryCount": m50, - "merchandise": MessageLookupByLibrary.simpleMessage("Мерч"), - "merge": MessageLookupByLibrary.simpleMessage("Объединить"), - "mergeWithExisting": - MessageLookupByLibrary.simpleMessage("Объединить с существующим"), - "mergedPhotos": - MessageLookupByLibrary.simpleMessage("Объединённые фото"), - "mlConsent": - MessageLookupByLibrary.simpleMessage("Включить машинное обучение"), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Я понимаю и хочу включить машинное обучение"), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Если вы включите машинное обучение, Ente будет извлекать информацию такую, как геометрия лица, из файлов, включая те, которыми с вами поделились.\n\nЭтот процесс будет происходить на вашем устройстве, и любая сгенерированная биометрическая информация будет защищена сквозным шифрованием."), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, нажмите здесь для получения подробностей об этой функции в нашей политике конфиденциальности"), - "mlConsentTitle": - MessageLookupByLibrary.simpleMessage("Включить машинное обучение?"), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Обратите внимание, что машинное обучение увеличит использование трафика и батареи, пока все элементы не будут проиндексированы. Рассмотрите использование приложения для компьютера для более быстрой индексации. Результаты будут автоматически синхронизированы."), - "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( - "Смартфон, браузер, компьютер"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Средняя"), - "modifyYourQueryOrTrySearchingFor": - MessageLookupByLibrary.simpleMessage( - "Измените запрос или попробуйте поискать"), - "moments": MessageLookupByLibrary.simpleMessage("Моменты"), - "month": MessageLookupByLibrary.simpleMessage("месяц"), - "monthly": MessageLookupByLibrary.simpleMessage("Ежемесячно"), - "moon": MessageLookupByLibrary.simpleMessage("В лунном свете"), - "moreDetails": MessageLookupByLibrary.simpleMessage("Подробнее"), - "mostRecent": MessageLookupByLibrary.simpleMessage("Самые последние"), - "mostRelevant": - MessageLookupByLibrary.simpleMessage("Самые актуальные"), - "mountains": MessageLookupByLibrary.simpleMessage("За холмами"), - "moveItem": m51, - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "Переместите выбранные фото на одну дату"), - "moveToAlbum": - MessageLookupByLibrary.simpleMessage("Переместить в альбом"), - "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Переместить в скрытый альбом"), - "movedSuccessfullyTo": m52, - "movedToTrash": - MessageLookupByLibrary.simpleMessage("Перемещено в корзину"), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Перемещение файлов в альбом..."), - "name": MessageLookupByLibrary.simpleMessage("Имя"), - "nameTheAlbum": - MessageLookupByLibrary.simpleMessage("Дайте название альбому"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Не удалось подключиться к Ente. Повторите попытку через некоторое время. Если ошибка сохраняется, обратитесь в поддержку."), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Не удалось подключиться к Ente. Проверьте настройки сети и обратитесь в поддержку, если ошибка сохраняется."), - "never": MessageLookupByLibrary.simpleMessage("Никогда"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Новый альбом"), - "newLocation": - MessageLookupByLibrary.simpleMessage("Новое местоположение"), - "newPerson": MessageLookupByLibrary.simpleMessage("Новый человек"), - "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" новая 📸"), - "newRange": MessageLookupByLibrary.simpleMessage("Новый диапазон"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Впервые в Ente"), - "newest": MessageLookupByLibrary.simpleMessage("Недавние"), - "next": MessageLookupByLibrary.simpleMessage("Далее"), - "no": MessageLookupByLibrary.simpleMessage("Нет"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Вы пока не делились альбомами"), - "noDeviceFound": - MessageLookupByLibrary.simpleMessage("Устройства не обнаружены"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Нет"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "На этом устройстве нет файлов, которые можно удалить"), - "noDuplicates": - MessageLookupByLibrary.simpleMessage("✨ Дубликатов нет"), - "noEnteAccountExclamation": - MessageLookupByLibrary.simpleMessage("Нет аккаунта Ente!"), - "noExifData": MessageLookupByLibrary.simpleMessage("Нет данных EXIF"), - "noFacesFound": MessageLookupByLibrary.simpleMessage("Лица не найдены"), - "noHiddenPhotosOrVideos": - MessageLookupByLibrary.simpleMessage("Нет скрытых фото или видео"), - "noImagesWithLocation": - MessageLookupByLibrary.simpleMessage("Нет фото с местоположением"), - "noInternetConnection": - MessageLookupByLibrary.simpleMessage("Нет подключения к Интернету"), - "noPhotosAreBeingBackedUpRightNow": - MessageLookupByLibrary.simpleMessage( - "В данный момент фото не копируются"), - "noPhotosFoundHere": - MessageLookupByLibrary.simpleMessage("Здесь фото не найдены"), - "noQuickLinksSelected": - MessageLookupByLibrary.simpleMessage("Быстрые ссылки не выбраны"), - "noRecoveryKey": - MessageLookupByLibrary.simpleMessage("Нет ключа восстановления?"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Из-за особенностей нашего протокола сквозного шифрования ваши данные не могут быть расшифрованы без пароля или ключа восстановления"), - "noResults": MessageLookupByLibrary.simpleMessage("Нет результатов"), - "noResultsFound": - MessageLookupByLibrary.simpleMessage("Нет результатов"), - "noSuggestionsForPerson": m53, - "noSystemLockFound": MessageLookupByLibrary.simpleMessage( - "Системная блокировка не найдена"), - "notPersonLabel": m54, - "notThisPerson": - MessageLookupByLibrary.simpleMessage("Не этот человек?"), - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "С вами пока ничем не поделились"), - "nothingToSeeHere": - MessageLookupByLibrary.simpleMessage("Здесь ничего нет! 👀"), - "notifications": MessageLookupByLibrary.simpleMessage("Уведомления"), - "ok": MessageLookupByLibrary.simpleMessage("Хорошо"), - "onDevice": MessageLookupByLibrary.simpleMessage("На устройстве"), - "onEnte": - MessageLookupByLibrary.simpleMessage("В ente"), - "onTheRoad": MessageLookupByLibrary.simpleMessage("Снова в пути"), - "onThisDay": MessageLookupByLibrary.simpleMessage("В этот день"), - "onThisDayMemories": - MessageLookupByLibrary.simpleMessage("В этот день воспоминания"), - "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( - "Получайте напоминания о воспоминаниях, связанных с этим днем в прошлые годы."), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Только он(а)"), - "oops": MessageLookupByLibrary.simpleMessage("Ой"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Ой, не удалось сохранить изменения"), - "oopsSomethingWentWrong": - MessageLookupByLibrary.simpleMessage("Ой, что-то пошло не так"), - "openAlbumInBrowser": - MessageLookupByLibrary.simpleMessage("Открыть альбом в браузере"), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, используйте веб-версию, чтобы добавить фото в этот альбом"), - "openFile": MessageLookupByLibrary.simpleMessage("Открыть файл"), - "openSettings": - MessageLookupByLibrary.simpleMessage("Открыть настройки"), - "openTheItem": - MessageLookupByLibrary.simpleMessage("• Откройте элемент"), - "openstreetmapContributors": - MessageLookupByLibrary.simpleMessage("Участники OpenStreetMap"), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Необязательно, насколько коротко пожелаете..."), - "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( - "Или объединить с существующим"), - "orPickAnExistingOne": - MessageLookupByLibrary.simpleMessage("Или выберите существующую"), - "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( - "или выберите из ваших контактов"), - "otherDetectedFaces": - MessageLookupByLibrary.simpleMessage("Другие найденные лица"), - "pair": MessageLookupByLibrary.simpleMessage("Подключить"), - "pairWithPin": MessageLookupByLibrary.simpleMessage("Подключить с PIN"), - "pairingComplete": - MessageLookupByLibrary.simpleMessage("Подключение завершено"), - "panorama": MessageLookupByLibrary.simpleMessage("Панорама"), - "partyWithThem": m56, - "passKeyPendingVerification": - MessageLookupByLibrary.simpleMessage("Проверка всё ещё ожидается"), - "passkey": MessageLookupByLibrary.simpleMessage("Ключ доступа"), - "passkeyAuthTitle": - MessageLookupByLibrary.simpleMessage("Проверка ключа доступа"), - "password": MessageLookupByLibrary.simpleMessage("Пароль"), - "passwordChangedSuccessfully": - MessageLookupByLibrary.simpleMessage("Пароль успешно изменён"), - "passwordLock": MessageLookupByLibrary.simpleMessage("Защита паролем"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "Надёжность пароля определяется его длиной, используемыми символами и присутствием среди 10000 самых популярных паролей"), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Мы не храним этот пароль, поэтому, если вы его забудете, мы не сможем расшифровать ваши данные"), - "pastYearsMemories": - MessageLookupByLibrary.simpleMessage("Воспоминания прошлых лет"), - "paymentDetails": - MessageLookupByLibrary.simpleMessage("Платёжные данные"), - "paymentFailed": - MessageLookupByLibrary.simpleMessage("Платёж не удался"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "К сожалению, ваш платёж не удался. Пожалуйста, свяжитесь с поддержкой, и мы вам поможем!"), - "paymentFailedTalkToProvider": m58, - "pendingItems": - MessageLookupByLibrary.simpleMessage("Элементы в очереди"), - "pendingSync": - MessageLookupByLibrary.simpleMessage("Ожидание синхронизации"), - "people": MessageLookupByLibrary.simpleMessage("Люди"), - "peopleUsingYourCode": - MessageLookupByLibrary.simpleMessage("Люди, использующие ваш код"), - "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Выберите людей, которых вы хотите видеть на главном экране."), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Все элементы в корзине будут удалены навсегда\n\nЭто действие нельзя отменить"), - "permanentlyDelete": - MessageLookupByLibrary.simpleMessage("Удалить безвозвратно"), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Удалить с устройства безвозвратно?"), - "personIsAge": m59, - "personName": MessageLookupByLibrary.simpleMessage("Имя человека"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("Пушистые спутники"), - "photoDescriptions": - MessageLookupByLibrary.simpleMessage("Описания фото"), - "photoGridSize": - MessageLookupByLibrary.simpleMessage("Размер сетки фото"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("фото"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("Фото"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "Добавленные вами фото будут удалены из альбома"), - "photosCount": m62, - "photosKeepRelativeTimeDifference": - MessageLookupByLibrary.simpleMessage( - "Фото сохранят относительную разницу во времени"), - "pickCenterPoint": - MessageLookupByLibrary.simpleMessage("Выбрать центральную точку"), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Закрепить альбом"), - "pinLock": MessageLookupByLibrary.simpleMessage("Блокировка PIN-кодом"), - "playOnTv": - MessageLookupByLibrary.simpleMessage("Воспроизвести альбом на ТВ"), - "playOriginal": - MessageLookupByLibrary.simpleMessage("Воспроизвести оригинал"), - "playStoreFreeTrialValidTill": m63, - "playStream": - MessageLookupByLibrary.simpleMessage("Воспроизвести поток"), - "playstoreSubscription": - MessageLookupByLibrary.simpleMessage("Подписка PlayStore"), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Пожалуйста, проверьте подключение к Интернету и попробуйте снова."), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Пожалуйста, свяжитесь с support@ente.io, и мы будем рады помочь!"), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Пожалуйста, обратитесь в поддержку, если проблема сохраняется"), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, предоставьте разрешения"), - "pleaseLoginAgain": - MessageLookupByLibrary.simpleMessage("Пожалуйста, войдите снова"), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, выберите быстрые ссылки для удаления"), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, попробуйте снова"), - "pleaseVerifyTheCodeYouHaveEntered": - MessageLookupByLibrary.simpleMessage( - "Пожалуйста, проверьте введённый вами код"), - "pleaseWait": - MessageLookupByLibrary.simpleMessage("Пожалуйста, подождите..."), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, подождите, альбом удаляется"), - "pleaseWaitForSometimeBeforeRetrying": - MessageLookupByLibrary.simpleMessage( - "Пожалуйста, подождите некоторое время перед повторной попыткой"), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, подождите, это займёт некоторое время."), - "posingWithThem": m66, - "preparingLogs": - MessageLookupByLibrary.simpleMessage("Подготовка логов..."), - "preserveMore": - MessageLookupByLibrary.simpleMessage("Сохранить больше"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Нажмите и удерживайте для воспроизведения видео"), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Нажмите с удержанием на изображение для воспроизведения видео"), - "previous": MessageLookupByLibrary.simpleMessage("Предыдущий"), - "privacy": MessageLookupByLibrary.simpleMessage("Конфиденциальность"), - "privacyPolicyTitle": - MessageLookupByLibrary.simpleMessage("Политика конфиденциальности"), - "privateBackups": - MessageLookupByLibrary.simpleMessage("Защищённые резервные копии"), - "privateSharing": - MessageLookupByLibrary.simpleMessage("Защищённый обмен"), - "proceed": MessageLookupByLibrary.simpleMessage("Продолжить"), - "processed": MessageLookupByLibrary.simpleMessage("Обработано"), - "processing": MessageLookupByLibrary.simpleMessage("Обработка"), - "processingImport": m67, - "processingVideos": - MessageLookupByLibrary.simpleMessage("Обработка видео"), - "publicLinkCreated": - MessageLookupByLibrary.simpleMessage("Публичная ссылка создана"), - "publicLinkEnabled": - MessageLookupByLibrary.simpleMessage("Публичная ссылка включена"), - "questionmark": MessageLookupByLibrary.simpleMessage("?"), - "queued": MessageLookupByLibrary.simpleMessage("В очереди"), - "quickLinks": MessageLookupByLibrary.simpleMessage("Быстрые ссылки"), - "radius": MessageLookupByLibrary.simpleMessage("Радиус"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Создать запрос"), - "rateTheApp": - MessageLookupByLibrary.simpleMessage("Оценить приложение"), - "rateUs": MessageLookupByLibrary.simpleMessage("Оцените нас"), - "rateUsOnStore": m68, - "reassignMe": - MessageLookupByLibrary.simpleMessage("Переназначить \"Меня\""), - "reassignedToName": m69, - "reassigningLoading": - MessageLookupByLibrary.simpleMessage("Переназначение..."), - "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( - "Получайте напоминания, когда у кого-то день рождения. Нажатие на уведомление перенесет вас к фотографиям именинника."), - "recover": MessageLookupByLibrary.simpleMessage("Восстановить"), - "recoverAccount": - MessageLookupByLibrary.simpleMessage("Восстановить аккаунт"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Восстановить"), - "recoveryAccount": - MessageLookupByLibrary.simpleMessage("Восстановить аккаунт"), - "recoveryInitiated": - MessageLookupByLibrary.simpleMessage("Восстановление начато"), - "recoveryInitiatedDesc": m70, - "recoveryKey": - MessageLookupByLibrary.simpleMessage("Ключ восстановления"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Ключ восстановления скопирован в буфер обмена"), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Если вы забудете пароль, единственный способ восстановить ваши данные — это использовать этот ключ."), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Мы не храним этот ключ. Пожалуйста, сохраните этот ключ из 24 слов в безопасном месте."), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Отлично! Ваш ключ восстановления действителен. Спасибо за проверку.\n\nПожалуйста, не забудьте сохранить ключ восстановления в безопасном месте."), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Ключ восстановления подтверждён"), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Ваш ключ восстановления — единственный способ восстановить ваши фото, если вы забудете пароль. Вы можете найти ключ восстановления в разделе «Настройки» → «Аккаунт».\n\nПожалуйста, введите ваш ключ восстановления здесь, чтобы убедиться, что вы сохранили его правильно."), - "recoveryReady": m71, - "recoverySuccessful": - MessageLookupByLibrary.simpleMessage("Успешное восстановление!"), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "Доверенный контакт пытается получить доступ к вашему аккаунту"), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "Текущее устройство недостаточно мощное для проверки вашего пароля, но мы можем сгенерировать его снова так, чтобы он работал на всех устройствах.\n\nПожалуйста, войдите, используя ваш ключ восстановления, и сгенерируйте пароль (при желании вы можете использовать тот же самый)."), - "recreatePasswordTitle": - MessageLookupByLibrary.simpleMessage("Пересоздать пароль"), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": - MessageLookupByLibrary.simpleMessage("Подтвердите пароль"), - "reenterPin": - MessageLookupByLibrary.simpleMessage("Введите PIN-код ещё раз"), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Пригласите друзей и удвойте свой тариф"), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Даёте этот код своим друзьям"), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Они подписываются на платный тариф"), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Рефералы"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "Реферальная программа временно приостановлена"), - "rejectRecovery": - MessageLookupByLibrary.simpleMessage("Отклонить восстановление"), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "Также очистите «Недавно удалённые» в «Настройки» → «Хранилище», чтобы освободить место"), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Также очистите «Корзину», чтобы освободить место"), - "remoteImages": - MessageLookupByLibrary.simpleMessage("Изображения вне устройства"), - "remoteThumbnails": - MessageLookupByLibrary.simpleMessage("Миниатюры вне устройства"), - "remoteVideos": - MessageLookupByLibrary.simpleMessage("Видео вне устройства"), - "remove": MessageLookupByLibrary.simpleMessage("Удалить"), - "removeDuplicates": - MessageLookupByLibrary.simpleMessage("Удалить дубликаты"), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Проверьте и удалите файлы, которые являются точными дубликатами."), - "removeFromAlbum": - MessageLookupByLibrary.simpleMessage("Удалить из альбома"), - "removeFromAlbumTitle": - MessageLookupByLibrary.simpleMessage("Удалить из альбома?"), - "removeFromFavorite": - MessageLookupByLibrary.simpleMessage("Убрать из избранного"), - "removeInvite": - MessageLookupByLibrary.simpleMessage("Удалить приглашение"), - "removeLink": MessageLookupByLibrary.simpleMessage("Удалить ссылку"), - "removeParticipant": - MessageLookupByLibrary.simpleMessage("Удалить участника"), - "removeParticipantBody": m74, - "removePersonLabel": - MessageLookupByLibrary.simpleMessage("Удалить метку человека"), - "removePublicLink": - MessageLookupByLibrary.simpleMessage("Удалить публичную ссылку"), - "removePublicLinks": - MessageLookupByLibrary.simpleMessage("Удалить публичные ссылки"), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Некоторые из удаляемых вами элементов были добавлены другими людьми, и вы потеряете к ним доступ"), - "removeWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Удалить?"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Удалить себя из доверенных контактов"), - "removingFromFavorites": - MessageLookupByLibrary.simpleMessage("Удаление из избранного..."), - "rename": MessageLookupByLibrary.simpleMessage("Переименовать"), - "renameAlbum": - MessageLookupByLibrary.simpleMessage("Переименовать альбом"), - "renameFile": - MessageLookupByLibrary.simpleMessage("Переименовать файл"), - "renewSubscription": - MessageLookupByLibrary.simpleMessage("Продлить подписку"), - "renewsOn": m75, - "reportABug": - MessageLookupByLibrary.simpleMessage("Сообщить об ошибке"), - "reportBug": MessageLookupByLibrary.simpleMessage("Сообщить об ошибке"), - "resendEmail": - MessageLookupByLibrary.simpleMessage("Отправить письмо повторно"), - "reset": MessageLookupByLibrary.simpleMessage("Сбросить"), - "resetIgnoredFiles": - MessageLookupByLibrary.simpleMessage("Сбросить игнорируемые файлы"), - "resetPasswordTitle": - MessageLookupByLibrary.simpleMessage("Сбросить пароль"), - "resetPerson": MessageLookupByLibrary.simpleMessage("Удалить"), - "resetToDefault": - MessageLookupByLibrary.simpleMessage("Вернуть стандартную"), - "restore": MessageLookupByLibrary.simpleMessage("Восстановить"), - "restoreToAlbum": - MessageLookupByLibrary.simpleMessage("Восстановить в альбом"), - "restoringFiles": - MessageLookupByLibrary.simpleMessage("Восстановление файлов..."), - "resumableUploads": - MessageLookupByLibrary.simpleMessage("Возобновляемые загрузки"), - "retry": MessageLookupByLibrary.simpleMessage("Повторить"), - "review": MessageLookupByLibrary.simpleMessage("Предложения"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, проверьте и удалите элементы, которые считаете дубликатами."), - "reviewSuggestions": - MessageLookupByLibrary.simpleMessage("Посмотреть предложения"), - "right": MessageLookupByLibrary.simpleMessage("Вправо"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("Повернуть"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Повернуть влево"), - "rotateRight": MessageLookupByLibrary.simpleMessage("Повернуть вправо"), - "safelyStored": - MessageLookupByLibrary.simpleMessage("Надёжно сохранены"), - "same": MessageLookupByLibrary.simpleMessage("Такой же"), - "sameperson": MessageLookupByLibrary.simpleMessage("Тот же человек?"), - "save": MessageLookupByLibrary.simpleMessage("Сохранить"), - "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage( - "Сохранить как другого человека"), - "saveChangesBeforeLeavingQuestion": - MessageLookupByLibrary.simpleMessage( - "Сохранить изменения перед выходом?"), - "saveCollage": MessageLookupByLibrary.simpleMessage("Сохранить коллаж"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Сохранить копию"), - "saveKey": MessageLookupByLibrary.simpleMessage("Сохранить ключ"), - "savePerson": - MessageLookupByLibrary.simpleMessage("Сохранить человека"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Сохраните ваш ключ восстановления, если вы ещё этого не сделали"), - "saving": MessageLookupByLibrary.simpleMessage("Сохранение..."), - "savingEdits": - MessageLookupByLibrary.simpleMessage("Сохранение изменений..."), - "scanCode": MessageLookupByLibrary.simpleMessage("Сканировать код"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Отсканируйте этот штрих-код\nс помощью вашего приложения для аутентификации"), - "search": MessageLookupByLibrary.simpleMessage("Поиск"), - "searchAlbumsEmptySection": - MessageLookupByLibrary.simpleMessage("Альбомы"), - "searchByAlbumNameHint": - MessageLookupByLibrary.simpleMessage("Название альбома"), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Названия альбомов (например, «Камера»)\n• Типы файлов (например, «Видео», «.gif»)\n• Годы и месяцы (например, «2022», «Январь»)\n• Праздники (например, «Рождество»)\n• Описания фото (например, «#веселье»)"), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Добавляйте описания вроде «#поездка» в информацию о фото, чтобы быстро находить их здесь"), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Ищите по дате, месяцу или году"), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "Изображения появятся здесь после завершения обработки и синхронизации"), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "Люди появятся здесь после завершения индексации"), - "searchFileTypesAndNamesEmptySection": - MessageLookupByLibrary.simpleMessage("Типы и названия файлов"), - "searchHint1": MessageLookupByLibrary.simpleMessage( - "Быстрый поиск прямо на устройстве"), - "searchHint2": - MessageLookupByLibrary.simpleMessage("Даты, описания фото"), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "Альбомы, названия и типы файлов"), - "searchHint4": MessageLookupByLibrary.simpleMessage("Местоположение"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "Скоро: Лица и магический поиск ✨"), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Группируйте фото, снятые в определённом радиусе от фото"), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "Приглашайте людей, и здесь появятся все фото, которыми они поделились"), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "Люди появятся здесь после завершения обработки и синхронизации"), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Безопасность"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "Просматривать публичные ссылки на альбомы в приложении"), - "selectALocation": - MessageLookupByLibrary.simpleMessage("Выбрать местоположение"), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage( - "Сначала выберите местоположение"), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Выбрать альбом"), - "selectAll": MessageLookupByLibrary.simpleMessage("Выбрать все"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("Все"), - "selectCoverPhoto": - MessageLookupByLibrary.simpleMessage("Выберите обложку"), - "selectDate": MessageLookupByLibrary.simpleMessage("Выбрать дату"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Выберите папки для резервного копирования"), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "Выберите элементы для добавления"), - "selectLanguage": MessageLookupByLibrary.simpleMessage("Выберите язык"), - "selectMailApp": MessageLookupByLibrary.simpleMessage( - "Выберите почтовое приложение"), - "selectMorePhotos": - MessageLookupByLibrary.simpleMessage("Выбрать больше фото"), - "selectOneDateAndTime": - MessageLookupByLibrary.simpleMessage("Выбрать одну дату и время"), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "Выберите одну дату и время для всех"), - "selectPersonToLink": MessageLookupByLibrary.simpleMessage( - "Выберите человека для привязки"), - "selectReason": - MessageLookupByLibrary.simpleMessage("Выберите причину"), - "selectStartOfRange": - MessageLookupByLibrary.simpleMessage("Выберите начало диапазона"), - "selectTime": MessageLookupByLibrary.simpleMessage("Выбрать время"), - "selectYourFace": - MessageLookupByLibrary.simpleMessage("Выберите своё лицо"), - "selectYourPlan": - MessageLookupByLibrary.simpleMessage("Выберите тариф"), - "selectedAlbums": m79, - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Выбранные файлы отсутствуют в Ente"), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Выбранные папки будут зашифрованы и сохранены в резервной копии"), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Выбранные элементы будут удалены из всех альбомов и перемещены в корзину."), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "Выбранные элементы будут отвязаны от этого человека, но не удалены из вашей библиотеки."), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("Отправить"), - "sendEmail": MessageLookupByLibrary.simpleMessage( - "Отправить электронное письмо"), - "sendInvite": - MessageLookupByLibrary.simpleMessage("Отправить приглашение"), - "sendLink": MessageLookupByLibrary.simpleMessage("Отправить ссылку"), - "serverEndpoint": - MessageLookupByLibrary.simpleMessage("Конечная точка сервера"), - "sessionExpired": - MessageLookupByLibrary.simpleMessage("Сессия истекла"), - "sessionIdMismatch": - MessageLookupByLibrary.simpleMessage("Несоответствие ID сессии"), - "setAPassword": - MessageLookupByLibrary.simpleMessage("Установить пароль"), - "setAs": MessageLookupByLibrary.simpleMessage("Установить как"), - "setCover": MessageLookupByLibrary.simpleMessage("Установить обложку"), - "setLabel": MessageLookupByLibrary.simpleMessage("Установить"), - "setNewPassword": - MessageLookupByLibrary.simpleMessage("Установите новый пароль"), - "setNewPin": - MessageLookupByLibrary.simpleMessage("Установите новый PIN-код"), - "setPasswordTitle": - MessageLookupByLibrary.simpleMessage("Установить пароль"), - "setRadius": MessageLookupByLibrary.simpleMessage("Установить радиус"), - "setupComplete": - MessageLookupByLibrary.simpleMessage("Настройка завершена"), - "share": MessageLookupByLibrary.simpleMessage("Поделиться"), - "shareALink": - MessageLookupByLibrary.simpleMessage("Поделиться ссылкой"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Откройте альбом и нажмите кнопку «Поделиться» в правом верхнем углу, чтобы поделиться."), - "shareAnAlbumNow": - MessageLookupByLibrary.simpleMessage("Поделиться альбомом"), - "shareLink": MessageLookupByLibrary.simpleMessage("Поделиться ссылкой"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Делитесь только с теми, с кем хотите"), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Скачай Ente, чтобы мы могли легко делиться фото и видео в оригинальном качестве\n\nhttps://ente.io"), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Поделиться с пользователями, не использующими Ente"), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( - "Поделитесь своим первым альбомом"), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Создавайте общие и совместные альбомы с другими пользователями Ente, включая пользователей на бесплатных тарифах."), - "sharedByMe": MessageLookupByLibrary.simpleMessage("Я поделился"), - "sharedByYou": MessageLookupByLibrary.simpleMessage("Вы поделились"), - "sharedPhotoNotifications": - MessageLookupByLibrary.simpleMessage("Новые общие фото"), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Получать уведомления, когда кто-то добавляет фото в общий альбом, в котором вы состоите"), - "sharedWith": m87, - "sharedWithMe": - MessageLookupByLibrary.simpleMessage("Со мной поделились"), - "sharedWithYou": - MessageLookupByLibrary.simpleMessage("Поделились с вами"), - "sharing": MessageLookupByLibrary.simpleMessage("Отправка..."), - "shiftDatesAndTime": - MessageLookupByLibrary.simpleMessage("Сместить даты и время"), - "showLessFaces": - MessageLookupByLibrary.simpleMessage("Показывать меньше лиц"), - "showMemories": - MessageLookupByLibrary.simpleMessage("Показывать воспоминания"), - "showMoreFaces": - MessageLookupByLibrary.simpleMessage("Показывать больше лиц"), - "showPerson": MessageLookupByLibrary.simpleMessage("Показать человека"), - "signOutFromOtherDevices": - MessageLookupByLibrary.simpleMessage("Выйти с других устройств"), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Если вы считаете, что кто-то может знать ваш пароль, вы можете принудительно выйти с других устройств, использующих ваш аккаунт."), - "signOutOtherDevices": - MessageLookupByLibrary.simpleMessage("Выйти с других устройств"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Я согласен с условиями предоставления услуг и политикой конфиденциальности"), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Оно будет удалено из всех альбомов."), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Пропустить"), - "smartMemories": - MessageLookupByLibrary.simpleMessage("Умные воспоминания"), - "social": MessageLookupByLibrary.simpleMessage("Социальные сети"), - "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( - "Некоторые элементы находятся как в Ente, так и на вашем устройстве."), - "someOfTheFilesYouAreTryingToDeleteAre": - MessageLookupByLibrary.simpleMessage( - "Некоторые файлы, которые вы пытаетесь удалить, доступны только на вашем устройстве и не могут быть восстановлены после удаления"), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Тот, кто делится с вами альбомами, должен видеть такой же идентификатор на своём устройстве."), - "somethingWentWrong": - MessageLookupByLibrary.simpleMessage("Что-то пошло не так"), - "somethingWentWrongPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Что-то пошло не так. Пожалуйста, попробуйте снова"), - "sorry": MessageLookupByLibrary.simpleMessage("Извините"), - "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( - "К сожалению, мы не смогли сделать резервную копию этого файла сейчас, мы повторим попытку позже."), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Извините, не удалось добавить в избранное!"), - "sorryCouldNotRemoveFromFavorites": - MessageLookupByLibrary.simpleMessage( - "Извините, не удалось удалить из избранного!"), - "sorryTheCodeYouveEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "Извините, введённый вами код неверен"), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "К сожалению, мы не смогли сгенерировать безопасные ключи на этом устройстве.\n\nПожалуйста, зарегистрируйтесь с другого устройства."), - "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( - "Извините, нам пришлось приостановить резервное копирование"), - "sort": MessageLookupByLibrary.simpleMessage("Сортировать"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Сортировать по"), - "sortNewestFirst": - MessageLookupByLibrary.simpleMessage("Сначала новые"), - "sortOldestFirst": - MessageLookupByLibrary.simpleMessage("Сначала старые"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Успех"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": - MessageLookupByLibrary.simpleMessage("Вы в центре внимания"), - "startAccountRecoveryTitle": - MessageLookupByLibrary.simpleMessage("Начать восстановление"), - "startBackup": MessageLookupByLibrary.simpleMessage( - "Начать резервное копирование"), - "status": MessageLookupByLibrary.simpleMessage("Статус"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "Хотите остановить трансляцию?"), - "stopCastingTitle": - MessageLookupByLibrary.simpleMessage("Остановить трансляцию"), - "storage": MessageLookupByLibrary.simpleMessage("Хранилище"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Семья"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Вы"), - "storageInGB": m93, - "storageLimitExceeded": - MessageLookupByLibrary.simpleMessage("Превышен лимит хранилища"), - "storageUsageInfo": m94, - "streamDetails": - MessageLookupByLibrary.simpleMessage("Информация о потоке"), - "strongStrength": MessageLookupByLibrary.simpleMessage("Высокая"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Подписаться"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Вам нужна активная платная подписка, чтобы включить общий доступ."), - "subscription": MessageLookupByLibrary.simpleMessage("Подписка"), - "success": MessageLookupByLibrary.simpleMessage("Успех"), - "successfullyArchived": - MessageLookupByLibrary.simpleMessage("Успешно архивировано"), - "successfullyHid": - MessageLookupByLibrary.simpleMessage("Успешно скрыто"), - "successfullyUnarchived": - MessageLookupByLibrary.simpleMessage("Успешно извлечено"), - "successfullyUnhid": - MessageLookupByLibrary.simpleMessage("Успешно раскрыто"), - "suggestFeatures": - MessageLookupByLibrary.simpleMessage("Предложить идею"), - "sunrise": MessageLookupByLibrary.simpleMessage("На горизонте"), - "support": MessageLookupByLibrary.simpleMessage("Поддержка"), - "syncProgress": m97, - "syncStopped": - MessageLookupByLibrary.simpleMessage("Синхронизация остановлена"), - "syncing": MessageLookupByLibrary.simpleMessage("Синхронизация..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("Системная"), - "tapToCopy": - MessageLookupByLibrary.simpleMessage("нажмите, чтобы скопировать"), - "tapToEnterCode": - MessageLookupByLibrary.simpleMessage("Нажмите, чтобы ввести код"), - "tapToUnlock": - MessageLookupByLibrary.simpleMessage("Нажмите для разблокировки"), - "tapToUpload": - MessageLookupByLibrary.simpleMessage("Нажмите для загрузки"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Похоже, что-то пошло не так. Пожалуйста, повторите попытку через некоторое время. Если ошибка сохраняется, обратитесь в нашу службу поддержки."), - "terminate": MessageLookupByLibrary.simpleMessage("Завершить"), - "terminateSession": - MessageLookupByLibrary.simpleMessage("Завершить сеанс?"), - "terms": MessageLookupByLibrary.simpleMessage("Условия"), - "termsOfServicesTitle": - MessageLookupByLibrary.simpleMessage("Условия использования"), - "thankYou": MessageLookupByLibrary.simpleMessage("Спасибо"), - "thankYouForSubscribing": - MessageLookupByLibrary.simpleMessage("Спасибо за подписку!"), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "Скачивание не может быть завершено"), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "Срок действия ссылки, к которой вы обращаетесь, истёк."), - "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "Группы людей больше не будут отображаться в разделе людей. Фотографии останутся нетронутыми."), - "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "Человек больше не будет отображаться в разделе людей. Фотографии останутся нетронутыми."), - "theRecoveryKeyYouEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "Введённый вами ключ восстановления неверен"), - "theme": MessageLookupByLibrary.simpleMessage("Тема"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Эти элементы будут удалены с вашего устройства."), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "Они будут удалены из всех альбомов."), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Это действие нельзя отменить"), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "У этого альбома уже есть совместная ссылка"), - "thisCanBeUsedToRecoverYourAccountIfYou": - MessageLookupByLibrary.simpleMessage( - "Это можно использовать для восстановления вашего аккаунта, если вы потеряете свой аутентификатор"), - "thisDevice": MessageLookupByLibrary.simpleMessage("Это устройство"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "Эта электронная почта уже используется"), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Это фото не имеет данных EXIF"), - "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("Это я!"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Это ваш идентификатор подтверждения"), - "thisWeekThroughTheYears": - MessageLookupByLibrary.simpleMessage("Эта неделя сквозь годы"), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Это завершит ваш сеанс на следующем устройстве:"), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Это завершит ваш сеанс на этом устройстве!"), - "thisWillMakeTheDateAndTimeOfAllSelected": - MessageLookupByLibrary.simpleMessage( - "Это сделает дату и время всех выбранных фото одинаковыми."), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "Это удалит публичные ссылки всех выбранных быстрых ссылок."), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "Для блокировки приложения, пожалуйста, настройте код или экран блокировки в настройках устройства."), - "toHideAPhotoOrVideo": - MessageLookupByLibrary.simpleMessage("Скрыть фото или видео"), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Чтобы сбросить пароль, сначала подтвердите вашу электронную почту."), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Сегодняшние логи"), - "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( - "Слишком много неудачных попыток"), - "total": MessageLookupByLibrary.simpleMessage("всего"), - "totalSize": MessageLookupByLibrary.simpleMessage("Общий размер"), - "trash": MessageLookupByLibrary.simpleMessage("Корзина"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Сократить"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": - MessageLookupByLibrary.simpleMessage("Доверенные контакты"), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Попробовать снова"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Включите резервное копирование, чтобы автоматически загружать файлы из этой папки на устройстве в Ente."), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "2 месяца в подарок на годовом тарифе"), - "twofactor": MessageLookupByLibrary.simpleMessage( - "Двухфакторная аутентификация"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "Двухфакторная аутентификация отключена"), - "twofactorAuthenticationPageTitle": - MessageLookupByLibrary.simpleMessage( - "Двухфакторная аутентификация"), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "Двухфакторная аутентификация успешно сброшена"), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Настройка двухфакторной аутентификации"), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("Извлечь из архива"), - "unarchiveAlbum": - MessageLookupByLibrary.simpleMessage("Извлечь альбом из архива"), - "unarchiving": MessageLookupByLibrary.simpleMessage("Извлечение..."), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Извините, этот код недоступен."), - "uncategorized": MessageLookupByLibrary.simpleMessage("Без категории"), - "unhide": MessageLookupByLibrary.simpleMessage("Не скрывать"), - "unhideToAlbum": - MessageLookupByLibrary.simpleMessage("Перенести в альбом"), - "unhiding": MessageLookupByLibrary.simpleMessage("Раскрытие..."), - "unhidingFilesToAlbum": - MessageLookupByLibrary.simpleMessage("Перенос файлов в альбом"), - "unlock": MessageLookupByLibrary.simpleMessage("Разблокировать"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("Открепить альбом"), - "unselectAll": MessageLookupByLibrary.simpleMessage("Отменить выбор"), - "update": MessageLookupByLibrary.simpleMessage("Обновить"), - "updateAvailable": - MessageLookupByLibrary.simpleMessage("Доступно обновление"), - "updatingFolderSelection": - MessageLookupByLibrary.simpleMessage("Обновление выбора папок..."), - "upgrade": MessageLookupByLibrary.simpleMessage("Улучшить"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": - MessageLookupByLibrary.simpleMessage("Загрузка файлов в альбом..."), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( - "Сохранение 1 воспоминания..."), - "upto50OffUntil4thDec": - MessageLookupByLibrary.simpleMessage("Скидки до 50% до 4 декабря"), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "Доступное хранилище ограничено вашим текущим тарифом. Избыточное полученное хранилище автоматически станет доступным при улучшении тарифа."), - "useAsCover": - MessageLookupByLibrary.simpleMessage("Использовать для обложки"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "Проблемы с воспроизведением видео? Нажмите и удерживайте здесь, чтобы попробовать другой плеер."), - "usePublicLinksForPeopleNotOnEnte": - MessageLookupByLibrary.simpleMessage( - "Используйте публичные ссылки для людей, не использующих Ente"), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Использовать ключ восстановления"), - "useSelectedPhoto": - MessageLookupByLibrary.simpleMessage("Использовать выбранное фото"), - "usedSpace": MessageLookupByLibrary.simpleMessage("Использовано места"), - "validTill": m110, - "verificationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Проверка не удалась, пожалуйста, попробуйте снова"), - "verificationId": - MessageLookupByLibrary.simpleMessage("Идентификатор подтверждения"), - "verify": MessageLookupByLibrary.simpleMessage("Подтвердить"), - "verifyEmail": MessageLookupByLibrary.simpleMessage( - "Подтвердить электронную почту"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Подтвердить"), - "verifyPasskey": - MessageLookupByLibrary.simpleMessage("Подтвердить ключ доступа"), - "verifyPassword": - MessageLookupByLibrary.simpleMessage("Подтвердить пароль"), - "verifying": MessageLookupByLibrary.simpleMessage("Проверка..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Проверка ключа восстановления..."), - "videoInfo": MessageLookupByLibrary.simpleMessage("Информация о видео"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("видео"), - "videoStreaming": - MessageLookupByLibrary.simpleMessage("Потоковое видео"), - "videos": MessageLookupByLibrary.simpleMessage("Видео"), - "viewActiveSessions": - MessageLookupByLibrary.simpleMessage("Просмотр активных сессий"), - "viewAddOnButton": - MessageLookupByLibrary.simpleMessage("Посмотреть дополнения"), - "viewAll": MessageLookupByLibrary.simpleMessage("Посмотреть все"), - "viewAllExifData": - MessageLookupByLibrary.simpleMessage("Посмотреть все данные EXIF"), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Большие файлы"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Узнайте, какие файлы занимают больше всего места."), - "viewLogs": MessageLookupByLibrary.simpleMessage("Просмотреть логи"), - "viewPersonToUnlink": m112, - "viewRecoveryKey": - MessageLookupByLibrary.simpleMessage("Увидеть ключ восстановления"), - "viewer": MessageLookupByLibrary.simpleMessage("Зритель"), - "viewersSuccessfullyAdded": m113, - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, посетите web.ente.io для управления вашей подпиской"), - "waitingForVerification": - MessageLookupByLibrary.simpleMessage("Ожидание подтверждения..."), - "waitingForWifi": - MessageLookupByLibrary.simpleMessage("Ожидание Wi-Fi..."), - "warning": MessageLookupByLibrary.simpleMessage("Предупреждение"), - "weAreOpenSource": MessageLookupByLibrary.simpleMessage( - "У нас открытый исходный код!"), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "Мы не поддерживаем редактирование фото и альбомов, которые вам пока не принадлежат"), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Низкая"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("С возвращением!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("Что нового"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "Доверенный контакт может помочь в восстановлении ваших данных."), - "widgets": MessageLookupByLibrary.simpleMessage("Виджеты"), - "wishThemAHappyBirthday": m115, - "yearShort": MessageLookupByLibrary.simpleMessage("год"), - "yearly": MessageLookupByLibrary.simpleMessage("Ежегодно"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Да"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Да, отменить"), - "yesConvertToViewer": - MessageLookupByLibrary.simpleMessage("Да, перевести в зрители"), - "yesDelete": MessageLookupByLibrary.simpleMessage("Да, удалить"), - "yesDiscardChanges": - MessageLookupByLibrary.simpleMessage("Да, отменить изменения"), - "yesIgnore": MessageLookupByLibrary.simpleMessage("Да, игнорировать"), - "yesLogout": MessageLookupByLibrary.simpleMessage("Да, выйти"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Да, удалить"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Да, продлить"), - "yesResetPerson": MessageLookupByLibrary.simpleMessage( - "Да, сбросить данные человека"), - "you": MessageLookupByLibrary.simpleMessage("Вы"), - "youAndThem": m117, - "youAreOnAFamilyPlan": - MessageLookupByLibrary.simpleMessage("Вы на семейном тарифе!"), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Вы используете последнюю версию"), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Вы можете увеличить хранилище максимум в два раза"), - "youCanManageYourLinksInTheShareTab": - MessageLookupByLibrary.simpleMessage( - "Вы можете управлять своими ссылками на вкладке «Поделиться»."), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "Вы можете попробовать выполнить поиск по другому запросу."), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "Вы не можете понизить до этого тарифа"), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Вы не можете поделиться с самим собой"), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "У вас нет архивных элементов."), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": - MessageLookupByLibrary.simpleMessage("Ваш аккаунт был удалён"), - "yourMap": MessageLookupByLibrary.simpleMessage("Ваша карта"), - "yourPlanWasSuccessfullyDowngraded": - MessageLookupByLibrary.simpleMessage("Ваш тариф успешно понижен"), - "yourPlanWasSuccessfullyUpgraded": - MessageLookupByLibrary.simpleMessage("Ваш тариф успешно повышен"), - "yourPurchaseWasSuccessful": - MessageLookupByLibrary.simpleMessage("Ваша покупка прошла успешно"), - "yourStorageDetailsCouldNotBeFetched": - MessageLookupByLibrary.simpleMessage( - "Не удалось получить данные о вашем хранилище"), - "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( - "Срок действия вашей подписки истёк"), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "Ваша подписка успешно обновлена"), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "Срок действия вашего кода подтверждения истёк"), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage( - "У вас нет дубликатов файлов, которые можно удалить"), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "В этом альбоме нет файлов, которые можно удалить"), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( - "Уменьшите масштаб, чтобы увидеть фото") - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Доступна новая версия Ente.", + ), + "about": MessageLookupByLibrary.simpleMessage("О программе"), + "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( + "Принять приглашение", + ), + "account": MessageLookupByLibrary.simpleMessage("Аккаунт"), + "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( + "Аккаунт уже настроен.", + ), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( + "С возвращением!", + ), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Я понимаю, что если я потеряю пароль, я могу потерять свои данные, так как они защищены сквозным шифрованием.", + ), + "actionNotSupportedOnFavouritesAlbum": MessageLookupByLibrary.simpleMessage( + "Действие не поддерживается в альбоме «Избранное»", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage("Активные сеансы"), + "add": MessageLookupByLibrary.simpleMessage("Добавить"), + "addAName": MessageLookupByLibrary.simpleMessage("Добавить имя"), + "addANewEmail": MessageLookupByLibrary.simpleMessage( + "Добавьте новую электронную почту", + ), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Добавьте виджет альбома на главный экран и вернитесь сюда, чтобы настроить его.", + ), + "addCollaborator": MessageLookupByLibrary.simpleMessage( + "Добавить соавтора", + ), + "addCollaborators": m1, + "addFiles": MessageLookupByLibrary.simpleMessage("Добавить файлы"), + "addFromDevice": MessageLookupByLibrary.simpleMessage( + "Добавить с устройства", + ), + "addItem": m2, + "addLocation": MessageLookupByLibrary.simpleMessage( + "Добавить местоположение", + ), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Добавить"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Добавьте виджет воспоминаний на главный экран и вернитесь сюда, чтобы настроить его.", + ), + "addMore": MessageLookupByLibrary.simpleMessage("Добавить ещё"), + "addName": MessageLookupByLibrary.simpleMessage("Добавить имя"), + "addNameOrMerge": MessageLookupByLibrary.simpleMessage( + "Добавить имя или объединить", + ), + "addNew": MessageLookupByLibrary.simpleMessage("Добавить новое"), + "addNewPerson": MessageLookupByLibrary.simpleMessage( + "Добавить нового человека", + ), + "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( + "Подробности дополнений", + ), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("Дополнения"), + "addParticipants": MessageLookupByLibrary.simpleMessage( + "Добавить участников", + ), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Добавьте виджет людей на главный экран и вернитесь сюда, чтобы настроить его.", + ), + "addPhotos": MessageLookupByLibrary.simpleMessage("Добавить фото"), + "addSelected": MessageLookupByLibrary.simpleMessage("Добавить выбранные"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("Добавить в альбом"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Добавить в Ente"), + "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Добавить в скрытый альбом", + ), + "addTrustedContact": MessageLookupByLibrary.simpleMessage( + "Добавить доверенный контакт", + ), + "addViewer": MessageLookupByLibrary.simpleMessage("Добавить зрителя"), + "addViewers": m4, + "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( + "Добавьте ваши фото", + ), + "addedAs": MessageLookupByLibrary.simpleMessage("Добавлен как"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": MessageLookupByLibrary.simpleMessage( + "Добавление в избранное...", + ), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("Расширенные"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Расширенные"), + "after1Day": MessageLookupByLibrary.simpleMessage("Через 1 день"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Через 1 час"), + "after1Month": MessageLookupByLibrary.simpleMessage("Через 1 месяц"), + "after1Week": MessageLookupByLibrary.simpleMessage("Через 1 неделю"), + "after1Year": MessageLookupByLibrary.simpleMessage("Через 1 год"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Владелец"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Название альбома"), + "albumUpdated": MessageLookupByLibrary.simpleMessage("Альбом обновлён"), + "albums": MessageLookupByLibrary.simpleMessage("Альбомы"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Выберите альбомы, которые вы хотите видеть на главном экране.", + ), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Всё чисто"), + "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( + "Все воспоминания сохранены", + ), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "Все группы этого человека будут сброшены, и вы потеряете все предложения для него", + ), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "Все неназванные группы будут объединены в выбранного человека. Это можно отменить в обзоре истории предложений для данного человека.", + ), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "Это первое фото в группе. Остальные выбранные фото автоматически сместятся на основе новой даты", + ), + "allow": MessageLookupByLibrary.simpleMessage("Разрешить"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Разрешить людям с этой ссылкой добавлять фото в общий альбом.", + ), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( + "Разрешить добавление фото", + ), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "Разрешить приложению открывать ссылки на общие альбомы", + ), + "allowDownloads": MessageLookupByLibrary.simpleMessage( + "Разрешить скачивание", + ), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Разрешить людям добавлять фото", + ), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, разрешите доступ к вашим фото через настройки устройства, чтобы Ente мог отображать и сохранять вашу библиотеку.", + ), + "allowPermTitle": MessageLookupByLibrary.simpleMessage( + "Разрешить доступ к фото", + ), + "androidBiometricHint": MessageLookupByLibrary.simpleMessage( + "Подтвердите личность", + ), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "Не распознано. Попробуйте снова.", + ), + "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( + "Требуется биометрия", + ), + "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("Успешно"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Отмена"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage( + "Требуются учётные данные устройства", + ), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage( + "Требуются учётные данные устройства", + ), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Биометрическая аутентификация не настроена. Перейдите в «Настройки» → «Безопасность», чтобы добавить её.", + ), + "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( + "Android, iOS, браузер, компьютер", + ), + "androidSignInTitle": MessageLookupByLibrary.simpleMessage( + "Требуется аутентификация", + ), + "appIcon": MessageLookupByLibrary.simpleMessage("Иконка приложения"), + "appLock": MessageLookupByLibrary.simpleMessage("Блокировка приложения"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Выберите между экраном блокировки устройства и пользовательским с PIN-кодом или паролем.", + ), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("Идентификатор Apple"), + "apply": MessageLookupByLibrary.simpleMessage("Применить"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Применить код"), + "appstoreSubscription": MessageLookupByLibrary.simpleMessage( + "Подписка AppStore", + ), + "archive": MessageLookupByLibrary.simpleMessage("Архив"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("Архивировать альбом"), + "archiving": MessageLookupByLibrary.simpleMessage("Архивация..."), + "areThey": MessageLookupByLibrary.simpleMessage("Они "), + "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( + "Вы уверены, что хотите удалить лицо этого человека?", + ), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Вы уверены, что хотите покинуть семейный тариф?", + ), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "Вы уверены, что хотите отменить?", + ), + "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( + "Вы уверены, что хотите сменить тариф?", + ), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "Вы уверены, что хотите выйти?", + ), + "areYouSureYouWantToIgnoreThesePersons": + MessageLookupByLibrary.simpleMessage( + "Вы уверены, что хотите игнорировать этих людей?", + ), + "areYouSureYouWantToIgnoreThisPerson": MessageLookupByLibrary.simpleMessage( + "Вы уверены, что хотите игнорировать этого человека?", + ), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Вы уверены, что хотите выйти?", + ), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "Вы уверены, что хотите их объединить?", + ), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "Вы уверены, что хотите продлить?", + ), + "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( + "Вы уверены, что хотите сбросить данные этого человека?", + ), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "Ваша подписка была отменена. Не хотели бы вы поделиться причиной?", + ), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Какова основная причина удаления вашего аккаунта?", + ), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Попросите близких поделиться", + ), + "atAFalloutShelter": MessageLookupByLibrary.simpleMessage("в бункере"), + "authToChangeEmailVerificationSetting": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, авторизуйтесь для изменения настроек подтверждения электронной почты", + ), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, авторизуйтесь для изменения настроек экрана блокировки", + ), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, авторизуйтесь для смены электронной почты", + ), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, авторизуйтесь для смены пароля", + ), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Пожалуйста, авторизуйтесь для настройки двухфакторной аутентификации", + ), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, авторизуйтесь для начала процедуры удаления аккаунта", + ), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, авторизуйтесь для управления доверенными контактами", + ), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, авторизуйтесь для просмотра ключа доступа", + ), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, авторизуйтесь для просмотра удалённых файлов", + ), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, авторизуйтесь для просмотра активных сессий", + ), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, авторизуйтесь для просмотра скрытых файлов", + ), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, авторизуйтесь для просмотра воспоминаний", + ), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, авторизуйтесь для просмотра ключа восстановления", + ), + "authenticating": MessageLookupByLibrary.simpleMessage("Аутентификация..."), + "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Аутентификация не удалась, пожалуйста, попробуйте снова", + ), + "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( + "Аутентификация прошла успешно!", + ), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Здесь вы увидите доступные устройства.", + ), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Убедитесь, что для приложения Ente Photos включены разрешения локальной сети в настройках.", + ), + "autoLock": MessageLookupByLibrary.simpleMessage("Автоблокировка"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Спустя какое время приложение блокируется после перехода в фоновый режим", + ), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "Из-за технического сбоя вы были выведены из системы. Приносим извинения за неудобства.", + ), + "autoPair": MessageLookupByLibrary.simpleMessage("Автоподключение"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "Автоподключение работает только с устройствами, поддерживающими Chromecast.", + ), + "available": MessageLookupByLibrary.simpleMessage("Доступно"), + "availableStorageSpace": m10, + "backedUpFolders": MessageLookupByLibrary.simpleMessage( + "Папки для резервного копирования", + ), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("Резервное копирование"), + "backupFailed": MessageLookupByLibrary.simpleMessage( + "Резервное копирование не удалось", + ), + "backupFile": MessageLookupByLibrary.simpleMessage( + "Резервное копирование файла", + ), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Резервное копирование через мобильный интернет", + ), + "backupSettings": MessageLookupByLibrary.simpleMessage( + "Настройки резервного копирования", + ), + "backupStatus": MessageLookupByLibrary.simpleMessage( + "Статус резервного копирования", + ), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Элементы, сохранённые в резервной копии, появятся здесь", + ), + "backupVideos": MessageLookupByLibrary.simpleMessage( + "Резервное копирование видео", + ), + "beach": MessageLookupByLibrary.simpleMessage("Песок и море"), + "birthday": MessageLookupByLibrary.simpleMessage("День рождения"), + "birthdayNotifications": MessageLookupByLibrary.simpleMessage( + "Уведомления о днях рождения", + ), + "birthdays": MessageLookupByLibrary.simpleMessage("Дни рождения"), + "blackFridaySale": MessageLookupByLibrary.simpleMessage( + "Распродажа в \"Черную пятницу\"", + ), + "blog": MessageLookupByLibrary.simpleMessage("Блог"), + "cLDesc1": MessageLookupByLibrary.simpleMessage( + "В результате бета-тестирования потоковой передачи видео и работы над возобновляемыми загрузками и скачиваниями мы увеличили лимит загружаемых файлов до 10 ГБ. Теперь это доступно как в настольных, так и в мобильных приложениях.", + ), + "cLDesc2": MessageLookupByLibrary.simpleMessage( + "Фоновая загрузка теперь поддерживается не только на устройствах Android, но и на iOS. Не нужно открывать приложение для резервного копирования последних фотографий и видео.", + ), + "cLDesc3": MessageLookupByLibrary.simpleMessage( + "Мы внесли значительные улучшения в работу с воспоминаниями, включая автовоспроизведение, переход к следующему воспоминанию и многое другое.", + ), + "cLDesc4": MessageLookupByLibrary.simpleMessage( + "Наряду с рядом внутренних улучшений теперь стало гораздо проще просматривать все обнаруженные лица, оставлять отзывы о похожих лицах, а также добавлять/удалять лица с одной фотографии.", + ), + "cLDesc5": MessageLookupByLibrary.simpleMessage( + "Теперь вы будете получать уведомления о всех днях рождениях, которые вы сохранили на Ente, а также коллекцию их лучших фотографий.", + ), + "cLDesc6": MessageLookupByLibrary.simpleMessage( + "Больше не нужно ждать завершения загрузки/скачивания, прежде чем закрыть приложение. Все загрузки и скачивания теперь можно приостановить и возобновить с того места, где вы остановились.", + ), + "cLTitle1": MessageLookupByLibrary.simpleMessage( + "Загрузка больших видеофайлов", + ), + "cLTitle2": MessageLookupByLibrary.simpleMessage("Фоновая загрузка"), + "cLTitle3": MessageLookupByLibrary.simpleMessage( + "Автовоспроизведение воспоминаний", + ), + "cLTitle4": MessageLookupByLibrary.simpleMessage( + "Улучшенное распознавание лиц", + ), + "cLTitle5": MessageLookupByLibrary.simpleMessage( + "Уведомления о днях рождения", + ), + "cLTitle6": MessageLookupByLibrary.simpleMessage( + "Возобновляемые загрузки и скачивания", + ), + "cachedData": MessageLookupByLibrary.simpleMessage("Кэшированные данные"), + "calculating": MessageLookupByLibrary.simpleMessage("Подсчёт..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Извините, этот альбом не может быть открыт в приложении.", + ), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( + "Не удаётся открыть этот альбом", + ), + "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( + "Нельзя загружать в альбомы, принадлежащие другим", + ), + "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Можно создать ссылку только для ваших файлов", + ), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Можно удалять только файлы, принадлежащие вам", + ), + "cancel": MessageLookupByLibrary.simpleMessage("Отменить"), + "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( + "Отменить восстановление", + ), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "Вы уверены, что хотите отменить восстановление?", + ), + "cancelOtherSubscription": m12, + "cancelSubscription": MessageLookupByLibrary.simpleMessage( + "Отменить подписку", + ), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Нельзя удалить общие файлы", + ), + "castAlbum": MessageLookupByLibrary.simpleMessage("Транслировать альбом"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, убедитесь, что вы находитесь в одной сети с телевизором.", + ), + "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( + "Не удалось транслировать альбом", + ), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Посетите cast.ente.io на устройстве, которое хотите подключить.\n\nВведите код ниже, чтобы воспроизвести альбом на телевизоре.", + ), + "centerPoint": MessageLookupByLibrary.simpleMessage("Центральная точка"), + "change": MessageLookupByLibrary.simpleMessage("Изменить"), + "changeEmail": MessageLookupByLibrary.simpleMessage( + "Изменить адрес электронной почты", + ), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Изменить местоположение выбранных элементов?", + ), + "changePassword": MessageLookupByLibrary.simpleMessage("Сменить пароль"), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Изменить пароль", + ), + "changePermissions": MessageLookupByLibrary.simpleMessage( + "Изменить разрешения?", + ), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Изменить ваш реферальный код", + ), + "checkForUpdates": MessageLookupByLibrary.simpleMessage( + "Проверить обновления", + ), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, проверьте ваш почтовый ящик (и спам) для завершения верификации", + ), + "checkStatus": MessageLookupByLibrary.simpleMessage("Проверить статус"), + "checking": MessageLookupByLibrary.simpleMessage("Проверка..."), + "checkingModels": MessageLookupByLibrary.simpleMessage( + "Проверка моделей...", + ), + "city": MessageLookupByLibrary.simpleMessage("В городе"), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage( + "Получить бесплатное хранилище", + ), + "claimMore": MessageLookupByLibrary.simpleMessage("Получите больше!"), + "claimed": MessageLookupByLibrary.simpleMessage("Получено"), + "claimedStorageSoFar": m14, + "cleanUncategorized": MessageLookupByLibrary.simpleMessage( + "Очистить «Без категории»", + ), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Удалить из «Без категории» все файлы, присутствующие в других альбомах", + ), + "clearCaches": MessageLookupByLibrary.simpleMessage("Очистить кэш"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Удалить индексы"), + "click": MessageLookupByLibrary.simpleMessage("• Нажмите"), + "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( + "• Нажмите на меню дополнительных действий", + ), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Нажмите, чтобы установить нашу лучшую версию", + ), + "close": MessageLookupByLibrary.simpleMessage("Закрыть"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( + "Группировать по времени съёмки", + ), + "clubByFileName": MessageLookupByLibrary.simpleMessage( + "Группировать по имени файла", + ), + "clusteringProgress": MessageLookupByLibrary.simpleMessage( + "Прогресс кластеризации", + ), + "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( + "Код применён", + ), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Извините, вы достигли лимита изменений кода.", + ), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Код скопирован в буфер обмена", + ), + "codeUsedByYou": MessageLookupByLibrary.simpleMessage( + "Код, использованный вами", + ), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Создайте ссылку, чтобы люди могли добавлять и просматривать фото в вашем общем альбоме без использования приложения или аккаунта Ente. Это отлично подходит для сбора фото с мероприятий.", + ), + "collaborativeLink": MessageLookupByLibrary.simpleMessage( + "Совместная ссылка", + ), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Соавтор"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Соавторы могут добавлять фото и видео в общий альбом.", + ), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("Макет"), + "collageSaved": MessageLookupByLibrary.simpleMessage( + "Коллаж сохранён в галерее", + ), + "collect": MessageLookupByLibrary.simpleMessage("Собрать"), + "collectEventPhotos": MessageLookupByLibrary.simpleMessage( + "Собрать фото с мероприятия", + ), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Сбор фото"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Создайте ссылку, по которой ваши друзья смогут загружать фото в оригинальном качестве.", + ), + "color": MessageLookupByLibrary.simpleMessage("Цвет"), + "configuration": MessageLookupByLibrary.simpleMessage("Настройки"), + "confirm": MessageLookupByLibrary.simpleMessage("Подтвердить"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Вы уверены, что хотите отключить двухфакторную аутентификацию?", + ), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Подтвердить удаление аккаунта", + ), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Да, я хочу навсегда удалить этот аккаунт и все его данные во всех приложениях.", + ), + "confirmPassword": MessageLookupByLibrary.simpleMessage( + "Подтвердите пароль", + ), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage( + "Подтвердить смену тарифа", + ), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Подтвердить ключ восстановления", + ), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Подтвердите ваш ключ восстановления", + ), + "connectToDevice": MessageLookupByLibrary.simpleMessage( + "Подключиться к устройству", + ), + "contactFamilyAdmin": m18, + "contactSupport": MessageLookupByLibrary.simpleMessage( + "Связаться с поддержкой", + ), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Контакты"), + "contents": MessageLookupByLibrary.simpleMessage("Содержимое"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Продолжить"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "Продолжить с бесплатным пробным периодом", + ), + "convertToAlbum": MessageLookupByLibrary.simpleMessage( + "Преобразовать в альбом", + ), + "copyEmailAddress": MessageLookupByLibrary.simpleMessage( + "Скопировать адрес электронной почты", + ), + "copyLink": MessageLookupByLibrary.simpleMessage("Скопировать ссылку"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Скопируйте этот код\nв ваше приложение для аутентификации", + ), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "Нам не удалось создать резервную копию ваших данных.\nМы повторим попытку позже.", + ), + "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( + "Не удалось освободить место", + ), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Не удалось обновить подписку", + ), + "count": MessageLookupByLibrary.simpleMessage("Количество"), + "crashReporting": MessageLookupByLibrary.simpleMessage("Отчёты об ошибках"), + "create": MessageLookupByLibrary.simpleMessage("Создать"), + "createAccount": MessageLookupByLibrary.simpleMessage("Создать аккаунт"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Нажмите и удерживайте, чтобы выбрать фото, и нажмите «+», чтобы создать альбом", + ), + "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( + "Создать совместную ссылку", + ), + "createCollage": MessageLookupByLibrary.simpleMessage("Создать коллаж"), + "createNewAccount": MessageLookupByLibrary.simpleMessage( + "Создать новый аккаунт", + ), + "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( + "Создать или выбрать альбом", + ), + "createPublicLink": MessageLookupByLibrary.simpleMessage( + "Создать публичную ссылку", + ), + "creatingLink": MessageLookupByLibrary.simpleMessage("Создание ссылки..."), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "Доступно критическое обновление", + ), + "crop": MessageLookupByLibrary.simpleMessage("Обрезать"), + "curatedMemories": MessageLookupByLibrary.simpleMessage( + "Отобранные воспоминания", + ), + "currentUsageIs": MessageLookupByLibrary.simpleMessage( + "Текущее использование составляет ", + ), + "currentlyRunning": MessageLookupByLibrary.simpleMessage("выполняется"), + "custom": MessageLookupByLibrary.simpleMessage("Пользовательский"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Тёмная"), + "dayToday": MessageLookupByLibrary.simpleMessage("Сегодня"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Вчера"), + "declineTrustInvite": MessageLookupByLibrary.simpleMessage( + "Отклонить приглашение", + ), + "decrypting": MessageLookupByLibrary.simpleMessage("Расшифровка..."), + "decryptingVideo": MessageLookupByLibrary.simpleMessage( + "Расшифровка видео...", + ), + "deduplicateFiles": MessageLookupByLibrary.simpleMessage( + "Удалить дубликаты файлов", + ), + "delete": MessageLookupByLibrary.simpleMessage("Удалить"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Удалить аккаунт"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Нам жаль, что вы уходите. Пожалуйста, поделитесь мнением о том, как мы могли бы стать лучше.", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Удалить аккаунт навсегда", + ), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Удалить альбом"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Также удалить фото (и видео), находящиеся в этом альбоме, из всех других альбомов, частью которых они являются?", + ), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "Это удалит все пустые альбомы. Это может быть полезно, если вы хотите навести порядок в списке альбомов.", + ), + "deleteAll": MessageLookupByLibrary.simpleMessage("Удалить всё"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "Этот аккаунт связан с другими приложениями Ente, если вы их используете. Все загруженные данные во всех приложениях Ente будут поставлены в очередь на удаление, а ваш аккаунт будет удален навсегда.", + ), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, отправьте письмо на account-deletion@ente.io с вашего зарегистрированного адреса электронной почты.", + ), + "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( + "Удалить пустые альбомы", + ), + "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( + "Удалить пустые альбомы?", + ), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage( + "Удалить из обоих мест", + ), + "deleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Удалить с устройства", + ), + "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Удалить из Ente"), + "deleteItemCount": m21, + "deleteLocation": MessageLookupByLibrary.simpleMessage( + "Удалить местоположение", + ), + "deleteMultipleAlbumDialog": m22, + "deletePhotos": MessageLookupByLibrary.simpleMessage("Удалить фото"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Отсутствует необходимая функция", + ), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "Приложение или определённая функция работают не так, как я ожидал", + ), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Я нашёл другой сервис, который мне больше нравится", + ), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "Моя причина не указана", + ), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Ваш запрос будет обработан в течение 72 часов.", + ), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Удалить общий альбом?", + ), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "Альбом будет удалён для всех\n\nВы потеряете доступ к общим фото в этом альбоме, принадлежащим другим", + ), + "deselectAll": MessageLookupByLibrary.simpleMessage("Отменить выделение"), + "designedToOutlive": MessageLookupByLibrary.simpleMessage( + "Создано на века", + ), + "details": MessageLookupByLibrary.simpleMessage("Подробности"), + "developerSettings": MessageLookupByLibrary.simpleMessage( + "Настройки для разработчиков", + ), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Вы уверены, что хотите изменить настройки для разработчиков?", + ), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Введите код"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "Файлы, добавленные в этот альбом на устройстве, будут автоматически загружены в Ente.", + ), + "deviceLock": MessageLookupByLibrary.simpleMessage("Блокировка устройства"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Отключить блокировку экрана устройства, когда Ente на экране, и выполняется резервное копирование. Обычно это не требуется, но это может ускорить завершение больших загрузок и первоначального импортирования крупных библиотек.", + ), + "deviceNotFound": MessageLookupByLibrary.simpleMessage( + "Устройство не найдено", + ), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Знаете ли вы?"), + "different": MessageLookupByLibrary.simpleMessage("Разные"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage( + "Отключить автоблокировку", + ), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Зрители всё ещё могут делать скриншоты или сохранять копии ваших фото с помощью внешних инструментов", + ), + "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( + "Обратите внимание", + ), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "Отключить двухфакторную аутентификацию", + ), + "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( + "Отключение двухфакторной аутентификации...", + ), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Откройте для себя"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Малыши"), + "discover_celebrations": MessageLookupByLibrary.simpleMessage("Праздники"), + "discover_food": MessageLookupByLibrary.simpleMessage("Еда"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Зелень"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Холмы"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Документы"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Мемы"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Заметки"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Питомцы"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Чеки"), + "discover_screenshots": MessageLookupByLibrary.simpleMessage("Скриншоты"), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Селфи"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Закат"), + "discover_visiting_cards": MessageLookupByLibrary.simpleMessage("Визитки"), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Обои"), + "dismiss": MessageLookupByLibrary.simpleMessage("Отклонить"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("км"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage("Не выходить"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Сделать это позже"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Хотите отменить сделанные изменения?", + ), + "done": MessageLookupByLibrary.simpleMessage("Готово"), + "dontSave": MessageLookupByLibrary.simpleMessage("Не сохранять"), + "doubleYourStorage": MessageLookupByLibrary.simpleMessage( + "Удвойте своё хранилище", + ), + "download": MessageLookupByLibrary.simpleMessage("Скачать"), + "downloadFailed": MessageLookupByLibrary.simpleMessage( + "Скачивание не удалось", + ), + "downloading": MessageLookupByLibrary.simpleMessage("Скачивание..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Редактировать"), + "editEmailAlreadyLinked": m28, + "editLocation": MessageLookupByLibrary.simpleMessage( + "Изменить местоположение", + ), + "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( + "Изменить местоположение", + ), + "editPerson": MessageLookupByLibrary.simpleMessage( + "Редактировать человека", + ), + "editTime": MessageLookupByLibrary.simpleMessage("Изменить время"), + "editsSaved": MessageLookupByLibrary.simpleMessage("Изменения сохранены"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Изменения в местоположении будут видны только в Ente", + ), + "eligible": MessageLookupByLibrary.simpleMessage("доступно"), + "email": MessageLookupByLibrary.simpleMessage("Электронная почта"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "Электронная почта уже зарегистрирована.", + ), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "Электронная почта не зарегистрирована.", + ), + "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( + "Подтверждение входа по почте", + ), + "emailYourLogs": MessageLookupByLibrary.simpleMessage( + "Отправить логи по электронной почте", + ), + "embracingThem": m32, + "emergencyContacts": MessageLookupByLibrary.simpleMessage( + "Экстренные контакты", + ), + "empty": MessageLookupByLibrary.simpleMessage("Очистить"), + "emptyTrash": MessageLookupByLibrary.simpleMessage("Очистить корзину?"), + "enable": MessageLookupByLibrary.simpleMessage("Включить"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "Ente поддерживает машинное обучение прямо на устройстве для распознавания лиц, магического поиска и других поисковых функций", + ), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Включите машинное обучение для магического поиска и распознавания лиц", + ), + "enableMaps": MessageLookupByLibrary.simpleMessage("Включить Карты"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "Ваши фото будут отображены на карте мира.\n\nЭта карта размещена на OpenStreetMap, и точное местоположение ваших фото никогда не разглашается.\n\nВы можете отключить эту функцию в любое время в настройках.", + ), + "enabled": MessageLookupByLibrary.simpleMessage("Включено"), + "encryptingBackup": MessageLookupByLibrary.simpleMessage( + "Шифрование резервной копии...", + ), + "encryption": MessageLookupByLibrary.simpleMessage("Шифрование"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage("Ключи шифрования"), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Конечная точка успешно обновлена", + ), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Сквозное шифрование по умолчанию", + ), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente может шифровать и сохранять файлы, только если вы предоставите к ним доступ", + ), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente требуется разрешение для сохранения ваших фото", + ), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "Ente сохраняет ваши воспоминания, чтобы они всегда были доступны вам, даже если вы потеряете устройство.", + ), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Ваша семья также может быть включена в ваш тариф.", + ), + "enterAlbumName": MessageLookupByLibrary.simpleMessage( + "Введите название альбома", + ), + "enterCode": MessageLookupByLibrary.simpleMessage("Введите код"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Введите код, предоставленный вашим другом, чтобы вы оба могли получить бесплатное хранилище", + ), + "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( + "Дата рождения (необязательно)", + ), + "enterEmail": MessageLookupByLibrary.simpleMessage( + "Введите электронную почту", + ), + "enterFileName": MessageLookupByLibrary.simpleMessage( + "Введите название файла", + ), + "enterName": MessageLookupByLibrary.simpleMessage("Введите имя"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Введите новый пароль для шифрования ваших данных", + ), + "enterPassword": MessageLookupByLibrary.simpleMessage("Введите пароль"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Введите пароль для шифрования ваших данных", + ), + "enterPersonName": MessageLookupByLibrary.simpleMessage( + "Введите имя человека", + ), + "enterPin": MessageLookupByLibrary.simpleMessage("Введите PIN-код"), + "enterReferralCode": MessageLookupByLibrary.simpleMessage( + "Введите реферальный код", + ), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Введите 6-значный код из\nвашего приложения для аутентификации", + ), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, введите действительный адрес электронной почты.", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Введите адрес вашей электронной почты", + ), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Введите ваш новый адрес электронной почты", + ), + "enterYourPassword": MessageLookupByLibrary.simpleMessage( + "Введите ваш пароль", + ), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Введите ваш ключ восстановления", + ), + "error": MessageLookupByLibrary.simpleMessage("Ошибка"), + "everywhere": MessageLookupByLibrary.simpleMessage("везде"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": MessageLookupByLibrary.simpleMessage( + "Существующий пользователь", + ), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Срок действия этой ссылки истёк. Пожалуйста, выберите новый срок или отключите его.", + ), + "exportLogs": MessageLookupByLibrary.simpleMessage("Экспортировать логи"), + "exportYourData": MessageLookupByLibrary.simpleMessage( + "Экспортировать ваши данные", + ), + "extraPhotosFound": MessageLookupByLibrary.simpleMessage( + "Найдены дополнительные фото", + ), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Лицо ещё не кластеризовано. Пожалуйста, попробуйте позже", + ), + "faceRecognition": MessageLookupByLibrary.simpleMessage( + "Распознавание лиц", + ), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "Не удалось создать миниатюры лиц", + ), + "faces": MessageLookupByLibrary.simpleMessage("Лица"), + "failed": MessageLookupByLibrary.simpleMessage("Не удалось"), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage( + "Не удалось применить код", + ), + "failedToCancel": MessageLookupByLibrary.simpleMessage( + "Не удалось отменить", + ), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( + "Не удалось скачать видео", + ), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Не удалось получить активные сессии", + ), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Не удалось скачать оригинал для редактирования", + ), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Не удалось получить данные о рефералах. Пожалуйста, попробуйте позже.", + ), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "Не удалось загрузить альбомы", + ), + "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Не удалось воспроизвести видео", + ), + "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( + "Не удалось обновить подписку", + ), + "failedToRenew": MessageLookupByLibrary.simpleMessage( + "Не удалось продлить", + ), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Не удалось проверить статус платежа", + ), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Добавьте 5 членов семьи к существующему тарифу без дополнительной оплаты.\n\nКаждый участник получает своё личное пространство и не может видеть файлы других, если они не общедоступны.\n\nСемейные тарифы доступны клиентам с платной подпиской на Ente.\n\nПодпишитесь сейчас, чтобы начать!", + ), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Семья"), + "familyPlans": MessageLookupByLibrary.simpleMessage("Семейные тарифы"), + "faq": MessageLookupByLibrary.simpleMessage("Часто задаваемые вопросы"), + "faqs": MessageLookupByLibrary.simpleMessage("Часто задаваемые вопросы"), + "favorite": MessageLookupByLibrary.simpleMessage("В избранное"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("Обратная связь"), + "file": MessageLookupByLibrary.simpleMessage("Файл"), + "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage( + "Не удалось проанализировать файл", + ), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Не удалось сохранить файл в галерею", + ), + "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( + "Добавить описание...", + ), + "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( + "Файл ещё не загружен", + ), + "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Файл сохранён в галерею", + ), + "fileTypes": MessageLookupByLibrary.simpleMessage("Типы файлов"), + "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( + "Типы и названия файлов", + ), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage("Файлы удалены"), + "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Файлы сохранены в галерею", + ), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "С лёгкостью находите людей по имени", + ), + "findThemQuickly": MessageLookupByLibrary.simpleMessage( + "С лёгкостью находите его", + ), + "flip": MessageLookupByLibrary.simpleMessage("Отразить"), + "food": MessageLookupByLibrary.simpleMessage("Кулинарное наслаждение"), + "forYourMemories": MessageLookupByLibrary.simpleMessage( + "для ваших воспоминаний", + ), + "forgotPassword": MessageLookupByLibrary.simpleMessage("Забыл пароль"), + "foundFaces": MessageLookupByLibrary.simpleMessage("Найденные лица"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( + "Полученное бесплатное хранилище", + ), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Доступное бесплатное хранилище", + ), + "freeTrial": MessageLookupByLibrary.simpleMessage( + "Бесплатный пробный период", + ), + "freeTrialValidTill": m38, + "freeUpAccessPostDelete": m39, + "freeUpAmount": m40, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( + "Освободить место на устройстве", + ), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Освободите место на устройстве, удалив файлы, которые уже сохранены в резервной копии.", + ), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("Освободить место"), + "freeUpSpaceSaving": m41, + "gallery": MessageLookupByLibrary.simpleMessage("Галерея"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "В галерее отображается до 1000 воспоминаний", + ), + "general": MessageLookupByLibrary.simpleMessage("Общие"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Генерация ключей шифрования...", + ), + "genericProgress": m42, + "goToSettings": MessageLookupByLibrary.simpleMessage("Перейти в настройки"), + "googlePlayId": MessageLookupByLibrary.simpleMessage( + "Идентификатор Google Play", + ), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, разрешите доступ ко всем фото в настройках устройства", + ), + "grantPermission": MessageLookupByLibrary.simpleMessage( + "Предоставить разрешение", + ), + "greenery": MessageLookupByLibrary.simpleMessage("Зелёная жизнь"), + "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( + "Группировать ближайшие фото", + ), + "guestView": MessageLookupByLibrary.simpleMessage("Гостевой просмотр"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "Для включения гостевого просмотра, пожалуйста, настройте код или блокировку экрана в настройках устройства.", + ), + "happyBirthday": MessageLookupByLibrary.simpleMessage( + "С днём рождения! 🥳", + ), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "Мы не отслеживаем установки приложений. Нам поможет, если скажете, как вы нас нашли!", + ), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Как вы узнали об Ente? (необязательно)", + ), + "help": MessageLookupByLibrary.simpleMessage("Помощь"), + "hidden": MessageLookupByLibrary.simpleMessage("Скрытые"), + "hide": MessageLookupByLibrary.simpleMessage("Скрыть"), + "hideContent": MessageLookupByLibrary.simpleMessage("Скрыть содержимое"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Скрывает содержимое приложения при переключении между приложениями и отключает скриншоты", + ), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Скрывает содержимое приложения при переключении между приложениями", + ), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Скрыть общие элементы из основной галереи", + ), + "hiding": MessageLookupByLibrary.simpleMessage("Скрытие..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( + "Размещено на OSM France", + ), + "howItWorks": MessageLookupByLibrary.simpleMessage("Как это работает"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Попросите их нажать с удержанием на адрес электронной почты на экране настроек и убедиться, что идентификаторы на обоих устройствах совпадают.", + ), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Биометрическая аутентификация не настроена. Пожалуйста, включите Touch ID или Face ID на вашем устройстве.", + ), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "Биометрическая аутентификация отключена. Пожалуйста, заблокируйте и разблокируйте экран, чтобы включить её.", + ), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("Хорошо"), + "ignore": MessageLookupByLibrary.simpleMessage("Игнорировать"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Игнорировать"), + "ignored": MessageLookupByLibrary.simpleMessage("игнорируется"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Некоторые файлы в этом альбоме игнорируются, так как ранее они были удалены из Ente.", + ), + "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( + "Изображение не проанализировано", + ), + "immediately": MessageLookupByLibrary.simpleMessage("Немедленно"), + "importing": MessageLookupByLibrary.simpleMessage("Импортирование..."), + "incorrectCode": MessageLookupByLibrary.simpleMessage("Неверный код"), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Неверный пароль", + ), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Неверный ключ восстановления", + ), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Введённый вами ключ восстановления неверен", + ), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Неверный ключ восстановления", + ), + "indexedItems": MessageLookupByLibrary.simpleMessage( + "Проиндексированные элементы", + ), + "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( + "Индексирование приостановлено. Оно автоматически возобновится, когда устройство будет готово. Устройство считается готовым, когда уровень заряда батареи, её состояние и температура находятся в пределах нормы.", + ), + "ineligible": MessageLookupByLibrary.simpleMessage("Неподходящий"), + "info": MessageLookupByLibrary.simpleMessage("Информация"), + "insecureDevice": MessageLookupByLibrary.simpleMessage( + "Небезопасное устройство", + ), + "installManually": MessageLookupByLibrary.simpleMessage( + "Установить вручную", + ), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "Недействительный адрес электронной почты", + ), + "invalidEndpoint": MessageLookupByLibrary.simpleMessage( + "Недействительная конечная точка", + ), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Извините, введённая вами конечная точка недействительна. Пожалуйста, введите корректную точку и попробуйте снова.", + ), + "invalidKey": MessageLookupByLibrary.simpleMessage("Недействительный ключ"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Введённый вами ключ восстановления недействителен. Убедитесь, что он содержит 24 слова, и проверьте правописание каждого из них.\n\nЕсли вы ввели старый код восстановления, убедитесь, что он состоит из 64 символов, и проверьте каждый из них.", + ), + "invite": MessageLookupByLibrary.simpleMessage("Пригласить"), + "inviteToEnte": MessageLookupByLibrary.simpleMessage("Пригласить в Ente"), + "inviteYourFriends": MessageLookupByLibrary.simpleMessage( + "Пригласите своих друзей", + ), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "Пригласите друзей в Ente", + ), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Похоже, что-то пошло не так. Пожалуйста, повторите попытку через некоторое время. Если ошибка сохраняется, обратитесь в нашу службу поддержки.", + ), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "На элементах отображается количество дней, оставшихся до их безвозвратного удаления", + ), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Выбранные элементы будут удалены из этого альбома", + ), + "join": MessageLookupByLibrary.simpleMessage("Присоединиться"), + "joinAlbum": MessageLookupByLibrary.simpleMessage( + "Присоединиться к альбому", + ), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "Если вы присоединитесь к альбому, ваша электронная почта станет видимой для его участников.", + ), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( + "чтобы просматривать и добавлять свои фото", + ), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "чтобы добавить это в общие альбомы", + ), + "joinDiscord": MessageLookupByLibrary.simpleMessage( + "Присоединиться в Discord", + ), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Оставить фото"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("км"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, помогите нам с этой информацией", + ), + "language": MessageLookupByLibrary.simpleMessage("Язык"), + "lastTimeWithThem": m45, + "lastUpdated": MessageLookupByLibrary.simpleMessage("Последнее обновление"), + "lastYearsTrip": MessageLookupByLibrary.simpleMessage( + "Прошлогодняя поездка", + ), + "leave": MessageLookupByLibrary.simpleMessage("Покинуть"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Покинуть альбом"), + "leaveFamily": MessageLookupByLibrary.simpleMessage("Покинуть семью"), + "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Покинуть общий альбом?", + ), + "left": MessageLookupByLibrary.simpleMessage("Влево"), + "legacy": MessageLookupByLibrary.simpleMessage("Наследие"), + "legacyAccounts": MessageLookupByLibrary.simpleMessage( + "Наследуемые аккаунты", + ), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "Наследие позволяет доверенным контактам получить доступ к вашему аккаунту в ваше отсутствие.", + ), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "Доверенные контакты могут начать восстановление аккаунта. Если не отменить это в течение 30 дней, то они смогут сбросить пароль и получить доступ.", + ), + "light": MessageLookupByLibrary.simpleMessage("Яркость"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Светлая"), + "link": MessageLookupByLibrary.simpleMessage("Привязать"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Ссылка скопирована в буфер обмена", + ), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage( + "Ограничение по количеству устройств", + ), + "linkEmail": MessageLookupByLibrary.simpleMessage( + "Привязать электронную почту", + ), + "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( + "чтобы быстрее делиться", + ), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Включена"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Истекла"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Срок действия ссылки"), + "linkHasExpired": MessageLookupByLibrary.simpleMessage( + "Срок действия ссылки истёк", + ), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Никогда"), + "linkPerson": MessageLookupByLibrary.simpleMessage("Связать человека"), + "linkPersonCaption": MessageLookupByLibrary.simpleMessage( + "чтобы было удобнее делиться", + ), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("Живые фото"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "Вы можете поделиться подпиской с вашей семьёй", + ), + "loadMessage2": MessageLookupByLibrary.simpleMessage( + "На сегодняшний день мы сохранили более 200 миллионов воспоминаний", + ), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "Мы храним 3 копии ваших данных, одну из них — в бункере", + ), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "Все наши приложения имеют открытый исходный код", + ), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Наш исходный код и криптография прошли внешний аудит", + ), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "Вы можете делиться ссылками на свои альбомы с близкими", + ), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Наши мобильные приложения работают в фоновом режиме, чтобы шифровать и сохранять все новые фото, которые вы снимаете", + ), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "На web.ente.io есть удобный загрузчик", + ), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Мы используем Xchacha20Poly1305 для безопасного шифрования ваших данных", + ), + "loadingExifData": MessageLookupByLibrary.simpleMessage( + "Загрузка данных EXIF...", + ), + "loadingGallery": MessageLookupByLibrary.simpleMessage( + "Загрузка галереи...", + ), + "loadingMessage": MessageLookupByLibrary.simpleMessage( + "Загрузка ваших фото...", + ), + "loadingModel": MessageLookupByLibrary.simpleMessage("Загрузка моделей..."), + "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( + "Загрузка ваших фото...", + ), + "localGallery": MessageLookupByLibrary.simpleMessage("Локальная галерея"), + "localIndexing": MessageLookupByLibrary.simpleMessage( + "Локальная индексация", + ), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Похоже, что-то пошло не так: синхронизация фото занимает больше времени, чем ожидалось. Пожалуйста, обратитесь в поддержку", + ), + "location": MessageLookupByLibrary.simpleMessage("Местоположение"), + "locationName": MessageLookupByLibrary.simpleMessage( + "Название местоположения", + ), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Тег местоположения группирует все фото, снятые в определённом радиусе от фото", + ), + "locations": MessageLookupByLibrary.simpleMessage("Местоположения"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Заблокировать"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Экран блокировки"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Войти"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Выход..."), + "loginSessionExpired": MessageLookupByLibrary.simpleMessage( + "Сессия истекла", + ), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "Ваша сессия истекла. Пожалуйста, войдите снова.", + ), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Нажимая \"Войти\", я соглашаюсь с условиями предоставления услуг и политикой конфиденциальности", + ), + "loginWithTOTP": MessageLookupByLibrary.simpleMessage( + "Войти с одноразовым кодом", + ), + "logout": MessageLookupByLibrary.simpleMessage("Выйти"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "Это отправит нам логи, чтобы помочь разобраться с вашей проблемой. Обратите внимание, что имена файлов будут включены для отслеживания проблем с конкретными файлами.", + ), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Нажмите с удержанием на электронную почту для подтверждения сквозного шифрования.", + ), + "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( + "Нажмите с удержанием на элемент для просмотра в полноэкранном режиме", + ), + "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( + "Оглянитесь на ваши воспоминания 🌄", + ), + "loopVideoOff": MessageLookupByLibrary.simpleMessage("Видео не зациклено"), + "loopVideoOn": MessageLookupByLibrary.simpleMessage("Видео зациклено"), + "lostDevice": MessageLookupByLibrary.simpleMessage("Потеряли устройство?"), + "machineLearning": MessageLookupByLibrary.simpleMessage( + "Машинное обучение", + ), + "magicSearch": MessageLookupByLibrary.simpleMessage("Магический поиск"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "Магический поиск позволяет искать фото по содержимому, например, «цветок», «красная машина», «документы»", + ), + "manage": MessageLookupByLibrary.simpleMessage("Управлять"), + "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( + "Управление кэшем устройства", + ), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Ознакомиться и очистить локальный кэш.", + ), + "manageFamily": MessageLookupByLibrary.simpleMessage("Управление семьёй"), + "manageLink": MessageLookupByLibrary.simpleMessage("Управлять ссылкой"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Управлять"), + "manageSubscription": MessageLookupByLibrary.simpleMessage( + "Управление подпиской", + ), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "Подключение с PIN-кодом работает с любым устройством, на котором вы хотите просматривать альбом.", + ), + "map": MessageLookupByLibrary.simpleMessage("Карта"), + "maps": MessageLookupByLibrary.simpleMessage("Карты"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("Я"), + "memories": MessageLookupByLibrary.simpleMessage("Воспоминания"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Выберите, какие воспоминания вы хотите видеть на главном экране.", + ), + "memoryCount": m50, + "merchandise": MessageLookupByLibrary.simpleMessage("Мерч"), + "merge": MessageLookupByLibrary.simpleMessage("Объединить"), + "mergeWithExisting": MessageLookupByLibrary.simpleMessage( + "Объединить с существующим", + ), + "mergedPhotos": MessageLookupByLibrary.simpleMessage("Объединённые фото"), + "mlConsent": MessageLookupByLibrary.simpleMessage( + "Включить машинное обучение", + ), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Я понимаю и хочу включить машинное обучение", + ), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Если вы включите машинное обучение, Ente будет извлекать информацию такую, как геометрия лица, из файлов, включая те, которыми с вами поделились.\n\nЭтот процесс будет происходить на вашем устройстве, и любая сгенерированная биометрическая информация будет защищена сквозным шифрованием.", + ), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, нажмите здесь для получения подробностей об этой функции в нашей политике конфиденциальности", + ), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "Включить машинное обучение?", + ), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Обратите внимание, что машинное обучение увеличит использование трафика и батареи, пока все элементы не будут проиндексированы. Рассмотрите использование приложения для компьютера для более быстрой индексации. Результаты будут автоматически синхронизированы.", + ), + "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( + "Смартфон, браузер, компьютер", + ), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Средняя"), + "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( + "Измените запрос или попробуйте поискать", + ), + "moments": MessageLookupByLibrary.simpleMessage("Моменты"), + "month": MessageLookupByLibrary.simpleMessage("месяц"), + "monthly": MessageLookupByLibrary.simpleMessage("Ежемесячно"), + "moon": MessageLookupByLibrary.simpleMessage("В лунном свете"), + "moreDetails": MessageLookupByLibrary.simpleMessage("Подробнее"), + "mostRecent": MessageLookupByLibrary.simpleMessage("Самые последние"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("Самые актуальные"), + "mountains": MessageLookupByLibrary.simpleMessage("За холмами"), + "moveItem": m51, + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "Переместите выбранные фото на одну дату", + ), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("Переместить в альбом"), + "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Переместить в скрытый альбом", + ), + "movedSuccessfullyTo": m52, + "movedToTrash": MessageLookupByLibrary.simpleMessage( + "Перемещено в корзину", + ), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Перемещение файлов в альбом...", + ), + "name": MessageLookupByLibrary.simpleMessage("Имя"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage( + "Дайте название альбому", + ), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Не удалось подключиться к Ente. Повторите попытку через некоторое время. Если ошибка сохраняется, обратитесь в поддержку.", + ), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Не удалось подключиться к Ente. Проверьте настройки сети и обратитесь в поддержку, если ошибка сохраняется.", + ), + "never": MessageLookupByLibrary.simpleMessage("Никогда"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Новый альбом"), + "newLocation": MessageLookupByLibrary.simpleMessage("Новое местоположение"), + "newPerson": MessageLookupByLibrary.simpleMessage("Новый человек"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" новая 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("Новый диапазон"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Впервые в Ente"), + "newest": MessageLookupByLibrary.simpleMessage("Недавние"), + "next": MessageLookupByLibrary.simpleMessage("Далее"), + "no": MessageLookupByLibrary.simpleMessage("Нет"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Вы пока не делились альбомами", + ), + "noDeviceFound": MessageLookupByLibrary.simpleMessage( + "Устройства не обнаружены", + ), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Нет"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "На этом устройстве нет файлов, которые можно удалить", + ), + "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Дубликатов нет"), + "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( + "Нет аккаунта Ente!", + ), + "noExifData": MessageLookupByLibrary.simpleMessage("Нет данных EXIF"), + "noFacesFound": MessageLookupByLibrary.simpleMessage("Лица не найдены"), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "Нет скрытых фото или видео", + ), + "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( + "Нет фото с местоположением", + ), + "noInternetConnection": MessageLookupByLibrary.simpleMessage( + "Нет подключения к Интернету", + ), + "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( + "В данный момент фото не копируются", + ), + "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( + "Здесь фото не найдены", + ), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( + "Быстрые ссылки не выбраны", + ), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Нет ключа восстановления?", + ), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Из-за особенностей нашего протокола сквозного шифрования ваши данные не могут быть расшифрованы без пароля или ключа восстановления", + ), + "noResults": MessageLookupByLibrary.simpleMessage("Нет результатов"), + "noResultsFound": MessageLookupByLibrary.simpleMessage("Нет результатов"), + "noSuggestionsForPerson": m53, + "noSystemLockFound": MessageLookupByLibrary.simpleMessage( + "Системная блокировка не найдена", + ), + "notPersonLabel": m54, + "notThisPerson": MessageLookupByLibrary.simpleMessage("Не этот человек?"), + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "С вами пока ничем не поделились", + ), + "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( + "Здесь ничего нет! 👀", + ), + "notifications": MessageLookupByLibrary.simpleMessage("Уведомления"), + "ok": MessageLookupByLibrary.simpleMessage("Хорошо"), + "onDevice": MessageLookupByLibrary.simpleMessage("На устройстве"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "В ente", + ), + "onTheRoad": MessageLookupByLibrary.simpleMessage("Снова в пути"), + "onThisDay": MessageLookupByLibrary.simpleMessage("В этот день"), + "onThisDayMemories": MessageLookupByLibrary.simpleMessage( + "В этот день воспоминания", + ), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "Получайте напоминания о воспоминаниях, связанных с этим днем в прошлые годы.", + ), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Только он(а)"), + "oops": MessageLookupByLibrary.simpleMessage("Ой"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Ой, не удалось сохранить изменения", + ), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Ой, что-то пошло не так", + ), + "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( + "Открыть альбом в браузере", + ), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, используйте веб-версию, чтобы добавить фото в этот альбом", + ), + "openFile": MessageLookupByLibrary.simpleMessage("Открыть файл"), + "openSettings": MessageLookupByLibrary.simpleMessage("Открыть настройки"), + "openTheItem": MessageLookupByLibrary.simpleMessage("• Откройте элемент"), + "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( + "Участники OpenStreetMap", + ), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Необязательно, насколько коротко пожелаете...", + ), + "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( + "Или объединить с существующим", + ), + "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( + "Или выберите существующую", + ), + "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( + "или выберите из ваших контактов", + ), + "otherDetectedFaces": MessageLookupByLibrary.simpleMessage( + "Другие найденные лица", + ), + "pair": MessageLookupByLibrary.simpleMessage("Подключить"), + "pairWithPin": MessageLookupByLibrary.simpleMessage("Подключить с PIN"), + "pairingComplete": MessageLookupByLibrary.simpleMessage( + "Подключение завершено", + ), + "panorama": MessageLookupByLibrary.simpleMessage("Панорама"), + "partyWithThem": m56, + "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( + "Проверка всё ещё ожидается", + ), + "passkey": MessageLookupByLibrary.simpleMessage("Ключ доступа"), + "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( + "Проверка ключа доступа", + ), + "password": MessageLookupByLibrary.simpleMessage("Пароль"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Пароль успешно изменён", + ), + "passwordLock": MessageLookupByLibrary.simpleMessage("Защита паролем"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "Надёжность пароля определяется его длиной, используемыми символами и присутствием среди 10000 самых популярных паролей", + ), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Мы не храним этот пароль, поэтому, если вы его забудете, мы не сможем расшифровать ваши данные", + ), + "pastYearsMemories": MessageLookupByLibrary.simpleMessage( + "Воспоминания прошлых лет", + ), + "paymentDetails": MessageLookupByLibrary.simpleMessage("Платёжные данные"), + "paymentFailed": MessageLookupByLibrary.simpleMessage("Платёж не удался"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "К сожалению, ваш платёж не удался. Пожалуйста, свяжитесь с поддержкой, и мы вам поможем!", + ), + "paymentFailedTalkToProvider": m58, + "pendingItems": MessageLookupByLibrary.simpleMessage("Элементы в очереди"), + "pendingSync": MessageLookupByLibrary.simpleMessage( + "Ожидание синхронизации", + ), + "people": MessageLookupByLibrary.simpleMessage("Люди"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Люди, использующие ваш код", + ), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Выберите людей, которых вы хотите видеть на главном экране.", + ), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Все элементы в корзине будут удалены навсегда\n\nЭто действие нельзя отменить", + ), + "permanentlyDelete": MessageLookupByLibrary.simpleMessage( + "Удалить безвозвратно", + ), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Удалить с устройства безвозвратно?", + ), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("Имя человека"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("Пушистые спутники"), + "photoDescriptions": MessageLookupByLibrary.simpleMessage("Описания фото"), + "photoGridSize": MessageLookupByLibrary.simpleMessage("Размер сетки фото"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("фото"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("Фото"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "Добавленные вами фото будут удалены из альбома", + ), + "photosCount": m62, + "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( + "Фото сохранят относительную разницу во времени", + ), + "pickCenterPoint": MessageLookupByLibrary.simpleMessage( + "Выбрать центральную точку", + ), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Закрепить альбом"), + "pinLock": MessageLookupByLibrary.simpleMessage("Блокировка PIN-кодом"), + "playOnTv": MessageLookupByLibrary.simpleMessage( + "Воспроизвести альбом на ТВ", + ), + "playOriginal": MessageLookupByLibrary.simpleMessage( + "Воспроизвести оригинал", + ), + "playStoreFreeTrialValidTill": m63, + "playStream": MessageLookupByLibrary.simpleMessage("Воспроизвести поток"), + "playstoreSubscription": MessageLookupByLibrary.simpleMessage( + "Подписка PlayStore", + ), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Пожалуйста, проверьте подключение к Интернету и попробуйте снова.", + ), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Пожалуйста, свяжитесь с support@ente.io, и мы будем рады помочь!", + ), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Пожалуйста, обратитесь в поддержку, если проблема сохраняется", + ), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, предоставьте разрешения", + ), + "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, войдите снова", + ), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, выберите быстрые ссылки для удаления", + ), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, попробуйте снова", + ), + "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, проверьте введённый вами код", + ), + "pleaseWait": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, подождите...", + ), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, подождите, альбом удаляется", + ), + "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, подождите некоторое время перед повторной попыткой", + ), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, подождите, это займёт некоторое время.", + ), + "posingWithThem": m66, + "preparingLogs": MessageLookupByLibrary.simpleMessage( + "Подготовка логов...", + ), + "preserveMore": MessageLookupByLibrary.simpleMessage("Сохранить больше"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Нажмите и удерживайте для воспроизведения видео", + ), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Нажмите с удержанием на изображение для воспроизведения видео", + ), + "previous": MessageLookupByLibrary.simpleMessage("Предыдущий"), + "privacy": MessageLookupByLibrary.simpleMessage("Конфиденциальность"), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "Политика конфиденциальности", + ), + "privateBackups": MessageLookupByLibrary.simpleMessage( + "Защищённые резервные копии", + ), + "privateSharing": MessageLookupByLibrary.simpleMessage("Защищённый обмен"), + "proceed": MessageLookupByLibrary.simpleMessage("Продолжить"), + "processed": MessageLookupByLibrary.simpleMessage("Обработано"), + "processing": MessageLookupByLibrary.simpleMessage("Обработка"), + "processingImport": m67, + "processingVideos": MessageLookupByLibrary.simpleMessage("Обработка видео"), + "publicLinkCreated": MessageLookupByLibrary.simpleMessage( + "Публичная ссылка создана", + ), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( + "Публичная ссылка включена", + ), + "questionmark": MessageLookupByLibrary.simpleMessage("?"), + "queued": MessageLookupByLibrary.simpleMessage("В очереди"), + "quickLinks": MessageLookupByLibrary.simpleMessage("Быстрые ссылки"), + "radius": MessageLookupByLibrary.simpleMessage("Радиус"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Создать запрос"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("Оценить приложение"), + "rateUs": MessageLookupByLibrary.simpleMessage("Оцените нас"), + "rateUsOnStore": m68, + "reassignMe": MessageLookupByLibrary.simpleMessage( + "Переназначить \"Меня\"", + ), + "reassignedToName": m69, + "reassigningLoading": MessageLookupByLibrary.simpleMessage( + "Переназначение...", + ), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Получайте напоминания, когда у кого-то день рождения. Нажатие на уведомление перенесет вас к фотографиям именинника.", + ), + "recover": MessageLookupByLibrary.simpleMessage("Восстановить"), + "recoverAccount": MessageLookupByLibrary.simpleMessage( + "Восстановить аккаунт", + ), + "recoverButton": MessageLookupByLibrary.simpleMessage("Восстановить"), + "recoveryAccount": MessageLookupByLibrary.simpleMessage( + "Восстановить аккаунт", + ), + "recoveryInitiated": MessageLookupByLibrary.simpleMessage( + "Восстановление начато", + ), + "recoveryInitiatedDesc": m70, + "recoveryKey": MessageLookupByLibrary.simpleMessage("Ключ восстановления"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Ключ восстановления скопирован в буфер обмена", + ), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Если вы забудете пароль, единственный способ восстановить ваши данные — это использовать этот ключ.", + ), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Мы не храним этот ключ. Пожалуйста, сохраните этот ключ из 24 слов в безопасном месте.", + ), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Отлично! Ваш ключ восстановления действителен. Спасибо за проверку.\n\nПожалуйста, не забудьте сохранить ключ восстановления в безопасном месте.", + ), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Ключ восстановления подтверждён", + ), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Ваш ключ восстановления — единственный способ восстановить ваши фото, если вы забудете пароль. Вы можете найти ключ восстановления в разделе «Настройки» → «Аккаунт».\n\nПожалуйста, введите ваш ключ восстановления здесь, чтобы убедиться, что вы сохранили его правильно.", + ), + "recoveryReady": m71, + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "Успешное восстановление!", + ), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "Доверенный контакт пытается получить доступ к вашему аккаунту", + ), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Текущее устройство недостаточно мощное для проверки вашего пароля, но мы можем сгенерировать его снова так, чтобы он работал на всех устройствах.\n\nПожалуйста, войдите, используя ваш ключ восстановления, и сгенерируйте пароль (при желании вы можете использовать тот же самый).", + ), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Пересоздать пароль", + ), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": MessageLookupByLibrary.simpleMessage( + "Подтвердите пароль", + ), + "reenterPin": MessageLookupByLibrary.simpleMessage( + "Введите PIN-код ещё раз", + ), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Пригласите друзей и удвойте свой тариф", + ), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Даёте этот код своим друзьям", + ), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Они подписываются на платный тариф", + ), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Рефералы"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "Реферальная программа временно приостановлена", + ), + "rejectRecovery": MessageLookupByLibrary.simpleMessage( + "Отклонить восстановление", + ), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "Также очистите «Недавно удалённые» в «Настройки» → «Хранилище», чтобы освободить место", + ), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Также очистите «Корзину», чтобы освободить место", + ), + "remoteImages": MessageLookupByLibrary.simpleMessage( + "Изображения вне устройства", + ), + "remoteThumbnails": MessageLookupByLibrary.simpleMessage( + "Миниатюры вне устройства", + ), + "remoteVideos": MessageLookupByLibrary.simpleMessage( + "Видео вне устройства", + ), + "remove": MessageLookupByLibrary.simpleMessage("Удалить"), + "removeDuplicates": MessageLookupByLibrary.simpleMessage( + "Удалить дубликаты", + ), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Проверьте и удалите файлы, которые являются точными дубликатами.", + ), + "removeFromAlbum": MessageLookupByLibrary.simpleMessage( + "Удалить из альбома", + ), + "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( + "Удалить из альбома?", + ), + "removeFromFavorite": MessageLookupByLibrary.simpleMessage( + "Убрать из избранного", + ), + "removeInvite": MessageLookupByLibrary.simpleMessage("Удалить приглашение"), + "removeLink": MessageLookupByLibrary.simpleMessage("Удалить ссылку"), + "removeParticipant": MessageLookupByLibrary.simpleMessage( + "Удалить участника", + ), + "removeParticipantBody": m74, + "removePersonLabel": MessageLookupByLibrary.simpleMessage( + "Удалить метку человека", + ), + "removePublicLink": MessageLookupByLibrary.simpleMessage( + "Удалить публичную ссылку", + ), + "removePublicLinks": MessageLookupByLibrary.simpleMessage( + "Удалить публичные ссылки", + ), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Некоторые из удаляемых вами элементов были добавлены другими людьми, и вы потеряете к ним доступ", + ), + "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Удалить?"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Удалить себя из доверенных контактов", + ), + "removingFromFavorites": MessageLookupByLibrary.simpleMessage( + "Удаление из избранного...", + ), + "rename": MessageLookupByLibrary.simpleMessage("Переименовать"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("Переименовать альбом"), + "renameFile": MessageLookupByLibrary.simpleMessage("Переименовать файл"), + "renewSubscription": MessageLookupByLibrary.simpleMessage( + "Продлить подписку", + ), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Сообщить об ошибке"), + "reportBug": MessageLookupByLibrary.simpleMessage("Сообщить об ошибке"), + "resendEmail": MessageLookupByLibrary.simpleMessage( + "Отправить письмо повторно", + ), + "reset": MessageLookupByLibrary.simpleMessage("Сбросить"), + "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( + "Сбросить игнорируемые файлы", + ), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Сбросить пароль", + ), + "resetPerson": MessageLookupByLibrary.simpleMessage("Удалить"), + "resetToDefault": MessageLookupByLibrary.simpleMessage( + "Вернуть стандартную", + ), + "restore": MessageLookupByLibrary.simpleMessage("Восстановить"), + "restoreToAlbum": MessageLookupByLibrary.simpleMessage( + "Восстановить в альбом", + ), + "restoringFiles": MessageLookupByLibrary.simpleMessage( + "Восстановление файлов...", + ), + "resumableUploads": MessageLookupByLibrary.simpleMessage( + "Возобновляемые загрузки", + ), + "retry": MessageLookupByLibrary.simpleMessage("Повторить"), + "review": MessageLookupByLibrary.simpleMessage("Предложения"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, проверьте и удалите элементы, которые считаете дубликатами.", + ), + "reviewSuggestions": MessageLookupByLibrary.simpleMessage( + "Посмотреть предложения", + ), + "right": MessageLookupByLibrary.simpleMessage("Вправо"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("Повернуть"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Повернуть влево"), + "rotateRight": MessageLookupByLibrary.simpleMessage("Повернуть вправо"), + "safelyStored": MessageLookupByLibrary.simpleMessage("Надёжно сохранены"), + "same": MessageLookupByLibrary.simpleMessage("Такой же"), + "sameperson": MessageLookupByLibrary.simpleMessage("Тот же человек?"), + "save": MessageLookupByLibrary.simpleMessage("Сохранить"), + "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage( + "Сохранить как другого человека", + ), + "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( + "Сохранить изменения перед выходом?", + ), + "saveCollage": MessageLookupByLibrary.simpleMessage("Сохранить коллаж"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Сохранить копию"), + "saveKey": MessageLookupByLibrary.simpleMessage("Сохранить ключ"), + "savePerson": MessageLookupByLibrary.simpleMessage("Сохранить человека"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Сохраните ваш ключ восстановления, если вы ещё этого не сделали", + ), + "saving": MessageLookupByLibrary.simpleMessage("Сохранение..."), + "savingEdits": MessageLookupByLibrary.simpleMessage( + "Сохранение изменений...", + ), + "scanCode": MessageLookupByLibrary.simpleMessage("Сканировать код"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Отсканируйте этот штрих-код\nс помощью вашего приложения для аутентификации", + ), + "search": MessageLookupByLibrary.simpleMessage("Поиск"), + "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Альбомы"), + "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage( + "Название альбома", + ), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Названия альбомов (например, «Камера»)\n• Типы файлов (например, «Видео», «.gif»)\n• Годы и месяцы (например, «2022», «Январь»)\n• Праздники (например, «Рождество»)\n• Описания фото (например, «#веселье»)", + ), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Добавляйте описания вроде «#поездка» в информацию о фото, чтобы быстро находить их здесь", + ), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Ищите по дате, месяцу или году", + ), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "Изображения появятся здесь после завершения обработки и синхронизации", + ), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "Люди появятся здесь после завершения индексации", + ), + "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( + "Типы и названия файлов", + ), + "searchHint1": MessageLookupByLibrary.simpleMessage( + "Быстрый поиск прямо на устройстве", + ), + "searchHint2": MessageLookupByLibrary.simpleMessage("Даты, описания фото"), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "Альбомы, названия и типы файлов", + ), + "searchHint4": MessageLookupByLibrary.simpleMessage("Местоположение"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "Скоро: Лица и магический поиск ✨", + ), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Группируйте фото, снятые в определённом радиусе от фото", + ), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "Приглашайте людей, и здесь появятся все фото, которыми они поделились", + ), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "Люди появятся здесь после завершения обработки и синхронизации", + ), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Безопасность"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "Просматривать публичные ссылки на альбомы в приложении", + ), + "selectALocation": MessageLookupByLibrary.simpleMessage( + "Выбрать местоположение", + ), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage( + "Сначала выберите местоположение", + ), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Выбрать альбом"), + "selectAll": MessageLookupByLibrary.simpleMessage("Выбрать все"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("Все"), + "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( + "Выберите обложку", + ), + "selectDate": MessageLookupByLibrary.simpleMessage("Выбрать дату"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Выберите папки для резервного копирования", + ), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "Выберите элементы для добавления", + ), + "selectLanguage": MessageLookupByLibrary.simpleMessage("Выберите язык"), + "selectMailApp": MessageLookupByLibrary.simpleMessage( + "Выберите почтовое приложение", + ), + "selectMorePhotos": MessageLookupByLibrary.simpleMessage( + "Выбрать больше фото", + ), + "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( + "Выбрать одну дату и время", + ), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "Выберите одну дату и время для всех", + ), + "selectPersonToLink": MessageLookupByLibrary.simpleMessage( + "Выберите человека для привязки", + ), + "selectReason": MessageLookupByLibrary.simpleMessage("Выберите причину"), + "selectStartOfRange": MessageLookupByLibrary.simpleMessage( + "Выберите начало диапазона", + ), + "selectTime": MessageLookupByLibrary.simpleMessage("Выбрать время"), + "selectYourFace": MessageLookupByLibrary.simpleMessage( + "Выберите своё лицо", + ), + "selectYourPlan": MessageLookupByLibrary.simpleMessage("Выберите тариф"), + "selectedAlbums": m79, + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Выбранные файлы отсутствуют в Ente", + ), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Выбранные папки будут зашифрованы и сохранены в резервной копии", + ), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Выбранные элементы будут удалены из всех альбомов и перемещены в корзину.", + ), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "Выбранные элементы будут отвязаны от этого человека, но не удалены из вашей библиотеки.", + ), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("Отправить"), + "sendEmail": MessageLookupByLibrary.simpleMessage( + "Отправить электронное письмо", + ), + "sendInvite": MessageLookupByLibrary.simpleMessage("Отправить приглашение"), + "sendLink": MessageLookupByLibrary.simpleMessage("Отправить ссылку"), + "serverEndpoint": MessageLookupByLibrary.simpleMessage( + "Конечная точка сервера", + ), + "sessionExpired": MessageLookupByLibrary.simpleMessage("Сессия истекла"), + "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( + "Несоответствие ID сессии", + ), + "setAPassword": MessageLookupByLibrary.simpleMessage("Установить пароль"), + "setAs": MessageLookupByLibrary.simpleMessage("Установить как"), + "setCover": MessageLookupByLibrary.simpleMessage("Установить обложку"), + "setLabel": MessageLookupByLibrary.simpleMessage("Установить"), + "setNewPassword": MessageLookupByLibrary.simpleMessage( + "Установите новый пароль", + ), + "setNewPin": MessageLookupByLibrary.simpleMessage( + "Установите новый PIN-код", + ), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Установить пароль", + ), + "setRadius": MessageLookupByLibrary.simpleMessage("Установить радиус"), + "setupComplete": MessageLookupByLibrary.simpleMessage( + "Настройка завершена", + ), + "share": MessageLookupByLibrary.simpleMessage("Поделиться"), + "shareALink": MessageLookupByLibrary.simpleMessage("Поделиться ссылкой"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Откройте альбом и нажмите кнопку «Поделиться» в правом верхнем углу, чтобы поделиться.", + ), + "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( + "Поделиться альбомом", + ), + "shareLink": MessageLookupByLibrary.simpleMessage("Поделиться ссылкой"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Делитесь только с теми, с кем хотите", + ), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Скачай Ente, чтобы мы могли легко делиться фото и видео в оригинальном качестве\n\nhttps://ente.io", + ), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Поделиться с пользователями, не использующими Ente", + ), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( + "Поделитесь своим первым альбомом", + ), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Создавайте общие и совместные альбомы с другими пользователями Ente, включая пользователей на бесплатных тарифах.", + ), + "sharedByMe": MessageLookupByLibrary.simpleMessage("Я поделился"), + "sharedByYou": MessageLookupByLibrary.simpleMessage("Вы поделились"), + "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( + "Новые общие фото", + ), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Получать уведомления, когда кто-то добавляет фото в общий альбом, в котором вы состоите", + ), + "sharedWith": m87, + "sharedWithMe": MessageLookupByLibrary.simpleMessage("Со мной поделились"), + "sharedWithYou": MessageLookupByLibrary.simpleMessage("Поделились с вами"), + "sharing": MessageLookupByLibrary.simpleMessage("Отправка..."), + "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( + "Сместить даты и время", + ), + "showLessFaces": MessageLookupByLibrary.simpleMessage( + "Показывать меньше лиц", + ), + "showMemories": MessageLookupByLibrary.simpleMessage( + "Показывать воспоминания", + ), + "showMoreFaces": MessageLookupByLibrary.simpleMessage( + "Показывать больше лиц", + ), + "showPerson": MessageLookupByLibrary.simpleMessage("Показать человека"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "Выйти с других устройств", + ), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Если вы считаете, что кто-то может знать ваш пароль, вы можете принудительно выйти с других устройств, использующих ваш аккаунт.", + ), + "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( + "Выйти с других устройств", + ), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Я согласен с условиями предоставления услуг и политикой конфиденциальности", + ), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Оно будет удалено из всех альбомов.", + ), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Пропустить"), + "smartMemories": MessageLookupByLibrary.simpleMessage("Умные воспоминания"), + "social": MessageLookupByLibrary.simpleMessage("Социальные сети"), + "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( + "Некоторые элементы находятся как в Ente, так и на вашем устройстве.", + ), + "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( + "Некоторые файлы, которые вы пытаетесь удалить, доступны только на вашем устройстве и не могут быть восстановлены после удаления", + ), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Тот, кто делится с вами альбомами, должен видеть такой же идентификатор на своём устройстве.", + ), + "somethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Что-то пошло не так", + ), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Что-то пошло не так. Пожалуйста, попробуйте снова", + ), + "sorry": MessageLookupByLibrary.simpleMessage("Извините"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "К сожалению, мы не смогли сделать резервную копию этого файла сейчас, мы повторим попытку позже.", + ), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Извините, не удалось добавить в избранное!", + ), + "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( + "Извините, не удалось удалить из избранного!", + ), + "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "Извините, введённый вами код неверен", + ), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "К сожалению, мы не смогли сгенерировать безопасные ключи на этом устройстве.\n\nПожалуйста, зарегистрируйтесь с другого устройства.", + ), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Извините, нам пришлось приостановить резервное копирование", + ), + "sort": MessageLookupByLibrary.simpleMessage("Сортировать"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Сортировать по"), + "sortNewestFirst": MessageLookupByLibrary.simpleMessage("Сначала новые"), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Сначала старые"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Успех"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": MessageLookupByLibrary.simpleMessage( + "Вы в центре внимания", + ), + "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( + "Начать восстановление", + ), + "startBackup": MessageLookupByLibrary.simpleMessage( + "Начать резервное копирование", + ), + "status": MessageLookupByLibrary.simpleMessage("Статус"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "Хотите остановить трансляцию?", + ), + "stopCastingTitle": MessageLookupByLibrary.simpleMessage( + "Остановить трансляцию", + ), + "storage": MessageLookupByLibrary.simpleMessage("Хранилище"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Семья"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Вы"), + "storageInGB": m93, + "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( + "Превышен лимит хранилища", + ), + "storageUsageInfo": m94, + "streamDetails": MessageLookupByLibrary.simpleMessage( + "Информация о потоке", + ), + "strongStrength": MessageLookupByLibrary.simpleMessage("Высокая"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Подписаться"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Вам нужна активная платная подписка, чтобы включить общий доступ.", + ), + "subscription": MessageLookupByLibrary.simpleMessage("Подписка"), + "success": MessageLookupByLibrary.simpleMessage("Успех"), + "successfullyArchived": MessageLookupByLibrary.simpleMessage( + "Успешно архивировано", + ), + "successfullyHid": MessageLookupByLibrary.simpleMessage("Успешно скрыто"), + "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( + "Успешно извлечено", + ), + "successfullyUnhid": MessageLookupByLibrary.simpleMessage( + "Успешно раскрыто", + ), + "suggestFeatures": MessageLookupByLibrary.simpleMessage("Предложить идею"), + "sunrise": MessageLookupByLibrary.simpleMessage("На горизонте"), + "support": MessageLookupByLibrary.simpleMessage("Поддержка"), + "syncProgress": m97, + "syncStopped": MessageLookupByLibrary.simpleMessage( + "Синхронизация остановлена", + ), + "syncing": MessageLookupByLibrary.simpleMessage("Синхронизация..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("Системная"), + "tapToCopy": MessageLookupByLibrary.simpleMessage( + "нажмите, чтобы скопировать", + ), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage( + "Нажмите, чтобы ввести код", + ), + "tapToUnlock": MessageLookupByLibrary.simpleMessage( + "Нажмите для разблокировки", + ), + "tapToUpload": MessageLookupByLibrary.simpleMessage("Нажмите для загрузки"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Похоже, что-то пошло не так. Пожалуйста, повторите попытку через некоторое время. Если ошибка сохраняется, обратитесь в нашу службу поддержки.", + ), + "terminate": MessageLookupByLibrary.simpleMessage("Завершить"), + "terminateSession": MessageLookupByLibrary.simpleMessage( + "Завершить сеанс?", + ), + "terms": MessageLookupByLibrary.simpleMessage("Условия"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage( + "Условия использования", + ), + "thankYou": MessageLookupByLibrary.simpleMessage("Спасибо"), + "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( + "Спасибо за подписку!", + ), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "Скачивание не может быть завершено", + ), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "Срок действия ссылки, к которой вы обращаетесь, истёк.", + ), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Группы людей больше не будут отображаться в разделе людей. Фотографии останутся нетронутыми.", + ), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Человек больше не будет отображаться в разделе людей. Фотографии останутся нетронутыми.", + ), + "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "Введённый вами ключ восстановления неверен", + ), + "theme": MessageLookupByLibrary.simpleMessage("Тема"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Эти элементы будут удалены с вашего устройства.", + ), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "Они будут удалены из всех альбомов.", + ), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Это действие нельзя отменить", + ), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "У этого альбома уже есть совместная ссылка", + ), + "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( + "Это можно использовать для восстановления вашего аккаунта, если вы потеряете свой аутентификатор", + ), + "thisDevice": MessageLookupByLibrary.simpleMessage("Это устройство"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "Эта электронная почта уже используется", + ), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Это фото не имеет данных EXIF", + ), + "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("Это я!"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Это ваш идентификатор подтверждения", + ), + "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( + "Эта неделя сквозь годы", + ), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Это завершит ваш сеанс на следующем устройстве:", + ), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Это завершит ваш сеанс на этом устройстве!", + ), + "thisWillMakeTheDateAndTimeOfAllSelected": + MessageLookupByLibrary.simpleMessage( + "Это сделает дату и время всех выбранных фото одинаковыми.", + ), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "Это удалит публичные ссылки всех выбранных быстрых ссылок.", + ), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "Для блокировки приложения, пожалуйста, настройте код или экран блокировки в настройках устройства.", + ), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( + "Скрыть фото или видео", + ), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Чтобы сбросить пароль, сначала подтвердите вашу электронную почту.", + ), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Сегодняшние логи"), + "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( + "Слишком много неудачных попыток", + ), + "total": MessageLookupByLibrary.simpleMessage("всего"), + "totalSize": MessageLookupByLibrary.simpleMessage("Общий размер"), + "trash": MessageLookupByLibrary.simpleMessage("Корзина"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Сократить"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": MessageLookupByLibrary.simpleMessage( + "Доверенные контакты", + ), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Попробовать снова"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Включите резервное копирование, чтобы автоматически загружать файлы из этой папки на устройстве в Ente.", + ), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "2 месяца в подарок на годовом тарифе", + ), + "twofactor": MessageLookupByLibrary.simpleMessage( + "Двухфакторная аутентификация", + ), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "Двухфакторная аутентификация отключена", + ), + "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( + "Двухфакторная аутентификация", + ), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "Двухфакторная аутентификация успешно сброшена", + ), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Настройка двухфакторной аутентификации", + ), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("Извлечь из архива"), + "unarchiveAlbum": MessageLookupByLibrary.simpleMessage( + "Извлечь альбом из архива", + ), + "unarchiving": MessageLookupByLibrary.simpleMessage("Извлечение..."), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Извините, этот код недоступен.", + ), + "uncategorized": MessageLookupByLibrary.simpleMessage("Без категории"), + "unhide": MessageLookupByLibrary.simpleMessage("Не скрывать"), + "unhideToAlbum": MessageLookupByLibrary.simpleMessage("Перенести в альбом"), + "unhiding": MessageLookupByLibrary.simpleMessage("Раскрытие..."), + "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Перенос файлов в альбом", + ), + "unlock": MessageLookupByLibrary.simpleMessage("Разблокировать"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("Открепить альбом"), + "unselectAll": MessageLookupByLibrary.simpleMessage("Отменить выбор"), + "update": MessageLookupByLibrary.simpleMessage("Обновить"), + "updateAvailable": MessageLookupByLibrary.simpleMessage( + "Доступно обновление", + ), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Обновление выбора папок...", + ), + "upgrade": MessageLookupByLibrary.simpleMessage("Улучшить"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Загрузка файлов в альбом...", + ), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( + "Сохранение 1 воспоминания...", + ), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "Скидки до 50% до 4 декабря", + ), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "Доступное хранилище ограничено вашим текущим тарифом. Избыточное полученное хранилище автоматически станет доступным при улучшении тарифа.", + ), + "useAsCover": MessageLookupByLibrary.simpleMessage( + "Использовать для обложки", + ), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "Проблемы с воспроизведением видео? Нажмите и удерживайте здесь, чтобы попробовать другой плеер.", + ), + "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Используйте публичные ссылки для людей, не использующих Ente", + ), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Использовать ключ восстановления", + ), + "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( + "Использовать выбранное фото", + ), + "usedSpace": MessageLookupByLibrary.simpleMessage("Использовано места"), + "validTill": m110, + "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Проверка не удалась, пожалуйста, попробуйте снова", + ), + "verificationId": MessageLookupByLibrary.simpleMessage( + "Идентификатор подтверждения", + ), + "verify": MessageLookupByLibrary.simpleMessage("Подтвердить"), + "verifyEmail": MessageLookupByLibrary.simpleMessage( + "Подтвердить электронную почту", + ), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Подтвердить"), + "verifyPasskey": MessageLookupByLibrary.simpleMessage( + "Подтвердить ключ доступа", + ), + "verifyPassword": MessageLookupByLibrary.simpleMessage( + "Подтвердить пароль", + ), + "verifying": MessageLookupByLibrary.simpleMessage("Проверка..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Проверка ключа восстановления...", + ), + "videoInfo": MessageLookupByLibrary.simpleMessage("Информация о видео"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("видео"), + "videoStreaming": MessageLookupByLibrary.simpleMessage("Потоковое видео"), + "videos": MessageLookupByLibrary.simpleMessage("Видео"), + "viewActiveSessions": MessageLookupByLibrary.simpleMessage( + "Просмотр активных сессий", + ), + "viewAddOnButton": MessageLookupByLibrary.simpleMessage( + "Посмотреть дополнения", + ), + "viewAll": MessageLookupByLibrary.simpleMessage("Посмотреть все"), + "viewAllExifData": MessageLookupByLibrary.simpleMessage( + "Посмотреть все данные EXIF", + ), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Большие файлы"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Узнайте, какие файлы занимают больше всего места.", + ), + "viewLogs": MessageLookupByLibrary.simpleMessage("Просмотреть логи"), + "viewPersonToUnlink": m112, + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Увидеть ключ восстановления", + ), + "viewer": MessageLookupByLibrary.simpleMessage("Зритель"), + "viewersSuccessfullyAdded": m113, + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, посетите web.ente.io для управления вашей подпиской", + ), + "waitingForVerification": MessageLookupByLibrary.simpleMessage( + "Ожидание подтверждения...", + ), + "waitingForWifi": MessageLookupByLibrary.simpleMessage("Ожидание Wi-Fi..."), + "warning": MessageLookupByLibrary.simpleMessage("Предупреждение"), + "weAreOpenSource": MessageLookupByLibrary.simpleMessage( + "У нас открытый исходный код!", + ), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "Мы не поддерживаем редактирование фото и альбомов, которые вам пока не принадлежат", + ), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Низкая"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("С возвращением!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("Что нового"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "Доверенный контакт может помочь в восстановлении ваших данных.", + ), + "widgets": MessageLookupByLibrary.simpleMessage("Виджеты"), + "wishThemAHappyBirthday": m115, + "yearShort": MessageLookupByLibrary.simpleMessage("год"), + "yearly": MessageLookupByLibrary.simpleMessage("Ежегодно"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Да"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Да, отменить"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "Да, перевести в зрители", + ), + "yesDelete": MessageLookupByLibrary.simpleMessage("Да, удалить"), + "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( + "Да, отменить изменения", + ), + "yesIgnore": MessageLookupByLibrary.simpleMessage("Да, игнорировать"), + "yesLogout": MessageLookupByLibrary.simpleMessage("Да, выйти"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Да, удалить"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Да, продлить"), + "yesResetPerson": MessageLookupByLibrary.simpleMessage( + "Да, сбросить данные человека", + ), + "you": MessageLookupByLibrary.simpleMessage("Вы"), + "youAndThem": m117, + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( + "Вы на семейном тарифе!", + ), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Вы используете последнюю версию", + ), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Вы можете увеличить хранилище максимум в два раза", + ), + "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( + "Вы можете управлять своими ссылками на вкладке «Поделиться».", + ), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "Вы можете попробовать выполнить поиск по другому запросу.", + ), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "Вы не можете понизить до этого тарифа", + ), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Вы не можете поделиться с самим собой", + ), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "У вас нет архивных элементов.", + ), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "Ваш аккаунт был удалён", + ), + "yourMap": MessageLookupByLibrary.simpleMessage("Ваша карта"), + "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( + "Ваш тариф успешно понижен", + ), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "Ваш тариф успешно повышен", + ), + "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( + "Ваша покупка прошла успешно", + ), + "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( + "Не удалось получить данные о вашем хранилище", + ), + "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( + "Срок действия вашей подписки истёк", + ), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage("Ваша подписка успешно обновлена"), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "Срок действия вашего кода подтверждения истёк", + ), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "У вас нет дубликатов файлов, которые можно удалить", + ), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "В этом альбоме нет файлов, которые можно удалить", + ), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( + "Уменьшите масштаб, чтобы увидеть фото", + ), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_sr.dart b/mobile/apps/photos/lib/generated/intl/messages_sr.dart index baacea2a95..6fff21e930 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_sr.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_sr.dart @@ -20,6 +20,439 @@ typedef String MessageIfAbsent(String messageStr, List args); class MessageLookup extends MessageLookupByLibrary { String get localeName => 'sr'; + static String m8(count) => + "${Intl.plural(count, zero: 'Нека учесника', one: '1 учесник', other: '${count} учесника')}"; + + static String m25(supportEmail) => + "Молимо Вас да пошаљете имејл на ${supportEmail} са Ваше регистроване адресе е-поште"; + + static String m31(email) => + "${email} нема Енте налог.\n\nПошаљи им позивницу за дељење фотографија."; + + static String m47(expiryTime) => "Веза ће истећи ${expiryTime}"; + + static String m50(count, formattedCount) => + "${Intl.plural(count, zero: 'нема сећања', one: '${formattedCount} сећање', other: '${formattedCount} сећања')}"; + + static String m55(familyAdminEmail) => + "Молимо вас да контактирате ${familyAdminEmail} да бисте променили свој код."; + + static String m57(passwordStrengthValue) => + "Снага лозинке: ${passwordStrengthValue}"; + + static String m80(count) => "${count} изабрано"; + + static String m81(count, yourCount) => + "${count} изабрано (${yourCount} Ваше)"; + + static String m83(verificationID) => + "Ево мог ИД-а за верификацију: ${verificationID} за ente.io."; + + static String m84(verificationID) => + "Здраво, можеш ли да потврдиш да је ово твој ente.io ИД за верификацију: ${verificationID}"; + + static String m86(numberOfPeople) => + "${Intl.plural(numberOfPeople, zero: 'Подели са одређеним особама', one: 'Подељено са 1 особом', other: 'Подељено са ${numberOfPeople} особа')}"; + + static String m88(fileType) => + "Овај ${fileType} ће бити избрисан са твог уређаја."; + + static String m89(fileType) => + "Овај ${fileType} се налази и у Енте-у и на Вашем уређају."; + + static String m90(fileType) => "Овај ${fileType} ће бити избрисан из Енте-а."; + + static String m93(storageAmountInGB) => "${storageAmountInGB} ГБ"; + + static String m100(email) => "Ово је ИД за верификацију корисника ${email}"; + + static String m111(email) => "Верификуј ${email}"; + + static String m114(email) => "Послали смо е-попту на ${email}"; + final messages = _notInlinedMessages(_notInlinedMessages); - static Map _notInlinedMessages(_) => {}; + static Map _notInlinedMessages(_) => { + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( + "Добродошли назад!", + ), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Разумем да ако изгубим лозинку, могу изгубити своје податке пошто су шифрирани од краја до краја.", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage("Активне сесије"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Напредно"), + "after1Day": MessageLookupByLibrary.simpleMessage("Након 1 дана"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Након 1 сата"), + "after1Month": MessageLookupByLibrary.simpleMessage("Након 1 месеца"), + "after1Week": MessageLookupByLibrary.simpleMessage("Након 1 недеље"), + "after1Year": MessageLookupByLibrary.simpleMessage("Након 1 године"), + "albumParticipantsCount": m8, + "albumUpdated": MessageLookupByLibrary.simpleMessage("Албум ажуриран"), + "albums": MessageLookupByLibrary.simpleMessage("Албуми"), + "apply": MessageLookupByLibrary.simpleMessage("Примени"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Примени кôд"), + "archive": MessageLookupByLibrary.simpleMessage("Архивирај"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Који је главни разлог што бришете свој налог?", + ), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Молимо вас да се аутентификујете да бисте видели датотеке у отпаду", + ), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Молимо вас да се аутентификујете да бисте видели скривене датотеке", + ), + "cancel": MessageLookupByLibrary.simpleMessage("Откажи"), + "change": MessageLookupByLibrary.simpleMessage("Измени"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Промени е-пошту"), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Промени лозинку", + ), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Промени свој реферални код", + ), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Молимо вас да проверите примљену пошту (и нежељену пошту) да бисте довршили верификацију", + ), + "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( + "Кôд примењен", + ), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Жао нам је, достигли сте максимум броја промена кôда.", + ), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Копирано у међуспремник", + ), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Креирајте везу која омогућава људима да додају и прегледају фотографије у вашем дељеном албуму без потребе за Енте апликацијом или налогом. Одлично за прикупљање фотографија са догађаја.", + ), + "collaborativeLink": MessageLookupByLibrary.simpleMessage( + "Сарадничка веза", + ), + "collectPhotos": MessageLookupByLibrary.simpleMessage( + "Прикупи фотографије", + ), + "confirm": MessageLookupByLibrary.simpleMessage("Потврди"), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Потврдите брисање налога", + ), + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Да, желим трајно да избришем овај налог и све његове податке у свим апликацијама.", + ), + "confirmPassword": MessageLookupByLibrary.simpleMessage( + "Потврдите лозинку", + ), + "contactSupport": MessageLookupByLibrary.simpleMessage( + "Контактирати подршку", + ), + "continueLabel": MessageLookupByLibrary.simpleMessage("Настави"), + "copyLink": MessageLookupByLibrary.simpleMessage("Копирај везу"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Копирајте и налепите овај код \nу своју апликацију за аутентификацију", + ), + "createAccount": MessageLookupByLibrary.simpleMessage("Направи налог"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Дуго притисните да бисте изабрали фотографије и кликните на + да бисте направили албум", + ), + "createNewAccount": MessageLookupByLibrary.simpleMessage( + "Креирај нови налог", + ), + "createPublicLink": MessageLookupByLibrary.simpleMessage( + "Креирај јавну везу", + ), + "custom": MessageLookupByLibrary.simpleMessage("Прилагођено"), + "decrypting": MessageLookupByLibrary.simpleMessage("Дешифровање..."), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Обриши налог"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Жао нам је што одлазите. Молимо вас да нам оставите повратне информације како бисмо могли да се побољшамо.", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Трајно обриши налог", + ), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Молимо пошаљите имејл на account-deletion@ente.io са ваше регистроване адресе е-поште.", + ), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage("Обриши са оба"), + "deleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Обриши са уређаја", + ), + "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Обриши са Енте-а"), + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Недостаје важна функција која ми је потребна", + ), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "Апликација или одређена функција не ради онако како мислим да би требало", + ), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Пронашао/ла сам други сервис који ми више одговара", + ), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "Мој разлог није на листи", + ), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Ваш захтев ће бити обрађен у року од 72 сата.", + ), + "doThisLater": MessageLookupByLibrary.simpleMessage("Уради ово касније"), + "done": MessageLookupByLibrary.simpleMessage("Готово"), + "dropSupportEmail": m25, + "email": MessageLookupByLibrary.simpleMessage("Е-пошта"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "Е-пошта је већ регистрована.", + ), + "emailNoEnteAccount": m31, + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "Е-пошта није регистрована.", + ), + "encryption": MessageLookupByLibrary.simpleMessage("Шифровање"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage("Кључеви шифровања"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Енте-у је потребна дозвола да сачува ваше фотографије", + ), + "enterCode": MessageLookupByLibrary.simpleMessage("Унесите кôд"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Унеси код који ти је дао пријатељ да бисте обоје добили бесплатан простор за складиштење", + ), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Унесите нову лозинку коју можемо да користимо за шифровање ваших података", + ), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Унесите лозинку коју можемо да користимо за шифровање ваших података", + ), + "enterReferralCode": MessageLookupByLibrary.simpleMessage( + "Унеси реферални код", + ), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Унесите 6-цифрени кôд из\nапликације за аутентификацију", + ), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Молимо унесите исправну адресу е-поште.", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Унесите Вашу е-пошту", + ), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Унесите Вашу нову е-пошту", + ), + "enterYourPassword": MessageLookupByLibrary.simpleMessage( + "Унесите лозинку", + ), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Унесите Ваш кључ за опоравак", + ), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage( + "Грешка у примењивању кôда", + ), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "Грешка при учитавању албума", + ), + "feedback": MessageLookupByLibrary.simpleMessage("Повратне информације"), + "forgotPassword": MessageLookupByLibrary.simpleMessage( + "Заборавио сам лозинку", + ), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Генерисање кључева за шифровање...", + ), + "hidden": MessageLookupByLibrary.simpleMessage("Скривено"), + "howItWorks": MessageLookupByLibrary.simpleMessage("Како ради"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Молимо их да дуго притисну своју адресу е-поште на екрану за подешавања и провере да ли се ИД-ови на оба уређаја поклапају.", + ), + "importing": MessageLookupByLibrary.simpleMessage("Увоз...."), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Неисправна лозинка", + ), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Унети кључ за опоравак је натачан", + ), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Нетачан кључ за опоравак", + ), + "insecureDevice": MessageLookupByLibrary.simpleMessage( + "Уређај није сигуран", + ), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "Неисправна е-пошта", + ), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Љубазно вас молимо да нам помогнете са овим информацијама", + ), + "linkExpiresOn": m47, + "linkHasExpired": MessageLookupByLibrary.simpleMessage("Веза је истекла"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Пријави се"), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Кликом на пријаву, прихватам услове сервиса и политику приватности", + ), + "manageLink": MessageLookupByLibrary.simpleMessage("Управљај везом"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Управљај"), + "memoryCount": m50, + "moderateStrength": MessageLookupByLibrary.simpleMessage("Средње"), + "movedToTrash": MessageLookupByLibrary.simpleMessage("Премештено у смеће"), + "never": MessageLookupByLibrary.simpleMessage("Никад"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Нови албум"), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Немате кључ за опоравак?", + ), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Због природе нашег протокола за крај-до-крај енкрипцију, ваши подаци не могу бити дешифровани без ваше лозинке или кључа за опоравак", + ), + "ok": MessageLookupByLibrary.simpleMessage("Ок"), + "onlyFamilyAdminCanChangeCode": m55, + "oops": MessageLookupByLibrary.simpleMessage("Упс!"), + "password": MessageLookupByLibrary.simpleMessage("Лозинка"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Лозинка је успешно промењена", + ), + "passwordStrength": m57, + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Не чувамо ову лозинку, па ако је заборавите, не можемо дешифрирати ваше податке", + ), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("слика"), + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("Пробајте поново"), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Молимо сачекајте..."), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "Политика приватности", + ), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( + "Јавна веза је укључена", + ), + "recover": MessageLookupByLibrary.simpleMessage("Опорави"), + "recoverAccount": MessageLookupByLibrary.simpleMessage("Опоравак налога"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Опорави"), + "recoveryKey": MessageLookupByLibrary.simpleMessage("Кључ за опоравак"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Кључ за опоравак је копиран у међуспремник", + ), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Ако заборавите лозинку, једини начин на који можете повратити податке је са овим кључем.", + ), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Не чувамо овај кључ, молимо да сачувате кључ од 24 речи на сигурном месту.", + ), + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "Опоравак успешан!", + ), + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Тренутни уређај није довољно моћан да потврди вашу лозинку, али можемо регенерирати на начин који ради са свим уређајима.\n\nПријавите се помоћу кључа за опоравак и обновите своју лозинку (можете поново користити исту ако желите).", + ), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Рекреирај лозинку", + ), + "removeLink": MessageLookupByLibrary.simpleMessage("Уклони везу"), + "resendEmail": MessageLookupByLibrary.simpleMessage( + "Поново пошаљи е-пошту", + ), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Ресетуј лозинку", + ), + "saveKey": MessageLookupByLibrary.simpleMessage("Сачувај кључ"), + "scanCode": MessageLookupByLibrary.simpleMessage("Скенирајте кôд"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Скенирајте овај баркод \nсвојом апликацијом за аутентификацију", + ), + "selectReason": MessageLookupByLibrary.simpleMessage("Одаберите разлог"), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "sendEmail": MessageLookupByLibrary.simpleMessage("Пошаљи е-пошту"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Пошаљи позивницу"), + "sendLink": MessageLookupByLibrary.simpleMessage("Пошаљи везу"), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage("Постави лозинку"), + "setupComplete": MessageLookupByLibrary.simpleMessage( + "Постављање завршено", + ), + "shareALink": MessageLookupByLibrary.simpleMessage("Подели везу"), + "shareMyVerificationID": m83, + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Преузми Енте да бисмо лако делили фотографије и видео записе у оригиналном квалитету\n\nhttps://ente.io", + ), + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Пошаљи корисницима који немају Енте налог", + ), + "shareWithPeopleSectionTitle": m86, + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Креирај дељене и заједничке албуме са другим Енте корисницима, укључујући и оне на бесплатним плановима.", + ), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Прихватам услове сервиса и политику приватности", + ), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Биће обрисано из свих албума.", + ), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Особе које деле албуме с тобом би требале да виде исти ИД на свом уређају.", + ), + "somethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Нешто није у реду", + ), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Нешто је пошло наопако, покушајте поново", + ), + "sorry": MessageLookupByLibrary.simpleMessage("Извините"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Извините, не можемо да генеришемо сигурне кључеве на овом уређају.\n\nМолимо пријавите се са другог уређаја.", + ), + "storageInGB": m93, + "strongStrength": MessageLookupByLibrary.simpleMessage("Јако"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("питисните да копирате"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage( + "Пипните да бисте унели кôд", + ), + "terminate": MessageLookupByLibrary.simpleMessage("Прекини"), + "terminateSession": MessageLookupByLibrary.simpleMessage( + "Прекинути сесију?", + ), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Услови"), + "thisDevice": MessageLookupByLibrary.simpleMessage("Овај уређај"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Ово је Ваш ИД за верификацију", + ), + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Ово ће вас одјавити са овог уређаја:", + ), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Ово ће вас одјавити са овог уређаја!", + ), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Да бисте ресетовали лозинку, прво потврдите своју е-пошту.", + ), + "trash": MessageLookupByLibrary.simpleMessage("Смеће"), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Постављање двофакторске аутентификације", + ), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Жао нам је, овај кôд није доступан.", + ), + "uncategorized": MessageLookupByLibrary.simpleMessage("Некатегоризовано"), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Користи кључ за опоравак", + ), + "verificationId": MessageLookupByLibrary.simpleMessage( + "ИД за верификацију", + ), + "verify": MessageLookupByLibrary.simpleMessage("Верификуј"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("Верификуј е-пошту"), + "verifyEmailID": m111, + "verifyPassword": MessageLookupByLibrary.simpleMessage( + "Верификујте лозинку", + ), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("видео"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Слабо"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("Добродошли назад!"), + "yesDelete": MessageLookupByLibrary.simpleMessage("Да, обриши"), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Не можеш делити сам са собом", + ), + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "Ваш налог је обрисан", + ), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_sv.dart b/mobile/apps/photos/lib/generated/intl/messages_sv.dart index 46120eaaf9..b2a22aa8f5 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_sv.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_sv.dart @@ -32,11 +32,7 @@ class MessageLookup extends MessageLookupByLibrary { "${user} kommer inte att kunna lägga till fler foton till detta album\n\nDe kommer fortfarande att kunna ta bort befintliga foton som lagts till av dem"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, { - 'true': 'Din familj har begärt ${storageAmountInGb} GB', - 'false': '${storageAmountInGb}', - 'other': 'Du har begärt ${storageAmountInGb} GB!', - })}"; + "${Intl.select(isFamilyMember, {'true': 'Din familj har begärt ${storageAmountInGb} GB', 'false': '${storageAmountInGb}', 'other': 'Du har begärt ${storageAmountInGb} GB!'})}"; static String m21(count) => "${Intl.plural(count, one: 'Radera ${count} objekt', other: 'Radera ${count} objekt')}"; @@ -53,7 +49,8 @@ class MessageLookup extends MessageLookupByLibrary { static String m37(storageAmountInGB) => "${storageAmountInGB} GB varje gång någon registrerar sig för en betalplan och tillämpar din kod"; - static String m44(count) => "${Intl.plural(count, other: '${count} objekt')}"; + static String m44(count) => + "${Intl.plural(count, one: '${count} objekt', other: '${count} objekt')}"; static String m47(expiryTime) => "Länken upphör att gälla ${expiryTime}"; @@ -73,7 +70,7 @@ class MessageLookup extends MessageLookupByLibrary { "${userEmail} kommer att tas bort från detta delade album\n\nAlla bilder som lagts till av dem kommer också att tas bort från albumet"; static String m77(count) => - "${Intl.plural(count, other: '${count} resultat hittades')}"; + "${Intl.plural(count, one: '${count} resultat hittades', other: '${count} resultat hittades')}"; static String m83(verificationID) => "Här är mitt verifierings-ID: ${verificationID} för ente.io."; @@ -102,608 +99,745 @@ class MessageLookup extends MessageLookupByLibrary { "Vi har skickat ett e-postmeddelande till ${email}"; static String m116(count) => - "${Intl.plural(count, other: '${count} år sedan')}"; + "${Intl.plural(count, one: '${count} år sedan', other: '${count} år sedan')}"; final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "En ny version av Ente är tillgänglig."), - "about": MessageLookupByLibrary.simpleMessage("Om"), - "account": MessageLookupByLibrary.simpleMessage("Konto"), - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("Välkommen tillbaka!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Jag förstår att om jag förlorar mitt lösenord kan jag förlora mina data eftersom min data är end-to-end-krypterad."), - "activeSessions": - MessageLookupByLibrary.simpleMessage("Aktiva sessioner"), - "add": MessageLookupByLibrary.simpleMessage("Lägg till"), - "addANewEmail": MessageLookupByLibrary.simpleMessage( - "Lägg till en ny e-postadress"), - "addCollaborator": - MessageLookupByLibrary.simpleMessage("Lägg till samarbetspartner"), - "addFromDevice": - MessageLookupByLibrary.simpleMessage("Lägg till från enhet"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Lägg till"), - "addMore": MessageLookupByLibrary.simpleMessage("Lägg till fler"), - "addName": MessageLookupByLibrary.simpleMessage("Lägg till namn"), - "addPhotos": MessageLookupByLibrary.simpleMessage("Lägg till foton"), - "addViewer": MessageLookupByLibrary.simpleMessage("Lägg till bildvy"), - "addedAs": MessageLookupByLibrary.simpleMessage("Lades till som"), - "addingToFavorites": MessageLookupByLibrary.simpleMessage( - "Lägger till bland favoriter..."), - "after1Day": MessageLookupByLibrary.simpleMessage("Om en dag"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Om en timme"), - "after1Month": MessageLookupByLibrary.simpleMessage("Om en månad"), - "after1Week": MessageLookupByLibrary.simpleMessage("Om en vecka"), - "after1Year": MessageLookupByLibrary.simpleMessage("Om ett år"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Ägare"), - "albumParticipantsCount": m8, - "albumUpdated": - MessageLookupByLibrary.simpleMessage("Album uppdaterat"), - "albums": MessageLookupByLibrary.simpleMessage("Album"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Tillåt personer med länken att även lägga till foton i det delade albumet."), - "allowAddingPhotos": - MessageLookupByLibrary.simpleMessage("Tillåt lägga till foton"), - "allowDownloads": - MessageLookupByLibrary.simpleMessage("Tillåt nedladdningar"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Avbryt"), - "appVersion": m9, - "apply": MessageLookupByLibrary.simpleMessage("Verkställ"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Använd kod"), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Är du säker på att du vill logga ut?"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Vad är den främsta anledningen till att du raderar ditt konto?"), - "authenticationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Autentisering misslyckades, försök igen"), - "availableStorageSpace": m10, - "backupSettings": MessageLookupByLibrary.simpleMessage( - "Säkerhetskopieringsinställningar"), - "backupStatus": - MessageLookupByLibrary.simpleMessage("Säkerhetskopieringsstatus"), - "blog": MessageLookupByLibrary.simpleMessage("Blogg"), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Tyvärr kan detta album inte öppnas i appen."), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( - "Kan inte öppna det här albumet"), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Kan endast ta bort filer som ägs av dig"), - "cancel": MessageLookupByLibrary.simpleMessage("Avbryt"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "change": MessageLookupByLibrary.simpleMessage("Ändra"), - "changeEmail": - MessageLookupByLibrary.simpleMessage("Ändra e-postadress"), - "changePassword": - MessageLookupByLibrary.simpleMessage("Ändra lösenord"), - "changePasswordTitle": - MessageLookupByLibrary.simpleMessage("Ändra lösenord"), - "changePermissions": - MessageLookupByLibrary.simpleMessage("Ändra behörighet?"), - "changeYourReferralCode": - MessageLookupByLibrary.simpleMessage("Ändra din värvningskod"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Kontrollera din inkorg (och skräppost) för att slutföra verifieringen"), - "claimFreeStorage": - MessageLookupByLibrary.simpleMessage("Hämta kostnadsfri lagring"), - "claimMore": MessageLookupByLibrary.simpleMessage("Begär mer!"), - "claimed": MessageLookupByLibrary.simpleMessage("Nyttjad"), - "claimedStorageSoFar": m14, - "clearIndexes": MessageLookupByLibrary.simpleMessage("Rensa index"), - "close": MessageLookupByLibrary.simpleMessage("Stäng"), - "codeAppliedPageTitle": - MessageLookupByLibrary.simpleMessage("Kod tillämpad"), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Tyvärr, du har nått gränsen för kodändringar."), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Koden har kopierats till urklipp"), - "codeUsedByYou": - MessageLookupByLibrary.simpleMessage("Kod som används av dig"), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Skapa en länk så att personer kan lägga till och visa foton i ditt delade album utan att behöva en Ente app eller konto. Perfekt för att samla in bilder från evenemang."), - "collaborativeLink": - MessageLookupByLibrary.simpleMessage("Samarbetslänk"), - "collaborator": - MessageLookupByLibrary.simpleMessage("Samarbetspartner"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Samarbetspartner kan lägga till foton och videor till det delade albumet."), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Samla in foton"), - "color": MessageLookupByLibrary.simpleMessage("Färg"), - "confirm": MessageLookupByLibrary.simpleMessage("Bekräfta"), - "confirmAccountDeletion": - MessageLookupByLibrary.simpleMessage("Bekräfta radering av konto"), - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Ja, jag vill permanent ta bort detta konto och data i alla appar."), - "confirmPassword": - MessageLookupByLibrary.simpleMessage("Bekräfta lösenord"), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Bekräfta återställningsnyckel"), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Bekräfta din återställningsnyckel"), - "contactSupport": - MessageLookupByLibrary.simpleMessage("Kontakta support"), - "contacts": MessageLookupByLibrary.simpleMessage("Kontakter"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Fortsätt"), - "copyEmailAddress": - MessageLookupByLibrary.simpleMessage("Kopiera e-postadress"), - "copyLink": MessageLookupByLibrary.simpleMessage("Kopiera länk"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Kopiera-klistra in den här koden\ntill din autentiseringsapp"), - "create": MessageLookupByLibrary.simpleMessage("Skapa"), - "createAccount": MessageLookupByLibrary.simpleMessage("Skapa konto"), - "createNewAccount": - MessageLookupByLibrary.simpleMessage("Skapa nytt konto"), - "createOrSelectAlbum": - MessageLookupByLibrary.simpleMessage("Skapa eller välj album"), - "createPublicLink": - MessageLookupByLibrary.simpleMessage("Skapa offentlig länk"), - "creatingLink": MessageLookupByLibrary.simpleMessage("Skapar länk..."), - "custom": MessageLookupByLibrary.simpleMessage("Anpassad"), - "darkTheme": MessageLookupByLibrary.simpleMessage("Mörkt"), - "decrypting": MessageLookupByLibrary.simpleMessage("Dekrypterar..."), - "delete": MessageLookupByLibrary.simpleMessage("Radera"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Radera konto"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Vi är ledsna att se dig lämna oss. Vänligen dela dina synpunkter för att hjälpa oss att förbättra."), - "deleteAccountPermanentlyButton": - MessageLookupByLibrary.simpleMessage("Radera kontot permanent"), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Radera album"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Ta också bort foton (och videor) som finns i detta album från alla andra album som de är en del av?"), - "deleteAll": MessageLookupByLibrary.simpleMessage("Radera alla"), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Vänligen skicka ett e-postmeddelande till account-deletion@ente.io från din registrerade e-postadress."), - "deleteFromDevice": - MessageLookupByLibrary.simpleMessage("Radera från enhet"), - "deleteItemCount": m21, - "deletePhotos": MessageLookupByLibrary.simpleMessage("Radera foton"), - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Det saknas en viktig funktion som jag behöver"), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "Appen eller en viss funktion beter sig inte som jag tycker det ska"), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Jag hittade en annan tjänst som jag gillar bättre"), - "deleteReason4": - MessageLookupByLibrary.simpleMessage("Min orsak finns inte med"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Din begäran kommer att hanteras inom 72 timmar."), - "deleteSharedAlbum": - MessageLookupByLibrary.simpleMessage("Radera delat album?"), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "Albumet kommer att raderas för alla\n\nDu kommer att förlora åtkomst till delade foton i detta album som ägs av andra"), - "details": MessageLookupByLibrary.simpleMessage("Uppgifter"), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Besökare kan fortfarande ta skärmdumpar eller spara en kopia av dina foton med hjälp av externa verktyg"), - "disableDownloadWarningTitle": - MessageLookupByLibrary.simpleMessage("Vänligen notera:"), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Anteckningar"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Kvitton"), - "doThisLater": MessageLookupByLibrary.simpleMessage("Gör detta senare"), - "done": MessageLookupByLibrary.simpleMessage("Klar"), - "dropSupportEmail": m25, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Redigera"), - "eligible": MessageLookupByLibrary.simpleMessage("berättigad"), - "email": MessageLookupByLibrary.simpleMessage("E-post"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "E-postadress redan registrerad."), - "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "E-postadressen är inte registrerad."), - "encryption": MessageLookupByLibrary.simpleMessage("Kryptering"), - "encryptionKeys": - MessageLookupByLibrary.simpleMessage("Krypteringsnycklar"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente behöver tillåtelse att bevara dina foton"), - "enterAlbumName": - MessageLookupByLibrary.simpleMessage("Ange albumnamn"), - "enterCode": MessageLookupByLibrary.simpleMessage("Ange kod"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Ange koden som din vän har angett för att få gratis lagring för er båda"), - "enterEmail": MessageLookupByLibrary.simpleMessage("Ange e-post"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Ange ett nytt lösenord som vi kan använda för att kryptera din data"), - "enterPassword": MessageLookupByLibrary.simpleMessage("Ange lösenord"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Ange ett lösenord som vi kan använda för att kryptera din data"), - "enterReferralCode": - MessageLookupByLibrary.simpleMessage("Ange hänvisningskod"), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Ange den 6-siffriga koden från din autentiseringsapp"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Ange en giltig e-postadress."), - "enterYourEmailAddress": - MessageLookupByLibrary.simpleMessage("Ange din e-postadress"), - "enterYourPassword": - MessageLookupByLibrary.simpleMessage("Ange ditt lösenord"), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Ange din återställningsnyckel"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Denna länk har upphört att gälla. Välj ett nytt datum eller inaktivera tidsbegränsningen."), - "exportYourData": - MessageLookupByLibrary.simpleMessage("Exportera din data"), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage( - "Det gick inte att använda koden"), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Det gick inte att hämta hänvisningsdetaljer. Försök igen senare."), - "faq": MessageLookupByLibrary.simpleMessage("Vanliga frågor och svar"), - "feedback": MessageLookupByLibrary.simpleMessage("Feedback"), - "fileInfoAddDescHint": - MessageLookupByLibrary.simpleMessage("Lägg till en beskrivning..."), - "fileTypes": MessageLookupByLibrary.simpleMessage("Filtyper"), - "forgotPassword": - MessageLookupByLibrary.simpleMessage("Glömt lösenord"), - "freeStorageClaimed": - MessageLookupByLibrary.simpleMessage("Gratis lagring begärd"), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Gratis lagringsutrymme som kan användas"), - "freeTrial": MessageLookupByLibrary.simpleMessage("Gratis provperiod"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Skapar krypteringsnycklar..."), - "goToSettings": - MessageLookupByLibrary.simpleMessage("Gå till inställningar"), - "guestView": MessageLookupByLibrary.simpleMessage("Gästvy"), - "help": MessageLookupByLibrary.simpleMessage("Hjälp"), - "howItWorks": - MessageLookupByLibrary.simpleMessage("Så här fungerar det"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Be dem att långtrycka på sin e-postadress på inställningsskärmen och verifiera att ID:n på båda enheterna matchar."), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorera"), - "incorrectCode": MessageLookupByLibrary.simpleMessage("Felaktig kod"), - "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("Felaktigt lösenord"), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Felaktig återställningsnyckel"), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "Återställningsnyckeln du angav är felaktig"), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Felaktig återställningsnyckel"), - "insecureDevice": MessageLookupByLibrary.simpleMessage("Osäker enhet"), - "invalidEmailAddress": - MessageLookupByLibrary.simpleMessage("Ogiltig e-postadress"), - "invalidKey": MessageLookupByLibrary.simpleMessage("Ogiltig nyckel"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Återställningsnyckeln du angav är inte giltig. Kontrollera att den innehåller 24 ord och kontrollera stavningen av varje ord.\n\nOm du har angett en äldre återställnings kod, se till att den är 64 tecken lång, och kontrollera var och en av bokstäverna."), - "inviteToEnte": - MessageLookupByLibrary.simpleMessage("Bjud in till Ente"), - "inviteYourFriends": - MessageLookupByLibrary.simpleMessage("Bjud in dina vänner"), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "Bjud in dina vänner till Ente"), - "itemCount": m44, - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Valda objekt kommer att tas bort från detta album"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Behåll foton"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Vänligen hjälp oss med denna information"), - "language": MessageLookupByLibrary.simpleMessage("Språk"), - "leave": MessageLookupByLibrary.simpleMessage("Lämna"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Ljust"), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Enhetsgräns"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Aktiverat"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Upphört"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Länken upphör"), - "linkHasExpired": - MessageLookupByLibrary.simpleMessage("Länk har upphört att gälla"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Aldrig"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Lås"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Logga in"), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "Din session har upphört. Logga in igen."), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Genom att klicka på logga in godkänner jag användarvillkoren och våran integritetspolicy"), - "logout": MessageLookupByLibrary.simpleMessage("Logga ut"), - "lostDevice": MessageLookupByLibrary.simpleMessage("Förlorad enhet?"), - "machineLearning": - MessageLookupByLibrary.simpleMessage("Maskininlärning"), - "manage": MessageLookupByLibrary.simpleMessage("Hantera"), - "manageLink": MessageLookupByLibrary.simpleMessage("Hantera länk"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Hantera"), - "manageSubscription": - MessageLookupByLibrary.simpleMessage("Hantera prenumeration"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "mlConsent": - MessageLookupByLibrary.simpleMessage("Aktivera maskininlärning"), - "mlConsentTitle": - MessageLookupByLibrary.simpleMessage("Aktivera maskininlärning?"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Måttligt"), - "moveToAlbum": - MessageLookupByLibrary.simpleMessage("Flytta till album"), - "movingFilesToAlbum": - MessageLookupByLibrary.simpleMessage("Flyttar filer till album..."), - "name": MessageLookupByLibrary.simpleMessage("Namn"), - "never": MessageLookupByLibrary.simpleMessage("Aldrig"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Nytt album"), - "newPerson": MessageLookupByLibrary.simpleMessage("Ny person"), - "next": MessageLookupByLibrary.simpleMessage("Nästa"), - "no": MessageLookupByLibrary.simpleMessage("Nej"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Ingen"), - "noExifData": MessageLookupByLibrary.simpleMessage("Ingen EXIF-data"), - "noInternetConnection": - MessageLookupByLibrary.simpleMessage("Ingen internetanslutning"), - "noRecoveryKey": - MessageLookupByLibrary.simpleMessage("Ingen återställningsnyckel?"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "På grund av vårt punkt-till-punkt-krypteringssystem så kan dina data inte avkrypteras utan ditt lösenord eller återställningsnyckel"), - "noResults": MessageLookupByLibrary.simpleMessage("Inga resultat"), - "noResultsFound": - MessageLookupByLibrary.simpleMessage("Inga resultat hittades"), - "notPersonLabel": m54, - "ok": MessageLookupByLibrary.simpleMessage("OK"), - "onlyFamilyAdminCanChangeCode": m55, - "oops": MessageLookupByLibrary.simpleMessage("Hoppsan"), - "oopsSomethingWentWrong": - MessageLookupByLibrary.simpleMessage("Oj, något gick fel"), - "orPickAnExistingOne": - MessageLookupByLibrary.simpleMessage("Eller välj en befintlig"), - "passkey": MessageLookupByLibrary.simpleMessage("Nyckel"), - "password": MessageLookupByLibrary.simpleMessage("Lösenord"), - "passwordChangedSuccessfully": - MessageLookupByLibrary.simpleMessage("Lösenordet har ändrats"), - "passwordLock": MessageLookupByLibrary.simpleMessage("Lösenordskydd"), - "passwordStrength": m57, - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Vi lagrar inte detta lösenord, så om du glömmer bort det, kan vi inte dekryptera dina data"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Personer som använder din kod"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Kontrollera din internetanslutning och försök igen."), - "pleaseLoginAgain": - MessageLookupByLibrary.simpleMessage("Logga in igen"), - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("Försök igen"), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Var god vänta..."), - "privacyPolicyTitle": - MessageLookupByLibrary.simpleMessage("Integritetspolicy"), - "publicLinkEnabled": - MessageLookupByLibrary.simpleMessage("Offentlig länk aktiverad"), - "rateUsOnStore": m68, - "recover": MessageLookupByLibrary.simpleMessage("Återställ"), - "recoverAccount": - MessageLookupByLibrary.simpleMessage("Återställ konto"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Återställ"), - "recoveryKey": - MessageLookupByLibrary.simpleMessage("Återställningsnyckel"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Återställningsnyckel kopierad till urklipp"), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Om du glömmer ditt lösenord är det enda sättet du kan återställa dina data med denna nyckel."), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Vi lagrar inte och har därför inte åtkomst till denna nyckel, vänligen spara denna 24 ords nyckel på en säker plats."), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Grymt! Din återställningsnyckel är giltig. Tack för att du verifierade.\n\nKom ihåg att hålla din återställningsnyckel säker med backups."), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Återställningsnyckel verifierad"), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Din återställningsnyckel är det enda sättet att återställa dina foton om du glömmer ditt lösenord. Du hittar din återställningsnyckel i Inställningar > Säkerhet.\n\nAnge din återställningsnyckel här för att verifiera att du har sparat den ordentligt."), - "recoverySuccessful": - MessageLookupByLibrary.simpleMessage("Återställning lyckades!"), - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "Denna enhet är inte tillräckligt kraftfull för att verifiera ditt lösenord, men vi kan återskapa det på ett sätt som fungerar med alla enheter.\n\nLogga in med din återställningsnyckel och återskapa ditt lösenord (du kan använda samma igen om du vill)."), - "recreatePasswordTitle": - MessageLookupByLibrary.simpleMessage("Återskapa lösenord"), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Ge denna kod till dina vänner"), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. De registrerar sig för en betalplan"), - "referralStep3": m73, - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "Hänvisningar är för närvarande pausade"), - "remove": MessageLookupByLibrary.simpleMessage("Ta bort"), - "removeFromAlbum": - MessageLookupByLibrary.simpleMessage("Ta bort från album"), - "removeFromAlbumTitle": - MessageLookupByLibrary.simpleMessage("Ta bort från album?"), - "removeLink": MessageLookupByLibrary.simpleMessage("Radera länk"), - "removeParticipant": - MessageLookupByLibrary.simpleMessage("Ta bort användaren"), - "removeParticipantBody": m74, - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Några av de objekt som du tar bort lades av andra personer, och du kommer att förlora tillgång till dem"), - "removeWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Ta bort?"), - "removingFromFavorites": - MessageLookupByLibrary.simpleMessage("Tar bort från favoriter..."), - "renewSubscription": - MessageLookupByLibrary.simpleMessage("Förnya prenumeration"), - "resendEmail": MessageLookupByLibrary.simpleMessage( - "Skicka e-postmeddelandet igen"), - "resetPasswordTitle": - MessageLookupByLibrary.simpleMessage("Återställ lösenord"), - "resetToDefault": - MessageLookupByLibrary.simpleMessage("Återställ till standard"), - "retry": MessageLookupByLibrary.simpleMessage("Försök igen"), - "save": MessageLookupByLibrary.simpleMessage("Spara"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Spara kopia"), - "saveKey": MessageLookupByLibrary.simpleMessage("Spara nyckel"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Spara din återställningsnyckel om du inte redan har gjort det"), - "scanCode": MessageLookupByLibrary.simpleMessage("Skanna kod"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Skanna denna streckkod med\ndin autentiseringsapp"), - "search": MessageLookupByLibrary.simpleMessage("Sök"), - "searchAlbumsEmptySection": - MessageLookupByLibrary.simpleMessage("Album"), - "searchByAlbumNameHint": - MessageLookupByLibrary.simpleMessage("Albumnamn"), - "searchFileTypesAndNamesEmptySection": - MessageLookupByLibrary.simpleMessage("Filtyper och namn"), - "searchResultCount": m77, - "selectAlbum": MessageLookupByLibrary.simpleMessage("Välj album"), - "selectAll": MessageLookupByLibrary.simpleMessage("Markera allt"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Välj mappar för säkerhetskopiering"), - "selectLanguage": MessageLookupByLibrary.simpleMessage("Välj språk"), - "selectReason": MessageLookupByLibrary.simpleMessage("Välj anledning"), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Valda mappar kommer att krypteras och säkerhetskopieras"), - "send": MessageLookupByLibrary.simpleMessage("Skicka"), - "sendEmail": MessageLookupByLibrary.simpleMessage("Skicka e-post"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Skicka inbjudan"), - "sendLink": MessageLookupByLibrary.simpleMessage("Skicka länk"), - "setAPassword": - MessageLookupByLibrary.simpleMessage("Ange ett lösenord"), - "setPasswordTitle": - MessageLookupByLibrary.simpleMessage("Välj lösenord"), - "setupComplete": - MessageLookupByLibrary.simpleMessage("Konfiguration slutförd"), - "share": MessageLookupByLibrary.simpleMessage("Dela"), - "shareALink": MessageLookupByLibrary.simpleMessage("Dela en länk"), - "shareLink": MessageLookupByLibrary.simpleMessage("Dela länk"), - "shareMyVerificationID": m83, - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Ladda ner Ente så att vi enkelt kan dela bilder och videor med originell kvalitet\n\nhttps://ente.io"), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Dela med icke-Ente användare"), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": - MessageLookupByLibrary.simpleMessage("Dela ditt första album"), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Skapa delade och samarbetande album med andra Ente användare, inklusive användare med gratisnivån."), - "showMemories": MessageLookupByLibrary.simpleMessage("Visa minnen"), - "showPerson": MessageLookupByLibrary.simpleMessage("Visa person"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Jag samtycker till användarvillkoren och integritetspolicyn"), - "skip": MessageLookupByLibrary.simpleMessage("Hoppa över"), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Någon som delar album med dig bör se samma ID på deras enhet."), - "somethingWentWrong": - MessageLookupByLibrary.simpleMessage("Något gick fel"), - "somethingWentWrongPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Något gick fel, vänligen försök igen"), - "sorry": MessageLookupByLibrary.simpleMessage("Förlåt"), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Tyvärr, kunde inte lägga till i favoriterna!"), - "sorryCouldNotRemoveFromFavorites": - MessageLookupByLibrary.simpleMessage( - "Tyvärr kunde inte ta bort från favoriter!"), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Tyvärr, vi kunde inte generera säkra nycklar på den här enheten.\n\nVänligen registrera dig från en annan enhet."), - "sort": MessageLookupByLibrary.simpleMessage("Sortera"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sortera efter"), - "status": MessageLookupByLibrary.simpleMessage("Status"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Du"), - "storageInGB": m93, - "strongStrength": MessageLookupByLibrary.simpleMessage("Starkt"), - "subscribe": MessageLookupByLibrary.simpleMessage("Prenumerera"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Du behöver en aktiv betald prenumeration för att möjliggöra delning."), - "subscription": MessageLookupByLibrary.simpleMessage("Prenumeration"), - "tapToCopy": - MessageLookupByLibrary.simpleMessage("tryck för att kopiera"), - "tapToEnterCode": - MessageLookupByLibrary.simpleMessage("Tryck för att ange kod"), - "terminate": MessageLookupByLibrary.simpleMessage("Avsluta"), - "terminateSession": - MessageLookupByLibrary.simpleMessage("Avsluta sessionen?"), - "terms": MessageLookupByLibrary.simpleMessage("Villkor"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Villkor"), - "thankYou": MessageLookupByLibrary.simpleMessage("Tack"), - "theRecoveryKeyYouEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "Återställningsnyckeln du angav är felaktig"), - "theme": MessageLookupByLibrary.simpleMessage("Tema"), - "theyAlsoGetXGb": m99, - "thisCanBeUsedToRecoverYourAccountIfYou": - MessageLookupByLibrary.simpleMessage( - "Detta kan användas för att återställa ditt konto om du förlorar din andra faktor"), - "thisDevice": MessageLookupByLibrary.simpleMessage("Den här enheten"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Detta är ditt verifierings-ID"), - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Detta kommer att logga ut dig från följande enhet:"), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Detta kommer att logga ut dig från denna enhet!"), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "För att återställa ditt lösenord måste du först bekräfta din e-postadress."), - "total": MessageLookupByLibrary.simpleMessage("totalt"), - "trash": MessageLookupByLibrary.simpleMessage("Papperskorg"), - "tryAgain": MessageLookupByLibrary.simpleMessage("Försök igen"), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "Tvåfaktorsautentisering har inaktiverats"), - "twofactorAuthenticationPageTitle": - MessageLookupByLibrary.simpleMessage("Tvåfaktorsautentisering"), - "twofactorSetup": - MessageLookupByLibrary.simpleMessage("Tvåfaktorskonfiguration"), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Tyvärr är denna kod inte tillgänglig."), - "unselectAll": MessageLookupByLibrary.simpleMessage("Avmarkera alla"), - "update": MessageLookupByLibrary.simpleMessage("Uppdatera"), - "updatingFolderSelection": - MessageLookupByLibrary.simpleMessage("Uppdaterar mappval..."), - "upgrade": MessageLookupByLibrary.simpleMessage("Uppgradera"), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": - MessageLookupByLibrary.simpleMessage("Bevarar 1 minne..."), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "Användbart lagringsutrymme begränsas av din nuvarande plan. Överskrider du lagringsutrymmet kommer automatiskt att kunna använda det när du uppgraderar din plan."), - "useAsCover": MessageLookupByLibrary.simpleMessage("Använd som omslag"), - "useRecoveryKey": - MessageLookupByLibrary.simpleMessage("Använd återställningsnyckel"), - "verificationId": - MessageLookupByLibrary.simpleMessage("Verifierings-ID"), - "verify": MessageLookupByLibrary.simpleMessage("Bekräfta"), - "verifyEmail": - MessageLookupByLibrary.simpleMessage("Bekräfta e-postadress"), - "verifyEmailID": m111, - "verifyPasskey": - MessageLookupByLibrary.simpleMessage("Verifiera nyckel"), - "verifyPassword": - MessageLookupByLibrary.simpleMessage("Bekräfta lösenord"), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Verifierar återställningsnyckel..."), - "viewActiveSessions": - MessageLookupByLibrary.simpleMessage("Visa aktiva sessioner"), - "viewAll": MessageLookupByLibrary.simpleMessage("Visa alla"), - "viewAllExifData": - MessageLookupByLibrary.simpleMessage("Visa all EXIF-data"), - "viewLogs": MessageLookupByLibrary.simpleMessage("Visa loggar"), - "viewRecoveryKey": - MessageLookupByLibrary.simpleMessage("Visa återställningsnyckel"), - "viewer": MessageLookupByLibrary.simpleMessage("Bildvy"), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Svagt"), - "welcomeBack": - MessageLookupByLibrary.simpleMessage("Välkommen tillbaka!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("Nyheter"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Ja"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Ja, avbryt"), - "yesConvertToViewer": - MessageLookupByLibrary.simpleMessage("Ja, konvertera till bildvy"), - "yesDelete": MessageLookupByLibrary.simpleMessage("Ja, radera"), - "yesLogout": MessageLookupByLibrary.simpleMessage("Ja, logga ut"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Ja, ta bort"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Ja, förnya"), - "you": MessageLookupByLibrary.simpleMessage("Du"), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Du kan max fördubbla ditt lagringsutrymme"), - "yourAccountHasBeenDeleted": - MessageLookupByLibrary.simpleMessage("Ditt konto har raderats") - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "En ny version av Ente är tillgänglig.", + ), + "about": MessageLookupByLibrary.simpleMessage("Om"), + "account": MessageLookupByLibrary.simpleMessage("Konto"), + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( + "Välkommen tillbaka!", + ), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Jag förstår att om jag förlorar mitt lösenord kan jag förlora mina data eftersom min data är end-to-end-krypterad.", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage("Aktiva sessioner"), + "add": MessageLookupByLibrary.simpleMessage("Lägg till"), + "addANewEmail": MessageLookupByLibrary.simpleMessage( + "Lägg till en ny e-postadress", + ), + "addCollaborator": MessageLookupByLibrary.simpleMessage( + "Lägg till samarbetspartner", + ), + "addFromDevice": MessageLookupByLibrary.simpleMessage( + "Lägg till från enhet", + ), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Lägg till"), + "addMore": MessageLookupByLibrary.simpleMessage("Lägg till fler"), + "addName": MessageLookupByLibrary.simpleMessage("Lägg till namn"), + "addPhotos": MessageLookupByLibrary.simpleMessage("Lägg till foton"), + "addViewer": MessageLookupByLibrary.simpleMessage("Lägg till bildvy"), + "addedAs": MessageLookupByLibrary.simpleMessage("Lades till som"), + "addingToFavorites": MessageLookupByLibrary.simpleMessage( + "Lägger till bland favoriter...", + ), + "after1Day": MessageLookupByLibrary.simpleMessage("Om en dag"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Om en timme"), + "after1Month": MessageLookupByLibrary.simpleMessage("Om en månad"), + "after1Week": MessageLookupByLibrary.simpleMessage("Om en vecka"), + "after1Year": MessageLookupByLibrary.simpleMessage("Om ett år"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Ägare"), + "albumParticipantsCount": m8, + "albumUpdated": MessageLookupByLibrary.simpleMessage("Album uppdaterat"), + "albums": MessageLookupByLibrary.simpleMessage("Album"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Tillåt personer med länken att även lägga till foton i det delade albumet.", + ), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( + "Tillåt lägga till foton", + ), + "allowDownloads": MessageLookupByLibrary.simpleMessage( + "Tillåt nedladdningar", + ), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Avbryt"), + "appVersion": m9, + "apply": MessageLookupByLibrary.simpleMessage("Verkställ"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Använd kod"), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Är du säker på att du vill logga ut?", + ), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Vad är den främsta anledningen till att du raderar ditt konto?", + ), + "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Autentisering misslyckades, försök igen", + ), + "availableStorageSpace": m10, + "backupSettings": MessageLookupByLibrary.simpleMessage( + "Säkerhetskopieringsinställningar", + ), + "backupStatus": MessageLookupByLibrary.simpleMessage( + "Säkerhetskopieringsstatus", + ), + "blog": MessageLookupByLibrary.simpleMessage("Blogg"), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Tyvärr kan detta album inte öppnas i appen.", + ), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( + "Kan inte öppna det här albumet", + ), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Kan endast ta bort filer som ägs av dig", + ), + "cancel": MessageLookupByLibrary.simpleMessage("Avbryt"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "change": MessageLookupByLibrary.simpleMessage("Ändra"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Ändra e-postadress"), + "changePassword": MessageLookupByLibrary.simpleMessage("Ändra lösenord"), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Ändra lösenord", + ), + "changePermissions": MessageLookupByLibrary.simpleMessage( + "Ändra behörighet?", + ), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Ändra din värvningskod", + ), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Kontrollera din inkorg (och skräppost) för att slutföra verifieringen", + ), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage( + "Hämta kostnadsfri lagring", + ), + "claimMore": MessageLookupByLibrary.simpleMessage("Begär mer!"), + "claimed": MessageLookupByLibrary.simpleMessage("Nyttjad"), + "claimedStorageSoFar": m14, + "clearIndexes": MessageLookupByLibrary.simpleMessage("Rensa index"), + "close": MessageLookupByLibrary.simpleMessage("Stäng"), + "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( + "Kod tillämpad", + ), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Tyvärr, du har nått gränsen för kodändringar.", + ), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Koden har kopierats till urklipp", + ), + "codeUsedByYou": MessageLookupByLibrary.simpleMessage( + "Kod som används av dig", + ), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Skapa en länk så att personer kan lägga till och visa foton i ditt delade album utan att behöva en Ente app eller konto. Perfekt för att samla in bilder från evenemang.", + ), + "collaborativeLink": MessageLookupByLibrary.simpleMessage("Samarbetslänk"), + "collaborator": MessageLookupByLibrary.simpleMessage("Samarbetspartner"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Samarbetspartner kan lägga till foton och videor till det delade albumet.", + ), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Samla in foton"), + "color": MessageLookupByLibrary.simpleMessage("Färg"), + "confirm": MessageLookupByLibrary.simpleMessage("Bekräfta"), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Bekräfta radering av konto", + ), + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Ja, jag vill permanent ta bort detta konto och data i alla appar.", + ), + "confirmPassword": MessageLookupByLibrary.simpleMessage( + "Bekräfta lösenord", + ), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Bekräfta återställningsnyckel", + ), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Bekräfta din återställningsnyckel", + ), + "contactSupport": MessageLookupByLibrary.simpleMessage("Kontakta support"), + "contacts": MessageLookupByLibrary.simpleMessage("Kontakter"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Fortsätt"), + "copyEmailAddress": MessageLookupByLibrary.simpleMessage( + "Kopiera e-postadress", + ), + "copyLink": MessageLookupByLibrary.simpleMessage("Kopiera länk"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Kopiera-klistra in den här koden\ntill din autentiseringsapp", + ), + "create": MessageLookupByLibrary.simpleMessage("Skapa"), + "createAccount": MessageLookupByLibrary.simpleMessage("Skapa konto"), + "createNewAccount": MessageLookupByLibrary.simpleMessage( + "Skapa nytt konto", + ), + "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( + "Skapa eller välj album", + ), + "createPublicLink": MessageLookupByLibrary.simpleMessage( + "Skapa offentlig länk", + ), + "creatingLink": MessageLookupByLibrary.simpleMessage("Skapar länk..."), + "custom": MessageLookupByLibrary.simpleMessage("Anpassad"), + "darkTheme": MessageLookupByLibrary.simpleMessage("Mörkt"), + "decrypting": MessageLookupByLibrary.simpleMessage("Dekrypterar..."), + "delete": MessageLookupByLibrary.simpleMessage("Radera"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Radera konto"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Vi är ledsna att se dig lämna oss. Vänligen dela dina synpunkter för att hjälpa oss att förbättra.", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Radera kontot permanent", + ), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Radera album"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Ta också bort foton (och videor) som finns i detta album från alla andra album som de är en del av?", + ), + "deleteAll": MessageLookupByLibrary.simpleMessage("Radera alla"), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Vänligen skicka ett e-postmeddelande till account-deletion@ente.io från din registrerade e-postadress.", + ), + "deleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Radera från enhet", + ), + "deleteItemCount": m21, + "deletePhotos": MessageLookupByLibrary.simpleMessage("Radera foton"), + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Det saknas en viktig funktion som jag behöver", + ), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "Appen eller en viss funktion beter sig inte som jag tycker det ska", + ), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Jag hittade en annan tjänst som jag gillar bättre", + ), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "Min orsak finns inte med", + ), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Din begäran kommer att hanteras inom 72 timmar.", + ), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Radera delat album?", + ), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "Albumet kommer att raderas för alla\n\nDu kommer att förlora åtkomst till delade foton i detta album som ägs av andra", + ), + "details": MessageLookupByLibrary.simpleMessage("Uppgifter"), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Besökare kan fortfarande ta skärmdumpar eller spara en kopia av dina foton med hjälp av externa verktyg", + ), + "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( + "Vänligen notera:", + ), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Anteckningar"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Kvitton"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Gör detta senare"), + "done": MessageLookupByLibrary.simpleMessage("Klar"), + "dropSupportEmail": m25, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Redigera"), + "eligible": MessageLookupByLibrary.simpleMessage("berättigad"), + "email": MessageLookupByLibrary.simpleMessage("E-post"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "E-postadress redan registrerad.", + ), + "emailNoEnteAccount": m31, + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "E-postadressen är inte registrerad.", + ), + "encryption": MessageLookupByLibrary.simpleMessage("Kryptering"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage( + "Krypteringsnycklar", + ), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente behöver tillåtelse att bevara dina foton", + ), + "enterAlbumName": MessageLookupByLibrary.simpleMessage("Ange albumnamn"), + "enterCode": MessageLookupByLibrary.simpleMessage("Ange kod"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Ange koden som din vän har angett för att få gratis lagring för er båda", + ), + "enterEmail": MessageLookupByLibrary.simpleMessage("Ange e-post"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Ange ett nytt lösenord som vi kan använda för att kryptera din data", + ), + "enterPassword": MessageLookupByLibrary.simpleMessage("Ange lösenord"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Ange ett lösenord som vi kan använda för att kryptera din data", + ), + "enterReferralCode": MessageLookupByLibrary.simpleMessage( + "Ange hänvisningskod", + ), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Ange den 6-siffriga koden från din autentiseringsapp", + ), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Ange en giltig e-postadress.", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Ange din e-postadress", + ), + "enterYourPassword": MessageLookupByLibrary.simpleMessage( + "Ange ditt lösenord", + ), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Ange din återställningsnyckel", + ), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Denna länk har upphört att gälla. Välj ett nytt datum eller inaktivera tidsbegränsningen.", + ), + "exportYourData": MessageLookupByLibrary.simpleMessage( + "Exportera din data", + ), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage( + "Det gick inte att använda koden", + ), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Det gick inte att hämta hänvisningsdetaljer. Försök igen senare.", + ), + "faq": MessageLookupByLibrary.simpleMessage("Vanliga frågor och svar"), + "feedback": MessageLookupByLibrary.simpleMessage("Feedback"), + "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( + "Lägg till en beskrivning...", + ), + "fileTypes": MessageLookupByLibrary.simpleMessage("Filtyper"), + "forgotPassword": MessageLookupByLibrary.simpleMessage("Glömt lösenord"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( + "Gratis lagring begärd", + ), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Gratis lagringsutrymme som kan användas", + ), + "freeTrial": MessageLookupByLibrary.simpleMessage("Gratis provperiod"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Skapar krypteringsnycklar...", + ), + "goToSettings": MessageLookupByLibrary.simpleMessage( + "Gå till inställningar", + ), + "guestView": MessageLookupByLibrary.simpleMessage("Gästvy"), + "help": MessageLookupByLibrary.simpleMessage("Hjälp"), + "howItWorks": MessageLookupByLibrary.simpleMessage("Så här fungerar det"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Be dem att långtrycka på sin e-postadress på inställningsskärmen och verifiera att ID:n på båda enheterna matchar.", + ), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorera"), + "incorrectCode": MessageLookupByLibrary.simpleMessage("Felaktig kod"), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Felaktigt lösenord", + ), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Felaktig återställningsnyckel", + ), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Återställningsnyckeln du angav är felaktig", + ), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Felaktig återställningsnyckel", + ), + "insecureDevice": MessageLookupByLibrary.simpleMessage("Osäker enhet"), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "Ogiltig e-postadress", + ), + "invalidKey": MessageLookupByLibrary.simpleMessage("Ogiltig nyckel"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Återställningsnyckeln du angav är inte giltig. Kontrollera att den innehåller 24 ord och kontrollera stavningen av varje ord.\n\nOm du har angett en äldre återställnings kod, se till att den är 64 tecken lång, och kontrollera var och en av bokstäverna.", + ), + "inviteToEnte": MessageLookupByLibrary.simpleMessage("Bjud in till Ente"), + "inviteYourFriends": MessageLookupByLibrary.simpleMessage( + "Bjud in dina vänner", + ), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "Bjud in dina vänner till Ente", + ), + "itemCount": m44, + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Valda objekt kommer att tas bort från detta album", + ), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Behåll foton"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Vänligen hjälp oss med denna information", + ), + "language": MessageLookupByLibrary.simpleMessage("Språk"), + "leave": MessageLookupByLibrary.simpleMessage("Lämna"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Ljust"), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Enhetsgräns"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Aktiverat"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Upphört"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Länken upphör"), + "linkHasExpired": MessageLookupByLibrary.simpleMessage( + "Länk har upphört att gälla", + ), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Aldrig"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Lås"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Logga in"), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "Din session har upphört. Logga in igen.", + ), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Genom att klicka på logga in godkänner jag användarvillkoren och våran integritetspolicy", + ), + "logout": MessageLookupByLibrary.simpleMessage("Logga ut"), + "lostDevice": MessageLookupByLibrary.simpleMessage("Förlorad enhet?"), + "machineLearning": MessageLookupByLibrary.simpleMessage("Maskininlärning"), + "manage": MessageLookupByLibrary.simpleMessage("Hantera"), + "manageLink": MessageLookupByLibrary.simpleMessage("Hantera länk"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Hantera"), + "manageSubscription": MessageLookupByLibrary.simpleMessage( + "Hantera prenumeration", + ), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "mlConsent": MessageLookupByLibrary.simpleMessage( + "Aktivera maskininlärning", + ), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "Aktivera maskininlärning?", + ), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Måttligt"), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("Flytta till album"), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Flyttar filer till album...", + ), + "name": MessageLookupByLibrary.simpleMessage("Namn"), + "never": MessageLookupByLibrary.simpleMessage("Aldrig"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Nytt album"), + "newPerson": MessageLookupByLibrary.simpleMessage("Ny person"), + "next": MessageLookupByLibrary.simpleMessage("Nästa"), + "no": MessageLookupByLibrary.simpleMessage("Nej"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Ingen"), + "noExifData": MessageLookupByLibrary.simpleMessage("Ingen EXIF-data"), + "noInternetConnection": MessageLookupByLibrary.simpleMessage( + "Ingen internetanslutning", + ), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Ingen återställningsnyckel?", + ), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "På grund av vårt punkt-till-punkt-krypteringssystem så kan dina data inte avkrypteras utan ditt lösenord eller återställningsnyckel", + ), + "noResults": MessageLookupByLibrary.simpleMessage("Inga resultat"), + "noResultsFound": MessageLookupByLibrary.simpleMessage( + "Inga resultat hittades", + ), + "notPersonLabel": m54, + "ok": MessageLookupByLibrary.simpleMessage("OK"), + "onlyFamilyAdminCanChangeCode": m55, + "oops": MessageLookupByLibrary.simpleMessage("Hoppsan"), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Oj, något gick fel", + ), + "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( + "Eller välj en befintlig", + ), + "passkey": MessageLookupByLibrary.simpleMessage("Nyckel"), + "password": MessageLookupByLibrary.simpleMessage("Lösenord"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Lösenordet har ändrats", + ), + "passwordLock": MessageLookupByLibrary.simpleMessage("Lösenordskydd"), + "passwordStrength": m57, + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Vi lagrar inte detta lösenord, så om du glömmer bort det, kan vi inte dekryptera dina data", + ), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Personer som använder din kod", + ), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Kontrollera din internetanslutning och försök igen.", + ), + "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage("Logga in igen"), + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("Försök igen"), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Var god vänta..."), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "Integritetspolicy", + ), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( + "Offentlig länk aktiverad", + ), + "rateUsOnStore": m68, + "recover": MessageLookupByLibrary.simpleMessage("Återställ"), + "recoverAccount": MessageLookupByLibrary.simpleMessage("Återställ konto"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Återställ"), + "recoveryKey": MessageLookupByLibrary.simpleMessage("Återställningsnyckel"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Återställningsnyckel kopierad till urklipp", + ), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Om du glömmer ditt lösenord är det enda sättet du kan återställa dina data med denna nyckel.", + ), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Vi lagrar inte och har därför inte åtkomst till denna nyckel, vänligen spara denna 24 ords nyckel på en säker plats.", + ), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Grymt! Din återställningsnyckel är giltig. Tack för att du verifierade.\n\nKom ihåg att hålla din återställningsnyckel säker med backups.", + ), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Återställningsnyckel verifierad", + ), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Din återställningsnyckel är det enda sättet att återställa dina foton om du glömmer ditt lösenord. Du hittar din återställningsnyckel i Inställningar > Säkerhet.\n\nAnge din återställningsnyckel här för att verifiera att du har sparat den ordentligt.", + ), + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "Återställning lyckades!", + ), + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Denna enhet är inte tillräckligt kraftfull för att verifiera ditt lösenord, men vi kan återskapa det på ett sätt som fungerar med alla enheter.\n\nLogga in med din återställningsnyckel och återskapa ditt lösenord (du kan använda samma igen om du vill).", + ), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Återskapa lösenord", + ), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Ge denna kod till dina vänner", + ), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. De registrerar sig för en betalplan", + ), + "referralStep3": m73, + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "Hänvisningar är för närvarande pausade", + ), + "remove": MessageLookupByLibrary.simpleMessage("Ta bort"), + "removeFromAlbum": MessageLookupByLibrary.simpleMessage( + "Ta bort från album", + ), + "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( + "Ta bort från album?", + ), + "removeLink": MessageLookupByLibrary.simpleMessage("Radera länk"), + "removeParticipant": MessageLookupByLibrary.simpleMessage( + "Ta bort användaren", + ), + "removeParticipantBody": m74, + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Några av de objekt som du tar bort lades av andra personer, och du kommer att förlora tillgång till dem", + ), + "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Ta bort?"), + "removingFromFavorites": MessageLookupByLibrary.simpleMessage( + "Tar bort från favoriter...", + ), + "renewSubscription": MessageLookupByLibrary.simpleMessage( + "Förnya prenumeration", + ), + "resendEmail": MessageLookupByLibrary.simpleMessage( + "Skicka e-postmeddelandet igen", + ), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Återställ lösenord", + ), + "resetToDefault": MessageLookupByLibrary.simpleMessage( + "Återställ till standard", + ), + "retry": MessageLookupByLibrary.simpleMessage("Försök igen"), + "save": MessageLookupByLibrary.simpleMessage("Spara"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Spara kopia"), + "saveKey": MessageLookupByLibrary.simpleMessage("Spara nyckel"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Spara din återställningsnyckel om du inte redan har gjort det", + ), + "scanCode": MessageLookupByLibrary.simpleMessage("Skanna kod"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Skanna denna streckkod med\ndin autentiseringsapp", + ), + "search": MessageLookupByLibrary.simpleMessage("Sök"), + "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Album"), + "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage("Albumnamn"), + "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( + "Filtyper och namn", + ), + "searchResultCount": m77, + "selectAlbum": MessageLookupByLibrary.simpleMessage("Välj album"), + "selectAll": MessageLookupByLibrary.simpleMessage("Markera allt"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Välj mappar för säkerhetskopiering", + ), + "selectLanguage": MessageLookupByLibrary.simpleMessage("Välj språk"), + "selectReason": MessageLookupByLibrary.simpleMessage("Välj anledning"), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Valda mappar kommer att krypteras och säkerhetskopieras", + ), + "send": MessageLookupByLibrary.simpleMessage("Skicka"), + "sendEmail": MessageLookupByLibrary.simpleMessage("Skicka e-post"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Skicka inbjudan"), + "sendLink": MessageLookupByLibrary.simpleMessage("Skicka länk"), + "setAPassword": MessageLookupByLibrary.simpleMessage("Ange ett lösenord"), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage("Välj lösenord"), + "setupComplete": MessageLookupByLibrary.simpleMessage( + "Konfiguration slutförd", + ), + "share": MessageLookupByLibrary.simpleMessage("Dela"), + "shareALink": MessageLookupByLibrary.simpleMessage("Dela en länk"), + "shareLink": MessageLookupByLibrary.simpleMessage("Dela länk"), + "shareMyVerificationID": m83, + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Ladda ner Ente så att vi enkelt kan dela bilder och videor med originell kvalitet\n\nhttps://ente.io", + ), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Dela med icke-Ente användare", + ), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( + "Dela ditt första album", + ), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Skapa delade och samarbetande album med andra Ente användare, inklusive användare med gratisnivån.", + ), + "showMemories": MessageLookupByLibrary.simpleMessage("Visa minnen"), + "showPerson": MessageLookupByLibrary.simpleMessage("Visa person"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Jag samtycker till användarvillkoren och integritetspolicyn", + ), + "skip": MessageLookupByLibrary.simpleMessage("Hoppa över"), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Någon som delar album med dig bör se samma ID på deras enhet.", + ), + "somethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Något gick fel", + ), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Något gick fel, vänligen försök igen", + ), + "sorry": MessageLookupByLibrary.simpleMessage("Förlåt"), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Tyvärr, kunde inte lägga till i favoriterna!", + ), + "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( + "Tyvärr kunde inte ta bort från favoriter!", + ), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Tyvärr, vi kunde inte generera säkra nycklar på den här enheten.\n\nVänligen registrera dig från en annan enhet.", + ), + "sort": MessageLookupByLibrary.simpleMessage("Sortera"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sortera efter"), + "status": MessageLookupByLibrary.simpleMessage("Status"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Du"), + "storageInGB": m93, + "strongStrength": MessageLookupByLibrary.simpleMessage("Starkt"), + "subscribe": MessageLookupByLibrary.simpleMessage("Prenumerera"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Du behöver en aktiv betald prenumeration för att möjliggöra delning.", + ), + "subscription": MessageLookupByLibrary.simpleMessage("Prenumeration"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("tryck för att kopiera"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage( + "Tryck för att ange kod", + ), + "terminate": MessageLookupByLibrary.simpleMessage("Avsluta"), + "terminateSession": MessageLookupByLibrary.simpleMessage( + "Avsluta sessionen?", + ), + "terms": MessageLookupByLibrary.simpleMessage("Villkor"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Villkor"), + "thankYou": MessageLookupByLibrary.simpleMessage("Tack"), + "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "Återställningsnyckeln du angav är felaktig", + ), + "theme": MessageLookupByLibrary.simpleMessage("Tema"), + "theyAlsoGetXGb": m99, + "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( + "Detta kan användas för att återställa ditt konto om du förlorar din andra faktor", + ), + "thisDevice": MessageLookupByLibrary.simpleMessage("Den här enheten"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Detta är ditt verifierings-ID", + ), + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Detta kommer att logga ut dig från följande enhet:", + ), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Detta kommer att logga ut dig från denna enhet!", + ), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "För att återställa ditt lösenord måste du först bekräfta din e-postadress.", + ), + "total": MessageLookupByLibrary.simpleMessage("totalt"), + "trash": MessageLookupByLibrary.simpleMessage("Papperskorg"), + "tryAgain": MessageLookupByLibrary.simpleMessage("Försök igen"), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "Tvåfaktorsautentisering har inaktiverats", + ), + "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( + "Tvåfaktorsautentisering", + ), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Tvåfaktorskonfiguration", + ), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Tyvärr är denna kod inte tillgänglig.", + ), + "unselectAll": MessageLookupByLibrary.simpleMessage("Avmarkera alla"), + "update": MessageLookupByLibrary.simpleMessage("Uppdatera"), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Uppdaterar mappval...", + ), + "upgrade": MessageLookupByLibrary.simpleMessage("Uppgradera"), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( + "Bevarar 1 minne...", + ), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "Användbart lagringsutrymme begränsas av din nuvarande plan. Överskrider du lagringsutrymmet kommer automatiskt att kunna använda det när du uppgraderar din plan.", + ), + "useAsCover": MessageLookupByLibrary.simpleMessage("Använd som omslag"), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Använd återställningsnyckel", + ), + "verificationId": MessageLookupByLibrary.simpleMessage("Verifierings-ID"), + "verify": MessageLookupByLibrary.simpleMessage("Bekräfta"), + "verifyEmail": MessageLookupByLibrary.simpleMessage( + "Bekräfta e-postadress", + ), + "verifyEmailID": m111, + "verifyPasskey": MessageLookupByLibrary.simpleMessage("Verifiera nyckel"), + "verifyPassword": MessageLookupByLibrary.simpleMessage("Bekräfta lösenord"), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Verifierar återställningsnyckel...", + ), + "viewActiveSessions": MessageLookupByLibrary.simpleMessage( + "Visa aktiva sessioner", + ), + "viewAll": MessageLookupByLibrary.simpleMessage("Visa alla"), + "viewAllExifData": MessageLookupByLibrary.simpleMessage( + "Visa all EXIF-data", + ), + "viewLogs": MessageLookupByLibrary.simpleMessage("Visa loggar"), + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Visa återställningsnyckel", + ), + "viewer": MessageLookupByLibrary.simpleMessage("Bildvy"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Svagt"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("Välkommen tillbaka!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("Nyheter"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Ja"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Ja, avbryt"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "Ja, konvertera till bildvy", + ), + "yesDelete": MessageLookupByLibrary.simpleMessage("Ja, radera"), + "yesLogout": MessageLookupByLibrary.simpleMessage("Ja, logga ut"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Ja, ta bort"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Ja, förnya"), + "you": MessageLookupByLibrary.simpleMessage("Du"), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Du kan max fördubbla ditt lagringsutrymme", + ), + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "Ditt konto har raderats", + ), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_ta.dart b/mobile/apps/photos/lib/generated/intl/messages_ta.dart index 2255c71ef9..5f2f8055b7 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_ta.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_ta.dart @@ -22,40 +22,55 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("மீண்டும் வருக!"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "உங்கள் கணக்கை நீக்குவதற்கான முக்கிய காரணம் என்ன?"), - "cancel": MessageLookupByLibrary.simpleMessage("ரத்து செய்"), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "கணக்கு நீக்குதலை உறுதிப்படுத்தவும்"), - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "ஆம், எல்லா செயலிகளிலும் இந்தக் கணக்கையும் அதன் தரவையும் நிரந்தரமாக நீக்க விரும்புகிறேன்."), - "deleteAccount": MessageLookupByLibrary.simpleMessage("கணக்கை நீக்கு"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "நீங்கள் வெளியேறுவதை கண்டு வருந்துகிறோம். எங்களை மேம்படுத்த உதவ உங்கள் கருத்தைப் பகிரவும்."), - "deleteAccountPermanentlyButton": - MessageLookupByLibrary.simpleMessage("கணக்கை நிரந்தரமாக நீக்கவும்"), - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "எனக்கு தேவையான ஒரு முக்கிய அம்சம் இதில் இல்லை"), - "email": MessageLookupByLibrary.simpleMessage("மின்னஞ்சல்"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "மின்னஞ்சல் முன்பே பதிவுசெய்யப்பட்டுள்ளது."), - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "மின்னஞ்சல் பதிவு செய்யப்படவில்லை."), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "சரியான மின்னஞ்சல் முகவரியை உள்ளிடவும்."), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "உங்கள் மின்னஞ்சல் முகவரியை உள்ளிடவும்"), - "feedback": MessageLookupByLibrary.simpleMessage("பின்னூட்டம்"), - "invalidEmailAddress": - MessageLookupByLibrary.simpleMessage("தவறான மின்னஞ்சல் முகவரி"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "இந்த தகவலுடன் தயவுசெய்து எங்களுக்கு உதவுங்கள்"), - "selectReason": MessageLookupByLibrary.simpleMessage( - "காரணத்தைத் தேர்ந்தெடுக்கவும்"), - "verify": MessageLookupByLibrary.simpleMessage("சரிபார்க்கவும்"), - "yourAccountHasBeenDeleted": - MessageLookupByLibrary.simpleMessage("உங்கள் கணக்கு நீக்கப்பட்டது") - }; + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( + "மீண்டும் வருக!", + ), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "உங்கள் கணக்கை நீக்குவதற்கான முக்கிய காரணம் என்ன?", + ), + "cancel": MessageLookupByLibrary.simpleMessage("ரத்து செய்"), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "கணக்கு நீக்குதலை உறுதிப்படுத்தவும்", + ), + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "ஆம், எல்லா செயலிகளிலும் இந்தக் கணக்கையும் அதன் தரவையும் நிரந்தரமாக நீக்க விரும்புகிறேன்.", + ), + "deleteAccount": MessageLookupByLibrary.simpleMessage("கணக்கை நீக்கு"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "நீங்கள் வெளியேறுவதை கண்டு வருந்துகிறோம். எங்களை மேம்படுத்த உதவ உங்கள் கருத்தைப் பகிரவும்.", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "கணக்கை நிரந்தரமாக நீக்கவும்", + ), + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "எனக்கு தேவையான ஒரு முக்கிய அம்சம் இதில் இல்லை", + ), + "email": MessageLookupByLibrary.simpleMessage("மின்னஞ்சல்"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "மின்னஞ்சல் முன்பே பதிவுசெய்யப்பட்டுள்ளது.", + ), + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "மின்னஞ்சல் பதிவு செய்யப்படவில்லை.", + ), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "சரியான மின்னஞ்சல் முகவரியை உள்ளிடவும்.", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "உங்கள் மின்னஞ்சல் முகவரியை உள்ளிடவும்", + ), + "feedback": MessageLookupByLibrary.simpleMessage("பின்னூட்டம்"), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "தவறான மின்னஞ்சல் முகவரி", + ), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "இந்த தகவலுடன் தயவுசெய்து எங்களுக்கு உதவுங்கள்", + ), + "selectReason": MessageLookupByLibrary.simpleMessage( + "காரணத்தைத் தேர்ந்தெடுக்கவும்", + ), + "verify": MessageLookupByLibrary.simpleMessage("சரிபார்க்கவும்"), + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "உங்கள் கணக்கு நீக்கப்பட்டது", + ), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_th.dart b/mobile/apps/photos/lib/generated/intl/messages_th.dart index 8fecb411bb..69137fff96 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_th.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_th.dart @@ -40,316 +40,376 @@ class MessageLookup extends MessageLookupByLibrary { "ความแข็งแรงของรหัสผ่าน: ${passwordStrengthValue}"; static String m94( - usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => + usedAmount, + usedStorageUnit, + totalAmount, + totalStorageUnit, + ) => "ใช้ไป ${usedAmount} ${usedStorageUnit} จาก ${totalAmount} ${totalStorageUnit}"; static String m114(email) => "เราได้ส่งจดหมายไปยัง ${email}"; final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("ยินดีต้อนรับกลับมา!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "ฉันเข้าใจว่าหากฉันทำรหัสผ่านหาย ข้อมูลของฉันอาจสูญหายเนื่องจากข้อมูลของฉันมีการเข้ารหัสจากต้นทางถึงปลายทาง"), - "activeSessions": - MessageLookupByLibrary.simpleMessage("เซสชันที่ใช้งานอยู่"), - "addANewEmail": MessageLookupByLibrary.simpleMessage("เพิ่มอีเมลใหม่"), - "addCollaborator": - MessageLookupByLibrary.simpleMessage("เพิ่มผู้ทำงานร่วมกัน"), - "addMore": MessageLookupByLibrary.simpleMessage("เพิ่มอีก"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("เพิ่มไปยังอัลบั้ม"), - "addViewer": MessageLookupByLibrary.simpleMessage("เพิ่มผู้ชม"), - "after1Day": MessageLookupByLibrary.simpleMessage("หลังจาก 1 วัน"), - "after1Hour": MessageLookupByLibrary.simpleMessage("หลังจาก 1 ชั่วโมง"), - "after1Month": MessageLookupByLibrary.simpleMessage("หลังจาก 1 เดือน"), - "after1Week": MessageLookupByLibrary.simpleMessage("หลังจาก 1 สัปดาห์"), - "after1Year": MessageLookupByLibrary.simpleMessage("หลังจาก 1 ปี"), - "albumOwner": MessageLookupByLibrary.simpleMessage("เจ้าของ"), - "allowAddingPhotos": - MessageLookupByLibrary.simpleMessage("อนุญาตให้เพิ่มรูปภาพ"), - "allowDownloads": - MessageLookupByLibrary.simpleMessage("อนุญาตให้ดาวน์โหลด"), - "androidBiometricSuccess": - MessageLookupByLibrary.simpleMessage("สำเร็จ"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("ยกเลิก"), - "appVersion": m9, - "apply": MessageLookupByLibrary.simpleMessage("นำไปใช้"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "เหตุผลหลักที่คุณลบบัญชีคืออะไร?"), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "โปรดตรวจสอบสิทธิ์เพื่อดูคีย์การกู้คืนของคุณ"), - "canOnlyCreateLinkForFilesOwnedByYou": - MessageLookupByLibrary.simpleMessage( - "สามารถสร้างลิงก์ได้เฉพาะไฟล์ที่คุณเป็นเจ้าของ"), - "cancel": MessageLookupByLibrary.simpleMessage("ยกเลิก"), - "changeEmail": MessageLookupByLibrary.simpleMessage("เปลี่ยนอีเมล"), - "changePasswordTitle": - MessageLookupByLibrary.simpleMessage("เปลี่ยนรหัสผ่าน"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "โปรดตรวจสอบกล่องจดหมาย (และสแปม) ของคุณ เพื่อยืนยันให้เสร็จสิ้น"), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "คัดลอกรหัสไปยังคลิปบอร์ดแล้ว"), - "collectPhotos": MessageLookupByLibrary.simpleMessage("รวบรวมรูปภาพ"), - "color": MessageLookupByLibrary.simpleMessage("สี"), - "confirm": MessageLookupByLibrary.simpleMessage("ยืนยัน"), - "confirmAccountDeletion": - MessageLookupByLibrary.simpleMessage("ยืนยันการลบบัญชี"), - "confirmPassword": - MessageLookupByLibrary.simpleMessage("ยืนยันรหัสผ่าน"), - "confirmRecoveryKey": - MessageLookupByLibrary.simpleMessage("ยืนยันคีย์การกู้คืน"), - "confirmYourRecoveryKey": - MessageLookupByLibrary.simpleMessage("ยืนยันคีย์การกู้คืนของคุณ"), - "contactSupport": - MessageLookupByLibrary.simpleMessage("ติดต่อฝ่ายสนับสนุน"), - "continueLabel": MessageLookupByLibrary.simpleMessage("ดำเนินการต่อ"), - "copyLink": MessageLookupByLibrary.simpleMessage("คัดลอกลิงก์"), - "createAccount": MessageLookupByLibrary.simpleMessage("สร้างบัญชี"), - "createNewAccount": - MessageLookupByLibrary.simpleMessage("สร้างบัญชีใหม่"), - "createPublicLink": - MessageLookupByLibrary.simpleMessage("สร้างลิงก์สาธารณะ"), - "custom": MessageLookupByLibrary.simpleMessage("กำหนดเอง"), - "darkTheme": MessageLookupByLibrary.simpleMessage("มืด"), - "decrypting": MessageLookupByLibrary.simpleMessage("กำลังถอดรหัส..."), - "delete": MessageLookupByLibrary.simpleMessage("ลบ"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("ลบบัญชี"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "เราเสียใจที่เห็นคุณไป โปรดแบ่งปันความคิดเห็นของคุณเพื่อช่วยให้เราปรับปรุง"), - "deleteAccountPermanentlyButton": - MessageLookupByLibrary.simpleMessage("ลบบัญชีถาวร"), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "กรุณาส่งอีเมลไปที่ account-deletion@ente.io จากที่อยู่อีเมลที่คุณลงทะเบียนไว้"), - "deleteEmptyAlbums": - MessageLookupByLibrary.simpleMessage("ลบอัลบั้มที่ว่างเปล่า"), - "deleteEmptyAlbumsWithQuestionMark": - MessageLookupByLibrary.simpleMessage( - "ลบอัลบั้มที่ว่างเปล่าหรือไม่?"), - "deleteItemCount": m21, - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "ขาดคุณสมบัติสำคัญที่ฉันต้องการ"), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "ตัวแอปหรือคุณสมบัติบางอย่างไม่ทำงานเหมือนที่ฉันคิดว่าควรจะเป็น"), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "ฉันเจอบริการอื่นที่ฉันชอบมากกว่า"), - "deleteReason4": - MessageLookupByLibrary.simpleMessage("เหตุผลของฉันไม่มีระบุไว้"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "คำขอของคุณจะได้รับการดำเนินการภายใน 72 ชั่วโมง"), - "doThisLater": MessageLookupByLibrary.simpleMessage("ทำในภายหลัง"), - "dropSupportEmail": m25, - "edit": MessageLookupByLibrary.simpleMessage("แก้ไข"), - "editLocationTagTitle": - MessageLookupByLibrary.simpleMessage("แก้ไขตำแหน่ง"), - "eligible": MessageLookupByLibrary.simpleMessage("มีสิทธิ์"), - "email": MessageLookupByLibrary.simpleMessage("อีเมล"), - "enableMaps": MessageLookupByLibrary.simpleMessage("เปิดใช้งานแผนที่"), - "encryption": MessageLookupByLibrary.simpleMessage("การเข้ารหัส"), - "enterCode": MessageLookupByLibrary.simpleMessage("ป้อนรหัส"), - "enterEmail": MessageLookupByLibrary.simpleMessage("ใส่อีเมล"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "ใส่รหัสผ่านใหม่ที่เราสามารถใช้เพื่อเข้ารหัสข้อมูลของคุณ"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "ใส่รหัสผ่านที่เราสามารถใช้เพื่อเข้ารหัสข้อมูลของคุณ"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "โปรดใส่ที่อยู่อีเมลที่ถูกต้อง"), - "enterYourEmailAddress": - MessageLookupByLibrary.simpleMessage("ใส่ที่อยู่อีเมลของคุณ"), - "enterYourPassword": - MessageLookupByLibrary.simpleMessage("ใส่รหัสผ่านของคุณ"), - "enterYourRecoveryKey": - MessageLookupByLibrary.simpleMessage("ป้อนคีย์การกู้คืน"), - "faq": MessageLookupByLibrary.simpleMessage("คำถามที่พบบ่อย"), - "favorite": MessageLookupByLibrary.simpleMessage("ชื่นชอบ"), - "feedback": MessageLookupByLibrary.simpleMessage("ความคิดเห็น"), - "fileInfoAddDescHint": - MessageLookupByLibrary.simpleMessage("เพิ่มคำอธิบาย..."), - "forgotPassword": MessageLookupByLibrary.simpleMessage("ลืมรหัสผ่าน"), - "freeTrial": MessageLookupByLibrary.simpleMessage("ทดลองใช้ฟรี"), - "genericProgress": m42, - "goToSettings": MessageLookupByLibrary.simpleMessage("ไปที่การตั้งค่า"), - "hide": MessageLookupByLibrary.simpleMessage("ซ่อน"), - "hostedAtOsmFrance": - MessageLookupByLibrary.simpleMessage("โฮสต์ที่ OSM ฝรั่งเศส"), - "howItWorks": MessageLookupByLibrary.simpleMessage("วิธีการทำงาน"), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("ตกลง"), - "importing": MessageLookupByLibrary.simpleMessage("กำลังนำเข้า...."), - "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("รหัสผ่านไม่ถูกต้อง"), - "incorrectRecoveryKey": - MessageLookupByLibrary.simpleMessage("คีย์การกู้คืนไม่ถูกต้อง"), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "คีย์การกู้คืนที่คุณป้อนไม่ถูกต้อง"), - "incorrectRecoveryKeyTitle": - MessageLookupByLibrary.simpleMessage("คีย์การกู้คืนไม่ถูกต้อง"), - "insecureDevice": - MessageLookupByLibrary.simpleMessage("อุปกรณ์ไม่ปลอดภัย"), - "invalidEmailAddress": - MessageLookupByLibrary.simpleMessage("ที่อยู่อีเมลไม่ถูกต้อง"), - "invalidKey": MessageLookupByLibrary.simpleMessage("รหัสไม่ถูกต้อง"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "คีย์การกู้คืนที่คุณป้อนไม่ถูกต้อง โปรดตรวจสอบให้แน่ใจว่ามี 24 คำ และตรวจสอบการสะกดของแต่ละคำ\n\nหากคุณป้อนรหัสกู้คืนที่เก่ากว่า ตรวจสอบให้แน่ใจว่ามีความยาว 64 ตัวอักษร และตรวจสอบแต่ละตัวอักษร"), - "itemCount": m44, - "kindlyHelpUsWithThisInformation": - MessageLookupByLibrary.simpleMessage("กรุณาช่วยเราด้วยข้อมูลนี้"), - "lastUpdated": MessageLookupByLibrary.simpleMessage("อัปเดตล่าสุด"), - "lightTheme": MessageLookupByLibrary.simpleMessage("สว่าง"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "คัดลอกลิงก์ไปยังคลิปบอร์ดแล้ว"), - "linkHasExpired": - MessageLookupByLibrary.simpleMessage("ลิงก์หมดอายุแล้ว"), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "เราใช้ Xchacha20Poly1305 เพื่อเข้ารหัสข้อมูลของคุณอย่างปลอดภัย"), - "logInLabel": MessageLookupByLibrary.simpleMessage("เข้าสู่ระบบ"), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "โดยการคลิกเข้าสู่ระบบ ฉันยอมรับเงื่อนไขการให้บริการและนโยบายความเป็นส่วนตัว"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("จัดการ"), - "map": MessageLookupByLibrary.simpleMessage("แผนที่"), - "maps": MessageLookupByLibrary.simpleMessage("แผนที่"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("ปานกลาง"), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("ย้ายไปยังอัลบั้ม"), - "name": MessageLookupByLibrary.simpleMessage("ชื่อ"), - "newest": MessageLookupByLibrary.simpleMessage("ใหม่สุด"), - "noRecoveryKey": - MessageLookupByLibrary.simpleMessage("ไม่มีคีย์การกู้คืน?"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "เนื่องจากลักษณะของโปรโตคอลการเข้ารหัสตั้งแต่ต้นทางถึงปลายทางของเรา ข้อมูลของคุณจึงไม่สามารถถอดรหัสได้หากไม่มีรหัสผ่านหรือคีย์การกู้คืน"), - "ok": MessageLookupByLibrary.simpleMessage("ตกลง"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "บน ente"), - "oops": MessageLookupByLibrary.simpleMessage("อ๊ะ"), - "oopsSomethingWentWrong": - MessageLookupByLibrary.simpleMessage("อ๊ะ มีบางอย่างผิดพลาด"), - "openstreetmapContributors": - MessageLookupByLibrary.simpleMessage("ผู้มีส่วนร่วม OpenStreetMap"), - "orPickAnExistingOne": - MessageLookupByLibrary.simpleMessage("หรือเลือกที่มีอยู่แล้ว"), - "password": MessageLookupByLibrary.simpleMessage("รหัสผ่าน"), - "passwordChangedSuccessfully": - MessageLookupByLibrary.simpleMessage("เปลี่ยนรหัสผ่านสำเร็จ"), - "passwordStrength": m57, - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "เราไม่จัดเก็บรหัสผ่านนี้ ดังนั้นหากคุณลืม เราจะไม่สามารถถอดรหัสข้อมูลของคุณ"), - "peopleUsingYourCode": - MessageLookupByLibrary.simpleMessage("ผู้คนที่ใช้รหัสของคุณ"), - "permanentlyDelete": - MessageLookupByLibrary.simpleMessage("ลบอย่างถาวร"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("รูปภาพ"), - "pleaseTryAgain": - MessageLookupByLibrary.simpleMessage("กรุณาลองอีกครั้ง"), - "pleaseWait": MessageLookupByLibrary.simpleMessage("กรุณารอสักครู่..."), - "privacyPolicyTitle": - MessageLookupByLibrary.simpleMessage("นโยบายความเป็นส่วนตัว"), - "publicLinkCreated": - MessageLookupByLibrary.simpleMessage("สร้างลิงก์สาธารณะแล้ว"), - "publicLinkEnabled": - MessageLookupByLibrary.simpleMessage("เปิดใช้ลิงก์สาธารณะแล้ว"), - "recover": MessageLookupByLibrary.simpleMessage("กู้คืน"), - "recoverAccount": MessageLookupByLibrary.simpleMessage("กู้คืนบัญชี"), - "recoverButton": MessageLookupByLibrary.simpleMessage("กู้คืน"), - "recoveryKey": MessageLookupByLibrary.simpleMessage("คีย์การกู้คืน"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "คัดลอกคีย์การกู้คืนไปยังคลิปบอร์ดแล้ว"), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "หากคุณลืมรหัสผ่าน วิธีเดียวที่คุณสามารถกู้คืนข้อมูลของคุณได้คือการใช้คีย์นี้"), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "เราไม่จัดเก็บคีย์นี้ โปรดบันทึกคีย์ 24 คำนี้ไว้ในที่ที่ปลอดภัย"), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "ยอดเยี่ยม! คีย์การกู้คืนของคุณถูกต้อง ขอบคุณสำหรับการยืนยัน\n\nโปรดอย่าลืมสำรองคีย์การกู้คืนของคุณไว้อย่างปลอดภัย"), - "recoveryKeyVerified": - MessageLookupByLibrary.simpleMessage("ยืนยันคีย์การกู้คืนแล้ว"), - "recoverySuccessful": - MessageLookupByLibrary.simpleMessage("กู้คืนสำเร็จ!"), - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "อุปกรณ์ปัจจุบันไม่ทรงพลังพอที่จะยืนยันรหัสผ่านของคุณ แต่เราสามารถสร้างใหม่ในลักษณะที่ใช้ได้กับอุปกรณ์ทั้งหมดได้\n\nกรุณาเข้าสู่ระบบโดยใช้คีย์การกู้คืนของคุณและสร้างรหัสผ่านใหม่ (คุณสามารถใช้รหัสเดิมอีกครั้งได้หากต้องการ)"), - "recreatePasswordTitle": - MessageLookupByLibrary.simpleMessage("สร้างรหัสผ่านใหม่"), - "resendEmail": MessageLookupByLibrary.simpleMessage("ส่งอีเมลอีกครั้ง"), - "resetPasswordTitle": - MessageLookupByLibrary.simpleMessage("รีเซ็ตรหัสผ่าน"), - "restore": MessageLookupByLibrary.simpleMessage(" กู้คืน"), - "restoreToAlbum": - MessageLookupByLibrary.simpleMessage("กู้คืนไปยังอัลบั้ม"), - "save": MessageLookupByLibrary.simpleMessage("บันทึก"), - "saveCopy": MessageLookupByLibrary.simpleMessage("บันทึกสำเนา"), - "saveKey": MessageLookupByLibrary.simpleMessage("บันทึกคีย์"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "บันทึกคีย์การกู้คืนของคุณหากคุณยังไม่ได้ทำ"), - "scanCode": MessageLookupByLibrary.simpleMessage("สแกนรหัส"), - "selectAll": MessageLookupByLibrary.simpleMessage("เลือกทั้งหมด"), - "selectReason": MessageLookupByLibrary.simpleMessage("เลือกเหตุผล"), - "sendEmail": MessageLookupByLibrary.simpleMessage("ส่งอีเมล"), - "sendLink": MessageLookupByLibrary.simpleMessage("ส่งลิงก์"), - "setPasswordTitle": - MessageLookupByLibrary.simpleMessage("ตั้งรหัสผ่าน"), - "setupComplete": - MessageLookupByLibrary.simpleMessage("ตั้งค่าเสร็จสมบูรณ์"), - "share": MessageLookupByLibrary.simpleMessage("แชร์"), - "shareALink": MessageLookupByLibrary.simpleMessage("แชร์​ลิงก์"), - "shareLink": MessageLookupByLibrary.simpleMessage("แชร์​ลิงก์"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "ฉันยอมรับเงื่อนไขการให้บริการและนโยบายความเป็นส่วนตัว"), - "skip": MessageLookupByLibrary.simpleMessage("ข้าม"), - "somethingWentWrongPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "มีบางอย่างผิดพลาด โปรดลองอีกครั้ง"), - "sorry": MessageLookupByLibrary.simpleMessage("ขออภัย"), - "status": MessageLookupByLibrary.simpleMessage("สถานะ"), - "storageBreakupFamily": - MessageLookupByLibrary.simpleMessage("ครอบครัว"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("คุณ"), - "storageUsageInfo": m94, - "strongStrength": MessageLookupByLibrary.simpleMessage("แข็งแรง"), - "syncStopped": MessageLookupByLibrary.simpleMessage("หยุดการซิงค์แล้ว"), - "syncing": MessageLookupByLibrary.simpleMessage("กำลังซิงค์..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("ระบบ"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("แตะเพื่อคัดลอก"), - "tapToEnterCode": - MessageLookupByLibrary.simpleMessage("แตะเพื่อป้อนรหัส"), - "termsOfServicesTitle": - MessageLookupByLibrary.simpleMessage("เงื่อนไข"), - "theRecoveryKeyYouEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "คีย์การกู้คืนที่คุณป้อนไม่ถูกต้อง"), - "thisDevice": MessageLookupByLibrary.simpleMessage("อุปกรณ์นี้"), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "เพื่อรีเซ็ตรหัสผ่านของคุณ โปรดยืนยันอีเมลของคุณก่อน"), - "total": MessageLookupByLibrary.simpleMessage("รวม"), - "trash": MessageLookupByLibrary.simpleMessage("ถังขยะ"), - "tryAgain": MessageLookupByLibrary.simpleMessage("ลองอีกครั้ง"), - "twofactorSetup": - MessageLookupByLibrary.simpleMessage("การตั้งค่าสองปัจจัย"), - "unarchive": MessageLookupByLibrary.simpleMessage("เลิกเก็บถาวร"), - "uncategorized": MessageLookupByLibrary.simpleMessage("ไม่มีหมวดหมู่"), - "unhide": MessageLookupByLibrary.simpleMessage("เลิกซ่อน"), - "unhideToAlbum": - MessageLookupByLibrary.simpleMessage("เลิกซ่อนไปยังอัลบั้ม"), - "unselectAll": MessageLookupByLibrary.simpleMessage("ไม่เลือกทั้งหมด"), - "useRecoveryKey": - MessageLookupByLibrary.simpleMessage("ใช้คีย์การกู้คืน"), - "verify": MessageLookupByLibrary.simpleMessage("ยืนยัน"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("ยืนยันอีเมล"), - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("ยืนยัน"), - "verifyPassword": - MessageLookupByLibrary.simpleMessage("ยืนยันรหัสผ่าน"), - "verifyingRecoveryKey": - MessageLookupByLibrary.simpleMessage("กำลังยืนยันคีย์การกู้คืน..."), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("วิดีโอ"), - "viewRecoveryKey": - MessageLookupByLibrary.simpleMessage("ดูคีย์การกู้คืน"), - "waitingForWifi": - MessageLookupByLibrary.simpleMessage("กำลังรอ WiFi..."), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("อ่อน"), - "welcomeBack": - MessageLookupByLibrary.simpleMessage("ยินดีต้อนรับกลับมา!"), - "you": MessageLookupByLibrary.simpleMessage("คุณ"), - "youCanManageYourLinksInTheShareTab": - MessageLookupByLibrary.simpleMessage( - "คุณสามารถจัดการลิงก์ของคุณได้ในแท็บแชร์"), - "yourAccountHasBeenDeleted": - MessageLookupByLibrary.simpleMessage("บัญชีของคุณถูกลบแล้ว") - }; + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( + "ยินดีต้อนรับกลับมา!", + ), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "ฉันเข้าใจว่าหากฉันทำรหัสผ่านหาย ข้อมูลของฉันอาจสูญหายเนื่องจากข้อมูลของฉันมีการเข้ารหัสจากต้นทางถึงปลายทาง", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage( + "เซสชันที่ใช้งานอยู่", + ), + "addANewEmail": MessageLookupByLibrary.simpleMessage("เพิ่มอีเมลใหม่"), + "addCollaborator": MessageLookupByLibrary.simpleMessage( + "เพิ่มผู้ทำงานร่วมกัน", + ), + "addMore": MessageLookupByLibrary.simpleMessage("เพิ่มอีก"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("เพิ่มไปยังอัลบั้ม"), + "addViewer": MessageLookupByLibrary.simpleMessage("เพิ่มผู้ชม"), + "after1Day": MessageLookupByLibrary.simpleMessage("หลังจาก 1 วัน"), + "after1Hour": MessageLookupByLibrary.simpleMessage("หลังจาก 1 ชั่วโมง"), + "after1Month": MessageLookupByLibrary.simpleMessage("หลังจาก 1 เดือน"), + "after1Week": MessageLookupByLibrary.simpleMessage("หลังจาก 1 สัปดาห์"), + "after1Year": MessageLookupByLibrary.simpleMessage("หลังจาก 1 ปี"), + "albumOwner": MessageLookupByLibrary.simpleMessage("เจ้าของ"), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( + "อนุญาตให้เพิ่มรูปภาพ", + ), + "allowDownloads": MessageLookupByLibrary.simpleMessage( + "อนุญาตให้ดาวน์โหลด", + ), + "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("สำเร็จ"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("ยกเลิก"), + "appVersion": m9, + "apply": MessageLookupByLibrary.simpleMessage("นำไปใช้"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "เหตุผลหลักที่คุณลบบัญชีคืออะไร?", + ), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "โปรดตรวจสอบสิทธิ์เพื่อดูคีย์การกู้คืนของคุณ", + ), + "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "สามารถสร้างลิงก์ได้เฉพาะไฟล์ที่คุณเป็นเจ้าของ", + ), + "cancel": MessageLookupByLibrary.simpleMessage("ยกเลิก"), + "changeEmail": MessageLookupByLibrary.simpleMessage("เปลี่ยนอีเมล"), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage( + "เปลี่ยนรหัสผ่าน", + ), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "โปรดตรวจสอบกล่องจดหมาย (และสแปม) ของคุณ เพื่อยืนยันให้เสร็จสิ้น", + ), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "คัดลอกรหัสไปยังคลิปบอร์ดแล้ว", + ), + "collectPhotos": MessageLookupByLibrary.simpleMessage("รวบรวมรูปภาพ"), + "color": MessageLookupByLibrary.simpleMessage("สี"), + "confirm": MessageLookupByLibrary.simpleMessage("ยืนยัน"), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "ยืนยันการลบบัญชี", + ), + "confirmPassword": MessageLookupByLibrary.simpleMessage("ยืนยันรหัสผ่าน"), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "ยืนยันคีย์การกู้คืน", + ), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "ยืนยันคีย์การกู้คืนของคุณ", + ), + "contactSupport": MessageLookupByLibrary.simpleMessage( + "ติดต่อฝ่ายสนับสนุน", + ), + "continueLabel": MessageLookupByLibrary.simpleMessage("ดำเนินการต่อ"), + "copyLink": MessageLookupByLibrary.simpleMessage("คัดลอกลิงก์"), + "createAccount": MessageLookupByLibrary.simpleMessage("สร้างบัญชี"), + "createNewAccount": MessageLookupByLibrary.simpleMessage("สร้างบัญชีใหม่"), + "createPublicLink": MessageLookupByLibrary.simpleMessage( + "สร้างลิงก์สาธารณะ", + ), + "custom": MessageLookupByLibrary.simpleMessage("กำหนดเอง"), + "darkTheme": MessageLookupByLibrary.simpleMessage("มืด"), + "decrypting": MessageLookupByLibrary.simpleMessage("กำลังถอดรหัส..."), + "delete": MessageLookupByLibrary.simpleMessage("ลบ"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("ลบบัญชี"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "เราเสียใจที่เห็นคุณไป โปรดแบ่งปันความคิดเห็นของคุณเพื่อช่วยให้เราปรับปรุง", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "ลบบัญชีถาวร", + ), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "กรุณาส่งอีเมลไปที่ account-deletion@ente.io จากที่อยู่อีเมลที่คุณลงทะเบียนไว้", + ), + "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( + "ลบอัลบั้มที่ว่างเปล่า", + ), + "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( + "ลบอัลบั้มที่ว่างเปล่าหรือไม่?", + ), + "deleteItemCount": m21, + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "ขาดคุณสมบัติสำคัญที่ฉันต้องการ", + ), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "ตัวแอปหรือคุณสมบัติบางอย่างไม่ทำงานเหมือนที่ฉันคิดว่าควรจะเป็น", + ), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "ฉันเจอบริการอื่นที่ฉันชอบมากกว่า", + ), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "เหตุผลของฉันไม่มีระบุไว้", + ), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "คำขอของคุณจะได้รับการดำเนินการภายใน 72 ชั่วโมง", + ), + "doThisLater": MessageLookupByLibrary.simpleMessage("ทำในภายหลัง"), + "dropSupportEmail": m25, + "edit": MessageLookupByLibrary.simpleMessage("แก้ไข"), + "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( + "แก้ไขตำแหน่ง", + ), + "eligible": MessageLookupByLibrary.simpleMessage("มีสิทธิ์"), + "email": MessageLookupByLibrary.simpleMessage("อีเมล"), + "enableMaps": MessageLookupByLibrary.simpleMessage("เปิดใช้งานแผนที่"), + "encryption": MessageLookupByLibrary.simpleMessage("การเข้ารหัส"), + "enterCode": MessageLookupByLibrary.simpleMessage("ป้อนรหัส"), + "enterEmail": MessageLookupByLibrary.simpleMessage("ใส่อีเมล"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "ใส่รหัสผ่านใหม่ที่เราสามารถใช้เพื่อเข้ารหัสข้อมูลของคุณ", + ), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "ใส่รหัสผ่านที่เราสามารถใช้เพื่อเข้ารหัสข้อมูลของคุณ", + ), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "โปรดใส่ที่อยู่อีเมลที่ถูกต้อง", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "ใส่ที่อยู่อีเมลของคุณ", + ), + "enterYourPassword": MessageLookupByLibrary.simpleMessage( + "ใส่รหัสผ่านของคุณ", + ), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "ป้อนคีย์การกู้คืน", + ), + "faq": MessageLookupByLibrary.simpleMessage("คำถามที่พบบ่อย"), + "favorite": MessageLookupByLibrary.simpleMessage("ชื่นชอบ"), + "feedback": MessageLookupByLibrary.simpleMessage("ความคิดเห็น"), + "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( + "เพิ่มคำอธิบาย...", + ), + "forgotPassword": MessageLookupByLibrary.simpleMessage("ลืมรหัสผ่าน"), + "freeTrial": MessageLookupByLibrary.simpleMessage("ทดลองใช้ฟรี"), + "genericProgress": m42, + "goToSettings": MessageLookupByLibrary.simpleMessage("ไปที่การตั้งค่า"), + "hide": MessageLookupByLibrary.simpleMessage("ซ่อน"), + "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( + "โฮสต์ที่ OSM ฝรั่งเศส", + ), + "howItWorks": MessageLookupByLibrary.simpleMessage("วิธีการทำงาน"), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("ตกลง"), + "importing": MessageLookupByLibrary.simpleMessage("กำลังนำเข้า...."), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( + "รหัสผ่านไม่ถูกต้อง", + ), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "คีย์การกู้คืนไม่ถูกต้อง", + ), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "คีย์การกู้คืนที่คุณป้อนไม่ถูกต้อง", + ), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "คีย์การกู้คืนไม่ถูกต้อง", + ), + "insecureDevice": MessageLookupByLibrary.simpleMessage("อุปกรณ์ไม่ปลอดภัย"), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "ที่อยู่อีเมลไม่ถูกต้อง", + ), + "invalidKey": MessageLookupByLibrary.simpleMessage("รหัสไม่ถูกต้อง"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "คีย์การกู้คืนที่คุณป้อนไม่ถูกต้อง โปรดตรวจสอบให้แน่ใจว่ามี 24 คำ และตรวจสอบการสะกดของแต่ละคำ\n\nหากคุณป้อนรหัสกู้คืนที่เก่ากว่า ตรวจสอบให้แน่ใจว่ามีความยาว 64 ตัวอักษร และตรวจสอบแต่ละตัวอักษร", + ), + "itemCount": m44, + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "กรุณาช่วยเราด้วยข้อมูลนี้", + ), + "lastUpdated": MessageLookupByLibrary.simpleMessage("อัปเดตล่าสุด"), + "lightTheme": MessageLookupByLibrary.simpleMessage("สว่าง"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "คัดลอกลิงก์ไปยังคลิปบอร์ดแล้ว", + ), + "linkHasExpired": MessageLookupByLibrary.simpleMessage("ลิงก์หมดอายุแล้ว"), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "เราใช้ Xchacha20Poly1305 เพื่อเข้ารหัสข้อมูลของคุณอย่างปลอดภัย", + ), + "logInLabel": MessageLookupByLibrary.simpleMessage("เข้าสู่ระบบ"), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "โดยการคลิกเข้าสู่ระบบ ฉันยอมรับเงื่อนไขการให้บริการและนโยบายความเป็นส่วนตัว", + ), + "manageParticipants": MessageLookupByLibrary.simpleMessage("จัดการ"), + "map": MessageLookupByLibrary.simpleMessage("แผนที่"), + "maps": MessageLookupByLibrary.simpleMessage("แผนที่"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("ปานกลาง"), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("ย้ายไปยังอัลบั้ม"), + "name": MessageLookupByLibrary.simpleMessage("ชื่อ"), + "newest": MessageLookupByLibrary.simpleMessage("ใหม่สุด"), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "ไม่มีคีย์การกู้คืน?", + ), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "เนื่องจากลักษณะของโปรโตคอลการเข้ารหัสตั้งแต่ต้นทางถึงปลายทางของเรา ข้อมูลของคุณจึงไม่สามารถถอดรหัสได้หากไม่มีรหัสผ่านหรือคีย์การกู้คืน", + ), + "ok": MessageLookupByLibrary.simpleMessage("ตกลง"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "บน ente", + ), + "oops": MessageLookupByLibrary.simpleMessage("อ๊ะ"), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "อ๊ะ มีบางอย่างผิดพลาด", + ), + "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( + "ผู้มีส่วนร่วม OpenStreetMap", + ), + "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( + "หรือเลือกที่มีอยู่แล้ว", + ), + "password": MessageLookupByLibrary.simpleMessage("รหัสผ่าน"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "เปลี่ยนรหัสผ่านสำเร็จ", + ), + "passwordStrength": m57, + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "เราไม่จัดเก็บรหัสผ่านนี้ ดังนั้นหากคุณลืม เราจะไม่สามารถถอดรหัสข้อมูลของคุณ", + ), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "ผู้คนที่ใช้รหัสของคุณ", + ), + "permanentlyDelete": MessageLookupByLibrary.simpleMessage("ลบอย่างถาวร"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("รูปภาพ"), + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("กรุณาลองอีกครั้ง"), + "pleaseWait": MessageLookupByLibrary.simpleMessage("กรุณารอสักครู่..."), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "นโยบายความเป็นส่วนตัว", + ), + "publicLinkCreated": MessageLookupByLibrary.simpleMessage( + "สร้างลิงก์สาธารณะแล้ว", + ), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( + "เปิดใช้ลิงก์สาธารณะแล้ว", + ), + "recover": MessageLookupByLibrary.simpleMessage("กู้คืน"), + "recoverAccount": MessageLookupByLibrary.simpleMessage("กู้คืนบัญชี"), + "recoverButton": MessageLookupByLibrary.simpleMessage("กู้คืน"), + "recoveryKey": MessageLookupByLibrary.simpleMessage("คีย์การกู้คืน"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "คัดลอกคีย์การกู้คืนไปยังคลิปบอร์ดแล้ว", + ), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "หากคุณลืมรหัสผ่าน วิธีเดียวที่คุณสามารถกู้คืนข้อมูลของคุณได้คือการใช้คีย์นี้", + ), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "เราไม่จัดเก็บคีย์นี้ โปรดบันทึกคีย์ 24 คำนี้ไว้ในที่ที่ปลอดภัย", + ), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "ยอดเยี่ยม! คีย์การกู้คืนของคุณถูกต้อง ขอบคุณสำหรับการยืนยัน\n\nโปรดอย่าลืมสำรองคีย์การกู้คืนของคุณไว้อย่างปลอดภัย", + ), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "ยืนยันคีย์การกู้คืนแล้ว", + ), + "recoverySuccessful": MessageLookupByLibrary.simpleMessage("กู้คืนสำเร็จ!"), + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "อุปกรณ์ปัจจุบันไม่ทรงพลังพอที่จะยืนยันรหัสผ่านของคุณ แต่เราสามารถสร้างใหม่ในลักษณะที่ใช้ได้กับอุปกรณ์ทั้งหมดได้\n\nกรุณาเข้าสู่ระบบโดยใช้คีย์การกู้คืนของคุณและสร้างรหัสผ่านใหม่ (คุณสามารถใช้รหัสเดิมอีกครั้งได้หากต้องการ)", + ), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( + "สร้างรหัสผ่านใหม่", + ), + "resendEmail": MessageLookupByLibrary.simpleMessage("ส่งอีเมลอีกครั้ง"), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( + "รีเซ็ตรหัสผ่าน", + ), + "restore": MessageLookupByLibrary.simpleMessage(" กู้คืน"), + "restoreToAlbum": MessageLookupByLibrary.simpleMessage( + "กู้คืนไปยังอัลบั้ม", + ), + "save": MessageLookupByLibrary.simpleMessage("บันทึก"), + "saveCopy": MessageLookupByLibrary.simpleMessage("บันทึกสำเนา"), + "saveKey": MessageLookupByLibrary.simpleMessage("บันทึกคีย์"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "บันทึกคีย์การกู้คืนของคุณหากคุณยังไม่ได้ทำ", + ), + "scanCode": MessageLookupByLibrary.simpleMessage("สแกนรหัส"), + "selectAll": MessageLookupByLibrary.simpleMessage("เลือกทั้งหมด"), + "selectReason": MessageLookupByLibrary.simpleMessage("เลือกเหตุผล"), + "sendEmail": MessageLookupByLibrary.simpleMessage("ส่งอีเมล"), + "sendLink": MessageLookupByLibrary.simpleMessage("ส่งลิงก์"), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage("ตั้งรหัสผ่าน"), + "setupComplete": MessageLookupByLibrary.simpleMessage( + "ตั้งค่าเสร็จสมบูรณ์", + ), + "share": MessageLookupByLibrary.simpleMessage("แชร์"), + "shareALink": MessageLookupByLibrary.simpleMessage("แชร์​ลิงก์"), + "shareLink": MessageLookupByLibrary.simpleMessage("แชร์​ลิงก์"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "ฉันยอมรับเงื่อนไขการให้บริการและนโยบายความเป็นส่วนตัว", + ), + "skip": MessageLookupByLibrary.simpleMessage("ข้าม"), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "มีบางอย่างผิดพลาด โปรดลองอีกครั้ง", + ), + "sorry": MessageLookupByLibrary.simpleMessage("ขออภัย"), + "status": MessageLookupByLibrary.simpleMessage("สถานะ"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("ครอบครัว"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("คุณ"), + "storageUsageInfo": m94, + "strongStrength": MessageLookupByLibrary.simpleMessage("แข็งแรง"), + "syncStopped": MessageLookupByLibrary.simpleMessage("หยุดการซิงค์แล้ว"), + "syncing": MessageLookupByLibrary.simpleMessage("กำลังซิงค์..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("ระบบ"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("แตะเพื่อคัดลอก"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage("แตะเพื่อป้อนรหัส"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("เงื่อนไข"), + "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "คีย์การกู้คืนที่คุณป้อนไม่ถูกต้อง", + ), + "thisDevice": MessageLookupByLibrary.simpleMessage("อุปกรณ์นี้"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "เพื่อรีเซ็ตรหัสผ่านของคุณ โปรดยืนยันอีเมลของคุณก่อน", + ), + "total": MessageLookupByLibrary.simpleMessage("รวม"), + "trash": MessageLookupByLibrary.simpleMessage("ถังขยะ"), + "tryAgain": MessageLookupByLibrary.simpleMessage("ลองอีกครั้ง"), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "การตั้งค่าสองปัจจัย", + ), + "unarchive": MessageLookupByLibrary.simpleMessage("เลิกเก็บถาวร"), + "uncategorized": MessageLookupByLibrary.simpleMessage("ไม่มีหมวดหมู่"), + "unhide": MessageLookupByLibrary.simpleMessage("เลิกซ่อน"), + "unhideToAlbum": MessageLookupByLibrary.simpleMessage( + "เลิกซ่อนไปยังอัลบั้ม", + ), + "unselectAll": MessageLookupByLibrary.simpleMessage("ไม่เลือกทั้งหมด"), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage("ใช้คีย์การกู้คืน"), + "verify": MessageLookupByLibrary.simpleMessage("ยืนยัน"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("ยืนยันอีเมล"), + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("ยืนยัน"), + "verifyPassword": MessageLookupByLibrary.simpleMessage("ยืนยันรหัสผ่าน"), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "กำลังยืนยันคีย์การกู้คืน...", + ), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("วิดีโอ"), + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage("ดูคีย์การกู้คืน"), + "waitingForWifi": MessageLookupByLibrary.simpleMessage("กำลังรอ WiFi..."), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("อ่อน"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("ยินดีต้อนรับกลับมา!"), + "you": MessageLookupByLibrary.simpleMessage("คุณ"), + "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( + "คุณสามารถจัดการลิงก์ของคุณได้ในแท็บแชร์", + ), + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "บัญชีของคุณถูกลบแล้ว", + ), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_tr.dart b/mobile/apps/photos/lib/generated/intl/messages_tr.dart index b0070facc8..fd9619f640 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_tr.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_tr.dart @@ -57,11 +57,7 @@ class MessageLookup extends MessageLookupByLibrary { "${user}, bu albüme daha fazla fotoğraf ekleyemeyecek.\n\nAncak, kendi eklediği mevcut fotoğrafları kaldırmaya devam edebilecektir"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, { - 'true': 'Şu ana kadar aileniz ${storageAmountInGb} GB aldı', - 'false': 'Şu ana kadar ${storageAmountInGb} GB aldınız', - 'other': 'Şu ana kadar ${storageAmountInGb} GB aldınız!', - })}"; + "${Intl.select(isFamilyMember, {'true': 'Şu ana kadar aileniz ${storageAmountInGb} GB aldı', 'false': 'Şu ana kadar ${storageAmountInGb} GB aldınız', 'other': 'Şu ana kadar ${storageAmountInGb} GB aldınız!'})}"; static String m15(albumName) => "${albumName} için ortak çalışma bağlantısı oluşturuldu"; @@ -157,7 +153,7 @@ class MessageLookup extends MessageLookupByLibrary { "Bu, ${personName} ile ${email} arasında bağlantı kuracaktır."; static String m50(count, formattedCount) => - "${Intl.plural(count, zero: 'hiç anı yok', other: '${formattedCount} anı')}"; + "${Intl.plural(count, zero: 'hiç anı yok', one: '${formattedCount} anı', other: '${formattedCount} anı')}"; static String m51(count) => "${Intl.plural(count, one: 'Öğeyi taşı', other: 'Öğeleri taşı')}"; @@ -223,7 +219,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m76(name) => "${name} ile yolculuk"; static String m77(count) => - "${Intl.plural(count, other: '${count} yıl önce')}"; + "${Intl.plural(count, one: '${count} yıl önce', other: '${count} yıl önce')}"; static String m78(snapshotLength, searchLength) => "Bölüm uzunluğu uyuşmazlığı: ${snapshotLength} != ${searchLength}"; @@ -265,7 +261,11 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => + usedAmount, + usedStorageUnit, + totalAmount, + totalStorageUnit, + ) => "${usedAmount} ${usedStorageUnit} / ${totalAmount} ${totalStorageUnit} kullanıldı"; static String m95(id) => @@ -320,8 +320,10 @@ class MessageLookup extends MessageLookupByLibrary { static String m114(email) => "E-postayı ${email} adresine gönderdik"; + static String m115(name) => "${name} doğum günü kutlu olsun! 🎉"; + static String m116(count) => - "${Intl.plural(count, other: '${count} yıl önce')}"; + "${Intl.plural(count, one: '${count} yıl önce', other: '${count} yıl önce')}"; static String m117(name) => "Sen ve ${name}"; @@ -330,1898 +332,2486 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Ente için yeni bir sürüm mevcut."), - "about": MessageLookupByLibrary.simpleMessage("Hakkında"), - "acceptTrustInvite": - MessageLookupByLibrary.simpleMessage("Daveti Kabul Et"), - "account": MessageLookupByLibrary.simpleMessage("Hesap"), - "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( - "Hesap zaten yapılandırılmıştır."), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("Tekrar hoş geldiniz!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Şifremi kaybedersem, verilerim uçtan uca şifrelendiği için verilerimi kaybedebileceğimi farkındayım."), - "actionNotSupportedOnFavouritesAlbum": - MessageLookupByLibrary.simpleMessage( - "Favoriler albümünde eylem desteklenmiyor"), - "activeSessions": - MessageLookupByLibrary.simpleMessage("Aktif oturumlar"), - "add": MessageLookupByLibrary.simpleMessage("Ekle"), - "addAName": MessageLookupByLibrary.simpleMessage("Bir Ad Ekle"), - "addANewEmail": - MessageLookupByLibrary.simpleMessage("Yeni e-posta ekle"), - "addCollaborator": - MessageLookupByLibrary.simpleMessage("Düzenleyici ekle"), - "addCollaborators": m1, - "addFiles": MessageLookupByLibrary.simpleMessage("Dosyaları Ekle"), - "addFromDevice": MessageLookupByLibrary.simpleMessage("Cihazdan ekle"), - "addItem": m2, - "addLocation": MessageLookupByLibrary.simpleMessage("Konum Ekle"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Ekle"), - "addMore": MessageLookupByLibrary.simpleMessage("Daha fazla ekle"), - "addName": MessageLookupByLibrary.simpleMessage("İsim Ekle"), - "addNameOrMerge": MessageLookupByLibrary.simpleMessage( - "İsim ekleyin veya birleştirin"), - "addNew": MessageLookupByLibrary.simpleMessage("Yeni ekle"), - "addNewPerson": MessageLookupByLibrary.simpleMessage("Yeni kişi ekle"), - "addOnPageSubtitle": - MessageLookupByLibrary.simpleMessage("Eklentilerin ayrıntıları"), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("Eklentiler"), - "addParticipants": - MessageLookupByLibrary.simpleMessage("Katılımcı ekle"), - "addPhotos": MessageLookupByLibrary.simpleMessage("Fotoğraf ekle"), - "addSelected": MessageLookupByLibrary.simpleMessage("Seçileni ekle"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("Albüme ekle"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Ente\'ye ekle"), - "addToHiddenAlbum": - MessageLookupByLibrary.simpleMessage("Gizli albüme ekle"), - "addTrustedContact": - MessageLookupByLibrary.simpleMessage("Güvenilir kişi ekle"), - "addViewer": MessageLookupByLibrary.simpleMessage("Görüntüleyici ekle"), - "addViewers": m4, - "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( - "Fotoğraflarınızı şimdi ekleyin"), - "addedAs": MessageLookupByLibrary.simpleMessage("Eklendi"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": - MessageLookupByLibrary.simpleMessage("Favorilere ekleniyor..."), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("Gelişmiş"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Gelişmiş"), - "after1Day": MessageLookupByLibrary.simpleMessage("1 gün sonra"), - "after1Hour": MessageLookupByLibrary.simpleMessage("1 saat sonra"), - "after1Month": MessageLookupByLibrary.simpleMessage("1 ay sonra"), - "after1Week": MessageLookupByLibrary.simpleMessage("1 hafta sonra"), - "after1Year": MessageLookupByLibrary.simpleMessage("1 yıl sonra"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Sahip"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Albüm Başlığı"), - "albumUpdated": - MessageLookupByLibrary.simpleMessage("Albüm güncellendi"), - "albums": MessageLookupByLibrary.simpleMessage("Albümler"), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Tümü temizlendi"), - "allMemoriesPreserved": - MessageLookupByLibrary.simpleMessage("Tüm anılar saklandı"), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "Bu kişi için tüm gruplamalar sıfırlanacak ve bu kişi için yaptığınız tüm önerileri kaybedeceksiniz"), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "Bu, gruptaki ilk fotoğraftır. Seçilen diğer fotoğraflar otomatik olarak bu yeni tarihe göre kaydırılacaktır"), - "allow": MessageLookupByLibrary.simpleMessage("İzin ver"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Bağlantıya sahip olan kişilerin paylaşılan albüme fotoğraf eklemelerine izin ver."), - "allowAddingPhotos": - MessageLookupByLibrary.simpleMessage("Fotoğraf eklemeye izin ver"), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "Uygulamanın paylaşılan albüm bağlantılarını açmasına izin ver"), - "allowDownloads": - MessageLookupByLibrary.simpleMessage("İndirmeye izin ver"), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Kullanıcıların fotoğraf eklemesine izin ver"), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Ente\'nin kitaplığınızı görüntüleyebilmesi ve yedekleyebilmesi için lütfen Ayarlar\'dan fotoğraflarınıza erişime izin verin."), - "allowPermTitle": MessageLookupByLibrary.simpleMessage( - "Fotoğraflara erişime izin verin"), - "androidBiometricHint": - MessageLookupByLibrary.simpleMessage("Kimliği doğrula"), - "androidBiometricNotRecognized": - MessageLookupByLibrary.simpleMessage("Tanınmadı. Tekrar deneyin."), - "androidBiometricRequiredTitle": - MessageLookupByLibrary.simpleMessage("Biyometrik gerekli"), - "androidBiometricSuccess": - MessageLookupByLibrary.simpleMessage("Başarılı"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("İptal et"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage( - "Cihaz kimlik bilgileri gerekli"), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage( - "Cihaz kimlik bilgileri gerekmekte"), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Biyometrik kimlik doğrulama cihazınızda ayarlanmamış. Biyometrik kimlik doğrulama eklemek için \'Ayarlar > Güvenlik\' bölümüne gidin."), - "androidIosWebDesktop": - MessageLookupByLibrary.simpleMessage("Android, iOS, Web, Masaüstü"), - "androidSignInTitle": - MessageLookupByLibrary.simpleMessage("Kimlik doğrulaması gerekli"), - "appIcon": MessageLookupByLibrary.simpleMessage("Uygulama simgesi"), - "appLock": MessageLookupByLibrary.simpleMessage("Uygulama kilidi"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Cihazınızın varsayılan kilit ekranı ile PIN veya parola içeren özel bir kilit ekranı arasında seçim yapın."), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), - "apply": MessageLookupByLibrary.simpleMessage("Uygula"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Kodu girin"), - "appstoreSubscription": - MessageLookupByLibrary.simpleMessage("AppStore aboneliği"), - "archive": MessageLookupByLibrary.simpleMessage("Arşiv"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("Albümü arşivle"), - "archiving": MessageLookupByLibrary.simpleMessage("Arşivleniyor..."), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Aile planından ayrılmak istediğinize emin misiniz?"), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "İptal etmek istediğinize emin misiniz?"), - "areYouSureYouWantToChangeYourPlan": - MessageLookupByLibrary.simpleMessage( - "Planı değistirmek istediğinize emin misiniz?"), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "Çıkmak istediğinden emin misiniz?"), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Çıkış yapmak istediğinize emin misiniz?"), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "Yenilemek istediğinize emin misiniz?"), - "areYouSureYouWantToResetThisPerson": - MessageLookupByLibrary.simpleMessage( - "Bu kişiyi sıfırlamak istediğinden emin misiniz?"), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "Aboneliğiniz iptal edilmiştir. Bunun sebebini paylaşmak ister misiniz?"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Hesabınızı silme sebebiniz nedir?"), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Sevdiklerinizden paylaşmalarını isteyin"), - "atAFalloutShelter": - MessageLookupByLibrary.simpleMessage("serpinti sığınağında"), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "E-posta doğrulamasını değiştirmek için lütfen kimlik doğrulaması yapın"), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Kilit ekranı ayarını değiştirmek için lütfen kimliğinizi doğrulayın"), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "E-postanızı değiştirmek için lütfen kimlik doğrulaması yapın"), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Şifrenizi değiştirmek için lütfen kimlik doğrulaması yapın"), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "İki faktörlü kimlik doğrulamayı yapılandırmak için lütfen kimlik doğrulaması yapın"), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Hesap silme işlemini başlatmak için lütfen kimlik doğrulaması yapın"), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Güvenilir kişilerinizi yönetmek için lütfen kimlik doğrulaması yapın"), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Geçiş anahtarınızı görüntülemek için lütfen kimlik doğrulaması yapın"), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Çöp dosyalarınızı görüntülemek için lütfen kimlik doğrulaması yapın"), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Aktif oturumlarınızı görüntülemek için lütfen kimliğinizi doğrulayın"), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Gizli dosyalarınızı görüntülemek için kimlik doğrulama yapınız"), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Kodlarınızı görmek için lütfen kimlik doğrulaması yapın"), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Kurtarma anahtarınızı görmek için lütfen kimliğinizi doğrulayın"), - "authenticating": - MessageLookupByLibrary.simpleMessage("Kimlik doğrulanıyor..."), - "authenticationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Kimlik doğrulama başarısız oldu, lütfen tekrar deneyin"), - "authenticationSuccessful": - MessageLookupByLibrary.simpleMessage("Kimlik doğrulama başarılı!"), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Mevcut Cast cihazlarını burada görebilirsiniz."), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Ayarlar\'da Ente Photos uygulaması için Yerel Ağ izinlerinin açık olduğundan emin olun."), - "autoLock": MessageLookupByLibrary.simpleMessage("Otomatik Kilit"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Uygulama arka plana geçtikten sonra kilitleneceği süre"), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "Teknik aksaklık nedeniyle oturumunuz kapatıldı. Verdiğimiz rahatsızlıktan dolayı özür dileriz."), - "autoPair": MessageLookupByLibrary.simpleMessage("Otomatik eşle"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "Otomatik eşleştirme yalnızca Chromecast destekleyen cihazlarla çalışır."), - "available": MessageLookupByLibrary.simpleMessage("Mevcut"), - "availableStorageSpace": m10, - "backedUpFolders": - MessageLookupByLibrary.simpleMessage("Yedeklenmiş klasörler"), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("Yedekle"), - "backupFailed": - MessageLookupByLibrary.simpleMessage("Yedekleme başarısız oldu"), - "backupFile": MessageLookupByLibrary.simpleMessage("Yedek Dosyası"), - "backupOverMobileData": - MessageLookupByLibrary.simpleMessage("Mobil veri ile yedekle"), - "backupSettings": - MessageLookupByLibrary.simpleMessage("Yedekleme seçenekleri"), - "backupStatus": - MessageLookupByLibrary.simpleMessage("Yedekleme durumu"), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Eklenen öğeler burada görünecek"), - "backupVideos": - MessageLookupByLibrary.simpleMessage("Videoları yedekle"), - "beach": MessageLookupByLibrary.simpleMessage("Kum ve deniz"), - "birthday": MessageLookupByLibrary.simpleMessage("Doğum Günü"), - "blackFridaySale": - MessageLookupByLibrary.simpleMessage("Muhteşem Cuma kampanyası"), - "blog": MessageLookupByLibrary.simpleMessage("Blog"), - "cachedData": - MessageLookupByLibrary.simpleMessage("Önbelleğe alınmış veriler"), - "calculating": MessageLookupByLibrary.simpleMessage("Hesaplanıyor..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Üzgünüz, Bu albüm uygulama içinde açılamadı."), - "canNotOpenTitle": - MessageLookupByLibrary.simpleMessage("Albüm açılamadı"), - "canNotUploadToAlbumsOwnedByOthers": - MessageLookupByLibrary.simpleMessage( - "Başkalarına ait albümlere yüklenemez"), - "canOnlyCreateLinkForFilesOwnedByYou": - MessageLookupByLibrary.simpleMessage( - "Yalnızca size ait dosyalar için bağlantı oluşturabilir"), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Yalnızca size ait dosyaları kaldırabilir"), - "cancel": MessageLookupByLibrary.simpleMessage("İptal et"), - "cancelAccountRecovery": - MessageLookupByLibrary.simpleMessage("Kurtarma işlemini iptal et"), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "Kurtarmayı iptal etmek istediğinize emin misiniz?"), - "cancelOtherSubscription": m12, - "cancelSubscription": - MessageLookupByLibrary.simpleMessage("Abonelik iptali"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": - MessageLookupByLibrary.simpleMessage("Dosyalar silinemiyor"), - "castAlbum": MessageLookupByLibrary.simpleMessage("Yayın albümü"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Lütfen TV ile aynı ağda olduğunuzdan emin olun."), - "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( - "Albüm yüklenirken hata oluştu"), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Eşleştirmek istediğiniz cihazda cast.ente.io adresini ziyaret edin.\n\nAlbümü TV\'nizde oynatmak için aşağıdaki kodu girin."), - "centerPoint": MessageLookupByLibrary.simpleMessage("Merkez noktası"), - "change": MessageLookupByLibrary.simpleMessage("Değiştir"), - "changeEmail": - MessageLookupByLibrary.simpleMessage("E-posta adresini değiştir"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Seçilen öğelerin konumu değiştirilsin mi?"), - "changePassword": - MessageLookupByLibrary.simpleMessage("Sifrenizi değiştirin"), - "changePasswordTitle": - MessageLookupByLibrary.simpleMessage("Parolanızı değiştirin"), - "changePermissions": - MessageLookupByLibrary.simpleMessage("İzinleri değiştir?"), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Referans kodunuzu değiştirin"), - "checkForUpdates": - MessageLookupByLibrary.simpleMessage("Güncellemeleri kontol et"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Lütfen doğrulama işlemini tamamlamak için gelen kutunuzu (ve spam klasörünüzü) kontrol edin"), - "checkStatus": - MessageLookupByLibrary.simpleMessage("Durumu kontrol edin"), - "checking": MessageLookupByLibrary.simpleMessage("Kontrol ediliyor..."), - "checkingModels": MessageLookupByLibrary.simpleMessage( - "Modeller kontrol ediliyor..."), - "city": MessageLookupByLibrary.simpleMessage("Şehirde"), - "claimFreeStorage": - MessageLookupByLibrary.simpleMessage("Bedava alan kazanın"), - "claimMore": MessageLookupByLibrary.simpleMessage("Arttır!"), - "claimed": MessageLookupByLibrary.simpleMessage("Alındı"), - "claimedStorageSoFar": m14, - "cleanUncategorized": - MessageLookupByLibrary.simpleMessage("Temiz Genel"), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Diğer albümlerde bulunan Kategorilenmemiş tüm dosyaları kaldırın"), - "clearCaches": - MessageLookupByLibrary.simpleMessage("Önbelleği temizle"), - "clearIndexes": - MessageLookupByLibrary.simpleMessage("Dizinleri temizle"), - "click": MessageLookupByLibrary.simpleMessage("• Tıklamak"), - "clickOnTheOverflowMenu": - MessageLookupByLibrary.simpleMessage("• Taşma menüsüne tıklayın"), - "close": MessageLookupByLibrary.simpleMessage("Kapat"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( - "Yakalama zamanına göre kulüp"), - "clubByFileName": - MessageLookupByLibrary.simpleMessage("Dosya adına göre kulüp"), - "clusteringProgress": - MessageLookupByLibrary.simpleMessage("Kümeleme ilerlemesi"), - "codeAppliedPageTitle": - MessageLookupByLibrary.simpleMessage("Kod kabul edildi"), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Üzgünüz, kod değişikliklerinin sınırına ulaştınız."), - "codeCopiedToClipboard": - MessageLookupByLibrary.simpleMessage("Kodunuz panoya kopyalandı"), - "codeUsedByYou": - MessageLookupByLibrary.simpleMessage("Sizin kullandığınız kod"), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Ente aplikasyonu veya hesabı olmadan insanların paylaşılan albümde fotoğraf ekleyip görüntülemelerine izin vermek için bir bağlantı oluşturun. Grup veya etkinlik fotoğraflarını toplamak için harika bir seçenek."), - "collaborativeLink": - MessageLookupByLibrary.simpleMessage("Ortak bağlantı"), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Düzenleyici"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Düzenleyiciler, paylaşılan albüme fotoğraf ve videolar ekleyebilir."), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("Düzen"), - "collageSaved": MessageLookupByLibrary.simpleMessage( - "Kolajınız galeriye kaydedildi"), - "collect": MessageLookupByLibrary.simpleMessage("Topla"), - "collectEventPhotos": MessageLookupByLibrary.simpleMessage( - "Etkinlik fotoğraflarını topla"), - "collectPhotos": - MessageLookupByLibrary.simpleMessage("Fotoğrafları topla"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Arkadaşlarınızın orijinal kalitede fotoğraf yükleyebileceği bir bağlantı oluşturun."), - "color": MessageLookupByLibrary.simpleMessage("Renk"), - "configuration": MessageLookupByLibrary.simpleMessage("Yapılandırma"), - "confirm": MessageLookupByLibrary.simpleMessage("Onayla"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "İki adımlı kimlik doğrulamasını devre dışı bırakmak istediğinize emin misiniz?"), - "confirmAccountDeletion": - MessageLookupByLibrary.simpleMessage("Hesap silme işlemini onayla"), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Evet, bu hesabı ve verilerini tüm uygulamalardan kalıcı olarak silmek istiyorum."), - "confirmPassword": - MessageLookupByLibrary.simpleMessage("Şifrenizi onaylayın"), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage( - "Plan değişikliğini onaylayın"), - "confirmRecoveryKey": - MessageLookupByLibrary.simpleMessage("Kurtarma anahtarını doğrula"), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Kurtarma anahtarını doğrulayın"), - "connectToDevice": - MessageLookupByLibrary.simpleMessage("Cihaza bağlanın"), - "contactFamilyAdmin": m18, - "contactSupport": - MessageLookupByLibrary.simpleMessage("Destek ile iletişim"), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Kişiler"), - "contents": MessageLookupByLibrary.simpleMessage("İçerikler"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Devam edin"), - "continueOnFreeTrial": - MessageLookupByLibrary.simpleMessage("Ücretsiz denemeye devam et"), - "convertToAlbum": MessageLookupByLibrary.simpleMessage("Albüme taşı"), - "copyEmailAddress": - MessageLookupByLibrary.simpleMessage("E-posta adresini kopyala"), - "copyLink": MessageLookupByLibrary.simpleMessage("Bağlantıyı kopyala"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Bu kodu kopyalayın ve kimlik doğrulama uygulamanıza yapıştırın"), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "Verilerinizi yedekleyemedik.\nDaha sonra tekrar deneyeceğiz."), - "couldNotFreeUpSpace": - MessageLookupByLibrary.simpleMessage("Yer boşaltılamadı"), - "couldNotUpdateSubscription": - MessageLookupByLibrary.simpleMessage("Abonelikler kaydedilemedi"), - "count": MessageLookupByLibrary.simpleMessage("Miktar"), - "crashReporting": - MessageLookupByLibrary.simpleMessage("Çökme raporlaması"), - "create": MessageLookupByLibrary.simpleMessage("Oluştur"), - "createAccount": - MessageLookupByLibrary.simpleMessage("Hesap oluşturun"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Fotoğrafları seçmek için uzun basın ve + düğmesine tıklayarak bir albüm oluşturun"), - "createCollaborativeLink": - MessageLookupByLibrary.simpleMessage("Ortak bağlantı oluşturun"), - "createCollage": MessageLookupByLibrary.simpleMessage("Kolaj oluştur"), - "createNewAccount": - MessageLookupByLibrary.simpleMessage("Yeni bir hesap oluşturun"), - "createOrSelectAlbum": - MessageLookupByLibrary.simpleMessage("Albüm oluştur veya seç"), - "createPublicLink": MessageLookupByLibrary.simpleMessage( - "Herkese açık bir bağlantı oluştur"), - "creatingLink": - MessageLookupByLibrary.simpleMessage("Bağlantı oluşturuluyor..."), - "criticalUpdateAvailable": - MessageLookupByLibrary.simpleMessage("Kritik güncelleme mevcut"), - "crop": MessageLookupByLibrary.simpleMessage("Kırp"), - "curatedMemories": - MessageLookupByLibrary.simpleMessage("Seçilmiş anılar"), - "currentUsageIs": - MessageLookupByLibrary.simpleMessage("Güncel kullanımınız "), - "currentlyRunning": - MessageLookupByLibrary.simpleMessage("şu anda çalışıyor"), - "custom": MessageLookupByLibrary.simpleMessage("Özel"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Karanlık"), - "dayToday": MessageLookupByLibrary.simpleMessage("Bugün"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Dün"), - "declineTrustInvite": - MessageLookupByLibrary.simpleMessage("Daveti Reddet"), - "decrypting": - MessageLookupByLibrary.simpleMessage("Şifre çözülüyor..."), - "decryptingVideo": MessageLookupByLibrary.simpleMessage( - "Videonun şifresi çözülüyor..."), - "deduplicateFiles": - MessageLookupByLibrary.simpleMessage("Dosyaları Tekilleştirme"), - "delete": MessageLookupByLibrary.simpleMessage("Sil"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Hesabı sil"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Gittiğini gördüğümüze üzüldük. Lütfen gelişmemize yardımcı olmak için neden ayrıldığınızı açıklayın."), - "deleteAccountPermanentlyButton": - MessageLookupByLibrary.simpleMessage("Hesabımı kalıcı olarak sil"), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Albümü sil"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Ayrıca bu albümde bulunan fotoğrafları (ve videoları) parçası oldukları tüm diğer albümlerden silebilir miyim?"), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "Bu, tüm boş albümleri silecektir. Bu, albüm listenizdeki dağınıklığı azaltmak istediğinizde kullanışlıdır."), - "deleteAll": MessageLookupByLibrary.simpleMessage("Hepsini Sil"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "Kullandığınız Ente uygulamaları varsa bu hesap diğer Ente uygulamalarıyla bağlantılıdır. Tüm Ente uygulamalarına yüklediğiniz veriler ve hesabınız kalıcı olarak silinecektir."), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Lütfen kayıtlı e-posta adresinizden account-deletion@ente.io\'ya e-posta gönderiniz."), - "deleteEmptyAlbums": - MessageLookupByLibrary.simpleMessage("Boş albümleri sil"), - "deleteEmptyAlbumsWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Boş albümler silinsin mi?"), - "deleteFromBoth": - MessageLookupByLibrary.simpleMessage("Her ikisinden de sil"), - "deleteFromDevice": - MessageLookupByLibrary.simpleMessage("Cihazınızdan silin"), - "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Ente\'den Sil"), - "deleteItemCount": m21, - "deleteLocation": MessageLookupByLibrary.simpleMessage("Konumu sil"), - "deleteMultipleAlbumDialog": m22, - "deletePhotos": - MessageLookupByLibrary.simpleMessage("Fotoğrafları sil"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "İhtiyacım olan önemli bir özellik eksik"), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "Uygulama veya bir özellik olması gerektiğini düşündüğüm gibi çalışmıyor"), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Daha çok sevdiğim başka bir hizmet buldum"), - "deleteReason4": - MessageLookupByLibrary.simpleMessage("Nedenim listede yok"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "İsteğiniz 72 saat içinde gerçekleştirilecek."), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Paylaşılan albüm silinsin mi?"), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "Albüm herkes için silinecek\n\nBu albümdeki başkalarına ait paylaşılan fotoğraflara erişiminizi kaybedeceksiniz"), - "deselectAll": - MessageLookupByLibrary.simpleMessage("Tüm seçimi kaldır"), - "designedToOutlive": MessageLookupByLibrary.simpleMessage( - "Hayatta kalmak için tasarlandı"), - "details": MessageLookupByLibrary.simpleMessage("Ayrıntılar"), - "developerSettings": - MessageLookupByLibrary.simpleMessage("Geliştirici ayarları"), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Geliştirici ayarlarını değiştirmek istediğinizden emin misiniz?"), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Kodu girin"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "Bu cihazın albümüne eklenen dosyalar otomatik olarak ente\'ye yüklenecektir."), - "deviceLock": MessageLookupByLibrary.simpleMessage("Cihaz kilidi"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Ente uygulaması önplanda calıştığında ve bir yedekleme işlemi devam ettiğinde, cihaz ekran kilidini devre dışı bırakın. Bu genellikle gerekli olmasa da, büyük dosyaların yüklenmesi ve büyük kütüphanelerin başlangıçta içe aktarılması sürecini hızlandırabilir."), - "deviceNotFound": - MessageLookupByLibrary.simpleMessage("Cihaz bulunamadı"), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Biliyor musun?"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage( - "Otomatik kilidi devre dışı bırak"), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Görüntüleyiciler, hala harici araçlar kullanarak ekran görüntüsü alabilir veya fotoğraflarınızın bir kopyasını kaydedebilir. Lütfen bunu göz önünde bulundurunuz"), - "disableDownloadWarningTitle": - MessageLookupByLibrary.simpleMessage("Lütfen dikkate alın"), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "İki Aşamalı Doğrulamayı Devre Dışı Bırak"), - "disablingTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "İki aşamalı doğrulamayı devre dışı bırak..."), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Keşfet"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Bebek"), - "discover_celebrations": - MessageLookupByLibrary.simpleMessage("Kutlamalar "), - "discover_food": MessageLookupByLibrary.simpleMessage("Yiyecek"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Yeşillik"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Tepeler"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Kimlik"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Mimler"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Notlar"), - "discover_pets": - MessageLookupByLibrary.simpleMessage("Evcil Hayvanlar"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Makbuzlar"), - "discover_screenshots": - MessageLookupByLibrary.simpleMessage("Ekran Görüntüleri"), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Özçekimler"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Gün batımı"), - "discover_visiting_cards": - MessageLookupByLibrary.simpleMessage("Ziyaret Kartları"), - "discover_wallpapers": - MessageLookupByLibrary.simpleMessage("Duvar Kağıtları"), - "dismiss": MessageLookupByLibrary.simpleMessage("Reddet"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage("Çıkış yapma"), - "doThisLater": MessageLookupByLibrary.simpleMessage("Sonra yap"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Yaptığınız düzenlemeleri silmek istiyor musunuz?"), - "done": MessageLookupByLibrary.simpleMessage("Bitti"), - "dontSave": MessageLookupByLibrary.simpleMessage("Kaydetme"), - "doubleYourStorage": MessageLookupByLibrary.simpleMessage( - "Depolama alanınızı ikiye katlayın"), - "download": MessageLookupByLibrary.simpleMessage("İndir"), - "downloadFailed": - MessageLookupByLibrary.simpleMessage("İndirme başarısız"), - "downloading": MessageLookupByLibrary.simpleMessage("İndiriliyor..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Düzenle"), - "editEmailAlreadyLinked": m28, - "editLocation": MessageLookupByLibrary.simpleMessage("Konumu düzenle"), - "editLocationTagTitle": - MessageLookupByLibrary.simpleMessage("Konumu düzenle"), - "editPerson": MessageLookupByLibrary.simpleMessage("Kişiyi düzenle"), - "editTime": MessageLookupByLibrary.simpleMessage("Zamanı düzenle"), - "editsSaved": - MessageLookupByLibrary.simpleMessage("Düzenleme kaydedildi"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Konumda yapılan düzenlemeler yalnızca Ente\'de görülecektir"), - "eligible": MessageLookupByLibrary.simpleMessage("uygun"), - "email": MessageLookupByLibrary.simpleMessage("E-Posta"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "Bu e-posta adresi zaten kayıtlı."), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "Bu e-posta adresi sistemde kayıtlı değil."), - "emailVerificationToggle": - MessageLookupByLibrary.simpleMessage("E-posta doğrulama"), - "emailYourLogs": MessageLookupByLibrary.simpleMessage( - "Kayıtlarınızı e-postayla gönderin"), - "embracingThem": m32, - "emergencyContacts": MessageLookupByLibrary.simpleMessage( - "Acil Durum İletişim Bilgileri"), - "empty": MessageLookupByLibrary.simpleMessage("Boşalt"), - "emptyTrash": - MessageLookupByLibrary.simpleMessage("Çöp kutusu boşaltılsın mı?"), - "enable": MessageLookupByLibrary.simpleMessage("Etkinleştir"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "Ente, yüz tanıma, sihirli arama ve diğer gelişmiş arama özellikleri için cihaz üzerinde çalışan makine öğrenimini kullanır"), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Sihirli arama ve yüz tanıma için makine öğrenimini etkinleştirin"), - "enableMaps": - MessageLookupByLibrary.simpleMessage("Haritaları Etkinleştir"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "Bu, fotoğraflarınızı bir dünya haritasında gösterecektir.\n\nBu harita Open Street Map tarafından barındırılmaktadır ve fotoğraflarınızın tam konumları hiçbir zaman paylaşılmaz.\n\nBu özelliği istediğiniz zaman Ayarlar\'dan devre dışı bırakabilirsiniz."), - "enabled": MessageLookupByLibrary.simpleMessage("Etkin"), - "encryptingBackup": - MessageLookupByLibrary.simpleMessage("Yedekleme şifreleniyor..."), - "encryption": MessageLookupByLibrary.simpleMessage("Şifreleme"), - "encryptionKeys": - MessageLookupByLibrary.simpleMessage("Sifreleme anahtarı"), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Fatura başarıyla güncellendi"), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Varsayılan olarak uçtan uca şifrelenmiş"), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente dosyaları yalnızca erişim izni verdiğiniz takdirde şifreleyebilir ve koruyabilir"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente fotoğrafları saklamak için iznine ihtiyaç duyuyor"), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "Ente anılarınızı korur, böylece cihazınızı kaybetseniz bile anılarınıza her zaman ulaşabilirsiniz."), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Aileniz de planınıza eklenebilir."), - "enterAlbumName": - MessageLookupByLibrary.simpleMessage("Bir albüm adı girin"), - "enterCode": MessageLookupByLibrary.simpleMessage("Kodu giriniz"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "İkiniz için de ücretsiz depolama alanı talep etmek için arkadaşınız tarafından sağlanan kodu girin"), - "enterDateOfBirth": - MessageLookupByLibrary.simpleMessage("Doğum Günü (isteğe bağlı)"), - "enterEmail": - MessageLookupByLibrary.simpleMessage("E-postanızı giriniz"), - "enterFileName": - MessageLookupByLibrary.simpleMessage("Dosya adını girin"), - "enterName": MessageLookupByLibrary.simpleMessage("İsim girin"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Verilerinizi şifrelemek için kullanabileceğimiz yeni bir şifre girin"), - "enterPassword": - MessageLookupByLibrary.simpleMessage("Şifrenizi girin"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Verilerinizi şifrelemek için kullanabileceğimiz bir şifre girin"), - "enterPersonName": - MessageLookupByLibrary.simpleMessage("Kişi ismini giriniz"), - "enterPin": MessageLookupByLibrary.simpleMessage("PIN Girin"), - "enterReferralCode": - MessageLookupByLibrary.simpleMessage("Davet kodunuzu girin"), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Doğrulama uygulamasındaki 6 basamaklı kodu giriniz"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Lütfen geçerli bir E-posta adresi girin."), - "enterYourEmailAddress": - MessageLookupByLibrary.simpleMessage("E-posta adresinizi girin"), - "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( - "Yeni e-posta adresinizi girin"), - "enterYourPassword": - MessageLookupByLibrary.simpleMessage("Lütfen şifrenizi giriniz"), - "enterYourRecoveryKey": - MessageLookupByLibrary.simpleMessage("Kurtarma kodunuzu girin"), - "error": MessageLookupByLibrary.simpleMessage("Hata"), - "everywhere": MessageLookupByLibrary.simpleMessage("her yerde"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": - MessageLookupByLibrary.simpleMessage("Mevcut kullanıcı"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Bu bağlantının süresi dolmuştur. Lütfen yeni bir süre belirleyin veya bağlantı süresini devre dışı bırakın."), - "exportLogs": - MessageLookupByLibrary.simpleMessage("Günlüğü dışa aktar"), - "exportYourData": - MessageLookupByLibrary.simpleMessage("Veriyi dışarı aktar"), - "extraPhotosFound": - MessageLookupByLibrary.simpleMessage("Ekstra fotoğraflar bulundu"), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Yüz henüz kümelenmedi, lütfen daha sonra tekrar gelin"), - "faceRecognition": MessageLookupByLibrary.simpleMessage("Yüz Tanıma"), - "faces": MessageLookupByLibrary.simpleMessage("Yüzler"), - "failed": MessageLookupByLibrary.simpleMessage("Başarısız oldu"), - "failedToApplyCode": - MessageLookupByLibrary.simpleMessage("Uygulanırken hata oluştu"), - "failedToCancel": MessageLookupByLibrary.simpleMessage( - "İptal edilirken sorun oluştu"), - "failedToDownloadVideo": - MessageLookupByLibrary.simpleMessage("Video indirilemedi"), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Etkin oturumlar getirilemedi"), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Düzenleme için orijinal getirilemedi"), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Davet ayrıntıları çekilemedi. Iütfen daha sonra deneyin."), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "Albüm yüklenirken hata oluştu"), - "failedToPlayVideo": - MessageLookupByLibrary.simpleMessage("Video oynatılamadı"), - "failedToRefreshStripeSubscription": - MessageLookupByLibrary.simpleMessage("Abonelik yenilenemedi"), - "failedToRenew": MessageLookupByLibrary.simpleMessage( - "Abonelik yenilenirken hata oluştu"), - "failedToVerifyPaymentStatus": - MessageLookupByLibrary.simpleMessage("Ödeme durumu doğrulanamadı"), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Ekstra ödeme yapmadan mevcut planınıza 5 aile üyesi ekleyin.\n\nHer üyenin kendine ait özel alanı vardır ve paylaşılmadıkça birbirlerinin dosyalarını göremezler.\n\nAile planları ücretli ente aboneliğine sahip müşteriler tarafından kullanılabilir.\n\nBaşlamak için şimdi abone olun!"), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Aile"), - "familyPlans": MessageLookupByLibrary.simpleMessage("Aile Planı"), - "faq": MessageLookupByLibrary.simpleMessage("Sık sorulan sorular"), - "faqs": MessageLookupByLibrary.simpleMessage("Sık Sorulan Sorular"), - "favorite": MessageLookupByLibrary.simpleMessage("Favori"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("Geri Bildirim"), - "file": MessageLookupByLibrary.simpleMessage("Dosya"), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Dosya galeriye kaydedilemedi"), - "fileInfoAddDescHint": - MessageLookupByLibrary.simpleMessage("Bir açıklama ekle..."), - "fileNotUploadedYet": - MessageLookupByLibrary.simpleMessage("Dosya henüz yüklenmedi"), - "fileSavedToGallery": - MessageLookupByLibrary.simpleMessage("Video galeriye kaydedildi"), - "fileTypes": MessageLookupByLibrary.simpleMessage("Dosya türü"), - "fileTypesAndNames": - MessageLookupByLibrary.simpleMessage("Dosya türleri ve adları"), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": - MessageLookupByLibrary.simpleMessage("Dosyalar silinmiş"), - "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Dosyalar galeriye kaydedildi"), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Kişileri isimlerine göre bulun"), - "findThemQuickly": - MessageLookupByLibrary.simpleMessage("Çabucak bulun"), - "flip": MessageLookupByLibrary.simpleMessage("Çevir"), - "food": MessageLookupByLibrary.simpleMessage("Yemek keyfi"), - "forYourMemories": - MessageLookupByLibrary.simpleMessage("anılarınız için"), - "forgotPassword": - MessageLookupByLibrary.simpleMessage("Şifremi unuttum"), - "foundFaces": MessageLookupByLibrary.simpleMessage("Yüzler bulundu"), - "freeStorageClaimed": - MessageLookupByLibrary.simpleMessage("Alınan bedava alan"), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": - MessageLookupByLibrary.simpleMessage("Kullanılabilir bedava alan"), - "freeTrial": MessageLookupByLibrary.simpleMessage("Ücretsiz deneme"), - "freeTrialValidTill": m38, - "freeUpAccessPostDelete": m39, - "freeUpAmount": m40, - "freeUpDeviceSpace": - MessageLookupByLibrary.simpleMessage("Cihaz alanını boşaltın"), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Zaten yedeklenmiş dosyaları temizleyerek cihazınızda yer kazanın."), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("Boş alan"), - "freeUpSpaceSaving": m41, - "gallery": MessageLookupByLibrary.simpleMessage("Galeri"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "Galeride 1000\'e kadar anı gösterilir"), - "general": MessageLookupByLibrary.simpleMessage("Genel"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Şifreleme anahtarı oluşturuluyor..."), - "genericProgress": m42, - "goToSettings": MessageLookupByLibrary.simpleMessage("Ayarlara git"), - "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Lütfen Ayarlar uygulamasında tüm fotoğraflara erişime izin verin"), - "grantPermission": - MessageLookupByLibrary.simpleMessage("İzinleri değiştir"), - "greenery": MessageLookupByLibrary.simpleMessage("Yeşil yaşam"), - "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( - "Yakındaki fotoğrafları gruplandır"), - "guestView": MessageLookupByLibrary.simpleMessage("Misafir Görünümü"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "Misafir görünümünü etkinleştirmek için lütfen sistem ayarlarınızda cihaz şifresi veya ekran kilidi ayarlayın."), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "Biz uygulama kurulumlarını takip etmiyoruz. Bizi nereden duyduğunuzdan bahsetmeniz bize çok yardımcı olacak!"), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Ente\'yi nereden duydunuz? (isteğe bağlı)"), - "help": MessageLookupByLibrary.simpleMessage("Yardım"), - "hidden": MessageLookupByLibrary.simpleMessage("Gizle"), - "hide": MessageLookupByLibrary.simpleMessage("Gizle"), - "hideContent": MessageLookupByLibrary.simpleMessage("İçeriği gizle"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Uygulama değiştiricide bulunan uygulama içeriğini gizler ve ekran görüntülerini devre dışı bırakır"), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Uygulama değiştiricideki uygulama içeriğini gizler"), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "Paylaşılan öğeleri ana galeriden gizle"), - "hiding": MessageLookupByLibrary.simpleMessage("Gizleniyor..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": - MessageLookupByLibrary.simpleMessage("OSM Fransa\'da ağırlandı"), - "howItWorks": MessageLookupByLibrary.simpleMessage("Nasıl çalışır"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Lütfen onlardan ayarlar ekranında e-posta adresine uzun süre basmalarını ve her iki cihazdaki kimliklerin eşleştiğini doğrulamalarını isteyin."), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Cihazınızda biyometrik kimlik doğrulama ayarlanmamış. Lütfen telefonunuzda Touch ID veya Face ID\'yi etkinleştirin."), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "Biyometrik kimlik doğrulama devre dışı. Etkinleştirmek için lütfen ekranınızı kilitleyin ve kilidini açın."), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("Tamam"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Yoksay"), - "ignored": MessageLookupByLibrary.simpleMessage("yoksayıldı"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Bu albümdeki bazı dosyalar daha önce ente\'den silindiğinden yükleme işleminde göz ardı edildi."), - "imageNotAnalyzed": - MessageLookupByLibrary.simpleMessage("Görüntü analiz edilmedi"), - "immediately": MessageLookupByLibrary.simpleMessage("Hemen"), - "importing": - MessageLookupByLibrary.simpleMessage("İçeri aktarılıyor...."), - "incorrectCode": MessageLookupByLibrary.simpleMessage("Yanlış kod"), - "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("Yanlış şifre"), - "incorrectRecoveryKey": - MessageLookupByLibrary.simpleMessage("Yanlış kurtarma kodu"), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "Girdiğiniz kurtarma kod yanlış"), - "incorrectRecoveryKeyTitle": - MessageLookupByLibrary.simpleMessage("Yanlış kurtarma kodu"), - "indexedItems": - MessageLookupByLibrary.simpleMessage("Dizinlenmiş öğeler"), - "ineligible": MessageLookupByLibrary.simpleMessage("Uygun Değil"), - "info": MessageLookupByLibrary.simpleMessage("Bilgi"), - "insecureDevice": - MessageLookupByLibrary.simpleMessage("Güvenilir olmayan cihaz"), - "installManually": - MessageLookupByLibrary.simpleMessage("Manuel kurulum"), - "invalidEmailAddress": - MessageLookupByLibrary.simpleMessage("Geçersiz e-posta adresi"), - "invalidEndpoint": - MessageLookupByLibrary.simpleMessage("Geçersiz uç nokta"), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Üzgünüz, girdiğiniz uç nokta geçersiz. Lütfen geçerli bir uç nokta girin ve tekrar deneyin."), - "invalidKey": MessageLookupByLibrary.simpleMessage("Gecersiz anahtar"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Girdiğiniz kurtarma anahtarı geçerli değil. Lütfen anahtarın 24 kelime içerdiğinden ve her bir kelimenin doğru şekilde yazıldığından emin olun.\n\nEğer eski bir kurtarma kodu girdiyseniz, o zaman kodun 64 karakter uzunluğunda olduğunu kontrol edin."), - "invite": MessageLookupByLibrary.simpleMessage("Davet et"), - "inviteToEnte": - MessageLookupByLibrary.simpleMessage("Ente\'ye davet edin"), - "inviteYourFriends": - MessageLookupByLibrary.simpleMessage("Arkadaşlarını davet et"), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "Katılmaları için arkadaşlarınızı davet edin"), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Bir şeyler ters gitmiş gibi görünüyor. Lütfen bir süre sonra tekrar deneyin. Hata devam ederse, lütfen destek ekibimizle iletişime geçin."), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "Öğeler kalıcı olarak silinmeden önce kalan gün sayısını gösterir"), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Seçilen öğeler bu albümden kaldırılacak"), - "join": MessageLookupByLibrary.simpleMessage("Katıl"), - "joinAlbum": MessageLookupByLibrary.simpleMessage("Albüme Katılın"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "Bir albüme katılmak, e-postanızın katılımcılar tarafından görülebilmesini sağlayacaktır."), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( - "fotoğraflarınızı görüntülemek ve eklemek için"), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "bunu paylaşılan albümlere eklemek için"), - "joinDiscord": MessageLookupByLibrary.simpleMessage("Discord\'a Katıl"), - "keepPhotos": - MessageLookupByLibrary.simpleMessage("Fotoğrafları sakla"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Lütfen bu bilgilerle bize yardımcı olun"), - "language": MessageLookupByLibrary.simpleMessage("Dil"), - "lastTimeWithThem": m45, - "lastUpdated": - MessageLookupByLibrary.simpleMessage("En son güncellenen"), - "lastYearsTrip": - MessageLookupByLibrary.simpleMessage("Geçen yılki gezi"), - "leave": MessageLookupByLibrary.simpleMessage("Ayrıl"), - "leaveAlbum": - MessageLookupByLibrary.simpleMessage("Albümü yeniden adlandır"), - "leaveFamily": - MessageLookupByLibrary.simpleMessage("Aile planından ayrıl"), - "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Paylaşılan albüm silinsin mi?"), - "left": MessageLookupByLibrary.simpleMessage("Sol"), - "legacy": MessageLookupByLibrary.simpleMessage("Geleneksel"), - "legacyAccounts": - MessageLookupByLibrary.simpleMessage("Geleneksel hesaplar"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "Geleneksel yol, güvendiğiniz kişilerin yokluğunuzda hesabınıza erişmesine olanak tanır."), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "Güvenilir kişiler hesap kurtarma işlemini başlatabilir ve 30 gün içinde engellenmezse şifrenizi sıfırlayabilir ve hesabınıza erişebilir."), - "light": MessageLookupByLibrary.simpleMessage("Aydınlık"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Aydınlık"), - "link": MessageLookupByLibrary.simpleMessage("Bağlantı"), - "linkCopiedToClipboard": - MessageLookupByLibrary.simpleMessage("Link panoya kopyalandı"), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Cihaz sınırı"), - "linkEmail": MessageLookupByLibrary.simpleMessage("E-posta bağlantısı"), - "linkEmailToContactBannerCaption": - MessageLookupByLibrary.simpleMessage("daha hızlı paylaşım için"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Geçerli"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Süresi dolmuş"), - "linkExpiresOn": m47, - "linkExpiry": - MessageLookupByLibrary.simpleMessage("Bağlantı geçerliliği"), - "linkHasExpired": - MessageLookupByLibrary.simpleMessage("Bağlantının süresi dolmuş"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Asla"), - "linkPerson": MessageLookupByLibrary.simpleMessage("Kişiyi bağla"), - "linkPersonCaption": MessageLookupByLibrary.simpleMessage( - "daha iyi paylaşım deneyimi için"), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("Canlı Fotoğraf"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "Aboneliğinizi ailenizle paylaşabilirsiniz"), - "loadMessage2": MessageLookupByLibrary.simpleMessage( - "Şimdiye kadar 200 milyondan fazla anıyı koruduk"), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "Verilerinizin 3 kopyasını saklıyoruz, biri yer altı serpinti sığınağında"), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "Tüm uygulamalarımız açık kaynaktır"), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Kaynak kodumuz ve şifrelememiz harici olarak denetlenmiştir"), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "Albümlerinizin bağlantılarını sevdiklerinizle paylaşabilirsiniz"), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Mobil uygulamalarımız, tıkladığınız yeni fotoğrafları şifrelemek ve yedeklemek için arka planda çalışır"), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io\'nun mükemmel bir yükleyicisi var"), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Verilerinizi güvenli bir şekilde şifrelemek için Xchacha20Poly1305 kullanıyoruz"), - "loadingExifData": - MessageLookupByLibrary.simpleMessage("EXIF verileri yükleniyor..."), - "loadingGallery": - MessageLookupByLibrary.simpleMessage("Galeri yükleniyor..."), - "loadingMessage": MessageLookupByLibrary.simpleMessage( - "Fotoğraflarınız yükleniyor..."), - "loadingModel": - MessageLookupByLibrary.simpleMessage("Modeller indiriliyor..."), - "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( - "Fotoğraflarınız yükleniyor..."), - "localGallery": MessageLookupByLibrary.simpleMessage("Yerel galeri"), - "localIndexing": - MessageLookupByLibrary.simpleMessage("Yerel dizinleme"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Yerel fotoğraf senkronizasyonu beklenenden daha uzun sürdüğü için bir şeyler ters gitmiş gibi görünüyor. Lütfen destek ekibimize ulaşın"), - "location": MessageLookupByLibrary.simpleMessage("Konum"), - "locationName": MessageLookupByLibrary.simpleMessage("Konum Adı"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Bir fotoğrafın belli bir yarıçapında çekilen fotoğrafları gruplandırın"), - "locations": MessageLookupByLibrary.simpleMessage("Konum"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Kilit"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Kilit ekranı"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Giriş yap"), - "loggingOut": - MessageLookupByLibrary.simpleMessage("Çıkış yapılıyor..."), - "loginSessionExpired": - MessageLookupByLibrary.simpleMessage("Oturum süresi doldu"), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "Oturum süreniz doldu. Tekrar giriş yapın."), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "\"Giriş yap\" düğmesine tıklayarak, Hizmet Şartları\'nı ve Gizlilik Politikası\'nı kabul ediyorum"), - "loginWithTOTP": - MessageLookupByLibrary.simpleMessage("TOTP ile giriş yap"), - "logout": MessageLookupByLibrary.simpleMessage("Çıkış yap"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Bu, sorununuzu gidermemize yardımcı olmak için kayıtları gönderecektir. Belirli dosyalarla ilgili sorunların izlenmesine yardımcı olmak için dosya adlarının ekleneceğini lütfen unutmayın."), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Uçtan uca şifrelemeyi doğrulamak için bir e-postaya uzun basın."), - "longpressOnAnItemToViewInFullscreen": - MessageLookupByLibrary.simpleMessage( - "Tam ekranda görüntülemek için bir öğeye uzun basın"), - "loopVideoOff": - MessageLookupByLibrary.simpleMessage("Video Döngüsü Kapalı"), - "loopVideoOn": - MessageLookupByLibrary.simpleMessage("Video Döngüsü Açık"), - "lostDevice": - MessageLookupByLibrary.simpleMessage("Cihazınızı mı kaybettiniz?"), - "machineLearning": - MessageLookupByLibrary.simpleMessage("Makine öğrenimi"), - "magicSearch": MessageLookupByLibrary.simpleMessage("Sihirli arama"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "Sihirli arama, fotoğrafları içeriklerine göre aramanıza olanak tanır, örneğin \'çiçek\', \'kırmızı araba\', \'kimlik belgeleri\'"), - "manage": MessageLookupByLibrary.simpleMessage("Yönet"), - "manageDeviceStorage": - MessageLookupByLibrary.simpleMessage("Cihaz Önbelliğini Yönet"), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Yerel önbellek depolama alanını gözden geçirin ve temizleyin."), - "manageFamily": MessageLookupByLibrary.simpleMessage("Aileyi yönet"), - "manageLink": MessageLookupByLibrary.simpleMessage("Bağlantıyı yönet"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Yönet"), - "manageSubscription": - MessageLookupByLibrary.simpleMessage("Abonelikleri yönet"), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "PIN ile eşleştirme, albümünüzü görüntülemek istediğiniz herhangi bir ekranla çalışır."), - "map": MessageLookupByLibrary.simpleMessage("Harita"), - "maps": MessageLookupByLibrary.simpleMessage("Haritalar"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("Ben"), - "memoryCount": m50, - "merchandise": MessageLookupByLibrary.simpleMessage("Ürünler"), - "mergeWithExisting": - MessageLookupByLibrary.simpleMessage("Var olan ile birleştir."), - "mergedPhotos": - MessageLookupByLibrary.simpleMessage("Birleştirilmiş fotoğraflar"), - "mlConsent": MessageLookupByLibrary.simpleMessage( - "Makine öğrenimini etkinleştir"), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Anladım, ve makine öğrenimini etkinleştirmek istiyorum"), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Makine öğrenimini etkinleştirirseniz, Ente sizinle paylaşılanlar da dahil olmak üzere dosyalardan yüz geometrisi gibi bilgileri çıkarır.\n\nBu, cihazınızda gerçekleşecek ve oluşturulan tüm biyometrik bilgiler uçtan uca şifrelenecektir."), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Gizlilik politikamızdaki bu özellik hakkında daha fazla ayrıntı için lütfen buraya tıklayın"), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "Makine öğrenimi etkinleştirilsin mi?"), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Makine öğreniminin, tüm öğeler dizine eklenene kadar daha yüksek bant genişliği ve pil kullanımıyla sonuçlanacağını lütfen unutmayın. Daha hızlı dizinleme için masaüstü uygulamasını kullanmayı deneyin, tüm sonuçlar otomatik olarak senkronize edilir."), - "mobileWebDesktop": - MessageLookupByLibrary.simpleMessage("Mobil, Web, Masaüstü"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Ilımlı"), - "modifyYourQueryOrTrySearchingFor": - MessageLookupByLibrary.simpleMessage( - "Sorgunuzu değiştirin veya aramayı deneyin"), - "moments": MessageLookupByLibrary.simpleMessage("Anlar"), - "month": MessageLookupByLibrary.simpleMessage("ay"), - "monthly": MessageLookupByLibrary.simpleMessage("Aylık"), - "moon": MessageLookupByLibrary.simpleMessage("Ay ışığında"), - "moreDetails": MessageLookupByLibrary.simpleMessage("Daha fazla detay"), - "mostRecent": MessageLookupByLibrary.simpleMessage("En son"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("En alakalı"), - "mountains": MessageLookupByLibrary.simpleMessage("Tepelerin ötesinde"), - "moveItem": m51, - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "Seçilen fotoğrafları bir tarihe taşıma"), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("Albüme taşı"), - "moveToHiddenAlbum": - MessageLookupByLibrary.simpleMessage("Gizli albüme ekle"), - "movedSuccessfullyTo": m52, - "movedToTrash": - MessageLookupByLibrary.simpleMessage("Cöp kutusuna taşı"), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Dosyalar albüme taşınıyor..."), - "name": MessageLookupByLibrary.simpleMessage("İsim"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Albüm İsmi"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Ente\'ye bağlanılamıyor. Lütfen bir süre sonra tekrar deneyin. Hata devam ederse lütfen desteğe başvurun."), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Ente\'ye bağlanılamıyor. Lütfen ağ ayarlarınızı kontrol edin ve hata devam ederse destek ekibiyle iletişime geçin."), - "never": MessageLookupByLibrary.simpleMessage("Asla"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Yeni albüm"), - "newLocation": MessageLookupByLibrary.simpleMessage("Yeni konum"), - "newPerson": MessageLookupByLibrary.simpleMessage("Yeni Kişi"), - "newRange": MessageLookupByLibrary.simpleMessage("Yeni aralık"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Ente\'de yeniyim"), - "newest": MessageLookupByLibrary.simpleMessage("En yeni"), - "next": MessageLookupByLibrary.simpleMessage("Sonraki"), - "no": MessageLookupByLibrary.simpleMessage("Hayır"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Henüz paylaştığınız albüm yok"), - "noDeviceFound": - MessageLookupByLibrary.simpleMessage("Aygıt bulunamadı"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Yok"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "Her şey zaten temiz, silinecek dosya kalmadı"), - "noDuplicates": - MessageLookupByLibrary.simpleMessage("Yinelenenleri kaldır"), - "noEnteAccountExclamation": - MessageLookupByLibrary.simpleMessage("Ente hesabı yok!"), - "noExifData": MessageLookupByLibrary.simpleMessage("EXIF verisi yok"), - "noFacesFound": MessageLookupByLibrary.simpleMessage("Yüz bulunamadı"), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "Gizli fotoğraf veya video yok"), - "noImagesWithLocation": - MessageLookupByLibrary.simpleMessage("Konum içeren resim yok"), - "noInternetConnection": - MessageLookupByLibrary.simpleMessage("İnternet bağlantısı yok"), - "noPhotosAreBeingBackedUpRightNow": - MessageLookupByLibrary.simpleMessage( - "Şu anda hiçbir fotoğraf yedeklenmiyor"), - "noPhotosFoundHere": - MessageLookupByLibrary.simpleMessage("Burada fotoğraf bulunamadı"), - "noQuickLinksSelected": - MessageLookupByLibrary.simpleMessage("Hızlı bağlantılar seçilmedi"), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Kurtarma anahtarınız yok mu?"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Uçtan uca şifreleme protokolümüzün doğası gereği, verileriniz şifreniz veya kurtarma anahtarınız olmadan çözülemez"), - "noResults": MessageLookupByLibrary.simpleMessage("Sonuç bulunamadı"), - "noResultsFound": - MessageLookupByLibrary.simpleMessage("Hiçbir sonuç bulunamadı"), - "noSuggestionsForPerson": m53, - "noSystemLockFound": - MessageLookupByLibrary.simpleMessage("Sistem kilidi bulunamadı"), - "notPersonLabel": m54, - "notThisPerson": - MessageLookupByLibrary.simpleMessage("Bu kişi değil mi?"), - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "Henüz sizinle paylaşılan bir şey yok"), - "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( - "Burada görülecek bir şey yok! 👀"), - "notifications": MessageLookupByLibrary.simpleMessage("Bildirimler"), - "ok": MessageLookupByLibrary.simpleMessage("Tamam"), - "onDevice": MessageLookupByLibrary.simpleMessage("Cihazda"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "ente üzerinde"), - "onTheRoad": MessageLookupByLibrary.simpleMessage("Yeniden yollarda"), - "onThisDay": MessageLookupByLibrary.simpleMessage("Bu günde"), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Sadece onlar"), - "oops": MessageLookupByLibrary.simpleMessage("Hay aksi"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Hata! Düzenlemeler kaydedilemedi"), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Hoop, Birşeyler yanlış gitti"), - "openAlbumInBrowser": - MessageLookupByLibrary.simpleMessage("Albümü tarayıcıda aç"), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Bu albüme fotoğraf eklemek için lütfen web uygulamasını kullanın"), - "openFile": MessageLookupByLibrary.simpleMessage("Dosyayı aç"), - "openSettings": MessageLookupByLibrary.simpleMessage("Ayarları Açın"), - "openTheItem": MessageLookupByLibrary.simpleMessage("• Öğeyi açın"), - "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( - "OpenStreetMap katkıda bululanlar"), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "İsteğe bağlı, istediğiniz kadar kısa..."), - "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( - "Ya da mevcut olan ile birleştirin"), - "orPickAnExistingOne": - MessageLookupByLibrary.simpleMessage("Veya mevcut birini seçiniz"), - "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( - "veya kişilerinizden birini seçin"), - "pair": MessageLookupByLibrary.simpleMessage("Eşleştir"), - "pairWithPin": - MessageLookupByLibrary.simpleMessage("PIN ile eşleştirin"), - "pairingComplete": - MessageLookupByLibrary.simpleMessage("Eşleştirme tamamlandı"), - "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), - "partyWithThem": m56, - "passKeyPendingVerification": - MessageLookupByLibrary.simpleMessage("Doğrulama hala bekliyor"), - "passkey": MessageLookupByLibrary.simpleMessage("Geçiş anahtarı"), - "passkeyAuthTitle": - MessageLookupByLibrary.simpleMessage("Geçiş anahtarı doğrulaması"), - "password": MessageLookupByLibrary.simpleMessage("Şifre"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Şifreniz başarılı bir şekilde değiştirildi"), - "passwordLock": MessageLookupByLibrary.simpleMessage("Şifre kilidi"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "Parola gücü, parolanın uzunluğu, kullanılan karakterler ve parolanın en çok kullanılan ilk 10.000 parola arasında yer alıp almadığı dikkate alınarak hesaplanır"), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Şifrelerinizi saklamıyoruz, bu yüzden unutursanız, verilerinizi deşifre edemeyiz"), - "paymentDetails": - MessageLookupByLibrary.simpleMessage("Ödeme detayları"), - "paymentFailed": - MessageLookupByLibrary.simpleMessage("Ödeme başarısız oldu"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "Maalesef ödemeniz başarısız oldu. Lütfen destekle iletişime geçin, size yardımcı olacağız!"), - "paymentFailedTalkToProvider": m58, - "pendingItems": MessageLookupByLibrary.simpleMessage("Bekleyen Öğeler"), - "pendingSync": - MessageLookupByLibrary.simpleMessage("Bekleyen Senkronizasyonlar"), - "people": MessageLookupByLibrary.simpleMessage("Kişiler"), - "peopleUsingYourCode": - MessageLookupByLibrary.simpleMessage("Kodunuzu kullananlar"), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Çöp kutusundaki tüm öğeler kalıcı olarak silinecek\n\nBu işlem geri alınamaz"), - "permanentlyDelete": - MessageLookupByLibrary.simpleMessage("Kalıcı olarak sil"), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Cihazdan kalıcı olarak silinsin mi?"), - "personIsAge": m59, - "personName": MessageLookupByLibrary.simpleMessage("Kişi Adı"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("Tüylü dostlar"), - "photoDescriptions": - MessageLookupByLibrary.simpleMessage("Fotoğraf Açıklaması"), - "photoGridSize": MessageLookupByLibrary.simpleMessage("Izgara boyutu"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("fotoğraf"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("Fotoğraflar"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "Eklediğiniz fotoğraflar albümden kaldırılacak"), - "photosCount": m62, - "photosKeepRelativeTimeDifference": - MessageLookupByLibrary.simpleMessage( - "Fotoğraflar göreli zaman farkını korur"), - "pickCenterPoint": - MessageLookupByLibrary.simpleMessage("Merkez noktasını seçin"), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Albümü sabitle"), - "pinLock": MessageLookupByLibrary.simpleMessage("Pin kilidi"), - "playOnTv": MessageLookupByLibrary.simpleMessage("Albümü TV\'de oynat"), - "playOriginal": MessageLookupByLibrary.simpleMessage("Orijinali oynat"), - "playStoreFreeTrialValidTill": m63, - "playStream": MessageLookupByLibrary.simpleMessage("Akışı oynat"), - "playstoreSubscription": - MessageLookupByLibrary.simpleMessage("PlayStore aboneliği"), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Lütfen internet bağlantınızı kontrol edin ve yeniden deneyin."), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Lütfen support@ente.io ile iletişime geçin; size yardımcı olmaktan memnuniyet duyarız!"), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Bu hata devam ederse lütfen desteğe başvurun"), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": - MessageLookupByLibrary.simpleMessage("Lütfen izin ver"), - "pleaseLoginAgain": - MessageLookupByLibrary.simpleMessage("Lütfen tekrar giriş yapın"), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Lütfen kaldırmak için hızlı bağlantıları seçin"), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": - MessageLookupByLibrary.simpleMessage("Lütfen tekrar deneyiniz"), - "pleaseVerifyTheCodeYouHaveEntered": - MessageLookupByLibrary.simpleMessage( - "Lütfen girdiğiniz kodu doğrulayın"), - "pleaseWait": - MessageLookupByLibrary.simpleMessage("Lütfen bekleyiniz..."), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Lütfen bekleyin, albüm siliniyor"), - "pleaseWaitForSometimeBeforeRetrying": - MessageLookupByLibrary.simpleMessage( - "Tekrar denemeden önce lütfen bir süre bekleyin"), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "Lütfen bekleyin, bu biraz zaman alabilir."), - "posingWithThem": m66, - "preparingLogs": - MessageLookupByLibrary.simpleMessage("Kayıtlar hazırlanıyor..."), - "preserveMore": - MessageLookupByLibrary.simpleMessage("Daha fazlasını koruyun"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Videoları yönetmek için basılı tutun"), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Videoyu oynatmak için resmi basılı tutun"), - "previous": MessageLookupByLibrary.simpleMessage("Önceki"), - "privacy": MessageLookupByLibrary.simpleMessage("Gizlilik"), - "privacyPolicyTitle": - MessageLookupByLibrary.simpleMessage("Mahremiyet Politikası"), - "privateBackups": - MessageLookupByLibrary.simpleMessage("Özel yedeklemeler"), - "privateSharing": MessageLookupByLibrary.simpleMessage("Özel paylaşım"), - "proceed": MessageLookupByLibrary.simpleMessage("Devam edin"), - "processed": MessageLookupByLibrary.simpleMessage("İşlenen"), - "processing": MessageLookupByLibrary.simpleMessage("İşleniyor"), - "processingImport": m67, - "processingVideos": - MessageLookupByLibrary.simpleMessage("Videolar işleniyor"), - "publicLinkCreated": MessageLookupByLibrary.simpleMessage( - "Herkese açık bağlantı oluşturuldu"), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( - "Herkese açık bağlantı aktive edildi"), - "queued": MessageLookupByLibrary.simpleMessage("Kuyrukta"), - "quickLinks": MessageLookupByLibrary.simpleMessage("Hızlı Erişim"), - "radius": MessageLookupByLibrary.simpleMessage("Yarıçap"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Bileti artır"), - "rateTheApp": - MessageLookupByLibrary.simpleMessage("Uygulamayı puanlayın"), - "rateUs": MessageLookupByLibrary.simpleMessage("Bizi değerlendirin"), - "rateUsOnStore": m68, - "reassignMe": - MessageLookupByLibrary.simpleMessage("\"Ben\"i yeniden atayın"), - "reassignedToName": m69, - "reassigningLoading": - MessageLookupByLibrary.simpleMessage("Yeniden atanıyor..."), - "recover": MessageLookupByLibrary.simpleMessage("Kurtarma"), - "recoverAccount": MessageLookupByLibrary.simpleMessage("Hesabı kurtar"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Kurtar"), - "recoveryAccount": - MessageLookupByLibrary.simpleMessage("Hesabı kurtar"), - "recoveryInitiated": - MessageLookupByLibrary.simpleMessage("Kurtarma başlatıldı"), - "recoveryInitiatedDesc": m70, - "recoveryKey": - MessageLookupByLibrary.simpleMessage("Kurtarma anahtarı"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Kurtarma anahtarınız panoya kopyalandı"), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Şifrenizi unutursanız, verilerinizi kurtarmanın tek yolu bu anahtar olacaktır."), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Bu anahtarı saklamıyoruz, lütfen bu 24 kelime anahtarı güvenli bir yerde saklayın."), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Harika! Kurtarma anahtarınız geçerlidir. Doğrulama için teşekkür ederim.\n\nLütfen kurtarma anahtarınızı güvenli bir şekilde yedeklediğinizden emin olun."), - "recoveryKeyVerified": - MessageLookupByLibrary.simpleMessage("Kurtarma kodu doğrulandı"), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Kurtarma anahtarınız, şifrenizi unutmanız durumunda fotoğraflarınızı kurtarmanın tek yoludur. Kurtarma anahtarınızı Ayarlar > Hesap bölümünde bulabilirsiniz.\n\nDoğru kaydettiğinizi doğrulamak için lütfen kurtarma anahtarınızı buraya girin."), - "recoveryReady": m71, - "recoverySuccessful": - MessageLookupByLibrary.simpleMessage("Kurtarma başarılı!"), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "Güvenilir bir kişi hesabınıza erişmeye çalışıyor"), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "Cihazınız, şifrenizi doğrulamak için yeterli güce sahip değil, ancak tüm cihazlarda çalışacak şekilde yeniden oluşturabiliriz.\n\nLütfen kurtarma anahtarınızı kullanarak giriş yapın ve şifrenizi yeniden oluşturun (istediğiniz takdirde aynı şifreyi tekrar kullanabilirsiniz)."), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Sifrenizi tekrardan oluşturun"), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": - MessageLookupByLibrary.simpleMessage("Şifrenizi tekrar girin"), - "reenterPin": - MessageLookupByLibrary.simpleMessage("PIN\'inizi tekrar girin"), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Arkadaşlarınıza önerin ve planınızı 2 katına çıkarın"), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Bu kodu arkadaşlarınıza verin"), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Ücretli bir plan için kaydolsunlar"), - "referralStep3": m73, - "referrals": - MessageLookupByLibrary.simpleMessage("Arkadaşını davet et"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "Davetler şu anda durmuş durumda"), - "rejectRecovery": - MessageLookupByLibrary.simpleMessage("Kurtarmayı reddet"), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "Ayrıca boş alanı kazanmak için \"Ayarlar\" > \"Depolama\" bölümünden \"Son Silinenler\" klasörünü de boşaltın"), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Ayrıca boşalan alana sahip olmak için \"Çöp Kutunuzu\" boşaltın"), - "remoteImages": MessageLookupByLibrary.simpleMessage("Uzak Görseller"), - "remoteThumbnails": - MessageLookupByLibrary.simpleMessage("Uzak Küçük Resimler"), - "remoteVideos": MessageLookupByLibrary.simpleMessage("Uzak Videolar"), - "remove": MessageLookupByLibrary.simpleMessage("Kaldır"), - "removeDuplicates": - MessageLookupByLibrary.simpleMessage("Yinelenenleri kaldır"), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Aynı olan dosyaları gözden geçirin ve kaldırın."), - "removeFromAlbum": - MessageLookupByLibrary.simpleMessage("Albümden çıkar"), - "removeFromAlbumTitle": - MessageLookupByLibrary.simpleMessage("Albümden çıkarılsın mı?"), - "removeFromFavorite": - MessageLookupByLibrary.simpleMessage("Favorilerden Kaldır"), - "removeInvite": - MessageLookupByLibrary.simpleMessage("Davetiyeyi kaldır"), - "removeLink": MessageLookupByLibrary.simpleMessage("Bağlantıyı kaldır"), - "removeParticipant": - MessageLookupByLibrary.simpleMessage("Katılımcıyı kaldır"), - "removeParticipantBody": m74, - "removePersonLabel": - MessageLookupByLibrary.simpleMessage("Kişi etiketini kaldırın"), - "removePublicLink": MessageLookupByLibrary.simpleMessage( - "Herkese açık bağlantıyı kaldır"), - "removePublicLinks": MessageLookupByLibrary.simpleMessage( - "Herkese açık bağlantıları kaldır"), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Kaldırdığınız öğelerden bazıları başkaları tarafından eklenmiştir ve bunlara erişiminizi kaybedeceksiniz"), - "removeWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Kaldırılsın mı?"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Kendinizi güvenilir kişi olarak kaldırın"), - "removingFromFavorites": - MessageLookupByLibrary.simpleMessage("Favorilerimden kaldır..."), - "rename": MessageLookupByLibrary.simpleMessage("Yeniden adlandır"), - "renameAlbum": - MessageLookupByLibrary.simpleMessage("Albümü yeniden adlandır"), - "renameFile": - MessageLookupByLibrary.simpleMessage("Dosyayı yeniden adlandır"), - "renewSubscription": - MessageLookupByLibrary.simpleMessage("Abonelik yenileme"), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Hata bildir"), - "reportBug": MessageLookupByLibrary.simpleMessage("Hata bildir"), - "resendEmail": - MessageLookupByLibrary.simpleMessage("E-postayı yeniden gönder"), - "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( - "Yok sayılan dosyaları sıfırla"), - "resetPasswordTitle": - MessageLookupByLibrary.simpleMessage("Parolanızı sıfırlayın"), - "resetPerson": MessageLookupByLibrary.simpleMessage("Kaldır"), - "resetToDefault": - MessageLookupByLibrary.simpleMessage("Varsayılana sıfırla"), - "restore": MessageLookupByLibrary.simpleMessage("Geri yükle"), - "restoreToAlbum": MessageLookupByLibrary.simpleMessage("Albümü yenile"), - "restoringFiles": - MessageLookupByLibrary.simpleMessage("Dosyalar geri yükleniyor..."), - "resumableUploads": - MessageLookupByLibrary.simpleMessage("Devam edilebilir yüklemeler"), - "retry": MessageLookupByLibrary.simpleMessage("Tekrar dene"), - "review": MessageLookupByLibrary.simpleMessage("Gözden Geçir"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Lütfen kopya olduğunu düşündüğünüz öğeleri inceleyin ve silin."), - "reviewSuggestions": - MessageLookupByLibrary.simpleMessage("Önerileri inceleyin"), - "right": MessageLookupByLibrary.simpleMessage("Sağ"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("Döndür"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Sola döndür"), - "rotateRight": MessageLookupByLibrary.simpleMessage("Sağa döndür"), - "safelyStored": - MessageLookupByLibrary.simpleMessage("Güvenle saklanır"), - "save": MessageLookupByLibrary.simpleMessage("Kaydet"), - "saveChangesBeforeLeavingQuestion": - MessageLookupByLibrary.simpleMessage( - "Çıkmadan önce değişiklikler kaydedilsin mi?"), - "saveCollage": MessageLookupByLibrary.simpleMessage("Kolajı kaydet"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Kopyasını kaydet"), - "saveKey": MessageLookupByLibrary.simpleMessage("Anahtarı kaydet"), - "savePerson": MessageLookupByLibrary.simpleMessage("Kişiyi kaydet"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Henüz yapmadıysanız kurtarma anahtarınızı kaydetmeyi unutmayın"), - "saving": MessageLookupByLibrary.simpleMessage("Kaydediliyor..."), - "savingEdits": MessageLookupByLibrary.simpleMessage( - "Düzenlemeler kaydediliyor..."), - "scanCode": MessageLookupByLibrary.simpleMessage("Kodu tarayın"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Kimlik doğrulama uygulamanız ile kodu tarayın"), - "search": MessageLookupByLibrary.simpleMessage("Ara"), - "searchAlbumsEmptySection": - MessageLookupByLibrary.simpleMessage("Albümler"), - "searchByAlbumNameHint": - MessageLookupByLibrary.simpleMessage("Albüm adı"), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Albüm adları (ör. \"Kamera\")\n• Dosya türleri (ör. \"Videolar\", \".gif\")\n• Yıllar ve aylar (ör. \"2022\", \"Ocak\")\n• Tatiller (ör. \"Noel\")\n• Fotoğraf açıklamaları (ör. \"#eğlence\")"), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Fotoğraf bilgilerini burada hızlı bir şekilde bulmak için \"#trip\" gibi açıklamalar ekleyin"), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Tarihe, aya veya yıla göre arama yapın"), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "İşleme ve senkronizasyon tamamlandığında görüntüler burada gösterilecektir"), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "Dizinleme yapıldıktan sonra insanlar burada gösterilecek"), - "searchFileTypesAndNamesEmptySection": - MessageLookupByLibrary.simpleMessage("Dosya türleri ve adları"), - "searchHint1": - MessageLookupByLibrary.simpleMessage("Hızlı, cihaz üzerinde arama"), - "searchHint2": MessageLookupByLibrary.simpleMessage( - "Fotoğraf tarihleri, açıklamalar"), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "Albümler, dosya adları ve türleri"), - "searchHint4": MessageLookupByLibrary.simpleMessage("Konum"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "Çok yakında: Yüzler ve sihirli arama ✨"), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Bir fotoğrafın belli bir yarıçapında çekilen fotoğrafları gruplandırın"), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "İnsanları davet ettiğinizde onların paylaştığı tüm fotoğrafları burada göreceksiniz"), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "İşleme ve senkronizasyon tamamlandığında kişiler burada gösterilecektir"), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Güvenlik"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "Uygulamadaki herkese açık albüm bağlantılarını görün"), - "selectALocation": - MessageLookupByLibrary.simpleMessage("Bir konum seçin"), - "selectALocationFirst": - MessageLookupByLibrary.simpleMessage("Önce yeni yer seçin"), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Albüm seçin"), - "selectAll": MessageLookupByLibrary.simpleMessage("Hepsini seç"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("Tümü"), - "selectCoverPhoto": - MessageLookupByLibrary.simpleMessage("Kapak fotoğrafı seçin"), - "selectDate": MessageLookupByLibrary.simpleMessage("Tarih seç"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Yedekleme için klasörleri seçin"), - "selectItemsToAdd": - MessageLookupByLibrary.simpleMessage("Eklenecek eşyaları seçin"), - "selectLanguage": MessageLookupByLibrary.simpleMessage("Dil Seçin"), - "selectMailApp": - MessageLookupByLibrary.simpleMessage("Mail Uygulamasını Seç"), - "selectMorePhotos": - MessageLookupByLibrary.simpleMessage("Daha Fazla Fotoğraf Seç"), - "selectOneDateAndTime": - MessageLookupByLibrary.simpleMessage("Bir tarih ve saat seçin"), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "Tümü için tek bir tarih ve saat seçin"), - "selectPersonToLink": MessageLookupByLibrary.simpleMessage( - "Bağlantı kurulacak kişiyi seçin"), - "selectReason": - MessageLookupByLibrary.simpleMessage("Ayrılma nedeninizi seçin"), - "selectStartOfRange": - MessageLookupByLibrary.simpleMessage("Aralık başlangıcını seçin"), - "selectTime": MessageLookupByLibrary.simpleMessage("Zaman Seç"), - "selectYourFace": - MessageLookupByLibrary.simpleMessage("Yüzünüzü seçin"), - "selectYourPlan": - MessageLookupByLibrary.simpleMessage("Planınızı seçin"), - "selectedAlbums": m79, - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Seçilen dosyalar Ente\'de değil"), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Seçilen klasörler şifrelenecek ve yedeklenecektir"), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Seçilen öğeler tüm albümlerden silinecek ve çöp kutusuna taşınacak."), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "Seçili öğeler bu kişiden silinir, ancak kitaplığınızdan silinmez."), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("Gönder"), - "sendEmail": MessageLookupByLibrary.simpleMessage("E-posta gönder"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Davet kodu gönder"), - "sendLink": MessageLookupByLibrary.simpleMessage("Bağlantıyı gönder"), - "serverEndpoint": - MessageLookupByLibrary.simpleMessage("Sunucu uç noktası"), - "sessionExpired": - MessageLookupByLibrary.simpleMessage("Oturum süresi doldu"), - "sessionIdMismatch": - MessageLookupByLibrary.simpleMessage("Oturum kimliği uyuşmazlığı"), - "setAPassword": MessageLookupByLibrary.simpleMessage("Şifre ayarla"), - "setAs": MessageLookupByLibrary.simpleMessage("Şu şekilde ayarla"), - "setCover": MessageLookupByLibrary.simpleMessage("Kapak Belirle"), - "setLabel": MessageLookupByLibrary.simpleMessage("Ayarla"), - "setNewPassword": - MessageLookupByLibrary.simpleMessage("Yeni şifre belirle"), - "setNewPin": - MessageLookupByLibrary.simpleMessage("Yeni PIN belirleyin"), - "setPasswordTitle": - MessageLookupByLibrary.simpleMessage("Parola ayarlayın"), - "setRadius": MessageLookupByLibrary.simpleMessage("Yarıçapı ayarla"), - "setupComplete": - MessageLookupByLibrary.simpleMessage("Ayarlama işlemi başarılı"), - "share": MessageLookupByLibrary.simpleMessage("Paylaş"), - "shareALink": - MessageLookupByLibrary.simpleMessage("Bir bağlantı paylaş"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Bir albüm açın ve paylaşmak için sağ üstteki paylaş düğmesine dokunun."), - "shareAnAlbumNow": - MessageLookupByLibrary.simpleMessage("Şimdi bir albüm paylaşın"), - "shareLink": MessageLookupByLibrary.simpleMessage("Bağlantıyı paylaş"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Yalnızca istediğiniz kişilerle paylaşın"), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Orijinal kalitede fotoğraf ve videoları kolayca paylaşabilmemiz için Ente\'yi indirin\n\nhttps://ente.io"), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Ente kullanıcısı olmayanlar için paylaş"), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": - MessageLookupByLibrary.simpleMessage("İlk albümünüzü paylaşın"), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Diğer Ente kullanıcılarıyla paylaşılan ve topluluk albümleri oluşturun, bu arada ücretsiz planlara sahip kullanıcıları da içerir."), - "sharedByMe": - MessageLookupByLibrary.simpleMessage("Benim paylaştıklarım"), - "sharedByYou": MessageLookupByLibrary.simpleMessage("Paylaştıklarınız"), - "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( - "Paylaşılan fotoğrafları ekle"), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Birisi parçası olduğunuz paylaşılan bir albüme fotoğraf eklediğinde bildirim alın"), - "sharedWith": m87, - "sharedWithMe": - MessageLookupByLibrary.simpleMessage("Benimle paylaşılan"), - "sharedWithYou": - MessageLookupByLibrary.simpleMessage("Sizinle paylaşıldı"), - "sharing": MessageLookupByLibrary.simpleMessage("Paylaşılıyor..."), - "shiftDatesAndTime": - MessageLookupByLibrary.simpleMessage("Vardiya tarihleri ve saati"), - "showMemories": MessageLookupByLibrary.simpleMessage("Anıları göster"), - "showPerson": MessageLookupByLibrary.simpleMessage("Kişiyi Göster"), - "signOutFromOtherDevices": - MessageLookupByLibrary.simpleMessage("Diğer cihazlardan çıkış yap"), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Eğer başka birisinin parolanızı bildiğini düşünüyorsanız, diğer tüm cihazları hesabınızdan çıkışa zorlayabilirsiniz."), - "signOutOtherDevices": - MessageLookupByLibrary.simpleMessage("Diğer cihazlardan çıkış yap"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Hizmet Şartları\'nı ve Gizlilik Politikası\'nı kabul ediyorum"), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": - MessageLookupByLibrary.simpleMessage("Tüm albümlerden silinecek."), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Geç"), - "social": MessageLookupByLibrary.simpleMessage("Sosyal Medya"), - "someItemsAreInBothEnteAndYourDevice": - MessageLookupByLibrary.simpleMessage( - "Bazı öğeler hem Ente\'de hem de cihazınızda bulunur."), - "someOfTheFilesYouAreTryingToDeleteAre": - MessageLookupByLibrary.simpleMessage( - "Silmeye çalıştığınız dosyalardan bazıları yalnızca cihazınızda mevcuttur ve silindiği takdirde kurtarılamaz"), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Size albümleri paylaşan biri, kendi cihazında aynı kimliği görmelidir."), - "somethingWentWrong": - MessageLookupByLibrary.simpleMessage("Bazı şeyler yanlış gitti"), - "somethingWentWrongPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Bir şeyler ters gitti, lütfen tekrar deneyin"), - "sorry": MessageLookupByLibrary.simpleMessage("Üzgünüz"), - "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( - "Üzgünüz, bu dosya şu anda yedeklenemedi. Daha sonra tekrar deneyeceğiz."), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Üzgünüm, favorilere ekleyemedim!"), - "sorryCouldNotRemoveFromFavorites": - MessageLookupByLibrary.simpleMessage( - "Üzgünüm, favorilere ekleyemedim!"), - "sorryTheCodeYouveEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "Üzgünüz, girdiğiniz kod yanlış"), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Üzgünüm, bu cihazda güvenli anahtarlarını oluşturamadık.\n\nLütfen başka bir cihazdan giriş yapmayı deneyiniz."), - "sort": MessageLookupByLibrary.simpleMessage("Sırala"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sırala"), - "sortNewestFirst": - MessageLookupByLibrary.simpleMessage("Yeniden eskiye"), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Önce en eski"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Başarılı"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": - MessageLookupByLibrary.simpleMessage("Sahne senin"), - "startAccountRecoveryTitle": - MessageLookupByLibrary.simpleMessage("Kurtarmayı başlat"), - "startBackup": - MessageLookupByLibrary.simpleMessage("Yedeklemeyi başlat"), - "status": MessageLookupByLibrary.simpleMessage("Durum"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "Yansıtmayı durdurmak istiyor musunuz?"), - "stopCastingTitle": - MessageLookupByLibrary.simpleMessage("Yayını durdur"), - "storage": MessageLookupByLibrary.simpleMessage("Depolama"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Aile"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Sen"), - "storageInGB": m93, - "storageLimitExceeded": - MessageLookupByLibrary.simpleMessage("Depolama sınırı aşıldı"), - "storageUsageInfo": m94, - "streamDetails": MessageLookupByLibrary.simpleMessage("Akış detayları"), - "strongStrength": MessageLookupByLibrary.simpleMessage("Güçlü"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Abone ol"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Paylaşımı etkinleştirmek için aktif bir ücretli aboneliğe ihtiyacınız var."), - "subscription": MessageLookupByLibrary.simpleMessage("Abonelik"), - "success": MessageLookupByLibrary.simpleMessage("Başarılı"), - "successfullyArchived": - MessageLookupByLibrary.simpleMessage("Başarıyla arşivlendi"), - "successfullyHid": - MessageLookupByLibrary.simpleMessage("Başarıyla saklandı"), - "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( - "Başarıyla arşivden çıkarıldı"), - "successfullyUnhid": MessageLookupByLibrary.simpleMessage( - "Başarıyla arşivden çıkarıldı"), - "suggestFeatures": - MessageLookupByLibrary.simpleMessage("Özellik önerin"), - "sunrise": MessageLookupByLibrary.simpleMessage("Ufukta"), - "support": MessageLookupByLibrary.simpleMessage("Destek"), - "syncProgress": m97, - "syncStopped": - MessageLookupByLibrary.simpleMessage("Senkronizasyon durduruldu"), - "syncing": MessageLookupByLibrary.simpleMessage("Eşitleniyor..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("Sistem"), - "tapToCopy": - MessageLookupByLibrary.simpleMessage("kopyalamak için dokunun"), - "tapToEnterCode": - MessageLookupByLibrary.simpleMessage("Kodu girmek icin tıklayın"), - "tapToUnlock": MessageLookupByLibrary.simpleMessage("Açmak için dokun"), - "tapToUpload": - MessageLookupByLibrary.simpleMessage("Yüklemek için tıklayın"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Bir şeyler ters gitmiş gibi görünüyor. Lütfen bir süre sonra tekrar deneyin. Hata devam ederse, lütfen destek ekibimizle iletişime geçin."), - "terminate": MessageLookupByLibrary.simpleMessage("Sonlandır"), - "terminateSession": - MessageLookupByLibrary.simpleMessage("Oturum sonlandırılsın mı?"), - "terms": MessageLookupByLibrary.simpleMessage("Şartlar"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Şartlar"), - "thankYou": MessageLookupByLibrary.simpleMessage("Teşekkürler"), - "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( - "Abone olduğunuz için teşekkürler!"), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "İndirme işlemi tamamlanamadı"), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "Erişmeye çalıştığınız bağlantının süresi dolmuştur."), - "theRecoveryKeyYouEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "Girdiğiniz kurtarma kodu yanlış"), - "theme": MessageLookupByLibrary.simpleMessage("Tema"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Bu öğeler cihazınızdan silinecektir."), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": - MessageLookupByLibrary.simpleMessage("Tüm albümlerden silinecek."), - "thisActionCannotBeUndone": - MessageLookupByLibrary.simpleMessage("Bu eylem geri alınamaz"), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "Bu albümde zaten bir ortak çalışma bağlantısı var"), - "thisCanBeUsedToRecoverYourAccountIfYou": - MessageLookupByLibrary.simpleMessage( - "Bu, iki faktörünüzü kaybederseniz hesabınızı kurtarmak için kullanılabilir"), - "thisDevice": MessageLookupByLibrary.simpleMessage("Bu cihaz"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "Bu e-posta zaten kullanılıyor"), - "thisImageHasNoExifData": - MessageLookupByLibrary.simpleMessage("Bu görselde exif verisi yok"), - "thisIsMeExclamation": - MessageLookupByLibrary.simpleMessage("Bu benim!"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": - MessageLookupByLibrary.simpleMessage("Doğrulama kimliğiniz"), - "thisWeekThroughTheYears": - MessageLookupByLibrary.simpleMessage("Yıllar boyunca bu hafta"), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Bu, sizi aşağıdaki cihazdan çıkış yapacak:"), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Bu cihazdaki oturumunuz kapatılacak!"), - "thisWillMakeTheDateAndTimeOfAllSelected": - MessageLookupByLibrary.simpleMessage( - "Bu, seçilen tüm fotoğrafların tarih ve saatini aynı yapacaktır."), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "Bu, seçilen tüm hızlı bağlantıların genel bağlantılarını kaldıracaktır."), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "Uygulama kilidini etkinleştirmek için lütfen sistem ayarlarınızda cihaz şifresi veya ekran kilidi ayarlayın."), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( - "Bir fotoğrafı veya videoyu gizlemek için"), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Şifrenizi sıfılamak için lütfen e-postanızı girin."), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Bugünün kayıtları"), - "tooManyIncorrectAttempts": - MessageLookupByLibrary.simpleMessage("Çok fazla hatalı deneme"), - "total": MessageLookupByLibrary.simpleMessage("total"), - "totalSize": MessageLookupByLibrary.simpleMessage("Toplam boyut"), - "trash": MessageLookupByLibrary.simpleMessage("Cöp kutusu"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Kes"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": - MessageLookupByLibrary.simpleMessage("Güvenilir kişiler"), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Tekrar deneyiniz"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Bu cihaz klasörüne eklenen dosyaları otomatik olarak ente\'ye yüklemek için yedeklemeyi açın."), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "Yıllık planlarda 2 ay ücretsiz"), - "twofactor": - MessageLookupByLibrary.simpleMessage("İki faktörlü doğrulama"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "İki faktörlü kimlik doğrulama devre dışı"), - "twofactorAuthenticationPageTitle": - MessageLookupByLibrary.simpleMessage("İki faktörlü doğrulama"), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "İki faktörlü kimlik doğrulama başarıyla sıfırlandı"), - "twofactorSetup": - MessageLookupByLibrary.simpleMessage("İki faktörlü kurulum"), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("Arşivden cıkar"), - "unarchiveAlbum": - MessageLookupByLibrary.simpleMessage("Arşivden Çıkar"), - "unarchiving": - MessageLookupByLibrary.simpleMessage("Arşivden çıkarılıyor..."), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Üzgünüz, bu kod mevcut değil."), - "uncategorized": MessageLookupByLibrary.simpleMessage("Kategorisiz"), - "unhide": MessageLookupByLibrary.simpleMessage("Gizleme"), - "unhideToAlbum": MessageLookupByLibrary.simpleMessage("Albümü gizleme"), - "unhiding": MessageLookupByLibrary.simpleMessage("Gösteriliyor..."), - "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Albümdeki dosyalar gösteriliyor"), - "unlock": MessageLookupByLibrary.simpleMessage("Kilidi aç"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage( - "Albümün sabitlemesini kaldır"), - "unselectAll": - MessageLookupByLibrary.simpleMessage("Tümünün seçimini kaldır"), - "update": MessageLookupByLibrary.simpleMessage("Güncelle"), - "updateAvailable": - MessageLookupByLibrary.simpleMessage("Güncelleme mevcut"), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Klasör seçimi güncelleniyor..."), - "upgrade": MessageLookupByLibrary.simpleMessage("Yükselt"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Dosyalar albüme taşınıyor..."), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": - MessageLookupByLibrary.simpleMessage("1 anı korunuyor..."), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "4 Aralık\'a kadar %50\'ye varan indirim."), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "Kullanılabilir depolama alanı mevcut planınızla sınırlıdır. Talep edilen fazla depolama alanı, planınızı yükselttiğinizde otomatik olarak kullanılabilir hale gelecektir."), - "useAsCover": - MessageLookupByLibrary.simpleMessage("Kapak olarak kullanın"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "Bu videoyu oynatmakta sorun mu yaşıyorsunuz? Farklı bir oynatıcı denemek için buraya uzun basın."), - "usePublicLinksForPeopleNotOnEnte": - MessageLookupByLibrary.simpleMessage( - "Ente\'de olmayan kişiler için genel bağlantıları kullanın"), - "useRecoveryKey": - MessageLookupByLibrary.simpleMessage("Kurtarma anahtarını kullan"), - "useSelectedPhoto": - MessageLookupByLibrary.simpleMessage("Seçilen fotoğrafı kullan"), - "usedSpace": MessageLookupByLibrary.simpleMessage("Kullanılan alan"), - "validTill": m110, - "verificationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Doğrulama başarısız oldu, lütfen tekrar deneyin"), - "verificationId": - MessageLookupByLibrary.simpleMessage("Doğrulama kimliği"), - "verify": MessageLookupByLibrary.simpleMessage("Doğrula"), - "verifyEmail": - MessageLookupByLibrary.simpleMessage("E-posta adresini doğrulayın"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Doğrula"), - "verifyPasskey": - MessageLookupByLibrary.simpleMessage("Şifrenizi doğrulayın"), - "verifyPassword": - MessageLookupByLibrary.simpleMessage("Şifrenizi doğrulayın"), - "verifying": MessageLookupByLibrary.simpleMessage("Doğrulanıyor..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Kurtarma kodu doğrulanıyor..."), - "videoInfo": MessageLookupByLibrary.simpleMessage("Video Bilgileri"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), - "videoStreaming": - MessageLookupByLibrary.simpleMessage("Akışlandırılabilir videolar"), - "videos": MessageLookupByLibrary.simpleMessage("Videolar"), - "viewActiveSessions": - MessageLookupByLibrary.simpleMessage("Aktif oturumları görüntüle"), - "viewAddOnButton": - MessageLookupByLibrary.simpleMessage("Eklentileri görüntüle"), - "viewAll": MessageLookupByLibrary.simpleMessage("Tümünü görüntüle"), - "viewAllExifData": MessageLookupByLibrary.simpleMessage( - "Tüm EXIF verilerini görüntüle"), - "viewLargeFiles": - MessageLookupByLibrary.simpleMessage("Büyük dosyalar"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "En fazla depolama alanı kullanan dosyaları görüntüleyin."), - "viewLogs": MessageLookupByLibrary.simpleMessage("Kayıtları görüntüle"), - "viewPersonToUnlink": m112, - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Kurtarma anahtarını görüntüle"), - "viewer": MessageLookupByLibrary.simpleMessage("Görüntüleyici"), - "viewersSuccessfullyAdded": m113, - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Aboneliğinizi yönetmek için lütfen web.ente.io adresini ziyaret edin"), - "waitingForVerification": - MessageLookupByLibrary.simpleMessage("Doğrulama bekleniyor..."), - "waitingForWifi": - MessageLookupByLibrary.simpleMessage("WiFi bekleniyor..."), - "warning": MessageLookupByLibrary.simpleMessage("Uyarı"), - "weAreOpenSource": - MessageLookupByLibrary.simpleMessage("Biz açık kaynağız!"), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "Henüz sahibi olmadığınız fotoğraf ve albümlerin düzenlenmesini desteklemiyoruz"), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Zayıf"), - "welcomeBack": - MessageLookupByLibrary.simpleMessage("Tekrardan hoşgeldin!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("Yenilikler"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage("."), - "yearShort": MessageLookupByLibrary.simpleMessage("yıl"), - "yearly": MessageLookupByLibrary.simpleMessage("Yıllık"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Evet"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Evet, iptal et"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "Evet, görüntüleyici olarak dönüştür"), - "yesDelete": MessageLookupByLibrary.simpleMessage("Evet, sil"), - "yesDiscardChanges": - MessageLookupByLibrary.simpleMessage("Evet, değişiklikleri sil"), - "yesLogout": - MessageLookupByLibrary.simpleMessage("Evet, oturumu kapat"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Evet, sil"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Evet, yenile"), - "yesResetPerson": - MessageLookupByLibrary.simpleMessage("Evet, kişiyi sıfırla"), - "you": MessageLookupByLibrary.simpleMessage("Sen"), - "youAndThem": m117, - "youAreOnAFamilyPlan": - MessageLookupByLibrary.simpleMessage("Aile planı kullanıyorsunuz!"), - "youAreOnTheLatestVersion": - MessageLookupByLibrary.simpleMessage("En son sürüme sahipsiniz"), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Alanınızı en fazla ikiye katlayabilirsiniz"), - "youCanManageYourLinksInTheShareTab": - MessageLookupByLibrary.simpleMessage( - "Bağlantılarınızı paylaşım sekmesinden yönetebilirsiniz."), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "Farklı bir sorgu aramayı deneyebilirsiniz."), - "youCannotDowngradeToThisPlan": - MessageLookupByLibrary.simpleMessage("Bu plana geçemezsiniz"), - "youCannotShareWithYourself": - MessageLookupByLibrary.simpleMessage("Kendinizle paylaşamazsınız"), - "youDontHaveAnyArchivedItems": - MessageLookupByLibrary.simpleMessage("Arşivlenmiş öğeniz yok."), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": - MessageLookupByLibrary.simpleMessage("Hesabınız silindi"), - "yourMap": MessageLookupByLibrary.simpleMessage("Haritalarınız"), - "yourPlanWasSuccessfullyDowngraded": - MessageLookupByLibrary.simpleMessage( - "Planınız başarıyla düşürüldü"), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "Planınız başarıyla yükseltildi"), - "yourPurchaseWasSuccessful": - MessageLookupByLibrary.simpleMessage("Satın alım başarılı"), - "yourStorageDetailsCouldNotBeFetched": - MessageLookupByLibrary.simpleMessage("Depolama bilgisi alınamadı"), - "yourSubscriptionHasExpired": - MessageLookupByLibrary.simpleMessage("Aboneliğinizin süresi doldu"), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "Aboneliğiniz başarıyla güncellendi"), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "Doğrulama kodunuzun süresi doldu"), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage( - "Temizlenebilecek yinelenen dosyalarınız yok"), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "Her şey zaten temiz, silinecek dosya kalmadı"), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( - "Fotoğrafları görmek için uzaklaştırın") - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Ente için yeni bir sürüm mevcut.", + ), + "about": MessageLookupByLibrary.simpleMessage("Hakkında"), + "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( + "Daveti Kabul Et", + ), + "account": MessageLookupByLibrary.simpleMessage("Hesap"), + "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( + "Hesap zaten yapılandırılmıştır.", + ), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( + "Tekrar hoş geldiniz!", + ), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Şifremi kaybedersem, verilerim uçtan uca şifrelendiği için verilerimi kaybedebileceğimi farkındayım.", + ), + "actionNotSupportedOnFavouritesAlbum": MessageLookupByLibrary.simpleMessage( + "Favoriler albümünde eylem desteklenmiyor", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage("Aktif oturumlar"), + "add": MessageLookupByLibrary.simpleMessage("Ekle"), + "addAName": MessageLookupByLibrary.simpleMessage("Bir Ad Ekle"), + "addANewEmail": MessageLookupByLibrary.simpleMessage("Yeni e-posta ekle"), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Ana ekranınıza bir albüm widget\'ı ekleyin ve özelleştirmek için buraya geri dönün.", + ), + "addCollaborator": MessageLookupByLibrary.simpleMessage("Düzenleyici ekle"), + "addCollaborators": m1, + "addFiles": MessageLookupByLibrary.simpleMessage("Dosyaları Ekle"), + "addFromDevice": MessageLookupByLibrary.simpleMessage("Cihazdan ekle"), + "addItem": m2, + "addLocation": MessageLookupByLibrary.simpleMessage("Konum Ekle"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Ekle"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Ana ekranınıza bir anılar widget\'ı ekleyin ve özelleştirmek için buraya geri dönün.", + ), + "addMore": MessageLookupByLibrary.simpleMessage("Daha fazla ekle"), + "addName": MessageLookupByLibrary.simpleMessage("İsim Ekle"), + "addNameOrMerge": MessageLookupByLibrary.simpleMessage( + "İsim ekleyin veya birleştirin", + ), + "addNew": MessageLookupByLibrary.simpleMessage("Yeni ekle"), + "addNewPerson": MessageLookupByLibrary.simpleMessage("Yeni kişi ekle"), + "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( + "Eklentilerin ayrıntıları", + ), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("Eklentiler"), + "addParticipants": MessageLookupByLibrary.simpleMessage("Katılımcı ekle"), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Ana ekranınıza bir kişiler widget\'ı ekleyin ve özelleştirmek için buraya geri dönün.", + ), + "addPhotos": MessageLookupByLibrary.simpleMessage("Fotoğraf ekle"), + "addSelected": MessageLookupByLibrary.simpleMessage("Seçileni ekle"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("Albüme ekle"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Ente\'ye ekle"), + "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Gizli albüme ekle", + ), + "addTrustedContact": MessageLookupByLibrary.simpleMessage( + "Güvenilir kişi ekle", + ), + "addViewer": MessageLookupByLibrary.simpleMessage("Görüntüleyici ekle"), + "addViewers": m4, + "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( + "Fotoğraflarınızı şimdi ekleyin", + ), + "addedAs": MessageLookupByLibrary.simpleMessage("Eklendi"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": MessageLookupByLibrary.simpleMessage( + "Favorilere ekleniyor...", + ), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("Gelişmiş"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Gelişmiş"), + "after1Day": MessageLookupByLibrary.simpleMessage("1 gün sonra"), + "after1Hour": MessageLookupByLibrary.simpleMessage("1 saat sonra"), + "after1Month": MessageLookupByLibrary.simpleMessage("1 ay sonra"), + "after1Week": MessageLookupByLibrary.simpleMessage("1 hafta sonra"), + "after1Year": MessageLookupByLibrary.simpleMessage("1 yıl sonra"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Sahip"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Albüm Başlığı"), + "albumUpdated": MessageLookupByLibrary.simpleMessage("Albüm güncellendi"), + "albums": MessageLookupByLibrary.simpleMessage("Albümler"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Ana ekranınızda görmek istediğiniz albümleri seçin.", + ), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Tümü temizlendi"), + "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( + "Tüm anılar saklandı", + ), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "Bu kişi için tüm gruplamalar sıfırlanacak ve bu kişi için yaptığınız tüm önerileri kaybedeceksiniz", + ), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "Tüm isimsiz gruplar seçilen kişiyle birleştirilecektir. Bu, kişinin öneri geçmişine genel bakışından hala geri alınabilir.", + ), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "Bu, gruptaki ilk fotoğraftır. Seçilen diğer fotoğraflar otomatik olarak bu yeni tarihe göre kaydırılacaktır", + ), + "allow": MessageLookupByLibrary.simpleMessage("İzin ver"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Bağlantıya sahip olan kişilerin paylaşılan albüme fotoğraf eklemelerine izin ver.", + ), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( + "Fotoğraf eklemeye izin ver", + ), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "Uygulamanın paylaşılan albüm bağlantılarını açmasına izin ver", + ), + "allowDownloads": MessageLookupByLibrary.simpleMessage( + "İndirmeye izin ver", + ), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Kullanıcıların fotoğraf eklemesine izin ver", + ), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Ente\'nin kitaplığınızı görüntüleyebilmesi ve yedekleyebilmesi için lütfen Ayarlar\'dan fotoğraflarınıza erişime izin verin.", + ), + "allowPermTitle": MessageLookupByLibrary.simpleMessage( + "Fotoğraflara erişime izin verin", + ), + "androidBiometricHint": MessageLookupByLibrary.simpleMessage( + "Kimliği doğrula", + ), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "Tanınmadı. Tekrar deneyin.", + ), + "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( + "Biyometrik gerekli", + ), + "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("Başarılı"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("İptal et"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage("Cihaz kimlik bilgileri gerekli"), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage( + "Cihaz kimlik bilgileri gerekmekte", + ), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Biyometrik kimlik doğrulama cihazınızda ayarlanmamış. Biyometrik kimlik doğrulama eklemek için \'Ayarlar > Güvenlik\' bölümüne gidin.", + ), + "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( + "Android, iOS, Web, Masaüstü", + ), + "androidSignInTitle": MessageLookupByLibrary.simpleMessage( + "Kimlik doğrulaması gerekli", + ), + "appIcon": MessageLookupByLibrary.simpleMessage("Uygulama simgesi"), + "appLock": MessageLookupByLibrary.simpleMessage("Uygulama kilidi"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Cihazınızın varsayılan kilit ekranı ile PIN veya parola içeren özel bir kilit ekranı arasında seçim yapın.", + ), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), + "apply": MessageLookupByLibrary.simpleMessage("Uygula"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Kodu girin"), + "appstoreSubscription": MessageLookupByLibrary.simpleMessage( + "AppStore aboneliği", + ), + "archive": MessageLookupByLibrary.simpleMessage("Arşiv"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("Albümü arşivle"), + "archiving": MessageLookupByLibrary.simpleMessage("Arşivleniyor..."), + "areThey": MessageLookupByLibrary.simpleMessage("Onlar mı "), + "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( + "Bu yüzü bu kişiden çıkarmak istediğine emin misin?", + ), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Aile planından ayrılmak istediğinize emin misiniz?", + ), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "İptal etmek istediğinize emin misiniz?", + ), + "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( + "Planı değistirmek istediğinize emin misiniz?", + ), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "Çıkmak istediğinden emin misiniz?", + ), + "areYouSureYouWantToIgnoreThesePersons": + MessageLookupByLibrary.simpleMessage( + "Bu insanları görmezden gelmek istediğine emin misiniz?", + ), + "areYouSureYouWantToIgnoreThisPerson": MessageLookupByLibrary.simpleMessage( + "Bu kişiyi görmezden gelmek istediğine emin misin?", + ), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Çıkış yapmak istediğinize emin misiniz?", + ), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "Onları birleştirmek istediğine emin misiniz?", + ), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "Yenilemek istediğinize emin misiniz?", + ), + "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( + "Bu kişiyi sıfırlamak istediğinden emin misiniz?", + ), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "Aboneliğiniz iptal edilmiştir. Bunun sebebini paylaşmak ister misiniz?", + ), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Hesabınızı silme sebebiniz nedir?", + ), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Sevdiklerinizden paylaşmalarını isteyin", + ), + "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( + "serpinti sığınağında", + ), + "authToChangeEmailVerificationSetting": MessageLookupByLibrary.simpleMessage( + "E-posta doğrulamasını değiştirmek için lütfen kimlik doğrulaması yapın", + ), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Kilit ekranı ayarını değiştirmek için lütfen kimliğinizi doğrulayın", + ), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "E-postanızı değiştirmek için lütfen kimlik doğrulaması yapın", + ), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Şifrenizi değiştirmek için lütfen kimlik doğrulaması yapın", + ), + "authToConfigureTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( + "İki faktörlü kimlik doğrulamayı yapılandırmak için lütfen kimlik doğrulaması yapın", + ), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Hesap silme işlemini başlatmak için lütfen kimlik doğrulaması yapın", + ), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Güvenilir kişilerinizi yönetmek için lütfen kimlik doğrulaması yapın", + ), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Geçiş anahtarınızı görüntülemek için lütfen kimlik doğrulaması yapın", + ), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Çöp dosyalarınızı görüntülemek için lütfen kimlik doğrulaması yapın", + ), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Aktif oturumlarınızı görüntülemek için lütfen kimliğinizi doğrulayın", + ), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Gizli dosyalarınızı görüntülemek için kimlik doğrulama yapınız", + ), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Kodlarınızı görmek için lütfen kimlik doğrulaması yapın", + ), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Kurtarma anahtarınızı görmek için lütfen kimliğinizi doğrulayın", + ), + "authenticating": MessageLookupByLibrary.simpleMessage( + "Kimlik doğrulanıyor...", + ), + "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Kimlik doğrulama başarısız oldu, lütfen tekrar deneyin", + ), + "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( + "Kimlik doğrulama başarılı!", + ), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Mevcut Cast cihazlarını burada görebilirsiniz.", + ), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Ayarlar\'da Ente Photos uygulaması için Yerel Ağ izinlerinin açık olduğundan emin olun.", + ), + "autoLock": MessageLookupByLibrary.simpleMessage("Otomatik Kilit"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Uygulama arka plana geçtikten sonra kilitleneceği süre", + ), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "Teknik aksaklık nedeniyle oturumunuz kapatıldı. Verdiğimiz rahatsızlıktan dolayı özür dileriz.", + ), + "autoPair": MessageLookupByLibrary.simpleMessage("Otomatik eşle"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "Otomatik eşleştirme yalnızca Chromecast destekleyen cihazlarla çalışır.", + ), + "available": MessageLookupByLibrary.simpleMessage("Mevcut"), + "availableStorageSpace": m10, + "backedUpFolders": MessageLookupByLibrary.simpleMessage( + "Yedeklenmiş klasörler", + ), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("Yedekle"), + "backupFailed": MessageLookupByLibrary.simpleMessage( + "Yedekleme başarısız oldu", + ), + "backupFile": MessageLookupByLibrary.simpleMessage("Yedek Dosyası"), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Mobil veri ile yedekle", + ), + "backupSettings": MessageLookupByLibrary.simpleMessage( + "Yedekleme seçenekleri", + ), + "backupStatus": MessageLookupByLibrary.simpleMessage("Yedekleme durumu"), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Eklenen öğeler burada görünecek", + ), + "backupVideos": MessageLookupByLibrary.simpleMessage("Videoları yedekle"), + "beach": MessageLookupByLibrary.simpleMessage("Kum ve deniz"), + "birthday": MessageLookupByLibrary.simpleMessage("Doğum Günü"), + "birthdayNotifications": MessageLookupByLibrary.simpleMessage( + "Doğum günü bildirimleri", + ), + "birthdays": MessageLookupByLibrary.simpleMessage("Doğum Günleri"), + "blackFridaySale": MessageLookupByLibrary.simpleMessage( + "Muhteşem Cuma kampanyası", + ), + "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cLDesc1": MessageLookupByLibrary.simpleMessage( + "Video akışı beta sürümünün arkasında ve devam ettirilebilir yüklemeler ve indirmeler üzerinde çalışırken, artık dosya yükleme sınırını 10 GB\'a çıkardık. Bu artık hem masaüstü hem de mobil uygulamalarda kullanılabilir.", + ), + "cLDesc2": MessageLookupByLibrary.simpleMessage( + "Arka plan yüklemeleri artık Android cihazlara ek olarak iOS\'ta da destekleniyor. En son fotoğraflarınızı ve videolarınızı yedeklemek için uygulamayı açmanıza gerek yok.", + ), + "cLDesc3": MessageLookupByLibrary.simpleMessage( + "Otomatik oynatma, bir sonraki belleğe kaydırma ve çok daha fazlası dahil olmak üzere bellek deneyimimizde önemli iyileştirmeler yaptık.", + ), + "cLDesc4": MessageLookupByLibrary.simpleMessage( + "Bazı arka plandaki iyileştirmelere ek olarak, artık tespit edilen tüm yüzleri görmek, benzer yüzler hakkında geri bildirimde bulunmak ve tek bir fotoğraftan yüz ekleyip çıkarmak çok daha kolay.", + ), + "cLDesc5": MessageLookupByLibrary.simpleMessage( + "Ente’ye kaydettiğiniz tüm doğum günleri için artık en iyi fotoğraflarından oluşan bir koleksiyonla birlikte, devre dışı bırakabileceğiniz bir bildirim alacaksınız.", + ), + "cLDesc6": MessageLookupByLibrary.simpleMessage( + "Uygulamayı kapatmadan önce yüklemelerin / indirmelerin tamamlanmasını beklemenize gerek yok. Tüm yüklemeler ve indirmeler artık yarıda duraklatma ve kaldığınız yerden devam etme özelliğine sahip.", + ), + "cLTitle1": MessageLookupByLibrary.simpleMessage( + "Büyük Video Dosyalarını Yükleme", + ), + "cLTitle2": MessageLookupByLibrary.simpleMessage("Arka Plan Yükleme"), + "cLTitle3": MessageLookupByLibrary.simpleMessage( + "Otomatik Oynatma Anıları", + ), + "cLTitle4": MessageLookupByLibrary.simpleMessage( + "Geliştirilmiş Yüz Tanıma", + ), + "cLTitle5": MessageLookupByLibrary.simpleMessage("Doğum Günü Bildirimleri"), + "cLTitle6": MessageLookupByLibrary.simpleMessage( + "Devam Ettirilebilir Yüklemeler ve İndirmeler", + ), + "cachedData": MessageLookupByLibrary.simpleMessage( + "Önbelleğe alınmış veriler", + ), + "calculating": MessageLookupByLibrary.simpleMessage("Hesaplanıyor..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Üzgünüz, Bu albüm uygulama içinde açılamadı.", + ), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage("Albüm açılamadı"), + "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( + "Başkalarına ait albümlere yüklenemez", + ), + "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Yalnızca size ait dosyalar için bağlantı oluşturabilir", + ), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Yalnızca size ait dosyaları kaldırabilir", + ), + "cancel": MessageLookupByLibrary.simpleMessage("İptal et"), + "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( + "Kurtarma işlemini iptal et", + ), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "Kurtarmayı iptal etmek istediğinize emin misiniz?", + ), + "cancelOtherSubscription": m12, + "cancelSubscription": MessageLookupByLibrary.simpleMessage( + "Abonelik iptali", + ), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Dosyalar silinemiyor", + ), + "castAlbum": MessageLookupByLibrary.simpleMessage("Yayın albümü"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Lütfen TV ile aynı ağda olduğunuzdan emin olun.", + ), + "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( + "Albüm yüklenirken hata oluştu", + ), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Eşleştirmek istediğiniz cihazda cast.ente.io adresini ziyaret edin.\n\nAlbümü TV\'nizde oynatmak için aşağıdaki kodu girin.", + ), + "centerPoint": MessageLookupByLibrary.simpleMessage("Merkez noktası"), + "change": MessageLookupByLibrary.simpleMessage("Değiştir"), + "changeEmail": MessageLookupByLibrary.simpleMessage( + "E-posta adresini değiştir", + ), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Seçilen öğelerin konumu değiştirilsin mi?", + ), + "changePassword": MessageLookupByLibrary.simpleMessage( + "Şifrenizi değiştirin", + ), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Parolanızı değiştirin", + ), + "changePermissions": MessageLookupByLibrary.simpleMessage( + "İzinleri değiştir?", + ), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Referans kodunuzu değiştirin", + ), + "checkForUpdates": MessageLookupByLibrary.simpleMessage( + "Güncellemeleri kontol et", + ), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Lütfen doğrulama işlemini tamamlamak için gelen kutunuzu (ve spam klasörünüzü) kontrol edin", + ), + "checkStatus": MessageLookupByLibrary.simpleMessage("Durumu kontrol edin"), + "checking": MessageLookupByLibrary.simpleMessage("Kontrol ediliyor..."), + "checkingModels": MessageLookupByLibrary.simpleMessage( + "Modeller kontrol ediliyor...", + ), + "city": MessageLookupByLibrary.simpleMessage("Şehirde"), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage( + "Bedava alan kazanın", + ), + "claimMore": MessageLookupByLibrary.simpleMessage("Arttır!"), + "claimed": MessageLookupByLibrary.simpleMessage("Alındı"), + "claimedStorageSoFar": m14, + "cleanUncategorized": MessageLookupByLibrary.simpleMessage("Temiz Genel"), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Diğer albümlerde bulunan Kategorilenmemiş tüm dosyaları kaldırın", + ), + "clearCaches": MessageLookupByLibrary.simpleMessage("Önbelleği temizle"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Dizinleri temizle"), + "click": MessageLookupByLibrary.simpleMessage("• Tıklamak"), + "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( + "• Taşma menüsüne tıklayın", + ), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Bugüne kadarki en iyi sürümümüzü yüklemek için tıklayın", + ), + "close": MessageLookupByLibrary.simpleMessage("Kapat"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( + "Yakalama zamanına göre kulüp", + ), + "clubByFileName": MessageLookupByLibrary.simpleMessage( + "Dosya adına göre kulüp", + ), + "clusteringProgress": MessageLookupByLibrary.simpleMessage( + "Kümeleme ilerlemesi", + ), + "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( + "Kod kabul edildi", + ), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Üzgünüz, kod değişikliklerinin sınırına ulaştınız.", + ), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Kodunuz panoya kopyalandı", + ), + "codeUsedByYou": MessageLookupByLibrary.simpleMessage( + "Sizin kullandığınız kod", + ), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Ente aplikasyonu veya hesabı olmadan insanların paylaşılan albümde fotoğraf ekleyip görüntülemelerine izin vermek için bir bağlantı oluşturun. Grup veya etkinlik fotoğraflarını toplamak için harika bir seçenek.", + ), + "collaborativeLink": MessageLookupByLibrary.simpleMessage("Ortak bağlantı"), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Düzenleyici"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Düzenleyiciler, paylaşılan albüme fotoğraf ve videolar ekleyebilir.", + ), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("Düzen"), + "collageSaved": MessageLookupByLibrary.simpleMessage( + "Kolajınız galeriye kaydedildi", + ), + "collect": MessageLookupByLibrary.simpleMessage("Topla"), + "collectEventPhotos": MessageLookupByLibrary.simpleMessage( + "Etkinlik fotoğraflarını topla", + ), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Fotoğrafları topla"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Arkadaşlarınızın orijinal kalitede fotoğraf yükleyebileceği bir bağlantı oluşturun.", + ), + "color": MessageLookupByLibrary.simpleMessage("Renk"), + "configuration": MessageLookupByLibrary.simpleMessage("Yapılandırma"), + "confirm": MessageLookupByLibrary.simpleMessage("Onayla"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "İki adımlı kimlik doğrulamasını devre dışı bırakmak istediğinize emin misiniz?", + ), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Hesap silme işlemini onayla", + ), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Evet, bu hesabı ve verilerini tüm uygulamalardan kalıcı olarak silmek istiyorum.", + ), + "confirmPassword": MessageLookupByLibrary.simpleMessage( + "Şifrenizi onaylayın", + ), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage( + "Plan değişikliğini onaylayın", + ), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Kurtarma anahtarını doğrula", + ), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Kurtarma anahtarını doğrulayın", + ), + "connectToDevice": MessageLookupByLibrary.simpleMessage("Cihaza bağlanın"), + "contactFamilyAdmin": m18, + "contactSupport": MessageLookupByLibrary.simpleMessage( + "Destek ile iletişim", + ), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Kişiler"), + "contents": MessageLookupByLibrary.simpleMessage("İçerikler"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Devam edin"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "Ücretsiz denemeye devam et", + ), + "convertToAlbum": MessageLookupByLibrary.simpleMessage("Albüme taşı"), + "copyEmailAddress": MessageLookupByLibrary.simpleMessage( + "E-posta adresini kopyala", + ), + "copyLink": MessageLookupByLibrary.simpleMessage("Bağlantıyı kopyala"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Bu kodu kopyalayın ve kimlik doğrulama uygulamanıza yapıştırın", + ), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "Verilerinizi yedekleyemedik.\nDaha sonra tekrar deneyeceğiz.", + ), + "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( + "Yer boşaltılamadı", + ), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Abonelikler kaydedilemedi", + ), + "count": MessageLookupByLibrary.simpleMessage("Miktar"), + "crashReporting": MessageLookupByLibrary.simpleMessage("Çökme raporlaması"), + "create": MessageLookupByLibrary.simpleMessage("Oluştur"), + "createAccount": MessageLookupByLibrary.simpleMessage("Hesap oluşturun"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Fotoğrafları seçmek için uzun basın ve + düğmesine tıklayarak bir albüm oluşturun", + ), + "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( + "Ortak bağlantı oluşturun", + ), + "createCollage": MessageLookupByLibrary.simpleMessage("Kolaj oluştur"), + "createNewAccount": MessageLookupByLibrary.simpleMessage( + "Yeni bir hesap oluşturun", + ), + "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( + "Albüm oluştur veya seç", + ), + "createPublicLink": MessageLookupByLibrary.simpleMessage( + "Herkese açık bir bağlantı oluştur", + ), + "creatingLink": MessageLookupByLibrary.simpleMessage( + "Bağlantı oluşturuluyor...", + ), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "Kritik güncelleme mevcut", + ), + "crop": MessageLookupByLibrary.simpleMessage("Kırp"), + "curatedMemories": MessageLookupByLibrary.simpleMessage("Seçilmiş anılar"), + "currentUsageIs": MessageLookupByLibrary.simpleMessage( + "Güncel kullanımınız ", + ), + "currentlyRunning": MessageLookupByLibrary.simpleMessage( + "şu anda çalışıyor", + ), + "custom": MessageLookupByLibrary.simpleMessage("Özel"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Karanlık"), + "dayToday": MessageLookupByLibrary.simpleMessage("Bugün"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Dün"), + "declineTrustInvite": MessageLookupByLibrary.simpleMessage("Daveti Reddet"), + "decrypting": MessageLookupByLibrary.simpleMessage("Şifre çözülüyor..."), + "decryptingVideo": MessageLookupByLibrary.simpleMessage( + "Videonun şifresi çözülüyor...", + ), + "deduplicateFiles": MessageLookupByLibrary.simpleMessage( + "Dosyaları Tekilleştirme", + ), + "delete": MessageLookupByLibrary.simpleMessage("Sil"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Hesabı sil"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Gittiğini gördüğümüze üzüldük. Lütfen gelişmemize yardımcı olmak için neden ayrıldığınızı açıklayın.", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Hesabımı kalıcı olarak sil", + ), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Albümü sil"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Ayrıca bu albümde bulunan fotoğrafları (ve videoları) parçası oldukları tüm diğer albümlerden silebilir miyim?", + ), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "Bu, tüm boş albümleri silecektir. Bu, albüm listenizdeki dağınıklığı azaltmak istediğinizde kullanışlıdır.", + ), + "deleteAll": MessageLookupByLibrary.simpleMessage("Hepsini Sil"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "Kullandığınız Ente uygulamaları varsa bu hesap diğer Ente uygulamalarıyla bağlantılıdır. Tüm Ente uygulamalarına yüklediğiniz veriler ve hesabınız kalıcı olarak silinecektir.", + ), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Lütfen kayıtlı e-posta adresinizden account-deletion@ente.io\'ya e-posta gönderiniz.", + ), + "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( + "Boş albümleri sil", + ), + "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( + "Boş albümler silinsin mi?", + ), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage( + "Her ikisinden de sil", + ), + "deleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Cihazınızdan silin", + ), + "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Ente\'den Sil"), + "deleteItemCount": m21, + "deleteLocation": MessageLookupByLibrary.simpleMessage("Konumu sil"), + "deleteMultipleAlbumDialog": m22, + "deletePhotos": MessageLookupByLibrary.simpleMessage("Fotoğrafları sil"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "İhtiyacım olan önemli bir özellik eksik", + ), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "Uygulama veya bir özellik olması gerektiğini düşündüğüm gibi çalışmıyor", + ), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Daha çok sevdiğim başka bir hizmet buldum", + ), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "Nedenim listede yok", + ), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "İsteğiniz 72 saat içinde gerçekleştirilecek.", + ), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Paylaşılan albüm silinsin mi?", + ), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "Albüm herkes için silinecek\n\nBu albümdeki başkalarına ait paylaşılan fotoğraflara erişiminizi kaybedeceksiniz", + ), + "deselectAll": MessageLookupByLibrary.simpleMessage("Tüm seçimi kaldır"), + "designedToOutlive": MessageLookupByLibrary.simpleMessage( + "Hayatta kalmak için tasarlandı", + ), + "details": MessageLookupByLibrary.simpleMessage("Ayrıntılar"), + "developerSettings": MessageLookupByLibrary.simpleMessage( + "Geliştirici ayarları", + ), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Geliştirici ayarlarını değiştirmek istediğinizden emin misiniz?", + ), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Kodu girin"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "Bu cihazın albümüne eklenen dosyalar otomatik olarak ente\'ye yüklenecektir.", + ), + "deviceLock": MessageLookupByLibrary.simpleMessage("Cihaz kilidi"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Ente uygulaması önplanda calıştığında ve bir yedekleme işlemi devam ettiğinde, cihaz ekran kilidini devre dışı bırakın. Bu genellikle gerekli olmasa da, büyük dosyaların yüklenmesi ve büyük kütüphanelerin başlangıçta içe aktarılması sürecini hızlandırabilir.", + ), + "deviceNotFound": MessageLookupByLibrary.simpleMessage("Cihaz bulunamadı"), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Biliyor musun?"), + "different": MessageLookupByLibrary.simpleMessage("Farklı"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage( + "Otomatik kilidi devre dışı bırak", + ), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Görüntüleyiciler, hala harici araçlar kullanarak ekran görüntüsü alabilir veya fotoğraflarınızın bir kopyasını kaydedebilir. Lütfen bunu göz önünde bulundurunuz", + ), + "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( + "Lütfen dikkate alın", + ), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "İki Aşamalı Doğrulamayı Devre Dışı Bırak", + ), + "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( + "İki aşamalı doğrulamayı devre dışı bırak...", + ), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Keşfet"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Bebek"), + "discover_celebrations": MessageLookupByLibrary.simpleMessage( + "Kutlamalar ", + ), + "discover_food": MessageLookupByLibrary.simpleMessage("Yiyecek"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Yeşillik"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Tepeler"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Kimlik"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Mimler"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Notlar"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Evcil Hayvanlar"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Makbuzlar"), + "discover_screenshots": MessageLookupByLibrary.simpleMessage( + "Ekran Görüntüleri", + ), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Özçekimler"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Gün batımı"), + "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( + "Ziyaret Kartları", + ), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage( + "Duvar Kağıtları", + ), + "dismiss": MessageLookupByLibrary.simpleMessage("Reddet"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage("Çıkış yapma"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Sonra yap"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Yaptığınız düzenlemeleri silmek istiyor musunuz?", + ), + "done": MessageLookupByLibrary.simpleMessage("Bitti"), + "dontSave": MessageLookupByLibrary.simpleMessage("Kaydetme"), + "doubleYourStorage": MessageLookupByLibrary.simpleMessage( + "Depolama alanınızı ikiye katlayın", + ), + "download": MessageLookupByLibrary.simpleMessage("İndir"), + "downloadFailed": MessageLookupByLibrary.simpleMessage("İndirme başarısız"), + "downloading": MessageLookupByLibrary.simpleMessage("İndiriliyor..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Düzenle"), + "editEmailAlreadyLinked": m28, + "editLocation": MessageLookupByLibrary.simpleMessage("Konumu düzenle"), + "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( + "Konumu düzenle", + ), + "editPerson": MessageLookupByLibrary.simpleMessage("Kişiyi düzenle"), + "editTime": MessageLookupByLibrary.simpleMessage("Zamanı düzenle"), + "editsSaved": MessageLookupByLibrary.simpleMessage("Düzenleme kaydedildi"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Konumda yapılan düzenlemeler yalnızca Ente\'de görülecektir", + ), + "eligible": MessageLookupByLibrary.simpleMessage("uygun"), + "email": MessageLookupByLibrary.simpleMessage("E-Posta"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "E-posta zaten kayıtlı.", + ), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "E-posta kayıtlı değil.", + ), + "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( + "E-posta doğrulama", + ), + "emailYourLogs": MessageLookupByLibrary.simpleMessage( + "Kayıtlarınızı e-postayla gönderin", + ), + "embracingThem": m32, + "emergencyContacts": MessageLookupByLibrary.simpleMessage( + "Acil Durum İletişim Bilgileri", + ), + "empty": MessageLookupByLibrary.simpleMessage("Boşalt"), + "emptyTrash": MessageLookupByLibrary.simpleMessage( + "Çöp kutusu boşaltılsın mı?", + ), + "enable": MessageLookupByLibrary.simpleMessage("Etkinleştir"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "Ente, yüz tanıma, sihirli arama ve diğer gelişmiş arama özellikleri için cihaz üzerinde çalışan makine öğrenimini kullanır", + ), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Sihirli arama ve yüz tanıma için makine öğrenimini etkinleştirin", + ), + "enableMaps": MessageLookupByLibrary.simpleMessage( + "Haritaları Etkinleştir", + ), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "Bu, fotoğraflarınızı bir dünya haritasında gösterecektir.\n\nBu harita Open Street Map tarafından barındırılmaktadır ve fotoğraflarınızın tam konumları hiçbir zaman paylaşılmaz.\n\nBu özelliği istediğiniz zaman Ayarlar\'dan devre dışı bırakabilirsiniz.", + ), + "enabled": MessageLookupByLibrary.simpleMessage("Etkin"), + "encryptingBackup": MessageLookupByLibrary.simpleMessage( + "Yedekleme şifreleniyor...", + ), + "encryption": MessageLookupByLibrary.simpleMessage("Şifreleme"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage( + "Şifreleme anahtarı", + ), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Fatura başarıyla güncellendi", + ), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Varsayılan olarak uçtan uca şifrelenmiş", + ), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente dosyaları yalnızca erişim izni verdiğiniz takdirde şifreleyebilir ve koruyabilir", + ), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente fotoğrafları saklamak için iznine ihtiyaç duyuyor", + ), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "Ente anılarınızı korur, böylece cihazınızı kaybetseniz bile anılarınıza her zaman ulaşabilirsiniz.", + ), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Aileniz de planınıza eklenebilir.", + ), + "enterAlbumName": MessageLookupByLibrary.simpleMessage( + "Bir albüm adı girin", + ), + "enterCode": MessageLookupByLibrary.simpleMessage("Kodu giriniz"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "İkiniz için de ücretsiz depolama alanı talep etmek için arkadaşınız tarafından sağlanan kodu girin", + ), + "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( + "Doğum Günü (isteğe bağlı)", + ), + "enterEmail": MessageLookupByLibrary.simpleMessage("E-postanızı giriniz"), + "enterFileName": MessageLookupByLibrary.simpleMessage("Dosya adını girin"), + "enterName": MessageLookupByLibrary.simpleMessage("İsim girin"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Verilerinizi şifrelemek için kullanabileceğimiz yeni bir şifre girin", + ), + "enterPassword": MessageLookupByLibrary.simpleMessage("Şifrenizi girin"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Verilerinizi şifrelemek için kullanabileceğimiz bir şifre girin", + ), + "enterPersonName": MessageLookupByLibrary.simpleMessage( + "Kişi ismini giriniz", + ), + "enterPin": MessageLookupByLibrary.simpleMessage("PIN Girin"), + "enterReferralCode": MessageLookupByLibrary.simpleMessage( + "Davet kodunuzu girin", + ), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Doğrulama uygulamasındaki 6 basamaklı kodu giriniz", + ), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Lütfen geçerli bir e-posta adresi girin.", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "E-posta adresinizi girin", + ), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Yeni e-posta adresinizi girin", + ), + "enterYourPassword": MessageLookupByLibrary.simpleMessage( + "Lütfen şifrenizi giriniz", + ), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Kurtarma kodunuzu girin", + ), + "error": MessageLookupByLibrary.simpleMessage("Hata"), + "everywhere": MessageLookupByLibrary.simpleMessage("her yerde"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": MessageLookupByLibrary.simpleMessage("Mevcut kullanıcı"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Bu bağlantının süresi dolmuştur. Lütfen yeni bir süre belirleyin veya bağlantı süresini devre dışı bırakın.", + ), + "exportLogs": MessageLookupByLibrary.simpleMessage("Günlüğü dışa aktar"), + "exportYourData": MessageLookupByLibrary.simpleMessage( + "Veriyi dışarı aktar", + ), + "extraPhotosFound": MessageLookupByLibrary.simpleMessage( + "Ekstra fotoğraflar bulundu", + ), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Yüz henüz kümelenmedi, lütfen daha sonra tekrar gelin", + ), + "faceRecognition": MessageLookupByLibrary.simpleMessage("Yüz Tanıma"), + "faces": MessageLookupByLibrary.simpleMessage("Yüzler"), + "failed": MessageLookupByLibrary.simpleMessage("Başarısız oldu"), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage( + "Uygulanırken hata oluştu", + ), + "failedToCancel": MessageLookupByLibrary.simpleMessage( + "İptal edilirken sorun oluştu", + ), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( + "Video indirilemedi", + ), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Etkin oturumlar getirilemedi", + ), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Düzenleme için orijinal getirilemedi", + ), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Davet ayrıntıları çekilemedi. Iütfen daha sonra deneyin.", + ), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "Albüm yüklenirken hata oluştu", + ), + "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Video oynatılamadı", + ), + "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( + "Abonelik yenilenemedi", + ), + "failedToRenew": MessageLookupByLibrary.simpleMessage( + "Abonelik yenilenirken hata oluştu", + ), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Ödeme durumu doğrulanamadı", + ), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Ekstra ödeme yapmadan mevcut planınıza 5 aile üyesi ekleyin.\n\nHer üyenin kendine ait özel alanı vardır ve paylaşılmadıkça birbirlerinin dosyalarını göremezler.\n\nAile planları ücretli ente aboneliğine sahip müşteriler tarafından kullanılabilir.\n\nBaşlamak için şimdi abone olun!", + ), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Aile"), + "familyPlans": MessageLookupByLibrary.simpleMessage("Aile Planı"), + "faq": MessageLookupByLibrary.simpleMessage("Sık sorulan sorular"), + "faqs": MessageLookupByLibrary.simpleMessage("Sık Sorulan Sorular"), + "favorite": MessageLookupByLibrary.simpleMessage("Favori"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("Geri Bildirim"), + "file": MessageLookupByLibrary.simpleMessage("Dosya"), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Dosya galeriye kaydedilemedi", + ), + "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( + "Bir açıklama ekle...", + ), + "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( + "Dosya henüz yüklenmedi", + ), + "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Video galeriye kaydedildi", + ), + "fileTypes": MessageLookupByLibrary.simpleMessage("Dosya türü"), + "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( + "Dosya türleri ve adları", + ), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage("Dosyalar silinmiş"), + "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Dosyalar galeriye kaydedildi", + ), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "Kişileri isimlerine göre bulun", + ), + "findThemQuickly": MessageLookupByLibrary.simpleMessage("Çabucak bulun"), + "flip": MessageLookupByLibrary.simpleMessage("Çevir"), + "food": MessageLookupByLibrary.simpleMessage("Yemek keyfi"), + "forYourMemories": MessageLookupByLibrary.simpleMessage("anılarınız için"), + "forgotPassword": MessageLookupByLibrary.simpleMessage("Şifremi unuttum"), + "foundFaces": MessageLookupByLibrary.simpleMessage("Yüzler bulundu"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( + "Alınan bedava alan", + ), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Kullanılabilir bedava alan", + ), + "freeTrial": MessageLookupByLibrary.simpleMessage("Ücretsiz deneme"), + "freeTrialValidTill": m38, + "freeUpAccessPostDelete": m39, + "freeUpAmount": m40, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( + "Cihaz alanını boşaltın", + ), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Zaten yedeklenmiş dosyaları temizleyerek cihazınızda yer kazanın.", + ), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("Boş alan"), + "freeUpSpaceSaving": m41, + "gallery": MessageLookupByLibrary.simpleMessage("Galeri"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "Galeride 1000\'e kadar anı gösterilir", + ), + "general": MessageLookupByLibrary.simpleMessage("Genel"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Şifreleme anahtarı oluşturuluyor...", + ), + "genericProgress": m42, + "goToSettings": MessageLookupByLibrary.simpleMessage("Ayarlara git"), + "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Lütfen Ayarlar uygulamasında tüm fotoğraflara erişime izin verin", + ), + "grantPermission": MessageLookupByLibrary.simpleMessage( + "İzinleri değiştir", + ), + "greenery": MessageLookupByLibrary.simpleMessage("Yeşil yaşam"), + "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( + "Yakındaki fotoğrafları gruplandır", + ), + "guestView": MessageLookupByLibrary.simpleMessage("Misafir Görünümü"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "Misafir görünümünü etkinleştirmek için lütfen sistem ayarlarınızda cihaz şifresi veya ekran kilidi ayarlayın.", + ), + "happyBirthday": MessageLookupByLibrary.simpleMessage( + "Doğum günün kutlu olsun! 🥳", + ), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "Biz uygulama kurulumlarını takip etmiyoruz. Bizi nereden duyduğunuzdan bahsetmeniz bize çok yardımcı olacak!", + ), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Ente\'yi nereden duydunuz? (isteğe bağlı)", + ), + "help": MessageLookupByLibrary.simpleMessage("Yardım"), + "hidden": MessageLookupByLibrary.simpleMessage("Gizle"), + "hide": MessageLookupByLibrary.simpleMessage("Gizle"), + "hideContent": MessageLookupByLibrary.simpleMessage("İçeriği gizle"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Uygulama değiştiricide bulunan uygulama içeriğini gizler ve ekran görüntülerini devre dışı bırakır", + ), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Uygulama değiştiricideki uygulama içeriğini gizler", + ), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Paylaşılan öğeleri ana galeriden gizle", + ), + "hiding": MessageLookupByLibrary.simpleMessage("Gizleniyor..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( + "OSM Fransa\'da ağırlandı", + ), + "howItWorks": MessageLookupByLibrary.simpleMessage("Nasıl çalışır"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Lütfen onlardan ayarlar ekranında e-posta adresine uzun süre basmalarını ve her iki cihazdaki kimliklerin eşleştiğini doğrulamalarını isteyin.", + ), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Cihazınızda biyometrik kimlik doğrulama ayarlanmamış. Lütfen telefonunuzda Touch ID veya Face ID\'yi etkinleştirin.", + ), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "Biyometrik kimlik doğrulama devre dışı. Etkinleştirmek için lütfen ekranınızı kilitleyin ve kilidini açın.", + ), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("Tamam"), + "ignore": MessageLookupByLibrary.simpleMessage("Yoksay"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Yoksay"), + "ignored": MessageLookupByLibrary.simpleMessage("yoksayıldı"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Bu albümdeki bazı dosyalar daha önce ente\'den silindiğinden yükleme işleminde göz ardı edildi.", + ), + "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( + "Görüntü analiz edilmedi", + ), + "immediately": MessageLookupByLibrary.simpleMessage("Hemen"), + "importing": MessageLookupByLibrary.simpleMessage("İçeri aktarılıyor...."), + "incorrectCode": MessageLookupByLibrary.simpleMessage("Yanlış kod"), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Yanlış şifre", + ), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Yanlış kurtarma kodu", + ), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Girdiğiniz kurtarma kod yanlış", + ), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Yanlış kurtarma kodu", + ), + "indexedItems": MessageLookupByLibrary.simpleMessage("Dizinlenmiş öğeler"), + "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( + "Dizin oluşturma duraklatıldı. Cihaz hazır olduğunda otomatik olarak devam edecektir. Cihaz, pil seviyesi, pil sağlığı ve termal durumu sağlıklı bir aralıkta olduğunda hazır kabul edilir.", + ), + "ineligible": MessageLookupByLibrary.simpleMessage("Uygun Değil"), + "info": MessageLookupByLibrary.simpleMessage("Bilgi"), + "insecureDevice": MessageLookupByLibrary.simpleMessage( + "Güvenilir olmayan cihaz", + ), + "installManually": MessageLookupByLibrary.simpleMessage("Manuel kurulum"), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "Geçersiz e-posta adresi", + ), + "invalidEndpoint": MessageLookupByLibrary.simpleMessage( + "Geçersiz uç nokta", + ), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Üzgünüz, girdiğiniz uç nokta geçersiz. Lütfen geçerli bir uç nokta girin ve tekrar deneyin.", + ), + "invalidKey": MessageLookupByLibrary.simpleMessage("Gecersiz anahtar"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Girdiğiniz kurtarma anahtarı geçerli değil. Lütfen anahtarın 24 kelime içerdiğinden ve her bir kelimenin doğru şekilde yazıldığından emin olun.\n\nEğer eski bir kurtarma kodu girdiyseniz, o zaman kodun 64 karakter uzunluğunda olduğunu kontrol edin.", + ), + "invite": MessageLookupByLibrary.simpleMessage("Davet et"), + "inviteToEnte": MessageLookupByLibrary.simpleMessage("Ente\'ye davet edin"), + "inviteYourFriends": MessageLookupByLibrary.simpleMessage( + "Arkadaşlarını davet et", + ), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "Katılmaları için arkadaşlarınızı davet edin", + ), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Bir şeyler ters gitmiş gibi görünüyor. Lütfen bir süre sonra tekrar deneyin. Hata devam ederse, lütfen destek ekibimizle iletişime geçin.", + ), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "Öğeler kalıcı olarak silinmeden önce kalan gün sayısını gösterir", + ), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Seçilen öğeler bu albümden kaldırılacak", + ), + "join": MessageLookupByLibrary.simpleMessage("Katıl"), + "joinAlbum": MessageLookupByLibrary.simpleMessage("Albüme Katılın"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "Bir albüme katılmak, e-postanızın katılımcılar tarafından görülebilmesini sağlayacaktır.", + ), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( + "fotoğraflarınızı görüntülemek ve eklemek için", + ), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "bunu paylaşılan albümlere eklemek için", + ), + "joinDiscord": MessageLookupByLibrary.simpleMessage("Discord\'a Katıl"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Fotoğrafları sakla"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Lütfen bu bilgilerle bize yardımcı olun", + ), + "language": MessageLookupByLibrary.simpleMessage("Dil"), + "lastTimeWithThem": m45, + "lastUpdated": MessageLookupByLibrary.simpleMessage("En son güncellenen"), + "lastYearsTrip": MessageLookupByLibrary.simpleMessage("Geçen yılki gezi"), + "leave": MessageLookupByLibrary.simpleMessage("Ayrıl"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage( + "Albümü yeniden adlandır", + ), + "leaveFamily": MessageLookupByLibrary.simpleMessage("Aile planından ayrıl"), + "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Paylaşılan albüm silinsin mi?", + ), + "left": MessageLookupByLibrary.simpleMessage("Sol"), + "legacy": MessageLookupByLibrary.simpleMessage("Geleneksel"), + "legacyAccounts": MessageLookupByLibrary.simpleMessage( + "Geleneksel hesaplar", + ), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "Geleneksel yol, güvendiğiniz kişilerin yokluğunuzda hesabınıza erişmesine olanak tanır.", + ), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "Güvenilir kişiler hesap kurtarma işlemini başlatabilir ve 30 gün içinde engellenmezse şifrenizi sıfırlayabilir ve hesabınıza erişebilir.", + ), + "light": MessageLookupByLibrary.simpleMessage("Aydınlık"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Aydınlık"), + "link": MessageLookupByLibrary.simpleMessage("Bağlantı"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Link panoya kopyalandı", + ), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Cihaz sınırı"), + "linkEmail": MessageLookupByLibrary.simpleMessage("E-posta bağlantısı"), + "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( + "daha hızlı paylaşım için", + ), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Geçerli"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Süresi dolmuş"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Bağlantı geçerliliği"), + "linkHasExpired": MessageLookupByLibrary.simpleMessage( + "Bağlantının süresi dolmuş", + ), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Asla"), + "linkPerson": MessageLookupByLibrary.simpleMessage("Kişiyi bağla"), + "linkPersonCaption": MessageLookupByLibrary.simpleMessage( + "daha iyi paylaşım deneyimi için", + ), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("Canlı Fotoğraf"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "Aboneliğinizi ailenizle paylaşabilirsiniz", + ), + "loadMessage2": MessageLookupByLibrary.simpleMessage( + "Şimdiye kadar 200 milyondan fazla anıyı koruduk", + ), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "Verilerinizin 3 kopyasını saklıyoruz, biri yer altı serpinti sığınağında", + ), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "Tüm uygulamalarımız açık kaynaktır", + ), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Kaynak kodumuz ve şifrelememiz harici olarak denetlenmiştir", + ), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "Albümlerinizin bağlantılarını sevdiklerinizle paylaşabilirsiniz", + ), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Mobil uygulamalarımız, tıkladığınız yeni fotoğrafları şifrelemek ve yedeklemek için arka planda çalışır", + ), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io\'nun mükemmel bir yükleyicisi var", + ), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Verilerinizi güvenli bir şekilde şifrelemek için Xchacha20Poly1305 kullanıyoruz", + ), + "loadingExifData": MessageLookupByLibrary.simpleMessage( + "EXIF verileri yükleniyor...", + ), + "loadingGallery": MessageLookupByLibrary.simpleMessage( + "Galeri yükleniyor...", + ), + "loadingMessage": MessageLookupByLibrary.simpleMessage( + "Fotoğraflarınız yükleniyor...", + ), + "loadingModel": MessageLookupByLibrary.simpleMessage( + "Modeller indiriliyor...", + ), + "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( + "Fotoğraflarınız yükleniyor...", + ), + "localGallery": MessageLookupByLibrary.simpleMessage("Yerel galeri"), + "localIndexing": MessageLookupByLibrary.simpleMessage("Yerel dizinleme"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Yerel fotoğraf senkronizasyonu beklenenden daha uzun sürdüğü için bir şeyler ters gitmiş gibi görünüyor. Lütfen destek ekibimize ulaşın", + ), + "location": MessageLookupByLibrary.simpleMessage("Konum"), + "locationName": MessageLookupByLibrary.simpleMessage("Konum Adı"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Bir fotoğrafın belli bir yarıçapında çekilen fotoğrafları gruplandırın", + ), + "locations": MessageLookupByLibrary.simpleMessage("Konum"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Kilit"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Kilit ekranı"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Giriş yap"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Çıkış yapılıyor..."), + "loginSessionExpired": MessageLookupByLibrary.simpleMessage( + "Oturum süresi doldu", + ), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "Oturum süreniz doldu. Tekrar giriş yapın.", + ), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "\"Giriş yap\" düğmesine tıklayarak, Hizmet Şartları\'nı ve Gizlilik Politikası\'nı kabul ediyorum", + ), + "loginWithTOTP": MessageLookupByLibrary.simpleMessage("TOTP ile giriş yap"), + "logout": MessageLookupByLibrary.simpleMessage("Çıkış yap"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "Bu, sorununuzu gidermemize yardımcı olmak için kayıtları gönderecektir. Belirli dosyalarla ilgili sorunların izlenmesine yardımcı olmak için dosya adlarının ekleneceğini lütfen unutmayın.", + ), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Uçtan uca şifrelemeyi doğrulamak için bir e-postaya uzun basın.", + ), + "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( + "Tam ekranda görüntülemek için bir öğeye uzun basın", + ), + "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( + "Anılarına bir bak 🌄", + ), + "loopVideoOff": MessageLookupByLibrary.simpleMessage( + "Video Döngüsü Kapalı", + ), + "loopVideoOn": MessageLookupByLibrary.simpleMessage("Video Döngüsü Açık"), + "lostDevice": MessageLookupByLibrary.simpleMessage( + "Cihazınızı mı kaybettiniz?", + ), + "machineLearning": MessageLookupByLibrary.simpleMessage("Makine öğrenimi"), + "magicSearch": MessageLookupByLibrary.simpleMessage("Sihirli arama"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "Sihirli arama, fotoğrafları içeriklerine göre aramanıza olanak tanır, örneğin \'çiçek\', \'kırmızı araba\', \'kimlik belgeleri\'", + ), + "manage": MessageLookupByLibrary.simpleMessage("Yönet"), + "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( + "Cihaz Önbelliğini Yönet", + ), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Yerel önbellek depolama alanını gözden geçirin ve temizleyin.", + ), + "manageFamily": MessageLookupByLibrary.simpleMessage("Aileyi yönet"), + "manageLink": MessageLookupByLibrary.simpleMessage("Bağlantıyı yönet"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Yönet"), + "manageSubscription": MessageLookupByLibrary.simpleMessage( + "Abonelikleri yönet", + ), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "PIN ile eşleştirme, albümünüzü görüntülemek istediğiniz herhangi bir ekranla çalışır.", + ), + "map": MessageLookupByLibrary.simpleMessage("Harita"), + "maps": MessageLookupByLibrary.simpleMessage("Haritalar"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("Ben"), + "memories": MessageLookupByLibrary.simpleMessage("Anılar"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Ana ekranınızda görmek istediğiniz anı türünü seçin.", + ), + "memoryCount": m50, + "merchandise": MessageLookupByLibrary.simpleMessage("Ürünler"), + "merge": MessageLookupByLibrary.simpleMessage("Birleştir"), + "mergeWithExisting": MessageLookupByLibrary.simpleMessage( + "Var olan ile birleştir.", + ), + "mergedPhotos": MessageLookupByLibrary.simpleMessage( + "Birleştirilmiş fotoğraflar", + ), + "mlConsent": MessageLookupByLibrary.simpleMessage( + "Makine öğrenimini etkinleştir", + ), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Anladım, ve makine öğrenimini etkinleştirmek istiyorum", + ), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Makine öğrenimini etkinleştirirseniz, Ente sizinle paylaşılanlar da dahil olmak üzere dosyalardan yüz geometrisi gibi bilgileri çıkarır.\n\nBu, cihazınızda gerçekleşecek ve oluşturulan tüm biyometrik bilgiler uçtan uca şifrelenecektir.", + ), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Gizlilik politikamızdaki bu özellik hakkında daha fazla ayrıntı için lütfen buraya tıklayın", + ), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "Makine öğrenimi etkinleştirilsin mi?", + ), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Makine öğreniminin, tüm öğeler dizine eklenene kadar daha yüksek bant genişliği ve pil kullanımıyla sonuçlanacağını lütfen unutmayın. Daha hızlı dizinleme için masaüstü uygulamasını kullanmayı deneyin, tüm sonuçlar otomatik olarak senkronize edilir.", + ), + "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( + "Mobil, Web, Masaüstü", + ), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Ilımlı"), + "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( + "Sorgunuzu değiştirin veya aramayı deneyin", + ), + "moments": MessageLookupByLibrary.simpleMessage("Anlar"), + "month": MessageLookupByLibrary.simpleMessage("ay"), + "monthly": MessageLookupByLibrary.simpleMessage("Aylık"), + "moon": MessageLookupByLibrary.simpleMessage("Ay ışığında"), + "moreDetails": MessageLookupByLibrary.simpleMessage("Daha fazla detay"), + "mostRecent": MessageLookupByLibrary.simpleMessage("En son"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("En alakalı"), + "mountains": MessageLookupByLibrary.simpleMessage("Tepelerin ötesinde"), + "moveItem": m51, + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "Seçilen fotoğrafları bir tarihe taşıma", + ), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("Albüme taşı"), + "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Gizli albüme ekle", + ), + "movedSuccessfullyTo": m52, + "movedToTrash": MessageLookupByLibrary.simpleMessage("Cöp kutusuna taşı"), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Dosyalar albüme taşınıyor...", + ), + "name": MessageLookupByLibrary.simpleMessage("İsim"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Albüm İsmi"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Ente\'ye bağlanılamıyor. Lütfen bir süre sonra tekrar deneyin. Hata devam ederse lütfen desteğe başvurun.", + ), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Ente\'ye bağlanılamıyor. Lütfen ağ ayarlarınızı kontrol edin ve hata devam ederse destek ekibiyle iletişime geçin.", + ), + "never": MessageLookupByLibrary.simpleMessage("Asla"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Yeni albüm"), + "newLocation": MessageLookupByLibrary.simpleMessage("Yeni konum"), + "newPerson": MessageLookupByLibrary.simpleMessage("Yeni Kişi"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" yeni 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("Yeni aralık"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Ente\'de yeniyim"), + "newest": MessageLookupByLibrary.simpleMessage("En yeni"), + "next": MessageLookupByLibrary.simpleMessage("Sonraki"), + "no": MessageLookupByLibrary.simpleMessage("Hayır"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Henüz paylaştığınız albüm yok", + ), + "noDeviceFound": MessageLookupByLibrary.simpleMessage("Aygıt bulunamadı"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Yok"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "Her şey zaten temiz, silinecek dosya kalmadı", + ), + "noDuplicates": MessageLookupByLibrary.simpleMessage( + "Yinelenenleri kaldır", + ), + "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( + "Ente hesabı yok!", + ), + "noExifData": MessageLookupByLibrary.simpleMessage("EXIF verisi yok"), + "noFacesFound": MessageLookupByLibrary.simpleMessage("Yüz bulunamadı"), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "Gizli fotoğraf veya video yok", + ), + "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( + "Konum içeren resim yok", + ), + "noInternetConnection": MessageLookupByLibrary.simpleMessage( + "İnternet bağlantısı yok", + ), + "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( + "Şu anda hiçbir fotoğraf yedeklenmiyor", + ), + "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( + "Burada fotoğraf bulunamadı", + ), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( + "Hızlı bağlantılar seçilmedi", + ), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Kurtarma anahtarınız yok mu?", + ), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Uçtan uca şifreleme protokolümüzün doğası gereği, verileriniz şifreniz veya kurtarma anahtarınız olmadan çözülemez", + ), + "noResults": MessageLookupByLibrary.simpleMessage("Sonuç bulunamadı"), + "noResultsFound": MessageLookupByLibrary.simpleMessage( + "Hiçbir sonuç bulunamadı", + ), + "noSuggestionsForPerson": m53, + "noSystemLockFound": MessageLookupByLibrary.simpleMessage( + "Sistem kilidi bulunamadı", + ), + "notPersonLabel": m54, + "notThisPerson": MessageLookupByLibrary.simpleMessage("Bu kişi değil mi?"), + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "Henüz sizinle paylaşılan bir şey yok", + ), + "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( + "Burada görülecek bir şey yok! 👀", + ), + "notifications": MessageLookupByLibrary.simpleMessage("Bildirimler"), + "ok": MessageLookupByLibrary.simpleMessage("Tamam"), + "onDevice": MessageLookupByLibrary.simpleMessage("Cihazda"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "ente üzerinde", + ), + "onTheRoad": MessageLookupByLibrary.simpleMessage("Yeniden yollarda"), + "onThisDay": MessageLookupByLibrary.simpleMessage("Bu günde"), + "onThisDayMemories": MessageLookupByLibrary.simpleMessage("Bugün anılar"), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "Önceki yıllarda bu günden anılar hakkında hatırlatıcılar alın.", + ), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Sadece onlar"), + "oops": MessageLookupByLibrary.simpleMessage("Hay aksi"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Hata! Düzenlemeler kaydedilemedi", + ), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Hoop, Birşeyler yanlış gitti", + ), + "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( + "Albümü tarayıcıda aç", + ), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Bu albüme fotoğraf eklemek için lütfen web uygulamasını kullanın", + ), + "openFile": MessageLookupByLibrary.simpleMessage("Dosyayı aç"), + "openSettings": MessageLookupByLibrary.simpleMessage("Ayarları Açın"), + "openTheItem": MessageLookupByLibrary.simpleMessage("• Öğeyi açın"), + "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( + "OpenStreetMap katkıda bululanlar", + ), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "İsteğe bağlı, istediğiniz kadar kısa...", + ), + "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( + "Ya da mevcut olan ile birleştirin", + ), + "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( + "Veya mevcut birini seçiniz", + ), + "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( + "veya kişilerinizden birini seçin", + ), + "otherDetectedFaces": MessageLookupByLibrary.simpleMessage( + "Tespit edilen diğer yüzler", + ), + "pair": MessageLookupByLibrary.simpleMessage("Eşleştir"), + "pairWithPin": MessageLookupByLibrary.simpleMessage("PIN ile eşleştirin"), + "pairingComplete": MessageLookupByLibrary.simpleMessage( + "Eşleştirme tamamlandı", + ), + "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), + "partyWithThem": m56, + "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( + "Doğrulama hala bekliyor", + ), + "passkey": MessageLookupByLibrary.simpleMessage("Geçiş anahtarı"), + "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( + "Geçiş anahtarı doğrulaması", + ), + "password": MessageLookupByLibrary.simpleMessage("Şifre"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Şifreniz başarılı bir şekilde değiştirildi", + ), + "passwordLock": MessageLookupByLibrary.simpleMessage("Şifre kilidi"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "Parola gücü, parolanın uzunluğu, kullanılan karakterler ve parolanın en çok kullanılan ilk 10.000 parola arasında yer alıp almadığı dikkate alınarak hesaplanır", + ), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Şifrelerinizi saklamıyoruz, bu yüzden unutursanız, verilerinizi deşifre edemeyiz", + ), + "pastYearsMemories": MessageLookupByLibrary.simpleMessage( + "Geçmiş yılların anıları", + ), + "paymentDetails": MessageLookupByLibrary.simpleMessage("Ödeme detayları"), + "paymentFailed": MessageLookupByLibrary.simpleMessage( + "Ödeme başarısız oldu", + ), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "Maalesef ödemeniz başarısız oldu. Lütfen destekle iletişime geçin, size yardımcı olacağız!", + ), + "paymentFailedTalkToProvider": m58, + "pendingItems": MessageLookupByLibrary.simpleMessage("Bekleyen Öğeler"), + "pendingSync": MessageLookupByLibrary.simpleMessage( + "Bekleyen Senkronizasyonlar", + ), + "people": MessageLookupByLibrary.simpleMessage("Kişiler"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Kodunuzu kullananlar", + ), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Ana ekranınızda görmek istediğiniz kişileri seçin.", + ), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Çöp kutusundaki tüm öğeler kalıcı olarak silinecek\n\nBu işlem geri alınamaz", + ), + "permanentlyDelete": MessageLookupByLibrary.simpleMessage( + "Kalıcı olarak sil", + ), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Cihazdan kalıcı olarak silinsin mi?", + ), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("Kişi Adı"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("Tüylü dostlar"), + "photoDescriptions": MessageLookupByLibrary.simpleMessage( + "Fotoğraf Açıklaması", + ), + "photoGridSize": MessageLookupByLibrary.simpleMessage("Izgara boyutu"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("fotoğraf"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("Fotoğraflar"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "Eklediğiniz fotoğraflar albümden kaldırılacak", + ), + "photosCount": m62, + "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( + "Fotoğraflar göreli zaman farkını korur", + ), + "pickCenterPoint": MessageLookupByLibrary.simpleMessage( + "Merkez noktasını seçin", + ), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Albümü sabitle"), + "pinLock": MessageLookupByLibrary.simpleMessage("Pin kilidi"), + "playOnTv": MessageLookupByLibrary.simpleMessage("Albümü TV\'de oynat"), + "playOriginal": MessageLookupByLibrary.simpleMessage("Orijinali oynat"), + "playStoreFreeTrialValidTill": m63, + "playStream": MessageLookupByLibrary.simpleMessage("Akışı oynat"), + "playstoreSubscription": MessageLookupByLibrary.simpleMessage( + "PlayStore aboneliği", + ), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Lütfen internet bağlantınızı kontrol edin ve yeniden deneyin.", + ), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Lütfen support@ente.io ile iletişime geçin; size yardımcı olmaktan memnuniyet duyarız!", + ), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Bu hata devam ederse lütfen desteğe başvurun", + ), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( + "Lütfen izin ver", + ), + "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( + "Lütfen tekrar giriş yapın", + ), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Lütfen kaldırmak için hızlı bağlantıları seçin", + ), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Lütfen tekrar deneyiniz", + ), + "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( + "Lütfen girdiğiniz kodu doğrulayın", + ), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Lütfen bekleyiniz..."), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Lütfen bekleyin, albüm siliniyor", + ), + "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( + "Tekrar denemeden önce lütfen bir süre bekleyin", + ), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "Lütfen bekleyin, bu biraz zaman alabilir.", + ), + "posingWithThem": m66, + "preparingLogs": MessageLookupByLibrary.simpleMessage( + "Kayıtlar hazırlanıyor...", + ), + "preserveMore": MessageLookupByLibrary.simpleMessage( + "Daha fazlasını koruyun", + ), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Videoları yönetmek için basılı tutun", + ), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Videoyu oynatmak için resmi basılı tutun", + ), + "previous": MessageLookupByLibrary.simpleMessage("Önceki"), + "privacy": MessageLookupByLibrary.simpleMessage("Gizlilik"), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "Mahremiyet Politikası", + ), + "privateBackups": MessageLookupByLibrary.simpleMessage("Özel yedeklemeler"), + "privateSharing": MessageLookupByLibrary.simpleMessage("Özel paylaşım"), + "proceed": MessageLookupByLibrary.simpleMessage("Devam edin"), + "processed": MessageLookupByLibrary.simpleMessage("İşlenen"), + "processing": MessageLookupByLibrary.simpleMessage("İşleniyor"), + "processingImport": m67, + "processingVideos": MessageLookupByLibrary.simpleMessage( + "Videolar işleniyor", + ), + "publicLinkCreated": MessageLookupByLibrary.simpleMessage( + "Herkese açık bağlantı oluşturuldu", + ), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( + "Herkese açık bağlantı aktive edildi", + ), + "questionmark": MessageLookupByLibrary.simpleMessage("?"), + "queued": MessageLookupByLibrary.simpleMessage("Kuyrukta"), + "quickLinks": MessageLookupByLibrary.simpleMessage("Hızlı Erişim"), + "radius": MessageLookupByLibrary.simpleMessage("Yarıçap"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Bileti artır"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("Uygulamayı puanlayın"), + "rateUs": MessageLookupByLibrary.simpleMessage("Bizi değerlendirin"), + "rateUsOnStore": m68, + "reassignMe": MessageLookupByLibrary.simpleMessage( + "\"Ben\"i yeniden atayın", + ), + "reassignedToName": m69, + "reassigningLoading": MessageLookupByLibrary.simpleMessage( + "Yeniden atanıyor...", + ), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Birinin doğum günü olduğunda hatırlatıcılar alın. Bildirime dokunmak sizi doğum günü kişisinin fotoğraflarına götürecektir.", + ), + "recover": MessageLookupByLibrary.simpleMessage("Kurtarma"), + "recoverAccount": MessageLookupByLibrary.simpleMessage("Hesabı kurtar"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Kurtar"), + "recoveryAccount": MessageLookupByLibrary.simpleMessage("Hesabı kurtar"), + "recoveryInitiated": MessageLookupByLibrary.simpleMessage( + "Kurtarma başlatıldı", + ), + "recoveryInitiatedDesc": m70, + "recoveryKey": MessageLookupByLibrary.simpleMessage("Kurtarma anahtarı"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Kurtarma anahtarınız panoya kopyalandı", + ), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Şifrenizi unutursanız, verilerinizi kurtarmanın tek yolu bu anahtar olacaktır.", + ), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Bu anahtarı saklamıyoruz, lütfen bu 24 kelime anahtarı güvenli bir yerde saklayın.", + ), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Harika! Kurtarma anahtarınız geçerlidir. Doğrulama için teşekkür ederim.\n\nLütfen kurtarma anahtarınızı güvenli bir şekilde yedeklediğinizden emin olun.", + ), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Kurtarma kodu doğrulandı", + ), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Kurtarma anahtarınız, şifrenizi unutmanız durumunda fotoğraflarınızı kurtarmanın tek yoludur. Kurtarma anahtarınızı Ayarlar > Hesap bölümünde bulabilirsiniz.\n\nDoğru kaydettiğinizi doğrulamak için lütfen kurtarma anahtarınızı buraya girin.", + ), + "recoveryReady": m71, + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "Kurtarma başarılı!", + ), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "Güvenilir bir kişi hesabınıza erişmeye çalışıyor", + ), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Cihazınız, şifrenizi doğrulamak için yeterli güce sahip değil, ancak tüm cihazlarda çalışacak şekilde yeniden oluşturabiliriz.\n\nLütfen kurtarma anahtarınızı kullanarak giriş yapın ve şifrenizi yeniden oluşturun (istediğiniz takdirde aynı şifreyi tekrar kullanabilirsiniz).", + ), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Şifrenizi tekrardan oluşturun", + ), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": MessageLookupByLibrary.simpleMessage( + "Şifrenizi tekrar girin", + ), + "reenterPin": MessageLookupByLibrary.simpleMessage( + "PIN\'inizi tekrar girin", + ), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Arkadaşlarınıza önerin ve planınızı 2 katına çıkarın", + ), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Bu kodu arkadaşlarınıza verin", + ), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Ücretli bir plan için kaydolsunlar", + ), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Arkadaşını davet et"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "Davetler şu anda durmuş durumda", + ), + "rejectRecovery": MessageLookupByLibrary.simpleMessage("Kurtarmayı reddet"), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "Ayrıca boş alanı kazanmak için \"Ayarlar\" > \"Depolama\" bölümünden \"Son Silinenler\" klasörünü de boşaltın", + ), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Ayrıca boşalan alana sahip olmak için \"Çöp Kutunuzu\" boşaltın", + ), + "remoteImages": MessageLookupByLibrary.simpleMessage("Uzak Görseller"), + "remoteThumbnails": MessageLookupByLibrary.simpleMessage( + "Uzak Küçük Resimler", + ), + "remoteVideos": MessageLookupByLibrary.simpleMessage("Uzak Videolar"), + "remove": MessageLookupByLibrary.simpleMessage("Kaldır"), + "removeDuplicates": MessageLookupByLibrary.simpleMessage( + "Yinelenenleri kaldır", + ), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Aynı olan dosyaları gözden geçirin ve kaldırın.", + ), + "removeFromAlbum": MessageLookupByLibrary.simpleMessage("Albümden çıkar"), + "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( + "Albümden çıkarılsın mı?", + ), + "removeFromFavorite": MessageLookupByLibrary.simpleMessage( + "Favorilerden Kaldır", + ), + "removeInvite": MessageLookupByLibrary.simpleMessage("Davetiyeyi kaldır"), + "removeLink": MessageLookupByLibrary.simpleMessage("Bağlantıyı kaldır"), + "removeParticipant": MessageLookupByLibrary.simpleMessage( + "Katılımcıyı kaldır", + ), + "removeParticipantBody": m74, + "removePersonLabel": MessageLookupByLibrary.simpleMessage( + "Kişi etiketini kaldırın", + ), + "removePublicLink": MessageLookupByLibrary.simpleMessage( + "Herkese açık bağlantıyı kaldır", + ), + "removePublicLinks": MessageLookupByLibrary.simpleMessage( + "Herkese açık bağlantıları kaldır", + ), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Kaldırdığınız öğelerden bazıları başkaları tarafından eklenmiştir ve bunlara erişiminizi kaybedeceksiniz", + ), + "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage( + "Kaldırılsın mı?", + ), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Kendinizi güvenilir kişi olarak kaldırın", + ), + "removingFromFavorites": MessageLookupByLibrary.simpleMessage( + "Favorilerimden kaldır...", + ), + "rename": MessageLookupByLibrary.simpleMessage("Yeniden adlandır"), + "renameAlbum": MessageLookupByLibrary.simpleMessage( + "Albümü yeniden adlandır", + ), + "renameFile": MessageLookupByLibrary.simpleMessage( + "Dosyayı yeniden adlandır", + ), + "renewSubscription": MessageLookupByLibrary.simpleMessage( + "Abonelik yenileme", + ), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Hata bildir"), + "reportBug": MessageLookupByLibrary.simpleMessage("Hata bildir"), + "resendEmail": MessageLookupByLibrary.simpleMessage( + "E-postayı yeniden gönder", + ), + "reset": MessageLookupByLibrary.simpleMessage("Sıfırla"), + "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( + "Yok sayılan dosyaları sıfırla", + ), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Parolanızı sıfırlayın", + ), + "resetPerson": MessageLookupByLibrary.simpleMessage("Kaldır"), + "resetToDefault": MessageLookupByLibrary.simpleMessage( + "Varsayılana sıfırla", + ), + "restore": MessageLookupByLibrary.simpleMessage("Geri yükle"), + "restoreToAlbum": MessageLookupByLibrary.simpleMessage("Albümü yenile"), + "restoringFiles": MessageLookupByLibrary.simpleMessage( + "Dosyalar geri yükleniyor...", + ), + "resumableUploads": MessageLookupByLibrary.simpleMessage( + "Devam edilebilir yüklemeler", + ), + "retry": MessageLookupByLibrary.simpleMessage("Tekrar dene"), + "review": MessageLookupByLibrary.simpleMessage("Gözden Geçir"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Lütfen kopya olduğunu düşündüğünüz öğeleri inceleyin ve silin.", + ), + "reviewSuggestions": MessageLookupByLibrary.simpleMessage( + "Önerileri inceleyin", + ), + "right": MessageLookupByLibrary.simpleMessage("Sağ"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("Döndür"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Sola döndür"), + "rotateRight": MessageLookupByLibrary.simpleMessage("Sağa döndür"), + "safelyStored": MessageLookupByLibrary.simpleMessage("Güvenle saklanır"), + "same": MessageLookupByLibrary.simpleMessage("Aynı"), + "sameperson": MessageLookupByLibrary.simpleMessage("Aynı kişi mi?"), + "save": MessageLookupByLibrary.simpleMessage("Kaydet"), + "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage( + "Başka bir kişi olarak kaydet", + ), + "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( + "Çıkmadan önce değişiklikler kaydedilsin mi?", + ), + "saveCollage": MessageLookupByLibrary.simpleMessage("Kolajı kaydet"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Kopyasını kaydet"), + "saveKey": MessageLookupByLibrary.simpleMessage("Anahtarı kaydet"), + "savePerson": MessageLookupByLibrary.simpleMessage("Kişiyi kaydet"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Henüz yapmadıysanız kurtarma anahtarınızı kaydetmeyi unutmayın", + ), + "saving": MessageLookupByLibrary.simpleMessage("Kaydediliyor..."), + "savingEdits": MessageLookupByLibrary.simpleMessage( + "Düzenlemeler kaydediliyor...", + ), + "scanCode": MessageLookupByLibrary.simpleMessage("Kodu tarayın"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Kimlik doğrulama uygulamanız ile kodu tarayın", + ), + "search": MessageLookupByLibrary.simpleMessage("Ara"), + "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage( + "Albümler", + ), + "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage("Albüm adı"), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Albüm adları (ör. \"Kamera\")\n• Dosya türleri (ör. \"Videolar\", \".gif\")\n• Yıllar ve aylar (ör. \"2022\", \"Ocak\")\n• Tatiller (ör. \"Noel\")\n• Fotoğraf açıklamaları (ör. \"#eğlence\")", + ), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Fotoğraf bilgilerini burada hızlı bir şekilde bulmak için \"#trip\" gibi açıklamalar ekleyin", + ), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Tarihe, aya veya yıla göre arama yapın", + ), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "İşleme ve senkronizasyon tamamlandığında görüntüler burada gösterilecektir", + ), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "Dizinleme yapıldıktan sonra insanlar burada gösterilecek", + ), + "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( + "Dosya türleri ve adları", + ), + "searchHint1": MessageLookupByLibrary.simpleMessage( + "Hızlı, cihaz üzerinde arama", + ), + "searchHint2": MessageLookupByLibrary.simpleMessage( + "Fotoğraf tarihleri, açıklamalar", + ), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "Albümler, dosya adları ve türleri", + ), + "searchHint4": MessageLookupByLibrary.simpleMessage("Konum"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "Çok yakında: Yüzler ve sihirli arama ✨", + ), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Bir fotoğrafın belli bir yarıçapında çekilen fotoğrafları gruplandırın", + ), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "İnsanları davet ettiğinizde onların paylaştığı tüm fotoğrafları burada göreceksiniz", + ), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "İşleme ve senkronizasyon tamamlandığında kişiler burada gösterilecektir", + ), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Güvenlik"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "Uygulamadaki herkese açık albüm bağlantılarını görün", + ), + "selectALocation": MessageLookupByLibrary.simpleMessage("Bir konum seçin"), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage( + "Önce yeni yer seçin", + ), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Albüm seçin"), + "selectAll": MessageLookupByLibrary.simpleMessage("Hepsini seç"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("Tümü"), + "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( + "Kapak fotoğrafı seçin", + ), + "selectDate": MessageLookupByLibrary.simpleMessage("Tarih seç"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Yedekleme için klasörleri seçin", + ), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "Eklenecek eşyaları seçin", + ), + "selectLanguage": MessageLookupByLibrary.simpleMessage("Dil Seçin"), + "selectMailApp": MessageLookupByLibrary.simpleMessage( + "Mail Uygulamasını Seç", + ), + "selectMorePhotos": MessageLookupByLibrary.simpleMessage( + "Daha Fazla Fotoğraf Seç", + ), + "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( + "Bir tarih ve saat seçin", + ), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "Tümü için tek bir tarih ve saat seçin", + ), + "selectPersonToLink": MessageLookupByLibrary.simpleMessage( + "Bağlantı kurulacak kişiyi seçin", + ), + "selectReason": MessageLookupByLibrary.simpleMessage( + "Ayrılma nedeninizi seçin", + ), + "selectStartOfRange": MessageLookupByLibrary.simpleMessage( + "Aralık başlangıcını seçin", + ), + "selectTime": MessageLookupByLibrary.simpleMessage("Zaman Seç"), + "selectYourFace": MessageLookupByLibrary.simpleMessage("Yüzünüzü seçin"), + "selectYourPlan": MessageLookupByLibrary.simpleMessage("Planınızı seçin"), + "selectedAlbums": m79, + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Seçilen dosyalar Ente\'de değil", + ), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Seçilen klasörler şifrelenecek ve yedeklenecektir", + ), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Seçilen öğeler tüm albümlerden silinecek ve çöp kutusuna taşınacak.", + ), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "Seçili öğeler bu kişiden silinir, ancak kitaplığınızdan silinmez.", + ), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("Gönder"), + "sendEmail": MessageLookupByLibrary.simpleMessage("E-posta gönder"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Davet kodu gönder"), + "sendLink": MessageLookupByLibrary.simpleMessage("Bağlantıyı gönder"), + "serverEndpoint": MessageLookupByLibrary.simpleMessage("Sunucu uç noktası"), + "sessionExpired": MessageLookupByLibrary.simpleMessage( + "Oturum süresi doldu", + ), + "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( + "Oturum kimliği uyuşmazlığı", + ), + "setAPassword": MessageLookupByLibrary.simpleMessage("Şifre ayarla"), + "setAs": MessageLookupByLibrary.simpleMessage("Şu şekilde ayarla"), + "setCover": MessageLookupByLibrary.simpleMessage("Kapak Belirle"), + "setLabel": MessageLookupByLibrary.simpleMessage("Ayarla"), + "setNewPassword": MessageLookupByLibrary.simpleMessage( + "Yeni şifre belirle", + ), + "setNewPin": MessageLookupByLibrary.simpleMessage("Yeni PIN belirleyin"), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Parola ayarlayın", + ), + "setRadius": MessageLookupByLibrary.simpleMessage("Yarıçapı ayarla"), + "setupComplete": MessageLookupByLibrary.simpleMessage( + "Ayarlama işlemi başarılı", + ), + "share": MessageLookupByLibrary.simpleMessage("Paylaş"), + "shareALink": MessageLookupByLibrary.simpleMessage("Bir bağlantı paylaş"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Bir albüm açın ve paylaşmak için sağ üstteki paylaş düğmesine dokunun.", + ), + "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( + "Şimdi bir albüm paylaşın", + ), + "shareLink": MessageLookupByLibrary.simpleMessage("Bağlantıyı paylaş"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Yalnızca istediğiniz kişilerle paylaşın", + ), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Orijinal kalitede fotoğraf ve videoları kolayca paylaşabilmemiz için Ente\'yi indirin\n\nhttps://ente.io", + ), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Ente kullanıcısı olmayanlar için paylaş", + ), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( + "İlk albümünüzü paylaşın", + ), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Diğer Ente kullanıcılarıyla paylaşılan ve topluluk albümleri oluşturun, bu arada ücretsiz planlara sahip kullanıcıları da içerir.", + ), + "sharedByMe": MessageLookupByLibrary.simpleMessage("Benim paylaştıklarım"), + "sharedByYou": MessageLookupByLibrary.simpleMessage("Paylaştıklarınız"), + "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( + "Paylaşılan fotoğrafları ekle", + ), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Birisi parçası olduğunuz paylaşılan bir albüme fotoğraf eklediğinde bildirim alın", + ), + "sharedWith": m87, + "sharedWithMe": MessageLookupByLibrary.simpleMessage("Benimle paylaşılan"), + "sharedWithYou": MessageLookupByLibrary.simpleMessage("Sizinle paylaşıldı"), + "sharing": MessageLookupByLibrary.simpleMessage("Paylaşılıyor..."), + "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( + "Vardiya tarihleri ve saati", + ), + "showLessFaces": MessageLookupByLibrary.simpleMessage("Daha az yüz göster"), + "showMemories": MessageLookupByLibrary.simpleMessage("Anıları göster"), + "showMoreFaces": MessageLookupByLibrary.simpleMessage( + "Daha fazla yüz göster", + ), + "showPerson": MessageLookupByLibrary.simpleMessage("Kişiyi Göster"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "Diğer cihazlardan çıkış yap", + ), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Eğer başka birisinin parolanızı bildiğini düşünüyorsanız, diğer tüm cihazları hesabınızdan çıkışa zorlayabilirsiniz.", + ), + "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( + "Diğer cihazlardan çıkış yap", + ), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Hizmet Şartları\'nı ve Gizlilik Politikası\'nı kabul ediyorum", + ), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Tüm albümlerden silinecek.", + ), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Geç"), + "smartMemories": MessageLookupByLibrary.simpleMessage("Akıllı anılar"), + "social": MessageLookupByLibrary.simpleMessage("Sosyal Medya"), + "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( + "Bazı öğeler hem Ente\'de hem de cihazınızda bulunur.", + ), + "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( + "Silmeye çalıştığınız dosyalardan bazıları yalnızca cihazınızda mevcuttur ve silindiği takdirde kurtarılamaz", + ), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Size albümleri paylaşan biri, kendi cihazında aynı kimliği görmelidir.", + ), + "somethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Bazı şeyler yanlış gitti", + ), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Bir şeyler ters gitti, lütfen tekrar deneyin", + ), + "sorry": MessageLookupByLibrary.simpleMessage("Üzgünüz"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "Üzgünüz, bu dosya şu anda yedeklenemedi. Daha sonra tekrar deneyeceğiz.", + ), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Üzgünüm, favorilere ekleyemedim!", + ), + "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( + "Üzgünüm, favorilere ekleyemedim!", + ), + "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "Üzgünüz, girdiğiniz kod yanlış", + ), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Üzgünüm, bu cihazda güvenli anahtarlarını oluşturamadık.\n\nLütfen başka bir cihazdan giriş yapmayı deneyiniz.", + ), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Üzgünüm, yedeklemenizi duraklatmak zorunda kaldık", + ), + "sort": MessageLookupByLibrary.simpleMessage("Sırala"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sırala"), + "sortNewestFirst": MessageLookupByLibrary.simpleMessage("Yeniden eskiye"), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Önce en eski"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Başarılı"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": MessageLookupByLibrary.simpleMessage("Sahne senin"), + "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( + "Kurtarmayı başlat", + ), + "startBackup": MessageLookupByLibrary.simpleMessage("Yedeklemeyi başlat"), + "status": MessageLookupByLibrary.simpleMessage("Durum"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "Yansıtmayı durdurmak istiyor musunuz?", + ), + "stopCastingTitle": MessageLookupByLibrary.simpleMessage("Yayını durdur"), + "storage": MessageLookupByLibrary.simpleMessage("Depolama"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Aile"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Sen"), + "storageInGB": m93, + "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( + "Depolama sınırı aşıldı", + ), + "storageUsageInfo": m94, + "streamDetails": MessageLookupByLibrary.simpleMessage("Akış detayları"), + "strongStrength": MessageLookupByLibrary.simpleMessage("Güçlü"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Abone ol"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Paylaşımı etkinleştirmek için aktif bir ücretli aboneliğe ihtiyacınız var.", + ), + "subscription": MessageLookupByLibrary.simpleMessage("Abonelik"), + "success": MessageLookupByLibrary.simpleMessage("Başarılı"), + "successfullyArchived": MessageLookupByLibrary.simpleMessage( + "Başarıyla arşivlendi", + ), + "successfullyHid": MessageLookupByLibrary.simpleMessage( + "Başarıyla saklandı", + ), + "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( + "Başarıyla arşivden çıkarıldı", + ), + "successfullyUnhid": MessageLookupByLibrary.simpleMessage( + "Başarıyla arşivden çıkarıldı", + ), + "suggestFeatures": MessageLookupByLibrary.simpleMessage("Özellik önerin"), + "sunrise": MessageLookupByLibrary.simpleMessage("Ufukta"), + "support": MessageLookupByLibrary.simpleMessage("Destek"), + "syncProgress": m97, + "syncStopped": MessageLookupByLibrary.simpleMessage( + "Senkronizasyon durduruldu", + ), + "syncing": MessageLookupByLibrary.simpleMessage("Eşitleniyor..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("Sistem"), + "tapToCopy": MessageLookupByLibrary.simpleMessage( + "kopyalamak için dokunun", + ), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage( + "Kodu girmek icin tıklayın", + ), + "tapToUnlock": MessageLookupByLibrary.simpleMessage("Açmak için dokun"), + "tapToUpload": MessageLookupByLibrary.simpleMessage( + "Yüklemek için tıklayın", + ), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Bir şeyler ters gitmiş gibi görünüyor. Lütfen bir süre sonra tekrar deneyin. Hata devam ederse, lütfen destek ekibimizle iletişime geçin.", + ), + "terminate": MessageLookupByLibrary.simpleMessage("Sonlandır"), + "terminateSession": MessageLookupByLibrary.simpleMessage( + "Oturum sonlandırılsın mı?", + ), + "terms": MessageLookupByLibrary.simpleMessage("Şartlar"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Şartlar"), + "thankYou": MessageLookupByLibrary.simpleMessage("Teşekkürler"), + "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( + "Abone olduğunuz için teşekkürler!", + ), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "İndirme işlemi tamamlanamadı", + ), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "Erişmeye çalıştığınız bağlantının süresi dolmuştur.", + ), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Kişi grupları artık kişiler bölümünde görüntülenmeyecek. Fotoğraflar dokunulmadan kalacaktır.", + ), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Kişi artık kişiler bölümünde görüntülenmeyecek. Fotoğraflar dokunulmadan kalacaktır.", + ), + "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "Girdiğiniz kurtarma kodu yanlış", + ), + "theme": MessageLookupByLibrary.simpleMessage("Tema"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Bu öğeler cihazınızdan silinecektir.", + ), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "Tüm albümlerden silinecek.", + ), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Bu eylem geri alınamaz", + ), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "Bu albümde zaten bir ortak çalışma bağlantısı var", + ), + "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( + "Bu, iki faktörünüzü kaybederseniz hesabınızı kurtarmak için kullanılabilir", + ), + "thisDevice": MessageLookupByLibrary.simpleMessage("Bu cihaz"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "Bu e-posta zaten kullanılıyor", + ), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Bu görselde exif verisi yok", + ), + "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("Bu benim!"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Doğrulama kimliğiniz", + ), + "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( + "Yıllar boyunca bu hafta", + ), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Bu, sizi aşağıdaki cihazdan çıkış yapacak:", + ), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Bu cihazdaki oturumunuz kapatılacak!", + ), + "thisWillMakeTheDateAndTimeOfAllSelected": + MessageLookupByLibrary.simpleMessage( + "Bu, seçilen tüm fotoğrafların tarih ve saatini aynı yapacaktır.", + ), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "Bu, seçilen tüm hızlı bağlantıların genel bağlantılarını kaldıracaktır.", + ), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "Uygulama kilidini etkinleştirmek için lütfen sistem ayarlarınızda cihaz şifresi veya ekran kilidi ayarlayın.", + ), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( + "Bir fotoğrafı veya videoyu gizlemek için", + ), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Şifrenizi sıfılamak için lütfen e-postanızı girin.", + ), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Bugünün kayıtları"), + "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( + "Çok fazla hatalı deneme", + ), + "total": MessageLookupByLibrary.simpleMessage("total"), + "totalSize": MessageLookupByLibrary.simpleMessage("Toplam boyut"), + "trash": MessageLookupByLibrary.simpleMessage("Cöp kutusu"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Kes"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": MessageLookupByLibrary.simpleMessage( + "Güvenilir kişiler", + ), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Tekrar deneyiniz"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Bu cihaz klasörüne eklenen dosyaları otomatik olarak ente\'ye yüklemek için yedeklemeyi açın.", + ), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "Yıllık planlarda 2 ay ücretsiz", + ), + "twofactor": MessageLookupByLibrary.simpleMessage("İki faktörlü doğrulama"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "İki faktörlü kimlik doğrulama devre dışı", + ), + "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( + "İki faktörlü doğrulama", + ), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "İki faktörlü kimlik doğrulama başarıyla sıfırlandı", + ), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "İki faktörlü kurulum", + ), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("Arşivden cıkar"), + "unarchiveAlbum": MessageLookupByLibrary.simpleMessage("Arşivden Çıkar"), + "unarchiving": MessageLookupByLibrary.simpleMessage( + "Arşivden çıkarılıyor...", + ), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Üzgünüz, bu kod mevcut değil.", + ), + "uncategorized": MessageLookupByLibrary.simpleMessage("Kategorisiz"), + "unhide": MessageLookupByLibrary.simpleMessage("Gizleme"), + "unhideToAlbum": MessageLookupByLibrary.simpleMessage("Albümü gizleme"), + "unhiding": MessageLookupByLibrary.simpleMessage("Gösteriliyor..."), + "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Albümdeki dosyalar gösteriliyor", + ), + "unlock": MessageLookupByLibrary.simpleMessage("Kilidi aç"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage( + "Albümün sabitlemesini kaldır", + ), + "unselectAll": MessageLookupByLibrary.simpleMessage( + "Tümünün seçimini kaldır", + ), + "update": MessageLookupByLibrary.simpleMessage("Güncelle"), + "updateAvailable": MessageLookupByLibrary.simpleMessage( + "Güncelleme mevcut", + ), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Klasör seçimi güncelleniyor...", + ), + "upgrade": MessageLookupByLibrary.simpleMessage("Yükselt"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Dosyalar albüme taşınıyor...", + ), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( + "1 anı korunuyor...", + ), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "4 Aralık\'a kadar %50\'ye varan indirim.", + ), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "Kullanılabilir depolama alanı mevcut planınızla sınırlıdır. Talep edilen fazla depolama alanı, planınızı yükselttiğinizde otomatik olarak kullanılabilir hale gelecektir.", + ), + "useAsCover": MessageLookupByLibrary.simpleMessage("Kapak olarak kullanın"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "Bu videoyu oynatmakta sorun mu yaşıyorsunuz? Farklı bir oynatıcı denemek için buraya uzun basın.", + ), + "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Ente\'de olmayan kişiler için genel bağlantıları kullanın", + ), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Kurtarma anahtarını kullan", + ), + "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( + "Seçilen fotoğrafı kullan", + ), + "usedSpace": MessageLookupByLibrary.simpleMessage("Kullanılan alan"), + "validTill": m110, + "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Doğrulama başarısız oldu, lütfen tekrar deneyin", + ), + "verificationId": MessageLookupByLibrary.simpleMessage("Doğrulama kimliği"), + "verify": MessageLookupByLibrary.simpleMessage("Doğrula"), + "verifyEmail": MessageLookupByLibrary.simpleMessage( + "E-posta adresini doğrulayın", + ), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Doğrula"), + "verifyPasskey": MessageLookupByLibrary.simpleMessage( + "Şifrenizi doğrulayın", + ), + "verifyPassword": MessageLookupByLibrary.simpleMessage( + "Şifrenizi doğrulayın", + ), + "verifying": MessageLookupByLibrary.simpleMessage("Doğrulanıyor..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Kurtarma kodu doğrulanıyor...", + ), + "videoInfo": MessageLookupByLibrary.simpleMessage("Video Bilgileri"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), + "videoStreaming": MessageLookupByLibrary.simpleMessage( + "Akışlandırılabilir videolar", + ), + "videos": MessageLookupByLibrary.simpleMessage("Videolar"), + "viewActiveSessions": MessageLookupByLibrary.simpleMessage( + "Aktif oturumları görüntüle", + ), + "viewAddOnButton": MessageLookupByLibrary.simpleMessage( + "Eklentileri görüntüle", + ), + "viewAll": MessageLookupByLibrary.simpleMessage("Tümünü görüntüle"), + "viewAllExifData": MessageLookupByLibrary.simpleMessage( + "Tüm EXIF verilerini görüntüle", + ), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Büyük dosyalar"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "En fazla depolama alanı kullanan dosyaları görüntüleyin.", + ), + "viewLogs": MessageLookupByLibrary.simpleMessage("Kayıtları görüntüle"), + "viewPersonToUnlink": m112, + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Kurtarma anahtarını görüntüle", + ), + "viewer": MessageLookupByLibrary.simpleMessage("Görüntüleyici"), + "viewersSuccessfullyAdded": m113, + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Aboneliğinizi yönetmek için lütfen web.ente.io adresini ziyaret edin", + ), + "waitingForVerification": MessageLookupByLibrary.simpleMessage( + "Doğrulama bekleniyor...", + ), + "waitingForWifi": MessageLookupByLibrary.simpleMessage( + "WiFi bekleniyor...", + ), + "warning": MessageLookupByLibrary.simpleMessage("Uyarı"), + "weAreOpenSource": MessageLookupByLibrary.simpleMessage( + "Biz açık kaynağız!", + ), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "Henüz sahibi olmadığınız fotoğraf ve albümlerin düzenlenmesini desteklemiyoruz", + ), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Zayıf"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("Tekrardan hoşgeldin!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("Yenilikler"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage("."), + "widgets": MessageLookupByLibrary.simpleMessage("Widget\'lar"), + "wishThemAHappyBirthday": m115, + "yearShort": MessageLookupByLibrary.simpleMessage("yıl"), + "yearly": MessageLookupByLibrary.simpleMessage("Yıllık"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Evet"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Evet, iptal et"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "Evet, görüntüleyici olarak dönüştür", + ), + "yesDelete": MessageLookupByLibrary.simpleMessage("Evet, sil"), + "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( + "Evet, değişiklikleri sil", + ), + "yesIgnore": MessageLookupByLibrary.simpleMessage("Evet, görmezden gel"), + "yesLogout": MessageLookupByLibrary.simpleMessage("Evet, oturumu kapat"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Evet, sil"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Evet, yenile"), + "yesResetPerson": MessageLookupByLibrary.simpleMessage( + "Evet, kişiyi sıfırla", + ), + "you": MessageLookupByLibrary.simpleMessage("Sen"), + "youAndThem": m117, + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( + "Aile planı kullanıyorsunuz!", + ), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "En son sürüme sahipsiniz", + ), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Alanınızı en fazla ikiye katlayabilirsiniz", + ), + "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( + "Bağlantılarınızı paylaşım sekmesinden yönetebilirsiniz.", + ), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "Farklı bir sorgu aramayı deneyebilirsiniz.", + ), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "Bu plana geçemezsiniz", + ), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Kendinizle paylaşamazsınız", + ), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "Arşivlenmiş öğeniz yok.", + ), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "Hesabınız silindi", + ), + "yourMap": MessageLookupByLibrary.simpleMessage("Haritalarınız"), + "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( + "Planınız başarıyla düşürüldü", + ), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "Planınız başarıyla yükseltildi", + ), + "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( + "Satın alım başarılı", + ), + "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( + "Depolama bilgisi alınamadı", + ), + "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( + "Aboneliğinizin süresi doldu", + ), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "Aboneliğiniz başarıyla güncellendi", + ), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "Doğrulama kodunuzun süresi doldu", + ), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "Temizlenebilecek yinelenen dosyalarınız yok", + ), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "Her şey zaten temiz, silinecek dosya kalmadı", + ), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( + "Fotoğrafları görmek için uzaklaştırın", + ), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_uk.dart b/mobile/apps/photos/lib/generated/intl/messages_uk.dart index 378559591a..00ce37c0de 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_uk.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_uk.dart @@ -42,11 +42,7 @@ class MessageLookup extends MessageLookupByLibrary { "${user} не зможе додавати більше фотографій до цього альбому\n\nВони все ще зможуть видаляти додані ними фотографії"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, { - 'true': 'Ваша сім\'я отримала ${storageAmountInGb} ГБ', - 'false': 'Ви отримали ${storageAmountInGb} ГБ', - 'other': 'Ви отримали ${storageAmountInGb} ГБ!', - })}"; + "${Intl.select(isFamilyMember, {'true': 'Ваша сім\'я отримала ${storageAmountInGb} ГБ', 'false': 'Ви отримали ${storageAmountInGb} ГБ', 'other': 'Ви отримали ${storageAmountInGb} ГБ!'})}"; static String m15(albumName) => "Створено спільне посилання для «${albumName}»"; @@ -104,7 +100,7 @@ class MessageLookup extends MessageLookupByLibrary { "Обробка ${currentlyProcessing} / ${totalCount}"; static String m44(count) => - "${Intl.plural(count, one: '${count} елемент', other: '${count} елементів')}"; + "${Intl.plural(count, one: '${count} елемент', few: '${count} елементи', many: '${count} елементів', other: '${count} елементів')}"; static String m46(email) => "${email} запросив вас стати довіреною особою"; @@ -154,7 +150,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m75(endDate) => "Передплата поновиться ${endDate}"; static String m77(count) => - "${Intl.plural(count, one: 'Знайдено ${count} результат', other: 'Знайдено ${count} результати')}"; + "${Intl.plural(count, one: 'Знайдено ${count} результат', few: 'Знайдено ${count} результати', many: 'Знайдено ${count} результатів', other: 'Знайдено ${count} результати')}"; static String m78(snapshotLength, searchLength) => "Невідповідність довжини розділів: ${snapshotLength} != ${searchLength}"; @@ -187,7 +183,11 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} ГБ"; static String m94( - usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => + usedAmount, + usedStorageUnit, + totalAmount, + totalStorageUnit, + ) => "${usedAmount} ${usedStorageUnit} з ${totalAmount} ${totalStorageUnit} використано"; static String m95(id) => @@ -233,1764 +233,2241 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": - MessageLookupByLibrary.simpleMessage("Доступна нова версія Ente."), - "about": MessageLookupByLibrary.simpleMessage("Про застосунок"), - "acceptTrustInvite": - MessageLookupByLibrary.simpleMessage("Прийняти запрошення"), - "account": MessageLookupByLibrary.simpleMessage("Обліковий запис"), - "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( - "Обліковий запис уже налаштовано."), - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("З поверненням!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Я розумію, що якщо я втрачу свій пароль, я можу втратити свої дані, тому що вони є захищені наскрізним шифруванням."), - "activeSessions": - MessageLookupByLibrary.simpleMessage("Активні сеанси"), - "add": MessageLookupByLibrary.simpleMessage("Додати"), - "addAName": MessageLookupByLibrary.simpleMessage("Додати ім\'я"), - "addANewEmail": - MessageLookupByLibrary.simpleMessage("Додати нову пошту"), - "addCollaborator": - MessageLookupByLibrary.simpleMessage("Додати співавтора"), - "addFiles": MessageLookupByLibrary.simpleMessage("Додати файли"), - "addFromDevice": - MessageLookupByLibrary.simpleMessage("Додати з пристрою"), - "addLocation": - MessageLookupByLibrary.simpleMessage("Додати розташування"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Додати"), - "addMore": MessageLookupByLibrary.simpleMessage("Додати більше"), - "addName": MessageLookupByLibrary.simpleMessage("Додати ім\'я"), - "addNameOrMerge": - MessageLookupByLibrary.simpleMessage("Додати назву або об\'єднати"), - "addNew": MessageLookupByLibrary.simpleMessage("Додати нове"), - "addNewPerson": - MessageLookupByLibrary.simpleMessage("Додати нову особу"), - "addOnPageSubtitle": - MessageLookupByLibrary.simpleMessage("Подробиці доповнень"), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("Доповнення"), - "addPhotos": MessageLookupByLibrary.simpleMessage("Додати фотографії"), - "addSelected": MessageLookupByLibrary.simpleMessage("Додати вибране"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("Додати до альбому"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Додати до Ente"), - "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Додати до прихованого альбому"), - "addTrustedContact": - MessageLookupByLibrary.simpleMessage("Додати довірений контакт"), - "addViewer": MessageLookupByLibrary.simpleMessage("Додати глядача"), - "addYourPhotosNow": - MessageLookupByLibrary.simpleMessage("Додайте свої фотографії"), - "addedAs": MessageLookupByLibrary.simpleMessage("Додано як"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": - MessageLookupByLibrary.simpleMessage("Додавання до обраного..."), - "advanced": MessageLookupByLibrary.simpleMessage("Додатково"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Додатково"), - "after1Day": MessageLookupByLibrary.simpleMessage("Через 1 день"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Через 1 годину"), - "after1Month": MessageLookupByLibrary.simpleMessage("Через 1 місяць"), - "after1Week": MessageLookupByLibrary.simpleMessage("Через 1 тиждень"), - "after1Year": MessageLookupByLibrary.simpleMessage("Через 1 рік"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Власник"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Назва альбому"), - "albumUpdated": MessageLookupByLibrary.simpleMessage("Альбом оновлено"), - "albums": MessageLookupByLibrary.simpleMessage("Альбоми"), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Все чисто"), - "allMemoriesPreserved": - MessageLookupByLibrary.simpleMessage("Всі спогади збережені"), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "Усі групи для цієї особи будуть скинуті, і ви втратите всі пропозиції, зроблені для неї"), - "allow": MessageLookupByLibrary.simpleMessage("Дозволити"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Дозволити людям з посиланням також додавати фотографії до спільного альбому."), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( - "Дозволити додавати фотографії"), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "Дозволити застосунку відкривати спільні альбоми"), - "allowDownloads": - MessageLookupByLibrary.simpleMessage("Дозволити завантаження"), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Дозволити людям додавати фотографії"), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Надайте доступ до ваших фотографій з налаштувань, щоб Ente міг показувати та створювати резервну копію вашої бібліотеки."), - "allowPermTitle": MessageLookupByLibrary.simpleMessage( - "Дозволити доступ до фотографій"), - "androidBiometricHint": - MessageLookupByLibrary.simpleMessage("Підтвердження особистості"), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "Не розпізнано. Спробуйте ще раз."), - "androidBiometricRequiredTitle": - MessageLookupByLibrary.simpleMessage("Потрібна біометрія"), - "androidBiometricSuccess": - MessageLookupByLibrary.simpleMessage("Успішно"), - "androidCancelButton": - MessageLookupByLibrary.simpleMessage("Скасувати"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage( - "Необхідні облікові дані пристрою"), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage( - "Необхідні облікові дані пристрою"), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Біометрична перевірка не встановлена на вашому пристрої. Перейдіть в «Налаштування > Безпека», щоб додати біометричну перевірку."), - "androidIosWebDesktop": - MessageLookupByLibrary.simpleMessage("Android, iOS, Вебсайт, ПК"), - "androidSignInTitle": - MessageLookupByLibrary.simpleMessage("Необхідна перевірка"), - "appLock": - MessageLookupByLibrary.simpleMessage("Блокування застосунку"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Виберіть між типовим екраном блокування вашого пристрою та власним екраном блокування з PIN-кодом або паролем."), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), - "apply": MessageLookupByLibrary.simpleMessage("Застосувати"), - "applyCodeTitle": - MessageLookupByLibrary.simpleMessage("Застосувати код"), - "appstoreSubscription": - MessageLookupByLibrary.simpleMessage("Передплата App Store"), - "archive": MessageLookupByLibrary.simpleMessage("Архів"), - "archiveAlbum": - MessageLookupByLibrary.simpleMessage("Архівувати альбом"), - "archiving": MessageLookupByLibrary.simpleMessage("Архівуємо..."), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Ви впевнені, що хочете залишити сімейний план?"), - "areYouSureYouWantToCancel": - MessageLookupByLibrary.simpleMessage("Ви дійсно хочете скасувати?"), - "areYouSureYouWantToChangeYourPlan": - MessageLookupByLibrary.simpleMessage( - "Ви впевнені, що хочете змінити свій план?"), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "Ви впевнені, що хочете вийти?"), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Ви впевнені, що хочете вийти з облікового запису?"), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "Ви впевнені, що хочете поновити?"), - "areYouSureYouWantToResetThisPerson": - MessageLookupByLibrary.simpleMessage( - "Ви впевнені, що хочете скинути цю особу?"), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "Передплату було скасовано. Ви хотіли б поділитися причиною?"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Яка основна причина видалення вашого облікового запису?"), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Попросіть своїх близьких поділитися"), - "atAFalloutShelter": - MessageLookupByLibrary.simpleMessage("в бомбосховищі"), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Авторизуйтесь, щоб змінити перевірку через пошту"), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Авторизуйтесь для зміни налаштувань екрана блокування"), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Авторизуйтесь, щоб змінити поштову адресу"), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Авторизуйтесь, щоб змінити пароль"), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Авторизуйтесь, щоб налаштувати двоетапну перевірку"), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Авторизуйтесь, щоби розпочати видалення облікового запису"), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Авторизуйтесь, щоби керувати довіреними контактами"), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Авторизуйтесь, щоб переглянути свій ключ доступу"), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Авторизуйтесь, щоб переглянути активні сеанси"), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Авторизуйтеся, щоб переглянути приховані файли"), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Авторизуйтеся, щоб переглянути ваші спогади"), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Авторизуйтесь для перегляду вашого ключа відновлення"), - "authenticating": - MessageLookupByLibrary.simpleMessage("Автентифікація..."), - "authenticationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Автентифікація не пройдена. Спробуйте ще раз"), - "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( - "Автентифікація пройшла успішно!"), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Тут ви побачите доступні пристрої для трансляції."), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Переконайтеся, що для застосунку «Фотографії Ente» увімкнено дозволи локальної мережі в налаштуваннях."), - "autoLock": MessageLookupByLibrary.simpleMessage("Автоблокування"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Час, через який застосунок буде заблоковано у фоновому режимі"), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "Через технічні збої ви вийшли з системи. Перепрошуємо за незручності."), - "autoPair": - MessageLookupByLibrary.simpleMessage("Автоматичне створення пари"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "Автоматичне створення пари працює лише з пристроями, що підтримують Chromecast."), - "available": MessageLookupByLibrary.simpleMessage("Доступно"), - "availableStorageSpace": m10, - "backedUpFolders": - MessageLookupByLibrary.simpleMessage("Резервне копіювання тек"), - "backup": MessageLookupByLibrary.simpleMessage("Резервне копіювання"), - "backupFailed": MessageLookupByLibrary.simpleMessage( - "Помилка резервного копіювання"), - "backupFile": - MessageLookupByLibrary.simpleMessage("Файл резервної копії"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Резервне копіювання через мобільні дані"), - "backupSettings": MessageLookupByLibrary.simpleMessage( - "Налаштування резервного копіювання"), - "backupStatus": - MessageLookupByLibrary.simpleMessage("Стан резервного копіювання"), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Елементи, для яких було створено резервну копію, показуватимуться тут"), - "backupVideos": - MessageLookupByLibrary.simpleMessage("Резервне копіювання відео"), - "birthday": MessageLookupByLibrary.simpleMessage("День народження"), - "blackFridaySale": MessageLookupByLibrary.simpleMessage( - "Розпродаж у «Чорну п\'ятницю»"), - "blog": MessageLookupByLibrary.simpleMessage("Блог"), - "cachedData": MessageLookupByLibrary.simpleMessage("Кешовані дані"), - "calculating": MessageLookupByLibrary.simpleMessage("Обчислення..."), - "canNotUploadToAlbumsOwnedByOthers": - MessageLookupByLibrary.simpleMessage( - "Не можна завантажувати в альбоми, які належать іншим"), - "canOnlyCreateLinkForFilesOwnedByYou": - MessageLookupByLibrary.simpleMessage( - "Можна створити лише посилання для файлів, що належать вам"), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Ви можете видалити лише файли, що належать вам"), - "cancel": MessageLookupByLibrary.simpleMessage("Скасувати"), - "cancelAccountRecovery": - MessageLookupByLibrary.simpleMessage("Скасувати відновлення"), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "Ви впевнені, що хочете скасувати відновлення?"), - "cancelOtherSubscription": m12, - "cancelSubscription": - MessageLookupByLibrary.simpleMessage("Скасувати передплату"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Не можна видалити спільні файли"), - "castAlbum": MessageLookupByLibrary.simpleMessage("Транслювати альбом"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Переконайтеся, що ви перебуваєте в тій же мережі, що і телевізор."), - "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( - "Не вдалося транслювати альбом"), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Відвідайте cast.ente.io на пристрої, з яким ви хочете створити пару.\n\nВведіть код нижче, щоб відтворити альбом на телевізорі."), - "centerPoint": MessageLookupByLibrary.simpleMessage("Центральна точка"), - "change": MessageLookupByLibrary.simpleMessage("Змінити"), - "changeEmail": - MessageLookupByLibrary.simpleMessage("Змінити адресу пошти"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Змінити розташування вибраних елементів?"), - "changePassword": - MessageLookupByLibrary.simpleMessage("Змінити пароль"), - "changePasswordTitle": - MessageLookupByLibrary.simpleMessage("Змінити пароль"), - "changePermissions": - MessageLookupByLibrary.simpleMessage("Змінити дозволи?"), - "changeYourReferralCode": - MessageLookupByLibrary.simpleMessage("Змінити ваш реферальний код"), - "checkForUpdates": MessageLookupByLibrary.simpleMessage( - "Перевiрити наявнiсть оновлень"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Перевірте вашу поштову скриньку (та спам), щоб завершити перевірку"), - "checkStatus": MessageLookupByLibrary.simpleMessage("Перевірити стан"), - "checking": MessageLookupByLibrary.simpleMessage("Перевірка..."), - "checkingModels": - MessageLookupByLibrary.simpleMessage("Перевірка моделей..."), - "claimFreeStorage": - MessageLookupByLibrary.simpleMessage("Отримайте безплатне сховище"), - "claimMore": MessageLookupByLibrary.simpleMessage("Отримайте більше!"), - "claimed": MessageLookupByLibrary.simpleMessage("Отримано"), - "claimedStorageSoFar": m14, - "cleanUncategorized": - MessageLookupByLibrary.simpleMessage("Очистити «Без категорії»"), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Видалити всі файли з «Без категорії», що є в інших альбомах"), - "clearCaches": MessageLookupByLibrary.simpleMessage("Очистити кеш"), - "clearIndexes": - MessageLookupByLibrary.simpleMessage("Очистити індекси"), - "click": MessageLookupByLibrary.simpleMessage("• Натисніть"), - "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( - "• Натисніть на меню переповнення"), - "close": MessageLookupByLibrary.simpleMessage("Закрити"), - "clubByCaptureTime": - MessageLookupByLibrary.simpleMessage("Клуб за часом захоплення"), - "clubByFileName": - MessageLookupByLibrary.simpleMessage("Клуб за назвою файлу"), - "clusteringProgress": - MessageLookupByLibrary.simpleMessage("Прогрес кластеризації"), - "codeAppliedPageTitle": - MessageLookupByLibrary.simpleMessage("Код застосовано"), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "На жаль, ви досягли ліміту змін коду."), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Код скопійовано до буфера обміну"), - "codeUsedByYou": - MessageLookupByLibrary.simpleMessage("Код використано вами"), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Створіть посилання, щоб дозволити людям додавати й переглядати фотографії у вашому спільному альбомі без використання застосунку Ente або облікового запису. Чудово підходить для збору фотографій з подій."), - "collaborativeLink": - MessageLookupByLibrary.simpleMessage("Спільне посилання"), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Співавтор"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Співавтори можуть додавати фотографії та відео до спільного альбому."), - "collageLayout": MessageLookupByLibrary.simpleMessage("Макет"), - "collageSaved": - MessageLookupByLibrary.simpleMessage("Колаж збережено до галереї"), - "collect": MessageLookupByLibrary.simpleMessage("Зібрати"), - "collectEventPhotos": - MessageLookupByLibrary.simpleMessage("Зібрати фотографії події"), - "collectPhotos": - MessageLookupByLibrary.simpleMessage("Зібрати фотографії"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Створіть посилання, за яким ваші друзі зможуть завантажувати фотографії в оригінальній якості."), - "color": MessageLookupByLibrary.simpleMessage("Колір"), - "configuration": MessageLookupByLibrary.simpleMessage("Налаштування"), - "confirm": MessageLookupByLibrary.simpleMessage("Підтвердити"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Ви впевнені, що хочете вимкнути двоетапну перевірку?"), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Підтвердьте видалення облікового запису"), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Так, я хочу безповоротно видалити цей обліковий запис та його дані з усіх застосунків."), - "confirmPassword": - MessageLookupByLibrary.simpleMessage("Підтвердити пароль"), - "confirmPlanChange": - MessageLookupByLibrary.simpleMessage("Підтвердити зміну плану"), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Підтвердити ключ відновлення"), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Підтвердіть ваш ключ відновлення"), - "connectToDevice": - MessageLookupByLibrary.simpleMessage("Під\'єднатися до пристрою"), - "contactFamilyAdmin": m18, - "contactSupport": MessageLookupByLibrary.simpleMessage( - "Звернутися до служби підтримки"), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Контакти"), - "contents": MessageLookupByLibrary.simpleMessage("Вміст"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Продовжити"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "Продовжити безплатний пробний період"), - "convertToAlbum": - MessageLookupByLibrary.simpleMessage("Перетворити в альбом"), - "copyEmailAddress": - MessageLookupByLibrary.simpleMessage("Копіювати поштову адресу"), - "copyLink": MessageLookupByLibrary.simpleMessage("Копіювати посилання"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Скопіюйте цей код\nу ваш застосунок для автентифікації"), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "Не вдалося створити резервну копію даних.\nМи спробуємо пізніше."), - "couldNotFreeUpSpace": - MessageLookupByLibrary.simpleMessage("Не вдалося звільнити місце"), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Не вдалося оновити передплату"), - "count": MessageLookupByLibrary.simpleMessage("Кількість"), - "crashReporting": - MessageLookupByLibrary.simpleMessage("Звіти про помилки"), - "create": MessageLookupByLibrary.simpleMessage("Створити"), - "createAccount": - MessageLookupByLibrary.simpleMessage("Створити обліковий запис"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Утримуйте, щоби вибрати фотографії, та натисніть «+», щоб створити альбом"), - "createCollaborativeLink": - MessageLookupByLibrary.simpleMessage("Створити спільне посилання"), - "createCollage": MessageLookupByLibrary.simpleMessage("Створити колаж"), - "createNewAccount": MessageLookupByLibrary.simpleMessage( - "Створити новий обліковий запис"), - "createOrSelectAlbum": - MessageLookupByLibrary.simpleMessage("Створити або вибрати альбом"), - "createPublicLink": - MessageLookupByLibrary.simpleMessage("Створити публічне посилання"), - "creatingLink": - MessageLookupByLibrary.simpleMessage("Створення посилання..."), - "criticalUpdateAvailable": - MessageLookupByLibrary.simpleMessage("Доступне важливе оновлення"), - "crop": MessageLookupByLibrary.simpleMessage("Обрізати"), - "currentUsageIs": - MessageLookupByLibrary.simpleMessage("Поточне використання "), - "currentlyRunning": - MessageLookupByLibrary.simpleMessage("зараз працює"), - "custom": MessageLookupByLibrary.simpleMessage("Власне"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Темна"), - "dayToday": MessageLookupByLibrary.simpleMessage("Сьогодні"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Вчора"), - "declineTrustInvite": - MessageLookupByLibrary.simpleMessage("Відхилити запрошення"), - "decrypting": MessageLookupByLibrary.simpleMessage("Дешифрування..."), - "decryptingVideo": - MessageLookupByLibrary.simpleMessage("Розшифрування відео..."), - "deduplicateFiles": - MessageLookupByLibrary.simpleMessage("Усунути дублікати файлів"), - "delete": MessageLookupByLibrary.simpleMessage("Видалити"), - "deleteAccount": - MessageLookupByLibrary.simpleMessage("Видалити обліковий запис"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Нам шкода, що ви йдете. Будь ласка, поділіться своїм відгуком, щоб допомогти нам покращитися."), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Остаточно видалити обліковий запис"), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Видалити альбом"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Також видалити фотографії (і відео), які є в цьому альбомі, зі всіх інших альбомів, з яких вони складаються?"), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "Це призведе до видалення всіх пустих альбомів. Це зручно, коли ви бажаєте зменшити засмічення в списку альбомів."), - "deleteAll": MessageLookupByLibrary.simpleMessage("Видалити все"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "Цей обліковий запис пов\'язаний з іншими застосунками Ente, якщо ви ними користуєтесь. Завантажені вами дані з усіх застосунків Ente будуть заплановані до видалення, а ваш обліковий запис буде видалено назавжди."), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Будь ласка, надішліть електронного листа на account-deletion@ente.io зі скриньки, зазначеної при реєстрації."), - "deleteEmptyAlbums": - MessageLookupByLibrary.simpleMessage("Видалити пусті альбоми"), - "deleteEmptyAlbumsWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Видалити пусті альбоми?"), - "deleteFromBoth": - MessageLookupByLibrary.simpleMessage("Видалити з обох"), - "deleteFromDevice": - MessageLookupByLibrary.simpleMessage("Видалити з пристрою"), - "deleteFromEnte": - MessageLookupByLibrary.simpleMessage("Видалити з Ente"), - "deleteItemCount": m21, - "deleteLocation": - MessageLookupByLibrary.simpleMessage("Видалити розташування"), - "deletePhotos": MessageLookupByLibrary.simpleMessage("Видалити фото"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Мені бракує ключової функції"), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "Застосунок або певна функція не поводяться так, як я думаю, вони повинні"), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Я знайшов інший сервіс, який подобається мені більше"), - "deleteReason4": - MessageLookupByLibrary.simpleMessage("Причина не перерахована"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Ваш запит буде оброблений протягом 72 годин."), - "deleteSharedAlbum": - MessageLookupByLibrary.simpleMessage("Видалити спільний альбом?"), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "Альбом буде видалено для всіх\n\nВи втратите доступ до спільних фотографій у цьому альбомі, які належать іншим"), - "deselectAll": MessageLookupByLibrary.simpleMessage("Зняти виділення"), - "designedToOutlive": - MessageLookupByLibrary.simpleMessage("Створено, щоб пережити вас"), - "details": MessageLookupByLibrary.simpleMessage("Подробиці"), - "developerSettings": MessageLookupByLibrary.simpleMessage( - "Налаштування для розробників"), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Ви впевнені, що хочете змінити налаштування для розробників?"), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Введіть код"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "Файли, додані до цього альбому на пристрої, автоматично завантажаться до Ente."), - "deviceLock": - MessageLookupByLibrary.simpleMessage("Блокування пристрою"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Вимкніть блокування екрана пристрою, коли на передньому плані знаходиться Ente і виконується резервне копіювання. Зазвичай це не потрібно, але може допомогти швидше завершити великі вивантаження і початковий імпорт великих бібліотек."), - "deviceNotFound": - MessageLookupByLibrary.simpleMessage("Пристрій не знайдено"), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Чи знали ви?"), - "disableAutoLock": - MessageLookupByLibrary.simpleMessage("Вимкнути автоблокування"), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Переглядачі все ще можуть робити знімки екрана або зберігати копію ваших фотографій за допомогою зовнішніх інструментів"), - "disableDownloadWarningTitle": - MessageLookupByLibrary.simpleMessage("Зверніть увагу"), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "Вимкнути двоетапну перевірку"), - "disablingTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Вимкнення двоетапної перевірки..."), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Відкрийте для себе"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Немовлята"), - "discover_celebrations": - MessageLookupByLibrary.simpleMessage("Святкування"), - "discover_food": MessageLookupByLibrary.simpleMessage("Їжа"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Зелень"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Пагорби"), - "discover_identity": - MessageLookupByLibrary.simpleMessage("Особистість"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Меми"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Нотатки"), - "discover_pets": - MessageLookupByLibrary.simpleMessage("Домашні тварини"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Квитанції"), - "discover_screenshots": - MessageLookupByLibrary.simpleMessage("Знімки екрана"), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Селфі"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Захід сонця"), - "discover_visiting_cards": - MessageLookupByLibrary.simpleMessage("Візитівки"), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Шпалери"), - "dismiss": MessageLookupByLibrary.simpleMessage("Відхилити"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("км"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage("Не виходити"), - "doThisLater": - MessageLookupByLibrary.simpleMessage("Зробити це пізніше"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Ви хочете відхилити внесені зміни?"), - "done": MessageLookupByLibrary.simpleMessage("Готово"), - "doubleYourStorage": - MessageLookupByLibrary.simpleMessage("Подвоїти своє сховище"), - "download": MessageLookupByLibrary.simpleMessage("Завантажити"), - "downloadFailed": - MessageLookupByLibrary.simpleMessage("Не вдалося завантажити"), - "downloading": MessageLookupByLibrary.simpleMessage("Завантаження..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Редагувати"), - "editLocation": - MessageLookupByLibrary.simpleMessage("Змінити розташування"), - "editLocationTagTitle": - MessageLookupByLibrary.simpleMessage("Змінити розташування"), - "editPerson": MessageLookupByLibrary.simpleMessage("Редагувати особу"), - "editsSaved": MessageLookupByLibrary.simpleMessage("Зміни збережено"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Зміна розташування буде видима лише в Ente"), - "eligible": MessageLookupByLibrary.simpleMessage("придатний"), - "email": - MessageLookupByLibrary.simpleMessage("Адреса електронної пошти"), - "emailChangedTo": m29, - "emailNoEnteAccount": m31, - "emailVerificationToggle": - MessageLookupByLibrary.simpleMessage("Підтвердження через пошту"), - "emailYourLogs": MessageLookupByLibrary.simpleMessage( - "Відправте ваші журнали поштою"), - "emergencyContacts": - MessageLookupByLibrary.simpleMessage("Екстрені контакти"), - "empty": MessageLookupByLibrary.simpleMessage("Спорожнити"), - "emptyTrash": MessageLookupByLibrary.simpleMessage("Очистити смітник?"), - "enable": MessageLookupByLibrary.simpleMessage("Увімкнути"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "Ente підтримує машинне навчання для розпізнавання обличчя, магічний пошук та інші розширені функції пошуку"), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Увімкніть машинне навчання для магічного пошуку та розпізнавання облич"), - "enableMaps": MessageLookupByLibrary.simpleMessage("Увімкнути мапи"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "Це покаже ваші фотографії на мапі світу.\n\nЦя мапа розміщена на OpenStreetMap, і точне розташування ваших фотографій ніколи не розголошується.\n\nВи можете будь-коли вимкнути цю функцію в налаштуваннях."), - "enabled": MessageLookupByLibrary.simpleMessage("Увімкнено"), - "encryptingBackup": - MessageLookupByLibrary.simpleMessage("Шифруємо резервну копію..."), - "encryption": MessageLookupByLibrary.simpleMessage("Шифрування"), - "encryptionKeys": - MessageLookupByLibrary.simpleMessage("Ключі шифрування"), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Кінцева точка успішно оновлена"), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Наскрізне шифрування по стандарту"), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente може зашифрувати та зберігати файли тільки в тому випадку, якщо ви надасте до них доступ"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente потребує дозволу до ваших світлин"), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "Ente зберігає ваші спогади, тому вони завжди доступні для вас, навіть якщо ви втратите пристрій."), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Вашу сім\'ю також можна додати до вашого тарифу."), - "enterAlbumName": - MessageLookupByLibrary.simpleMessage("Введіть назву альбому"), - "enterCode": MessageLookupByLibrary.simpleMessage("Введіть код"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Введіть код, наданий вашим другом, щоби отримати безплатне сховище для вас обох"), - "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( - "День народження (необов\'язково)"), - "enterEmail": - MessageLookupByLibrary.simpleMessage("Введіть поштову адресу"), - "enterFileName": - MessageLookupByLibrary.simpleMessage("Введіть назву файлу"), - "enterName": MessageLookupByLibrary.simpleMessage("Введіть ім\'я"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Введіть новий пароль, який ми зможемо використати для шифрування ваших даних"), - "enterPassword": MessageLookupByLibrary.simpleMessage("Введіть пароль"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Введіть пароль, який ми зможемо використати для шифрування ваших даних"), - "enterPersonName": - MessageLookupByLibrary.simpleMessage("Введіть ім\'я особи"), - "enterPin": MessageLookupByLibrary.simpleMessage("Введіть PIN-код"), - "enterReferralCode": - MessageLookupByLibrary.simpleMessage("Введіть реферальний код"), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Введіть 6-значний код з\nвашого застосунку для автентифікації"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Будь ласка, введіть дійсну адресу електронної пошти."), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Введіть вашу адресу електронної пошти"), - "enterYourPassword": - MessageLookupByLibrary.simpleMessage("Введіть пароль"), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Введіть ваш ключ відновлення"), - "error": MessageLookupByLibrary.simpleMessage("Помилка"), - "everywhere": MessageLookupByLibrary.simpleMessage("всюди"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": - MessageLookupByLibrary.simpleMessage("Існуючий користувач"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Термін дії цього посилання минув. Будь ласка, виберіть новий час терміну дії або вимкніть це посилання."), - "exportLogs": - MessageLookupByLibrary.simpleMessage("Експортування журналів"), - "exportYourData": - MessageLookupByLibrary.simpleMessage("Експортувати дані"), - "extraPhotosFound": MessageLookupByLibrary.simpleMessage( - "Знайдено додаткові фотографії"), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Обличчя ще не згруповані, поверніться пізніше"), - "faceRecognition": - MessageLookupByLibrary.simpleMessage("Розпізнавання обличчя"), - "faces": MessageLookupByLibrary.simpleMessage("Обличчя"), - "failedToApplyCode": - MessageLookupByLibrary.simpleMessage("Не вдалося застосувати код"), - "failedToCancel": - MessageLookupByLibrary.simpleMessage("Не вдалося скасувати"), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( - "Не вдалося завантажити відео"), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Не вдалося отримати активні сеанси"), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Не вдалося отримати оригінал для редагування"), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Не вдається отримати відомості про реферала. Спробуйте ще раз пізніше."), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "Не вдалося завантажити альбоми"), - "failedToPlayVideo": - MessageLookupByLibrary.simpleMessage("Не вдалося відтворити відео"), - "failedToRefreshStripeSubscription": - MessageLookupByLibrary.simpleMessage( - "Не вдалося поновити підписку"), - "failedToRenew": - MessageLookupByLibrary.simpleMessage("Не вдалося поновити"), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Не вдалося перевірити стан платежу"), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Додайте 5 членів сім\'ї до чинного тарифу без додаткової плати.\n\nКожен член сім\'ї отримає власний приватний простір і не зможе бачити файли інших, доки обидва не нададуть до них спільний доступ.\n\nСімейні плани доступні клієнтам, які мають платну підписку на Ente.\n\nПідпишіться зараз, щоби розпочати!"), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Сім\'я"), - "familyPlans": MessageLookupByLibrary.simpleMessage("Сімейні тарифи"), - "faq": MessageLookupByLibrary.simpleMessage("ЧаПи"), - "faqs": MessageLookupByLibrary.simpleMessage("ЧаПи"), - "favorite": - MessageLookupByLibrary.simpleMessage("Додати до улюбленого"), - "feedback": MessageLookupByLibrary.simpleMessage("Зворотній зв’язок"), - "file": MessageLookupByLibrary.simpleMessage("Файл"), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Не вдалося зберегти файл до галереї"), - "fileInfoAddDescHint": - MessageLookupByLibrary.simpleMessage("Додати опис..."), - "fileNotUploadedYet": - MessageLookupByLibrary.simpleMessage("Файл ще не завантажено"), - "fileSavedToGallery": - MessageLookupByLibrary.simpleMessage("Файл збережено до галереї"), - "fileTypes": MessageLookupByLibrary.simpleMessage("Типи файлів"), - "fileTypesAndNames": - MessageLookupByLibrary.simpleMessage("Типи та назви файлів"), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage("Файли видалено"), - "filesSavedToGallery": - MessageLookupByLibrary.simpleMessage("Файли збережено до галереї"), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Швидко знаходьте людей за іменами"), - "findThemQuickly": - MessageLookupByLibrary.simpleMessage("Знайдіть їх швидко"), - "flip": MessageLookupByLibrary.simpleMessage("Відзеркалити"), - "forYourMemories": - MessageLookupByLibrary.simpleMessage("для ваших спогадів"), - "forgotPassword": - MessageLookupByLibrary.simpleMessage("Нагадати пароль"), - "foundFaces": MessageLookupByLibrary.simpleMessage("Знайдені обличчя"), - "freeStorageClaimed": - MessageLookupByLibrary.simpleMessage("Безплатне сховище отримано"), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Безплатне сховище можна використовувати"), - "freeTrial": - MessageLookupByLibrary.simpleMessage("Безплатний пробний період"), - "freeTrialValidTill": m38, - "freeUpAmount": m40, - "freeUpDeviceSpace": - MessageLookupByLibrary.simpleMessage("Звільніть місце на пристрої"), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Збережіть місце на вашому пристрої, очистивши файли, які вже збережено."), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("Звільнити місце"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "До 1000 спогадів, показаних у галереї"), - "general": MessageLookupByLibrary.simpleMessage("Загальні"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Створення ключів шифрування..."), - "genericProgress": m42, - "goToSettings": - MessageLookupByLibrary.simpleMessage("Перейти до налаштувань"), - "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Надайте доступ до всіх фотографій в налаштуваннях застосунку"), - "grantPermission": - MessageLookupByLibrary.simpleMessage("Надати дозвіл"), - "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( - "Групувати фотографії поблизу"), - "guestView": MessageLookupByLibrary.simpleMessage("Гостьовий перегляд"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "Щоб увімкнути гостьовий перегляд, встановіть пароль або блокування екрана в налаштуваннях системи."), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "Ми не відстежуємо встановлення застосунку. Але, якщо ви скажете нам, де ви нас знайшли, це допоможе!"), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Як ви дізналися про Ente? (необов\'язково)"), - "help": MessageLookupByLibrary.simpleMessage("Допомога"), - "hidden": MessageLookupByLibrary.simpleMessage("Приховано"), - "hide": MessageLookupByLibrary.simpleMessage("Приховати"), - "hideContent": MessageLookupByLibrary.simpleMessage("Приховати вміст"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Приховує вміст застосунку у перемикачі застосунків і вимикає знімки екрана"), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Приховує вміст застосунку у перемикачі застосунків"), - "hiding": MessageLookupByLibrary.simpleMessage("Приховуємо..."), - "hostedAtOsmFrance": - MessageLookupByLibrary.simpleMessage("Розміщення на OSM Франція"), - "howItWorks": MessageLookupByLibrary.simpleMessage("Як це працює"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Попросіть їх довго утримувати палець на свій поштовій адресі на екрані налаштувань і переконайтеся, що ідентифікатори на обох пристроях збігаються."), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Біометрична перевірка не встановлена на вашому пристрої. Увімкніть TouchID або FaceID на вашому телефоні."), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "Біометрична перевірка вимкнена. Заблокуйте і розблокуйте свій екран, щоб увімкнути її."), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("Гаразд"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ігнорувати"), - "ignored": MessageLookupByLibrary.simpleMessage("ігнорується"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Деякі файли в цьому альбомі ігноруються після вивантаження, тому що вони раніше були видалені з Ente."), - "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( - "Зображення не проаналізовано"), - "immediately": MessageLookupByLibrary.simpleMessage("Негайно"), - "importing": MessageLookupByLibrary.simpleMessage("Імпортування..."), - "incorrectCode": MessageLookupByLibrary.simpleMessage("Невірний код"), - "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("Невірний пароль"), - "incorrectRecoveryKey": - MessageLookupByLibrary.simpleMessage("Невірний ключ відновлення"), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "Ви ввели невірний ключ відновлення"), - "incorrectRecoveryKeyTitle": - MessageLookupByLibrary.simpleMessage("Невірний ключ відновлення"), - "indexedItems": - MessageLookupByLibrary.simpleMessage("Індексовані елементи"), - "info": MessageLookupByLibrary.simpleMessage("Інформація"), - "insecureDevice": - MessageLookupByLibrary.simpleMessage("Незахищений пристрій"), - "installManually": - MessageLookupByLibrary.simpleMessage("Встановити вручну"), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "Хибна адреса електронної пошти"), - "invalidEndpoint": - MessageLookupByLibrary.simpleMessage("Недійсна кінцева точка"), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Введена вами кінцева точка є недійсною. Введіть дійсну кінцеву точку та спробуйте ще раз."), - "invalidKey": MessageLookupByLibrary.simpleMessage("Невірний ключ"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Уведений вами ключ відновлення недійсний. Переконайтеся, що він містить 24 слова, і перевірте правильність написання кожного з них.\n\nЯкщо ви ввели старіший код відновлення, переконайтеся, що він складається з 64 символів, і перевірте кожен з них."), - "invite": MessageLookupByLibrary.simpleMessage("Запросити"), - "inviteToEnte": - MessageLookupByLibrary.simpleMessage("Запросити до Ente"), - "inviteYourFriends": - MessageLookupByLibrary.simpleMessage("Запросити своїх друзів"), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "Запросіть своїх друзів до Ente"), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Схоже, що щось пішло не так. Спробуйте ще раз через деякий час. Якщо помилка не зникне, зв\'яжіться з нашою командою підтримки."), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "Елементи показують кількість днів, що залишилися до остаточного видалення"), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Вибрані елементи будуть видалені з цього альбому"), - "joinDiscord": MessageLookupByLibrary.simpleMessage( - "Приєднатися до Discord серверу"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Залишити фото"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("км"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Будь ласка, допоможіть нам із цією інформацією"), - "language": MessageLookupByLibrary.simpleMessage("Мова"), - "lastUpdated": - MessageLookupByLibrary.simpleMessage("Востаннє оновлено"), - "leave": MessageLookupByLibrary.simpleMessage("Покинути"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Покинути альбом"), - "leaveFamily": MessageLookupByLibrary.simpleMessage("Покинути сім\'ю"), - "leaveSharedAlbum": - MessageLookupByLibrary.simpleMessage("Покинути спільний альбом?"), - "left": MessageLookupByLibrary.simpleMessage("Ліворуч"), - "legacy": MessageLookupByLibrary.simpleMessage("Спадок"), - "legacyAccounts": - MessageLookupByLibrary.simpleMessage("Облікові записи «Спадку»"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "«Спадок» дозволяє довіреним контактам отримати доступ до вашого облікового запису під час вашої відсутності."), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "Довірені контакти можуть ініціювати відновлення облікового запису, і якщо його не буде заблоковано протягом 30 днів, скинути пароль і отримати доступ до нього."), - "light": MessageLookupByLibrary.simpleMessage("Яскравість"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Світла"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Посилання скопійовано в буфер обміну"), - "linkDeviceLimit": - MessageLookupByLibrary.simpleMessage("Досягнуто ліміту пристроїв"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Увімкнено"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Закінчився"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage( - "Термін дії посилання закінчився"), - "linkHasExpired": - MessageLookupByLibrary.simpleMessage("Посилання прострочено"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Ніколи"), - "livePhotos": MessageLookupByLibrary.simpleMessage("Живі фото"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "Ви можете поділитися своєю передплатою з родиною"), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "Ми зберігаємо 3 копії ваших даних, одну в підземному бункері"), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "Всі наші застосунки мають відкритий код"), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Наш вихідний код та шифрування пройшли перевірку спільнотою"), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "Ви можете поділитися посиланнями на свої альбоми з близькими"), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Наші мобільні застосунки працюють у фоновому режимі для шифрування і створення резервних копій будь-яких нових фотографій, які ви виберете"), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io має зручний завантажувач"), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Ми використовуємо Xchacha20Poly1305 для безпечного шифрування ваших даних"), - "loadingExifData": - MessageLookupByLibrary.simpleMessage("Завантаження даних EXIF..."), - "loadingGallery": - MessageLookupByLibrary.simpleMessage("Завантаження галереї..."), - "loadingMessage": MessageLookupByLibrary.simpleMessage( - "Завантажуємо ваші фотографії..."), - "loadingModel": - MessageLookupByLibrary.simpleMessage("Завантаження моделей..."), - "loadingYourPhotos": - MessageLookupByLibrary.simpleMessage("Завантажуємо фотографії..."), - "localGallery": - MessageLookupByLibrary.simpleMessage("Локальна галерея"), - "localIndexing": - MessageLookupByLibrary.simpleMessage("Локальне індексування"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Схоже, щось пішло не так, оскільки локальна синхронізація фотографій займає більше часу, ніж очікувалося. Зверніться до нашої служби підтримки"), - "location": MessageLookupByLibrary.simpleMessage("Розташування"), - "locationName": - MessageLookupByLibrary.simpleMessage("Назва місце розташування"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Тег розташування групує всі фотографії, які були зроблені в певному радіусі від фотографії"), - "locations": MessageLookupByLibrary.simpleMessage("Розташування"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Заблокувати"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Екран блокування"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Увійти"), - "loggingOut": - MessageLookupByLibrary.simpleMessage("Вихід із системи..."), - "loginSessionExpired": - MessageLookupByLibrary.simpleMessage("Час сеансу минув"), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "Термін дії вашого сеансу завершився. Увійдіть знову."), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Натискаючи «Увійти», я приймаю умови використання і політику приватності"), - "loginWithTOTP": - MessageLookupByLibrary.simpleMessage("Увійти за допомогою TOTP"), - "logout": MessageLookupByLibrary.simpleMessage("Вийти"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Це призведе до надсилання журналів, які допоможуть нам усунути вашу проблему. Зверніть увагу, що назви файлів будуть включені, щоби допомогти відстежувати проблеми з конкретними файлами."), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Довго утримуйте поштову адресу, щоб перевірити наскрізне шифрування."), - "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( - "Натисніть і утримуйте елемент для перегляду в повноекранному режимі"), - "loopVideoOff": - MessageLookupByLibrary.simpleMessage("Вимкнено зациклювання відео"), - "loopVideoOn": MessageLookupByLibrary.simpleMessage( - "Увімкнено зациклювання відео"), - "lostDevice": - MessageLookupByLibrary.simpleMessage("Загубили пристрій?"), - "machineLearning": - MessageLookupByLibrary.simpleMessage("Машинне навчання"), - "magicSearch": MessageLookupByLibrary.simpleMessage("Магічний пошук"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "Магічний пошук дозволяє шукати фотографії за їхнім вмістом, наприклад «квітка», «червоне авто» «паспорт»"), - "manage": MessageLookupByLibrary.simpleMessage("Керування"), - "manageDeviceStorage": - MessageLookupByLibrary.simpleMessage("Керування кешем пристрою"), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Переглянути та очистити локальне сховище кешу."), - "manageFamily": - MessageLookupByLibrary.simpleMessage("Керування сім\'єю"), - "manageLink": - MessageLookupByLibrary.simpleMessage("Керувати посиланням"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Керування"), - "manageSubscription": - MessageLookupByLibrary.simpleMessage("Керування передплатою"), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "Створення пари з PIN-кодом працює з будь-яким екраном, на яку ви хочете переглянути альбом."), - "map": MessageLookupByLibrary.simpleMessage("Мапа"), - "maps": MessageLookupByLibrary.simpleMessage("Мапи"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "merchandise": MessageLookupByLibrary.simpleMessage("Товари"), - "mergeWithExisting": - MessageLookupByLibrary.simpleMessage("Об\'єднати з наявним"), - "mergedPhotos": - MessageLookupByLibrary.simpleMessage("Об\'єднані фотографії"), - "mlConsent": - MessageLookupByLibrary.simpleMessage("Увімкнути машинне навчання"), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Я розумію, та бажаю увімкнути машинне навчання"), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Якщо увімкнути машинне навчання, Ente вилучатиме інформацію, наприклад геометрію обличчя з файлів, включно з тими, хто поділився з вами.\n\nЦе відбуватиметься на вашому пристрої, і будь-яка згенерована біометрична інформація буде наскрізно зашифрована."), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Натисніть тут для більш детальної інформації про цю функцію в нашій політиці приватності"), - "mlConsentTitle": - MessageLookupByLibrary.simpleMessage("Увімкнути машинне навчання?"), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Зверніть увагу, що машинне навчання призведе до збільшення пропускної здатності та споживання заряду батареї, поки не будуть проіндексовані всі елементи. Для прискорення індексації скористайтеся настільним застосунком, всі результати будуть синхронізовані автоматично."), - "mobileWebDesktop": - MessageLookupByLibrary.simpleMessage("Смартфон, Вебсайт, ПК"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Середній"), - "modifyYourQueryOrTrySearchingFor": - MessageLookupByLibrary.simpleMessage( - "Змініть ваш запит або спробуйте знайти"), - "moments": MessageLookupByLibrary.simpleMessage("Моменти"), - "month": MessageLookupByLibrary.simpleMessage("місяць"), - "monthly": MessageLookupByLibrary.simpleMessage("Щомісяця"), - "moreDetails": MessageLookupByLibrary.simpleMessage("Детальніше"), - "mostRecent": MessageLookupByLibrary.simpleMessage("Останні"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("Найактуальніші"), - "moveToAlbum": - MessageLookupByLibrary.simpleMessage("Перемістити до альбому"), - "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Перемістити до прихованого альбому"), - "movedSuccessfullyTo": m52, - "movedToTrash": - MessageLookupByLibrary.simpleMessage("Переміщено у смітник"), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Переміщуємо файли до альбому..."), - "name": MessageLookupByLibrary.simpleMessage("Назва"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Назвіть альбом"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Не вдалося під\'єднатися до Ente. Спробуйте ще раз через деякий час. Якщо помилка не зникне, зв\'яжіться з нашою командою підтримки."), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Не вдалося під\'єднатися до Ente. Перевірте налаштування мережі. Зверніться до нашої команди підтримки, якщо помилка залишиться."), - "never": MessageLookupByLibrary.simpleMessage("Ніколи"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Новий альбом"), - "newLocation": - MessageLookupByLibrary.simpleMessage("Нове розташування"), - "newPerson": MessageLookupByLibrary.simpleMessage("Нова особа"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Уперше на Ente"), - "newest": MessageLookupByLibrary.simpleMessage("Найновіші"), - "next": MessageLookupByLibrary.simpleMessage("Далі"), - "no": MessageLookupByLibrary.simpleMessage("Ні"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Ви ще не поділилися жодним альбомом"), - "noDeviceFound": MessageLookupByLibrary.simpleMessage( - "Не знайдено жодного пристрою"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Немає"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "У вас не маєте файлів на цьому пристрої, які можна видалити"), - "noDuplicates": - MessageLookupByLibrary.simpleMessage("✨ Немає дублікатів"), - "noExifData": MessageLookupByLibrary.simpleMessage("Немає даних EXIF"), - "noFacesFound": - MessageLookupByLibrary.simpleMessage("Обличчя не знайдено"), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "Немає прихованих фотографій чи відео"), - "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( - "Немає зображень з розташуванням"), - "noInternetConnection": - MessageLookupByLibrary.simpleMessage("Немає з’єднання з мережею"), - "noPhotosAreBeingBackedUpRightNow": - MessageLookupByLibrary.simpleMessage( - "Наразі немає резервних копій фотографій"), - "noPhotosFoundHere": - MessageLookupByLibrary.simpleMessage("Тут немає фотографій"), - "noQuickLinksSelected": - MessageLookupByLibrary.simpleMessage("Не вибрано швидких посилань"), - "noRecoveryKey": - MessageLookupByLibrary.simpleMessage("Немає ключа відновлення?"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Через природу нашого кінцевого протоколу шифрування, ваші дані не можуть бути розшифровані без вашого пароля або ключа відновлення"), - "noResults": MessageLookupByLibrary.simpleMessage("Немає результатів"), - "noResultsFound": - MessageLookupByLibrary.simpleMessage("Нічого не знайдено"), - "noSuggestionsForPerson": m53, - "noSystemLockFound": MessageLookupByLibrary.simpleMessage( - "Не знайдено системного блокування"), - "notPersonLabel": m54, - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "Поки що з вами ніхто не поділився"), - "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( - "Тут немає на що дивитися! 👀"), - "notifications": MessageLookupByLibrary.simpleMessage("Сповіщення"), - "ok": MessageLookupByLibrary.simpleMessage("Добре"), - "onDevice": MessageLookupByLibrary.simpleMessage("На пристрої"), - "onEnte": - MessageLookupByLibrary.simpleMessage("В Ente"), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Тільки вони"), - "oops": MessageLookupByLibrary.simpleMessage("От халепа"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Ой, не вдалося зберегти зміни"), - "oopsSomethingWentWrong": - MessageLookupByLibrary.simpleMessage("Йой, щось пішло не так"), - "openAlbumInBrowser": - MessageLookupByLibrary.simpleMessage("Відкрити альбом у браузері"), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Використовуйте вебзастосунок, щоби додавати фотографії до цього альбому"), - "openFile": MessageLookupByLibrary.simpleMessage("Відкрити файл"), - "openSettings": - MessageLookupByLibrary.simpleMessage("Відкрити налаштування"), - "openTheItem": - MessageLookupByLibrary.simpleMessage("• Відкрити елемент"), - "openstreetmapContributors": - MessageLookupByLibrary.simpleMessage("Учасники OpenStreetMap"), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Необов\'язково, так коротко, як ви хочете..."), - "orMergeWithExistingPerson": - MessageLookupByLibrary.simpleMessage("Або об\'єднати з наявними"), - "orPickAnExistingOne": - MessageLookupByLibrary.simpleMessage("Або виберіть наявну"), - "pair": MessageLookupByLibrary.simpleMessage("Створити пару"), - "pairWithPin": - MessageLookupByLibrary.simpleMessage("Під’єднатися через PIN-код"), - "pairingComplete": - MessageLookupByLibrary.simpleMessage("Створення пари завершено"), - "panorama": MessageLookupByLibrary.simpleMessage("Панорама"), - "passKeyPendingVerification": - MessageLookupByLibrary.simpleMessage("Перевірка все ще триває"), - "passkey": MessageLookupByLibrary.simpleMessage("Ключ доступу"), - "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( - "Перевірка через ключ доступу"), - "password": MessageLookupByLibrary.simpleMessage("Пароль"), - "passwordChangedSuccessfully": - MessageLookupByLibrary.simpleMessage("Пароль успішно змінено"), - "passwordLock": - MessageLookupByLibrary.simpleMessage("Блокування паролем"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "Надійність пароля розраховується з урахуванням довжини пароля, використаних символів, а також того, чи входить пароль у топ 10 000 найбільш використовуваних паролів"), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Ми не зберігаємо цей пароль, тому, якщо ви його забудете, ми не зможемо розшифрувати ваші дані"), - "paymentDetails": - MessageLookupByLibrary.simpleMessage("Деталі платежу"), - "paymentFailed": - MessageLookupByLibrary.simpleMessage("Не вдалося оплатити"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "На жаль, ваш платіж не вдався. Зв\'яжіться зі службою підтримки і ми вам допоможемо!"), - "paymentFailedTalkToProvider": m58, - "pendingItems": - MessageLookupByLibrary.simpleMessage("Елементи на розгляді"), - "pendingSync": - MessageLookupByLibrary.simpleMessage("Очікування синхронізації"), - "people": MessageLookupByLibrary.simpleMessage("Люди"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Люди, які використовують ваш код"), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Усі елементи смітника будуть остаточно видалені\n\nЦю дію не можна скасувати"), - "permanentlyDelete": - MessageLookupByLibrary.simpleMessage("Остаточно видалити"), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Остаточно видалити з пристрою?"), - "personName": MessageLookupByLibrary.simpleMessage("Ім\'я особи"), - "photoDescriptions": - MessageLookupByLibrary.simpleMessage("Опис фотографії"), - "photoGridSize": - MessageLookupByLibrary.simpleMessage("Розмір сітки фотографій"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("фото"), - "photos": MessageLookupByLibrary.simpleMessage("Фото"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "Додані вами фотографії будуть видалені з альбому"), - "pickCenterPoint": - MessageLookupByLibrary.simpleMessage("Вкажіть центральну точку"), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Закріпити альбом"), - "pinLock": MessageLookupByLibrary.simpleMessage("Блокування PIN-кодом"), - "playOnTv": - MessageLookupByLibrary.simpleMessage("Відтворити альбом на ТБ"), - "playStoreFreeTrialValidTill": m63, - "playstoreSubscription": - MessageLookupByLibrary.simpleMessage("Передплата Play Store"), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Перевірте з\'єднання з мережею та спробуйте ще раз."), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Зв\'яжіться з support@ente.io і ми будемо раді допомогти!"), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Зверніться до служби підтримки, якщо проблема не зникне"), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": - MessageLookupByLibrary.simpleMessage("Надайте дозволи"), - "pleaseLoginAgain": - MessageLookupByLibrary.simpleMessage("Увійдіть знову"), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Виберіть посилання для видалення"), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": - MessageLookupByLibrary.simpleMessage("Спробуйте ще раз"), - "pleaseVerifyTheCodeYouHaveEntered": - MessageLookupByLibrary.simpleMessage("Підтвердьте введений код"), - "pleaseWait": - MessageLookupByLibrary.simpleMessage("Будь ласка, зачекайте..."), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Зачекайте на видалення альбому"), - "pleaseWaitForSometimeBeforeRetrying": - MessageLookupByLibrary.simpleMessage( - "Зачекайте деякий час перед повторною спробою"), - "preparingLogs": - MessageLookupByLibrary.simpleMessage("Підготовка журналів..."), - "preserveMore": MessageLookupByLibrary.simpleMessage("Зберегти більше"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Натисніть та утримуйте, щоб відтворити відео"), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Натисніть та утримуйте на зображення, щоби відтворити відео"), - "privacy": MessageLookupByLibrary.simpleMessage("Приватність"), - "privacyPolicyTitle": - MessageLookupByLibrary.simpleMessage("Політика приватності"), - "privateBackups": - MessageLookupByLibrary.simpleMessage("Приватні резервні копії"), - "privateSharing": - MessageLookupByLibrary.simpleMessage("Приватне поширення"), - "proceed": MessageLookupByLibrary.simpleMessage("Продовжити"), - "processingImport": m67, - "publicLinkCreated": - MessageLookupByLibrary.simpleMessage("Публічне посилання створено"), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( - "Публічне посилання увімкнено"), - "quickLinks": MessageLookupByLibrary.simpleMessage("Швидкі посилання"), - "radius": MessageLookupByLibrary.simpleMessage("Радіус"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Подати заявку"), - "rateTheApp": - MessageLookupByLibrary.simpleMessage("Оцініть застосунок"), - "rateUs": MessageLookupByLibrary.simpleMessage("Оцініть нас"), - "rateUsOnStore": m68, - "recover": MessageLookupByLibrary.simpleMessage("Відновити"), - "recoverAccount": - MessageLookupByLibrary.simpleMessage("Відновити обліковий запис"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Відновлення"), - "recoveryAccount": - MessageLookupByLibrary.simpleMessage("Відновити обліковий запис"), - "recoveryInitiated": - MessageLookupByLibrary.simpleMessage("Почато відновлення"), - "recoveryInitiatedDesc": m70, - "recoveryKey": MessageLookupByLibrary.simpleMessage("Ключ відновлення"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Ключ відновлення скопійовано в буфер обміну"), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Якщо ви забудете свій пароль, то єдиний спосіб відновити ваші дані – за допомогою цього ключа."), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Ми не зберігаємо цей ключ, збережіть цей ключ із 24 слів в надійному місці."), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Чудово! Ваш ключ відновлення дійсний. Дякуємо за перевірку.\n\nНе забувайте надійно зберігати ключ відновлення."), - "recoveryKeyVerified": - MessageLookupByLibrary.simpleMessage("Ключ відновлення перевірено"), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Ключ відновлення — це єдиний спосіб відновити фотографії, якщо ви забули пароль. Ви можете знайти свій ключ в розділі «Налаштування» > «Обліковий запис».\n\nВведіть ключ відновлення тут, щоб перевірити, чи правильно ви його зберегли."), - "recoveryReady": m71, - "recoverySuccessful": - MessageLookupByLibrary.simpleMessage("Відновлення успішне!"), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "Довірений контакт намагається отримати доступ до вашого облікового запису"), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "Ваш пристрій недостатньо потужний для перевірки пароля, але ми можемо відновити його таким чином, щоб він працював на всіх пристроях.\n\nУвійдіть за допомогою ключа відновлення та відновіть свій пароль (за бажанням ви можете використати той самий ключ знову)."), - "recreatePasswordTitle": - MessageLookupByLibrary.simpleMessage("Повторно створити пароль"), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": - MessageLookupByLibrary.simpleMessage("Введіть пароль ще раз"), - "reenterPin": - MessageLookupByLibrary.simpleMessage("Введіть PIN-код ще раз"), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Запросіть друзів та подвойте свій план"), - "referralStep1": - MessageLookupByLibrary.simpleMessage("1. Дайте цей код друзям"), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Вони оформлюють передплату"), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Реферали"), - "referralsAreCurrentlyPaused": - MessageLookupByLibrary.simpleMessage("Реферали зараз призупинені"), - "rejectRecovery": - MessageLookupByLibrary.simpleMessage("Відхилити відновлення"), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "Також очистьте «Нещодавно видалено» в «Налаштування» -> «Сховище», щоб отримати вільне місце"), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Також очистьте «Смітник», щоб звільнити місце"), - "remoteImages": - MessageLookupByLibrary.simpleMessage("Віддалені зображення"), - "remoteThumbnails": - MessageLookupByLibrary.simpleMessage("Віддалені мініатюри"), - "remoteVideos": MessageLookupByLibrary.simpleMessage("Віддалені відео"), - "remove": MessageLookupByLibrary.simpleMessage("Вилучити"), - "removeDuplicates": - MessageLookupByLibrary.simpleMessage("Вилучити дублікати"), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Перегляньте та видаліть файли, які є точними дублікатами."), - "removeFromAlbum": - MessageLookupByLibrary.simpleMessage("Видалити з альбому"), - "removeFromAlbumTitle": - MessageLookupByLibrary.simpleMessage("Видалити з альбому?"), - "removeFromFavorite": - MessageLookupByLibrary.simpleMessage("Вилучити з улюбленого"), - "removeInvite": - MessageLookupByLibrary.simpleMessage("Видалити запрошення"), - "removeLink": - MessageLookupByLibrary.simpleMessage("Вилучити посилання"), - "removeParticipant": - MessageLookupByLibrary.simpleMessage("Видалити учасника"), - "removeParticipantBody": m74, - "removePersonLabel": - MessageLookupByLibrary.simpleMessage("Видалити мітку особи"), - "removePublicLink": - MessageLookupByLibrary.simpleMessage("Видалити публічне посилання"), - "removePublicLinks": - MessageLookupByLibrary.simpleMessage("Видалити публічні посилання"), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Деякі речі, які ви видаляєте були додані іншими людьми, ви втратите доступ до них"), - "removeWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Видалити?"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Видалити себе як довірений контакт"), - "removingFromFavorites": - MessageLookupByLibrary.simpleMessage("Видалення з обраного..."), - "rename": MessageLookupByLibrary.simpleMessage("Перейменувати"), - "renameAlbum": - MessageLookupByLibrary.simpleMessage("Перейменувати альбом"), - "renameFile": - MessageLookupByLibrary.simpleMessage("Перейменувати файл"), - "renewSubscription": - MessageLookupByLibrary.simpleMessage("Поновити передплату"), - "renewsOn": m75, - "reportABug": - MessageLookupByLibrary.simpleMessage("Повідомити про помилку"), - "reportBug": - MessageLookupByLibrary.simpleMessage("Повідомити про помилку"), - "resendEmail": - MessageLookupByLibrary.simpleMessage("Повторно надіслати лист"), - "resetIgnoredFiles": - MessageLookupByLibrary.simpleMessage("Скинути ігноровані файли"), - "resetPasswordTitle": - MessageLookupByLibrary.simpleMessage("Скинути пароль"), - "resetPerson": MessageLookupByLibrary.simpleMessage("Вилучити"), - "resetToDefault": - MessageLookupByLibrary.simpleMessage("Скинути до типових"), - "restore": MessageLookupByLibrary.simpleMessage("Відновити"), - "restoreToAlbum": - MessageLookupByLibrary.simpleMessage("Відновити в альбомі"), - "restoringFiles": - MessageLookupByLibrary.simpleMessage("Відновлюємо файли..."), - "resumableUploads": MessageLookupByLibrary.simpleMessage( - "Завантаження з можливістю відновлення"), - "retry": MessageLookupByLibrary.simpleMessage("Повторити"), - "review": MessageLookupByLibrary.simpleMessage("Оцінити"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Перегляньте та видаліть елементи, які, на вашу думку, є дублікатами."), - "reviewSuggestions": - MessageLookupByLibrary.simpleMessage("Переглянути пропозиції"), - "right": MessageLookupByLibrary.simpleMessage("Праворуч"), - "rotate": MessageLookupByLibrary.simpleMessage("Обернути"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Повернути ліворуч"), - "rotateRight": - MessageLookupByLibrary.simpleMessage("Повернути праворуч"), - "safelyStored": - MessageLookupByLibrary.simpleMessage("Безпечне збереження"), - "save": MessageLookupByLibrary.simpleMessage("Зберегти"), - "saveCollage": MessageLookupByLibrary.simpleMessage("Зберегти колаж"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Зберегти копію"), - "saveKey": MessageLookupByLibrary.simpleMessage("Зберегти ключ"), - "savePerson": MessageLookupByLibrary.simpleMessage("Зберегти особу"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Збережіть ваш ключ відновлення, якщо ви ще цього не зробили"), - "saving": MessageLookupByLibrary.simpleMessage("Зберігаємо..."), - "savingEdits": - MessageLookupByLibrary.simpleMessage("Зберігаємо зміни..."), - "scanCode": MessageLookupByLibrary.simpleMessage("Сканувати код"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Зіскануйте цей штрихкод за допомогою\nвашого застосунку для автентифікації"), - "search": MessageLookupByLibrary.simpleMessage("Пошук"), - "searchAlbumsEmptySection": - MessageLookupByLibrary.simpleMessage("Альбоми"), - "searchByAlbumNameHint": - MessageLookupByLibrary.simpleMessage("Назва альбому"), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Назви альбомів (наприклад, «Камера»)\n• Типи файлів (наприклад, «Відео», «.gif»)\n• Роки та місяці (наприклад, «2022», «січень»)\n• Свята (наприклад, «Різдво»)\n• Описи фотографій (наприклад, «#fun»)"), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Додавайте такі описи як «#подорож» в інформацію про фотографію, щоб швидко знайти їх тут"), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Шукати за датою, місяцем або роком"), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "Зображення будуть показані тут після завершення оброблення та синхронізації"), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "Люди будуть показані тут після завершення індексації"), - "searchFileTypesAndNamesEmptySection": - MessageLookupByLibrary.simpleMessage("Типи та назви файлів"), - "searchHint1": - MessageLookupByLibrary.simpleMessage("Швидкий пошук на пристрої"), - "searchHint2": MessageLookupByLibrary.simpleMessage("Дати, описи фото"), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "Альбоми, назви та типи файлів"), - "searchHint4": MessageLookupByLibrary.simpleMessage("Розташування"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "Незабаром: Обличчя і магічний пошук ✨"), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Групові фотографії, які зроблені в певному радіусі від фотографії"), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "Запросіть людей, і ви побачите всі фотографії, якими вони поділилися, тут"), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "Люди будуть показані тут після завершення оброблення та синхронізації"), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Безпека"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "Посилання на публічні альбоми в застосунку"), - "selectALocation": - MessageLookupByLibrary.simpleMessage("Виберіть місце"), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage( - "Спочатку виберіть розташування"), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Вибрати альбом"), - "selectAll": MessageLookupByLibrary.simpleMessage("Вибрати все"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("Усі"), - "selectCoverPhoto": - MessageLookupByLibrary.simpleMessage("Вибрати обкладинку"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Оберіть теки для резервного копіювання"), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "Виберіть елементи для додавання"), - "selectLanguage": MessageLookupByLibrary.simpleMessage("Виберіть мову"), - "selectMailApp": - MessageLookupByLibrary.simpleMessage("Вибрати застосунок пошти"), - "selectMorePhotos": - MessageLookupByLibrary.simpleMessage("Вибрати більше фотографій"), - "selectReason": MessageLookupByLibrary.simpleMessage("Оберіть причину"), - "selectYourPlan": MessageLookupByLibrary.simpleMessage("Оберіть тариф"), - "selectedFilesAreNotOnEnte": - MessageLookupByLibrary.simpleMessage("Вибрані файли не на Ente"), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Вибрані теки будуть зашифровані й створені резервні копії"), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Вибрані елементи будуть видалені з усіх альбомів і переміщені в смітник."), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "send": MessageLookupByLibrary.simpleMessage("Надіслати"), - "sendEmail": MessageLookupByLibrary.simpleMessage( - "Надіслати електронного листа"), - "sendInvite": - MessageLookupByLibrary.simpleMessage("Надіслати запрошення"), - "sendLink": MessageLookupByLibrary.simpleMessage("Надіслати посилання"), - "serverEndpoint": - MessageLookupByLibrary.simpleMessage("Кінцева точка сервера"), - "sessionExpired": - MessageLookupByLibrary.simpleMessage("Час сеансу минув"), - "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( - "Невідповідність ідентифікатора сеансу"), - "setAPassword": - MessageLookupByLibrary.simpleMessage("Встановити пароль"), - "setAs": MessageLookupByLibrary.simpleMessage("Встановити як"), - "setCover": - MessageLookupByLibrary.simpleMessage("Встановити обкладинку"), - "setLabel": MessageLookupByLibrary.simpleMessage("Встановити"), - "setNewPassword": - MessageLookupByLibrary.simpleMessage("Встановити новий пароль"), - "setNewPin": - MessageLookupByLibrary.simpleMessage("Встановити новий PIN-код"), - "setPasswordTitle": - MessageLookupByLibrary.simpleMessage("Встановити пароль"), - "setRadius": MessageLookupByLibrary.simpleMessage("Встановити радіус"), - "setupComplete": - MessageLookupByLibrary.simpleMessage("Налаштування завершено"), - "share": MessageLookupByLibrary.simpleMessage("Поділитися"), - "shareALink": - MessageLookupByLibrary.simpleMessage("Поділитися посиланням"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Відкрийте альбом та натисніть кнопку «Поділитися» у верхньому правому куті."), - "shareAnAlbumNow": - MessageLookupByLibrary.simpleMessage("Поділитися альбомом зараз"), - "shareLink": - MessageLookupByLibrary.simpleMessage("Поділитися посиланням"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Поділіться тільки з тими людьми, якими ви хочете"), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Завантажте Ente для того, щоб легко поділитися фотографіями оригінальної якості та відео\n\nhttps://ente.io"), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Поділитися з користувачами без Ente"), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( - "Поділитися вашим першим альбомом"), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Створюйте спільні альбоми з іншими користувачами Ente, включно з користувачами безплатних тарифів."), - "sharedByMe": MessageLookupByLibrary.simpleMessage("Поділився мною"), - "sharedByYou": MessageLookupByLibrary.simpleMessage("Поділилися вами"), - "sharedPhotoNotifications": - MessageLookupByLibrary.simpleMessage("Нові спільні фотографії"), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Отримувати сповіщення, коли хтось додасть фото до спільного альбому, в якому ви перебуваєте"), - "sharedWith": m87, - "sharedWithMe": - MessageLookupByLibrary.simpleMessage("Поділитися зі мною"), - "sharedWithYou": - MessageLookupByLibrary.simpleMessage("Поділилися з вами"), - "sharing": MessageLookupByLibrary.simpleMessage("Відправлення..."), - "showMemories": - MessageLookupByLibrary.simpleMessage("Показати спогади"), - "showPerson": MessageLookupByLibrary.simpleMessage("Показати особу"), - "signOutFromOtherDevices": - MessageLookupByLibrary.simpleMessage("Вийти на інших пристроях"), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Якщо ви думаєте, що хтось може знати ваш пароль, ви можете примусити всі інші пристрої, які використовують ваш обліковий запис, вийти із системи."), - "signOutOtherDevices": - MessageLookupByLibrary.simpleMessage("Вийти на інших пристроях"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Я приймаю умови використання і політику приватності"), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Воно буде видалено з усіх альбомів."), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Пропустити"), - "social": MessageLookupByLibrary.simpleMessage("Соцмережі"), - "someItemsAreInBothEnteAndYourDevice": - MessageLookupByLibrary.simpleMessage( - "Деякі елементи знаходяться на Ente та вашому пристрої."), - "someOfTheFilesYouAreTryingToDeleteAre": - MessageLookupByLibrary.simpleMessage( - "Деякі файли, які ви намагаєтеся видалити, доступні лише на вашому пристрої, і їх неможливо відновити"), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Той, хто ділиться з вами альбомами, повинен бачити той самий ідентифікатор на своєму пристрої."), - "somethingWentWrong": - MessageLookupByLibrary.simpleMessage("Щось пішло не так"), - "somethingWentWrongPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Щось пішло не так, будь ласка, спробуйте знову"), - "sorry": MessageLookupByLibrary.simpleMessage("Пробачте"), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Неможливо додати до обраного!"), - "sorryCouldNotRemoveFromFavorites": - MessageLookupByLibrary.simpleMessage( - "Не вдалося видалити з обраного!"), - "sorryTheCodeYouveEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "Вибачте, але введений вами код є невірним"), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "На жаль, на цьому пристрої не вдалося створити безпечні ключі.\n\nЗареєструйтесь з іншого пристрою."), - "sort": MessageLookupByLibrary.simpleMessage("Сортувати"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Сортувати за"), - "sortNewestFirst": - MessageLookupByLibrary.simpleMessage("Спочатку найновіші"), - "sortOldestFirst": - MessageLookupByLibrary.simpleMessage("Спочатку найстаріші"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Успішно"), - "startAccountRecoveryTitle": - MessageLookupByLibrary.simpleMessage("Почати відновлення"), - "startBackup": - MessageLookupByLibrary.simpleMessage("Почати резервне копіювання"), - "status": MessageLookupByLibrary.simpleMessage("Стан"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "Ви хочете припинити трансляцію?"), - "stopCastingTitle": - MessageLookupByLibrary.simpleMessage("Припинити трансляцію"), - "storage": MessageLookupByLibrary.simpleMessage("Сховище"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Сім\'я"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Ви"), - "storageInGB": m93, - "storageLimitExceeded": - MessageLookupByLibrary.simpleMessage("Перевищено ліміт сховища"), - "storageUsageInfo": m94, - "strongStrength": MessageLookupByLibrary.simpleMessage("Надійний"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Передплачувати"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Вам потрібна активна передплата, щоб увімкнути спільне поширення."), - "subscription": MessageLookupByLibrary.simpleMessage("Передплата"), - "success": MessageLookupByLibrary.simpleMessage("Успішно"), - "successfullyArchived": - MessageLookupByLibrary.simpleMessage("Успішно архівовано"), - "successfullyHid": - MessageLookupByLibrary.simpleMessage("Успішно приховано"), - "successfullyUnarchived": - MessageLookupByLibrary.simpleMessage("Успішно розархівовано"), - "successfullyUnhid": - MessageLookupByLibrary.simpleMessage("Успішно показано"), - "suggestFeatures": - MessageLookupByLibrary.simpleMessage("Запропонувати нові функції"), - "support": MessageLookupByLibrary.simpleMessage("Підтримка"), - "syncProgress": m97, - "syncStopped": - MessageLookupByLibrary.simpleMessage("Синхронізацію зупинено"), - "syncing": MessageLookupByLibrary.simpleMessage("Синхронізуємо..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("Як в системі"), - "tapToCopy": - MessageLookupByLibrary.simpleMessage("натисніть, щоб скопіювати"), - "tapToEnterCode": - MessageLookupByLibrary.simpleMessage("Натисніть, щоб ввести код"), - "tapToUnlock": MessageLookupByLibrary.simpleMessage( - "Торкніться, щоби розблокувати"), - "tapToUpload": - MessageLookupByLibrary.simpleMessage("Натисніть, щоб завантажити"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Схоже, що щось пішло не так. Спробуйте ще раз через деякий час. Якщо помилка не зникне, зв\'яжіться з нашою командою підтримки."), - "terminate": MessageLookupByLibrary.simpleMessage("Припинити"), - "terminateSession": - MessageLookupByLibrary.simpleMessage("Припинити сеанс?"), - "terms": MessageLookupByLibrary.simpleMessage("Умови"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Умови"), - "thankYou": MessageLookupByLibrary.simpleMessage("Дякуємо"), - "thankYouForSubscribing": - MessageLookupByLibrary.simpleMessage("Спасибі за передплату!"), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "Завантаження не може бути завершено"), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "Термін дії посилання, за яким ви намагаєтеся отримати доступ, закінчився."), - "theRecoveryKeyYouEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "Ви ввели невірний ключ відновлення"), - "theme": MessageLookupByLibrary.simpleMessage("Тема"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Ці елементи будуть видалені з пристрою."), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "Вони будуть видалені з усіх альбомів."), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Цю дію не можна буде скасувати"), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "Цей альбом вже має спільне посилання"), - "thisCanBeUsedToRecoverYourAccountIfYou": - MessageLookupByLibrary.simpleMessage( - "Це може бути використано для відновлення вашого облікового запису, якщо ви втратите свій автентифікатор"), - "thisDevice": MessageLookupByLibrary.simpleMessage("Цей пристрій"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "Ця поштова адреса вже використовується"), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Це зображення не має даних exif"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Це ваш Ідентифікатор підтвердження"), - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Це призведе до виходу на наступному пристрої:"), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Це призведе до виходу на цьому пристрої!"), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "Це видалить публічні посилання з усіх вибраних швидких посилань."), - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "Для увімкнення блокування застосунку, налаштуйте пароль пристрою або блокування екрана в системних налаштуваннях."), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( - "Щоб приховати фото або відео"), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Щоб скинути пароль, спочатку підтвердьте адресу своєї пошти."), - "todaysLogs": - MessageLookupByLibrary.simpleMessage("Сьогоднішні журнали"), - "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( - "Завелика кількість невірних спроб"), - "total": MessageLookupByLibrary.simpleMessage("всього"), - "totalSize": MessageLookupByLibrary.simpleMessage("Загальний розмір"), - "trash": MessageLookupByLibrary.simpleMessage("Смітник"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Вирізати"), - "trustedContacts": - MessageLookupByLibrary.simpleMessage("Довірені контакти"), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Спробувати знову"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Увімкніть резервну копію для автоматичного завантаження файлів, доданих до теки пристрою в Ente."), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "2 місяці безплатно на щорічних планах"), - "twofactor": MessageLookupByLibrary.simpleMessage("Двоетапна"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "Двоетапну перевірку вимкнено"), - "twofactorAuthenticationPageTitle": - MessageLookupByLibrary.simpleMessage("Двоетапна перевірка"), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "Двоетапну перевірку успішно скинуто"), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Налаштування двоетапної перевірки"), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("Розархівувати"), - "unarchiveAlbum": - MessageLookupByLibrary.simpleMessage("Розархівувати альбом"), - "unarchiving": MessageLookupByLibrary.simpleMessage("Розархівуємо..."), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "На жаль, цей код недоступний."), - "uncategorized": MessageLookupByLibrary.simpleMessage("Без категорії"), - "unhide": MessageLookupByLibrary.simpleMessage("Показати"), - "unhideToAlbum": - MessageLookupByLibrary.simpleMessage("Показати в альбомі"), - "unhiding": MessageLookupByLibrary.simpleMessage("Показуємо..."), - "unhidingFilesToAlbum": - MessageLookupByLibrary.simpleMessage("Розкриваємо файли в альбомі"), - "unlock": MessageLookupByLibrary.simpleMessage("Розблокувати"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("Відкріпити альбом"), - "unselectAll": MessageLookupByLibrary.simpleMessage("Зняти виділення"), - "update": MessageLookupByLibrary.simpleMessage("Оновити"), - "updateAvailable": - MessageLookupByLibrary.simpleMessage("Доступне оновлення"), - "updatingFolderSelection": - MessageLookupByLibrary.simpleMessage("Оновлення вибору теки..."), - "upgrade": MessageLookupByLibrary.simpleMessage("Покращити"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Завантажуємо файли до альбому..."), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": - MessageLookupByLibrary.simpleMessage("Зберігаємо 1 спогад..."), - "upto50OffUntil4thDec": - MessageLookupByLibrary.simpleMessage("Знижки до 50%, до 4 грудня."), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "Доступний обсяг пам\'яті обмежений вашим поточним тарифом. Надлишок заявленого обсягу автоматично стане доступним, коли ви покращите тариф."), - "useAsCover": - MessageLookupByLibrary.simpleMessage("Використати як обкладинку"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "Виникли проблеми з відтворенням цього відео? Натисніть і утримуйте тут, щоб спробувати інший плеєр."), - "usePublicLinksForPeopleNotOnEnte": - MessageLookupByLibrary.simpleMessage( - "Використовувати публічні посилання для людей не з Ente"), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Застосувати ключ відновлення"), - "useSelectedPhoto": - MessageLookupByLibrary.simpleMessage("Використати вибране фото"), - "usedSpace": MessageLookupByLibrary.simpleMessage("Використано місця"), - "validTill": m110, - "verificationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Перевірка не вдалася, спробуйте ще раз"), - "verificationId": - MessageLookupByLibrary.simpleMessage("Ідентифікатор підтвердження"), - "verify": MessageLookupByLibrary.simpleMessage("Підтвердити"), - "verifyEmail": - MessageLookupByLibrary.simpleMessage("Підтвердити пошту"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Підтвердження"), - "verifyPasskey": - MessageLookupByLibrary.simpleMessage("Підтвердити ключ доступу"), - "verifyPassword": - MessageLookupByLibrary.simpleMessage("Підтвердження пароля"), - "verifying": MessageLookupByLibrary.simpleMessage("Перевіряємо..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Перевірка ключа відновлення..."), - "videoInfo": - MessageLookupByLibrary.simpleMessage("Інформація про відео"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("відео"), - "videos": MessageLookupByLibrary.simpleMessage("Відео"), - "viewActiveSessions": - MessageLookupByLibrary.simpleMessage("Показати активні сеанси"), - "viewAddOnButton": - MessageLookupByLibrary.simpleMessage("Переглянути доповнення"), - "viewAll": MessageLookupByLibrary.simpleMessage("Переглянути все"), - "viewAllExifData": - MessageLookupByLibrary.simpleMessage("Переглянути всі дані EXIF"), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Великі файли"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Перегляньте файли, які займають найбільше місця у сховищі."), - "viewLogs": MessageLookupByLibrary.simpleMessage("Переглянути журнали"), - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Переглянути ключ відновлення"), - "viewer": MessageLookupByLibrary.simpleMessage("Глядач"), - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Відвідайте web.ente.io, щоб керувати передплатою"), - "waitingForVerification": - MessageLookupByLibrary.simpleMessage("Очікується підтвердження..."), - "waitingForWifi": - MessageLookupByLibrary.simpleMessage("Очікування на Wi-Fi..."), - "warning": MessageLookupByLibrary.simpleMessage("Увага"), - "weAreOpenSource": MessageLookupByLibrary.simpleMessage( - "У нас відкритий вихідний код!"), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "Ми не підтримуємо редагування фотографій та альбомів, якими ви ще не володієте"), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Слабкий"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("З поверненням!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("Що нового"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "Довірений контакт може допомогти у відновленні ваших даних."), - "yearShort": MessageLookupByLibrary.simpleMessage("рік"), - "yearly": MessageLookupByLibrary.simpleMessage("Щороку"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Так"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Так, скасувати"), - "yesConvertToViewer": - MessageLookupByLibrary.simpleMessage("Так, перетворити в глядача"), - "yesDelete": MessageLookupByLibrary.simpleMessage("Так, видалити"), - "yesDiscardChanges": - MessageLookupByLibrary.simpleMessage("Так, відхилити зміни"), - "yesLogout": MessageLookupByLibrary.simpleMessage( - "Так, вийти з облікового запису"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Так, видалити"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Так, поновити"), - "yesResetPerson": - MessageLookupByLibrary.simpleMessage("Так, скинути особу"), - "you": MessageLookupByLibrary.simpleMessage("Ви"), - "youAreOnAFamilyPlan": - MessageLookupByLibrary.simpleMessage("Ви на сімейному плані!"), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Ви використовуєте останню версію"), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Ви можете максимально подвоїти своє сховище"), - "youCanManageYourLinksInTheShareTab": - MessageLookupByLibrary.simpleMessage( - "Ви можете керувати посиланнями на вкладці «Поділитися»."), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "Ви можете спробувати пошукати за іншим запитом."), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "Ви не можете перейти до цього плану"), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Ви не можете поділитися із собою"), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "У вас немає жодних архівних елементів."), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "Ваш обліковий запис видалено"), - "yourMap": MessageLookupByLibrary.simpleMessage("Ваша мапа"), - "yourPlanWasSuccessfullyDowngraded": - MessageLookupByLibrary.simpleMessage( - "Ваш план був успішно знижено"), - "yourPlanWasSuccessfullyUpgraded": - MessageLookupByLibrary.simpleMessage("Ваш план успішно покращено"), - "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( - "Ваша покупка пройшла успішно"), - "yourStorageDetailsCouldNotBeFetched": - MessageLookupByLibrary.simpleMessage( - "Не вдалося отримати деталі про ваше сховище"), - "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( - "Термін дії вашої передплати скінчився"), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "Вашу передплату успішно оновлено"), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "Термін дії коду підтвердження минув"), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "У цьому альбомі немає файлів, які можуть бути видалені"), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( - "Збільште, щоб побачити фотографії") - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Доступна нова версія Ente.", + ), + "about": MessageLookupByLibrary.simpleMessage("Про застосунок"), + "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( + "Прийняти запрошення", + ), + "account": MessageLookupByLibrary.simpleMessage("Обліковий запис"), + "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( + "Обліковий запис уже налаштовано.", + ), + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( + "З поверненням!", + ), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Я розумію, що якщо я втрачу свій пароль, я можу втратити свої дані, тому що вони є захищені наскрізним шифруванням.", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage("Активні сеанси"), + "add": MessageLookupByLibrary.simpleMessage("Додати"), + "addAName": MessageLookupByLibrary.simpleMessage("Додати ім\'я"), + "addANewEmail": MessageLookupByLibrary.simpleMessage("Додати нову пошту"), + "addCollaborator": MessageLookupByLibrary.simpleMessage( + "Додати співавтора", + ), + "addFiles": MessageLookupByLibrary.simpleMessage("Додати файли"), + "addFromDevice": MessageLookupByLibrary.simpleMessage("Додати з пристрою"), + "addLocation": MessageLookupByLibrary.simpleMessage("Додати розташування"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Додати"), + "addMore": MessageLookupByLibrary.simpleMessage("Додати більше"), + "addName": MessageLookupByLibrary.simpleMessage("Додати ім\'я"), + "addNameOrMerge": MessageLookupByLibrary.simpleMessage( + "Додати назву або об\'єднати", + ), + "addNew": MessageLookupByLibrary.simpleMessage("Додати нове"), + "addNewPerson": MessageLookupByLibrary.simpleMessage("Додати нову особу"), + "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( + "Подробиці доповнень", + ), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("Доповнення"), + "addPhotos": MessageLookupByLibrary.simpleMessage("Додати фотографії"), + "addSelected": MessageLookupByLibrary.simpleMessage("Додати вибране"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("Додати до альбому"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Додати до Ente"), + "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Додати до прихованого альбому", + ), + "addTrustedContact": MessageLookupByLibrary.simpleMessage( + "Додати довірений контакт", + ), + "addViewer": MessageLookupByLibrary.simpleMessage("Додати глядача"), + "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( + "Додайте свої фотографії", + ), + "addedAs": MessageLookupByLibrary.simpleMessage("Додано як"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": MessageLookupByLibrary.simpleMessage( + "Додавання до обраного...", + ), + "advanced": MessageLookupByLibrary.simpleMessage("Додатково"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Додатково"), + "after1Day": MessageLookupByLibrary.simpleMessage("Через 1 день"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Через 1 годину"), + "after1Month": MessageLookupByLibrary.simpleMessage("Через 1 місяць"), + "after1Week": MessageLookupByLibrary.simpleMessage("Через 1 тиждень"), + "after1Year": MessageLookupByLibrary.simpleMessage("Через 1 рік"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Власник"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Назва альбому"), + "albumUpdated": MessageLookupByLibrary.simpleMessage("Альбом оновлено"), + "albums": MessageLookupByLibrary.simpleMessage("Альбоми"), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Все чисто"), + "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( + "Всі спогади збережені", + ), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "Усі групи для цієї особи будуть скинуті, і ви втратите всі пропозиції, зроблені для неї", + ), + "allow": MessageLookupByLibrary.simpleMessage("Дозволити"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Дозволити людям з посиланням також додавати фотографії до спільного альбому.", + ), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( + "Дозволити додавати фотографії", + ), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "Дозволити застосунку відкривати спільні альбоми", + ), + "allowDownloads": MessageLookupByLibrary.simpleMessage( + "Дозволити завантаження", + ), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Дозволити людям додавати фотографії", + ), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Надайте доступ до ваших фотографій з налаштувань, щоб Ente міг показувати та створювати резервну копію вашої бібліотеки.", + ), + "allowPermTitle": MessageLookupByLibrary.simpleMessage( + "Дозволити доступ до фотографій", + ), + "androidBiometricHint": MessageLookupByLibrary.simpleMessage( + "Підтвердження особистості", + ), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "Не розпізнано. Спробуйте ще раз.", + ), + "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( + "Потрібна біометрія", + ), + "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("Успішно"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Скасувати"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage( + "Необхідні облікові дані пристрою", + ), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage( + "Необхідні облікові дані пристрою", + ), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Біометрична перевірка не встановлена на вашому пристрої. Перейдіть в «Налаштування > Безпека», щоб додати біометричну перевірку.", + ), + "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( + "Android, iOS, Вебсайт, ПК", + ), + "androidSignInTitle": MessageLookupByLibrary.simpleMessage( + "Необхідна перевірка", + ), + "appLock": MessageLookupByLibrary.simpleMessage("Блокування застосунку"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Виберіть між типовим екраном блокування вашого пристрою та власним екраном блокування з PIN-кодом або паролем.", + ), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), + "apply": MessageLookupByLibrary.simpleMessage("Застосувати"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Застосувати код"), + "appstoreSubscription": MessageLookupByLibrary.simpleMessage( + "Передплата App Store", + ), + "archive": MessageLookupByLibrary.simpleMessage("Архів"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("Архівувати альбом"), + "archiving": MessageLookupByLibrary.simpleMessage("Архівуємо..."), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Ви впевнені, що хочете залишити сімейний план?", + ), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "Ви дійсно хочете скасувати?", + ), + "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( + "Ви впевнені, що хочете змінити свій план?", + ), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "Ви впевнені, що хочете вийти?", + ), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Ви впевнені, що хочете вийти з облікового запису?", + ), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "Ви впевнені, що хочете поновити?", + ), + "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( + "Ви впевнені, що хочете скинути цю особу?", + ), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "Передплату було скасовано. Ви хотіли б поділитися причиною?", + ), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Яка основна причина видалення вашого облікового запису?", + ), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Попросіть своїх близьких поділитися", + ), + "atAFalloutShelter": MessageLookupByLibrary.simpleMessage("в бомбосховищі"), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Авторизуйтесь, щоб змінити перевірку через пошту", + ), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Авторизуйтесь для зміни налаштувань екрана блокування", + ), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Авторизуйтесь, щоб змінити поштову адресу", + ), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Авторизуйтесь, щоб змінити пароль", + ), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Авторизуйтесь, щоб налаштувати двоетапну перевірку", + ), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Авторизуйтесь, щоби розпочати видалення облікового запису", + ), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Авторизуйтесь, щоби керувати довіреними контактами", + ), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Авторизуйтесь, щоб переглянути свій ключ доступу", + ), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Авторизуйтесь, щоб переглянути активні сеанси", + ), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Авторизуйтеся, щоб переглянути приховані файли", + ), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Авторизуйтеся, щоб переглянути ваші спогади", + ), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Авторизуйтесь для перегляду вашого ключа відновлення", + ), + "authenticating": MessageLookupByLibrary.simpleMessage("Автентифікація..."), + "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Автентифікація не пройдена. Спробуйте ще раз", + ), + "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( + "Автентифікація пройшла успішно!", + ), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Тут ви побачите доступні пристрої для трансляції.", + ), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Переконайтеся, що для застосунку «Фотографії Ente» увімкнено дозволи локальної мережі в налаштуваннях.", + ), + "autoLock": MessageLookupByLibrary.simpleMessage("Автоблокування"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Час, через який застосунок буде заблоковано у фоновому режимі", + ), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "Через технічні збої ви вийшли з системи. Перепрошуємо за незручності.", + ), + "autoPair": MessageLookupByLibrary.simpleMessage( + "Автоматичне створення пари", + ), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "Автоматичне створення пари працює лише з пристроями, що підтримують Chromecast.", + ), + "available": MessageLookupByLibrary.simpleMessage("Доступно"), + "availableStorageSpace": m10, + "backedUpFolders": MessageLookupByLibrary.simpleMessage( + "Резервне копіювання тек", + ), + "backup": MessageLookupByLibrary.simpleMessage("Резервне копіювання"), + "backupFailed": MessageLookupByLibrary.simpleMessage( + "Помилка резервного копіювання", + ), + "backupFile": MessageLookupByLibrary.simpleMessage("Файл резервної копії"), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Резервне копіювання через мобільні дані", + ), + "backupSettings": MessageLookupByLibrary.simpleMessage( + "Налаштування резервного копіювання", + ), + "backupStatus": MessageLookupByLibrary.simpleMessage( + "Стан резервного копіювання", + ), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Елементи, для яких було створено резервну копію, показуватимуться тут", + ), + "backupVideos": MessageLookupByLibrary.simpleMessage( + "Резервне копіювання відео", + ), + "birthday": MessageLookupByLibrary.simpleMessage("День народження"), + "blackFridaySale": MessageLookupByLibrary.simpleMessage( + "Розпродаж у «Чорну п\'ятницю»", + ), + "blog": MessageLookupByLibrary.simpleMessage("Блог"), + "cachedData": MessageLookupByLibrary.simpleMessage("Кешовані дані"), + "calculating": MessageLookupByLibrary.simpleMessage("Обчислення..."), + "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( + "Не можна завантажувати в альбоми, які належать іншим", + ), + "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Можна створити лише посилання для файлів, що належать вам", + ), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Ви можете видалити лише файли, що належать вам", + ), + "cancel": MessageLookupByLibrary.simpleMessage("Скасувати"), + "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( + "Скасувати відновлення", + ), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "Ви впевнені, що хочете скасувати відновлення?", + ), + "cancelOtherSubscription": m12, + "cancelSubscription": MessageLookupByLibrary.simpleMessage( + "Скасувати передплату", + ), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Не можна видалити спільні файли", + ), + "castAlbum": MessageLookupByLibrary.simpleMessage("Транслювати альбом"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Переконайтеся, що ви перебуваєте в тій же мережі, що і телевізор.", + ), + "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( + "Не вдалося транслювати альбом", + ), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Відвідайте cast.ente.io на пристрої, з яким ви хочете створити пару.\n\nВведіть код нижче, щоб відтворити альбом на телевізорі.", + ), + "centerPoint": MessageLookupByLibrary.simpleMessage("Центральна точка"), + "change": MessageLookupByLibrary.simpleMessage("Змінити"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Змінити адресу пошти"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Змінити розташування вибраних елементів?", + ), + "changePassword": MessageLookupByLibrary.simpleMessage("Змінити пароль"), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Змінити пароль", + ), + "changePermissions": MessageLookupByLibrary.simpleMessage( + "Змінити дозволи?", + ), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Змінити ваш реферальний код", + ), + "checkForUpdates": MessageLookupByLibrary.simpleMessage( + "Перевiрити наявнiсть оновлень", + ), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Перевірте вашу поштову скриньку (та спам), щоб завершити перевірку", + ), + "checkStatus": MessageLookupByLibrary.simpleMessage("Перевірити стан"), + "checking": MessageLookupByLibrary.simpleMessage("Перевірка..."), + "checkingModels": MessageLookupByLibrary.simpleMessage( + "Перевірка моделей...", + ), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage( + "Отримайте безплатне сховище", + ), + "claimMore": MessageLookupByLibrary.simpleMessage("Отримайте більше!"), + "claimed": MessageLookupByLibrary.simpleMessage("Отримано"), + "claimedStorageSoFar": m14, + "cleanUncategorized": MessageLookupByLibrary.simpleMessage( + "Очистити «Без категорії»", + ), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Видалити всі файли з «Без категорії», що є в інших альбомах", + ), + "clearCaches": MessageLookupByLibrary.simpleMessage("Очистити кеш"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Очистити індекси"), + "click": MessageLookupByLibrary.simpleMessage("• Натисніть"), + "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( + "• Натисніть на меню переповнення", + ), + "close": MessageLookupByLibrary.simpleMessage("Закрити"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( + "Клуб за часом захоплення", + ), + "clubByFileName": MessageLookupByLibrary.simpleMessage( + "Клуб за назвою файлу", + ), + "clusteringProgress": MessageLookupByLibrary.simpleMessage( + "Прогрес кластеризації", + ), + "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( + "Код застосовано", + ), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "На жаль, ви досягли ліміту змін коду.", + ), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Код скопійовано до буфера обміну", + ), + "codeUsedByYou": MessageLookupByLibrary.simpleMessage( + "Код використано вами", + ), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Створіть посилання, щоб дозволити людям додавати й переглядати фотографії у вашому спільному альбомі без використання застосунку Ente або облікового запису. Чудово підходить для збору фотографій з подій.", + ), + "collaborativeLink": MessageLookupByLibrary.simpleMessage( + "Спільне посилання", + ), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Співавтор"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Співавтори можуть додавати фотографії та відео до спільного альбому.", + ), + "collageLayout": MessageLookupByLibrary.simpleMessage("Макет"), + "collageSaved": MessageLookupByLibrary.simpleMessage( + "Колаж збережено до галереї", + ), + "collect": MessageLookupByLibrary.simpleMessage("Зібрати"), + "collectEventPhotos": MessageLookupByLibrary.simpleMessage( + "Зібрати фотографії події", + ), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Зібрати фотографії"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Створіть посилання, за яким ваші друзі зможуть завантажувати фотографії в оригінальній якості.", + ), + "color": MessageLookupByLibrary.simpleMessage("Колір"), + "configuration": MessageLookupByLibrary.simpleMessage("Налаштування"), + "confirm": MessageLookupByLibrary.simpleMessage("Підтвердити"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Ви впевнені, що хочете вимкнути двоетапну перевірку?", + ), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Підтвердьте видалення облікового запису", + ), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Так, я хочу безповоротно видалити цей обліковий запис та його дані з усіх застосунків.", + ), + "confirmPassword": MessageLookupByLibrary.simpleMessage( + "Підтвердити пароль", + ), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage( + "Підтвердити зміну плану", + ), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Підтвердити ключ відновлення", + ), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Підтвердіть ваш ключ відновлення", + ), + "connectToDevice": MessageLookupByLibrary.simpleMessage( + "Під\'єднатися до пристрою", + ), + "contactFamilyAdmin": m18, + "contactSupport": MessageLookupByLibrary.simpleMessage( + "Звернутися до служби підтримки", + ), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Контакти"), + "contents": MessageLookupByLibrary.simpleMessage("Вміст"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Продовжити"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "Продовжити безплатний пробний період", + ), + "convertToAlbum": MessageLookupByLibrary.simpleMessage( + "Перетворити в альбом", + ), + "copyEmailAddress": MessageLookupByLibrary.simpleMessage( + "Копіювати поштову адресу", + ), + "copyLink": MessageLookupByLibrary.simpleMessage("Копіювати посилання"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Скопіюйте цей код\nу ваш застосунок для автентифікації", + ), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "Не вдалося створити резервну копію даних.\nМи спробуємо пізніше.", + ), + "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( + "Не вдалося звільнити місце", + ), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Не вдалося оновити передплату", + ), + "count": MessageLookupByLibrary.simpleMessage("Кількість"), + "crashReporting": MessageLookupByLibrary.simpleMessage("Звіти про помилки"), + "create": MessageLookupByLibrary.simpleMessage("Створити"), + "createAccount": MessageLookupByLibrary.simpleMessage( + "Створити обліковий запис", + ), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Утримуйте, щоби вибрати фотографії, та натисніть «+», щоб створити альбом", + ), + "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( + "Створити спільне посилання", + ), + "createCollage": MessageLookupByLibrary.simpleMessage("Створити колаж"), + "createNewAccount": MessageLookupByLibrary.simpleMessage( + "Створити новий обліковий запис", + ), + "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( + "Створити або вибрати альбом", + ), + "createPublicLink": MessageLookupByLibrary.simpleMessage( + "Створити публічне посилання", + ), + "creatingLink": MessageLookupByLibrary.simpleMessage( + "Створення посилання...", + ), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "Доступне важливе оновлення", + ), + "crop": MessageLookupByLibrary.simpleMessage("Обрізати"), + "currentUsageIs": MessageLookupByLibrary.simpleMessage( + "Поточне використання ", + ), + "currentlyRunning": MessageLookupByLibrary.simpleMessage("зараз працює"), + "custom": MessageLookupByLibrary.simpleMessage("Власне"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Темна"), + "dayToday": MessageLookupByLibrary.simpleMessage("Сьогодні"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Вчора"), + "declineTrustInvite": MessageLookupByLibrary.simpleMessage( + "Відхилити запрошення", + ), + "decrypting": MessageLookupByLibrary.simpleMessage("Дешифрування..."), + "decryptingVideo": MessageLookupByLibrary.simpleMessage( + "Розшифрування відео...", + ), + "deduplicateFiles": MessageLookupByLibrary.simpleMessage( + "Усунути дублікати файлів", + ), + "delete": MessageLookupByLibrary.simpleMessage("Видалити"), + "deleteAccount": MessageLookupByLibrary.simpleMessage( + "Видалити обліковий запис", + ), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Нам шкода, що ви йдете. Будь ласка, поділіться своїм відгуком, щоб допомогти нам покращитися.", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Остаточно видалити обліковий запис", + ), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Видалити альбом"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Також видалити фотографії (і відео), які є в цьому альбомі, зі всіх інших альбомів, з яких вони складаються?", + ), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "Це призведе до видалення всіх пустих альбомів. Це зручно, коли ви бажаєте зменшити засмічення в списку альбомів.", + ), + "deleteAll": MessageLookupByLibrary.simpleMessage("Видалити все"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "Цей обліковий запис пов\'язаний з іншими застосунками Ente, якщо ви ними користуєтесь. Завантажені вами дані з усіх застосунків Ente будуть заплановані до видалення, а ваш обліковий запис буде видалено назавжди.", + ), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Будь ласка, надішліть електронного листа на account-deletion@ente.io зі скриньки, зазначеної при реєстрації.", + ), + "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( + "Видалити пусті альбоми", + ), + "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( + "Видалити пусті альбоми?", + ), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage("Видалити з обох"), + "deleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Видалити з пристрою", + ), + "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Видалити з Ente"), + "deleteItemCount": m21, + "deleteLocation": MessageLookupByLibrary.simpleMessage( + "Видалити розташування", + ), + "deletePhotos": MessageLookupByLibrary.simpleMessage("Видалити фото"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Мені бракує ключової функції", + ), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "Застосунок або певна функція не поводяться так, як я думаю, вони повинні", + ), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Я знайшов інший сервіс, який подобається мені більше", + ), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "Причина не перерахована", + ), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Ваш запит буде оброблений протягом 72 годин.", + ), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Видалити спільний альбом?", + ), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "Альбом буде видалено для всіх\n\nВи втратите доступ до спільних фотографій у цьому альбомі, які належать іншим", + ), + "deselectAll": MessageLookupByLibrary.simpleMessage("Зняти виділення"), + "designedToOutlive": MessageLookupByLibrary.simpleMessage( + "Створено, щоб пережити вас", + ), + "details": MessageLookupByLibrary.simpleMessage("Подробиці"), + "developerSettings": MessageLookupByLibrary.simpleMessage( + "Налаштування для розробників", + ), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Ви впевнені, що хочете змінити налаштування для розробників?", + ), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Введіть код"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "Файли, додані до цього альбому на пристрої, автоматично завантажаться до Ente.", + ), + "deviceLock": MessageLookupByLibrary.simpleMessage("Блокування пристрою"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Вимкніть блокування екрана пристрою, коли на передньому плані знаходиться Ente і виконується резервне копіювання. Зазвичай це не потрібно, але може допомогти швидше завершити великі вивантаження і початковий імпорт великих бібліотек.", + ), + "deviceNotFound": MessageLookupByLibrary.simpleMessage( + "Пристрій не знайдено", + ), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Чи знали ви?"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage( + "Вимкнути автоблокування", + ), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Переглядачі все ще можуть робити знімки екрана або зберігати копію ваших фотографій за допомогою зовнішніх інструментів", + ), + "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( + "Зверніть увагу", + ), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "Вимкнути двоетапну перевірку", + ), + "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( + "Вимкнення двоетапної перевірки...", + ), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Відкрийте для себе"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Немовлята"), + "discover_celebrations": MessageLookupByLibrary.simpleMessage( + "Святкування", + ), + "discover_food": MessageLookupByLibrary.simpleMessage("Їжа"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Зелень"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Пагорби"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Особистість"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Меми"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Нотатки"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Домашні тварини"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Квитанції"), + "discover_screenshots": MessageLookupByLibrary.simpleMessage( + "Знімки екрана", + ), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Селфі"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Захід сонця"), + "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( + "Візитівки", + ), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Шпалери"), + "dismiss": MessageLookupByLibrary.simpleMessage("Відхилити"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("км"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage("Не виходити"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Зробити це пізніше"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Ви хочете відхилити внесені зміни?", + ), + "done": MessageLookupByLibrary.simpleMessage("Готово"), + "doubleYourStorage": MessageLookupByLibrary.simpleMessage( + "Подвоїти своє сховище", + ), + "download": MessageLookupByLibrary.simpleMessage("Завантажити"), + "downloadFailed": MessageLookupByLibrary.simpleMessage( + "Не вдалося завантажити", + ), + "downloading": MessageLookupByLibrary.simpleMessage("Завантаження..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Редагувати"), + "editLocation": MessageLookupByLibrary.simpleMessage( + "Змінити розташування", + ), + "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( + "Змінити розташування", + ), + "editPerson": MessageLookupByLibrary.simpleMessage("Редагувати особу"), + "editsSaved": MessageLookupByLibrary.simpleMessage("Зміни збережено"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Зміна розташування буде видима лише в Ente", + ), + "eligible": MessageLookupByLibrary.simpleMessage("придатний"), + "email": MessageLookupByLibrary.simpleMessage("Адреса електронної пошти"), + "emailChangedTo": m29, + "emailNoEnteAccount": m31, + "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( + "Підтвердження через пошту", + ), + "emailYourLogs": MessageLookupByLibrary.simpleMessage( + "Відправте ваші журнали поштою", + ), + "emergencyContacts": MessageLookupByLibrary.simpleMessage( + "Екстрені контакти", + ), + "empty": MessageLookupByLibrary.simpleMessage("Спорожнити"), + "emptyTrash": MessageLookupByLibrary.simpleMessage("Очистити смітник?"), + "enable": MessageLookupByLibrary.simpleMessage("Увімкнути"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "Ente підтримує машинне навчання для розпізнавання обличчя, магічний пошук та інші розширені функції пошуку", + ), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Увімкніть машинне навчання для магічного пошуку та розпізнавання облич", + ), + "enableMaps": MessageLookupByLibrary.simpleMessage("Увімкнути мапи"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "Це покаже ваші фотографії на мапі світу.\n\nЦя мапа розміщена на OpenStreetMap, і точне розташування ваших фотографій ніколи не розголошується.\n\nВи можете будь-коли вимкнути цю функцію в налаштуваннях.", + ), + "enabled": MessageLookupByLibrary.simpleMessage("Увімкнено"), + "encryptingBackup": MessageLookupByLibrary.simpleMessage( + "Шифруємо резервну копію...", + ), + "encryption": MessageLookupByLibrary.simpleMessage("Шифрування"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage("Ключі шифрування"), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Кінцева точка успішно оновлена", + ), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Наскрізне шифрування по стандарту", + ), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente може зашифрувати та зберігати файли тільки в тому випадку, якщо ви надасте до них доступ", + ), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente потребує дозволу до ваших світлин", + ), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "Ente зберігає ваші спогади, тому вони завжди доступні для вас, навіть якщо ви втратите пристрій.", + ), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Вашу сім\'ю також можна додати до вашого тарифу.", + ), + "enterAlbumName": MessageLookupByLibrary.simpleMessage( + "Введіть назву альбому", + ), + "enterCode": MessageLookupByLibrary.simpleMessage("Введіть код"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Введіть код, наданий вашим другом, щоби отримати безплатне сховище для вас обох", + ), + "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( + "День народження (необов\'язково)", + ), + "enterEmail": MessageLookupByLibrary.simpleMessage( + "Введіть поштову адресу", + ), + "enterFileName": MessageLookupByLibrary.simpleMessage( + "Введіть назву файлу", + ), + "enterName": MessageLookupByLibrary.simpleMessage("Введіть ім\'я"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Введіть новий пароль, який ми зможемо використати для шифрування ваших даних", + ), + "enterPassword": MessageLookupByLibrary.simpleMessage("Введіть пароль"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Введіть пароль, який ми зможемо використати для шифрування ваших даних", + ), + "enterPersonName": MessageLookupByLibrary.simpleMessage( + "Введіть ім\'я особи", + ), + "enterPin": MessageLookupByLibrary.simpleMessage("Введіть PIN-код"), + "enterReferralCode": MessageLookupByLibrary.simpleMessage( + "Введіть реферальний код", + ), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Введіть 6-значний код з\nвашого застосунку для автентифікації", + ), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Будь ласка, введіть дійсну адресу електронної пошти.", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Введіть вашу адресу електронної пошти", + ), + "enterYourPassword": MessageLookupByLibrary.simpleMessage("Введіть пароль"), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Введіть ваш ключ відновлення", + ), + "error": MessageLookupByLibrary.simpleMessage("Помилка"), + "everywhere": MessageLookupByLibrary.simpleMessage("всюди"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": MessageLookupByLibrary.simpleMessage("Існуючий користувач"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Термін дії цього посилання минув. Будь ласка, виберіть новий час терміну дії або вимкніть це посилання.", + ), + "exportLogs": MessageLookupByLibrary.simpleMessage( + "Експортування журналів", + ), + "exportYourData": MessageLookupByLibrary.simpleMessage("Експортувати дані"), + "extraPhotosFound": MessageLookupByLibrary.simpleMessage( + "Знайдено додаткові фотографії", + ), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Обличчя ще не згруповані, поверніться пізніше", + ), + "faceRecognition": MessageLookupByLibrary.simpleMessage( + "Розпізнавання обличчя", + ), + "faces": MessageLookupByLibrary.simpleMessage("Обличчя"), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage( + "Не вдалося застосувати код", + ), + "failedToCancel": MessageLookupByLibrary.simpleMessage( + "Не вдалося скасувати", + ), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( + "Не вдалося завантажити відео", + ), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Не вдалося отримати активні сеанси", + ), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Не вдалося отримати оригінал для редагування", + ), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Не вдається отримати відомості про реферала. Спробуйте ще раз пізніше.", + ), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "Не вдалося завантажити альбоми", + ), + "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Не вдалося відтворити відео", + ), + "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( + "Не вдалося поновити підписку", + ), + "failedToRenew": MessageLookupByLibrary.simpleMessage( + "Не вдалося поновити", + ), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Не вдалося перевірити стан платежу", + ), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Додайте 5 членів сім\'ї до чинного тарифу без додаткової плати.\n\nКожен член сім\'ї отримає власний приватний простір і не зможе бачити файли інших, доки обидва не нададуть до них спільний доступ.\n\nСімейні плани доступні клієнтам, які мають платну підписку на Ente.\n\nПідпишіться зараз, щоби розпочати!", + ), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Сім\'я"), + "familyPlans": MessageLookupByLibrary.simpleMessage("Сімейні тарифи"), + "faq": MessageLookupByLibrary.simpleMessage("ЧаПи"), + "faqs": MessageLookupByLibrary.simpleMessage("ЧаПи"), + "favorite": MessageLookupByLibrary.simpleMessage("Додати до улюбленого"), + "feedback": MessageLookupByLibrary.simpleMessage("Зворотній зв’язок"), + "file": MessageLookupByLibrary.simpleMessage("Файл"), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Не вдалося зберегти файл до галереї", + ), + "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( + "Додати опис...", + ), + "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( + "Файл ще не завантажено", + ), + "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Файл збережено до галереї", + ), + "fileTypes": MessageLookupByLibrary.simpleMessage("Типи файлів"), + "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( + "Типи та назви файлів", + ), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage("Файли видалено"), + "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Файли збережено до галереї", + ), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "Швидко знаходьте людей за іменами", + ), + "findThemQuickly": MessageLookupByLibrary.simpleMessage( + "Знайдіть їх швидко", + ), + "flip": MessageLookupByLibrary.simpleMessage("Відзеркалити"), + "forYourMemories": MessageLookupByLibrary.simpleMessage( + "для ваших спогадів", + ), + "forgotPassword": MessageLookupByLibrary.simpleMessage("Нагадати пароль"), + "foundFaces": MessageLookupByLibrary.simpleMessage("Знайдені обличчя"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( + "Безплатне сховище отримано", + ), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Безплатне сховище можна використовувати", + ), + "freeTrial": MessageLookupByLibrary.simpleMessage( + "Безплатний пробний період", + ), + "freeTrialValidTill": m38, + "freeUpAmount": m40, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( + "Звільніть місце на пристрої", + ), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Збережіть місце на вашому пристрої, очистивши файли, які вже збережено.", + ), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("Звільнити місце"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "До 1000 спогадів, показаних у галереї", + ), + "general": MessageLookupByLibrary.simpleMessage("Загальні"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Створення ключів шифрування...", + ), + "genericProgress": m42, + "goToSettings": MessageLookupByLibrary.simpleMessage( + "Перейти до налаштувань", + ), + "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Надайте доступ до всіх фотографій в налаштуваннях застосунку", + ), + "grantPermission": MessageLookupByLibrary.simpleMessage("Надати дозвіл"), + "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( + "Групувати фотографії поблизу", + ), + "guestView": MessageLookupByLibrary.simpleMessage("Гостьовий перегляд"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "Щоб увімкнути гостьовий перегляд, встановіть пароль або блокування екрана в налаштуваннях системи.", + ), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "Ми не відстежуємо встановлення застосунку. Але, якщо ви скажете нам, де ви нас знайшли, це допоможе!", + ), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Як ви дізналися про Ente? (необов\'язково)", + ), + "help": MessageLookupByLibrary.simpleMessage("Допомога"), + "hidden": MessageLookupByLibrary.simpleMessage("Приховано"), + "hide": MessageLookupByLibrary.simpleMessage("Приховати"), + "hideContent": MessageLookupByLibrary.simpleMessage("Приховати вміст"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Приховує вміст застосунку у перемикачі застосунків і вимикає знімки екрана", + ), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Приховує вміст застосунку у перемикачі застосунків", + ), + "hiding": MessageLookupByLibrary.simpleMessage("Приховуємо..."), + "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( + "Розміщення на OSM Франція", + ), + "howItWorks": MessageLookupByLibrary.simpleMessage("Як це працює"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Попросіть їх довго утримувати палець на свій поштовій адресі на екрані налаштувань і переконайтеся, що ідентифікатори на обох пристроях збігаються.", + ), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Біометрична перевірка не встановлена на вашому пристрої. Увімкніть TouchID або FaceID на вашому телефоні.", + ), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "Біометрична перевірка вимкнена. Заблокуйте і розблокуйте свій екран, щоб увімкнути її.", + ), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("Гаразд"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ігнорувати"), + "ignored": MessageLookupByLibrary.simpleMessage("ігнорується"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Деякі файли в цьому альбомі ігноруються після вивантаження, тому що вони раніше були видалені з Ente.", + ), + "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( + "Зображення не проаналізовано", + ), + "immediately": MessageLookupByLibrary.simpleMessage("Негайно"), + "importing": MessageLookupByLibrary.simpleMessage("Імпортування..."), + "incorrectCode": MessageLookupByLibrary.simpleMessage("Невірний код"), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Невірний пароль", + ), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Невірний ключ відновлення", + ), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Ви ввели невірний ключ відновлення", + ), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Невірний ключ відновлення", + ), + "indexedItems": MessageLookupByLibrary.simpleMessage( + "Індексовані елементи", + ), + "info": MessageLookupByLibrary.simpleMessage("Інформація"), + "insecureDevice": MessageLookupByLibrary.simpleMessage( + "Незахищений пристрій", + ), + "installManually": MessageLookupByLibrary.simpleMessage( + "Встановити вручну", + ), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "Хибна адреса електронної пошти", + ), + "invalidEndpoint": MessageLookupByLibrary.simpleMessage( + "Недійсна кінцева точка", + ), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Введена вами кінцева точка є недійсною. Введіть дійсну кінцеву точку та спробуйте ще раз.", + ), + "invalidKey": MessageLookupByLibrary.simpleMessage("Невірний ключ"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Уведений вами ключ відновлення недійсний. Переконайтеся, що він містить 24 слова, і перевірте правильність написання кожного з них.\n\nЯкщо ви ввели старіший код відновлення, переконайтеся, що він складається з 64 символів, і перевірте кожен з них.", + ), + "invite": MessageLookupByLibrary.simpleMessage("Запросити"), + "inviteToEnte": MessageLookupByLibrary.simpleMessage("Запросити до Ente"), + "inviteYourFriends": MessageLookupByLibrary.simpleMessage( + "Запросити своїх друзів", + ), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "Запросіть своїх друзів до Ente", + ), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Схоже, що щось пішло не так. Спробуйте ще раз через деякий час. Якщо помилка не зникне, зв\'яжіться з нашою командою підтримки.", + ), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "Елементи показують кількість днів, що залишилися до остаточного видалення", + ), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Вибрані елементи будуть видалені з цього альбому", + ), + "joinDiscord": MessageLookupByLibrary.simpleMessage( + "Приєднатися до Discord серверу", + ), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Залишити фото"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("км"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Будь ласка, допоможіть нам із цією інформацією", + ), + "language": MessageLookupByLibrary.simpleMessage("Мова"), + "lastUpdated": MessageLookupByLibrary.simpleMessage("Востаннє оновлено"), + "leave": MessageLookupByLibrary.simpleMessage("Покинути"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Покинути альбом"), + "leaveFamily": MessageLookupByLibrary.simpleMessage("Покинути сім\'ю"), + "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Покинути спільний альбом?", + ), + "left": MessageLookupByLibrary.simpleMessage("Ліворуч"), + "legacy": MessageLookupByLibrary.simpleMessage("Спадок"), + "legacyAccounts": MessageLookupByLibrary.simpleMessage( + "Облікові записи «Спадку»", + ), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "«Спадок» дозволяє довіреним контактам отримати доступ до вашого облікового запису під час вашої відсутності.", + ), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "Довірені контакти можуть ініціювати відновлення облікового запису, і якщо його не буде заблоковано протягом 30 днів, скинути пароль і отримати доступ до нього.", + ), + "light": MessageLookupByLibrary.simpleMessage("Яскравість"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Світла"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Посилання скопійовано в буфер обміну", + ), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage( + "Досягнуто ліміту пристроїв", + ), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Увімкнено"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Закінчився"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage( + "Термін дії посилання закінчився", + ), + "linkHasExpired": MessageLookupByLibrary.simpleMessage( + "Посилання прострочено", + ), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Ніколи"), + "livePhotos": MessageLookupByLibrary.simpleMessage("Живі фото"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "Ви можете поділитися своєю передплатою з родиною", + ), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "Ми зберігаємо 3 копії ваших даних, одну в підземному бункері", + ), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "Всі наші застосунки мають відкритий код", + ), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Наш вихідний код та шифрування пройшли перевірку спільнотою", + ), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "Ви можете поділитися посиланнями на свої альбоми з близькими", + ), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Наші мобільні застосунки працюють у фоновому режимі для шифрування і створення резервних копій будь-яких нових фотографій, які ви виберете", + ), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io має зручний завантажувач", + ), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Ми використовуємо Xchacha20Poly1305 для безпечного шифрування ваших даних", + ), + "loadingExifData": MessageLookupByLibrary.simpleMessage( + "Завантаження даних EXIF...", + ), + "loadingGallery": MessageLookupByLibrary.simpleMessage( + "Завантаження галереї...", + ), + "loadingMessage": MessageLookupByLibrary.simpleMessage( + "Завантажуємо ваші фотографії...", + ), + "loadingModel": MessageLookupByLibrary.simpleMessage( + "Завантаження моделей...", + ), + "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( + "Завантажуємо фотографії...", + ), + "localGallery": MessageLookupByLibrary.simpleMessage("Локальна галерея"), + "localIndexing": MessageLookupByLibrary.simpleMessage( + "Локальне індексування", + ), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Схоже, щось пішло не так, оскільки локальна синхронізація фотографій займає більше часу, ніж очікувалося. Зверніться до нашої служби підтримки", + ), + "location": MessageLookupByLibrary.simpleMessage("Розташування"), + "locationName": MessageLookupByLibrary.simpleMessage( + "Назва місце розташування", + ), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Тег розташування групує всі фотографії, які були зроблені в певному радіусі від фотографії", + ), + "locations": MessageLookupByLibrary.simpleMessage("Розташування"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Заблокувати"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Екран блокування"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Увійти"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Вихід із системи..."), + "loginSessionExpired": MessageLookupByLibrary.simpleMessage( + "Час сеансу минув", + ), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "Термін дії вашого сеансу завершився. Увійдіть знову.", + ), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Натискаючи «Увійти», я приймаю умови використання і політику приватності", + ), + "loginWithTOTP": MessageLookupByLibrary.simpleMessage( + "Увійти за допомогою TOTP", + ), + "logout": MessageLookupByLibrary.simpleMessage("Вийти"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "Це призведе до надсилання журналів, які допоможуть нам усунути вашу проблему. Зверніть увагу, що назви файлів будуть включені, щоби допомогти відстежувати проблеми з конкретними файлами.", + ), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Довго утримуйте поштову адресу, щоб перевірити наскрізне шифрування.", + ), + "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( + "Натисніть і утримуйте елемент для перегляду в повноекранному режимі", + ), + "loopVideoOff": MessageLookupByLibrary.simpleMessage( + "Вимкнено зациклювання відео", + ), + "loopVideoOn": MessageLookupByLibrary.simpleMessage( + "Увімкнено зациклювання відео", + ), + "lostDevice": MessageLookupByLibrary.simpleMessage("Загубили пристрій?"), + "machineLearning": MessageLookupByLibrary.simpleMessage("Машинне навчання"), + "magicSearch": MessageLookupByLibrary.simpleMessage("Магічний пошук"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "Магічний пошук дозволяє шукати фотографії за їхнім вмістом, наприклад «квітка», «червоне авто» «паспорт»", + ), + "manage": MessageLookupByLibrary.simpleMessage("Керування"), + "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( + "Керування кешем пристрою", + ), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Переглянути та очистити локальне сховище кешу.", + ), + "manageFamily": MessageLookupByLibrary.simpleMessage("Керування сім\'єю"), + "manageLink": MessageLookupByLibrary.simpleMessage("Керувати посиланням"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Керування"), + "manageSubscription": MessageLookupByLibrary.simpleMessage( + "Керування передплатою", + ), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "Створення пари з PIN-кодом працює з будь-яким екраном, на яку ви хочете переглянути альбом.", + ), + "map": MessageLookupByLibrary.simpleMessage("Мапа"), + "maps": MessageLookupByLibrary.simpleMessage("Мапи"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "merchandise": MessageLookupByLibrary.simpleMessage("Товари"), + "mergeWithExisting": MessageLookupByLibrary.simpleMessage( + "Об\'єднати з наявним", + ), + "mergedPhotos": MessageLookupByLibrary.simpleMessage( + "Об\'єднані фотографії", + ), + "mlConsent": MessageLookupByLibrary.simpleMessage( + "Увімкнути машинне навчання", + ), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Я розумію, та бажаю увімкнути машинне навчання", + ), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Якщо увімкнути машинне навчання, Ente вилучатиме інформацію, наприклад геометрію обличчя з файлів, включно з тими, хто поділився з вами.\n\nЦе відбуватиметься на вашому пристрої, і будь-яка згенерована біометрична інформація буде наскрізно зашифрована.", + ), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Натисніть тут для більш детальної інформації про цю функцію в нашій політиці приватності", + ), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "Увімкнути машинне навчання?", + ), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Зверніть увагу, що машинне навчання призведе до збільшення пропускної здатності та споживання заряду батареї, поки не будуть проіндексовані всі елементи. Для прискорення індексації скористайтеся настільним застосунком, всі результати будуть синхронізовані автоматично.", + ), + "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( + "Смартфон, Вебсайт, ПК", + ), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Середній"), + "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( + "Змініть ваш запит або спробуйте знайти", + ), + "moments": MessageLookupByLibrary.simpleMessage("Моменти"), + "month": MessageLookupByLibrary.simpleMessage("місяць"), + "monthly": MessageLookupByLibrary.simpleMessage("Щомісяця"), + "moreDetails": MessageLookupByLibrary.simpleMessage("Детальніше"), + "mostRecent": MessageLookupByLibrary.simpleMessage("Останні"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("Найактуальніші"), + "moveToAlbum": MessageLookupByLibrary.simpleMessage( + "Перемістити до альбому", + ), + "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Перемістити до прихованого альбому", + ), + "movedSuccessfullyTo": m52, + "movedToTrash": MessageLookupByLibrary.simpleMessage( + "Переміщено у смітник", + ), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Переміщуємо файли до альбому...", + ), + "name": MessageLookupByLibrary.simpleMessage("Назва"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Назвіть альбом"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Не вдалося під\'єднатися до Ente. Спробуйте ще раз через деякий час. Якщо помилка не зникне, зв\'яжіться з нашою командою підтримки.", + ), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Не вдалося під\'єднатися до Ente. Перевірте налаштування мережі. Зверніться до нашої команди підтримки, якщо помилка залишиться.", + ), + "never": MessageLookupByLibrary.simpleMessage("Ніколи"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Новий альбом"), + "newLocation": MessageLookupByLibrary.simpleMessage("Нове розташування"), + "newPerson": MessageLookupByLibrary.simpleMessage("Нова особа"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Уперше на Ente"), + "newest": MessageLookupByLibrary.simpleMessage("Найновіші"), + "next": MessageLookupByLibrary.simpleMessage("Далі"), + "no": MessageLookupByLibrary.simpleMessage("Ні"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Ви ще не поділилися жодним альбомом", + ), + "noDeviceFound": MessageLookupByLibrary.simpleMessage( + "Не знайдено жодного пристрою", + ), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Немає"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "У вас не маєте файлів на цьому пристрої, які можна видалити", + ), + "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Немає дублікатів"), + "noExifData": MessageLookupByLibrary.simpleMessage("Немає даних EXIF"), + "noFacesFound": MessageLookupByLibrary.simpleMessage("Обличчя не знайдено"), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "Немає прихованих фотографій чи відео", + ), + "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( + "Немає зображень з розташуванням", + ), + "noInternetConnection": MessageLookupByLibrary.simpleMessage( + "Немає з’єднання з мережею", + ), + "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( + "Наразі немає резервних копій фотографій", + ), + "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( + "Тут немає фотографій", + ), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( + "Не вибрано швидких посилань", + ), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Немає ключа відновлення?", + ), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Через природу нашого кінцевого протоколу шифрування, ваші дані не можуть бути розшифровані без вашого пароля або ключа відновлення", + ), + "noResults": MessageLookupByLibrary.simpleMessage("Немає результатів"), + "noResultsFound": MessageLookupByLibrary.simpleMessage( + "Нічого не знайдено", + ), + "noSuggestionsForPerson": m53, + "noSystemLockFound": MessageLookupByLibrary.simpleMessage( + "Не знайдено системного блокування", + ), + "notPersonLabel": m54, + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "Поки що з вами ніхто не поділився", + ), + "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( + "Тут немає на що дивитися! 👀", + ), + "notifications": MessageLookupByLibrary.simpleMessage("Сповіщення"), + "ok": MessageLookupByLibrary.simpleMessage("Добре"), + "onDevice": MessageLookupByLibrary.simpleMessage("На пристрої"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "В Ente", + ), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Тільки вони"), + "oops": MessageLookupByLibrary.simpleMessage("От халепа"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Ой, не вдалося зберегти зміни", + ), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Йой, щось пішло не так", + ), + "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( + "Відкрити альбом у браузері", + ), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Використовуйте вебзастосунок, щоби додавати фотографії до цього альбому", + ), + "openFile": MessageLookupByLibrary.simpleMessage("Відкрити файл"), + "openSettings": MessageLookupByLibrary.simpleMessage( + "Відкрити налаштування", + ), + "openTheItem": MessageLookupByLibrary.simpleMessage("• Відкрити елемент"), + "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( + "Учасники OpenStreetMap", + ), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Необов\'язково, так коротко, як ви хочете...", + ), + "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( + "Або об\'єднати з наявними", + ), + "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( + "Або виберіть наявну", + ), + "pair": MessageLookupByLibrary.simpleMessage("Створити пару"), + "pairWithPin": MessageLookupByLibrary.simpleMessage( + "Під’єднатися через PIN-код", + ), + "pairingComplete": MessageLookupByLibrary.simpleMessage( + "Створення пари завершено", + ), + "panorama": MessageLookupByLibrary.simpleMessage("Панорама"), + "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( + "Перевірка все ще триває", + ), + "passkey": MessageLookupByLibrary.simpleMessage("Ключ доступу"), + "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( + "Перевірка через ключ доступу", + ), + "password": MessageLookupByLibrary.simpleMessage("Пароль"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Пароль успішно змінено", + ), + "passwordLock": MessageLookupByLibrary.simpleMessage("Блокування паролем"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "Надійність пароля розраховується з урахуванням довжини пароля, використаних символів, а також того, чи входить пароль у топ 10 000 найбільш використовуваних паролів", + ), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Ми не зберігаємо цей пароль, тому, якщо ви його забудете, ми не зможемо розшифрувати ваші дані", + ), + "paymentDetails": MessageLookupByLibrary.simpleMessage("Деталі платежу"), + "paymentFailed": MessageLookupByLibrary.simpleMessage( + "Не вдалося оплатити", + ), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "На жаль, ваш платіж не вдався. Зв\'яжіться зі службою підтримки і ми вам допоможемо!", + ), + "paymentFailedTalkToProvider": m58, + "pendingItems": MessageLookupByLibrary.simpleMessage( + "Елементи на розгляді", + ), + "pendingSync": MessageLookupByLibrary.simpleMessage( + "Очікування синхронізації", + ), + "people": MessageLookupByLibrary.simpleMessage("Люди"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Люди, які використовують ваш код", + ), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Усі елементи смітника будуть остаточно видалені\n\nЦю дію не можна скасувати", + ), + "permanentlyDelete": MessageLookupByLibrary.simpleMessage( + "Остаточно видалити", + ), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Остаточно видалити з пристрою?", + ), + "personName": MessageLookupByLibrary.simpleMessage("Ім\'я особи"), + "photoDescriptions": MessageLookupByLibrary.simpleMessage( + "Опис фотографії", + ), + "photoGridSize": MessageLookupByLibrary.simpleMessage( + "Розмір сітки фотографій", + ), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("фото"), + "photos": MessageLookupByLibrary.simpleMessage("Фото"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "Додані вами фотографії будуть видалені з альбому", + ), + "pickCenterPoint": MessageLookupByLibrary.simpleMessage( + "Вкажіть центральну точку", + ), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Закріпити альбом"), + "pinLock": MessageLookupByLibrary.simpleMessage("Блокування PIN-кодом"), + "playOnTv": MessageLookupByLibrary.simpleMessage("Відтворити альбом на ТБ"), + "playStoreFreeTrialValidTill": m63, + "playstoreSubscription": MessageLookupByLibrary.simpleMessage( + "Передплата Play Store", + ), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Перевірте з\'єднання з мережею та спробуйте ще раз.", + ), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Зв\'яжіться з support@ente.io і ми будемо раді допомогти!", + ), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Зверніться до служби підтримки, якщо проблема не зникне", + ), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( + "Надайте дозволи", + ), + "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage("Увійдіть знову"), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Виберіть посилання для видалення", + ), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("Спробуйте ще раз"), + "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( + "Підтвердьте введений код", + ), + "pleaseWait": MessageLookupByLibrary.simpleMessage( + "Будь ласка, зачекайте...", + ), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Зачекайте на видалення альбому", + ), + "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( + "Зачекайте деякий час перед повторною спробою", + ), + "preparingLogs": MessageLookupByLibrary.simpleMessage( + "Підготовка журналів...", + ), + "preserveMore": MessageLookupByLibrary.simpleMessage("Зберегти більше"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Натисніть та утримуйте, щоб відтворити відео", + ), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Натисніть та утримуйте на зображення, щоби відтворити відео", + ), + "privacy": MessageLookupByLibrary.simpleMessage("Приватність"), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "Політика приватності", + ), + "privateBackups": MessageLookupByLibrary.simpleMessage( + "Приватні резервні копії", + ), + "privateSharing": MessageLookupByLibrary.simpleMessage( + "Приватне поширення", + ), + "proceed": MessageLookupByLibrary.simpleMessage("Продовжити"), + "processingImport": m67, + "publicLinkCreated": MessageLookupByLibrary.simpleMessage( + "Публічне посилання створено", + ), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( + "Публічне посилання увімкнено", + ), + "quickLinks": MessageLookupByLibrary.simpleMessage("Швидкі посилання"), + "radius": MessageLookupByLibrary.simpleMessage("Радіус"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Подати заявку"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("Оцініть застосунок"), + "rateUs": MessageLookupByLibrary.simpleMessage("Оцініть нас"), + "rateUsOnStore": m68, + "recover": MessageLookupByLibrary.simpleMessage("Відновити"), + "recoverAccount": MessageLookupByLibrary.simpleMessage( + "Відновити обліковий запис", + ), + "recoverButton": MessageLookupByLibrary.simpleMessage("Відновлення"), + "recoveryAccount": MessageLookupByLibrary.simpleMessage( + "Відновити обліковий запис", + ), + "recoveryInitiated": MessageLookupByLibrary.simpleMessage( + "Почато відновлення", + ), + "recoveryInitiatedDesc": m70, + "recoveryKey": MessageLookupByLibrary.simpleMessage("Ключ відновлення"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Ключ відновлення скопійовано в буфер обміну", + ), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Якщо ви забудете свій пароль, то єдиний спосіб відновити ваші дані – за допомогою цього ключа.", + ), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Ми не зберігаємо цей ключ, збережіть цей ключ із 24 слів в надійному місці.", + ), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Чудово! Ваш ключ відновлення дійсний. Дякуємо за перевірку.\n\nНе забувайте надійно зберігати ключ відновлення.", + ), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Ключ відновлення перевірено", + ), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Ключ відновлення — це єдиний спосіб відновити фотографії, якщо ви забули пароль. Ви можете знайти свій ключ в розділі «Налаштування» > «Обліковий запис».\n\nВведіть ключ відновлення тут, щоб перевірити, чи правильно ви його зберегли.", + ), + "recoveryReady": m71, + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "Відновлення успішне!", + ), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "Довірений контакт намагається отримати доступ до вашого облікового запису", + ), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Ваш пристрій недостатньо потужний для перевірки пароля, але ми можемо відновити його таким чином, щоб він працював на всіх пристроях.\n\nУвійдіть за допомогою ключа відновлення та відновіть свій пароль (за бажанням ви можете використати той самий ключ знову).", + ), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Повторно створити пароль", + ), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": MessageLookupByLibrary.simpleMessage( + "Введіть пароль ще раз", + ), + "reenterPin": MessageLookupByLibrary.simpleMessage( + "Введіть PIN-код ще раз", + ), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Запросіть друзів та подвойте свій план", + ), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Дайте цей код друзям", + ), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Вони оформлюють передплату", + ), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Реферали"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "Реферали зараз призупинені", + ), + "rejectRecovery": MessageLookupByLibrary.simpleMessage( + "Відхилити відновлення", + ), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "Також очистьте «Нещодавно видалено» в «Налаштування» -> «Сховище», щоб отримати вільне місце", + ), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Також очистьте «Смітник», щоб звільнити місце", + ), + "remoteImages": MessageLookupByLibrary.simpleMessage( + "Віддалені зображення", + ), + "remoteThumbnails": MessageLookupByLibrary.simpleMessage( + "Віддалені мініатюри", + ), + "remoteVideos": MessageLookupByLibrary.simpleMessage("Віддалені відео"), + "remove": MessageLookupByLibrary.simpleMessage("Вилучити"), + "removeDuplicates": MessageLookupByLibrary.simpleMessage( + "Вилучити дублікати", + ), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Перегляньте та видаліть файли, які є точними дублікатами.", + ), + "removeFromAlbum": MessageLookupByLibrary.simpleMessage( + "Видалити з альбому", + ), + "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( + "Видалити з альбому?", + ), + "removeFromFavorite": MessageLookupByLibrary.simpleMessage( + "Вилучити з улюбленого", + ), + "removeInvite": MessageLookupByLibrary.simpleMessage("Видалити запрошення"), + "removeLink": MessageLookupByLibrary.simpleMessage("Вилучити посилання"), + "removeParticipant": MessageLookupByLibrary.simpleMessage( + "Видалити учасника", + ), + "removeParticipantBody": m74, + "removePersonLabel": MessageLookupByLibrary.simpleMessage( + "Видалити мітку особи", + ), + "removePublicLink": MessageLookupByLibrary.simpleMessage( + "Видалити публічне посилання", + ), + "removePublicLinks": MessageLookupByLibrary.simpleMessage( + "Видалити публічні посилання", + ), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Деякі речі, які ви видаляєте були додані іншими людьми, ви втратите доступ до них", + ), + "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Видалити?"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Видалити себе як довірений контакт", + ), + "removingFromFavorites": MessageLookupByLibrary.simpleMessage( + "Видалення з обраного...", + ), + "rename": MessageLookupByLibrary.simpleMessage("Перейменувати"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("Перейменувати альбом"), + "renameFile": MessageLookupByLibrary.simpleMessage("Перейменувати файл"), + "renewSubscription": MessageLookupByLibrary.simpleMessage( + "Поновити передплату", + ), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage( + "Повідомити про помилку", + ), + "reportBug": MessageLookupByLibrary.simpleMessage("Повідомити про помилку"), + "resendEmail": MessageLookupByLibrary.simpleMessage( + "Повторно надіслати лист", + ), + "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( + "Скинути ігноровані файли", + ), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Скинути пароль", + ), + "resetPerson": MessageLookupByLibrary.simpleMessage("Вилучити"), + "resetToDefault": MessageLookupByLibrary.simpleMessage( + "Скинути до типових", + ), + "restore": MessageLookupByLibrary.simpleMessage("Відновити"), + "restoreToAlbum": MessageLookupByLibrary.simpleMessage( + "Відновити в альбомі", + ), + "restoringFiles": MessageLookupByLibrary.simpleMessage( + "Відновлюємо файли...", + ), + "resumableUploads": MessageLookupByLibrary.simpleMessage( + "Завантаження з можливістю відновлення", + ), + "retry": MessageLookupByLibrary.simpleMessage("Повторити"), + "review": MessageLookupByLibrary.simpleMessage("Оцінити"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Перегляньте та видаліть елементи, які, на вашу думку, є дублікатами.", + ), + "reviewSuggestions": MessageLookupByLibrary.simpleMessage( + "Переглянути пропозиції", + ), + "right": MessageLookupByLibrary.simpleMessage("Праворуч"), + "rotate": MessageLookupByLibrary.simpleMessage("Обернути"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Повернути ліворуч"), + "rotateRight": MessageLookupByLibrary.simpleMessage("Повернути праворуч"), + "safelyStored": MessageLookupByLibrary.simpleMessage("Безпечне збереження"), + "save": MessageLookupByLibrary.simpleMessage("Зберегти"), + "saveCollage": MessageLookupByLibrary.simpleMessage("Зберегти колаж"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Зберегти копію"), + "saveKey": MessageLookupByLibrary.simpleMessage("Зберегти ключ"), + "savePerson": MessageLookupByLibrary.simpleMessage("Зберегти особу"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Збережіть ваш ключ відновлення, якщо ви ще цього не зробили", + ), + "saving": MessageLookupByLibrary.simpleMessage("Зберігаємо..."), + "savingEdits": MessageLookupByLibrary.simpleMessage("Зберігаємо зміни..."), + "scanCode": MessageLookupByLibrary.simpleMessage("Сканувати код"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Зіскануйте цей штрихкод за допомогою\nвашого застосунку для автентифікації", + ), + "search": MessageLookupByLibrary.simpleMessage("Пошук"), + "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Альбоми"), + "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage( + "Назва альбому", + ), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Назви альбомів (наприклад, «Камера»)\n• Типи файлів (наприклад, «Відео», «.gif»)\n• Роки та місяці (наприклад, «2022», «січень»)\n• Свята (наприклад, «Різдво»)\n• Описи фотографій (наприклад, «#fun»)", + ), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Додавайте такі описи як «#подорож» в інформацію про фотографію, щоб швидко знайти їх тут", + ), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Шукати за датою, місяцем або роком", + ), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "Зображення будуть показані тут після завершення оброблення та синхронізації", + ), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "Люди будуть показані тут після завершення індексації", + ), + "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( + "Типи та назви файлів", + ), + "searchHint1": MessageLookupByLibrary.simpleMessage( + "Швидкий пошук на пристрої", + ), + "searchHint2": MessageLookupByLibrary.simpleMessage("Дати, описи фото"), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "Альбоми, назви та типи файлів", + ), + "searchHint4": MessageLookupByLibrary.simpleMessage("Розташування"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "Незабаром: Обличчя і магічний пошук ✨", + ), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Групові фотографії, які зроблені в певному радіусі від фотографії", + ), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "Запросіть людей, і ви побачите всі фотографії, якими вони поділилися, тут", + ), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "Люди будуть показані тут після завершення оброблення та синхронізації", + ), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Безпека"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "Посилання на публічні альбоми в застосунку", + ), + "selectALocation": MessageLookupByLibrary.simpleMessage("Виберіть місце"), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage( + "Спочатку виберіть розташування", + ), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Вибрати альбом"), + "selectAll": MessageLookupByLibrary.simpleMessage("Вибрати все"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("Усі"), + "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( + "Вибрати обкладинку", + ), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Оберіть теки для резервного копіювання", + ), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "Виберіть елементи для додавання", + ), + "selectLanguage": MessageLookupByLibrary.simpleMessage("Виберіть мову"), + "selectMailApp": MessageLookupByLibrary.simpleMessage( + "Вибрати застосунок пошти", + ), + "selectMorePhotos": MessageLookupByLibrary.simpleMessage( + "Вибрати більше фотографій", + ), + "selectReason": MessageLookupByLibrary.simpleMessage("Оберіть причину"), + "selectYourPlan": MessageLookupByLibrary.simpleMessage("Оберіть тариф"), + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Вибрані файли не на Ente", + ), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Вибрані теки будуть зашифровані й створені резервні копії", + ), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Вибрані елементи будуть видалені з усіх альбомів і переміщені в смітник.", + ), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "send": MessageLookupByLibrary.simpleMessage("Надіслати"), + "sendEmail": MessageLookupByLibrary.simpleMessage( + "Надіслати електронного листа", + ), + "sendInvite": MessageLookupByLibrary.simpleMessage("Надіслати запрошення"), + "sendLink": MessageLookupByLibrary.simpleMessage("Надіслати посилання"), + "serverEndpoint": MessageLookupByLibrary.simpleMessage( + "Кінцева точка сервера", + ), + "sessionExpired": MessageLookupByLibrary.simpleMessage("Час сеансу минув"), + "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( + "Невідповідність ідентифікатора сеансу", + ), + "setAPassword": MessageLookupByLibrary.simpleMessage("Встановити пароль"), + "setAs": MessageLookupByLibrary.simpleMessage("Встановити як"), + "setCover": MessageLookupByLibrary.simpleMessage("Встановити обкладинку"), + "setLabel": MessageLookupByLibrary.simpleMessage("Встановити"), + "setNewPassword": MessageLookupByLibrary.simpleMessage( + "Встановити новий пароль", + ), + "setNewPin": MessageLookupByLibrary.simpleMessage( + "Встановити новий PIN-код", + ), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Встановити пароль", + ), + "setRadius": MessageLookupByLibrary.simpleMessage("Встановити радіус"), + "setupComplete": MessageLookupByLibrary.simpleMessage( + "Налаштування завершено", + ), + "share": MessageLookupByLibrary.simpleMessage("Поділитися"), + "shareALink": MessageLookupByLibrary.simpleMessage("Поділитися посиланням"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Відкрийте альбом та натисніть кнопку «Поділитися» у верхньому правому куті.", + ), + "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( + "Поділитися альбомом зараз", + ), + "shareLink": MessageLookupByLibrary.simpleMessage("Поділитися посиланням"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Поділіться тільки з тими людьми, якими ви хочете", + ), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Завантажте Ente для того, щоб легко поділитися фотографіями оригінальної якості та відео\n\nhttps://ente.io", + ), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Поділитися з користувачами без Ente", + ), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( + "Поділитися вашим першим альбомом", + ), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Створюйте спільні альбоми з іншими користувачами Ente, включно з користувачами безплатних тарифів.", + ), + "sharedByMe": MessageLookupByLibrary.simpleMessage("Поділився мною"), + "sharedByYou": MessageLookupByLibrary.simpleMessage("Поділилися вами"), + "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( + "Нові спільні фотографії", + ), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Отримувати сповіщення, коли хтось додасть фото до спільного альбому, в якому ви перебуваєте", + ), + "sharedWith": m87, + "sharedWithMe": MessageLookupByLibrary.simpleMessage("Поділитися зі мною"), + "sharedWithYou": MessageLookupByLibrary.simpleMessage("Поділилися з вами"), + "sharing": MessageLookupByLibrary.simpleMessage("Відправлення..."), + "showMemories": MessageLookupByLibrary.simpleMessage("Показати спогади"), + "showPerson": MessageLookupByLibrary.simpleMessage("Показати особу"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "Вийти на інших пристроях", + ), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Якщо ви думаєте, що хтось може знати ваш пароль, ви можете примусити всі інші пристрої, які використовують ваш обліковий запис, вийти із системи.", + ), + "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( + "Вийти на інших пристроях", + ), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Я приймаю умови використання і політику приватності", + ), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Воно буде видалено з усіх альбомів.", + ), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Пропустити"), + "social": MessageLookupByLibrary.simpleMessage("Соцмережі"), + "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( + "Деякі елементи знаходяться на Ente та вашому пристрої.", + ), + "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( + "Деякі файли, які ви намагаєтеся видалити, доступні лише на вашому пристрої, і їх неможливо відновити", + ), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Той, хто ділиться з вами альбомами, повинен бачити той самий ідентифікатор на своєму пристрої.", + ), + "somethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Щось пішло не так", + ), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Щось пішло не так, будь ласка, спробуйте знову", + ), + "sorry": MessageLookupByLibrary.simpleMessage("Пробачте"), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Неможливо додати до обраного!", + ), + "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( + "Не вдалося видалити з обраного!", + ), + "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "Вибачте, але введений вами код є невірним", + ), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "На жаль, на цьому пристрої не вдалося створити безпечні ключі.\n\nЗареєструйтесь з іншого пристрою.", + ), + "sort": MessageLookupByLibrary.simpleMessage("Сортувати"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Сортувати за"), + "sortNewestFirst": MessageLookupByLibrary.simpleMessage( + "Спочатку найновіші", + ), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage( + "Спочатку найстаріші", + ), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Успішно"), + "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( + "Почати відновлення", + ), + "startBackup": MessageLookupByLibrary.simpleMessage( + "Почати резервне копіювання", + ), + "status": MessageLookupByLibrary.simpleMessage("Стан"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "Ви хочете припинити трансляцію?", + ), + "stopCastingTitle": MessageLookupByLibrary.simpleMessage( + "Припинити трансляцію", + ), + "storage": MessageLookupByLibrary.simpleMessage("Сховище"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Сім\'я"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Ви"), + "storageInGB": m93, + "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( + "Перевищено ліміт сховища", + ), + "storageUsageInfo": m94, + "strongStrength": MessageLookupByLibrary.simpleMessage("Надійний"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Передплачувати"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Вам потрібна активна передплата, щоб увімкнути спільне поширення.", + ), + "subscription": MessageLookupByLibrary.simpleMessage("Передплата"), + "success": MessageLookupByLibrary.simpleMessage("Успішно"), + "successfullyArchived": MessageLookupByLibrary.simpleMessage( + "Успішно архівовано", + ), + "successfullyHid": MessageLookupByLibrary.simpleMessage( + "Успішно приховано", + ), + "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( + "Успішно розархівовано", + ), + "successfullyUnhid": MessageLookupByLibrary.simpleMessage( + "Успішно показано", + ), + "suggestFeatures": MessageLookupByLibrary.simpleMessage( + "Запропонувати нові функції", + ), + "support": MessageLookupByLibrary.simpleMessage("Підтримка"), + "syncProgress": m97, + "syncStopped": MessageLookupByLibrary.simpleMessage( + "Синхронізацію зупинено", + ), + "syncing": MessageLookupByLibrary.simpleMessage("Синхронізуємо..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("Як в системі"), + "tapToCopy": MessageLookupByLibrary.simpleMessage( + "натисніть, щоб скопіювати", + ), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage( + "Натисніть, щоб ввести код", + ), + "tapToUnlock": MessageLookupByLibrary.simpleMessage( + "Торкніться, щоби розблокувати", + ), + "tapToUpload": MessageLookupByLibrary.simpleMessage( + "Натисніть, щоб завантажити", + ), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Схоже, що щось пішло не так. Спробуйте ще раз через деякий час. Якщо помилка не зникне, зв\'яжіться з нашою командою підтримки.", + ), + "terminate": MessageLookupByLibrary.simpleMessage("Припинити"), + "terminateSession": MessageLookupByLibrary.simpleMessage( + "Припинити сеанс?", + ), + "terms": MessageLookupByLibrary.simpleMessage("Умови"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Умови"), + "thankYou": MessageLookupByLibrary.simpleMessage("Дякуємо"), + "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( + "Спасибі за передплату!", + ), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "Завантаження не може бути завершено", + ), + "theLinkYouAreTryingToAccessHasExpired": MessageLookupByLibrary.simpleMessage( + "Термін дії посилання, за яким ви намагаєтеся отримати доступ, закінчився.", + ), + "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "Ви ввели невірний ключ відновлення", + ), + "theme": MessageLookupByLibrary.simpleMessage("Тема"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Ці елементи будуть видалені з пристрою.", + ), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "Вони будуть видалені з усіх альбомів.", + ), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Цю дію не можна буде скасувати", + ), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "Цей альбом вже має спільне посилання", + ), + "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( + "Це може бути використано для відновлення вашого облікового запису, якщо ви втратите свій автентифікатор", + ), + "thisDevice": MessageLookupByLibrary.simpleMessage("Цей пристрій"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "Ця поштова адреса вже використовується", + ), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Це зображення не має даних exif", + ), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Це ваш Ідентифікатор підтвердження", + ), + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Це призведе до виходу на наступному пристрої:", + ), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Це призведе до виходу на цьому пристрої!", + ), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "Це видалить публічні посилання з усіх вибраних швидких посилань.", + ), + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "Для увімкнення блокування застосунку, налаштуйте пароль пристрою або блокування екрана в системних налаштуваннях.", + ), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( + "Щоб приховати фото або відео", + ), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Щоб скинути пароль, спочатку підтвердьте адресу своєї пошти.", + ), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Сьогоднішні журнали"), + "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( + "Завелика кількість невірних спроб", + ), + "total": MessageLookupByLibrary.simpleMessage("всього"), + "totalSize": MessageLookupByLibrary.simpleMessage("Загальний розмір"), + "trash": MessageLookupByLibrary.simpleMessage("Смітник"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Вирізати"), + "trustedContacts": MessageLookupByLibrary.simpleMessage( + "Довірені контакти", + ), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Спробувати знову"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Увімкніть резервну копію для автоматичного завантаження файлів, доданих до теки пристрою в Ente.", + ), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "2 місяці безплатно на щорічних планах", + ), + "twofactor": MessageLookupByLibrary.simpleMessage("Двоетапна"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage("Двоетапну перевірку вимкнено"), + "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( + "Двоетапна перевірка", + ), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "Двоетапну перевірку успішно скинуто", + ), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Налаштування двоетапної перевірки", + ), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("Розархівувати"), + "unarchiveAlbum": MessageLookupByLibrary.simpleMessage( + "Розархівувати альбом", + ), + "unarchiving": MessageLookupByLibrary.simpleMessage("Розархівуємо..."), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "На жаль, цей код недоступний.", + ), + "uncategorized": MessageLookupByLibrary.simpleMessage("Без категорії"), + "unhide": MessageLookupByLibrary.simpleMessage("Показати"), + "unhideToAlbum": MessageLookupByLibrary.simpleMessage("Показати в альбомі"), + "unhiding": MessageLookupByLibrary.simpleMessage("Показуємо..."), + "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Розкриваємо файли в альбомі", + ), + "unlock": MessageLookupByLibrary.simpleMessage("Розблокувати"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("Відкріпити альбом"), + "unselectAll": MessageLookupByLibrary.simpleMessage("Зняти виділення"), + "update": MessageLookupByLibrary.simpleMessage("Оновити"), + "updateAvailable": MessageLookupByLibrary.simpleMessage( + "Доступне оновлення", + ), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Оновлення вибору теки...", + ), + "upgrade": MessageLookupByLibrary.simpleMessage("Покращити"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Завантажуємо файли до альбому...", + ), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( + "Зберігаємо 1 спогад...", + ), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "Знижки до 50%, до 4 грудня.", + ), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "Доступний обсяг пам\'яті обмежений вашим поточним тарифом. Надлишок заявленого обсягу автоматично стане доступним, коли ви покращите тариф.", + ), + "useAsCover": MessageLookupByLibrary.simpleMessage( + "Використати як обкладинку", + ), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "Виникли проблеми з відтворенням цього відео? Натисніть і утримуйте тут, щоб спробувати інший плеєр.", + ), + "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Використовувати публічні посилання для людей не з Ente", + ), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Застосувати ключ відновлення", + ), + "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( + "Використати вибране фото", + ), + "usedSpace": MessageLookupByLibrary.simpleMessage("Використано місця"), + "validTill": m110, + "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Перевірка не вдалася, спробуйте ще раз", + ), + "verificationId": MessageLookupByLibrary.simpleMessage( + "Ідентифікатор підтвердження", + ), + "verify": MessageLookupByLibrary.simpleMessage("Підтвердити"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("Підтвердити пошту"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Підтвердження"), + "verifyPasskey": MessageLookupByLibrary.simpleMessage( + "Підтвердити ключ доступу", + ), + "verifyPassword": MessageLookupByLibrary.simpleMessage( + "Підтвердження пароля", + ), + "verifying": MessageLookupByLibrary.simpleMessage("Перевіряємо..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Перевірка ключа відновлення...", + ), + "videoInfo": MessageLookupByLibrary.simpleMessage("Інформація про відео"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("відео"), + "videos": MessageLookupByLibrary.simpleMessage("Відео"), + "viewActiveSessions": MessageLookupByLibrary.simpleMessage( + "Показати активні сеанси", + ), + "viewAddOnButton": MessageLookupByLibrary.simpleMessage( + "Переглянути доповнення", + ), + "viewAll": MessageLookupByLibrary.simpleMessage("Переглянути все"), + "viewAllExifData": MessageLookupByLibrary.simpleMessage( + "Переглянути всі дані EXIF", + ), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Великі файли"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Перегляньте файли, які займають найбільше місця у сховищі.", + ), + "viewLogs": MessageLookupByLibrary.simpleMessage("Переглянути журнали"), + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Переглянути ключ відновлення", + ), + "viewer": MessageLookupByLibrary.simpleMessage("Глядач"), + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Відвідайте web.ente.io, щоб керувати передплатою", + ), + "waitingForVerification": MessageLookupByLibrary.simpleMessage( + "Очікується підтвердження...", + ), + "waitingForWifi": MessageLookupByLibrary.simpleMessage( + "Очікування на Wi-Fi...", + ), + "warning": MessageLookupByLibrary.simpleMessage("Увага"), + "weAreOpenSource": MessageLookupByLibrary.simpleMessage( + "У нас відкритий вихідний код!", + ), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "Ми не підтримуємо редагування фотографій та альбомів, якими ви ще не володієте", + ), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Слабкий"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("З поверненням!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("Що нового"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "Довірений контакт може допомогти у відновленні ваших даних.", + ), + "yearShort": MessageLookupByLibrary.simpleMessage("рік"), + "yearly": MessageLookupByLibrary.simpleMessage("Щороку"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Так"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Так, скасувати"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "Так, перетворити в глядача", + ), + "yesDelete": MessageLookupByLibrary.simpleMessage("Так, видалити"), + "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( + "Так, відхилити зміни", + ), + "yesLogout": MessageLookupByLibrary.simpleMessage( + "Так, вийти з облікового запису", + ), + "yesRemove": MessageLookupByLibrary.simpleMessage("Так, видалити"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Так, поновити"), + "yesResetPerson": MessageLookupByLibrary.simpleMessage( + "Так, скинути особу", + ), + "you": MessageLookupByLibrary.simpleMessage("Ви"), + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( + "Ви на сімейному плані!", + ), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Ви використовуєте останню версію", + ), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Ви можете максимально подвоїти своє сховище", + ), + "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( + "Ви можете керувати посиланнями на вкладці «Поділитися».", + ), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "Ви можете спробувати пошукати за іншим запитом.", + ), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "Ви не можете перейти до цього плану", + ), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Ви не можете поділитися із собою", + ), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "У вас немає жодних архівних елементів.", + ), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "Ваш обліковий запис видалено", + ), + "yourMap": MessageLookupByLibrary.simpleMessage("Ваша мапа"), + "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( + "Ваш план був успішно знижено", + ), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "Ваш план успішно покращено", + ), + "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( + "Ваша покупка пройшла успішно", + ), + "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( + "Не вдалося отримати деталі про ваше сховище", + ), + "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( + "Термін дії вашої передплати скінчився", + ), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "Вашу передплату успішно оновлено", + ), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "Термін дії коду підтвердження минув", + ), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "У цьому альбомі немає файлів, які можуть бути видалені", + ), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( + "Збільште, щоб побачити фотографії", + ), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_vi.dart b/mobile/apps/photos/lib/generated/intl/messages_vi.dart index cff3edf144..5d41e14cbe 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_vi.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_vi.dart @@ -46,7 +46,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m9(versionValue) => "Phiên bản: ${versionValue}"; static String m10(freeAmount, storageUnit) => - "${freeAmount} ${storageUnit} còn trống"; + "${freeAmount} ${storageUnit} trống"; static String m11(name) => "Ngắm cảnh với ${name}"; @@ -57,14 +57,7 @@ class MessageLookup extends MessageLookupByLibrary { "${user} sẽ không thể thêm ảnh vào album này\n\nHọ vẫn có thể xóa ảnh đã thêm bởi họ"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, { - 'true': - 'Gia đình bạn đã nhận thêm ${storageAmountInGb} GB tính đến hiện tại', - 'false': - 'Bạn đã nhận thêm ${storageAmountInGb} GB tính đến hiện tại', - 'other': - 'Bạn đã nhận thêm ${storageAmountInGb} GB tính đến hiện tại!', - })}"; + "${Intl.select(isFamilyMember, {'true': 'Gia đình bạn đã nhận thêm ${storageAmountInGb} GB tính đến hiện tại', 'false': 'Bạn đã nhận thêm ${storageAmountInGb} GB tính đến hiện tại', 'other': 'Bạn đã nhận thêm ${storageAmountInGb} GB tính đến hiện tại!'})}"; static String m15(albumName) => "Liên kết cộng tác đã được tạo cho ${albumName}"; @@ -87,7 +80,7 @@ class MessageLookup extends MessageLookupByLibrary { "${Intl.plural(count, one: 'Xóa ${count} mục', other: 'Xóa ${count} mục')}"; static String m22(count) => - "Xóa luôn các tấm ảnh (và video) có trong ${count} album khỏi toàn bộ album khác cũng đang chứa chúng?"; + "Xóa luôn ảnh (và video) trong ${count} album này khỏi toàn bộ album khác cũng đang chứa chúng?"; static String m23(currentlyDeleting, totalCount) => "Đang xóa ${currentlyDeleting} / ${totalCount}"; @@ -120,10 +113,10 @@ class MessageLookup extends MessageLookupByLibrary { static String m34(name) => "Tiệc tùng với ${name}"; static String m35(count, formattedNumber) => - "${Intl.plural(count, other: '${formattedNumber} tệp')} trên thiết bị này đã được sao lưu an toàn"; + "${Intl.plural(count, other: '${formattedNumber} tệp')} trên thiết bị đã được sao lưu an toàn"; static String m36(count, formattedNumber) => - "${Intl.plural(count, other: '${formattedNumber} tệp')} trong album này đã được sao lưu an toàn"; + "${Intl.plural(count, other: '${formattedNumber} tệp')} trong album đã được sao lưu an toàn"; static String m37(storageAmountInGB) => "${storageAmountInGB} GB mỗi khi ai đó đăng ký gói trả phí và áp dụng mã của bạn"; @@ -131,12 +124,12 @@ class MessageLookup extends MessageLookupByLibrary { static String m38(endDate) => "Dùng thử miễn phí áp dụng đến ${endDate}"; static String m39(count) => - "Bạn vẫn có thể truy cập ${Intl.plural(count, one: 'chúng', other: 'chúng')} trên Ente miễn là bạn có một gói đăng ký"; + "Bạn vẫn có thể truy cập ${Intl.plural(count, one: 'chúng', other: 'chúng')} trên Ente, miễn là gói của bạn còn hiệu lực"; static String m40(sizeInMBorGB) => "Giải phóng ${sizeInMBorGB}"; static String m41(count, formattedSize) => - "${Intl.plural(count, one: 'Có thể xóa khỏi thiết bị để giải phóng ${formattedSize}', other: 'Có thể xóa khỏi thiết bị để giải phóng ${formattedSize}')}"; + "${Intl.plural(count, one: 'Xóa chúng khỏi thiết bị để giải phóng ${formattedSize}', other: 'Xóa chúng khỏi thiết bị để giải phóng ${formattedSize}')}"; static String m42(currentlyProcessing, totalCount) => "Đang xử lý ${currentlyProcessing} / ${totalCount}"; @@ -158,7 +151,7 @@ class MessageLookup extends MessageLookupByLibrary { "Việc này sẽ liên kết ${personName} với ${email}"; static String m50(count, formattedCount) => - "${Intl.plural(count, zero: 'chưa có ảnh', other: '${formattedCount} ảnh')}"; + "${Intl.plural(count, zero: 'chưa có kỷ niệm', other: '${formattedCount} kỷ niệm')}"; static String m51(count) => "${Intl.plural(count, one: 'Di chuyển mục', other: 'Di chuyển các mục')}"; @@ -196,7 +189,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m64(toEmail) => "Vui lòng gửi email cho chúng tôi tại ${toEmail}"; - static String m65(toEmail) => "Vui lòng gửi file log đến \n${toEmail}"; + static String m65(toEmail) => "Vui lòng gửi nhật ký đến \n${toEmail}"; static String m66(name) => "Làm dáng với ${name}"; @@ -269,8 +262,12 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => - "${usedAmount} ${usedStorageUnit} trên ${totalAmount} ${totalStorageUnit} đã sử dụng"; + usedAmount, + usedStorageUnit, + totalAmount, + totalStorageUnit, + ) => + "${usedAmount} ${usedStorageUnit} / ${totalAmount} ${totalStorageUnit} đã dùng"; static String m95(id) => "ID ${id} của bạn đã được liên kết với một tài khoản Ente khác.\nNếu bạn muốn sử dụng ID ${id} này với tài khoản này, vui lòng liên hệ bộ phận hỗ trợ của chúng tôi."; @@ -294,7 +291,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m102(dateFormat) => "${dateFormat} qua các năm"; static String m103(count) => - "${Intl.plural(count, zero: 'Sắp tới', one: '1 ngày', other: '${count} ngày')}"; + "${Intl.plural(count, zero: 'Sắp xóa', one: '1 ngày', other: '${count} ngày')}"; static String m104(year) => "Phượt năm ${year}"; @@ -334,1957 +331,2423 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": - MessageLookupByLibrary.simpleMessage("Ente có phiên bản mới."), - "about": MessageLookupByLibrary.simpleMessage("Giới thiệu"), - "acceptTrustInvite": - MessageLookupByLibrary.simpleMessage("Chấp nhận lời mời"), - "account": MessageLookupByLibrary.simpleMessage("Tài khoản"), - "accountIsAlreadyConfigured": - MessageLookupByLibrary.simpleMessage("Tài khoản đã được cấu hình."), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": - MessageLookupByLibrary.simpleMessage("Chào mừng bạn trở lại!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Tôi hiểu rằng nếu tôi mất mật khẩu, tôi có thể mất dữ liệu của mình vì dữ liệu của tôi được mã hóa đầu cuối."), - "actionNotSupportedOnFavouritesAlbum": - MessageLookupByLibrary.simpleMessage( - "Hành động không áp dụng trong album Đã thích"), - "activeSessions": - MessageLookupByLibrary.simpleMessage("Phiên hoạt động"), - "add": MessageLookupByLibrary.simpleMessage("Thêm"), - "addAName": MessageLookupByLibrary.simpleMessage("Thêm một tên"), - "addANewEmail": - MessageLookupByLibrary.simpleMessage("Thêm một email mới"), - "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Thêm tiện ích album vào màn hình chính và quay lại đây để tùy chỉnh."), - "addCollaborator": - MessageLookupByLibrary.simpleMessage("Thêm cộng tác viên"), - "addCollaborators": m1, - "addFiles": MessageLookupByLibrary.simpleMessage("Thêm tệp"), - "addFromDevice": - MessageLookupByLibrary.simpleMessage("Thêm từ thiết bị"), - "addItem": m2, - "addLocation": MessageLookupByLibrary.simpleMessage("Thêm vị trí"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Thêm"), - "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Thêm tiện ích kỷ niệm vào màn hình chính và quay lại đây để tùy chỉnh."), - "addMore": MessageLookupByLibrary.simpleMessage("Thêm nữa"), - "addName": MessageLookupByLibrary.simpleMessage("Thêm tên"), - "addNameOrMerge": - MessageLookupByLibrary.simpleMessage("Thêm tên hoặc hợp nhất"), - "addNew": MessageLookupByLibrary.simpleMessage("Thêm mới"), - "addNewPerson": MessageLookupByLibrary.simpleMessage("Thêm người mới"), - "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( - "Chi tiết về tiện ích mở rộng"), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("Tiện ích mở rộng"), - "addParticipants": - MessageLookupByLibrary.simpleMessage("Thêm người tham gia"), - "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Thêm tiện ích người vào màn hình chính và quay lại đây để tùy chỉnh."), - "addPhotos": MessageLookupByLibrary.simpleMessage("Thêm ảnh"), - "addSelected": MessageLookupByLibrary.simpleMessage("Thêm mục đã chọn"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("Thêm vào album"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Thêm vào Ente"), - "addToHiddenAlbum": - MessageLookupByLibrary.simpleMessage("Thêm vào album ẩn"), - "addTrustedContact": - MessageLookupByLibrary.simpleMessage("Thêm liên hệ tin cậy"), - "addViewer": MessageLookupByLibrary.simpleMessage("Thêm người xem"), - "addViewers": m4, - "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( - "Thêm ảnh của bạn ngay bây giờ"), - "addedAs": MessageLookupByLibrary.simpleMessage("Đã thêm như"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": MessageLookupByLibrary.simpleMessage( - "Đang thêm vào mục yêu thích..."), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("Nâng cao"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Nâng cao"), - "after1Day": MessageLookupByLibrary.simpleMessage("Sau 1 ngày"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Sau 1 giờ"), - "after1Month": MessageLookupByLibrary.simpleMessage("Sau 1 tháng"), - "after1Week": MessageLookupByLibrary.simpleMessage("Sau 1 tuần"), - "after1Year": MessageLookupByLibrary.simpleMessage("Sau 1 năm"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Chủ sở hữu"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Tiêu đề album"), - "albumUpdated": - MessageLookupByLibrary.simpleMessage("Album đã được cập nhật"), - "albums": MessageLookupByLibrary.simpleMessage("Album"), - "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Chọn những album bạn muốn thấy trên màn hình chính của mình."), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Tất cả đã xong"), - "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( - "Tất cả kỷ niệm đã được lưu giữ"), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "Tất cả nhóm của người này sẽ được đặt lại, và bạn sẽ mất tất cả các gợi ý đã được tạo ra cho người này"), - "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": - MessageLookupByLibrary.simpleMessage( - "Tất cả nhóm không có tên sẽ được hợp nhất vào người đã chọn. Điều này vẫn có thể được hoàn tác từ tổng quan lịch sử đề xuất của người đó."), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "Đây là ảnh đầu tiên trong nhóm. Các ảnh được chọn khác sẽ tự động thay đổi dựa theo ngày mới này"), - "allow": MessageLookupByLibrary.simpleMessage("Cho phép"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Cho phép người có liên kết thêm ảnh vào album chia sẻ."), - "allowAddingPhotos": - MessageLookupByLibrary.simpleMessage("Cho phép thêm ảnh"), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "Cho phép ứng dụng mở liên kết album chia sẻ"), - "allowDownloads": - MessageLookupByLibrary.simpleMessage("Cho phép tải xuống"), - "allowPeopleToAddPhotos": - MessageLookupByLibrary.simpleMessage("Cho phép mọi người thêm ảnh"), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Vui lòng cho phép truy cập vào ảnh của bạn từ Cài đặt để Ente có thể hiển thị và sao lưu thư viện của bạn."), - "allowPermTitle": - MessageLookupByLibrary.simpleMessage("Cho phép truy cập ảnh"), - "androidBiometricHint": - MessageLookupByLibrary.simpleMessage("Xác minh danh tính"), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "Không nhận diện được. Thử lại."), - "androidBiometricRequiredTitle": - MessageLookupByLibrary.simpleMessage("Yêu cầu sinh trắc học"), - "androidBiometricSuccess": - MessageLookupByLibrary.simpleMessage("Thành công"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Hủy"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage( - "Yêu cầu thông tin xác thực thiết bị"), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage( - "Yêu cầu thông tin xác thực thiết bị"), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Xác thực sinh trắc học chưa được thiết lập trên thiết bị của bạn. Đi đến \'Cài đặt > Bảo mật\' để thêm xác thực sinh trắc học."), - "androidIosWebDesktop": - MessageLookupByLibrary.simpleMessage("Android, iOS, Web, Desktop"), - "androidSignInTitle": - MessageLookupByLibrary.simpleMessage("Yêu cầu xác thực"), - "appIcon": MessageLookupByLibrary.simpleMessage("Biểu tượng ứng dụng"), - "appLock": MessageLookupByLibrary.simpleMessage("Khóa ứng dụng"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Chọn giữa màn hình khóa mặc định của thiết bị và màn hình khóa tùy chỉnh với PIN hoặc mật khẩu."), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("ID Apple"), - "apply": MessageLookupByLibrary.simpleMessage("Áp dụng"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Áp dụng mã"), - "appstoreSubscription": - MessageLookupByLibrary.simpleMessage("Gói AppStore"), - "archive": MessageLookupByLibrary.simpleMessage("Lưu trữ"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("Lưu trữ album"), - "archiving": MessageLookupByLibrary.simpleMessage("Đang lưu trữ..."), - "areThey": MessageLookupByLibrary.simpleMessage("Họ có phải là "), - "areYouSureRemoveThisFaceFromPerson": - MessageLookupByLibrary.simpleMessage( - "Bạn có chắc muốn xóa khuôn mặt này khỏi người này không?"), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Bạn có chắc muốn rời khỏi gói gia đình không?"), - "areYouSureYouWantToCancel": - MessageLookupByLibrary.simpleMessage("Bạn có chắc muốn hủy không?"), - "areYouSureYouWantToChangeYourPlan": - MessageLookupByLibrary.simpleMessage( - "Bạn có chắc muốn thay đổi gói của mình không?"), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "Bạn có chắc muốn thoát không?"), - "areYouSureYouWantToIgnoreThesePersons": - MessageLookupByLibrary.simpleMessage( - "Bạn có chắc muốn bỏ qua những người này?"), - "areYouSureYouWantToIgnoreThisPerson": - MessageLookupByLibrary.simpleMessage( - "Bạn có chắc muốn bỏ qua người này?"), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Bạn có chắc muốn đăng xuất không?"), - "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( - "Bạn có chắc muốn hợp nhất họ?"), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "Bạn có chắc muốn gia hạn không?"), - "areYouSureYouWantToResetThisPerson": - MessageLookupByLibrary.simpleMessage( - "Bạn có chắc muốn đặt lại người này không?"), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "Gói của bạn đã bị hủy. Bạn có muốn chia sẻ lý do không?"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Lý do chính bạn xóa tài khoản là gì?"), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Hãy gợi ý những người thân yêu của bạn chia sẻ"), - "atAFalloutShelter": - MessageLookupByLibrary.simpleMessage("ở hầm trú ẩn hạt nhân"), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Vui lòng xác thực để đổi cài đặt xác minh email"), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Vui lòng xác thực để thay đổi cài đặt khóa màn hình"), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Vui lòng xác thực để đổi email"), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Vui lòng xác thực để đổi mật khẩu"), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Vui lòng xác thực để cấu hình xác thực 2 bước"), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Vui lòng xác thực để bắt đầu xóa tài khoản"), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Vui lòng xác thực để quản lý các liên hệ tin cậy"), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Vui lòng xác thực để xem khóa truy cập"), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Vui lòng xác thực để xem các tệp đã xóa"), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Vui lòng xác thực để xem các phiên hoạt động"), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Vui lòng xác thực để xem các tệp ẩn"), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Vui lòng xác thực để xem kỷ niệm"), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Vui lòng xác thực để xem mã khôi phục"), - "authenticating": - MessageLookupByLibrary.simpleMessage("Đang xác thực..."), - "authenticationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Xác thực không thành công, vui lòng thử lại"), - "authenticationSuccessful": - MessageLookupByLibrary.simpleMessage("Xác thực thành công!"), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Bạn sẽ thấy các thiết bị Cast có sẵn ở đây."), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Hãy chắc rằng quyền Mạng cục bộ đã được bật cho ứng dụng Ente Photos, trong Cài đặt."), - "autoLock": MessageLookupByLibrary.simpleMessage("Khóa tự động"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Sau thời gian này, ứng dụng sẽ khóa sau khi được chạy ở chế độ nền"), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "Do sự cố kỹ thuật, bạn đã bị đăng xuất. Chúng tôi xin lỗi vì sự bất tiện."), - "autoPair": MessageLookupByLibrary.simpleMessage("Ghép nối tự động"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "Ghép nối tự động chỉ hoạt động với các thiết bị hỗ trợ Chromecast."), - "available": MessageLookupByLibrary.simpleMessage("Có sẵn"), - "availableStorageSpace": m10, - "backedUpFolders": - MessageLookupByLibrary.simpleMessage("Thư mục đã sao lưu"), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("Sao lưu"), - "backupFailed": - MessageLookupByLibrary.simpleMessage("Sao lưu thất bại"), - "backupFile": MessageLookupByLibrary.simpleMessage("Sao lưu tệp"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Sao lưu bằng dữ liệu di động"), - "backupSettings": - MessageLookupByLibrary.simpleMessage("Cài đặt sao lưu"), - "backupStatus": - MessageLookupByLibrary.simpleMessage("Trạng thái sao lưu"), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Các mục đã được sao lưu sẽ hiển thị ở đây"), - "backupVideos": MessageLookupByLibrary.simpleMessage("Sao lưu video"), - "beach": MessageLookupByLibrary.simpleMessage("Cát và biển"), - "birthday": MessageLookupByLibrary.simpleMessage("Sinh nhật"), - "birthdayNotifications": - MessageLookupByLibrary.simpleMessage("Thông báo sinh nhật"), - "birthdays": MessageLookupByLibrary.simpleMessage("Sinh nhật"), - "blackFridaySale": - MessageLookupByLibrary.simpleMessage("Giảm giá Black Friday"), - "blog": MessageLookupByLibrary.simpleMessage("Blog"), - "cLDesc1": MessageLookupByLibrary.simpleMessage( - "Sau bản beta phát trực tuyến video và làm việc trên các bản có thể tiếp tục tải lên và tải xuống, chúng tôi hiện đã tăng giới hạn tải lên tệp tới 10 GB. Tính năng này hiện khả dụng trên cả ứng dụng dành cho máy tính để bàn và di động."), - "cLDesc2": MessageLookupByLibrary.simpleMessage( - "Tải lên trong nền hiện đã hỗ trợ trên iOS và Android. Không cần phải mở ứng dụng để sao lưu ảnh và video mới nhất của bạn."), - "cLDesc3": MessageLookupByLibrary.simpleMessage( - "Chúng tôi đã có những cải tiến đáng kể cho trải nghiệm kỷ niệm, bao gồm phát tự động, vuốt đến kỷ niệm tiếp theo và nhiều tính năng khác."), - "cLDesc4": MessageLookupByLibrary.simpleMessage( - "Cùng với một loạt cải tiến nội bộ, giờ đây bạn có thể dễ dàng xem tất cả khuôn mặt đã phát hiện, cung cấp phản hồi về các khuôn mặt giống nhau và thêm/xóa khuôn mặt khỏi một bức ảnh."), - "cLDesc5": MessageLookupByLibrary.simpleMessage( - "Bây giờ bạn sẽ nhận được thông báo tùy-chọn cho tất cả các ngày sinh nhật mà bạn đã lưu trên Ente, cùng với bộ sưu tập những bức ảnh đẹp nhất của họ."), - "cLDesc6": MessageLookupByLibrary.simpleMessage( - "Không còn phải chờ tải lên/tải xuống xong mới có thể đóng ứng dụng. Tất cả các tải lên và tải xuống hiện có thể tạm dừng giữa chừng và tiếp tục từ nơi bạn đã dừng lại."), - "cLTitle1": - MessageLookupByLibrary.simpleMessage("Tải lên tệp video lớn"), - "cLTitle2": MessageLookupByLibrary.simpleMessage("Tải lên trong nền"), - "cLTitle3": - MessageLookupByLibrary.simpleMessage("Tự động phát kỷ niệm"), - "cLTitle4": MessageLookupByLibrary.simpleMessage( - "Cải thiện nhận diện khuôn mặt"), - "cLTitle5": MessageLookupByLibrary.simpleMessage("Thông báo sinh nhật"), - "cLTitle6": MessageLookupByLibrary.simpleMessage( - "Tiếp tục tải lên và tải xuống"), - "cachedData": MessageLookupByLibrary.simpleMessage( - "Dữ liệu đã lưu trong bộ nhớ đệm"), - "calculating": - MessageLookupByLibrary.simpleMessage("Đang tính toán..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Rất tiếc, album này không thể mở trong ứng dụng."), - "canNotOpenTitle": - MessageLookupByLibrary.simpleMessage("Không thể mở album này"), - "canNotUploadToAlbumsOwnedByOthers": - MessageLookupByLibrary.simpleMessage( - "Không thể tải lên album thuộc sở hữu của người khác"), - "canOnlyCreateLinkForFilesOwnedByYou": - MessageLookupByLibrary.simpleMessage( - "Chỉ có thể tạo liên kết cho các tệp thuộc sở hữu của bạn"), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Chỉ có thể xóa các tệp thuộc sở hữu của bạn"), - "cancel": MessageLookupByLibrary.simpleMessage("Hủy"), - "cancelAccountRecovery": - MessageLookupByLibrary.simpleMessage("Hủy khôi phục"), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "Bạn có chắc muốn hủy khôi phục không?"), - "cancelOtherSubscription": m12, - "cancelSubscription": MessageLookupByLibrary.simpleMessage("Hủy gói"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Không thể xóa các tệp đã chia sẻ"), - "castAlbum": MessageLookupByLibrary.simpleMessage("Phát album"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Hãy chắc rằng bạn đang dùng chung mạng với TV."), - "castIPMismatchTitle": - MessageLookupByLibrary.simpleMessage("Không thể phát album"), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Truy cập cast.ente.io trên thiết bị bạn muốn ghép nối.\n\nNhập mã dưới đây để phát album trên TV của bạn."), - "centerPoint": MessageLookupByLibrary.simpleMessage("Điểm trung tâm"), - "change": MessageLookupByLibrary.simpleMessage("Thay đổi"), - "changeEmail": MessageLookupByLibrary.simpleMessage("Đổi email"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Thay đổi vị trí của các mục đã chọn?"), - "changePassword": MessageLookupByLibrary.simpleMessage("Đổi mật khẩu"), - "changePasswordTitle": - MessageLookupByLibrary.simpleMessage("Thay đổi mật khẩu"), - "changePermissions": - MessageLookupByLibrary.simpleMessage("Thay đổi quyền?"), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Thay đổi mã giới thiệu của bạn"), - "checkForUpdates": - MessageLookupByLibrary.simpleMessage("Kiểm tra cập nhật"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Vui lòng kiểm tra hộp thư đến (và thư rác) để hoàn tất xác minh"), - "checkStatus": - MessageLookupByLibrary.simpleMessage("Kiểm tra trạng thái"), - "checking": MessageLookupByLibrary.simpleMessage("Đang kiểm tra..."), - "checkingModels": - MessageLookupByLibrary.simpleMessage("Đang kiểm tra mô hình..."), - "city": MessageLookupByLibrary.simpleMessage("Trong thành phố"), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage( - "Nhận thêm dung lượng miễn phí"), - "claimMore": MessageLookupByLibrary.simpleMessage("Nhận thêm!"), - "claimed": MessageLookupByLibrary.simpleMessage("Đã nhận"), - "claimedStorageSoFar": m14, - "cleanUncategorized": - MessageLookupByLibrary.simpleMessage("Dọn dẹp chưa phân loại"), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Xóa khỏi mục Chưa phân loại với tất cả tệp đang xuất hiện trong các album khác"), - "clearCaches": MessageLookupByLibrary.simpleMessage("Xóa bộ nhớ cache"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Xóa chỉ mục"), - "click": MessageLookupByLibrary.simpleMessage("• Nhấn"), - "clickOnTheOverflowMenu": - MessageLookupByLibrary.simpleMessage("• Nhấn vào menu xổ xuống"), - "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( - "Nhấn để cài đặt phiên bản tốt nhất"), - "close": MessageLookupByLibrary.simpleMessage("Đóng"), - "clubByCaptureTime": - MessageLookupByLibrary.simpleMessage("Xếp theo thời gian chụp"), - "clubByFileName": - MessageLookupByLibrary.simpleMessage("Xếp theo tên tệp"), - "clusteringProgress": - MessageLookupByLibrary.simpleMessage("Tiến trình phân cụm"), - "codeAppliedPageTitle": - MessageLookupByLibrary.simpleMessage("Mã đã được áp dụng"), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Rất tiếc, bạn đã đạt hạn mức thay đổi mã."), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Mã đã được sao chép vào bộ nhớ tạm"), - "codeUsedByYou": MessageLookupByLibrary.simpleMessage("Mã bạn đã dùng"), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Tạo một liên kết để cho phép mọi người thêm và xem ảnh trong album chia sẻ của bạn mà không cần ứng dụng hoặc tài khoản Ente. Tuyệt vời để thu thập ảnh sự kiện."), - "collaborativeLink": - MessageLookupByLibrary.simpleMessage("Liên kết cộng tác"), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Cộng tác viên"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Cộng tác viên có thể thêm ảnh và video vào album chia sẻ."), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("Bố cục"), - "collageSaved": MessageLookupByLibrary.simpleMessage( - "Ảnh ghép đã được lưu vào thư viện"), - "collect": MessageLookupByLibrary.simpleMessage("Thu thập"), - "collectEventPhotos": - MessageLookupByLibrary.simpleMessage("Thu thập ảnh sự kiện"), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Thu thập ảnh"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Tạo một liên kết nơi bạn bè của bạn có thể tải lên ảnh với chất lượng gốc."), - "color": MessageLookupByLibrary.simpleMessage("Màu sắc"), - "configuration": MessageLookupByLibrary.simpleMessage("Cấu hình"), - "confirm": MessageLookupByLibrary.simpleMessage("Xác nhận"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Bạn có chắc muốn tắt xác thực 2 bước không?"), - "confirmAccountDeletion": - MessageLookupByLibrary.simpleMessage("Xác nhận xóa tài khoản"), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Có, tôi muốn xóa vĩnh viễn tài khoản này và tất cả dữ liệu của nó."), - "confirmPassword": - MessageLookupByLibrary.simpleMessage("Xác nhận mật khẩu"), - "confirmPlanChange": - MessageLookupByLibrary.simpleMessage("Xác nhận thay đổi gói"), - "confirmRecoveryKey": - MessageLookupByLibrary.simpleMessage("Xác nhận mã khôi phục"), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Xác nhận mã khôi phục của bạn"), - "connectToDevice": - MessageLookupByLibrary.simpleMessage("Kết nối với thiết bị"), - "contactFamilyAdmin": m18, - "contactSupport": - MessageLookupByLibrary.simpleMessage("Liên hệ hỗ trợ"), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Danh bạ"), - "contents": MessageLookupByLibrary.simpleMessage("Nội dung"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Tiếp tục"), - "continueOnFreeTrial": - MessageLookupByLibrary.simpleMessage("Tiếp tục dùng thử miễn phí"), - "convertToAlbum": - MessageLookupByLibrary.simpleMessage("Chuyển đổi thành album"), - "copyEmailAddress": - MessageLookupByLibrary.simpleMessage("Sao chép địa chỉ email"), - "copyLink": MessageLookupByLibrary.simpleMessage("Sao chép liên kết"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Chép & dán mã này\nvào ứng dụng xác thực của bạn"), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "Chúng tôi không thể sao lưu dữ liệu của bạn.\nChúng tôi sẽ thử lại sau."), - "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( - "Không thể giải phóng dung lượng"), - "couldNotUpdateSubscription": - MessageLookupByLibrary.simpleMessage("Không thể cập nhật gói"), - "count": MessageLookupByLibrary.simpleMessage("Số lượng"), - "crashReporting": MessageLookupByLibrary.simpleMessage("Báo cáo sự cố"), - "create": MessageLookupByLibrary.simpleMessage("Tạo"), - "createAccount": MessageLookupByLibrary.simpleMessage("Tạo tài khoản"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Nhấn giữ để chọn ảnh và nhấn + để tạo album"), - "createCollaborativeLink": - MessageLookupByLibrary.simpleMessage("Tạo liên kết cộng tác"), - "createCollage": MessageLookupByLibrary.simpleMessage("Tạo ảnh ghép"), - "createNewAccount": - MessageLookupByLibrary.simpleMessage("Tạo tài khoản mới"), - "createOrSelectAlbum": - MessageLookupByLibrary.simpleMessage("Tạo hoặc chọn album"), - "createPublicLink": - MessageLookupByLibrary.simpleMessage("Tạo liên kết công khai"), - "creatingLink": - MessageLookupByLibrary.simpleMessage("Đang tạo liên kết..."), - "criticalUpdateAvailable": - MessageLookupByLibrary.simpleMessage("Cập nhật quan trọng có sẵn"), - "crop": MessageLookupByLibrary.simpleMessage("Cắt xén"), - "curatedMemories": - MessageLookupByLibrary.simpleMessage("Ký ức lưu giữ"), - "currentUsageIs": - MessageLookupByLibrary.simpleMessage("Dung lượng hiện tại "), - "currentlyRunning": MessageLookupByLibrary.simpleMessage("đang chạy"), - "custom": MessageLookupByLibrary.simpleMessage("Tùy chỉnh"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Tối"), - "dayToday": MessageLookupByLibrary.simpleMessage("Hôm nay"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Hôm qua"), - "declineTrustInvite": - MessageLookupByLibrary.simpleMessage("Từ chối lời mời"), - "decrypting": MessageLookupByLibrary.simpleMessage("Đang giải mã..."), - "decryptingVideo": - MessageLookupByLibrary.simpleMessage("Đang giải mã video..."), - "deduplicateFiles": - MessageLookupByLibrary.simpleMessage("Xóa trùng lặp"), - "delete": MessageLookupByLibrary.simpleMessage("Xóa"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Xóa tài khoản"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Chúng tôi rất tiếc khi thấy bạn rời đi. Vui lòng chia sẻ phản hồi của bạn để giúp chúng tôi cải thiện."), - "deleteAccountPermanentlyButton": - MessageLookupByLibrary.simpleMessage("Xóa tài khoản vĩnh viễn"), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Xóa album"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Xóa luôn các tấm ảnh (và video) có trong album này khỏi toàn bộ album khác cũng đang chứa chúng?"), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "Tất cả album trống sẽ bị xóa. Sẽ hữu ích khi bạn muốn giảm bớt sự lộn xộn trong danh sách album của mình."), - "deleteAll": MessageLookupByLibrary.simpleMessage("Xóa tất cả"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "Tài khoản này được liên kết với các ứng dụng Ente khác, nếu bạn có dùng. Dữ liệu bạn đã tải lên, trên tất cả ứng dụng Ente, sẽ được lên lịch để xóa, và tài khoản của bạn sẽ bị xóa vĩnh viễn."), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Vui lòng gửi email đến account-deletion@ente.io từ địa chỉ email đã đăng ký của bạn."), - "deleteEmptyAlbums": - MessageLookupByLibrary.simpleMessage("Xóa album trống"), - "deleteEmptyAlbumsWithQuestionMark": - MessageLookupByLibrary.simpleMessage("Xóa album trống?"), - "deleteFromBoth": - MessageLookupByLibrary.simpleMessage("Xóa khỏi cả hai"), - "deleteFromDevice": - MessageLookupByLibrary.simpleMessage("Xóa khỏi thiết bị"), - "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Xóa khỏi Ente"), - "deleteItemCount": m21, - "deleteLocation": MessageLookupByLibrary.simpleMessage("Xóa vị trí"), - "deleteMultipleAlbumDialog": m22, - "deletePhotos": MessageLookupByLibrary.simpleMessage("Xóa ảnh"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Nó thiếu một tính năng quan trọng mà tôi cần"), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "Ứng dụng hoặc một tính năng nhất định không hoạt động như tôi muốn"), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Tôi tìm thấy một dịch vụ khác mà tôi thích hơn"), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "Lý do không có trong danh sách"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Yêu cầu của bạn sẽ được xử lý trong vòng 72 giờ."), - "deleteSharedAlbum": - MessageLookupByLibrary.simpleMessage("Xóa album chia sẻ?"), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "Album sẽ bị xóa với tất cả mọi người\n\nBạn sẽ mất quyền truy cập vào các ảnh chia sẻ trong album này mà thuộc sở hữu của người khác"), - "deselectAll": MessageLookupByLibrary.simpleMessage("Bỏ chọn tất cả"), - "designedToOutlive": - MessageLookupByLibrary.simpleMessage("Được thiết kế để trường tồn"), - "details": MessageLookupByLibrary.simpleMessage("Chi tiết"), - "developerSettings": - MessageLookupByLibrary.simpleMessage("Cài đặt Nhà phát triển"), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Bạn có chắc muốn thay đổi cài đặt Nhà phát triển không?"), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Nhập mã"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "Các tệp được thêm vào album thiết bị này sẽ tự động được tải lên Ente."), - "deviceLock": MessageLookupByLibrary.simpleMessage("Khóa thiết bị"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Vô hiệu hóa khóa màn hình thiết bị khi Ente đang ở chế độ nền và có một bản sao lưu đang diễn ra. Điều này thường không cần thiết, nhưng có thể giúp tải lên các tệp lớn và tệp nhập của các thư viện lớn xong nhanh hơn."), - "deviceNotFound": - MessageLookupByLibrary.simpleMessage("Không tìm thấy thiết bị"), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Bạn có biết?"), - "different": MessageLookupByLibrary.simpleMessage("Khác"), - "disableAutoLock": - MessageLookupByLibrary.simpleMessage("Vô hiệu hóa khóa tự động"), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Người xem vẫn có thể chụp ảnh màn hình hoặc sao chép ảnh của bạn bằng các công cụ bên ngoài"), - "disableDownloadWarningTitle": - MessageLookupByLibrary.simpleMessage("Xin lưu ý"), - "disableLinkMessage": m24, - "disableTwofactor": - MessageLookupByLibrary.simpleMessage("Tắt xác thực 2 bước"), - "disablingTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Đang vô hiệu hóa xác thực 2 bước..."), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Khám phá"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Em bé"), - "discover_celebrations": - MessageLookupByLibrary.simpleMessage("Lễ kỷ niệm"), - "discover_food": MessageLookupByLibrary.simpleMessage("Thức ăn"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Cây cối"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Đồi"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Nhận dạng"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Meme"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Ghi chú"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Thú cưng"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Biên lai"), - "discover_screenshots": - MessageLookupByLibrary.simpleMessage("Ảnh chụp màn hình"), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfie"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Hoàng hôn"), - "discover_visiting_cards": MessageLookupByLibrary.simpleMessage("Thẻ"), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Hình nền"), - "dismiss": MessageLookupByLibrary.simpleMessage("Bỏ qua"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage("Không đăng xuất"), - "doThisLater": MessageLookupByLibrary.simpleMessage("Để sau"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Bạn có muốn bỏ qua các chỉnh sửa đã thực hiện không?"), - "done": MessageLookupByLibrary.simpleMessage("Xong"), - "dontSave": MessageLookupByLibrary.simpleMessage("Không lưu"), - "doubleYourStorage": MessageLookupByLibrary.simpleMessage( - "Gấp đôi dung lượng lưu trữ của bạn"), - "download": MessageLookupByLibrary.simpleMessage("Tải xuống"), - "downloadFailed": - MessageLookupByLibrary.simpleMessage("Tải xuống thất bại"), - "downloading": - MessageLookupByLibrary.simpleMessage("Đang tải xuống..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Chỉnh sửa"), - "editEmailAlreadyLinked": m28, - "editLocation": - MessageLookupByLibrary.simpleMessage("Chỉnh sửa vị trí"), - "editLocationTagTitle": - MessageLookupByLibrary.simpleMessage("Chỉnh sửa vị trí"), - "editPerson": MessageLookupByLibrary.simpleMessage("Chỉnh sửa người"), - "editTime": MessageLookupByLibrary.simpleMessage("Chỉnh sửa thời gian"), - "editsSaved": - MessageLookupByLibrary.simpleMessage("Chỉnh sửa đã được lưu"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Các chỉnh sửa vị trí sẽ chỉ thấy được trong Ente"), - "eligible": MessageLookupByLibrary.simpleMessage("đủ điều kiện"), - "email": MessageLookupByLibrary.simpleMessage("Email"), - "emailAlreadyRegistered": - MessageLookupByLibrary.simpleMessage("Email đã được đăng ký."), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": - MessageLookupByLibrary.simpleMessage("Email chưa được đăng ký."), - "emailVerificationToggle": - MessageLookupByLibrary.simpleMessage("Xác minh email"), - "emailYourLogs": - MessageLookupByLibrary.simpleMessage("Gửi log qua email"), - "embracingThem": m32, - "emergencyContacts": - MessageLookupByLibrary.simpleMessage("Liên hệ khẩn cấp"), - "empty": MessageLookupByLibrary.simpleMessage("Xóa sạch"), - "emptyTrash": - MessageLookupByLibrary.simpleMessage("Xóa sạch thùng rác?"), - "enable": MessageLookupByLibrary.simpleMessage("Bật"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "Ente hỗ trợ học máy trên-thiết-bị nhằm nhận diện khuôn mặt, tìm kiếm vi diệu và các tính năng tìm kiếm nâng cao khác"), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Bật học máy để tìm kiếm vi diệu và nhận diện khuôn mặt"), - "enableMaps": MessageLookupByLibrary.simpleMessage("Kích hoạt Bản đồ"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "Ảnh của bạn sẽ hiển thị trên bản đồ thế giới.\n\nBản đồ được lưu trữ bởi OpenStreetMap, và vị trí chính xác ảnh của bạn không bao giờ được chia sẻ.\n\nBạn có thể tắt tính năng này bất cứ lúc nào từ Cài đặt."), - "enabled": MessageLookupByLibrary.simpleMessage("Đã bật"), - "encryptingBackup": - MessageLookupByLibrary.simpleMessage("Đang mã hóa sao lưu..."), - "encryption": MessageLookupByLibrary.simpleMessage("Mã hóa"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage("Khóa mã hóa"), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Điểm cuối đã được cập nhật thành công"), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Mã hóa đầu cuối theo mặc định"), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente chỉ có thể mã hóa và lưu giữ tệp nếu bạn cấp quyền truy cập chúng"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente cần quyền để lưu giữ ảnh của bạn"), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "Ente lưu giữ kỷ niệm của bạn, vì vậy chúng luôn có sẵn, ngay cả khi bạn mất thiết bị."), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Bạn có thể thêm gia đình vào gói của mình."), - "enterAlbumName": - MessageLookupByLibrary.simpleMessage("Nhập tên album"), - "enterCode": MessageLookupByLibrary.simpleMessage("Nhập mã"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Nhập mã do bạn bè cung cấp để nhận thêm dung lượng miễn phí cho cả hai"), - "enterDateOfBirth": - MessageLookupByLibrary.simpleMessage("Sinh nhật (tùy chọn)"), - "enterEmail": MessageLookupByLibrary.simpleMessage("Nhập email"), - "enterFileName": MessageLookupByLibrary.simpleMessage("Nhập tên tệp"), - "enterName": MessageLookupByLibrary.simpleMessage("Nhập tên"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Vui lòng nhập một mật khẩu mới để mã hóa dữ liệu của bạn"), - "enterPassword": MessageLookupByLibrary.simpleMessage("Nhập mật khẩu"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Vui lòng nhập một mật khẩu dùng để mã hóa dữ liệu của bạn"), - "enterPersonName": - MessageLookupByLibrary.simpleMessage("Nhập tên người"), - "enterPin": MessageLookupByLibrary.simpleMessage("Nhập PIN"), - "enterReferralCode": - MessageLookupByLibrary.simpleMessage("Nhập mã giới thiệu"), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Nhập mã 6 chữ số từ\nứng dụng xác thực của bạn"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Vui lòng nhập một địa chỉ email hợp lệ."), - "enterYourEmailAddress": - MessageLookupByLibrary.simpleMessage("Nhập địa chỉ email của bạn"), - "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( - "Nhập địa chỉ email mới của bạn"), - "enterYourPassword": - MessageLookupByLibrary.simpleMessage("Nhập mật khẩu của bạn"), - "enterYourRecoveryKey": - MessageLookupByLibrary.simpleMessage("Nhập mã khôi phục của bạn"), - "error": MessageLookupByLibrary.simpleMessage("Lỗi"), - "everywhere": MessageLookupByLibrary.simpleMessage("mọi nơi"), - "exif": MessageLookupByLibrary.simpleMessage("Exif"), - "existingUser": - MessageLookupByLibrary.simpleMessage("Người dùng hiện tại"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Liên kết này đã hết hạn. Vui lòng chọn thời gian hết hạn mới hoặc tắt tính năng hết hạn liên kết."), - "exportLogs": MessageLookupByLibrary.simpleMessage("Xuất file log"), - "exportYourData": - MessageLookupByLibrary.simpleMessage("Xuất dữ liệu của bạn"), - "extraPhotosFound": - MessageLookupByLibrary.simpleMessage("Tìm thấy ảnh bổ sung"), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Khuôn mặt chưa được phân cụm, vui lòng quay lại sau"), - "faceRecognition": - MessageLookupByLibrary.simpleMessage("Nhận diện khuôn mặt"), - "faces": MessageLookupByLibrary.simpleMessage("Khuôn mặt"), - "failed": MessageLookupByLibrary.simpleMessage("Không thành công"), - "failedToApplyCode": - MessageLookupByLibrary.simpleMessage("Không thể áp dụng mã"), - "failedToCancel": - MessageLookupByLibrary.simpleMessage("Hủy không thành công"), - "failedToDownloadVideo": - MessageLookupByLibrary.simpleMessage("Không thể tải video"), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Không thể lấy phiên hoạt động"), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Không thể lấy bản gốc để chỉnh sửa"), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Không thể lấy thông tin giới thiệu. Vui lòng thử lại sau."), - "failedToLoadAlbums": - MessageLookupByLibrary.simpleMessage("Không thể tải album"), - "failedToPlayVideo": - MessageLookupByLibrary.simpleMessage("Không thể phát video"), - "failedToRefreshStripeSubscription": - MessageLookupByLibrary.simpleMessage("Không thể làm mới gói"), - "failedToRenew": - MessageLookupByLibrary.simpleMessage("Gia hạn không thành công"), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Không thể xác minh trạng thái thanh toán"), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Thêm 5 thành viên gia đình vào gói hiện tại của bạn mà không phải trả thêm phí.\n\nMỗi thành viên có không gian riêng tư của mình và không thể xem tệp của nhau trừ khi được chia sẻ.\n\nGói gia đình có sẵn cho người dùng Ente gói trả phí.\n\nĐăng ký ngay để bắt đầu!"), - "familyPlanPortalTitle": - MessageLookupByLibrary.simpleMessage("Gia đình"), - "familyPlans": MessageLookupByLibrary.simpleMessage("Gói gia đình"), - "faq": MessageLookupByLibrary.simpleMessage("Câu hỏi thường gặp"), - "faqs": MessageLookupByLibrary.simpleMessage("Câu hỏi thường gặp"), - "favorite": MessageLookupByLibrary.simpleMessage("Thích"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("Phản hồi"), - "file": MessageLookupByLibrary.simpleMessage("Tệp"), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Không thể lưu tệp vào thư viện"), - "fileInfoAddDescHint": - MessageLookupByLibrary.simpleMessage("Thêm mô tả..."), - "fileNotUploadedYet": - MessageLookupByLibrary.simpleMessage("Tệp chưa được tải lên"), - "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Tệp đã được lưu vào thư viện"), - "fileTypes": MessageLookupByLibrary.simpleMessage("Loại tệp"), - "fileTypesAndNames": - MessageLookupByLibrary.simpleMessage("Loại tệp và tên"), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage("Tệp đã bị xóa"), - "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Các tệp đã được lưu vào thư viện"), - "findPeopleByName": - MessageLookupByLibrary.simpleMessage("Tìm nhanh người theo tên"), - "findThemQuickly": - MessageLookupByLibrary.simpleMessage("Tìm họ nhanh chóng"), - "flip": MessageLookupByLibrary.simpleMessage("Lật"), - "food": MessageLookupByLibrary.simpleMessage("Ăn chơi"), - "forYourMemories": - MessageLookupByLibrary.simpleMessage("cho những kỷ niệm của bạn"), - "forgotPassword": MessageLookupByLibrary.simpleMessage("Quên mật khẩu"), - "foundFaces": - MessageLookupByLibrary.simpleMessage("Đã tìm thấy khuôn mặt"), - "freeStorageClaimed": - MessageLookupByLibrary.simpleMessage("Dung lượng miễn phí đã nhận"), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Dung lượng miễn phí có thể dùng"), - "freeTrial": MessageLookupByLibrary.simpleMessage("Dùng thử miễn phí"), - "freeTrialValidTill": m38, - "freeUpAccessPostDelete": m39, - "freeUpAmount": m40, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( - "Giải phóng dung lượng thiết bị"), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Tiết kiệm dung lượng thiết bị của bạn bằng cách xóa các tệp đã được sao lưu."), - "freeUpSpace": - MessageLookupByLibrary.simpleMessage("Giải phóng dung lượng"), - "freeUpSpaceSaving": m41, - "gallery": MessageLookupByLibrary.simpleMessage("Thư viện"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "Mỗi thư viện chứa tối đa 1000 ảnh"), - "general": MessageLookupByLibrary.simpleMessage("Chung"), - "generatingEncryptionKeys": - MessageLookupByLibrary.simpleMessage("Đang mã hóa..."), - "genericProgress": m42, - "goToSettings": MessageLookupByLibrary.simpleMessage("Đi đến cài đặt"), - "googlePlayId": MessageLookupByLibrary.simpleMessage("ID Google Play"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Vui lòng cho phép truy cập vào tất cả ảnh trong ứng dụng Cài đặt"), - "grantPermission": MessageLookupByLibrary.simpleMessage("Cấp quyền"), - "greenery": MessageLookupByLibrary.simpleMessage("Cây cối"), - "groupNearbyPhotos": - MessageLookupByLibrary.simpleMessage("Nhóm ảnh gần nhau"), - "guestView": MessageLookupByLibrary.simpleMessage("Chế độ khách"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "Để bật chế độ khách, vui lòng thiết lập mã khóa thiết bị hoặc khóa màn hình trong cài đặt hệ thống của bạn."), - "happyBirthday": - MessageLookupByLibrary.simpleMessage("Chúc mừng sinh nhật! 🥳"), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "Chúng tôi không theo dõi cài đặt ứng dụng, nên nếu bạn bật mí bạn tìm thấy chúng tôi từ đâu sẽ rất hữu ích!"), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Bạn biết Ente từ đâu? (tùy chọn)"), - "help": MessageLookupByLibrary.simpleMessage("Trợ giúp"), - "hidden": MessageLookupByLibrary.simpleMessage("Ẩn"), - "hide": MessageLookupByLibrary.simpleMessage("Ẩn"), - "hideContent": MessageLookupByLibrary.simpleMessage("Ẩn nội dung"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Ẩn nội dung ứng dụng trong trình chuyển đổi ứng dụng và vô hiệu hóa chụp màn hình"), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Ẩn nội dung ứng dụng trong trình chuyển đổi ứng dụng"), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "Ẩn các mục được chia sẻ khỏi thư viện chính"), - "hiding": MessageLookupByLibrary.simpleMessage("Đang ẩn..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": - MessageLookupByLibrary.simpleMessage("Được lưu trữ tại OSM Pháp"), - "howItWorks": MessageLookupByLibrary.simpleMessage("Cách hoạt động"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Hãy chỉ họ nhấn giữ địa chỉ email của họ trên màn hình cài đặt, và xác minh rằng ID trên cả hai thiết bị khớp nhau."), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Xác thực sinh trắc học chưa được thiết lập trên thiết bị của bạn. Vui lòng kích hoạt Touch ID hoặc Face ID."), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "Xác thực sinh trắc học đã bị vô hiệu hóa. Vui lòng khóa và mở khóa màn hình của bạn để kích hoạt lại."), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), - "ignore": MessageLookupByLibrary.simpleMessage("Bỏ qua"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Bỏ qua"), - "ignored": MessageLookupByLibrary.simpleMessage("bỏ qua"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Một số tệp trong album này bị bỏ qua khi tải lên vì chúng đã bị xóa trước đó từ Ente."), - "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( - "Hình ảnh chưa được phân tích"), - "immediately": MessageLookupByLibrary.simpleMessage("Lập tức"), - "importing": MessageLookupByLibrary.simpleMessage("Đang nhập...."), - "incorrectCode": - MessageLookupByLibrary.simpleMessage("Mã không chính xác"), - "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("Mật khẩu không chính xác"), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Mã khôi phục không chính xác"), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "Mã khôi phục bạn nhập không chính xác"), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Mã khôi phục không chính xác"), - "indexedItems": - MessageLookupByLibrary.simpleMessage("Các mục đã lập chỉ mục"), - "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( - "Lập chỉ mục bị tạm dừng. Nó sẽ tự động tiếp tục khi thiết bị đã sẵn sàng. Thiết bị được coi là sẵn sàng khi mức pin, tình trạng pin và trạng thái nhiệt độ nằm trong phạm vi tốt."), - "ineligible": - MessageLookupByLibrary.simpleMessage("Không đủ điều kiện"), - "info": MessageLookupByLibrary.simpleMessage("Thông tin"), - "insecureDevice": - MessageLookupByLibrary.simpleMessage("Thiết bị không an toàn"), - "installManually": - MessageLookupByLibrary.simpleMessage("Cài đặt thủ công"), - "invalidEmailAddress": - MessageLookupByLibrary.simpleMessage("Địa chỉ email không hợp lệ"), - "invalidEndpoint": - MessageLookupByLibrary.simpleMessage("Điểm cuối không hợp lệ"), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Xin lỗi, điểm cuối bạn nhập không hợp lệ. Vui lòng nhập một điểm cuối hợp lệ và thử lại."), - "invalidKey": MessageLookupByLibrary.simpleMessage("Mã không hợp lệ"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Mã khôi phục không hợp lệ. Vui lòng đảm bảo nó chứa 24 từ, và đúng chính tả từng từ.\n\nNếu bạn nhập loại mã khôi phục cũ, hãy đảm bảo nó dài 64 ký tự, và kiểm tra từng ký tự."), - "invite": MessageLookupByLibrary.simpleMessage("Mời"), - "inviteToEnte": - MessageLookupByLibrary.simpleMessage("Mời sử dụng Ente"), - "inviteYourFriends": - MessageLookupByLibrary.simpleMessage("Mời bạn bè của bạn"), - "inviteYourFriendsToEnte": - MessageLookupByLibrary.simpleMessage("Mời bạn bè dùng Ente"), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Có vẻ như đã xảy ra sự cố. Vui lòng thử lại sau một thời gian. Nếu lỗi vẫn tiếp diễn, vui lòng liên hệ với đội ngũ hỗ trợ của chúng tôi."), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "Các mục hiện số ngày còn lại trước khi xóa vĩnh viễn"), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Các mục đã chọn sẽ bị xóa khỏi album này"), - "join": MessageLookupByLibrary.simpleMessage("Tham gia"), - "joinAlbum": MessageLookupByLibrary.simpleMessage("Tham gia album"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "Tham gia một album sẽ khiến email của bạn hiển thị với những người tham gia khác."), - "joinAlbumSubtext": - MessageLookupByLibrary.simpleMessage("để xem và thêm ảnh của bạn"), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "để thêm vào album được chia sẻ"), - "joinDiscord": MessageLookupByLibrary.simpleMessage("Tham gia Discord"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Giữ ảnh"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Mong bạn giúp chúng tôi thông tin này"), - "language": MessageLookupByLibrary.simpleMessage("Ngôn ngữ"), - "lastTimeWithThem": m45, - "lastUpdated": MessageLookupByLibrary.simpleMessage("Mới cập nhật"), - "lastYearsTrip": - MessageLookupByLibrary.simpleMessage("Phượt năm ngoái"), - "leave": MessageLookupByLibrary.simpleMessage("Rời"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Rời khỏi album"), - "leaveFamily": - MessageLookupByLibrary.simpleMessage("Rời khỏi gia đình"), - "leaveSharedAlbum": - MessageLookupByLibrary.simpleMessage("Rời album được chia sẻ?"), - "left": MessageLookupByLibrary.simpleMessage("Trái"), - "legacy": MessageLookupByLibrary.simpleMessage("Thừa kế"), - "legacyAccounts": - MessageLookupByLibrary.simpleMessage("Tài khoản thừa kế"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "Thừa kế cho phép các liên hệ tin cậy truy cập tài khoản của bạn khi bạn qua đời."), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "Các liên hệ tin cậy có thể khởi động quá trình khôi phục tài khoản, và nếu không bị chặn trong vòng 30 ngày, có thể đặt lại mật khẩu và truy cập tài khoản của bạn."), - "light": MessageLookupByLibrary.simpleMessage("Độ sáng"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Sáng"), - "link": MessageLookupByLibrary.simpleMessage("Liên kết"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Liên kết đã được sao chép vào bộ nhớ tạm"), - "linkDeviceLimit": - MessageLookupByLibrary.simpleMessage("Giới hạn thiết bị"), - "linkEmail": MessageLookupByLibrary.simpleMessage("Liên kết email"), - "linkEmailToContactBannerCaption": - MessageLookupByLibrary.simpleMessage("để chia sẻ nhanh hơn"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Đã bật"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Hết hạn"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Hết hạn liên kết"), - "linkHasExpired": - MessageLookupByLibrary.simpleMessage("Liên kết đã hết hạn"), - "linkNeverExpires": - MessageLookupByLibrary.simpleMessage("Không bao giờ"), - "linkPerson": MessageLookupByLibrary.simpleMessage("Liên kết người"), - "linkPersonCaption": MessageLookupByLibrary.simpleMessage( - "để trải nghiệm chia sẻ tốt hơn"), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("Ảnh Live"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "Bạn có thể chia sẻ gói của mình với gia đình"), - "loadMessage2": MessageLookupByLibrary.simpleMessage( - "Chúng tôi đã lưu giữ hơn 200 triệu kỷ niệm cho đến hiện tại"), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "Chúng tôi giữ 3 bản sao dữ liệu của bạn, một cái lưu ở hầm trú ẩn hạt nhân"), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "Tất cả các ứng dụng của chúng tôi đều là mã nguồn mở"), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Mã nguồn và mã hóa của chúng tôi đã được kiểm nghiệm ngoại bộ"), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "Bạn có thể chia sẻ liên kết đến album của mình với những người thân yêu"), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Các ứng dụng di động của chúng tôi chạy ngầm để mã hóa và sao lưu bất kỳ ảnh nào bạn mới chụp"), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io có một trình tải lên mượt mà"), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Chúng tôi sử dụng Xchacha20Poly1305 để mã hóa dữ liệu của bạn"), - "loadingExifData": - MessageLookupByLibrary.simpleMessage("Đang tải thông số Exif..."), - "loadingGallery": - MessageLookupByLibrary.simpleMessage("Đang tải thư viện..."), - "loadingMessage": - MessageLookupByLibrary.simpleMessage("Đang tải ảnh của bạn..."), - "loadingModel": - MessageLookupByLibrary.simpleMessage("Đang tải mô hình..."), - "loadingYourPhotos": - MessageLookupByLibrary.simpleMessage("Đang tải ảnh của bạn..."), - "localGallery": MessageLookupByLibrary.simpleMessage("Thư viện cục bộ"), - "localIndexing": MessageLookupByLibrary.simpleMessage("Chỉ mục cục bộ"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Có vẻ như có điều gì đó không ổn vì đồng bộ hóa ảnh cục bộ đang mất nhiều thời gian hơn mong đợi. Vui lòng liên hệ đội ngũ hỗ trợ của chúng tôi"), - "location": MessageLookupByLibrary.simpleMessage("Vị trí"), - "locationName": MessageLookupByLibrary.simpleMessage("Tên vị trí"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Một thẻ vị trí sẽ chia nhóm tất cả các ảnh được chụp trong một bán kính nào đó của một bức ảnh"), - "locations": MessageLookupByLibrary.simpleMessage("Vị trí"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Khóa"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Khóa màn hình"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Đăng nhập"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Đang đăng xuất..."), - "loginSessionExpired": - MessageLookupByLibrary.simpleMessage("Phiên đăng nhập đã hết hạn"), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "Phiên đăng nhập của bạn đã hết hạn. Vui lòng đăng nhập lại."), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Nhấn vào đăng nhập, tôi đồng ý điều khoảnchính sách bảo mật"), - "loginWithTOTP": - MessageLookupByLibrary.simpleMessage("Đăng nhập bằng TOTP"), - "logout": MessageLookupByLibrary.simpleMessage("Đăng xuất"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Gửi file log để chúng tôi có thể phân tích lỗi mà bạn gặp. Lưu ý rằng, trong nhật ký lỗi sẽ bao gồm tên các tệp để giúp theo dõi vấn đề với từng tệp cụ thể."), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Nhấn giữ một email để xác minh mã hóa đầu cuối."), - "longpressOnAnItemToViewInFullscreen": - MessageLookupByLibrary.simpleMessage( - "Nhấn giữ một mục để xem toàn màn hình"), - "lookBackOnYourMemories": - MessageLookupByLibrary.simpleMessage("Xem lại kỷ niệm của bạn 🌄"), - "loopVideoOff": - MessageLookupByLibrary.simpleMessage("Dừng phát video lặp lại"), - "loopVideoOn": - MessageLookupByLibrary.simpleMessage("Phát video lặp lại"), - "lostDevice": MessageLookupByLibrary.simpleMessage("Mất thiết bị?"), - "machineLearning": MessageLookupByLibrary.simpleMessage("Học máy"), - "magicSearch": MessageLookupByLibrary.simpleMessage("Tìm kiếm vi diệu"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "Tìm kiếm vi diệu cho phép tìm ảnh theo nội dung của chúng, ví dụ: \'xe hơi\', \'xe hơi đỏ\', \'Ferrari\'"), - "manage": MessageLookupByLibrary.simpleMessage("Quản lý"), - "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( - "Quản lý bộ nhớ đệm của thiết bị"), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Xem và xóa bộ nhớ đệm trên thiết bị."), - "manageFamily": - MessageLookupByLibrary.simpleMessage("Quản lý gia đình"), - "manageLink": MessageLookupByLibrary.simpleMessage("Quản lý liên kết"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Quản lý"), - "manageSubscription": - MessageLookupByLibrary.simpleMessage("Quản lý gói"), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "Ghép nối với PIN hoạt động với bất kỳ màn hình nào bạn muốn xem album của mình."), - "map": MessageLookupByLibrary.simpleMessage("Bản đồ"), - "maps": MessageLookupByLibrary.simpleMessage("Bản đồ"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("Tôi"), - "memories": MessageLookupByLibrary.simpleMessage("Kỷ niệm"), - "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Chọn những loại kỷ niệm bạn muốn thấy trên màn hình chính của mình."), - "memoryCount": m50, - "merchandise": MessageLookupByLibrary.simpleMessage("Vật phẩm"), - "merge": MessageLookupByLibrary.simpleMessage("Hợp nhất"), - "mergeWithExisting": - MessageLookupByLibrary.simpleMessage("Hợp nhất với người đã có"), - "mergedPhotos": MessageLookupByLibrary.simpleMessage("Hợp nhất ảnh"), - "mlConsent": MessageLookupByLibrary.simpleMessage("Bật học máy"), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Tôi hiểu và muốn bật học máy"), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Nếu bạn bật học máy, Ente sẽ trích xuất thông tin như hình dạng khuôn mặt từ các tệp, gồm cả những tệp mà bạn được chia sẻ.\n\nViệc này sẽ diễn ra trên thiết bị của bạn, với mọi thông tin sinh trắc học tạo ra đều được mã hóa đầu cuối."), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Vui lòng nhấn vào đây để biết thêm chi tiết về tính năng này trong chính sách quyền riêng tư của chúng tôi"), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage("Bật học máy?"), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Lưu ý rằng việc học máy sẽ khiến tốn băng thông và pin nhiều hơn cho đến khi tất cả mục được lập chỉ mục. Hãy sử dụng ứng dụng máy tính để lập chỉ mục nhanh hơn. Mọi kết quả sẽ được tự động đồng bộ."), - "mobileWebDesktop": - MessageLookupByLibrary.simpleMessage("Di động, Web, Desktop"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Trung bình"), - "modifyYourQueryOrTrySearchingFor": - MessageLookupByLibrary.simpleMessage( - "Chỉnh sửa truy vấn của bạn, hoặc thử tìm kiếm"), - "moments": MessageLookupByLibrary.simpleMessage("Khoảnh khắc"), - "month": MessageLookupByLibrary.simpleMessage("tháng"), - "monthly": MessageLookupByLibrary.simpleMessage("Theo tháng"), - "moon": MessageLookupByLibrary.simpleMessage("Ánh trăng"), - "moreDetails": MessageLookupByLibrary.simpleMessage("Thêm chi tiết"), - "mostRecent": MessageLookupByLibrary.simpleMessage("Mới nhất"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("Liên quan nhất"), - "mountains": MessageLookupByLibrary.simpleMessage("Đồi núi"), - "moveItem": m51, - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "Di chuyển ảnh đã chọn đến một ngày"), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("Chuyển đến album"), - "moveToHiddenAlbum": - MessageLookupByLibrary.simpleMessage("Di chuyển đến album ẩn"), - "movedSuccessfullyTo": m52, - "movedToTrash": - MessageLookupByLibrary.simpleMessage("Đã cho vào thùng rác"), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Đang di chuyển tệp vào album..."), - "name": MessageLookupByLibrary.simpleMessage("Tên"), - "nameTheAlbum": - MessageLookupByLibrary.simpleMessage("Đặt tên cho album"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Không thể kết nối với Ente, vui lòng thử lại sau một thời gian. Nếu lỗi vẫn tiếp diễn, vui lòng liên hệ với bộ phận hỗ trợ."), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Không thể kết nối với Ente, vui lòng kiểm tra cài đặt mạng của bạn và liên hệ với bộ phận hỗ trợ nếu lỗi vẫn tiếp diễn."), - "never": MessageLookupByLibrary.simpleMessage("Không bao giờ"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Album mới"), - "newLocation": MessageLookupByLibrary.simpleMessage("Vị trí mới"), - "newPerson": MessageLookupByLibrary.simpleMessage("Người mới"), - "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" mới 📸"), - "newRange": MessageLookupByLibrary.simpleMessage("Phạm vi mới"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Mới dùng Ente"), - "newest": MessageLookupByLibrary.simpleMessage("Mới nhất"), - "next": MessageLookupByLibrary.simpleMessage("Tiếp theo"), - "no": MessageLookupByLibrary.simpleMessage("Không"), - "noAlbumsSharedByYouYet": - MessageLookupByLibrary.simpleMessage("Bạn chưa chia sẻ album nào"), - "noDeviceFound": - MessageLookupByLibrary.simpleMessage("Không tìm thấy thiết bị"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Không có"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "Bạn không có tệp nào có thể xóa trên thiết bị này"), - "noDuplicates": - MessageLookupByLibrary.simpleMessage("✨ Không có trùng lặp"), - "noEnteAccountExclamation": - MessageLookupByLibrary.simpleMessage("Chưa có tài khoản Ente!"), - "noExifData": - MessageLookupByLibrary.simpleMessage("Không có thông số Exif"), - "noFacesFound": - MessageLookupByLibrary.simpleMessage("Không tìm thấy khuôn mặt"), - "noHiddenPhotosOrVideos": - MessageLookupByLibrary.simpleMessage("Không có ảnh hoặc video ẩn"), - "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( - "Không có hình ảnh với vị trí"), - "noInternetConnection": - MessageLookupByLibrary.simpleMessage("Không có kết nối internet"), - "noPhotosAreBeingBackedUpRightNow": - MessageLookupByLibrary.simpleMessage( - "Hiện tại không có ảnh nào đang được sao lưu"), - "noPhotosFoundHere": - MessageLookupByLibrary.simpleMessage("Không tìm thấy ảnh ở đây"), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( - "Không có liên kết nhanh nào được chọn"), - "noRecoveryKey": - MessageLookupByLibrary.simpleMessage("Không có mã khôi phục?"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Do tính chất của giao thức mã hóa đầu cuối, không thể giải mã dữ liệu của bạn mà không có mật khẩu hoặc mã khôi phục"), - "noResults": MessageLookupByLibrary.simpleMessage("Không có kết quả"), - "noResultsFound": - MessageLookupByLibrary.simpleMessage("Không tìm thấy kết quả"), - "noSuggestionsForPerson": m53, - "noSystemLockFound": MessageLookupByLibrary.simpleMessage( - "Không tìm thấy khóa hệ thống"), - "notPersonLabel": m54, - "notThisPerson": - MessageLookupByLibrary.simpleMessage("Không phải người này?"), - "nothingSharedWithYouYet": - MessageLookupByLibrary.simpleMessage("Bạn chưa được chia sẻ gì"), - "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( - "Ở đây không có gì để xem! 👀"), - "notifications": MessageLookupByLibrary.simpleMessage("Thông báo"), - "ok": MessageLookupByLibrary.simpleMessage("Được"), - "onDevice": MessageLookupByLibrary.simpleMessage("Trên thiết bị"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "Trên ente"), - "onTheRoad": MessageLookupByLibrary.simpleMessage("Trên đường"), - "onThisDay": MessageLookupByLibrary.simpleMessage("Vào ngày này"), - "onThisDayMemories": - MessageLookupByLibrary.simpleMessage("Kỷ niệm hôm nay"), - "onThisDayNotificationExplanation": - MessageLookupByLibrary.simpleMessage( - "Nhắc về những kỷ niệm ngày này trong những năm trước."), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Chỉ họ"), - "oops": MessageLookupByLibrary.simpleMessage("Ốiii!"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Ốiii, không thể lưu chỉnh sửa"), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Ốiii!, có điều gì đó không đúng"), - "openAlbumInBrowser": - MessageLookupByLibrary.simpleMessage("Mở album trong trình duyệt"), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Vui lòng sử dụng ứng dụng web để thêm ảnh vào album này"), - "openFile": MessageLookupByLibrary.simpleMessage("Mở tệp"), - "openSettings": MessageLookupByLibrary.simpleMessage("Mở Cài đặt"), - "openTheItem": MessageLookupByLibrary.simpleMessage("• Mở mục"), - "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( - "Người đóng góp OpenStreetMap"), - "optionalAsShortAsYouLike": - MessageLookupByLibrary.simpleMessage("Tùy chọn, ngắn dài tùy ý..."), - "orMergeWithExistingPerson": - MessageLookupByLibrary.simpleMessage("Hoặc hợp nhất với hiện có"), - "orPickAnExistingOne": - MessageLookupByLibrary.simpleMessage("Hoặc chọn một cái có sẵn"), - "orPickFromYourContacts": - MessageLookupByLibrary.simpleMessage("hoặc chọn từ danh bạ"), - "otherDetectedFaces": MessageLookupByLibrary.simpleMessage( - "Những khuôn mặt khác được phát hiện"), - "pair": MessageLookupByLibrary.simpleMessage("Ghép nối"), - "pairWithPin": MessageLookupByLibrary.simpleMessage("Ghép nối với PIN"), - "pairingComplete": - MessageLookupByLibrary.simpleMessage("Ghép nối hoàn tất"), - "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), - "partyWithThem": m56, - "passKeyPendingVerification": - MessageLookupByLibrary.simpleMessage("Xác minh vẫn đang chờ"), - "passkey": MessageLookupByLibrary.simpleMessage("Khóa truy cập"), - "passkeyAuthTitle": - MessageLookupByLibrary.simpleMessage("Xác minh khóa truy cập"), - "password": MessageLookupByLibrary.simpleMessage("Mật khẩu"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Đã thay đổi mật khẩu thành công"), - "passwordLock": - MessageLookupByLibrary.simpleMessage("Khóa bằng mật khẩu"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "Độ mạnh của mật khẩu được tính toán dựa trên độ dài của mật khẩu, các ký tự đã sử dụng và liệu mật khẩu có xuất hiện trong 10.000 mật khẩu được sử dụng nhiều nhất hay không"), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Chúng tôi không lưu trữ mật khẩu này, nên nếu bạn quên, chúng tôi không thể giải mã dữ liệu của bạn"), - "pastYearsMemories": - MessageLookupByLibrary.simpleMessage("Kỷ niệm năm ngoái"), - "paymentDetails": - MessageLookupByLibrary.simpleMessage("Chi tiết thanh toán"), - "paymentFailed": - MessageLookupByLibrary.simpleMessage("Thanh toán thất bại"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "Rất tiếc, bạn đã thanh toán không thành công. Vui lòng liên hệ hỗ trợ và chúng tôi sẽ giúp bạn!"), - "paymentFailedTalkToProvider": m58, - "pendingItems": - MessageLookupByLibrary.simpleMessage("Các mục đang chờ"), - "pendingSync": - MessageLookupByLibrary.simpleMessage("Đồng bộ hóa đang chờ"), - "people": MessageLookupByLibrary.simpleMessage("Người"), - "peopleUsingYourCode": - MessageLookupByLibrary.simpleMessage("Người dùng mã của bạn"), - "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Chọn những người bạn muốn thấy trên màn hình chính của mình."), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Tất cả các mục trong thùng rác sẽ bị xóa vĩnh viễn\n\nKhông thể hoàn tác thao tác này"), - "permanentlyDelete": - MessageLookupByLibrary.simpleMessage("Xóa vĩnh viễn"), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Xóa vĩnh viễn khỏi thiết bị?"), - "personIsAge": m59, - "personName": MessageLookupByLibrary.simpleMessage("Tên người"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("Thú cưng"), - "photoDescriptions": MessageLookupByLibrary.simpleMessage("Mô tả ảnh"), - "photoGridSize": - MessageLookupByLibrary.simpleMessage("Kích thước lưới ảnh"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("ảnh"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("Ảnh"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "Ảnh bạn đã thêm sẽ bị xóa khỏi album"), - "photosCount": m62, - "photosKeepRelativeTimeDifference": - MessageLookupByLibrary.simpleMessage( - "Ảnh giữ nguyên chênh lệch thời gian tương đối"), - "pickCenterPoint": - MessageLookupByLibrary.simpleMessage("Chọn điểm trung tâm"), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Ghim album"), - "pinLock": MessageLookupByLibrary.simpleMessage("Khóa PIN"), - "playOnTv": MessageLookupByLibrary.simpleMessage("Phát album trên TV"), - "playOriginal": MessageLookupByLibrary.simpleMessage("Phát tệp gốc"), - "playStoreFreeTrialValidTill": m63, - "playStream": MessageLookupByLibrary.simpleMessage("Phát"), - "playstoreSubscription": - MessageLookupByLibrary.simpleMessage("Gói PlayStore"), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Vui lòng kiểm tra kết nối internet của bạn và thử lại."), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Vui lòng liên hệ support@ente.io và chúng tôi rất sẵn sàng giúp đỡ!"), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Vui lòng liên hệ bộ phận hỗ trợ nếu vấn đề vẫn tiếp diễn"), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": - MessageLookupByLibrary.simpleMessage("Vui lòng cấp quyền"), - "pleaseLoginAgain": - MessageLookupByLibrary.simpleMessage("Vui lòng đăng nhập lại"), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Vui lòng chọn liên kết nhanh để xóa"), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": - MessageLookupByLibrary.simpleMessage("Vui lòng thử lại"), - "pleaseVerifyTheCodeYouHaveEntered": - MessageLookupByLibrary.simpleMessage( - "Vui lòng xác minh mã bạn đã nhập"), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Vui lòng chờ..."), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Vui lòng chờ, đang xóa album"), - "pleaseWaitForSometimeBeforeRetrying": - MessageLookupByLibrary.simpleMessage( - "Vui lòng chờ một chút trước khi thử lại"), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "Vui lòng chờ, có thể mất một lúc."), - "posingWithThem": m66, - "preparingLogs": - MessageLookupByLibrary.simpleMessage("Đang ghi log..."), - "preserveMore": - MessageLookupByLibrary.simpleMessage("Lưu giữ nhiều hơn"), - "pressAndHoldToPlayVideo": - MessageLookupByLibrary.simpleMessage("Nhấn giữ để phát video"), - "pressAndHoldToPlayVideoDetailed": - MessageLookupByLibrary.simpleMessage("Nhấn giữ ảnh để phát video"), - "previous": MessageLookupByLibrary.simpleMessage("Trước"), - "privacy": MessageLookupByLibrary.simpleMessage("Bảo mật"), - "privacyPolicyTitle": - MessageLookupByLibrary.simpleMessage("Chính sách bảo mật"), - "privateBackups": - MessageLookupByLibrary.simpleMessage("Sao lưu riêng tư"), - "privateSharing": - MessageLookupByLibrary.simpleMessage("Chia sẻ riêng tư"), - "proceed": MessageLookupByLibrary.simpleMessage("Tiếp tục"), - "processed": MessageLookupByLibrary.simpleMessage("Đã xử lý"), - "processing": MessageLookupByLibrary.simpleMessage("Đang xử lý"), - "processingImport": m67, - "processingVideos": - MessageLookupByLibrary.simpleMessage("Đang xử lý video"), - "publicLinkCreated": MessageLookupByLibrary.simpleMessage( - "Liên kết công khai đã được tạo"), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( - "Liên kết công khai đã được bật"), - "questionmark": MessageLookupByLibrary.simpleMessage("?"), - "queued": MessageLookupByLibrary.simpleMessage("Đang chờ"), - "quickLinks": MessageLookupByLibrary.simpleMessage("Liên kết nhanh"), - "radius": MessageLookupByLibrary.simpleMessage("Bán kính"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Yêu cầu hỗ trợ"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("Đánh giá ứng dụng"), - "rateUs": MessageLookupByLibrary.simpleMessage("Đánh giá chúng tôi"), - "rateUsOnStore": m68, - "reassignMe": - MessageLookupByLibrary.simpleMessage("Chỉ định lại \"Tôi\""), - "reassignedToName": m69, - "reassigningLoading": - MessageLookupByLibrary.simpleMessage("Đang chỉ định lại..."), - "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( - "Nhắc khi đến sinh nhật của ai đó. Chạm vào thông báo sẽ đưa bạn đến ảnh của người sinh nhật."), - "recover": MessageLookupByLibrary.simpleMessage("Khôi phục"), - "recoverAccount": - MessageLookupByLibrary.simpleMessage("Khôi phục tài khoản"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Khôi phục"), - "recoveryAccount": - MessageLookupByLibrary.simpleMessage("Khôi phục tài khoản"), - "recoveryInitiated": MessageLookupByLibrary.simpleMessage( - "Quá trình khôi phục đã được khởi động"), - "recoveryInitiatedDesc": m70, - "recoveryKey": MessageLookupByLibrary.simpleMessage("Mã khôi phục"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Đã sao chép mã khôi phục vào bộ nhớ tạm"), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Nếu bạn quên mật khẩu, cách duy nhất để khôi phục dữ liệu của bạn là dùng mã này."), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Chúng tôi không lưu trữ mã này, nên hãy lưu nó ở một nơi an toàn."), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Tuyệt! Mã khôi phục của bạn hợp lệ. Cảm ơn đã xác minh.\n\nNhớ lưu giữ mã khôi phục của bạn ở nơi an toàn."), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Mã khôi phục đã được xác minh"), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Mã khôi phục là cách duy nhất để khôi phục ảnh của bạn nếu bạn quên mật khẩu. Bạn có thể xem mã khôi phục của mình trong Cài đặt > Tài khoản.\n\nVui lòng nhập mã khôi phục của bạn ở đây để xác minh rằng bạn đã lưu nó đúng cách."), - "recoveryReady": m71, - "recoverySuccessful": - MessageLookupByLibrary.simpleMessage("Khôi phục thành công!"), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "Một liên hệ tin cậy đang cố gắng truy cập tài khoản của bạn"), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "Thiết bị hiện tại không đủ mạnh để xác minh mật khẩu của bạn, nhưng chúng tôi có thể tạo lại để nó hoạt động với tất cả thiết bị.\n\nVui lòng đăng nhập bằng mã khôi phục và tạo lại mật khẩu (bạn có thể dùng lại mật khẩu cũ nếu muốn)."), - "recreatePasswordTitle": - MessageLookupByLibrary.simpleMessage("Tạo lại mật khẩu"), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": - MessageLookupByLibrary.simpleMessage("Nhập lại mật khẩu"), - "reenterPin": MessageLookupByLibrary.simpleMessage("Nhập lại PIN"), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Giới thiệu bạn bè và ×2 gói của bạn"), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Đưa mã này cho bạn bè của bạn"), - "referralStep2": - MessageLookupByLibrary.simpleMessage("2. Họ đăng ký gói trả phí"), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Giới thiệu"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "Giới thiệu hiện đang tạm dừng"), - "rejectRecovery": - MessageLookupByLibrary.simpleMessage("Từ chối khôi phục"), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "Hãy xóa luôn \"Đã xóa gần đây\" từ \"Cài đặt\" -> \"Lưu trữ\" để lấy lại dung lượng đã giải phóng"), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Hãy xóa luôn \"Thùng rác\" của bạn để lấy lại dung lượng đã giải phóng"), - "remoteImages": - MessageLookupByLibrary.simpleMessage("Hình ảnh bên ngoài"), - "remoteThumbnails": - MessageLookupByLibrary.simpleMessage("Hình thu nhỏ bên ngoài"), - "remoteVideos": MessageLookupByLibrary.simpleMessage("Video bên ngoài"), - "remove": MessageLookupByLibrary.simpleMessage("Xóa"), - "removeDuplicates": - MessageLookupByLibrary.simpleMessage("Xóa trùng lặp"), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Xem và xóa các tệp bị trùng lặp."), - "removeFromAlbum": - MessageLookupByLibrary.simpleMessage("Xóa khỏi album"), - "removeFromAlbumTitle": - MessageLookupByLibrary.simpleMessage("Xóa khỏi album?"), - "removeFromFavorite": - MessageLookupByLibrary.simpleMessage("Xóa khỏi mục đã thích"), - "removeInvite": MessageLookupByLibrary.simpleMessage("Gỡ bỏ lời mời"), - "removeLink": MessageLookupByLibrary.simpleMessage("Xóa liên kết"), - "removeParticipant": - MessageLookupByLibrary.simpleMessage("Xóa người tham gia"), - "removeParticipantBody": m74, - "removePersonLabel": - MessageLookupByLibrary.simpleMessage("Xóa nhãn người"), - "removePublicLink": - MessageLookupByLibrary.simpleMessage("Xóa liên kết công khai"), - "removePublicLinks": - MessageLookupByLibrary.simpleMessage("Xóa liên kết công khai"), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Vài mục mà bạn đang xóa được thêm bởi người khác, và bạn sẽ mất quyền truy cập vào chúng"), - "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Xóa?"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Gỡ bỏ bạn khỏi liên hệ tin cậy"), - "removingFromFavorites": MessageLookupByLibrary.simpleMessage( - "Đang xóa khỏi mục yêu thích..."), - "rename": MessageLookupByLibrary.simpleMessage("Đổi tên"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("Đổi tên album"), - "renameFile": MessageLookupByLibrary.simpleMessage("Đổi tên tệp"), - "renewSubscription": - MessageLookupByLibrary.simpleMessage("Gia hạn gói"), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Báo lỗi"), - "reportBug": MessageLookupByLibrary.simpleMessage("Báo lỗi"), - "resendEmail": MessageLookupByLibrary.simpleMessage("Gửi lại email"), - "reset": MessageLookupByLibrary.simpleMessage("Đặt lại"), - "resetIgnoredFiles": - MessageLookupByLibrary.simpleMessage("Đặt lại các tệp bị bỏ qua"), - "resetPasswordTitle": - MessageLookupByLibrary.simpleMessage("Đặt lại mật khẩu"), - "resetPerson": MessageLookupByLibrary.simpleMessage("Xóa"), - "resetToDefault": - MessageLookupByLibrary.simpleMessage("Đặt lại mặc định"), - "restore": MessageLookupByLibrary.simpleMessage("Khôi phục"), - "restoreToAlbum": - MessageLookupByLibrary.simpleMessage("Khôi phục vào album"), - "restoringFiles": - MessageLookupByLibrary.simpleMessage("Đang khôi phục tệp..."), - "resumableUploads": - MessageLookupByLibrary.simpleMessage("Cho phép tải lên tiếp tục"), - "retry": MessageLookupByLibrary.simpleMessage("Thử lại"), - "review": MessageLookupByLibrary.simpleMessage("Xem lại"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Vui lòng xem qua và xóa các mục mà bạn tin là trùng lặp."), - "reviewSuggestions": MessageLookupByLibrary.simpleMessage("Xem gợi ý"), - "right": MessageLookupByLibrary.simpleMessage("Phải"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("Xoay"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Xoay trái"), - "rotateRight": MessageLookupByLibrary.simpleMessage("Xoay phải"), - "safelyStored": MessageLookupByLibrary.simpleMessage("Lưu trữ an toàn"), - "same": MessageLookupByLibrary.simpleMessage("Chính xác"), - "sameperson": MessageLookupByLibrary.simpleMessage("Cùng một người?"), - "save": MessageLookupByLibrary.simpleMessage("Lưu"), - "saveAsAnotherPerson": - MessageLookupByLibrary.simpleMessage("Lưu như một người khác"), - "saveChangesBeforeLeavingQuestion": - MessageLookupByLibrary.simpleMessage("Lưu thay đổi trước khi rời?"), - "saveCollage": MessageLookupByLibrary.simpleMessage("Lưu ảnh ghép"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Lưu bản sao"), - "saveKey": MessageLookupByLibrary.simpleMessage("Lưu mã"), - "savePerson": MessageLookupByLibrary.simpleMessage("Lưu người"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Lưu mã khôi phục của bạn nếu bạn chưa làm"), - "saving": MessageLookupByLibrary.simpleMessage("Đang lưu..."), - "savingEdits": - MessageLookupByLibrary.simpleMessage("Đang lưu chỉnh sửa..."), - "scanCode": MessageLookupByLibrary.simpleMessage("Quét mã"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Quét mã vạch này bằng\nứng dụng xác thực của bạn"), - "search": MessageLookupByLibrary.simpleMessage("Tìm kiếm"), - "searchAlbumsEmptySection": - MessageLookupByLibrary.simpleMessage("Album"), - "searchByAlbumNameHint": - MessageLookupByLibrary.simpleMessage("Tên album"), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Tên album (vd: \"Camera\")\n• Loại tệp (vd: \"Video\", \".gif\")\n• Năm và tháng (vd: \"2022\", \"Tháng Một\")\n• Ngày lễ (vd: \"Giáng Sinh\")\n• Mô tả ảnh (vd: “#vui”)"), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Thêm mô tả như \"#phượt\" trong thông tin ảnh để tìm nhanh thấy chúng ở đây"), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Tìm kiếm theo ngày, tháng hoặc năm"), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "Hình ảnh sẽ được hiển thị ở đây sau khi hoàn tất xử lý và đồng bộ"), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "Người sẽ được hiển thị ở đây khi quá trình xử lý hoàn tất"), - "searchFileTypesAndNamesEmptySection": - MessageLookupByLibrary.simpleMessage("Loại tệp và tên"), - "searchHint1": MessageLookupByLibrary.simpleMessage( - "Tìm kiếm nhanh, trên thiết bị"), - "searchHint2": - MessageLookupByLibrary.simpleMessage("Ngày chụp, mô tả ảnh"), - "searchHint3": - MessageLookupByLibrary.simpleMessage("Album, tên tệp và loại"), - "searchHint4": MessageLookupByLibrary.simpleMessage("Vị trí"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "Sắp ra mắt: Nhận diện khuôn mặt & tìm kiếm vi diệu ✨"), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Ảnh nhóm được chụp trong một bán kính nào đó của một bức ảnh"), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "Mời mọi người, và bạn sẽ thấy tất cả ảnh mà họ chia sẻ ở đây"), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "Người sẽ được hiển thị ở đây sau khi hoàn tất xử lý và đồng bộ"), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Bảo mật"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "Xem liên kết album công khai trong ứng dụng"), - "selectALocation": - MessageLookupByLibrary.simpleMessage("Chọn một vị trí"), - "selectALocationFirst": - MessageLookupByLibrary.simpleMessage("Chọn một vị trí trước"), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Chọn album"), - "selectAll": MessageLookupByLibrary.simpleMessage("Chọn tất cả"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("Tất cả"), - "selectCoverPhoto": - MessageLookupByLibrary.simpleMessage("Chọn ảnh bìa"), - "selectDate": MessageLookupByLibrary.simpleMessage("Chọn ngày"), - "selectFoldersForBackup": - MessageLookupByLibrary.simpleMessage("Chọn thư mục để sao lưu"), - "selectItemsToAdd": - MessageLookupByLibrary.simpleMessage("Chọn mục để thêm"), - "selectLanguage": MessageLookupByLibrary.simpleMessage("Chọn ngôn ngữ"), - "selectMailApp": - MessageLookupByLibrary.simpleMessage("Chọn ứng dụng email"), - "selectMorePhotos": - MessageLookupByLibrary.simpleMessage("Chọn thêm ảnh"), - "selectOneDateAndTime": - MessageLookupByLibrary.simpleMessage("Chọn một ngày và giờ"), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "Chọn một ngày và giờ cho tất cả"), - "selectPersonToLink": - MessageLookupByLibrary.simpleMessage("Chọn người để liên kết"), - "selectReason": MessageLookupByLibrary.simpleMessage("Chọn lý do"), - "selectStartOfRange": - MessageLookupByLibrary.simpleMessage("Chọn phạm vi bắt đầu"), - "selectTime": MessageLookupByLibrary.simpleMessage("Chọn thời gian"), - "selectYourFace": - MessageLookupByLibrary.simpleMessage("Chọn khuôn mặt bạn"), - "selectYourPlan": - MessageLookupByLibrary.simpleMessage("Chọn gói của bạn"), - "selectedAlbums": m79, - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Các tệp đã chọn không có trên Ente"), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Các thư mục đã chọn sẽ được mã hóa và sao lưu"), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Các tệp đã chọn sẽ bị xóa khỏi tất cả album và cho vào thùng rác."), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "Các mục đã chọn sẽ bị xóa khỏi người này, nhưng không bị xóa khỏi thư viện của bạn."), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("Gửi"), - "sendEmail": MessageLookupByLibrary.simpleMessage("Gửi email"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Gửi lời mời"), - "sendLink": MessageLookupByLibrary.simpleMessage("Gửi liên kết"), - "serverEndpoint": - MessageLookupByLibrary.simpleMessage("Điểm cuối máy chủ"), - "sessionExpired": - MessageLookupByLibrary.simpleMessage("Phiên đã hết hạn"), - "sessionIdMismatch": - MessageLookupByLibrary.simpleMessage("Mã phiên không khớp"), - "setAPassword": MessageLookupByLibrary.simpleMessage("Đặt mật khẩu"), - "setAs": MessageLookupByLibrary.simpleMessage("Đặt làm"), - "setCover": MessageLookupByLibrary.simpleMessage("Đặt ảnh bìa"), - "setLabel": MessageLookupByLibrary.simpleMessage("Đặt"), - "setNewPassword": - MessageLookupByLibrary.simpleMessage("Đặt mật khẩu mới"), - "setNewPin": MessageLookupByLibrary.simpleMessage("Đặt PIN mới"), - "setPasswordTitle": - MessageLookupByLibrary.simpleMessage("Đặt mật khẩu"), - "setRadius": MessageLookupByLibrary.simpleMessage("Đặt bán kính"), - "setupComplete": - MessageLookupByLibrary.simpleMessage("Cài đặt hoàn tất"), - "share": MessageLookupByLibrary.simpleMessage("Chia sẻ"), - "shareALink": - MessageLookupByLibrary.simpleMessage("Chia sẻ một liên kết"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Mở album và nhấn nút chia sẻ ở góc trên bên phải để chia sẻ."), - "shareAnAlbumNow": - MessageLookupByLibrary.simpleMessage("Chia sẻ ngay một album"), - "shareLink": MessageLookupByLibrary.simpleMessage("Chia sẻ liên kết"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Chỉ chia sẻ với những người bạn muốn"), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Tải Ente để chúng ta có thể dễ dàng chia sẻ ảnh và video chất lượng gốc\n\nhttps://ente.io"), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Chia sẻ với người không dùng Ente"), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( - "Chia sẻ album đầu tiên của bạn"), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Tạo album chia sẻ và cộng tác với người dùng Ente khác, bao gồm cả người dùng các gói miễn phí."), - "sharedByMe": MessageLookupByLibrary.simpleMessage("Chia sẻ bởi tôi"), - "sharedByYou": - MessageLookupByLibrary.simpleMessage("Được chia sẻ bởi bạn"), - "sharedPhotoNotifications": - MessageLookupByLibrary.simpleMessage("Ảnh chia sẻ mới"), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Nhận thông báo khi ai đó thêm ảnh vào album chia sẻ mà bạn tham gia"), - "sharedWith": m87, - "sharedWithMe": MessageLookupByLibrary.simpleMessage("Chia sẻ với tôi"), - "sharedWithYou": - MessageLookupByLibrary.simpleMessage("Được chia sẻ với bạn"), - "sharing": MessageLookupByLibrary.simpleMessage("Đang chia sẻ..."), - "shiftDatesAndTime": - MessageLookupByLibrary.simpleMessage("Di chuyển ngày và giờ"), - "showLessFaces": - MessageLookupByLibrary.simpleMessage("Hiện ít khuôn mặt hơn"), - "showMemories": MessageLookupByLibrary.simpleMessage("Xem lại kỷ niệm"), - "showMoreFaces": - MessageLookupByLibrary.simpleMessage("Hiện nhiều khuôn mặt hơn"), - "showPerson": MessageLookupByLibrary.simpleMessage("Hiện người"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "Đăng xuất khỏi các thiết bị khác"), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Nếu bạn nghĩ rằng ai đó biết mật khẩu của bạn, hãy ép tài khoản của bạn đăng xuất khỏi tất cả thiết bị khác đang sử dụng."), - "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( - "Đăng xuất khỏi các thiết bị khác"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Tôi đồng ý điều khoảnchính sách bảo mật"), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Nó sẽ bị xóa khỏi tất cả album."), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Bỏ qua"), - "smartMemories": - MessageLookupByLibrary.simpleMessage("Gợi nhớ kỷ niệm"), - "social": MessageLookupByLibrary.simpleMessage("Mạng xã hội"), - "someItemsAreInBothEnteAndYourDevice": - MessageLookupByLibrary.simpleMessage( - "Một số mục có trên cả Ente và thiết bị của bạn."), - "someOfTheFilesYouAreTryingToDeleteAre": - MessageLookupByLibrary.simpleMessage( - "Một số tệp bạn đang cố gắng xóa chỉ có trên thiết bị của bạn và không thể khôi phục nếu bị xóa"), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Ai đó chia sẻ album với bạn nên thấy cùng một ID trên thiết bị của họ."), - "somethingWentWrong": - MessageLookupByLibrary.simpleMessage("Có điều gì đó không đúng"), - "somethingWentWrongPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Có gì đó không ổn, vui lòng thử lại"), - "sorry": MessageLookupByLibrary.simpleMessage("Xin lỗi"), - "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( - "Rất tiếc, không thể sao lưu tệp vào lúc này, chúng tôi sẽ thử lại sau."), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Xin lỗi, không thể thêm vào mục yêu thích!"), - "sorryCouldNotRemoveFromFavorites": - MessageLookupByLibrary.simpleMessage( - "Xin lỗi, không thể xóa khỏi mục yêu thích!"), - "sorryTheCodeYouveEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "Rất tiếc, mã bạn nhập không chính xác"), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Rất tiếc, chúng tôi không thể tạo khóa an toàn trên thiết bị này.\n\nVui lòng đăng ký từ một thiết bị khác."), - "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( - "Rất tiếc, chúng tôi phải dừng sao lưu cho bạn"), - "sort": MessageLookupByLibrary.simpleMessage("Sắp xếp"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sắp xếp theo"), - "sortNewestFirst": - MessageLookupByLibrary.simpleMessage("Mới nhất trước"), - "sortOldestFirst": - MessageLookupByLibrary.simpleMessage("Cũ nhất trước"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Thành công"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": - MessageLookupByLibrary.simpleMessage("Tập trung vào bản thân bạn"), - "startAccountRecoveryTitle": - MessageLookupByLibrary.simpleMessage("Bắt đầu khôi phục"), - "startBackup": MessageLookupByLibrary.simpleMessage("Bắt đầu sao lưu"), - "status": MessageLookupByLibrary.simpleMessage("Trạng thái"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "Bạn có muốn dừng phát không?"), - "stopCastingTitle": MessageLookupByLibrary.simpleMessage("Dừng phát"), - "storage": MessageLookupByLibrary.simpleMessage("Lưu trữ"), - "storageBreakupFamily": - MessageLookupByLibrary.simpleMessage("Gia đình"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Bạn"), - "storageInGB": m93, - "storageLimitExceeded": - MessageLookupByLibrary.simpleMessage("Đã vượt hạn mức lưu trữ"), - "storageUsageInfo": m94, - "streamDetails": MessageLookupByLibrary.simpleMessage("Chi tiết phát"), - "strongStrength": MessageLookupByLibrary.simpleMessage("Mạnh"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Đăng ký gói"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Bạn phải dùng gói trả phí mới có thể chia sẻ."), - "subscription": MessageLookupByLibrary.simpleMessage("Gói đăng ký"), - "success": MessageLookupByLibrary.simpleMessage("Thành công"), - "successfullyArchived": - MessageLookupByLibrary.simpleMessage("Lưu trữ thành công"), - "successfullyHid": - MessageLookupByLibrary.simpleMessage("Đã ẩn thành công"), - "successfullyUnarchived": - MessageLookupByLibrary.simpleMessage("Bỏ lưu trữ thành công"), - "successfullyUnhid": - MessageLookupByLibrary.simpleMessage("Đã hiện thành công"), - "suggestFeatures": - MessageLookupByLibrary.simpleMessage("Đề xuất tính năng"), - "sunrise": MessageLookupByLibrary.simpleMessage("Đường chân trời"), - "support": MessageLookupByLibrary.simpleMessage("Hỗ trợ"), - "syncProgress": m97, - "syncStopped": - MessageLookupByLibrary.simpleMessage("Đồng bộ hóa đã dừng"), - "syncing": MessageLookupByLibrary.simpleMessage("Đang đồng bộ hóa..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("Giống hệ thống"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("nhấn để sao chép"), - "tapToEnterCode": - MessageLookupByLibrary.simpleMessage("Nhấn để nhập mã"), - "tapToUnlock": MessageLookupByLibrary.simpleMessage("Nhấn để mở khóa"), - "tapToUpload": MessageLookupByLibrary.simpleMessage("Nhấn để tải lên"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Có vẻ như đã xảy ra sự cố. Vui lòng thử lại sau một thời gian. Nếu lỗi vẫn tiếp diễn, vui lòng liên hệ với đội ngũ hỗ trợ."), - "terminate": MessageLookupByLibrary.simpleMessage("Kết thúc"), - "terminateSession": - MessageLookupByLibrary.simpleMessage("Kết thúc phiên? "), - "terms": MessageLookupByLibrary.simpleMessage("Điều khoản"), - "termsOfServicesTitle": - MessageLookupByLibrary.simpleMessage("Điều khoản"), - "thankYou": MessageLookupByLibrary.simpleMessage("Cảm ơn bạn"), - "thankYouForSubscribing": - MessageLookupByLibrary.simpleMessage("Cảm ơn bạn đã đăng ký gói!"), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "Không thể hoàn tất tải xuống"), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "Liên kết mà bạn truy cập đã hết hạn."), - "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "Nhóm người sẽ không được hiển thị trong phần người nữa. Ảnh sẽ vẫn được giữ nguyên."), - "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "Người sẽ không được hiển thị trong phần người nữa. Ảnh sẽ vẫn được giữ nguyên."), - "theRecoveryKeyYouEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage( - "Mã khôi phục bạn nhập không chính xác"), - "theme": MessageLookupByLibrary.simpleMessage("Chủ đề"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Các mục này sẽ bị xóa khỏi thiết bị của bạn."), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "Nó sẽ bị xóa khỏi tất cả album."), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Không thể hoàn tác thao tác này"), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "Album này đã có một liên kết cộng tác"), - "thisCanBeUsedToRecoverYourAccountIfYou": - MessageLookupByLibrary.simpleMessage( - "Chúng có thể giúp khôi phục tài khoản của bạn nếu bạn mất xác thực 2 bước"), - "thisDevice": MessageLookupByLibrary.simpleMessage("Thiết bị này"), - "thisEmailIsAlreadyInUse": - MessageLookupByLibrary.simpleMessage("Email này đã được sử dụng"), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Ảnh này không có thông số Exif"), - "thisIsMeExclamation": - MessageLookupByLibrary.simpleMessage("Đây là tôi!"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": - MessageLookupByLibrary.simpleMessage("Đây là ID xác minh của bạn"), - "thisWeekThroughTheYears": - MessageLookupByLibrary.simpleMessage("Tuần này qua các năm"), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Bạn cũng sẽ đăng xuất khỏi những thiết bị sau:"), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Bạn sẽ đăng xuất khỏi thiết bị này!"), - "thisWillMakeTheDateAndTimeOfAllSelected": - MessageLookupByLibrary.simpleMessage( - "Thao tác này sẽ làm cho ngày và giờ của tất cả ảnh được chọn đều giống nhau."), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "Liên kết công khai của tất cả các liên kết nhanh đã chọn sẽ bị xóa."), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "Để bật khóa ứng dụng, vui lòng thiết lập mã khóa thiết bị hoặc khóa màn hình trong cài đặt hệ thống của bạn."), - "toHideAPhotoOrVideo": - MessageLookupByLibrary.simpleMessage("Để ẩn một ảnh hoặc video"), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Để đặt lại mật khẩu, vui lòng xác minh email của bạn trước."), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Log hôm nay"), - "tooManyIncorrectAttempts": - MessageLookupByLibrary.simpleMessage("Thử sai nhiều lần"), - "total": MessageLookupByLibrary.simpleMessage("tổng"), - "totalSize": MessageLookupByLibrary.simpleMessage("Tổng dung lượng"), - "trash": MessageLookupByLibrary.simpleMessage("Thùng rác"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Cắt"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": - MessageLookupByLibrary.simpleMessage("Liên hệ tin cậy"), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Thử lại"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Bật sao lưu để tự động tải lên các tệp được thêm vào thư mục thiết bị này lên Ente."), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "Nhận 2 tháng miễn phí với các gói theo năm"), - "twofactor": MessageLookupByLibrary.simpleMessage("Xác thực 2 bước"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "Xác thực 2 bước đã bị vô hiệu hóa"), - "twofactorAuthenticationPageTitle": - MessageLookupByLibrary.simpleMessage("Xác thực 2 bước"), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "Xác thực 2 bước đã được đặt lại thành công"), - "twofactorSetup": - MessageLookupByLibrary.simpleMessage("Cài đặt xác minh 2 bước"), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("Bỏ lưu trữ"), - "unarchiveAlbum": - MessageLookupByLibrary.simpleMessage("Bỏ lưu trữ album"), - "unarchiving": - MessageLookupByLibrary.simpleMessage("Đang bỏ lưu trữ..."), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Rất tiếc, mã này không khả dụng."), - "uncategorized": MessageLookupByLibrary.simpleMessage("Chưa phân loại"), - "unhide": MessageLookupByLibrary.simpleMessage("Hiện lại"), - "unhideToAlbum": - MessageLookupByLibrary.simpleMessage("Hiện lại trong album"), - "unhiding": MessageLookupByLibrary.simpleMessage("Đang hiện..."), - "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Đang hiện lại tệp trong album"), - "unlock": MessageLookupByLibrary.simpleMessage("Mở khóa"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("Bỏ ghim album"), - "unselectAll": MessageLookupByLibrary.simpleMessage("Bỏ chọn tất cả"), - "update": MessageLookupByLibrary.simpleMessage("Cập nhật"), - "updateAvailable": - MessageLookupByLibrary.simpleMessage("Cập nhật có sẵn"), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Đang cập nhật lựa chọn thư mục..."), - "upgrade": MessageLookupByLibrary.simpleMessage("Nâng cấp"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": - MessageLookupByLibrary.simpleMessage("Đang tải tệp lên album..."), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": - MessageLookupByLibrary.simpleMessage("Đang lưu giữ 1 kỷ niệm..."), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "Giảm tới 50%, đến ngày 4 Tháng 12."), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "Dung lượng có thể dùng bị giới hạn bởi gói hiện tại của bạn. Dung lượng nhận thêm vượt hạn mức sẽ tự động có thể dùng khi bạn nâng cấp gói."), - "useAsCover": MessageLookupByLibrary.simpleMessage("Đặt làm ảnh bìa"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "Phát video gặp vấn đề? Nhấn giữ tại đây để thử một trình phát khác."), - "usePublicLinksForPeopleNotOnEnte": - MessageLookupByLibrary.simpleMessage( - "Dùng liên kết công khai cho những người không dùng Ente"), - "useRecoveryKey": - MessageLookupByLibrary.simpleMessage("Dùng mã khôi phục"), - "useSelectedPhoto": - MessageLookupByLibrary.simpleMessage("Sử dụng ảnh đã chọn"), - "usedSpace": MessageLookupByLibrary.simpleMessage("Dung lượng đã dùng"), - "validTill": m110, - "verificationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage( - "Xác minh không thành công, vui lòng thử lại"), - "verificationId": MessageLookupByLibrary.simpleMessage("ID xác minh"), - "verify": MessageLookupByLibrary.simpleMessage("Xác minh"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("Xác minh email"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Xác minh"), - "verifyPasskey": - MessageLookupByLibrary.simpleMessage("Xác minh khóa truy cập"), - "verifyPassword": - MessageLookupByLibrary.simpleMessage("Xác minh mật khẩu"), - "verifying": MessageLookupByLibrary.simpleMessage("Đang xác minh..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Đang xác minh mã khôi phục..."), - "videoInfo": MessageLookupByLibrary.simpleMessage("Thông tin video"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), - "videoStreaming": - MessageLookupByLibrary.simpleMessage("Video có thể phát"), - "videos": MessageLookupByLibrary.simpleMessage("Video"), - "viewActiveSessions": - MessageLookupByLibrary.simpleMessage("Xem phiên hoạt động"), - "viewAddOnButton": - MessageLookupByLibrary.simpleMessage("Xem tiện ích mở rộng"), - "viewAll": MessageLookupByLibrary.simpleMessage("Xem tất cả"), - "viewAllExifData": - MessageLookupByLibrary.simpleMessage("Xem thông số Exif"), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Tệp lớn"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Xem các tệp đang chiếm nhiều dung lượng nhất."), - "viewLogs": MessageLookupByLibrary.simpleMessage("Xem log"), - "viewPersonToUnlink": m112, - "viewRecoveryKey": - MessageLookupByLibrary.simpleMessage("Xem mã khôi phục"), - "viewer": MessageLookupByLibrary.simpleMessage("Người xem"), - "viewersSuccessfullyAdded": m113, - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Vui lòng truy cập web.ente.io để quản lý gói đăng ký"), - "waitingForVerification": - MessageLookupByLibrary.simpleMessage("Đang chờ xác minh..."), - "waitingForWifi": - MessageLookupByLibrary.simpleMessage("Đang chờ WiFi..."), - "warning": MessageLookupByLibrary.simpleMessage("Cảnh báo"), - "weAreOpenSource": - MessageLookupByLibrary.simpleMessage("Chúng tôi là mã nguồn mở!"), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "Chúng tôi chưa hỗ trợ chỉnh sửa ảnh và album không phải bạn sở hữu"), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Yếu"), - "welcomeBack": - MessageLookupByLibrary.simpleMessage("Chào mừng trở lại!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("Có gì mới"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "Liên hệ tin cậy có thể giúp khôi phục dữ liệu của bạn."), - "widgets": MessageLookupByLibrary.simpleMessage("Tiện ích"), - "wishThemAHappyBirthday": m115, - "yearShort": MessageLookupByLibrary.simpleMessage("năm"), - "yearly": MessageLookupByLibrary.simpleMessage("Theo năm"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Có"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Có, hủy"), - "yesConvertToViewer": - MessageLookupByLibrary.simpleMessage("Có, chuyển thành người xem"), - "yesDelete": MessageLookupByLibrary.simpleMessage("Có, xóa"), - "yesDiscardChanges": - MessageLookupByLibrary.simpleMessage("Có, bỏ qua thay đổi"), - "yesIgnore": MessageLookupByLibrary.simpleMessage("Có, bỏ qua"), - "yesLogout": MessageLookupByLibrary.simpleMessage("Có, đăng xuất"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Có, xóa"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Có, Gia hạn"), - "yesResetPerson": - MessageLookupByLibrary.simpleMessage("Có, đặt lại người"), - "you": MessageLookupByLibrary.simpleMessage("Bạn"), - "youAndThem": m117, - "youAreOnAFamilyPlan": - MessageLookupByLibrary.simpleMessage("Bạn đang dùng gói gia đình!"), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Bạn đang sử dụng phiên bản mới nhất"), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Bạn có thể tối đa ×2 dung lượng của mình"), - "youCanManageYourLinksInTheShareTab": - MessageLookupByLibrary.simpleMessage( - "Bạn có thể quản lý các liên kết của mình trong tab chia sẻ."), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "Bạn có thể thử tìm kiếm một truy vấn khác."), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "Bạn không thể đổi xuống gói này"), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Bạn không thể chia sẻ với chính mình"), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "Bạn không có mục nào đã lưu trữ."), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": - MessageLookupByLibrary.simpleMessage("Tài khoản của bạn đã bị xóa"), - "yourMap": MessageLookupByLibrary.simpleMessage("Bản đồ của bạn"), - "yourPlanWasSuccessfullyDowngraded": - MessageLookupByLibrary.simpleMessage( - "Gói của bạn đã được hạ cấp thành công"), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "Gói của bạn đã được nâng cấp thành công"), - "yourPurchaseWasSuccessful": - MessageLookupByLibrary.simpleMessage("Bạn đã giao dịch thành công"), - "yourStorageDetailsCouldNotBeFetched": - MessageLookupByLibrary.simpleMessage( - "Không thể lấy chi tiết dung lượng của bạn"), - "yourSubscriptionHasExpired": - MessageLookupByLibrary.simpleMessage("Gói của bạn đã hết hạn"), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "Gói của bạn đã được cập nhật thành công"), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "Mã xác minh của bạn đã hết hạn"), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage( - "Bạn không có tệp nào bị trùng để xóa"), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "Bạn không có tệp nào có thể xóa trong album này"), - "zoomOutToSeePhotos": - MessageLookupByLibrary.simpleMessage("Phóng to để xem ảnh") - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Ente có phiên bản mới.", + ), + "about": MessageLookupByLibrary.simpleMessage("Giới thiệu"), + "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( + "Chấp nhận lời mời", + ), + "account": MessageLookupByLibrary.simpleMessage("Tài khoản"), + "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( + "Tài khoản đã được cấu hình.", + ), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( + "Chào mừng bạn trở lại!", + ), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Tôi hiểu rằng nếu mất mật khẩu, dữ liệu của tôi sẽ mất vì nó được mã hóa đầu cuối.", + ), + "actionNotSupportedOnFavouritesAlbum": MessageLookupByLibrary.simpleMessage( + "Hành động không áp dụng trong album Đã thích", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage("Phiên hoạt động"), + "add": MessageLookupByLibrary.simpleMessage("Thêm"), + "addAName": MessageLookupByLibrary.simpleMessage("Thêm một tên"), + "addANewEmail": MessageLookupByLibrary.simpleMessage("Thêm một email mới"), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Thêm tiện ích album vào màn hình chính và quay lại đây để tùy chỉnh.", + ), + "addCollaborator": MessageLookupByLibrary.simpleMessage( + "Thêm cộng tác viên", + ), + "addCollaborators": m1, + "addFiles": MessageLookupByLibrary.simpleMessage("Thêm tệp"), + "addFromDevice": MessageLookupByLibrary.simpleMessage("Thêm từ thiết bị"), + "addItem": m2, + "addLocation": MessageLookupByLibrary.simpleMessage("Thêm vị trí"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Thêm"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Thêm tiện ích kỷ niệm vào màn hình chính và quay lại đây để tùy chỉnh.", + ), + "addMore": MessageLookupByLibrary.simpleMessage("Thêm nhiều hơn"), + "addName": MessageLookupByLibrary.simpleMessage("Thêm tên"), + "addNameOrMerge": MessageLookupByLibrary.simpleMessage( + "Thêm tên hoặc hợp nhất", + ), + "addNew": MessageLookupByLibrary.simpleMessage("Thêm mới"), + "addNewPerson": MessageLookupByLibrary.simpleMessage("Thêm người mới"), + "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( + "Chi tiết về tiện ích mở rộng", + ), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("Tiện ích mở rộng"), + "addParticipants": MessageLookupByLibrary.simpleMessage( + "Thêm người tham gia", + ), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Thêm tiện ích người vào màn hình chính và quay lại đây để tùy chỉnh.", + ), + "addPhotos": MessageLookupByLibrary.simpleMessage("Thêm ảnh"), + "addSelected": MessageLookupByLibrary.simpleMessage("Thêm mục đã chọn"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("Thêm vào album"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Thêm vào Ente"), + "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Thêm vào album ẩn", + ), + "addTrustedContact": MessageLookupByLibrary.simpleMessage( + "Thêm liên hệ tin cậy", + ), + "addViewer": MessageLookupByLibrary.simpleMessage("Thêm người xem"), + "addViewers": m4, + "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( + "Thêm ảnh của bạn ngay bây giờ", + ), + "addedAs": MessageLookupByLibrary.simpleMessage("Đã thêm như"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": MessageLookupByLibrary.simpleMessage( + "Đang thêm vào mục yêu thích...", + ), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("Nâng cao"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Nâng cao"), + "after1Day": MessageLookupByLibrary.simpleMessage("Sau 1 ngày"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Sau 1 giờ"), + "after1Month": MessageLookupByLibrary.simpleMessage("Sau 1 tháng"), + "after1Week": MessageLookupByLibrary.simpleMessage("Sau 1 tuần"), + "after1Year": MessageLookupByLibrary.simpleMessage("Sau 1 năm"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Chủ sở hữu"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Tiêu đề album"), + "albumUpdated": MessageLookupByLibrary.simpleMessage( + "Album đã được cập nhật", + ), + "albums": MessageLookupByLibrary.simpleMessage("Album"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Chọn những album bạn muốn thấy trên màn hình chính của mình.", + ), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Tất cả đã xong"), + "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( + "Tất cả kỷ niệm đã được lưu giữ", + ), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "Tất cả nhóm của người này sẽ được đặt lại, và bạn sẽ mất tất cả các gợi ý đã được tạo ra cho người này", + ), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "Tất cả nhóm không có tên sẽ được hợp nhất vào người đã chọn. Điều này vẫn có thể được hoàn tác từ tổng quan lịch sử đề xuất của người đó.", + ), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "Đây là ảnh đầu tiên trong nhóm. Các ảnh được chọn khác sẽ tự động thay đổi dựa theo ngày mới này", + ), + "allow": MessageLookupByLibrary.simpleMessage("Cho phép"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Cho phép người có liên kết thêm ảnh vào album chia sẻ.", + ), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( + "Cho phép thêm ảnh", + ), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "Cho phép ứng dụng mở liên kết album chia sẻ", + ), + "allowDownloads": MessageLookupByLibrary.simpleMessage( + "Cho phép tải xuống", + ), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Cho phép mọi người thêm ảnh", + ), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Vui lòng cho phép truy cập vào ảnh của bạn từ Cài đặt để Ente có thể hiển thị và sao lưu thư viện của bạn.", + ), + "allowPermTitle": MessageLookupByLibrary.simpleMessage( + "Cho phép truy cập ảnh", + ), + "androidBiometricHint": MessageLookupByLibrary.simpleMessage( + "Xác minh danh tính", + ), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "Không nhận diện được. Thử lại.", + ), + "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( + "Yêu cầu sinh trắc học", + ), + "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage( + "Thành công", + ), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Hủy"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage( + "Yêu cầu thông tin xác thực thiết bị", + ), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage( + "Yêu cầu thông tin xác thực thiết bị", + ), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Xác thực sinh trắc học chưa được thiết lập trên thiết bị của bạn. Đi đến \'Cài đặt > Bảo mật\' để thêm xác thực sinh trắc học.", + ), + "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( + "Android, iOS, Web, Desktop", + ), + "androidSignInTitle": MessageLookupByLibrary.simpleMessage( + "Yêu cầu xác thực", + ), + "appIcon": MessageLookupByLibrary.simpleMessage("Biểu tượng ứng dụng"), + "appLock": MessageLookupByLibrary.simpleMessage("Khóa ứng dụng"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Chọn giữa màn hình khóa mặc định của thiết bị và màn hình khóa tùy chỉnh với PIN hoặc mật khẩu.", + ), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("ID Apple"), + "apply": MessageLookupByLibrary.simpleMessage("Áp dụng"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Áp dụng mã"), + "appstoreSubscription": MessageLookupByLibrary.simpleMessage( + "Gói AppStore", + ), + "archive": MessageLookupByLibrary.simpleMessage("Lưu trữ"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("Lưu trữ album"), + "archiving": MessageLookupByLibrary.simpleMessage("Đang lưu trữ..."), + "areThey": MessageLookupByLibrary.simpleMessage("Họ có phải là "), + "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( + "Bạn có chắc muốn xóa khuôn mặt này khỏi người này không?", + ), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Bạn có chắc muốn rời khỏi gói gia đình không?", + ), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "Bạn có chắc muốn hủy không?", + ), + "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( + "Bạn có chắc muốn thay đổi gói của mình không?", + ), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "Bạn có chắc muốn thoát không?", + ), + "areYouSureYouWantToIgnoreThesePersons": + MessageLookupByLibrary.simpleMessage( + "Bạn có chắc muốn bỏ qua những người này?", + ), + "areYouSureYouWantToIgnoreThisPerson": MessageLookupByLibrary.simpleMessage( + "Bạn có chắc muốn bỏ qua người này?", + ), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Bạn có chắc muốn đăng xuất không?", + ), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "Bạn có chắc muốn hợp nhất họ?", + ), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "Bạn có chắc muốn gia hạn không?", + ), + "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( + "Bạn có chắc muốn đặt lại người này không?", + ), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "Gói của bạn đã bị hủy. Bạn có muốn chia sẻ lý do không?", + ), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Lý do chính bạn xóa tài khoản là gì?", + ), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Hãy gợi ý những người thân yêu của bạn chia sẻ", + ), + "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( + "ở hầm trú ẩn hạt nhân", + ), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Vui lòng xác thực để đổi cài đặt xác minh email", + ), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Vui lòng xác thực để thay đổi cài đặt khóa màn hình", + ), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Vui lòng xác thực để đổi email", + ), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Vui lòng xác thực để đổi mật khẩu", + ), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Vui lòng xác thực để cấu hình xác thực 2 bước", + ), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Vui lòng xác thực để bắt đầu xóa tài khoản", + ), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Vui lòng xác thực để quản lý các liên hệ tin cậy", + ), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Vui lòng xác thực để xem khóa truy cập", + ), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Vui lòng xác thực để xem các tệp đã xóa", + ), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Vui lòng xác thực để xem các phiên hoạt động", + ), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Vui lòng xác thực để xem các tệp ẩn", + ), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Vui lòng xác thực để xem kỷ niệm", + ), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Vui lòng xác thực để xem mã khôi phục", + ), + "authenticating": MessageLookupByLibrary.simpleMessage("Đang xác thực..."), + "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Xác thực không thành công, vui lòng thử lại", + ), + "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( + "Xác thực thành công!", + ), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Bạn sẽ thấy các thiết bị phát khả dụng ở đây.", + ), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Hãy chắc rằng quyền Mạng cục bộ đã được bật cho ứng dụng Ente Photos, trong Cài đặt.", + ), + "autoLock": MessageLookupByLibrary.simpleMessage("Khóa tự động"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Sau thời gian này, ứng dụng sẽ khóa sau khi được chạy ở chế độ nền", + ), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "Do sự cố kỹ thuật, bạn đã bị đăng xuất. Chúng tôi xin lỗi vì sự bất tiện.", + ), + "autoPair": MessageLookupByLibrary.simpleMessage("Kết nối tự động"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "Kết nối tự động chỉ hoạt động với các thiết bị hỗ trợ Chromecast.", + ), + "available": MessageLookupByLibrary.simpleMessage("Có sẵn"), + "availableStorageSpace": m10, + "backedUpFolders": MessageLookupByLibrary.simpleMessage( + "Thư mục đã sao lưu", + ), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("Sao lưu"), + "backupFailed": MessageLookupByLibrary.simpleMessage("Sao lưu thất bại"), + "backupFile": MessageLookupByLibrary.simpleMessage("Sao lưu tệp"), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Sao lưu với dữ liệu di động", + ), + "backupSettings": MessageLookupByLibrary.simpleMessage("Cài đặt sao lưu"), + "backupStatus": MessageLookupByLibrary.simpleMessage("Trạng thái sao lưu"), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Các mục đã được sao lưu sẽ hiển thị ở đây", + ), + "backupVideos": MessageLookupByLibrary.simpleMessage("Sao lưu video"), + "beach": MessageLookupByLibrary.simpleMessage("Cát và biển"), + "birthday": MessageLookupByLibrary.simpleMessage("Sinh nhật"), + "birthdayNotifications": MessageLookupByLibrary.simpleMessage( + "Thông báo sinh nhật", + ), + "birthdays": MessageLookupByLibrary.simpleMessage("Sinh nhật"), + "blackFridaySale": MessageLookupByLibrary.simpleMessage( + "Giảm giá Black Friday", + ), + "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cLDesc1": MessageLookupByLibrary.simpleMessage( + "Sau bản beta phát trực tuyến video và làm việc trên các bản có thể tiếp tục tải lên và tải xuống, chúng tôi hiện đã tăng giới hạn tải lên tệp tới 10 GB. Tính năng này hiện khả dụng trên cả ứng dụng dành cho máy tính để bàn và di động.", + ), + "cLDesc2": MessageLookupByLibrary.simpleMessage( + "Tải lên trong nền hiện đã hỗ trợ trên iOS và Android. Không cần phải mở ứng dụng để sao lưu ảnh và video mới nhất của bạn.", + ), + "cLDesc3": MessageLookupByLibrary.simpleMessage( + "Chúng tôi đã có những cải tiến đáng kể cho trải nghiệm kỷ niệm, bao gồm tự phát, vuốt xem kỷ niệm tiếp theo và nhiều tính năng khác.", + ), + "cLDesc4": MessageLookupByLibrary.simpleMessage( + "Cùng với một loạt cải tiến nội bộ, giờ đây bạn có thể dễ dàng xem tất cả khuôn mặt đã phát hiện, cung cấp phản hồi về các khuôn mặt giống nhau và thêm/xóa khuôn mặt khỏi một bức ảnh.", + ), + "cLDesc5": MessageLookupByLibrary.simpleMessage( + "Bây giờ bạn sẽ nhận được thông báo tùy-chọn cho tất cả các ngày sinh nhật mà bạn đã lưu trên Ente, cùng với bộ sưu tập những bức ảnh đẹp nhất của họ.", + ), + "cLDesc6": MessageLookupByLibrary.simpleMessage( + "Không còn phải chờ tải lên/tải xuống xong mới có thể đóng ứng dụng. Tất cả các tải lên và tải xuống hiện có thể tạm dừng giữa chừng và tiếp tục từ nơi bạn đã dừng lại.", + ), + "cLTitle1": MessageLookupByLibrary.simpleMessage("Tải lên tệp video lớn"), + "cLTitle2": MessageLookupByLibrary.simpleMessage("Tải lên trong nền"), + "cLTitle3": MessageLookupByLibrary.simpleMessage("Tự động phát kỷ niệm"), + "cLTitle4": MessageLookupByLibrary.simpleMessage( + "Cải thiện nhận diện khuôn mặt", + ), + "cLTitle5": MessageLookupByLibrary.simpleMessage("Thông báo sinh nhật"), + "cLTitle6": MessageLookupByLibrary.simpleMessage( + "Tiếp tục tải lên và tải xuống", + ), + "cachedData": MessageLookupByLibrary.simpleMessage( + "Dữ liệu đã lưu trong bộ nhớ đệm", + ), + "calculating": MessageLookupByLibrary.simpleMessage("Đang tính toán..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Rất tiếc, album này không thể mở trong ứng dụng.", + ), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( + "Không thể mở album này", + ), + "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( + "Không thể tải lên album thuộc sở hữu của người khác", + ), + "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Chỉ có thể tạo liên kết cho các tệp thuộc sở hữu của bạn", + ), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Chỉ có thể xóa các tệp thuộc sở hữu của bạn", + ), + "cancel": MessageLookupByLibrary.simpleMessage("Hủy"), + "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( + "Hủy khôi phục", + ), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "Bạn có chắc muốn hủy khôi phục không?", + ), + "cancelOtherSubscription": m12, + "cancelSubscription": MessageLookupByLibrary.simpleMessage("Hủy gói"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Không thể xóa các tệp đã chia sẻ", + ), + "castAlbum": MessageLookupByLibrary.simpleMessage("Phát album"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Hãy chắc rằng bạn đang dùng chung mạng với TV.", + ), + "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( + "Không thể phát album", + ), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Truy cập cast.ente.io trên thiết bị bạn muốn kết nối.\n\nNhập mã dưới đây để phát album trên TV của bạn.", + ), + "centerPoint": MessageLookupByLibrary.simpleMessage("Tâm điểm"), + "change": MessageLookupByLibrary.simpleMessage("Thay đổi"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Đổi email"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Thay đổi vị trí của các mục đã chọn?", + ), + "changePassword": MessageLookupByLibrary.simpleMessage("Đổi mật khẩu"), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Thay đổi mật khẩu", + ), + "changePermissions": MessageLookupByLibrary.simpleMessage( + "Thay đổi quyền?", + ), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Thay đổi mã giới thiệu của bạn", + ), + "checkForUpdates": MessageLookupByLibrary.simpleMessage( + "Kiểm tra cập nhật", + ), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Vui lòng kiểm tra hộp thư đến (và thư rác) để hoàn tất xác minh", + ), + "checkStatus": MessageLookupByLibrary.simpleMessage("Kiểm tra trạng thái"), + "checking": MessageLookupByLibrary.simpleMessage("Đang kiểm tra..."), + "checkingModels": MessageLookupByLibrary.simpleMessage( + "Đang kiểm tra mô hình...", + ), + "city": MessageLookupByLibrary.simpleMessage("Trong thành phố"), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage( + "Nhận thêm dung lượng miễn phí", + ), + "claimMore": MessageLookupByLibrary.simpleMessage("Nhận thêm!"), + "claimed": MessageLookupByLibrary.simpleMessage("Đã nhận"), + "claimedStorageSoFar": m14, + "cleanUncategorized": MessageLookupByLibrary.simpleMessage( + "Dọn dẹp chưa phân loại", + ), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Xóa khỏi mục Chưa phân loại với tất cả tệp đang xuất hiện trong các album khác", + ), + "clearCaches": MessageLookupByLibrary.simpleMessage("Xóa bộ nhớ cache"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Xóa chỉ mục"), + "click": MessageLookupByLibrary.simpleMessage("• Nhấn"), + "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( + "• Nhấn vào menu xổ xuống", + ), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Nhấn để cài đặt phiên bản tốt nhất", + ), + "close": MessageLookupByLibrary.simpleMessage("Đóng"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( + "Xếp theo thời gian chụp", + ), + "clubByFileName": MessageLookupByLibrary.simpleMessage("Xếp theo tên tệp"), + "clusteringProgress": MessageLookupByLibrary.simpleMessage( + "Tiến trình phân cụm", + ), + "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( + "Mã đã được áp dụng", + ), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Rất tiếc, bạn đã đạt hạn mức thay đổi mã.", + ), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Mã đã được sao chép vào bộ nhớ tạm", + ), + "codeUsedByYou": MessageLookupByLibrary.simpleMessage("Mã bạn đã dùng"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Tạo một liên kết cho phép mọi người thêm và xem ảnh trong album chia sẻ của bạn mà không cần ứng dụng hoặc tài khoản Ente. Phù hợp để thu thập ảnh sự kiện.", + ), + "collaborativeLink": MessageLookupByLibrary.simpleMessage( + "Liên kết cộng tác", + ), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Cộng tác viên"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Cộng tác viên có thể thêm ảnh và video vào album chia sẻ.", + ), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("Bố cục"), + "collageSaved": MessageLookupByLibrary.simpleMessage( + "Ảnh ghép đã được lưu vào thư viện", + ), + "collect": MessageLookupByLibrary.simpleMessage("Thu thập"), + "collectEventPhotos": MessageLookupByLibrary.simpleMessage( + "Thu thập ảnh sự kiện", + ), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Thu thập ảnh"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Tạo một liên kết nơi bạn bè của bạn có thể tải lên ảnh với chất lượng gốc.", + ), + "color": MessageLookupByLibrary.simpleMessage("Màu sắc"), + "configuration": MessageLookupByLibrary.simpleMessage("Cấu hình"), + "confirm": MessageLookupByLibrary.simpleMessage("Xác nhận"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Bạn có chắc muốn tắt xác thực 2 bước không?", + ), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Xác nhận xóa tài khoản", + ), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Có, tôi muốn xóa vĩnh viễn tài khoản này và tất cả dữ liệu của nó.", + ), + "confirmPassword": MessageLookupByLibrary.simpleMessage( + "Xác nhận mật khẩu", + ), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage( + "Xác nhận thay đổi gói", + ), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Xác nhận mã khôi phục", + ), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Xác nhận mã khôi phục của bạn", + ), + "connectToDevice": MessageLookupByLibrary.simpleMessage( + "Kết nối với thiết bị", + ), + "contactFamilyAdmin": m18, + "contactSupport": MessageLookupByLibrary.simpleMessage("Liên hệ hỗ trợ"), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Danh bạ"), + "contents": MessageLookupByLibrary.simpleMessage("Nội dung"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Tiếp tục"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "Tiếp tục dùng thử miễn phí", + ), + "convertToAlbum": MessageLookupByLibrary.simpleMessage( + "Chuyển đổi thành album", + ), + "copyEmailAddress": MessageLookupByLibrary.simpleMessage( + "Sao chép địa chỉ email", + ), + "copyLink": MessageLookupByLibrary.simpleMessage("Sao chép liên kết"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Chép & dán mã này\nvào ứng dụng xác thực của bạn", + ), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "Chúng tôi không thể sao lưu dữ liệu của bạn.\nChúng tôi sẽ thử lại sau.", + ), + "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( + "Không thể giải phóng dung lượng", + ), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Không thể cập nhật gói", + ), + "count": MessageLookupByLibrary.simpleMessage("Số lượng"), + "crashReporting": MessageLookupByLibrary.simpleMessage("Báo cáo sự cố"), + "create": MessageLookupByLibrary.simpleMessage("Tạo"), + "createAccount": MessageLookupByLibrary.simpleMessage("Tạo tài khoản"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Nhấn giữ để chọn ảnh và nhấn + để tạo album", + ), + "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( + "Tạo liên kết cộng tác", + ), + "createCollage": MessageLookupByLibrary.simpleMessage("Tạo ảnh ghép"), + "createNewAccount": MessageLookupByLibrary.simpleMessage( + "Tạo tài khoản mới", + ), + "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( + "Tạo hoặc chọn album", + ), + "createPublicLink": MessageLookupByLibrary.simpleMessage( + "Tạo liên kết công khai", + ), + "creatingLink": MessageLookupByLibrary.simpleMessage( + "Đang tạo liên kết...", + ), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "Cập nhật quan trọng có sẵn", + ), + "crop": MessageLookupByLibrary.simpleMessage("Cắt xén"), + "curatedMemories": MessageLookupByLibrary.simpleMessage("Kỷ niệm đáng nhớ"), + "currentUsageIs": MessageLookupByLibrary.simpleMessage( + "Dung lượng hiện tại ", + ), + "currentlyRunning": MessageLookupByLibrary.simpleMessage("đang chạy"), + "custom": MessageLookupByLibrary.simpleMessage("Tùy chỉnh"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Tối"), + "dayToday": MessageLookupByLibrary.simpleMessage("Hôm nay"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Hôm qua"), + "declineTrustInvite": MessageLookupByLibrary.simpleMessage( + "Từ chối lời mời", + ), + "decrypting": MessageLookupByLibrary.simpleMessage("Đang giải mã..."), + "decryptingVideo": MessageLookupByLibrary.simpleMessage( + "Đang giải mã video...", + ), + "deduplicateFiles": MessageLookupByLibrary.simpleMessage("Xóa trùng lặp"), + "delete": MessageLookupByLibrary.simpleMessage("Xóa"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Xóa tài khoản"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Chúng tôi rất tiếc khi thấy bạn rời đi. Vui lòng chia sẻ phản hồi của bạn để giúp chúng tôi cải thiện.", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Xóa tài khoản vĩnh viễn", + ), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Xóa album"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Xóa luôn ảnh (và video) trong album này khỏi toàn bộ album khác cũng đang chứa chúng?", + ), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "Tất cả album trống sẽ bị xóa. Sẽ hữu ích khi bạn muốn giảm bớt sự lộn xộn trong danh sách album của mình.", + ), + "deleteAll": MessageLookupByLibrary.simpleMessage("Xóa tất cả"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "Tài khoản này được liên kết với các ứng dụng Ente khác, nếu bạn có dùng. Dữ liệu bạn đã tải lên, trên tất cả ứng dụng Ente, sẽ được lên lịch để xóa, và tài khoản của bạn sẽ bị xóa vĩnh viễn.", + ), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Vui lòng gửi email đến account-deletion@ente.io từ địa chỉ email đã đăng ký của bạn.", + ), + "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( + "Xóa album trống", + ), + "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( + "Xóa album trống?", + ), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage("Xóa khỏi cả hai"), + "deleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Xóa khỏi thiết bị", + ), + "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Xóa khỏi Ente"), + "deleteItemCount": m21, + "deleteLocation": MessageLookupByLibrary.simpleMessage("Xóa vị trí"), + "deleteMultipleAlbumDialog": m22, + "deletePhotos": MessageLookupByLibrary.simpleMessage("Xóa ảnh"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Nó thiếu một tính năng quan trọng mà tôi cần", + ), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "Ứng dụng hoặc một tính năng nhất định không hoạt động như tôi muốn", + ), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Tôi tìm thấy một dịch vụ khác mà tôi thích hơn", + ), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "Lý do không có trong danh sách", + ), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Yêu cầu của bạn sẽ được xử lý trong vòng 72 giờ.", + ), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Xóa album chia sẻ?", + ), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "Album sẽ bị xóa với tất cả mọi người\n\nBạn sẽ mất quyền truy cập vào các ảnh chia sẻ trong album này mà thuộc sở hữu của người khác", + ), + "deselectAll": MessageLookupByLibrary.simpleMessage("Bỏ chọn tất cả"), + "designedToOutlive": MessageLookupByLibrary.simpleMessage( + "Được thiết kế để trường tồn", + ), + "details": MessageLookupByLibrary.simpleMessage("Chi tiết"), + "developerSettings": MessageLookupByLibrary.simpleMessage( + "Cài đặt Nhà phát triển", + ), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Bạn có chắc muốn thay đổi cài đặt Nhà phát triển không?", + ), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Nhập mã"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "Các tệp được thêm vào album thiết bị này sẽ tự động được tải lên Ente.", + ), + "deviceLock": MessageLookupByLibrary.simpleMessage("Khóa thiết bị"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Vô hiệu hóa khóa màn hình thiết bị khi Ente đang ở chế độ nền và có một bản sao lưu đang diễn ra. Điều này thường không cần thiết, nhưng có thể giúp tải lên các tệp lớn và tệp nhập của các thư viện lớn xong nhanh hơn.", + ), + "deviceNotFound": MessageLookupByLibrary.simpleMessage( + "Không tìm thấy thiết bị", + ), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Bạn có biết?"), + "different": MessageLookupByLibrary.simpleMessage("Khác"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage( + "Vô hiệu hóa khóa tự động", + ), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Người xem vẫn có thể chụp màn hình hoặc sao chép ảnh của bạn bằng các công cụ bên ngoài", + ), + "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( + "Xin lưu ý", + ), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "Tắt xác thực 2 bước", + ), + "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( + "Đang vô hiệu hóa xác thực 2 bước...", + ), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Khám phá"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Em bé"), + "discover_celebrations": MessageLookupByLibrary.simpleMessage("Lễ kỷ niệm"), + "discover_food": MessageLookupByLibrary.simpleMessage("Thức ăn"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Cây cối"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Đồi"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Nhận dạng"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Meme"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Ghi chú"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Thú cưng"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Biên lai"), + "discover_screenshots": MessageLookupByLibrary.simpleMessage( + "Ảnh chụp màn hình", + ), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfie"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Hoàng hôn"), + "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( + "Danh thiếp", + ), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Hình nền"), + "dismiss": MessageLookupByLibrary.simpleMessage("Bỏ qua"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage("Không đăng xuất"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Để sau"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Bạn có muốn bỏ qua các chỉnh sửa đã thực hiện không?", + ), + "done": MessageLookupByLibrary.simpleMessage("Xong"), + "dontSave": MessageLookupByLibrary.simpleMessage("Không lưu"), + "doubleYourStorage": MessageLookupByLibrary.simpleMessage( + "Gấp đôi dung lượng lưu trữ của bạn", + ), + "download": MessageLookupByLibrary.simpleMessage("Tải xuống"), + "downloadFailed": MessageLookupByLibrary.simpleMessage( + "Tải xuống thất bại", + ), + "downloading": MessageLookupByLibrary.simpleMessage("Đang tải xuống..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Chỉnh sửa"), + "editEmailAlreadyLinked": m28, + "editLocation": MessageLookupByLibrary.simpleMessage("Chỉnh sửa vị trí"), + "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( + "Chỉnh sửa vị trí", + ), + "editPerson": MessageLookupByLibrary.simpleMessage("Chỉnh sửa người"), + "editTime": MessageLookupByLibrary.simpleMessage("Chỉnh sửa thời gian"), + "editsSaved": MessageLookupByLibrary.simpleMessage("Chỉnh sửa đã được lưu"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Các chỉnh sửa vị trí sẽ chỉ thấy được trong Ente", + ), + "eligible": MessageLookupByLibrary.simpleMessage("đủ điều kiện"), + "email": MessageLookupByLibrary.simpleMessage("Email"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "Email đã được đăng ký.", + ), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "Email chưa được đăng ký.", + ), + "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( + "Xác minh email", + ), + "emailYourLogs": MessageLookupByLibrary.simpleMessage( + "Gửi nhật ký qua email", + ), + "embracingThem": m32, + "emergencyContacts": MessageLookupByLibrary.simpleMessage( + "Liên hệ khẩn cấp", + ), + "empty": MessageLookupByLibrary.simpleMessage("Xóa sạch"), + "emptyTrash": MessageLookupByLibrary.simpleMessage("Xóa sạch thùng rác?"), + "enable": MessageLookupByLibrary.simpleMessage("Bật"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "Ente hỗ trợ học máy trên-thiết-bị nhằm nhận diện khuôn mặt, tìm kiếm vi diệu và các tính năng tìm kiếm nâng cao khác", + ), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Bật học máy để tìm kiếm vi diệu và nhận diện khuôn mặt", + ), + "enableMaps": MessageLookupByLibrary.simpleMessage("Kích hoạt Bản đồ"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "Ảnh của bạn sẽ hiển thị trên bản đồ thế giới.\n\nBản đồ được lưu trữ bởi OpenStreetMap và vị trí chính xác ảnh của bạn không bao giờ được chia sẻ.\n\nBạn có thể tắt tính năng này bất cứ lúc nào từ Cài đặt.", + ), + "enabled": MessageLookupByLibrary.simpleMessage("Bật"), + "encryptingBackup": MessageLookupByLibrary.simpleMessage( + "Đang mã hóa sao lưu...", + ), + "encryption": MessageLookupByLibrary.simpleMessage("Mã hóa"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage("Khóa mã hóa"), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Điểm cuối đã được cập nhật thành công", + ), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Mã hóa đầu cuối theo mặc định", + ), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente chỉ có thể mã hóa và lưu giữ tệp nếu bạn cấp quyền truy cập chúng", + ), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente cần quyền để lưu giữ ảnh của bạn", + ), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "Ente lưu giữ kỷ niệm của bạn, vì vậy chúng luôn có sẵn, ngay cả khi bạn mất thiết bị.", + ), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Bạn có thể thêm gia đình vào gói của mình.", + ), + "enterAlbumName": MessageLookupByLibrary.simpleMessage("Nhập tên album"), + "enterCode": MessageLookupByLibrary.simpleMessage("Nhập mã"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Nhập mã do bạn bè cung cấp để nhận thêm dung lượng miễn phí cho cả hai", + ), + "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( + "Sinh nhật (tùy chọn)", + ), + "enterEmail": MessageLookupByLibrary.simpleMessage("Nhập email"), + "enterFileName": MessageLookupByLibrary.simpleMessage("Nhập tên tệp"), + "enterName": MessageLookupByLibrary.simpleMessage("Nhập tên"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Vui lòng nhập một mật khẩu mới để mã hóa dữ liệu của bạn", + ), + "enterPassword": MessageLookupByLibrary.simpleMessage("Nhập mật khẩu"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Vui lòng nhập một mật khẩu dùng để mã hóa dữ liệu của bạn", + ), + "enterPersonName": MessageLookupByLibrary.simpleMessage("Nhập tên người"), + "enterPin": MessageLookupByLibrary.simpleMessage("Nhập PIN"), + "enterReferralCode": MessageLookupByLibrary.simpleMessage( + "Nhập mã giới thiệu", + ), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Nhập mã 6 chữ số từ\nứng dụng xác thực của bạn", + ), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Vui lòng nhập một địa chỉ email hợp lệ.", + ), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Nhập địa chỉ email của bạn", + ), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Nhập địa chỉ email mới của bạn", + ), + "enterYourPassword": MessageLookupByLibrary.simpleMessage( + "Nhập mật khẩu của bạn", + ), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Nhập mã khôi phục của bạn", + ), + "error": MessageLookupByLibrary.simpleMessage("Lỗi"), + "everywhere": MessageLookupByLibrary.simpleMessage("mọi nơi"), + "exif": MessageLookupByLibrary.simpleMessage("Exif"), + "existingUser": MessageLookupByLibrary.simpleMessage("Người dùng hiện tại"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Liên kết này đã hết hạn. Vui lòng chọn thời gian hết hạn mới hoặc tắt tính năng hết hạn liên kết.", + ), + "exportLogs": MessageLookupByLibrary.simpleMessage("Xuất nhật ký"), + "exportYourData": MessageLookupByLibrary.simpleMessage( + "Xuất dữ liệu của bạn", + ), + "extraPhotosFound": MessageLookupByLibrary.simpleMessage( + "Tìm thấy ảnh bổ sung", + ), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Khuôn mặt chưa được phân cụm, vui lòng quay lại sau", + ), + "faceRecognition": MessageLookupByLibrary.simpleMessage( + "Nhận diện khuôn mặt", + ), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "Không thể tạo ảnh thu nhỏ khuôn mặt", + ), + "faces": MessageLookupByLibrary.simpleMessage("Khuôn mặt"), + "failed": MessageLookupByLibrary.simpleMessage("Không thành công"), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage( + "Không thể áp dụng mã", + ), + "failedToCancel": MessageLookupByLibrary.simpleMessage( + "Hủy không thành công", + ), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( + "Không thể tải video", + ), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Không thể lấy phiên hoạt động", + ), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Không thể lấy bản gốc để chỉnh sửa", + ), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Không thể lấy thông tin giới thiệu. Vui lòng thử lại sau.", + ), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "Không thể tải album", + ), + "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Không thể phát video", + ), + "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( + "Không thể làm mới gói", + ), + "failedToRenew": MessageLookupByLibrary.simpleMessage( + "Gia hạn không thành công", + ), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Không thể xác minh trạng thái thanh toán", + ), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Thêm 5 thành viên gia đình vào gói hiện tại của bạn mà không phải trả thêm phí.\n\nMỗi thành viên có không gian riêng tư của mình và không thể xem tệp của nhau trừ khi được chia sẻ.\n\nGói gia đình có sẵn cho người dùng Ente gói trả phí.\n\nĐăng ký ngay để bắt đầu!", + ), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Gia đình"), + "familyPlans": MessageLookupByLibrary.simpleMessage("Gói gia đình"), + "faq": MessageLookupByLibrary.simpleMessage("Câu hỏi thường gặp"), + "faqs": MessageLookupByLibrary.simpleMessage("Câu hỏi thường gặp"), + "favorite": MessageLookupByLibrary.simpleMessage("Thích"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("Phản hồi"), + "file": MessageLookupByLibrary.simpleMessage("Tệp"), + "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage( + "Không thể xác định tệp", + ), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Không thể lưu tệp vào thư viện", + ), + "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( + "Thêm mô tả...", + ), + "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( + "Tệp chưa được tải lên", + ), + "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Tệp đã được lưu vào thư viện", + ), + "fileTypes": MessageLookupByLibrary.simpleMessage("Loại tệp"), + "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( + "Loại tệp và tên", + ), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage("Tệp đã bị xóa"), + "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Các tệp đã được lưu vào thư viện", + ), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "Tìm nhanh người theo tên", + ), + "findThemQuickly": MessageLookupByLibrary.simpleMessage( + "Tìm họ nhanh chóng", + ), + "flip": MessageLookupByLibrary.simpleMessage("Lật"), + "food": MessageLookupByLibrary.simpleMessage("Ăn chơi"), + "forYourMemories": MessageLookupByLibrary.simpleMessage( + "cho những kỷ niệm của bạn", + ), + "forgotPassword": MessageLookupByLibrary.simpleMessage("Quên mật khẩu"), + "foundFaces": MessageLookupByLibrary.simpleMessage("Đã tìm thấy khuôn mặt"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( + "Dung lượng miễn phí đã nhận", + ), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Dung lượng miễn phí có thể dùng", + ), + "freeTrial": MessageLookupByLibrary.simpleMessage("Dùng thử miễn phí"), + "freeTrialValidTill": m38, + "freeUpAccessPostDelete": m39, + "freeUpAmount": m40, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( + "Giải phóng dung lượng thiết bị", + ), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Tiết kiệm dung lượng thiết bị của bạn bằng cách xóa các tệp đã được sao lưu.", + ), + "freeUpSpace": MessageLookupByLibrary.simpleMessage( + "Giải phóng dung lượng", + ), + "freeUpSpaceSaving": m41, + "gallery": MessageLookupByLibrary.simpleMessage("Thư viện"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "Mỗi thư viện chứa tối đa 1000 ảnh và video", + ), + "general": MessageLookupByLibrary.simpleMessage("Chung"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Đang mã hóa...", + ), + "genericProgress": m42, + "goToSettings": MessageLookupByLibrary.simpleMessage("Đi đến cài đặt"), + "googlePlayId": MessageLookupByLibrary.simpleMessage("ID Google Play"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Vui lòng cho phép truy cập vào tất cả ảnh trong ứng dụng Cài đặt", + ), + "grantPermission": MessageLookupByLibrary.simpleMessage("Cấp quyền"), + "greenery": MessageLookupByLibrary.simpleMessage("Cây cối"), + "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( + "Nhóm ảnh gần nhau", + ), + "guestView": MessageLookupByLibrary.simpleMessage("Chế độ khách"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "Để bật chế độ khách, vui lòng thiết lập mã khóa thiết bị hoặc khóa màn hình trong cài đặt hệ thống của bạn.", + ), + "happyBirthday": MessageLookupByLibrary.simpleMessage( + "Chúc mừng sinh nhật! 🥳", + ), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "Chúng tôi không theo dõi cài đặt ứng dụng, nên nếu bạn bật mí bạn tìm thấy chúng tôi từ đâu sẽ rất hữu ích!", + ), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Bạn biết Ente từ đâu? (tùy chọn)", + ), + "help": MessageLookupByLibrary.simpleMessage("Trợ giúp"), + "hidden": MessageLookupByLibrary.simpleMessage("Ẩn"), + "hide": MessageLookupByLibrary.simpleMessage("Ẩn"), + "hideContent": MessageLookupByLibrary.simpleMessage("Ẩn nội dung"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Ẩn nội dung ứng dụng trong trình chuyển đổi ứng dụng và vô hiệu hóa chụp màn hình", + ), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Ẩn nội dung ứng dụng trong trình chuyển đổi ứng dụng", + ), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Ẩn các mục được chia sẻ khỏi thư viện chính", + ), + "hiding": MessageLookupByLibrary.simpleMessage("Đang ẩn..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( + "Được lưu trữ tại OSM Pháp", + ), + "howItWorks": MessageLookupByLibrary.simpleMessage("Cách thức hoạt động"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Hãy chỉ họ nhấn giữ địa chỉ email của họ trên màn hình cài đặt, và xác minh rằng ID trên cả hai thiết bị khớp nhau.", + ), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Xác thực sinh trắc học chưa được thiết lập trên thiết bị của bạn. Vui lòng kích hoạt Touch ID hoặc Face ID.", + ), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "Xác thực sinh trắc học đã bị vô hiệu hóa. Vui lòng khóa và mở khóa màn hình của bạn để kích hoạt lại.", + ), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), + "ignore": MessageLookupByLibrary.simpleMessage("Bỏ qua"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Bỏ qua"), + "ignored": MessageLookupByLibrary.simpleMessage("bỏ qua"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Một số tệp trong album này bị bỏ qua khi tải lên vì chúng đã bị xóa trước đó từ Ente.", + ), + "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( + "Hình ảnh chưa được phân tích", + ), + "immediately": MessageLookupByLibrary.simpleMessage("Lập tức"), + "importing": MessageLookupByLibrary.simpleMessage("Đang nhập...."), + "incorrectCode": MessageLookupByLibrary.simpleMessage("Mã không chính xác"), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Mật khẩu không đúng", + ), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Mã khôi phục không chính xác", + ), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Mã khôi phục bạn nhập không chính xác", + ), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Mã khôi phục không chính xác", + ), + "indexedItems": MessageLookupByLibrary.simpleMessage( + "Các mục đã lập chỉ mục", + ), + "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( + "Lập chỉ mục bị tạm dừng. Nó sẽ tự động tiếp tục khi thiết bị đã sẵn sàng. Thiết bị được coi là sẵn sàng khi mức pin, tình trạng pin và trạng thái nhiệt độ nằm trong phạm vi tốt.", + ), + "ineligible": MessageLookupByLibrary.simpleMessage("Không đủ điều kiện"), + "info": MessageLookupByLibrary.simpleMessage("Thông tin"), + "insecureDevice": MessageLookupByLibrary.simpleMessage( + "Thiết bị không an toàn", + ), + "installManually": MessageLookupByLibrary.simpleMessage("Cài đặt thủ công"), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "Địa chỉ email không hợp lệ", + ), + "invalidEndpoint": MessageLookupByLibrary.simpleMessage( + "Điểm cuối không hợp lệ", + ), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Xin lỗi, điểm cuối bạn nhập không hợp lệ. Vui lòng nhập một điểm cuối hợp lệ và thử lại.", + ), + "invalidKey": MessageLookupByLibrary.simpleMessage("Mã không hợp lệ"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Mã khôi phục không hợp lệ. Vui lòng đảm bảo nó chứa 24 từ, và đúng chính tả từng từ.\n\nNếu bạn nhập loại mã khôi phục cũ, hãy đảm bảo nó dài 64 ký tự, và kiểm tra từng ký tự.", + ), + "invite": MessageLookupByLibrary.simpleMessage("Mời"), + "inviteToEnte": MessageLookupByLibrary.simpleMessage("Mời sử dụng Ente"), + "inviteYourFriends": MessageLookupByLibrary.simpleMessage( + "Mời bạn bè của bạn", + ), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "Mời bạn bè dùng Ente", + ), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Có vẻ đã xảy ra sự cố. Vui lòng thử lại sau ít phút. Nếu lỗi vẫn tiếp diễn, hãy liên hệ với đội ngũ hỗ trợ của chúng tôi.", + ), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "Trên các mục là số ngày còn lại trước khi xóa vĩnh viễn", + ), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Các mục đã chọn sẽ bị xóa khỏi album này", + ), + "join": MessageLookupByLibrary.simpleMessage("Tham gia"), + "joinAlbum": MessageLookupByLibrary.simpleMessage("Tham gia album"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "Tham gia một album sẽ khiến email của bạn hiển thị với những người tham gia khác.", + ), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( + "để xem và thêm ảnh của bạn", + ), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "để thêm vào album được chia sẻ", + ), + "joinDiscord": MessageLookupByLibrary.simpleMessage("Tham gia Discord"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Giữ ảnh"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Mong bạn giúp chúng tôi thông tin này", + ), + "language": MessageLookupByLibrary.simpleMessage("Ngôn ngữ"), + "lastTimeWithThem": m45, + "lastUpdated": MessageLookupByLibrary.simpleMessage("Mới cập nhật"), + "lastYearsTrip": MessageLookupByLibrary.simpleMessage("Phượt năm ngoái"), + "leave": MessageLookupByLibrary.simpleMessage("Rời"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Rời khỏi album"), + "leaveFamily": MessageLookupByLibrary.simpleMessage("Rời khỏi gia đình"), + "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Rời album được chia sẻ?", + ), + "left": MessageLookupByLibrary.simpleMessage("Trái"), + "legacy": MessageLookupByLibrary.simpleMessage("Thừa kế"), + "legacyAccounts": MessageLookupByLibrary.simpleMessage("Tài khoản thừa kế"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "Thừa kế cho phép các liên hệ tin cậy truy cập tài khoản của bạn khi bạn qua đời.", + ), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "Các liên hệ tin cậy có thể khởi động quá trình khôi phục tài khoản, và nếu không bị chặn trong vòng 30 ngày, có thể đặt lại mật khẩu và truy cập tài khoản của bạn.", + ), + "light": MessageLookupByLibrary.simpleMessage("Độ sáng"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Sáng"), + "link": MessageLookupByLibrary.simpleMessage("Liên kết"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Liên kết đã được sao chép vào bộ nhớ tạm", + ), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage( + "Giới hạn thiết bị", + ), + "linkEmail": MessageLookupByLibrary.simpleMessage("Liên kết email"), + "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( + "để chia sẻ nhanh hơn", + ), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Đã bật"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Hết hạn"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Hết hạn liên kết"), + "linkHasExpired": MessageLookupByLibrary.simpleMessage( + "Liên kết đã hết hạn", + ), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Không bao giờ"), + "linkPerson": MessageLookupByLibrary.simpleMessage("Liên kết người"), + "linkPersonCaption": MessageLookupByLibrary.simpleMessage( + "để trải nghiệm chia sẻ tốt hơn", + ), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("Ảnh động"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "Bạn có thể chia sẻ gói của mình với gia đình", + ), + "loadMessage2": MessageLookupByLibrary.simpleMessage( + "Chúng tôi đã lưu giữ hơn 200 triệu kỷ niệm cho đến hiện tại", + ), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "Chúng tôi giữ 3 bản sao dữ liệu của bạn, một cái lưu ở hầm trú ẩn hạt nhân", + ), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "Tất cả các ứng dụng của chúng tôi đều là mã nguồn mở", + ), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Mã nguồn và mã hóa của chúng tôi đã được kiểm nghiệm ngoại bộ", + ), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "Bạn có thể chia sẻ liên kết đến album của mình với những người thân yêu", + ), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Các ứng dụng di động của chúng tôi chạy ngầm để mã hóa và sao lưu bất kỳ ảnh nào bạn mới chụp", + ), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io có một trình tải lên mượt mà", + ), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Chúng tôi sử dụng Xchacha20Poly1305 để mã hóa dữ liệu của bạn", + ), + "loadingExifData": MessageLookupByLibrary.simpleMessage( + "Đang tải thông số Exif...", + ), + "loadingGallery": MessageLookupByLibrary.simpleMessage( + "Đang tải thư viện...", + ), + "loadingMessage": MessageLookupByLibrary.simpleMessage( + "Đang tải ảnh của bạn...", + ), + "loadingModel": MessageLookupByLibrary.simpleMessage("Đang tải mô hình..."), + "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( + "Đang tải ảnh của bạn...", + ), + "localGallery": MessageLookupByLibrary.simpleMessage("Thư viện cục bộ"), + "localIndexing": MessageLookupByLibrary.simpleMessage("Chỉ mục cục bộ"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Có vẻ như có điều gì đó không ổn vì đồng bộ ảnh cục bộ đang tốn nhiều thời gian hơn mong đợi. Vui lòng liên hệ đội ngũ hỗ trợ của chúng tôi", + ), + "location": MessageLookupByLibrary.simpleMessage("Vị trí"), + "locationName": MessageLookupByLibrary.simpleMessage("Tên vị trí"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Thẻ vị trí sẽ giúp xếp nhóm tất cả ảnh được chụp gần kề nhau", + ), + "locations": MessageLookupByLibrary.simpleMessage("Vị trí"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Khóa"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Khóa màn hình"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Đăng nhập"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Đang đăng xuất..."), + "loginSessionExpired": MessageLookupByLibrary.simpleMessage( + "Phiên đăng nhập đã hết hạn", + ), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "Phiên đăng nhập của bạn đã hết hạn. Vui lòng đăng nhập lại.", + ), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Nhấn vào đăng nhập, tôi đồng ý với điều khoảnchính sách bảo mật", + ), + "loginWithTOTP": MessageLookupByLibrary.simpleMessage( + "Đăng nhập bằng TOTP", + ), + "logout": MessageLookupByLibrary.simpleMessage("Đăng xuất"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "Gửi file nhật ký để chúng tôi có thể phân tích lỗi mà bạn gặp. Lưu ý rằng, trong nhật ký lỗi sẽ bao gồm tên các tệp để giúp theo dõi vấn đề với từng tệp cụ thể.", + ), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Nhấn giữ một email để xác minh mã hóa đầu cuối.", + ), + "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( + "Nhấn giữ một mục để xem toàn màn hình", + ), + "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( + "Xem lại kỷ niệm của bạn 🌄", + ), + "loopVideoOff": MessageLookupByLibrary.simpleMessage( + "Dừng phát video lặp lại", + ), + "loopVideoOn": MessageLookupByLibrary.simpleMessage("Phát video lặp lại"), + "lostDevice": MessageLookupByLibrary.simpleMessage("Mất thiết bị?"), + "machineLearning": MessageLookupByLibrary.simpleMessage("Học máy"), + "magicSearch": MessageLookupByLibrary.simpleMessage("Tìm kiếm vi diệu"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "Tìm kiếm vi diệu cho phép tìm ảnh theo nội dung của chúng, ví dụ: \'xe hơi\', \'xe hơi đỏ\', \'Ferrari\'", + ), + "manage": MessageLookupByLibrary.simpleMessage("Quản lý"), + "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( + "Quản lý bộ nhớ đệm của thiết bị", + ), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Xem và xóa bộ nhớ đệm trên thiết bị.", + ), + "manageFamily": MessageLookupByLibrary.simpleMessage("Quản lý gia đình"), + "manageLink": MessageLookupByLibrary.simpleMessage("Quản lý liên kết"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Quản lý"), + "manageSubscription": MessageLookupByLibrary.simpleMessage("Quản lý gói"), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "Kết nối bằng PIN hoạt động với bất kỳ màn hình nào bạn muốn.", + ), + "map": MessageLookupByLibrary.simpleMessage("Bản đồ"), + "maps": MessageLookupByLibrary.simpleMessage("Bản đồ"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("Tôi"), + "memories": MessageLookupByLibrary.simpleMessage("Kỷ niệm"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Chọn những loại kỷ niệm bạn muốn thấy trên màn hình chính của mình.", + ), + "memoryCount": m50, + "merchandise": MessageLookupByLibrary.simpleMessage("Vật phẩm"), + "merge": MessageLookupByLibrary.simpleMessage("Hợp nhất"), + "mergeWithExisting": MessageLookupByLibrary.simpleMessage( + "Hợp nhất với người đã có", + ), + "mergedPhotos": MessageLookupByLibrary.simpleMessage("Hợp nhất ảnh"), + "mlConsent": MessageLookupByLibrary.simpleMessage("Bật học máy"), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Tôi hiểu và muốn bật học máy", + ), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Nếu bạn bật học máy, Ente sẽ trích xuất thông tin như hình dạng khuôn mặt từ các tệp, gồm cả những tệp mà bạn được chia sẻ.\n\nViệc này sẽ diễn ra trên thiết bị của bạn, với mọi thông tin sinh trắc học tạo ra đều được mã hóa đầu cuối.", + ), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Vui lòng nhấn vào đây để biết thêm chi tiết về tính năng này trong chính sách quyền riêng tư của chúng tôi", + ), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage("Bật học máy?"), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Lưu ý rằng việc học máy sẽ khiến tốn băng thông và pin nhiều hơn cho đến khi tất cả mục được lập chỉ mục. Hãy sử dụng ứng dụng máy tính để lập chỉ mục nhanh hơn. Mọi kết quả sẽ được tự động đồng bộ.", + ), + "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( + "Di động, Web, Desktop", + ), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Trung bình"), + "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( + "Chỉnh sửa truy vấn của bạn, hoặc thử tìm", + ), + "moments": MessageLookupByLibrary.simpleMessage("Khoảnh khắc"), + "month": MessageLookupByLibrary.simpleMessage("tháng"), + "monthly": MessageLookupByLibrary.simpleMessage("Theo tháng"), + "moon": MessageLookupByLibrary.simpleMessage("Ánh trăng"), + "moreDetails": MessageLookupByLibrary.simpleMessage("Thêm chi tiết"), + "mostRecent": MessageLookupByLibrary.simpleMessage("Mới nhất"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("Liên quan nhất"), + "mountains": MessageLookupByLibrary.simpleMessage("Đồi núi"), + "moveItem": m51, + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "Di chuyển ảnh đã chọn đến một ngày", + ), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("Chuyển đến album"), + "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Di chuyển đến album ẩn", + ), + "movedSuccessfullyTo": m52, + "movedToTrash": MessageLookupByLibrary.simpleMessage( + "Đã cho vào thùng rác", + ), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Đang di chuyển tệp vào album...", + ), + "name": MessageLookupByLibrary.simpleMessage("Tên"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Đặt tên cho album"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Không thể kết nối với Ente, vui lòng thử lại sau ít phút. Nếu lỗi vẫn tiếp diễn, hãy liên hệ với bộ phận hỗ trợ.", + ), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Không thể kết nối với Ente, vui lòng kiểm tra cài đặt mạng của bạn và liên hệ với bộ phận hỗ trợ nếu lỗi vẫn tiếp diễn.", + ), + "never": MessageLookupByLibrary.simpleMessage("Không bao giờ"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Album mới"), + "newLocation": MessageLookupByLibrary.simpleMessage("Vị trí mới"), + "newPerson": MessageLookupByLibrary.simpleMessage("Người mới"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" mới 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("Phạm vi mới"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Mới dùng Ente"), + "newest": MessageLookupByLibrary.simpleMessage("Mới nhất"), + "next": MessageLookupByLibrary.simpleMessage("Tiếp theo"), + "no": MessageLookupByLibrary.simpleMessage("Không"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Bạn chưa chia sẻ album nào", + ), + "noDeviceFound": MessageLookupByLibrary.simpleMessage( + "Không tìm thấy thiết bị", + ), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Không có"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "Bạn không có tệp nào có thể xóa trên thiết bị này", + ), + "noDuplicates": MessageLookupByLibrary.simpleMessage( + "✨ Không có trùng lặp", + ), + "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( + "Chưa có tài khoản Ente!", + ), + "noExifData": MessageLookupByLibrary.simpleMessage( + "Không có thông số Exif", + ), + "noFacesFound": MessageLookupByLibrary.simpleMessage( + "Không tìm thấy khuôn mặt", + ), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "Không có ảnh hoặc video ẩn", + ), + "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( + "Không có ảnh với vị trí", + ), + "noInternetConnection": MessageLookupByLibrary.simpleMessage( + "Không có kết nối internet", + ), + "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( + "Hiện tại không có ảnh nào đang được sao lưu", + ), + "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( + "Không tìm thấy ảnh ở đây", + ), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( + "Không có liên kết nhanh nào được chọn", + ), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Không có mã khôi phục?", + ), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Do tính chất của giao thức mã hóa đầu cuối, không thể giải mã dữ liệu của bạn mà không có mật khẩu hoặc mã khôi phục", + ), + "noResults": MessageLookupByLibrary.simpleMessage("Không có kết quả"), + "noResultsFound": MessageLookupByLibrary.simpleMessage( + "Không tìm thấy kết quả", + ), + "noSuggestionsForPerson": m53, + "noSystemLockFound": MessageLookupByLibrary.simpleMessage( + "Không tìm thấy khóa hệ thống", + ), + "notPersonLabel": m54, + "notThisPerson": MessageLookupByLibrary.simpleMessage( + "Không phải người này?", + ), + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "Bạn chưa được chia sẻ gì", + ), + "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( + "Ở đây không có gì để xem! 👀", + ), + "notifications": MessageLookupByLibrary.simpleMessage("Thông báo"), + "ok": MessageLookupByLibrary.simpleMessage("Được"), + "onDevice": MessageLookupByLibrary.simpleMessage("Trên thiết bị"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "Trên ente", + ), + "onTheRoad": MessageLookupByLibrary.simpleMessage("Trên đường"), + "onThisDay": MessageLookupByLibrary.simpleMessage("Vào ngày này"), + "onThisDayMemories": MessageLookupByLibrary.simpleMessage( + "Kỷ niệm hôm nay", + ), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "Nhắc về những kỷ niệm ngày này trong những năm trước.", + ), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Chỉ họ"), + "oops": MessageLookupByLibrary.simpleMessage("Ốii!"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Ốii!, không thể lưu chỉnh sửa", + ), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Ốii!, có gì đó không ổn", + ), + "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( + "Mở album trong trình duyệt", + ), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Vui lòng sử dụng ứng dụng web để thêm ảnh vào album này", + ), + "openFile": MessageLookupByLibrary.simpleMessage("Mở tệp"), + "openSettings": MessageLookupByLibrary.simpleMessage("Mở Cài đặt"), + "openTheItem": MessageLookupByLibrary.simpleMessage("• Mở mục"), + "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( + "Người đóng góp OpenStreetMap", + ), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Tùy chọn, ngắn dài tùy ý...", + ), + "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( + "Hoặc hợp nhất với hiện có", + ), + "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( + "Hoặc chọn một cái có sẵn", + ), + "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( + "hoặc chọn từ danh bạ", + ), + "otherDetectedFaces": MessageLookupByLibrary.simpleMessage( + "Những khuôn mặt khác được phát hiện", + ), + "pair": MessageLookupByLibrary.simpleMessage("Kết nối"), + "pairWithPin": MessageLookupByLibrary.simpleMessage("Kết nối bằng PIN"), + "pairingComplete": MessageLookupByLibrary.simpleMessage("Kết nối hoàn tất"), + "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), + "partyWithThem": m56, + "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( + "Xác minh vẫn đang chờ", + ), + "passkey": MessageLookupByLibrary.simpleMessage("Khóa truy cập"), + "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( + "Xác minh khóa truy cập", + ), + "password": MessageLookupByLibrary.simpleMessage("Mật khẩu"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Đã thay đổi mật khẩu thành công", + ), + "passwordLock": MessageLookupByLibrary.simpleMessage("Khóa bằng mật khẩu"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "Độ mạnh của mật khẩu được tính toán dựa trên độ dài của mật khẩu, các ký tự đã sử dụng và liệu mật khẩu có xuất hiện trong 10.000 mật khẩu được sử dụng nhiều nhất hay không", + ), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Chúng tôi không lưu trữ mật khẩu này, nên nếu bạn quên, chúng tôi không thể giải mã dữ liệu của bạn", + ), + "pastYearsMemories": MessageLookupByLibrary.simpleMessage( + "Kỷ niệm năm ngoái", + ), + "paymentDetails": MessageLookupByLibrary.simpleMessage( + "Chi tiết thanh toán", + ), + "paymentFailed": MessageLookupByLibrary.simpleMessage( + "Thanh toán thất bại", + ), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "Rất tiếc, bạn đã thanh toán không thành công. Vui lòng liên hệ hỗ trợ và chúng tôi sẽ giúp bạn!", + ), + "paymentFailedTalkToProvider": m58, + "pendingItems": MessageLookupByLibrary.simpleMessage("Các mục đang chờ"), + "pendingSync": MessageLookupByLibrary.simpleMessage("Đồng bộ hóa đang chờ"), + "people": MessageLookupByLibrary.simpleMessage("Người"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Người dùng mã của bạn", + ), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Chọn những người bạn muốn thấy trên màn hình chính của mình.", + ), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Tất cả các mục trong thùng rác sẽ bị xóa vĩnh viễn\n\nKhông thể hoàn tác thao tác này", + ), + "permanentlyDelete": MessageLookupByLibrary.simpleMessage("Xóa vĩnh viễn"), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Xóa vĩnh viễn khỏi thiết bị?", + ), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("Tên người"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("Thú cưng"), + "photoDescriptions": MessageLookupByLibrary.simpleMessage("Mô tả ảnh"), + "photoGridSize": MessageLookupByLibrary.simpleMessage( + "Kích thước lưới ảnh", + ), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("ảnh"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("Ảnh"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "Ảnh bạn đã thêm sẽ bị xóa khỏi album", + ), + "photosCount": m62, + "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( + "Ảnh giữ nguyên chênh lệch thời gian tương đối", + ), + "pickCenterPoint": MessageLookupByLibrary.simpleMessage("Chọn tâm điểm"), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Ghim album"), + "pinLock": MessageLookupByLibrary.simpleMessage("Khóa PIN"), + "playOnTv": MessageLookupByLibrary.simpleMessage("Phát album trên TV"), + "playOriginal": MessageLookupByLibrary.simpleMessage("Phát tệp gốc"), + "playStoreFreeTrialValidTill": m63, + "playStream": MessageLookupByLibrary.simpleMessage("Phát trực tiếp"), + "playstoreSubscription": MessageLookupByLibrary.simpleMessage( + "Gói PlayStore", + ), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Vui lòng kiểm tra kết nối internet của bạn và thử lại.", + ), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Vui lòng liên hệ support@ente.io và chúng tôi rất sẵn sàng giúp đỡ!", + ), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Vui lòng liên hệ bộ phận hỗ trợ nếu vấn đề vẫn tiếp diễn", + ), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( + "Vui lòng cấp quyền", + ), + "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( + "Vui lòng đăng nhập lại", + ), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Vui lòng chọn liên kết nhanh để xóa", + ), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("Vui lòng thử lại"), + "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( + "Vui lòng xác minh mã bạn đã nhập", + ), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Vui lòng chờ..."), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Vui lòng chờ, đang xóa album", + ), + "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( + "Vui lòng chờ một chút trước khi thử lại", + ), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "Vui lòng chờ, có thể mất một lúc.", + ), + "posingWithThem": m66, + "preparingLogs": MessageLookupByLibrary.simpleMessage( + "Đang ghi nhật ký...", + ), + "preserveMore": MessageLookupByLibrary.simpleMessage("Lưu giữ nhiều hơn"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Nhấn giữ để phát video", + ), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Nhấn giữ ảnh để phát video", + ), + "previous": MessageLookupByLibrary.simpleMessage("Trước"), + "privacy": MessageLookupByLibrary.simpleMessage("Bảo mật"), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "Chính sách bảo mật", + ), + "privateBackups": MessageLookupByLibrary.simpleMessage("Sao lưu riêng tư"), + "privateSharing": MessageLookupByLibrary.simpleMessage("Chia sẻ riêng tư"), + "proceed": MessageLookupByLibrary.simpleMessage("Tiếp tục"), + "processed": MessageLookupByLibrary.simpleMessage("Đã xử lý"), + "processing": MessageLookupByLibrary.simpleMessage("Đang xử lý"), + "processingImport": m67, + "processingVideos": MessageLookupByLibrary.simpleMessage( + "Đang xử lý video", + ), + "publicLinkCreated": MessageLookupByLibrary.simpleMessage( + "Liên kết công khai đã được tạo", + ), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( + "Liên kết công khai đã được bật", + ), + "questionmark": MessageLookupByLibrary.simpleMessage("?"), + "queued": MessageLookupByLibrary.simpleMessage("Đang chờ"), + "quickLinks": MessageLookupByLibrary.simpleMessage("Liên kết nhanh"), + "radius": MessageLookupByLibrary.simpleMessage("Bán kính"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Yêu cầu hỗ trợ"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("Đánh giá ứng dụng"), + "rateUs": MessageLookupByLibrary.simpleMessage("Đánh giá chúng tôi"), + "rateUsOnStore": m68, + "reassignMe": MessageLookupByLibrary.simpleMessage("Chỉ định lại \"Tôi\""), + "reassignedToName": m69, + "reassigningLoading": MessageLookupByLibrary.simpleMessage( + "Đang chỉ định lại...", + ), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Nhắc khi đến sinh nhật của ai đó. Chạm vào thông báo sẽ đưa bạn đến ảnh của người sinh nhật.", + ), + "recover": MessageLookupByLibrary.simpleMessage("Khôi phục"), + "recoverAccount": MessageLookupByLibrary.simpleMessage( + "Khôi phục tài khoản", + ), + "recoverButton": MessageLookupByLibrary.simpleMessage("Khôi phục"), + "recoveryAccount": MessageLookupByLibrary.simpleMessage( + "Khôi phục tài khoản", + ), + "recoveryInitiated": MessageLookupByLibrary.simpleMessage( + "Quá trình khôi phục đã được khởi động", + ), + "recoveryInitiatedDesc": m70, + "recoveryKey": MessageLookupByLibrary.simpleMessage("Mã khôi phục"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Đã sao chép mã khôi phục vào bộ nhớ tạm", + ), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Nếu bạn quên mật khẩu, cách duy nhất để khôi phục dữ liệu của bạn là dùng mã này.", + ), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Chúng tôi không lưu trữ mã này, nên hãy lưu nó ở nơi an toàn.", + ), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Tuyệt! Mã khôi phục của bạn hợp lệ. Cảm ơn đã xác minh.\n\nNhớ lưu giữ mã khôi phục của bạn ở nơi an toàn.", + ), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Mã khôi phục đã được xác minh", + ), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Mã khôi phục là cách duy nhất để khôi phục ảnh của bạn nếu bạn quên mật khẩu. Bạn có thể xem mã khôi phục của mình trong Cài đặt > Tài khoản.\n\nVui lòng nhập mã khôi phục của bạn ở đây để xác minh rằng bạn đã lưu nó đúng cách.", + ), + "recoveryReady": m71, + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "Khôi phục thành công!", + ), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "Một liên hệ tin cậy đang cố gắng truy cập tài khoản của bạn", + ), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Thiết bị hiện tại không đủ mạnh để xác minh mật khẩu của bạn, nhưng chúng tôi có thể tạo lại để nó hoạt động với tất cả thiết bị.\n\nVui lòng đăng nhập bằng mã khôi phục và tạo lại mật khẩu (bạn có thể dùng lại mật khẩu cũ nếu muốn).", + ), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Tạo lại mật khẩu", + ), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": MessageLookupByLibrary.simpleMessage( + "Nhập lại mật khẩu", + ), + "reenterPin": MessageLookupByLibrary.simpleMessage("Nhập lại PIN"), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Giới thiệu bạn bè và ×2 gói của bạn", + ), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Đưa mã này cho bạn bè của bạn", + ), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Họ đăng ký gói trả phí", + ), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Giới thiệu"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "Giới thiệu hiện đang tạm dừng", + ), + "rejectRecovery": MessageLookupByLibrary.simpleMessage("Từ chối khôi phục"), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "Hãy xóa luôn \"Đã xóa gần đây\" từ \"Cài đặt\" -> \"Lưu trữ\" để lấy lại dung lượng đã giải phóng", + ), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Hãy xóa luôn \"Thùng rác\" của bạn để lấy lại dung lượng đã giải phóng", + ), + "remoteImages": MessageLookupByLibrary.simpleMessage("Ảnh bên ngoài"), + "remoteThumbnails": MessageLookupByLibrary.simpleMessage( + "Ảnh thu nhỏ bên ngoài", + ), + "remoteVideos": MessageLookupByLibrary.simpleMessage("Video bên ngoài"), + "remove": MessageLookupByLibrary.simpleMessage("Xóa"), + "removeDuplicates": MessageLookupByLibrary.simpleMessage("Xóa trùng lặp"), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Xem và xóa các tệp bị trùng lặp.", + ), + "removeFromAlbum": MessageLookupByLibrary.simpleMessage("Xóa khỏi album"), + "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( + "Xóa khỏi album?", + ), + "removeFromFavorite": MessageLookupByLibrary.simpleMessage( + "Xóa khỏi mục đã thích", + ), + "removeInvite": MessageLookupByLibrary.simpleMessage("Gỡ bỏ lời mời"), + "removeLink": MessageLookupByLibrary.simpleMessage("Xóa liên kết"), + "removeParticipant": MessageLookupByLibrary.simpleMessage( + "Xóa người tham gia", + ), + "removeParticipantBody": m74, + "removePersonLabel": MessageLookupByLibrary.simpleMessage("Xóa nhãn người"), + "removePublicLink": MessageLookupByLibrary.simpleMessage( + "Xóa liên kết công khai", + ), + "removePublicLinks": MessageLookupByLibrary.simpleMessage( + "Xóa liên kết công khai", + ), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Vài mục mà bạn đang xóa được thêm bởi người khác, và bạn sẽ mất quyền truy cập vào chúng", + ), + "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Xóa?"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Gỡ bỏ bạn khỏi liên hệ tin cậy", + ), + "removingFromFavorites": MessageLookupByLibrary.simpleMessage( + "Đang xóa khỏi mục yêu thích...", + ), + "rename": MessageLookupByLibrary.simpleMessage("Đổi tên"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("Đổi tên album"), + "renameFile": MessageLookupByLibrary.simpleMessage("Đổi tên tệp"), + "renewSubscription": MessageLookupByLibrary.simpleMessage("Gia hạn gói"), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Báo lỗi"), + "reportBug": MessageLookupByLibrary.simpleMessage("Báo lỗi"), + "resendEmail": MessageLookupByLibrary.simpleMessage("Gửi lại email"), + "reset": MessageLookupByLibrary.simpleMessage("Đặt lại"), + "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( + "Đặt lại các tệp bị bỏ qua", + ), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Đặt lại mật khẩu", + ), + "resetPerson": MessageLookupByLibrary.simpleMessage("Xóa"), + "resetToDefault": MessageLookupByLibrary.simpleMessage("Đặt lại mặc định"), + "restore": MessageLookupByLibrary.simpleMessage("Khôi phục"), + "restoreToAlbum": MessageLookupByLibrary.simpleMessage( + "Khôi phục vào album", + ), + "restoringFiles": MessageLookupByLibrary.simpleMessage( + "Đang khôi phục tệp...", + ), + "resumableUploads": MessageLookupByLibrary.simpleMessage( + "Cho phép tải lên tiếp tục", + ), + "retry": MessageLookupByLibrary.simpleMessage("Thử lại"), + "review": MessageLookupByLibrary.simpleMessage("Xem lại"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Vui lòng xem qua và xóa các mục mà bạn tin là trùng lặp.", + ), + "reviewSuggestions": MessageLookupByLibrary.simpleMessage("Xem gợi ý"), + "right": MessageLookupByLibrary.simpleMessage("Phải"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("Xoay"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Xoay trái"), + "rotateRight": MessageLookupByLibrary.simpleMessage("Xoay phải"), + "safelyStored": MessageLookupByLibrary.simpleMessage("Lưu trữ an toàn"), + "same": MessageLookupByLibrary.simpleMessage("Chính xác"), + "sameperson": MessageLookupByLibrary.simpleMessage("Cùng một người?"), + "save": MessageLookupByLibrary.simpleMessage("Lưu"), + "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage( + "Lưu như một người khác", + ), + "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( + "Lưu thay đổi trước khi rời?", + ), + "saveCollage": MessageLookupByLibrary.simpleMessage("Lưu ảnh ghép"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Lưu bản sao"), + "saveKey": MessageLookupByLibrary.simpleMessage("Lưu mã"), + "savePerson": MessageLookupByLibrary.simpleMessage("Lưu người"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Lưu mã khôi phục của bạn nếu bạn chưa làm", + ), + "saving": MessageLookupByLibrary.simpleMessage("Đang lưu..."), + "savingEdits": MessageLookupByLibrary.simpleMessage( + "Đang lưu chỉnh sửa...", + ), + "scanCode": MessageLookupByLibrary.simpleMessage("Quét mã"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Quét mã vạch này bằng\nứng dụng xác thực của bạn", + ), + "search": MessageLookupByLibrary.simpleMessage("Tìm kiếm"), + "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Album"), + "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage("Tên album"), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Tên album (vd: \"Camera\")\n• Loại tệp (vd: \"Video\", \".gif\")\n• Năm và tháng (vd: \"2022\", \"Tháng Một\")\n• Ngày lễ (vd: \"Giáng Sinh\")\n• Mô tả ảnh (vd: “#vui”)", + ), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Thêm mô tả như \"#phượt\" trong thông tin ảnh để tìm nhanh thấy chúng ở đây", + ), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Tìm kiếm theo ngày, tháng hoặc năm", + ), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "Ảnh sẽ được hiển thị ở đây sau khi xử lý và đồng bộ hoàn tất", + ), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "Người sẽ được hiển thị ở đây khi quá trình xử lý hoàn tất", + ), + "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( + "Loại tệp và tên", + ), + "searchHint1": MessageLookupByLibrary.simpleMessage( + "Tìm kiếm nhanh, trên thiết bị", + ), + "searchHint2": MessageLookupByLibrary.simpleMessage("Ngày chụp, mô tả ảnh"), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "Album, tên tệp và loại", + ), + "searchHint4": MessageLookupByLibrary.simpleMessage("Vị trí"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "Sắp ra mắt: Nhận diện khuôn mặt & tìm kiếm vi diệu ✨", + ), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Xếp nhóm những ảnh được chụp gần kề nhau", + ), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "Mời mọi người, và bạn sẽ thấy tất cả ảnh mà họ chia sẻ ở đây", + ), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "Người sẽ được hiển thị ở đây sau khi hoàn tất xử lý và đồng bộ", + ), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Bảo mật"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "Xem liên kết album công khai trong ứng dụng", + ), + "selectALocation": MessageLookupByLibrary.simpleMessage("Chọn một vị trí"), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage( + "Chọn một vị trí trước", + ), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Chọn album"), + "selectAll": MessageLookupByLibrary.simpleMessage("Chọn tất cả"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("Tất cả"), + "selectCoverPhoto": MessageLookupByLibrary.simpleMessage("Chọn ảnh bìa"), + "selectDate": MessageLookupByLibrary.simpleMessage("Chọn ngày"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Chọn thư mục để sao lưu", + ), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "Chọn mục để thêm", + ), + "selectLanguage": MessageLookupByLibrary.simpleMessage("Chọn ngôn ngữ"), + "selectMailApp": MessageLookupByLibrary.simpleMessage( + "Chọn ứng dụng email", + ), + "selectMorePhotos": MessageLookupByLibrary.simpleMessage("Chọn thêm ảnh"), + "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( + "Chọn một ngày và giờ", + ), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "Chọn một ngày và giờ cho tất cả", + ), + "selectPersonToLink": MessageLookupByLibrary.simpleMessage( + "Chọn người để liên kết", + ), + "selectReason": MessageLookupByLibrary.simpleMessage("Chọn lý do"), + "selectStartOfRange": MessageLookupByLibrary.simpleMessage( + "Chọn phạm vi bắt đầu", + ), + "selectTime": MessageLookupByLibrary.simpleMessage("Chọn thời gian"), + "selectYourFace": MessageLookupByLibrary.simpleMessage( + "Chọn khuôn mặt bạn", + ), + "selectYourPlan": MessageLookupByLibrary.simpleMessage("Chọn gói của bạn"), + "selectedAlbums": m79, + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Các tệp đã chọn không có trên Ente", + ), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Các thư mục đã chọn sẽ được mã hóa và sao lưu", + ), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Các tệp đã chọn sẽ bị xóa khỏi tất cả album và cho vào thùng rác.", + ), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "Các mục đã chọn sẽ bị xóa khỏi người này, nhưng không bị xóa khỏi thư viện của bạn.", + ), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("Gửi"), + "sendEmail": MessageLookupByLibrary.simpleMessage("Gửi email"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Gửi lời mời"), + "sendLink": MessageLookupByLibrary.simpleMessage("Gửi liên kết"), + "serverEndpoint": MessageLookupByLibrary.simpleMessage("Điểm cuối máy chủ"), + "sessionExpired": MessageLookupByLibrary.simpleMessage("Phiên đã hết hạn"), + "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( + "Mã phiên không khớp", + ), + "setAPassword": MessageLookupByLibrary.simpleMessage("Đặt mật khẩu"), + "setAs": MessageLookupByLibrary.simpleMessage("Đặt làm"), + "setCover": MessageLookupByLibrary.simpleMessage("Đặt ảnh bìa"), + "setLabel": MessageLookupByLibrary.simpleMessage("Đặt"), + "setNewPassword": MessageLookupByLibrary.simpleMessage("Đặt mật khẩu mới"), + "setNewPin": MessageLookupByLibrary.simpleMessage("Đặt PIN mới"), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage("Đặt mật khẩu"), + "setRadius": MessageLookupByLibrary.simpleMessage("Đặt bán kính"), + "setupComplete": MessageLookupByLibrary.simpleMessage("Cài đặt hoàn tất"), + "share": MessageLookupByLibrary.simpleMessage("Chia sẻ"), + "shareALink": MessageLookupByLibrary.simpleMessage("Chia sẻ một liên kết"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Mở album và nhấn nút chia sẻ ở góc trên bên phải để chia sẻ.", + ), + "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( + "Chia sẻ ngay một album", + ), + "shareLink": MessageLookupByLibrary.simpleMessage("Chia sẻ liên kết"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Chỉ chia sẻ với những người bạn muốn", + ), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Tải Ente để chúng ta có thể dễ dàng chia sẻ ảnh và video chất lượng gốc\n\nhttps://ente.io", + ), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Chia sẻ với người không dùng Ente", + ), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( + "Chia sẻ album đầu tiên của bạn", + ), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Tạo album chia sẻ và cộng tác với người dùng Ente khác, bao gồm cả người dùng các gói miễn phí.", + ), + "sharedByMe": MessageLookupByLibrary.simpleMessage("Chia sẻ bởi tôi"), + "sharedByYou": MessageLookupByLibrary.simpleMessage("Được chia sẻ bởi bạn"), + "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( + "Ảnh chia sẻ mới", + ), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Nhận thông báo khi ai đó thêm ảnh vào album chia sẻ mà bạn tham gia", + ), + "sharedWith": m87, + "sharedWithMe": MessageLookupByLibrary.simpleMessage("Chia sẻ với tôi"), + "sharedWithYou": MessageLookupByLibrary.simpleMessage( + "Được chia sẻ với bạn", + ), + "sharing": MessageLookupByLibrary.simpleMessage("Đang chia sẻ..."), + "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( + "Di chuyển ngày và giờ", + ), + "showLessFaces": MessageLookupByLibrary.simpleMessage( + "Hiện ít khuôn mặt hơn", + ), + "showMemories": MessageLookupByLibrary.simpleMessage("Xem lại kỷ niệm"), + "showMoreFaces": MessageLookupByLibrary.simpleMessage( + "Hiện nhiều khuôn mặt hơn", + ), + "showPerson": MessageLookupByLibrary.simpleMessage("Hiện người"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "Đăng xuất khỏi các thiết bị khác", + ), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Nếu bạn nghĩ rằng ai đó biết mật khẩu của bạn, hãy ép tài khoản của bạn đăng xuất khỏi tất cả thiết bị khác đang sử dụng.", + ), + "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( + "Đăng xuất khỏi các thiết bị khác", + ), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Tôi đồng ý với điều khoảnchính sách bảo mật", + ), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Nó sẽ bị xóa khỏi tất cả album.", + ), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Bỏ qua"), + "smartMemories": MessageLookupByLibrary.simpleMessage("Gợi nhớ kỷ niệm"), + "social": MessageLookupByLibrary.simpleMessage("Mạng xã hội"), + "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( + "Một số mục có trên cả Ente và thiết bị của bạn.", + ), + "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( + "Một số tệp bạn đang cố gắng xóa chỉ có trên thiết bị của bạn và không thể khôi phục nếu bị xóa", + ), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Ai đó chia sẻ album với bạn nên thấy cùng một ID trên thiết bị của họ.", + ), + "somethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Có gì đó không ổn", + ), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Có gì đó không ổn, vui lòng thử lại", + ), + "sorry": MessageLookupByLibrary.simpleMessage("Xin lỗi"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "Rất tiếc, không thể sao lưu tệp vào lúc này, chúng tôi sẽ thử lại sau.", + ), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Xin lỗi, không thể thêm vào mục yêu thích!", + ), + "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( + "Xin lỗi, không thể xóa khỏi mục yêu thích!", + ), + "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "Rất tiếc, mã bạn nhập không chính xác", + ), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Rất tiếc, chúng tôi không thể tạo khóa an toàn trên thiết bị này.\n\nVui lòng đăng ký từ một thiết bị khác.", + ), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Rất tiếc, chúng tôi phải dừng sao lưu cho bạn", + ), + "sort": MessageLookupByLibrary.simpleMessage("Sắp xếp"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sắp xếp theo"), + "sortNewestFirst": MessageLookupByLibrary.simpleMessage("Mới nhất trước"), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Cũ nhất trước"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Thành công"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": MessageLookupByLibrary.simpleMessage( + "Tập trung vào bản thân bạn", + ), + "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( + "Bắt đầu khôi phục", + ), + "startBackup": MessageLookupByLibrary.simpleMessage("Bắt đầu sao lưu"), + "status": MessageLookupByLibrary.simpleMessage("Trạng thái"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "Bạn có muốn dừng phát không?", + ), + "stopCastingTitle": MessageLookupByLibrary.simpleMessage("Dừng phát"), + "storage": MessageLookupByLibrary.simpleMessage("Dung lượng"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Gia đình"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Bạn"), + "storageInGB": m93, + "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( + "Đã vượt hạn mức lưu trữ", + ), + "storageUsageInfo": m94, + "streamDetails": MessageLookupByLibrary.simpleMessage("Chi tiết phát"), + "strongStrength": MessageLookupByLibrary.simpleMessage("Mạnh"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Đăng ký gói"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Bạn phải dùng gói trả phí mới có thể chia sẻ.", + ), + "subscription": MessageLookupByLibrary.simpleMessage("Gói đăng ký"), + "success": MessageLookupByLibrary.simpleMessage("Thành công"), + "successfullyArchived": MessageLookupByLibrary.simpleMessage( + "Lưu trữ thành công", + ), + "successfullyHid": MessageLookupByLibrary.simpleMessage("Đã ẩn thành công"), + "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( + "Bỏ lưu trữ thành công", + ), + "successfullyUnhid": MessageLookupByLibrary.simpleMessage( + "Đã hiện thành công", + ), + "suggestFeatures": MessageLookupByLibrary.simpleMessage( + "Đề xuất tính năng", + ), + "sunrise": MessageLookupByLibrary.simpleMessage("Đường chân trời"), + "support": MessageLookupByLibrary.simpleMessage("Hỗ trợ"), + "syncProgress": m97, + "syncStopped": MessageLookupByLibrary.simpleMessage("Đồng bộ hóa đã dừng"), + "syncing": MessageLookupByLibrary.simpleMessage("Đang đồng bộ..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("Giống hệ thống"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("nhấn để sao chép"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage("Nhấn để nhập mã"), + "tapToUnlock": MessageLookupByLibrary.simpleMessage("Nhấn để mở khóa"), + "tapToUpload": MessageLookupByLibrary.simpleMessage("Nhấn để tải lên"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Có vẻ đã xảy ra sự cố. Vui lòng thử lại sau ít phút. Nếu lỗi vẫn tiếp diễn, hãy liên hệ với đội ngũ hỗ trợ của chúng tôi.", + ), + "terminate": MessageLookupByLibrary.simpleMessage("Kết thúc"), + "terminateSession": MessageLookupByLibrary.simpleMessage( + "Kết thúc phiên? ", + ), + "terms": MessageLookupByLibrary.simpleMessage("Điều khoản"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Điều khoản"), + "thankYou": MessageLookupByLibrary.simpleMessage("Cảm ơn bạn"), + "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( + "Cảm ơn bạn đã đăng ký gói!", + ), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "Không thể hoàn tất tải xuống", + ), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "Liên kết mà bạn truy cập đã hết hạn.", + ), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Nhóm người sẽ không được hiển thị trong phần người nữa. Ảnh sẽ vẫn được giữ nguyên.", + ), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Người sẽ không được hiển thị trong phần người nữa. Ảnh sẽ vẫn được giữ nguyên.", + ), + "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "Mã khôi phục bạn nhập không chính xác", + ), + "theme": MessageLookupByLibrary.simpleMessage("Chủ đề"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Các mục này sẽ bị xóa khỏi thiết bị của bạn.", + ), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "Nó sẽ bị xóa khỏi tất cả album.", + ), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Không thể hoàn tác thao tác này", + ), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "Album này đã có một liên kết cộng tác", + ), + "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( + "Chúng có thể giúp khôi phục tài khoản của bạn nếu bạn mất xác thực 2 bước", + ), + "thisDevice": MessageLookupByLibrary.simpleMessage("Thiết bị này"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "Email này đã được sử dụng", + ), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Ảnh này không có thông số Exif", + ), + "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("Đây là tôi!"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Đây là ID xác minh của bạn", + ), + "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( + "Tuần này qua các năm", + ), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Bạn cũng sẽ đăng xuất khỏi những thiết bị sau:", + ), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Bạn sẽ đăng xuất khỏi thiết bị này!", + ), + "thisWillMakeTheDateAndTimeOfAllSelected": MessageLookupByLibrary.simpleMessage( + "Thao tác này sẽ làm cho ngày và giờ của tất cả ảnh được chọn đều giống nhau.", + ), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "Liên kết công khai của tất cả các liên kết nhanh đã chọn sẽ bị xóa.", + ), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "Để bật khóa ứng dụng, vui lòng thiết lập mã khóa thiết bị hoặc khóa màn hình trong cài đặt hệ thống của bạn.", + ), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( + "Để ẩn một ảnh hoặc video", + ), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Để đặt lại mật khẩu, vui lòng xác minh email của bạn trước.", + ), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Nhật ký hôm nay"), + "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( + "Thử sai nhiều lần", + ), + "total": MessageLookupByLibrary.simpleMessage("tổng"), + "totalSize": MessageLookupByLibrary.simpleMessage("Tổng dung lượng"), + "trash": MessageLookupByLibrary.simpleMessage("Thùng rác"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Cắt"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": MessageLookupByLibrary.simpleMessage("Liên hệ tin cậy"), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Thử lại"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Bật sao lưu để tự động tải lên các tệp được thêm vào thư mục thiết bị này lên Ente.", + ), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "Nhận 2 tháng miễn phí với các gói theo năm", + ), + "twofactor": MessageLookupByLibrary.simpleMessage("Xác thực 2 bước"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "Xác thực 2 bước đã bị vô hiệu hóa", + ), + "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( + "Xác thực 2 bước", + ), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "Xác thực 2 bước đã được đặt lại thành công", + ), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Cài đặt xác minh 2 bước", + ), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("Bỏ lưu trữ"), + "unarchiveAlbum": MessageLookupByLibrary.simpleMessage("Bỏ lưu trữ album"), + "unarchiving": MessageLookupByLibrary.simpleMessage("Đang bỏ lưu trữ..."), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Rất tiếc, mã này không khả dụng.", + ), + "uncategorized": MessageLookupByLibrary.simpleMessage("Chưa phân loại"), + "unhide": MessageLookupByLibrary.simpleMessage("Hiện lại"), + "unhideToAlbum": MessageLookupByLibrary.simpleMessage( + "Hiện lại trong album", + ), + "unhiding": MessageLookupByLibrary.simpleMessage("Đang hiện..."), + "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Đang hiện lại tệp trong album", + ), + "unlock": MessageLookupByLibrary.simpleMessage("Mở khóa"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("Bỏ ghim album"), + "unselectAll": MessageLookupByLibrary.simpleMessage("Bỏ chọn tất cả"), + "update": MessageLookupByLibrary.simpleMessage("Cập nhật"), + "updateAvailable": MessageLookupByLibrary.simpleMessage("Cập nhật có sẵn"), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Đang cập nhật lựa chọn thư mục...", + ), + "upgrade": MessageLookupByLibrary.simpleMessage("Nâng cấp"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Đang tải tệp lên album...", + ), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( + "Đang lưu giữ 1 kỷ niệm...", + ), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "Giảm tới 50%, đến ngày 4 Tháng 12.", + ), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "Dung lượng có thể dùng bị giới hạn bởi gói hiện tại của bạn. Dung lượng nhận thêm vượt hạn mức sẽ tự động có thể dùng khi bạn nâng cấp gói.", + ), + "useAsCover": MessageLookupByLibrary.simpleMessage("Đặt làm ảnh bìa"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "Phát video gặp vấn đề? Nhấn giữ tại đây để thử một trình phát khác.", + ), + "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Dùng liên kết công khai cho những người không dùng Ente", + ), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage("Dùng mã khôi phục"), + "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( + "Sử dụng ảnh đã chọn", + ), + "usedSpace": MessageLookupByLibrary.simpleMessage("Dung lượng đã dùng"), + "validTill": m110, + "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Xác minh không thành công, vui lòng thử lại", + ), + "verificationId": MessageLookupByLibrary.simpleMessage("ID xác minh"), + "verify": MessageLookupByLibrary.simpleMessage("Xác minh"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("Xác minh email"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Xác minh"), + "verifyPasskey": MessageLookupByLibrary.simpleMessage( + "Xác minh khóa truy cập", + ), + "verifyPassword": MessageLookupByLibrary.simpleMessage("Xác minh mật khẩu"), + "verifying": MessageLookupByLibrary.simpleMessage("Đang xác minh..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Đang xác minh mã khôi phục...", + ), + "videoInfo": MessageLookupByLibrary.simpleMessage("Thông tin video"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), + "videoStreaming": MessageLookupByLibrary.simpleMessage( + "Phát trực tuyến video", + ), + "videos": MessageLookupByLibrary.simpleMessage("Video"), + "viewActiveSessions": MessageLookupByLibrary.simpleMessage( + "Xem phiên hoạt động", + ), + "viewAddOnButton": MessageLookupByLibrary.simpleMessage( + "Xem tiện ích mở rộng", + ), + "viewAll": MessageLookupByLibrary.simpleMessage("Xem tất cả"), + "viewAllExifData": MessageLookupByLibrary.simpleMessage( + "Xem thông số Exif", + ), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Tệp lớn"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Xem các tệp đang chiếm nhiều dung lượng nhất.", + ), + "viewLogs": MessageLookupByLibrary.simpleMessage("Xem nhật ký"), + "viewPersonToUnlink": m112, + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage("Xem mã khôi phục"), + "viewer": MessageLookupByLibrary.simpleMessage("Người xem"), + "viewersSuccessfullyAdded": m113, + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Vui lòng truy cập web.ente.io để quản lý gói đăng ký", + ), + "waitingForVerification": MessageLookupByLibrary.simpleMessage( + "Đang chờ xác minh...", + ), + "waitingForWifi": MessageLookupByLibrary.simpleMessage("Đang chờ WiFi..."), + "warning": MessageLookupByLibrary.simpleMessage("Cảnh báo"), + "weAreOpenSource": MessageLookupByLibrary.simpleMessage( + "Chúng tôi là mã nguồn mở!", + ), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "Chúng tôi chưa hỗ trợ chỉnh sửa ảnh và album không phải bạn sở hữu", + ), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Yếu"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("Chào mừng trở lại!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("Có gì mới"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "Liên hệ tin cậy có thể giúp khôi phục dữ liệu của bạn.", + ), + "widgets": MessageLookupByLibrary.simpleMessage("Tiện ích"), + "wishThemAHappyBirthday": m115, + "yearShort": MessageLookupByLibrary.simpleMessage("năm"), + "yearly": MessageLookupByLibrary.simpleMessage("Theo năm"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Có"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Có, hủy"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "Có, chuyển thành người xem", + ), + "yesDelete": MessageLookupByLibrary.simpleMessage("Có, xóa"), + "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( + "Có, bỏ qua thay đổi", + ), + "yesIgnore": MessageLookupByLibrary.simpleMessage("Có, bỏ qua"), + "yesLogout": MessageLookupByLibrary.simpleMessage("Có, đăng xuất"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Có, xóa"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Có, Gia hạn"), + "yesResetPerson": MessageLookupByLibrary.simpleMessage("Có, đặt lại người"), + "you": MessageLookupByLibrary.simpleMessage("Bạn"), + "youAndThem": m117, + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( + "Bạn đang dùng gói gia đình!", + ), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Bạn đang sử dụng phiên bản mới nhất", + ), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Bạn có thể tối đa ×2 dung lượng của mình", + ), + "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( + "Bạn có thể quản lý các liên kết của mình trong tab chia sẻ.", + ), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "Bạn có thể thử tìm kiếm một truy vấn khác.", + ), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "Bạn không thể đổi xuống gói này", + ), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Bạn không thể chia sẻ với chính mình", + ), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "Bạn không có mục nào đã lưu trữ.", + ), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "Tài khoản của bạn đã bị xóa", + ), + "yourMap": MessageLookupByLibrary.simpleMessage("Bản đồ của bạn"), + "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( + "Gói của bạn đã được hạ cấp thành công", + ), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "Gói của bạn đã được nâng cấp thành công", + ), + "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( + "Bạn đã giao dịch thành công", + ), + "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( + "Không thể lấy chi tiết dung lượng của bạn", + ), + "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( + "Gói của bạn đã hết hạn", + ), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "Gói của bạn đã được cập nhật thành công", + ), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "Mã xác minh của bạn đã hết hạn", + ), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "Bạn không có tệp nào bị trùng để xóa", + ), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "Bạn không có tệp nào có thể xóa trong album này", + ), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( + "Phóng to để xem ảnh", + ), + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_zh.dart b/mobile/apps/photos/lib/generated/intl/messages_zh.dart index 335650b34d..c395bc818a 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_zh.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_zh.dart @@ -55,11 +55,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m13(user) => "${user} 将无法添加更多照片到此相册\n\n他们仍然能够删除他们添加的现有照片"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, { - 'true': '到目前为止,您的家庭已经领取了 ${storageAmountInGb} GB', - 'false': '到目前为止,您已经领取了 ${storageAmountInGb} GB', - 'other': '到目前为止,您已经领取了${storageAmountInGb} GB', - })}"; + "${Intl.select(isFamilyMember, {'true': '到目前为止,您的家庭已经领取了 ${storageAmountInGb} GB', 'false': '到目前为止,您已经领取了 ${storageAmountInGb} GB', 'other': '到目前为止,您已经领取了${storageAmountInGb} GB'})}"; static String m15(albumName) => "为 ${albumName} 创建了协作链接"; @@ -134,7 +130,8 @@ class MessageLookup extends MessageLookupByLibrary { static String m43(name) => "与 ${name} 徒步"; - static String m44(count) => "${Intl.plural(count, other: '${count} 个项目')}"; + static String m44(count) => + "${Intl.plural(count, one: '${count} 个项目', other: '${count} 个项目')}"; static String m45(name) => "最后一次与 ${name} 相聚"; @@ -245,7 +242,11 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => + usedAmount, + usedStorageUnit, + totalAmount, + totalStorageUnit, + ) => "已使用 ${usedAmount} ${usedStorageUnit} / ${totalAmount} ${totalStorageUnit}"; static String m95(id) => @@ -294,7 +295,8 @@ class MessageLookup extends MessageLookupByLibrary { static String m115(name) => "祝 ${name} 生日快乐! 🎉"; - static String m116(count) => "${Intl.plural(count, other: '${count} 年前')}"; + static String m116(count) => + "${Intl.plural(count, one: '${count} 年前', other: '${count} 年前')}"; static String m117(name) => "您和 ${name}"; @@ -302,1595 +304,1806 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": - MessageLookupByLibrary.simpleMessage("有新版本的 Ente 可供使用。"), - "about": MessageLookupByLibrary.simpleMessage("关于"), - "acceptTrustInvite": MessageLookupByLibrary.simpleMessage("接受邀请"), - "account": MessageLookupByLibrary.simpleMessage("账户"), - "accountIsAlreadyConfigured": - MessageLookupByLibrary.simpleMessage("账户已配置。"), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage("欢迎回来!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "我明白,如果我丢失密码,我可能会丢失我的数据,因为我的数据是 端到端加密的。"), - "actionNotSupportedOnFavouritesAlbum": - MessageLookupByLibrary.simpleMessage("收藏相册不支持此操作"), - "activeSessions": MessageLookupByLibrary.simpleMessage("已登录的设备"), - "add": MessageLookupByLibrary.simpleMessage("添加"), - "addAName": MessageLookupByLibrary.simpleMessage("添加一个名称"), - "addANewEmail": MessageLookupByLibrary.simpleMessage("添加新的电子邮件"), - "addAlbumWidgetPrompt": - MessageLookupByLibrary.simpleMessage("将相册小组件添加到您的主屏幕,然后返回此处进行自定义。"), - "addCollaborator": MessageLookupByLibrary.simpleMessage("添加协作者"), - "addCollaborators": m1, - "addFiles": MessageLookupByLibrary.simpleMessage("添加文件"), - "addFromDevice": MessageLookupByLibrary.simpleMessage("从设备添加"), - "addItem": m2, - "addLocation": MessageLookupByLibrary.simpleMessage("添加地点"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("添加"), - "addMemoriesWidgetPrompt": - MessageLookupByLibrary.simpleMessage("将回忆小组件添加到您的主屏幕,然后返回此处进行自定义。"), - "addMore": MessageLookupByLibrary.simpleMessage("添加更多"), - "addName": MessageLookupByLibrary.simpleMessage("添加名称"), - "addNameOrMerge": MessageLookupByLibrary.simpleMessage("添加名称或合并"), - "addNew": MessageLookupByLibrary.simpleMessage("新建"), - "addNewPerson": MessageLookupByLibrary.simpleMessage("添加新人物"), - "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage("附加组件详情"), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("附加组件"), - "addParticipants": MessageLookupByLibrary.simpleMessage("添加参与者"), - "addPeopleWidgetPrompt": - MessageLookupByLibrary.simpleMessage("将人物小组件添加到您的主屏幕,然后返回此处进行自定义。"), - "addPhotos": MessageLookupByLibrary.simpleMessage("添加照片"), - "addSelected": MessageLookupByLibrary.simpleMessage("添加所选项"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("添加到相册"), - "addToEnte": MessageLookupByLibrary.simpleMessage("添加到 Ente"), - "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage("添加到隐藏相册"), - "addTrustedContact": MessageLookupByLibrary.simpleMessage("添加可信联系人"), - "addViewer": MessageLookupByLibrary.simpleMessage("添加查看者"), - "addViewers": m4, - "addYourPhotosNow": MessageLookupByLibrary.simpleMessage("立即添加您的照片"), - "addedAs": MessageLookupByLibrary.simpleMessage("已添加为"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": MessageLookupByLibrary.simpleMessage("正在添加到收藏..."), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("高级设置"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("高级设置"), - "after1Day": MessageLookupByLibrary.simpleMessage("1天后"), - "after1Hour": MessageLookupByLibrary.simpleMessage("1小时后"), - "after1Month": MessageLookupByLibrary.simpleMessage("1个月后"), - "after1Week": MessageLookupByLibrary.simpleMessage("1 周后"), - "after1Year": MessageLookupByLibrary.simpleMessage("1 年后"), - "albumOwner": MessageLookupByLibrary.simpleMessage("所有者"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("相册标题"), - "albumUpdated": MessageLookupByLibrary.simpleMessage("相册已更新"), - "albums": MessageLookupByLibrary.simpleMessage("相册"), - "albumsWidgetDesc": - MessageLookupByLibrary.simpleMessage("选择您希望在主屏幕上看到的相册。"), - "allClear": MessageLookupByLibrary.simpleMessage("✨ 全部清除"), - "allMemoriesPreserved": - MessageLookupByLibrary.simpleMessage("所有回忆都已保存"), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "此人的所有分组都将被重设,并且您将丢失针对此人的所有建议"), - "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": - MessageLookupByLibrary.simpleMessage( - "所有未命名组将合并到所选人物中。此操作仍可从该人物的建议历史概览中撤销。"), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "这张照片是该组中的第一张。其他已选择的照片将根据此新日期自动调整。"), - "allow": MessageLookupByLibrary.simpleMessage("允许"), - "allowAddPhotosDescription": - MessageLookupByLibrary.simpleMessage("允许具有链接的人也将照片添加到共享相册。"), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage("允许添加照片"), - "allowAppToOpenSharedAlbumLinks": - MessageLookupByLibrary.simpleMessage("允许应用打开共享相册链接"), - "allowDownloads": MessageLookupByLibrary.simpleMessage("允许下载"), - "allowPeopleToAddPhotos": - MessageLookupByLibrary.simpleMessage("允许人们添加照片"), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "请从“设置”中选择允许访问您的照片,以便 Ente 可以显示和备份您的图库。"), - "allowPermTitle": MessageLookupByLibrary.simpleMessage("允许访问照片"), - "androidBiometricHint": MessageLookupByLibrary.simpleMessage("验证身份"), - "androidBiometricNotRecognized": - MessageLookupByLibrary.simpleMessage("无法识别。请重试。"), - "androidBiometricRequiredTitle": - MessageLookupByLibrary.simpleMessage("需要生物识别认证"), - "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("成功"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("取消"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage("需要设备凭据"), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage("需要设备凭据"), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "您未在该设备上设置生物识别身份验证。前往“设置>安全”添加生物识别身份验证。"), - "androidIosWebDesktop": - MessageLookupByLibrary.simpleMessage("安卓, iOS, 网页端, 桌面端"), - "androidSignInTitle": MessageLookupByLibrary.simpleMessage("需要身份验证"), - "appIcon": MessageLookupByLibrary.simpleMessage("应用图标"), - "appLock": MessageLookupByLibrary.simpleMessage("应用锁"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "在设备的默认锁定屏幕和带有 PIN 或密码的自定义锁定屏幕之间进行选择。"), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), - "apply": MessageLookupByLibrary.simpleMessage("应用"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("应用代码"), - "appstoreSubscription": - MessageLookupByLibrary.simpleMessage("AppStore 订阅"), - "archive": MessageLookupByLibrary.simpleMessage("存档"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("存档相册"), - "archiving": MessageLookupByLibrary.simpleMessage("正在存档..."), - "areThey": MessageLookupByLibrary.simpleMessage("他们是 "), - "areYouSureRemoveThisFaceFromPerson": - MessageLookupByLibrary.simpleMessage("您确定要从此人中移除这个人脸吗?"), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage("您确定要离开家庭计划吗?"), - "areYouSureYouWantToCancel": - MessageLookupByLibrary.simpleMessage("您确定要取消吗?"), - "areYouSureYouWantToChangeYourPlan": - MessageLookupByLibrary.simpleMessage("您确定要更改您的计划吗?"), - "areYouSureYouWantToExit": - MessageLookupByLibrary.simpleMessage("您确定要退出吗?"), - "areYouSureYouWantToIgnoreThesePersons": - MessageLookupByLibrary.simpleMessage("您确定要忽略这些人吗?"), - "areYouSureYouWantToIgnoreThisPerson": - MessageLookupByLibrary.simpleMessage("您确定要忽略此人吗?"), - "areYouSureYouWantToLogout": - MessageLookupByLibrary.simpleMessage("您确定要退出登录吗?"), - "areYouSureYouWantToMergeThem": - MessageLookupByLibrary.simpleMessage("您确定要合并他们吗?"), - "areYouSureYouWantToRenew": - MessageLookupByLibrary.simpleMessage("您确定要续费吗?"), - "areYouSureYouWantToResetThisPerson": - MessageLookupByLibrary.simpleMessage("您确定要重设此人吗?"), - "askCancelReason": - MessageLookupByLibrary.simpleMessage("您的订阅已取消。您想分享原因吗?"), - "askDeleteReason": - MessageLookupByLibrary.simpleMessage("您删除账户的主要原因是什么?"), - "askYourLovedOnesToShare": - MessageLookupByLibrary.simpleMessage("请您的亲人分享"), - "atAFalloutShelter": MessageLookupByLibrary.simpleMessage("在一个庇护所中"), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage("请进行身份验证以更改电子邮件验证"), - "authToChangeLockscreenSetting": - MessageLookupByLibrary.simpleMessage("请验证以更改锁屏设置"), - "authToChangeYourEmail": - MessageLookupByLibrary.simpleMessage("请验证以更改您的电子邮件"), - "authToChangeYourPassword": - MessageLookupByLibrary.simpleMessage("请验证以更改密码"), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage("请进行身份验证以配置双重身份认证"), - "authToInitiateAccountDeletion": - MessageLookupByLibrary.simpleMessage("请进行身份验证以启动账户删除"), - "authToManageLegacy": - MessageLookupByLibrary.simpleMessage("请验证身份以管理您的可信联系人"), - "authToViewPasskey": - MessageLookupByLibrary.simpleMessage("请验证身份以查看您的通行密钥"), - "authToViewTrashedFiles": - MessageLookupByLibrary.simpleMessage("请验证身份以查看您已删除的文件"), - "authToViewYourActiveSessions": - MessageLookupByLibrary.simpleMessage("请验证以查看您的活动会话"), - "authToViewYourHiddenFiles": - MessageLookupByLibrary.simpleMessage("请验证以查看您的隐藏文件"), - "authToViewYourMemories": - MessageLookupByLibrary.simpleMessage("请验证以查看您的回忆"), - "authToViewYourRecoveryKey": - MessageLookupByLibrary.simpleMessage("请验证以查看您的恢复密钥"), - "authenticating": MessageLookupByLibrary.simpleMessage("正在验证..."), - "authenticationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage("身份验证失败,请重试"), - "authenticationSuccessful": - MessageLookupByLibrary.simpleMessage("验证成功"), - "autoCastDialogBody": - MessageLookupByLibrary.simpleMessage("您将在此处看到可用的 Cast 设备。"), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "请确保已在“设置”中为 Ente Photos 应用打开本地网络权限。"), - "autoLock": MessageLookupByLibrary.simpleMessage("自动锁定"), - "autoLockFeatureDescription": - MessageLookupByLibrary.simpleMessage("应用程序进入后台后锁定的时间"), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "由于技术故障,您已退出登录。对于由此造成的不便,我们深表歉意。"), - "autoPair": MessageLookupByLibrary.simpleMessage("自动配对"), - "autoPairDesc": - MessageLookupByLibrary.simpleMessage("自动配对仅适用于支持 Chromecast 的设备。"), - "available": MessageLookupByLibrary.simpleMessage("可用"), - "availableStorageSpace": m10, - "backedUpFolders": MessageLookupByLibrary.simpleMessage("已备份的文件夹"), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("备份"), - "backupFailed": MessageLookupByLibrary.simpleMessage("备份失败"), - "backupFile": MessageLookupByLibrary.simpleMessage("备份文件"), - "backupOverMobileData": - MessageLookupByLibrary.simpleMessage("通过移动数据备份"), - "backupSettings": MessageLookupByLibrary.simpleMessage("备份设置"), - "backupStatus": MessageLookupByLibrary.simpleMessage("备份状态"), - "backupStatusDescription": - MessageLookupByLibrary.simpleMessage("已备份的项目将显示在此处"), - "backupVideos": MessageLookupByLibrary.simpleMessage("备份视频"), - "beach": MessageLookupByLibrary.simpleMessage("沙滩与大海"), - "birthday": MessageLookupByLibrary.simpleMessage("生日"), - "birthdayNotifications": MessageLookupByLibrary.simpleMessage("生日通知"), - "birthdays": MessageLookupByLibrary.simpleMessage("生日"), - "blackFridaySale": MessageLookupByLibrary.simpleMessage("黑色星期五特惠"), - "blog": MessageLookupByLibrary.simpleMessage("博客"), - "cLDesc1": MessageLookupByLibrary.simpleMessage( - "在视频流媒体测试版和可恢复上传与下载功能的基础上,我们现已将文件上传限制提高到10GB。此功能现已在桌面和移动应用程序中可用。"), - "cLDesc2": MessageLookupByLibrary.simpleMessage( - "现在 iOS 设备也支持后台上传,Android 设备早已支持。无需打开应用程序即可备份最新的照片和视频。"), - "cLDesc3": MessageLookupByLibrary.simpleMessage( - "我们对回忆体验进行了重大改进,包括自动播放、滑动到下一个回忆以及更多功能。"), - "cLDesc4": MessageLookupByLibrary.simpleMessage( - "除了多项底层改进外,现在可以更轻松地查看所有检测到的人脸,对相似人脸提供反馈,以及从单张照片中添加/删除人脸。"), - "cLDesc5": MessageLookupByLibrary.simpleMessage( - "您现在将收到 Ente 上保存的所有生日的可选退出通知,同时附上他们最佳照片的合集。"), - "cLDesc6": MessageLookupByLibrary.simpleMessage( - "无需等待上传/下载完成即可关闭应用程序。所有上传和下载现在都可以中途暂停,并从中断处继续。"), - "cLTitle1": MessageLookupByLibrary.simpleMessage("正在上传大型视频文件"), - "cLTitle2": MessageLookupByLibrary.simpleMessage("后台上传"), - "cLTitle3": MessageLookupByLibrary.simpleMessage("自动播放回忆"), - "cLTitle4": MessageLookupByLibrary.simpleMessage("改进的人脸识别"), - "cLTitle5": MessageLookupByLibrary.simpleMessage("生日通知"), - "cLTitle6": MessageLookupByLibrary.simpleMessage("可恢复的上传和下载"), - "cachedData": MessageLookupByLibrary.simpleMessage("缓存数据"), - "calculating": MessageLookupByLibrary.simpleMessage("正在计算..."), - "canNotOpenBody": - MessageLookupByLibrary.simpleMessage("抱歉,该相册无法在应用中打开。"), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage("无法打开此相册"), - "canNotUploadToAlbumsOwnedByOthers": - MessageLookupByLibrary.simpleMessage("无法上传到他人拥有的相册中"), - "canOnlyCreateLinkForFilesOwnedByYou": - MessageLookupByLibrary.simpleMessage("只能为您拥有的文件创建链接"), - "canOnlyRemoveFilesOwnedByYou": - MessageLookupByLibrary.simpleMessage("只能删除您拥有的文件"), - "cancel": MessageLookupByLibrary.simpleMessage("取消"), - "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage("取消恢复"), - "cancelAccountRecoveryBody": - MessageLookupByLibrary.simpleMessage("您真的要取消恢复吗?"), - "cancelOtherSubscription": m12, - "cancelSubscription": MessageLookupByLibrary.simpleMessage("取消订阅"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": - MessageLookupByLibrary.simpleMessage("无法删除共享文件"), - "castAlbum": MessageLookupByLibrary.simpleMessage("投放相册"), - "castIPMismatchBody": - MessageLookupByLibrary.simpleMessage("请确保您的设备与电视处于同一网络。"), - "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage("投放相册失败"), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "在您要配对的设备上访问 cast.ente.io。\n在下框中输入代码即可在电视上播放相册。"), - "centerPoint": MessageLookupByLibrary.simpleMessage("中心点"), - "change": MessageLookupByLibrary.simpleMessage("更改"), - "changeEmail": MessageLookupByLibrary.simpleMessage("修改邮箱"), - "changeLocationOfSelectedItems": - MessageLookupByLibrary.simpleMessage("确定要更改所选项目的位置吗?"), - "changePassword": MessageLookupByLibrary.simpleMessage("修改密码"), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage("修改密码"), - "changePermissions": MessageLookupByLibrary.simpleMessage("要修改权限吗?"), - "changeYourReferralCode": - MessageLookupByLibrary.simpleMessage("更改您的推荐代码"), - "checkForUpdates": MessageLookupByLibrary.simpleMessage("检查更新"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "请检查您的收件箱 (或者是在您的“垃圾邮件”列表内) 以完成验证"), - "checkStatus": MessageLookupByLibrary.simpleMessage("检查状态"), - "checking": MessageLookupByLibrary.simpleMessage("正在检查..."), - "checkingModels": MessageLookupByLibrary.simpleMessage("正在检查模型..."), - "city": MessageLookupByLibrary.simpleMessage("城市之中"), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage("领取免费存储"), - "claimMore": MessageLookupByLibrary.simpleMessage("领取更多!"), - "claimed": MessageLookupByLibrary.simpleMessage("已领取"), - "claimedStorageSoFar": m14, - "cleanUncategorized": MessageLookupByLibrary.simpleMessage("清除未分类的"), - "cleanUncategorizedDescription": - MessageLookupByLibrary.simpleMessage("从“未分类”中删除其他相册中存在的所有文件"), - "clearCaches": MessageLookupByLibrary.simpleMessage("清除缓存"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("清空索引"), - "click": MessageLookupByLibrary.simpleMessage("• 点击"), - "clickOnTheOverflowMenu": - MessageLookupByLibrary.simpleMessage("• 点击溢出菜单"), - "clickToInstallOurBestVersionYet": - MessageLookupByLibrary.simpleMessage("点击安装我们迄今最好的版本"), - "close": MessageLookupByLibrary.simpleMessage("关闭"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage("按拍摄时间分组"), - "clubByFileName": MessageLookupByLibrary.simpleMessage("按文件名排序"), - "clusteringProgress": MessageLookupByLibrary.simpleMessage("聚类进展"), - "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage("代码已应用"), - "codeChangeLimitReached": - MessageLookupByLibrary.simpleMessage("抱歉,您已达到代码更改的限制。"), - "codeCopiedToClipboard": - MessageLookupByLibrary.simpleMessage("代码已复制到剪贴板"), - "codeUsedByYou": MessageLookupByLibrary.simpleMessage("您所使用的代码"), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "创建一个链接来让他人无需 Ente 应用程序或账户即可在您的共享相册中添加和查看照片。非常适合收集活动照片。"), - "collaborativeLink": MessageLookupByLibrary.simpleMessage("协作链接"), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("协作者"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage("协作者可以将照片和视频添加到共享相册中。"), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("布局"), - "collageSaved": MessageLookupByLibrary.simpleMessage("拼贴已保存到相册"), - "collect": MessageLookupByLibrary.simpleMessage("收集"), - "collectEventPhotos": MessageLookupByLibrary.simpleMessage("收集活动照片"), - "collectPhotos": MessageLookupByLibrary.simpleMessage("收集照片"), - "collectPhotosDescription": - MessageLookupByLibrary.simpleMessage("创建一个您的朋友可以上传原图的链接。"), - "color": MessageLookupByLibrary.simpleMessage("颜色"), - "configuration": MessageLookupByLibrary.simpleMessage("配置"), - "confirm": MessageLookupByLibrary.simpleMessage("确认"), - "confirm2FADisable": - MessageLookupByLibrary.simpleMessage("您确定要禁用双重认证吗?"), - "confirmAccountDeletion": - MessageLookupByLibrary.simpleMessage("确认删除账户"), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": - MessageLookupByLibrary.simpleMessage("是的,我想永久删除此账户及其所有关联的应用程序的数据。"), - "confirmPassword": MessageLookupByLibrary.simpleMessage("请确认密码"), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage("确认更改计划"), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage("确认恢复密钥"), - "confirmYourRecoveryKey": - MessageLookupByLibrary.simpleMessage("确认您的恢复密钥"), - "connectToDevice": MessageLookupByLibrary.simpleMessage("连接到设备"), - "contactFamilyAdmin": m18, - "contactSupport": MessageLookupByLibrary.simpleMessage("联系支持"), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("联系人"), - "contents": MessageLookupByLibrary.simpleMessage("内容"), - "continueLabel": MessageLookupByLibrary.simpleMessage("继续"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage("继续免费试用"), - "convertToAlbum": MessageLookupByLibrary.simpleMessage("转换为相册"), - "copyEmailAddress": MessageLookupByLibrary.simpleMessage("复制电子邮件地址"), - "copyLink": MessageLookupByLibrary.simpleMessage("复制链接"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage("请复制粘贴此代码\n到您的身份验证器应用程序上"), - "couldNotBackUpTryLater": - MessageLookupByLibrary.simpleMessage("我们无法备份您的数据。\n我们将稍后再试。"), - "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage("无法释放空间"), - "couldNotUpdateSubscription": - MessageLookupByLibrary.simpleMessage("无法升级订阅"), - "count": MessageLookupByLibrary.simpleMessage("计数"), - "crashReporting": MessageLookupByLibrary.simpleMessage("上报崩溃"), - "create": MessageLookupByLibrary.simpleMessage("创建"), - "createAccount": MessageLookupByLibrary.simpleMessage("创建账户"), - "createAlbumActionHint": - MessageLookupByLibrary.simpleMessage("长按选择照片,然后点击 + 创建相册"), - "createCollaborativeLink": - MessageLookupByLibrary.simpleMessage("创建协作链接"), - "createCollage": MessageLookupByLibrary.simpleMessage("创建拼贴"), - "createNewAccount": MessageLookupByLibrary.simpleMessage("创建新账号"), - "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage("创建或选择相册"), - "createPublicLink": MessageLookupByLibrary.simpleMessage("创建公开链接"), - "creatingLink": MessageLookupByLibrary.simpleMessage("正在创建链接..."), - "criticalUpdateAvailable": - MessageLookupByLibrary.simpleMessage("可用的关键更新"), - "crop": MessageLookupByLibrary.simpleMessage("裁剪"), - "curatedMemories": MessageLookupByLibrary.simpleMessage("精选回忆"), - "currentUsageIs": MessageLookupByLibrary.simpleMessage("当前用量 "), - "currentlyRunning": MessageLookupByLibrary.simpleMessage("目前正在运行"), - "custom": MessageLookupByLibrary.simpleMessage("自定义"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("深色"), - "dayToday": MessageLookupByLibrary.simpleMessage("今天"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("昨天"), - "declineTrustInvite": MessageLookupByLibrary.simpleMessage("拒绝邀请"), - "decrypting": MessageLookupByLibrary.simpleMessage("解密中..."), - "decryptingVideo": MessageLookupByLibrary.simpleMessage("正在解密视频..."), - "deduplicateFiles": MessageLookupByLibrary.simpleMessage("文件去重"), - "delete": MessageLookupByLibrary.simpleMessage("删除"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("删除账户"), - "deleteAccountFeedbackPrompt": - MessageLookupByLibrary.simpleMessage("我们很抱歉看到您离开。请分享您的反馈以帮助我们改进。"), - "deleteAccountPermanentlyButton": - MessageLookupByLibrary.simpleMessage("永久删除账户"), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("删除相册"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "也删除此相册中存在的照片(和视频),从 他们所加入的所有 其他相册?"), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "这将删除所有空相册。 当您想减少相册列表的混乱时,这很有用。"), - "deleteAll": MessageLookupByLibrary.simpleMessage("全部删除"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "此账户已链接到其他 Ente 应用程序(如果您使用任何应用程序)。您在所有 Ente 应用程序中上传的数据将被安排删除,并且您的账户将被永久删除。"), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "请从您注册的电子邮件地址发送电子邮件到 account-delettion@ente.io。"), - "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage("删除空相册"), - "deleteEmptyAlbumsWithQuestionMark": - MessageLookupByLibrary.simpleMessage("要删除空相册吗?"), - "deleteFromBoth": MessageLookupByLibrary.simpleMessage("同时从两者中删除"), - "deleteFromDevice": MessageLookupByLibrary.simpleMessage("从设备中删除"), - "deleteFromEnte": MessageLookupByLibrary.simpleMessage("从 Ente 中删除"), - "deleteItemCount": m21, - "deleteLocation": MessageLookupByLibrary.simpleMessage("删除位置"), - "deleteMultipleAlbumDialog": m22, - "deletePhotos": MessageLookupByLibrary.simpleMessage("删除照片"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage("缺少我所需的关键功能"), - "deleteReason2": MessageLookupByLibrary.simpleMessage("应用或某项功能未按预期运行"), - "deleteReason3": MessageLookupByLibrary.simpleMessage("我发现另一个产品更好用"), - "deleteReason4": MessageLookupByLibrary.simpleMessage("其他原因"), - "deleteRequestSLAText": - MessageLookupByLibrary.simpleMessage("您的请求将在 72 小时内处理。"), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage("要删除共享相册吗?"), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "将为所有人删除相册\n\n您将无法访问此相册中他人拥有的共享照片"), - "deselectAll": MessageLookupByLibrary.simpleMessage("取消全选"), - "designedToOutlive": MessageLookupByLibrary.simpleMessage("经久耐用"), - "details": MessageLookupByLibrary.simpleMessage("详情"), - "developerSettings": MessageLookupByLibrary.simpleMessage("开发者设置"), - "developerSettingsWarning": - MessageLookupByLibrary.simpleMessage("您确定要修改开发者设置吗?"), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage("输入代码"), - "deviceFilesAutoUploading": - MessageLookupByLibrary.simpleMessage("添加到此设备相册的文件将自动上传到 Ente。"), - "deviceLock": MessageLookupByLibrary.simpleMessage("设备锁"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "当 Ente 置于前台且正在进行备份时将禁用设备屏幕锁定。这通常是不需要的,但可能有助于更快地完成大型上传和大型库的初始导入。"), - "deviceNotFound": MessageLookupByLibrary.simpleMessage("未发现设备"), - "didYouKnow": MessageLookupByLibrary.simpleMessage("您知道吗?"), - "different": MessageLookupByLibrary.simpleMessage("不同"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage("禁用自动锁定"), - "disableDownloadWarningBody": - MessageLookupByLibrary.simpleMessage("查看者仍然可以使用外部工具截图或保存您的照片副本"), - "disableDownloadWarningTitle": - MessageLookupByLibrary.simpleMessage("请注意"), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage("禁用双重认证"), - "disablingTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage("正在禁用双重认证..."), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("发现"), - "discover_babies": MessageLookupByLibrary.simpleMessage("婴儿"), - "discover_celebrations": MessageLookupByLibrary.simpleMessage("节日"), - "discover_food": MessageLookupByLibrary.simpleMessage("食物"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("绿植"), - "discover_hills": MessageLookupByLibrary.simpleMessage("山"), - "discover_identity": MessageLookupByLibrary.simpleMessage("身份"), - "discover_memes": MessageLookupByLibrary.simpleMessage("表情包"), - "discover_notes": MessageLookupByLibrary.simpleMessage("备注"), - "discover_pets": MessageLookupByLibrary.simpleMessage("宠物"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("收据"), - "discover_screenshots": MessageLookupByLibrary.simpleMessage("屏幕截图"), - "discover_selfies": MessageLookupByLibrary.simpleMessage("自拍"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("日落"), - "discover_visiting_cards": MessageLookupByLibrary.simpleMessage("访问卡"), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage("壁纸"), - "dismiss": MessageLookupByLibrary.simpleMessage("忽略"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("公里"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage("不要登出"), - "doThisLater": MessageLookupByLibrary.simpleMessage("稍后再说"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage("您想要放弃您所做的编辑吗?"), - "done": MessageLookupByLibrary.simpleMessage("已完成"), - "dontSave": MessageLookupByLibrary.simpleMessage("不保存"), - "doubleYourStorage": - MessageLookupByLibrary.simpleMessage("将您的存储空间增加一倍"), - "download": MessageLookupByLibrary.simpleMessage("下载"), - "downloadFailed": MessageLookupByLibrary.simpleMessage("下載失敗"), - "downloading": MessageLookupByLibrary.simpleMessage("正在下载..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("编辑"), - "editEmailAlreadyLinked": m28, - "editLocation": MessageLookupByLibrary.simpleMessage("编辑位置"), - "editLocationTagTitle": MessageLookupByLibrary.simpleMessage("编辑位置"), - "editPerson": MessageLookupByLibrary.simpleMessage("编辑人物"), - "editTime": MessageLookupByLibrary.simpleMessage("修改时间"), - "editsSaved": MessageLookupByLibrary.simpleMessage("已保存编辑"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage("对位置的编辑只能在 Ente 内看到"), - "eligible": MessageLookupByLibrary.simpleMessage("符合资格"), - "email": MessageLookupByLibrary.simpleMessage("电子邮件地址"), - "emailAlreadyRegistered": - MessageLookupByLibrary.simpleMessage("此电子邮件地址已被注册。"), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": - MessageLookupByLibrary.simpleMessage("此电子邮件地址未被注册。"), - "emailVerificationToggle": - MessageLookupByLibrary.simpleMessage("电子邮件验证"), - "emailYourLogs": MessageLookupByLibrary.simpleMessage("通过电子邮件发送您的日志"), - "embracingThem": m32, - "emergencyContacts": MessageLookupByLibrary.simpleMessage("紧急联系人"), - "empty": MessageLookupByLibrary.simpleMessage("清空"), - "emptyTrash": MessageLookupByLibrary.simpleMessage("要清空回收站吗?"), - "enable": MessageLookupByLibrary.simpleMessage("启用"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "Ente 支持设备上的机器学习,实现人脸识别、魔法搜索和其他高级搜索功能"), - "enableMachineLearningBanner": - MessageLookupByLibrary.simpleMessage("启用机器学习进行魔法搜索和面部识别"), - "enableMaps": MessageLookupByLibrary.simpleMessage("启用地图"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "这将在世界地图上显示您的照片。\n\n该地图由 Open Street Map 托管,并且您的照片的确切位置永远不会共享。\n\n您可以随时从“设置”中禁用此功能。"), - "enabled": MessageLookupByLibrary.simpleMessage("已启用"), - "encryptingBackup": MessageLookupByLibrary.simpleMessage("正在加密备份..."), - "encryption": MessageLookupByLibrary.simpleMessage("加密"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage("加密密钥"), - "endpointUpdatedMessage": - MessageLookupByLibrary.simpleMessage("端点更新成功"), - "endtoendEncryptedByDefault": - MessageLookupByLibrary.simpleMessage("默认端到端加密"), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage("仅当您授予文件访问权限时,Ente 才能加密和保存文件"), - "entePhotosPerm": - MessageLookupByLibrary.simpleMessage("Ente 需要许可才能保存您的照片"), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "Ente 会保留您的回忆,因此即使您丢失了设备,也能随时找到它们。"), - "enteSubscriptionShareWithFamily": - MessageLookupByLibrary.simpleMessage("您的家人也可以添加到您的计划中。"), - "enterAlbumName": MessageLookupByLibrary.simpleMessage("输入相册名称"), - "enterCode": MessageLookupByLibrary.simpleMessage("输入代码"), - "enterCodeDescription": - MessageLookupByLibrary.simpleMessage("输入您的朋友提供的代码来为您申请免费存储"), - "enterDateOfBirth": MessageLookupByLibrary.simpleMessage("生日(可选)"), - "enterEmail": MessageLookupByLibrary.simpleMessage("输入电子邮件"), - "enterFileName": MessageLookupByLibrary.simpleMessage("请输入文件名"), - "enterName": MessageLookupByLibrary.simpleMessage("输入名称"), - "enterNewPasswordToEncrypt": - MessageLookupByLibrary.simpleMessage("输入我们可以用来加密您的数据的新密码"), - "enterPassword": MessageLookupByLibrary.simpleMessage("输入密码"), - "enterPasswordToEncrypt": - MessageLookupByLibrary.simpleMessage("输入我们可以用来加密您的数据的密码"), - "enterPersonName": MessageLookupByLibrary.simpleMessage("输入人物名称"), - "enterPin": MessageLookupByLibrary.simpleMessage("输入 PIN 码"), - "enterReferralCode": MessageLookupByLibrary.simpleMessage("输入推荐代码"), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage("从你的身份验证器应用中\n输入6位数字代码"), - "enterValidEmail": - MessageLookupByLibrary.simpleMessage("请输入一个有效的电子邮件地址。"), - "enterYourEmailAddress": - MessageLookupByLibrary.simpleMessage("请输入您的电子邮件地址"), - "enterYourNewEmailAddress": - MessageLookupByLibrary.simpleMessage("输入您的新电子邮件地址"), - "enterYourPassword": MessageLookupByLibrary.simpleMessage("输入您的密码"), - "enterYourRecoveryKey": - MessageLookupByLibrary.simpleMessage("输入您的恢复密钥"), - "error": MessageLookupByLibrary.simpleMessage("错误"), - "everywhere": MessageLookupByLibrary.simpleMessage("随时随地"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": MessageLookupByLibrary.simpleMessage("现有用户"), - "expiredLinkInfo": - MessageLookupByLibrary.simpleMessage("此链接已过期。请选择新的过期时间或禁用链接有效期。"), - "exportLogs": MessageLookupByLibrary.simpleMessage("导出日志"), - "exportYourData": MessageLookupByLibrary.simpleMessage("导出您的数据"), - "extraPhotosFound": MessageLookupByLibrary.simpleMessage("发现额外照片"), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": - MessageLookupByLibrary.simpleMessage("人脸尚未聚类,请稍后再来"), - "faceRecognition": MessageLookupByLibrary.simpleMessage("人脸识别"), - "faces": MessageLookupByLibrary.simpleMessage("人脸"), - "failed": MessageLookupByLibrary.simpleMessage("失败"), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage("无法使用此代码"), - "failedToCancel": MessageLookupByLibrary.simpleMessage("取消失败"), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage("视频下载失败"), - "failedToFetchActiveSessions": - MessageLookupByLibrary.simpleMessage("无法获取活动会话"), - "failedToFetchOriginalForEdit": - MessageLookupByLibrary.simpleMessage("无法获取原始编辑"), - "failedToFetchReferralDetails": - MessageLookupByLibrary.simpleMessage("无法获取引荐详细信息。 请稍后再试。"), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage("加载相册失败"), - "failedToPlayVideo": MessageLookupByLibrary.simpleMessage("播放视频失败"), - "failedToRefreshStripeSubscription": - MessageLookupByLibrary.simpleMessage("刷新订阅失败"), - "failedToRenew": MessageLookupByLibrary.simpleMessage("续费失败"), - "failedToVerifyPaymentStatus": - MessageLookupByLibrary.simpleMessage("验证支付状态失败"), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "将 5 名家庭成员添加到您现有的计划中,无需支付额外费用。\n\n每个成员都有自己的私人空间,除非共享,否则无法看到彼此的文件。\n\n家庭计划适用于已付费 Ente 订阅的客户。\n\n立即订阅,开始体验!"), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("家庭"), - "familyPlans": MessageLookupByLibrary.simpleMessage("家庭计划"), - "faq": MessageLookupByLibrary.simpleMessage("常见问题"), - "faqs": MessageLookupByLibrary.simpleMessage("常见问题"), - "favorite": MessageLookupByLibrary.simpleMessage("收藏"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("反馈"), - "file": MessageLookupByLibrary.simpleMessage("文件"), - "fileFailedToSaveToGallery": - MessageLookupByLibrary.simpleMessage("无法将文件保存到相册"), - "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage("添加说明..."), - "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage("文件尚未上传"), - "fileSavedToGallery": MessageLookupByLibrary.simpleMessage("文件已保存到相册"), - "fileTypes": MessageLookupByLibrary.simpleMessage("文件类型"), - "fileTypesAndNames": MessageLookupByLibrary.simpleMessage("文件类型和名称"), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage("文件已删除"), - "filesSavedToGallery": - MessageLookupByLibrary.simpleMessage("多个文件已保存到相册"), - "findPeopleByName": MessageLookupByLibrary.simpleMessage("按名称快速查找人物"), - "findThemQuickly": MessageLookupByLibrary.simpleMessage("快速找到它们"), - "flip": MessageLookupByLibrary.simpleMessage("上下翻转"), - "food": MessageLookupByLibrary.simpleMessage("美食盛宴"), - "forYourMemories": MessageLookupByLibrary.simpleMessage("为您的回忆"), - "forgotPassword": MessageLookupByLibrary.simpleMessage("忘记密码"), - "foundFaces": MessageLookupByLibrary.simpleMessage("已找到的人脸"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage("已领取的免费存储"), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage("可用的免费存储"), - "freeTrial": MessageLookupByLibrary.simpleMessage("免费试用"), - "freeTrialValidTill": m38, - "freeUpAccessPostDelete": m39, - "freeUpAmount": m40, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage("释放设备空间"), - "freeUpDeviceSpaceDesc": - MessageLookupByLibrary.simpleMessage("通过清除已备份的文件来节省设备空间。"), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("释放空间"), - "freeUpSpaceSaving": m41, - "gallery": MessageLookupByLibrary.simpleMessage("图库"), - "galleryMemoryLimitInfo": - MessageLookupByLibrary.simpleMessage("在图库中显示最多1000个回忆"), - "general": MessageLookupByLibrary.simpleMessage("通用"), - "generatingEncryptionKeys": - MessageLookupByLibrary.simpleMessage("正在生成加密密钥..."), - "genericProgress": m42, - "goToSettings": MessageLookupByLibrary.simpleMessage("前往设置"), - "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), - "grantFullAccessPrompt": - MessageLookupByLibrary.simpleMessage("请在手机“设置”中授权软件访问所有照片"), - "grantPermission": MessageLookupByLibrary.simpleMessage("授予权限"), - "greenery": MessageLookupByLibrary.simpleMessage("绿色生活"), - "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage("将附近的照片分组"), - "guestView": MessageLookupByLibrary.simpleMessage("访客视图"), - "guestViewEnablePreSteps": - MessageLookupByLibrary.simpleMessage("要启用访客视图,请在系统设置中设置设备密码或屏幕锁。"), - "happyBirthday": MessageLookupByLibrary.simpleMessage("生日快乐! 🥳"), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "我们不跟踪应用程序安装情况。如果您告诉我们您是在哪里找到我们的,将会有所帮助!"), - "hearUsWhereTitle": - MessageLookupByLibrary.simpleMessage("您是如何知道Ente的? (可选的)"), - "help": MessageLookupByLibrary.simpleMessage("帮助"), - "hidden": MessageLookupByLibrary.simpleMessage("已隐藏"), - "hide": MessageLookupByLibrary.simpleMessage("隐藏"), - "hideContent": MessageLookupByLibrary.simpleMessage("隐藏内容"), - "hideContentDescriptionAndroid": - MessageLookupByLibrary.simpleMessage("在应用切换器中隐藏应用内容并禁用屏幕截图"), - "hideContentDescriptionIos": - MessageLookupByLibrary.simpleMessage("在应用切换器中隐藏应用内容"), - "hideSharedItemsFromHomeGallery": - MessageLookupByLibrary.simpleMessage("隐藏主页图库中的共享项目"), - "hiding": MessageLookupByLibrary.simpleMessage("正在隐藏..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage("法国 OSM 主办"), - "howItWorks": MessageLookupByLibrary.simpleMessage("工作原理"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "请让他们在设置屏幕上长按他们的电子邮件地址,并验证两台设备上的 ID 是否匹配。"), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "您未在该设备上设置生物识别身份验证。请在您的手机上启用 Touch ID或Face ID。"), - "iOSLockOut": - MessageLookupByLibrary.simpleMessage("生物识别认证已禁用。请锁定并解锁您的屏幕以启用它。"), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("好的"), - "ignore": MessageLookupByLibrary.simpleMessage("忽略"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("忽略"), - "ignored": MessageLookupByLibrary.simpleMessage("已忽略"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "此相册中的某些文件在上传时会被忽略,因为它们之前已从 Ente 中删除。"), - "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage("图像未分析"), - "immediately": MessageLookupByLibrary.simpleMessage("立即"), - "importing": MessageLookupByLibrary.simpleMessage("正在导入..."), - "incorrectCode": MessageLookupByLibrary.simpleMessage("代码错误"), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage("密码错误"), - "incorrectRecoveryKey": - MessageLookupByLibrary.simpleMessage("不正确的恢复密钥"), - "incorrectRecoveryKeyBody": - MessageLookupByLibrary.simpleMessage("您输入的恢复密钥不正确"), - "incorrectRecoveryKeyTitle": - MessageLookupByLibrary.simpleMessage("恢复密钥不正确"), - "indexedItems": MessageLookupByLibrary.simpleMessage("已索引项目"), - "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( - "索引已暂停。待设备准备就绪后,索引将自动恢复。当设备的电池电量、电池健康度和温度状态处于健康范围内时,设备即被视为准备就绪。"), - "ineligible": MessageLookupByLibrary.simpleMessage("不合格"), - "info": MessageLookupByLibrary.simpleMessage("详情"), - "insecureDevice": MessageLookupByLibrary.simpleMessage("设备不安全"), - "installManually": MessageLookupByLibrary.simpleMessage("手动安装"), - "invalidEmailAddress": - MessageLookupByLibrary.simpleMessage("无效的电子邮件地址"), - "invalidEndpoint": MessageLookupByLibrary.simpleMessage("端点无效"), - "invalidEndpointMessage": - MessageLookupByLibrary.simpleMessage("抱歉,您输入的端点无效。请输入有效的端点,然后重试。"), - "invalidKey": MessageLookupByLibrary.simpleMessage("无效的密钥"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "您输入的恢复密钥无效。请确保它包含24个单词,并检查每个单词的拼写。\n\n如果您输入了旧的恢复码,请确保它长度为64个字符,并检查其中每个字符。"), - "invite": MessageLookupByLibrary.simpleMessage("邀请"), - "inviteToEnte": MessageLookupByLibrary.simpleMessage("邀请到 Ente"), - "inviteYourFriends": MessageLookupByLibrary.simpleMessage("邀请您的朋友"), - "inviteYourFriendsToEnte": - MessageLookupByLibrary.simpleMessage("邀请您的朋友加入 Ente"), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "看起来出了点问题。 请稍后重试。 如果错误仍然存在,请联系我们的支持团队。"), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage("项目显示永久删除前剩余的天数"), - "itemsWillBeRemovedFromAlbum": - MessageLookupByLibrary.simpleMessage("所选项目将从此相册中移除"), - "join": MessageLookupByLibrary.simpleMessage("加入"), - "joinAlbum": MessageLookupByLibrary.simpleMessage("加入相册"), - "joinAlbumConfirmationDialogBody": - MessageLookupByLibrary.simpleMessage("加入相册将使相册的参与者可以看到您的电子邮件地址。"), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage("来查看和添加您的照片"), - "joinAlbumSubtextViewer": - MessageLookupByLibrary.simpleMessage("来将其添加到共享相册"), - "joinDiscord": MessageLookupByLibrary.simpleMessage("加入 Discord"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("保留照片"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("公里"), - "kindlyHelpUsWithThisInformation": - MessageLookupByLibrary.simpleMessage("请帮助我们了解这个信息"), - "language": MessageLookupByLibrary.simpleMessage("语言"), - "lastTimeWithThem": m45, - "lastUpdated": MessageLookupByLibrary.simpleMessage("最后更新"), - "lastYearsTrip": MessageLookupByLibrary.simpleMessage("去年的旅行"), - "leave": MessageLookupByLibrary.simpleMessage("离开"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("离开相册"), - "leaveFamily": MessageLookupByLibrary.simpleMessage("离开家庭计划"), - "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage("要离开共享相册吗?"), - "left": MessageLookupByLibrary.simpleMessage("向左"), - "legacy": MessageLookupByLibrary.simpleMessage("遗产"), - "legacyAccounts": MessageLookupByLibrary.simpleMessage("遗产账户"), - "legacyInvite": m46, - "legacyPageDesc": - MessageLookupByLibrary.simpleMessage("遗产允许信任的联系人在您不在时访问您的账户。"), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "可信联系人可以启动账户恢复,如果 30 天内没有被阻止,则可以重置密码并访问您的账户。"), - "light": MessageLookupByLibrary.simpleMessage("亮度"), - "lightTheme": MessageLookupByLibrary.simpleMessage("浅色"), - "link": MessageLookupByLibrary.simpleMessage("链接"), - "linkCopiedToClipboard": - MessageLookupByLibrary.simpleMessage("链接已复制到剪贴板"), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("设备限制"), - "linkEmail": MessageLookupByLibrary.simpleMessage("链接邮箱"), - "linkEmailToContactBannerCaption": - MessageLookupByLibrary.simpleMessage("来实现更快的共享"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("已启用"), - "linkExpired": MessageLookupByLibrary.simpleMessage("已过期"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("链接过期"), - "linkHasExpired": MessageLookupByLibrary.simpleMessage("链接已过期"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("永不"), - "linkPerson": MessageLookupByLibrary.simpleMessage("链接人员"), - "linkPersonCaption": MessageLookupByLibrary.simpleMessage("来感受更好的共享体验"), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("实况照片"), - "loadMessage1": MessageLookupByLibrary.simpleMessage("您可以与家庭分享您的订阅"), - "loadMessage2": MessageLookupByLibrary.simpleMessage("我们至今已保存超过2亿个回忆"), - "loadMessage3": - MessageLookupByLibrary.simpleMessage("我们保存你的3个数据副本,其中一个在地下安全屋中"), - "loadMessage4": MessageLookupByLibrary.simpleMessage("我们所有的应用程序都是开源的"), - "loadMessage5": - MessageLookupByLibrary.simpleMessage("我们的源代码和加密技术已经由外部审计"), - "loadMessage6": - MessageLookupByLibrary.simpleMessage("您可以与您所爱的人分享您相册的链接"), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "我们的移动应用程序在后台运行以加密和备份您点击的任何新照片"), - "loadMessage8": - MessageLookupByLibrary.simpleMessage("web.ente.io 有一个巧妙的上传器"), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "我们使用 Xchacha20Poly1305 加密技术来安全地加密您的数据"), - "loadingExifData": - MessageLookupByLibrary.simpleMessage("正在加载 EXIF 数据..."), - "loadingGallery": MessageLookupByLibrary.simpleMessage("正在加载图库..."), - "loadingMessage": MessageLookupByLibrary.simpleMessage("正在加载您的照片..."), - "loadingModel": MessageLookupByLibrary.simpleMessage("正在下载模型..."), - "loadingYourPhotos": - MessageLookupByLibrary.simpleMessage("正在加载您的照片..."), - "localGallery": MessageLookupByLibrary.simpleMessage("本地相册"), - "localIndexing": MessageLookupByLibrary.simpleMessage("本地索引"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "似乎出了点问题,因为本地照片同步耗时比预期的要长。请联系我们的支持团队"), - "location": MessageLookupByLibrary.simpleMessage("地理位置"), - "locationName": MessageLookupByLibrary.simpleMessage("地点名称"), - "locationTagFeatureDescription": - MessageLookupByLibrary.simpleMessage("位置标签将在照片的某个半径范围内拍摄的所有照片进行分组"), - "locations": MessageLookupByLibrary.simpleMessage("位置"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("锁定"), - "lockscreen": MessageLookupByLibrary.simpleMessage("锁屏"), - "logInLabel": MessageLookupByLibrary.simpleMessage("登录"), - "loggingOut": MessageLookupByLibrary.simpleMessage("正在退出登录..."), - "loginSessionExpired": MessageLookupByLibrary.simpleMessage("会话已过期"), - "loginSessionExpiredDetails": - MessageLookupByLibrary.simpleMessage("您的会话已过期。请重新登录。"), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "点击登录时,默认我同意 服务条款隐私政策"), - "loginWithTOTP": MessageLookupByLibrary.simpleMessage("使用 TOTP 登录"), - "logout": MessageLookupByLibrary.simpleMessage("退出登录"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "这将跨日志发送以帮助我们调试您的问题。 请注意,将包含文件名以帮助跟踪特定文件的问题。"), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage("长按电子邮件以验证端到端加密。"), - "longpressOnAnItemToViewInFullscreen": - MessageLookupByLibrary.simpleMessage("长按一个项目来全屏查看"), - "lookBackOnYourMemories": - MessageLookupByLibrary.simpleMessage("回顾你的回忆🌄"), - "loopVideoOff": MessageLookupByLibrary.simpleMessage("循环播放视频关闭"), - "loopVideoOn": MessageLookupByLibrary.simpleMessage("循环播放视频开启"), - "lostDevice": MessageLookupByLibrary.simpleMessage("设备丢失?"), - "machineLearning": MessageLookupByLibrary.simpleMessage("机器学习"), - "magicSearch": MessageLookupByLibrary.simpleMessage("魔法搜索"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "魔法搜索允许按内容搜索照片,例如“lower\'”、“red car”、“identity documents”"), - "manage": MessageLookupByLibrary.simpleMessage("管理"), - "manageDeviceStorage": MessageLookupByLibrary.simpleMessage("管理设备缓存"), - "manageDeviceStorageDesc": - MessageLookupByLibrary.simpleMessage("检查并清除本地缓存存储。"), - "manageFamily": MessageLookupByLibrary.simpleMessage("管理家庭计划"), - "manageLink": MessageLookupByLibrary.simpleMessage("管理链接"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("管理"), - "manageSubscription": MessageLookupByLibrary.simpleMessage("管理订阅"), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "用 PIN 码配对适用于您希望在其上查看相册的任何屏幕。"), - "map": MessageLookupByLibrary.simpleMessage("地图"), - "maps": MessageLookupByLibrary.simpleMessage("地图"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("我"), - "memories": MessageLookupByLibrary.simpleMessage("回忆"), - "memoriesWidgetDesc": - MessageLookupByLibrary.simpleMessage("选择您希望在主屏幕上看到的回忆类型。"), - "memoryCount": m50, - "merchandise": MessageLookupByLibrary.simpleMessage("商品"), - "merge": MessageLookupByLibrary.simpleMessage("合并"), - "mergeWithExisting": MessageLookupByLibrary.simpleMessage("与现有的合并"), - "mergedPhotos": MessageLookupByLibrary.simpleMessage("已合并照片"), - "mlConsent": MessageLookupByLibrary.simpleMessage("启用机器学习"), - "mlConsentConfirmation": - MessageLookupByLibrary.simpleMessage("我了解了,并希望启用机器学习"), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "如果您启用机器学习,Ente 将从文件(包括与您共享的文件)中提取面部几何形状等信息。\n\n这将在您的设备上进行,并且任何生成的生物特征信息都将被端到端加密。"), - "mlConsentPrivacy": - MessageLookupByLibrary.simpleMessage("请点击此处查看我们隐私政策中有关此功能的更多详细信息"), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage("要启用机器学习吗?"), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "请注意,机器学习会导致带宽和电池使用量增加,直到所有项目都被索引。请考虑使用桌面应用程序来加快索引速度,所有结果都将自动同步。"), - "mobileWebDesktop": - MessageLookupByLibrary.simpleMessage("移动端, 网页端, 桌面端"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("中等"), - "modifyYourQueryOrTrySearchingFor": - MessageLookupByLibrary.simpleMessage("修改您的查询,或尝试搜索"), - "moments": MessageLookupByLibrary.simpleMessage("瞬间"), - "month": MessageLookupByLibrary.simpleMessage("月"), - "monthly": MessageLookupByLibrary.simpleMessage("每月"), - "moon": MessageLookupByLibrary.simpleMessage("月光之下"), - "moreDetails": MessageLookupByLibrary.simpleMessage("更多详情"), - "mostRecent": MessageLookupByLibrary.simpleMessage("最近"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("最相关"), - "mountains": MessageLookupByLibrary.simpleMessage("翻过山丘"), - "moveItem": m51, - "moveSelectedPhotosToOneDate": - MessageLookupByLibrary.simpleMessage("将选定的照片调整到某一日期"), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("移动到相册"), - "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage("移至隐藏相册"), - "movedSuccessfullyTo": m52, - "movedToTrash": MessageLookupByLibrary.simpleMessage("已移至回收站"), - "movingFilesToAlbum": - MessageLookupByLibrary.simpleMessage("正在将文件移动到相册..."), - "name": MessageLookupByLibrary.simpleMessage("名称"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("命名相册"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "无法连接到 Ente,请稍后重试。如果错误仍然存在,请联系支持人员。"), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "无法连接到 Ente,请检查您的网络设置,如果错误仍然存在,请联系支持人员。"), - "never": MessageLookupByLibrary.simpleMessage("永不"), - "newAlbum": MessageLookupByLibrary.simpleMessage("新建相册"), - "newLocation": MessageLookupByLibrary.simpleMessage("新位置"), - "newPerson": MessageLookupByLibrary.simpleMessage("新人物"), - "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" 新 📸"), - "newRange": MessageLookupByLibrary.simpleMessage("新起始图片"), - "newToEnte": MessageLookupByLibrary.simpleMessage("初来 Ente"), - "newest": MessageLookupByLibrary.simpleMessage("最新"), - "next": MessageLookupByLibrary.simpleMessage("下一步"), - "no": MessageLookupByLibrary.simpleMessage("否"), - "noAlbumsSharedByYouYet": - MessageLookupByLibrary.simpleMessage("您尚未共享任何相册"), - "noDeviceFound": MessageLookupByLibrary.simpleMessage("未发现设备"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("无"), - "noDeviceThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage("您在此设备上没有可被删除的文件"), - "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ 没有重复内容"), - "noEnteAccountExclamation": - MessageLookupByLibrary.simpleMessage("没有 Ente 账户!"), - "noExifData": MessageLookupByLibrary.simpleMessage("无 EXIF 数据"), - "noFacesFound": MessageLookupByLibrary.simpleMessage("未找到任何面部"), - "noHiddenPhotosOrVideos": - MessageLookupByLibrary.simpleMessage("没有隐藏的照片或视频"), - "noImagesWithLocation": - MessageLookupByLibrary.simpleMessage("没有带有位置的图像"), - "noInternetConnection": MessageLookupByLibrary.simpleMessage("无互联网连接"), - "noPhotosAreBeingBackedUpRightNow": - MessageLookupByLibrary.simpleMessage("目前没有照片正在备份"), - "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage("这里没有找到照片"), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage("未选择快速链接"), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage("没有恢复密钥吗?"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "由于我们端到端加密协议的性质,如果没有您的密码或恢复密钥,您的数据将无法解密"), - "noResults": MessageLookupByLibrary.simpleMessage("无结果"), - "noResultsFound": MessageLookupByLibrary.simpleMessage("未找到任何结果"), - "noSuggestionsForPerson": m53, - "noSystemLockFound": MessageLookupByLibrary.simpleMessage("未找到系统锁"), - "notPersonLabel": m54, - "notThisPerson": MessageLookupByLibrary.simpleMessage("不是此人?"), - "nothingSharedWithYouYet": - MessageLookupByLibrary.simpleMessage("尚未与您共享任何内容"), - "nothingToSeeHere": MessageLookupByLibrary.simpleMessage("这里空空如也! 👀"), - "notifications": MessageLookupByLibrary.simpleMessage("通知"), - "ok": MessageLookupByLibrary.simpleMessage("OK"), - "onDevice": MessageLookupByLibrary.simpleMessage("在设备上"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "在 ente 上"), - "onTheRoad": MessageLookupByLibrary.simpleMessage("再次踏上旅途"), - "onThisDay": MessageLookupByLibrary.simpleMessage("这天"), - "onThisDayMemories": MessageLookupByLibrary.simpleMessage("这天的回忆"), - "onThisDayNotificationExplanation": - MessageLookupByLibrary.simpleMessage("接收关于往年这一天回忆的提醒。"), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("仅限他们"), - "oops": MessageLookupByLibrary.simpleMessage("哎呀"), - "oopsCouldNotSaveEdits": - MessageLookupByLibrary.simpleMessage("糟糕,无法保存编辑"), - "oopsSomethingWentWrong": - MessageLookupByLibrary.simpleMessage("哎呀,似乎出了点问题"), - "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage("在浏览器中打开相册"), - "openAlbumInBrowserTitle": - MessageLookupByLibrary.simpleMessage("请使用网络应用将照片添加到此相册"), - "openFile": MessageLookupByLibrary.simpleMessage("打开文件"), - "openSettings": MessageLookupByLibrary.simpleMessage("打开“设置”"), - "openTheItem": MessageLookupByLibrary.simpleMessage("• 打开该项目"), - "openstreetmapContributors": - MessageLookupByLibrary.simpleMessage("OpenStreetMap 贡献者"), - "optionalAsShortAsYouLike": - MessageLookupByLibrary.simpleMessage("可选的,按您喜欢的短语..."), - "orMergeWithExistingPerson": - MessageLookupByLibrary.simpleMessage("或与现有的合并"), - "orPickAnExistingOne": - MessageLookupByLibrary.simpleMessage("或者选择一个现有的"), - "orPickFromYourContacts": - MessageLookupByLibrary.simpleMessage("或从您的联系人中选择"), - "otherDetectedFaces": MessageLookupByLibrary.simpleMessage("其他检测到的人脸"), - "pair": MessageLookupByLibrary.simpleMessage("配对"), - "pairWithPin": MessageLookupByLibrary.simpleMessage("用 PIN 配对"), - "pairingComplete": MessageLookupByLibrary.simpleMessage("配对完成"), - "panorama": MessageLookupByLibrary.simpleMessage("全景"), - "partyWithThem": m56, - "passKeyPendingVerification": - MessageLookupByLibrary.simpleMessage("仍需进行验证"), - "passkey": MessageLookupByLibrary.simpleMessage("通行密钥"), - "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage("通行密钥认证"), - "password": MessageLookupByLibrary.simpleMessage("密码"), - "passwordChangedSuccessfully": - MessageLookupByLibrary.simpleMessage("密码修改成功"), - "passwordLock": MessageLookupByLibrary.simpleMessage("密码锁"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "密码强度的计算考虑了密码的长度、使用的字符以及密码是否出现在最常用的 10,000 个密码中"), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "我们不储存这个密码,所以如果忘记, 我们将无法解密您的数据"), - "pastYearsMemories": MessageLookupByLibrary.simpleMessage("往年回忆"), - "paymentDetails": MessageLookupByLibrary.simpleMessage("付款明细"), - "paymentFailed": MessageLookupByLibrary.simpleMessage("支付失败"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "不幸的是,您的付款失败。请联系支持人员,我们将为您提供帮助!"), - "paymentFailedTalkToProvider": m58, - "pendingItems": MessageLookupByLibrary.simpleMessage("待处理项目"), - "pendingSync": MessageLookupByLibrary.simpleMessage("正在等待同步"), - "people": MessageLookupByLibrary.simpleMessage("人物"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage("使用您的代码的人"), - "peopleWidgetDesc": - MessageLookupByLibrary.simpleMessage("选择您希望在主屏幕上看到的人。"), - "permDeleteWarning": - MessageLookupByLibrary.simpleMessage("回收站中的所有项目将被永久删除\n\n此操作无法撤消"), - "permanentlyDelete": MessageLookupByLibrary.simpleMessage("永久删除"), - "permanentlyDeleteFromDevice": - MessageLookupByLibrary.simpleMessage("要从设备中永久删除吗?"), - "personIsAge": m59, - "personName": MessageLookupByLibrary.simpleMessage("人物名称"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("毛茸茸的伙伴"), - "photoDescriptions": MessageLookupByLibrary.simpleMessage("照片说明"), - "photoGridSize": MessageLookupByLibrary.simpleMessage("照片网格大小"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("照片"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("照片"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage("您添加的照片将从相册中移除"), - "photosCount": m62, - "photosKeepRelativeTimeDifference": - MessageLookupByLibrary.simpleMessage("照片保持相对时间差"), - "pickCenterPoint": MessageLookupByLibrary.simpleMessage("选择中心点"), - "pinAlbum": MessageLookupByLibrary.simpleMessage("置顶相册"), - "pinLock": MessageLookupByLibrary.simpleMessage("PIN 锁定"), - "playOnTv": MessageLookupByLibrary.simpleMessage("在电视上播放相册"), - "playOriginal": MessageLookupByLibrary.simpleMessage("播放原内容"), - "playStoreFreeTrialValidTill": m63, - "playStream": MessageLookupByLibrary.simpleMessage("播放流"), - "playstoreSubscription": - MessageLookupByLibrary.simpleMessage("PlayStore 订阅"), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage("请检查您的互联网连接,然后重试。"), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "请用英语联系 support@ente.io ,我们将乐意提供帮助!"), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage("如果问题仍然存在,请联系支持"), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage("请授予权限"), - "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage("请重新登录"), - "pleaseSelectQuickLinksToRemove": - MessageLookupByLibrary.simpleMessage("请选择要删除的快速链接"), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("请重试"), - "pleaseVerifyTheCodeYouHaveEntered": - MessageLookupByLibrary.simpleMessage("请验证您输入的代码"), - "pleaseWait": MessageLookupByLibrary.simpleMessage("请稍候..."), - "pleaseWaitDeletingAlbum": - MessageLookupByLibrary.simpleMessage("请稍候,正在删除相册"), - "pleaseWaitForSometimeBeforeRetrying": - MessageLookupByLibrary.simpleMessage("请稍等片刻后再重试"), - "pleaseWaitThisWillTakeAWhile": - MessageLookupByLibrary.simpleMessage("请稍候,这将需要一段时间。"), - "posingWithThem": m66, - "preparingLogs": MessageLookupByLibrary.simpleMessage("正在准备日志..."), - "preserveMore": MessageLookupByLibrary.simpleMessage("保留更多"), - "pressAndHoldToPlayVideo": - MessageLookupByLibrary.simpleMessage("按住以播放视频"), - "pressAndHoldToPlayVideoDetailed": - MessageLookupByLibrary.simpleMessage("长按图像以播放视频"), - "previous": MessageLookupByLibrary.simpleMessage("以前的"), - "privacy": MessageLookupByLibrary.simpleMessage("隐私"), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage("隐私政策"), - "privateBackups": MessageLookupByLibrary.simpleMessage("私人备份"), - "privateSharing": MessageLookupByLibrary.simpleMessage("私人分享"), - "proceed": MessageLookupByLibrary.simpleMessage("继续"), - "processed": MessageLookupByLibrary.simpleMessage("已处理"), - "processing": MessageLookupByLibrary.simpleMessage("正在处理"), - "processingImport": m67, - "processingVideos": MessageLookupByLibrary.simpleMessage("正在处理视频"), - "publicLinkCreated": MessageLookupByLibrary.simpleMessage("公共链接已创建"), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage("公开链接已启用"), - "questionmark": MessageLookupByLibrary.simpleMessage("?"), - "queued": MessageLookupByLibrary.simpleMessage("已入列"), - "quickLinks": MessageLookupByLibrary.simpleMessage("快速链接"), - "radius": MessageLookupByLibrary.simpleMessage("半径"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("提升工单"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("为此应用评分"), - "rateUs": MessageLookupByLibrary.simpleMessage("给我们评分"), - "rateUsOnStore": m68, - "reassignMe": MessageLookupByLibrary.simpleMessage("重新分配“我”"), - "reassignedToName": m69, - "reassigningLoading": MessageLookupByLibrary.simpleMessage("正在重新分配..."), - "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( - "接收某人生日时的提醒。点击通知将带您查看生日人物的照片。"), - "recover": MessageLookupByLibrary.simpleMessage("恢复"), - "recoverAccount": MessageLookupByLibrary.simpleMessage("恢复账户"), - "recoverButton": MessageLookupByLibrary.simpleMessage("恢复"), - "recoveryAccount": MessageLookupByLibrary.simpleMessage("恢复账户"), - "recoveryInitiated": MessageLookupByLibrary.simpleMessage("已启动恢复"), - "recoveryInitiatedDesc": m70, - "recoveryKey": MessageLookupByLibrary.simpleMessage("恢复密钥"), - "recoveryKeyCopiedToClipboard": - MessageLookupByLibrary.simpleMessage("恢复密钥已复制到剪贴板"), - "recoveryKeyOnForgotPassword": - MessageLookupByLibrary.simpleMessage("如果您忘记了密码,恢复数据的唯一方法就是使用此密钥。"), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "我们不会存储此密钥,请将此24个单词密钥保存在一个安全的地方。"), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "太棒了! 您的恢复密钥是有效的。 感谢您的验证。\n\n请记住要安全备份您的恢复密钥。"), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage("恢复密钥已验证"), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "如果您忘记了密码,恢复密钥是恢复照片的唯一方法。您可以在“设置”>“账户”中找到恢复密钥。\n\n请在此处输入恢复密钥,以验证您是否已正确保存。"), - "recoveryReady": m71, - "recoverySuccessful": MessageLookupByLibrary.simpleMessage("恢复成功!"), - "recoveryWarning": - MessageLookupByLibrary.simpleMessage("一位可信联系人正在尝试访问您的账户"), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "当前设备的功能不足以验证您的密码,但我们可以以适用于所有设备的方式重新生成。\n\n请使用您的恢复密钥登录并重新生成您的密码(如果您希望,可以再次使用相同的密码)。"), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage("重新创建密码"), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": MessageLookupByLibrary.simpleMessage("再次输入密码"), - "reenterPin": MessageLookupByLibrary.simpleMessage("再次输入 PIN 码"), - "referFriendsAnd2xYourPlan": - MessageLookupByLibrary.simpleMessage("把我们推荐给你的朋友然后获得延长一倍的订阅计划"), - "referralStep1": MessageLookupByLibrary.simpleMessage("1. 将此代码提供给您的朋友"), - "referralStep2": MessageLookupByLibrary.simpleMessage("2. 他们注册一个付费计划"), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("推荐"), - "referralsAreCurrentlyPaused": - MessageLookupByLibrary.simpleMessage("推荐已暂停"), - "rejectRecovery": MessageLookupByLibrary.simpleMessage("拒绝恢复"), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "同时从“设置”->“存储”中清空“最近删除”以领取释放的空间"), - "remindToEmptyEnteTrash": - MessageLookupByLibrary.simpleMessage("同时清空您的“回收站”以领取释放的空间"), - "remoteImages": MessageLookupByLibrary.simpleMessage("云端图像"), - "remoteThumbnails": MessageLookupByLibrary.simpleMessage("云端缩略图"), - "remoteVideos": MessageLookupByLibrary.simpleMessage("云端视频"), - "remove": MessageLookupByLibrary.simpleMessage("移除"), - "removeDuplicates": MessageLookupByLibrary.simpleMessage("移除重复内容"), - "removeDuplicatesDesc": - MessageLookupByLibrary.simpleMessage("检查并删除完全重复的文件。"), - "removeFromAlbum": MessageLookupByLibrary.simpleMessage("从相册中移除"), - "removeFromAlbumTitle": - MessageLookupByLibrary.simpleMessage("要从相册中移除吗?"), - "removeFromFavorite": MessageLookupByLibrary.simpleMessage("从收藏中移除"), - "removeInvite": MessageLookupByLibrary.simpleMessage("移除邀请"), - "removeLink": MessageLookupByLibrary.simpleMessage("移除链接"), - "removeParticipant": MessageLookupByLibrary.simpleMessage("移除参与者"), - "removeParticipantBody": m74, - "removePersonLabel": MessageLookupByLibrary.simpleMessage("移除人物标签"), - "removePublicLink": MessageLookupByLibrary.simpleMessage("删除公开链接"), - "removePublicLinks": MessageLookupByLibrary.simpleMessage("删除公开链接"), - "removeShareItemsWarning": - MessageLookupByLibrary.simpleMessage("您要删除的某些项目是由其他人添加的,您将无法访问它们"), - "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("要移除吗?"), - "removeYourselfAsTrustedContact": - MessageLookupByLibrary.simpleMessage("删除自己作为可信联系人"), - "removingFromFavorites": - MessageLookupByLibrary.simpleMessage("正在从收藏中删除..."), - "rename": MessageLookupByLibrary.simpleMessage("重命名"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("重命名相册"), - "renameFile": MessageLookupByLibrary.simpleMessage("重命名文件"), - "renewSubscription": MessageLookupByLibrary.simpleMessage("续费订阅"), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("报告错误"), - "reportBug": MessageLookupByLibrary.simpleMessage("报告错误"), - "resendEmail": MessageLookupByLibrary.simpleMessage("重新发送电子邮件"), - "reset": MessageLookupByLibrary.simpleMessage("重设"), - "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage("重置忽略的文件"), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage("重置密码"), - "resetPerson": MessageLookupByLibrary.simpleMessage("移除"), - "resetToDefault": MessageLookupByLibrary.simpleMessage("重置为默认设置"), - "restore": MessageLookupByLibrary.simpleMessage("恢复"), - "restoreToAlbum": MessageLookupByLibrary.simpleMessage("恢复到相册"), - "restoringFiles": MessageLookupByLibrary.simpleMessage("正在恢复文件..."), - "resumableUploads": MessageLookupByLibrary.simpleMessage("可续传上传"), - "retry": MessageLookupByLibrary.simpleMessage("重试"), - "review": MessageLookupByLibrary.simpleMessage("查看"), - "reviewDeduplicateItems": - MessageLookupByLibrary.simpleMessage("请检查并删除您认为重复的项目。"), - "reviewSuggestions": MessageLookupByLibrary.simpleMessage("查看建议"), - "right": MessageLookupByLibrary.simpleMessage("向右"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("旋转"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("向左旋转"), - "rotateRight": MessageLookupByLibrary.simpleMessage("向右旋转"), - "safelyStored": MessageLookupByLibrary.simpleMessage("安全存储"), - "same": MessageLookupByLibrary.simpleMessage("相同"), - "sameperson": MessageLookupByLibrary.simpleMessage("是同一个人?"), - "save": MessageLookupByLibrary.simpleMessage("保存"), - "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage("另存为其他人物"), - "saveChangesBeforeLeavingQuestion": - MessageLookupByLibrary.simpleMessage("离开之前要保存更改吗?"), - "saveCollage": MessageLookupByLibrary.simpleMessage("保存拼贴"), - "saveCopy": MessageLookupByLibrary.simpleMessage("保存副本"), - "saveKey": MessageLookupByLibrary.simpleMessage("保存密钥"), - "savePerson": MessageLookupByLibrary.simpleMessage("保存人物"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage("若您尚未保存,请妥善保存此恢复密钥"), - "saving": MessageLookupByLibrary.simpleMessage("正在保存..."), - "savingEdits": MessageLookupByLibrary.simpleMessage("正在保存编辑内容..."), - "scanCode": MessageLookupByLibrary.simpleMessage("扫描二维码/条码"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage("用您的身份验证器应用\n扫描此条码"), - "search": MessageLookupByLibrary.simpleMessage("搜索"), - "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("相册"), - "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage("相册名称"), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• 相册名称(例如“相机”)\n• 文件类型(例如“视频”、“.gif”)\n• 年份和月份(例如“2022”、“一月”)\n• 假期(例如“圣诞节”)\n• 照片说明(例如“#和女儿独居,好开心啊”)"), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "在照片信息中添加“#旅游”等描述,以便在此处快速找到它们"), - "searchDatesEmptySection": - MessageLookupByLibrary.simpleMessage("按日期搜索,月份或年份"), - "searchDiscoverEmptySection": - MessageLookupByLibrary.simpleMessage("处理和同步完成后,图像将显示在此处"), - "searchFaceEmptySection": - MessageLookupByLibrary.simpleMessage("待索引完成后,人物将显示在此处"), - "searchFileTypesAndNamesEmptySection": - MessageLookupByLibrary.simpleMessage("文件类型和名称"), - "searchHint1": MessageLookupByLibrary.simpleMessage("在设备上快速搜索"), - "searchHint2": MessageLookupByLibrary.simpleMessage("照片日期、描述"), - "searchHint3": MessageLookupByLibrary.simpleMessage("相册、文件名和类型"), - "searchHint4": MessageLookupByLibrary.simpleMessage("位置"), - "searchHint5": MessageLookupByLibrary.simpleMessage("即将到来:面部和魔法搜索✨"), - "searchLocationEmptySection": - MessageLookupByLibrary.simpleMessage("在照片的一定半径内拍摄的几组照片"), - "searchPeopleEmptySection": - MessageLookupByLibrary.simpleMessage("邀请他人,您将在此看到他们分享的所有照片"), - "searchPersonsEmptySection": - MessageLookupByLibrary.simpleMessage("处理和同步完成后,人物将显示在此处"), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("安全"), - "seePublicAlbumLinksInApp": - MessageLookupByLibrary.simpleMessage("在应用程序中查看公开相册链接"), - "selectALocation": MessageLookupByLibrary.simpleMessage("选择一个位置"), - "selectALocationFirst": - MessageLookupByLibrary.simpleMessage("首先选择一个位置"), - "selectAlbum": MessageLookupByLibrary.simpleMessage("选择相册"), - "selectAll": MessageLookupByLibrary.simpleMessage("全选"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("全部"), - "selectCoverPhoto": MessageLookupByLibrary.simpleMessage("选择封面照片"), - "selectDate": MessageLookupByLibrary.simpleMessage("选择日期"), - "selectFoldersForBackup": - MessageLookupByLibrary.simpleMessage("选择要备份的文件夹"), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage("选择要添加的项目"), - "selectLanguage": MessageLookupByLibrary.simpleMessage("选择语言"), - "selectMailApp": MessageLookupByLibrary.simpleMessage("选择邮件应用"), - "selectMorePhotos": MessageLookupByLibrary.simpleMessage("选择更多照片"), - "selectOneDateAndTime": - MessageLookupByLibrary.simpleMessage("选择一个日期和时间"), - "selectOneDateAndTimeForAll": - MessageLookupByLibrary.simpleMessage("为所有项选择一个日期和时间"), - "selectPersonToLink": MessageLookupByLibrary.simpleMessage("选择要链接的人"), - "selectReason": MessageLookupByLibrary.simpleMessage("选择原因"), - "selectStartOfRange": MessageLookupByLibrary.simpleMessage("选择起始图片"), - "selectTime": MessageLookupByLibrary.simpleMessage("选择时间"), - "selectYourFace": MessageLookupByLibrary.simpleMessage("选择你的脸"), - "selectYourPlan": MessageLookupByLibrary.simpleMessage("选择您的计划"), - "selectedAlbums": m79, - "selectedFilesAreNotOnEnte": - MessageLookupByLibrary.simpleMessage("所选文件不在 Ente 上"), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage("所选文件夹将被加密并备份"), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage("所选项目将从所有相册中删除并移动到回收站。"), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage("选定的项目将从此人身上移除,但不会从您的库中删除。"), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("发送"), - "sendEmail": MessageLookupByLibrary.simpleMessage("发送电子邮件"), - "sendInvite": MessageLookupByLibrary.simpleMessage("发送邀请"), - "sendLink": MessageLookupByLibrary.simpleMessage("发送链接"), - "serverEndpoint": MessageLookupByLibrary.simpleMessage("服务器端点"), - "sessionExpired": MessageLookupByLibrary.simpleMessage("会话已过期"), - "sessionIdMismatch": MessageLookupByLibrary.simpleMessage("会话 ID 不匹配"), - "setAPassword": MessageLookupByLibrary.simpleMessage("设置密码"), - "setAs": MessageLookupByLibrary.simpleMessage("设置为"), - "setCover": MessageLookupByLibrary.simpleMessage("设置封面"), - "setLabel": MessageLookupByLibrary.simpleMessage("设置"), - "setNewPassword": MessageLookupByLibrary.simpleMessage("设置新密码"), - "setNewPin": MessageLookupByLibrary.simpleMessage("设置新 PIN 码"), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage("设置密码"), - "setRadius": MessageLookupByLibrary.simpleMessage("设定半径"), - "setupComplete": MessageLookupByLibrary.simpleMessage("设置完成"), - "share": MessageLookupByLibrary.simpleMessage("分享"), - "shareALink": MessageLookupByLibrary.simpleMessage("分享链接"), - "shareAlbumHint": - MessageLookupByLibrary.simpleMessage("打开相册并点击右上角的分享按钮进行分享"), - "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage("立即分享相册"), - "shareLink": MessageLookupByLibrary.simpleMessage("分享链接"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": - MessageLookupByLibrary.simpleMessage("仅与您想要的人分享"), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": - MessageLookupByLibrary.simpleMessage("下载 Ente,让我们轻松共享高质量的原始照片和视频"), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": - MessageLookupByLibrary.simpleMessage("与非 Ente 用户共享"), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": - MessageLookupByLibrary.simpleMessage("分享您的第一个相册"), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "与其他 Ente 用户(包括免费计划用户)创建共享和协作相册。"), - "sharedByMe": MessageLookupByLibrary.simpleMessage("由我共享的"), - "sharedByYou": MessageLookupByLibrary.simpleMessage("您共享的"), - "sharedPhotoNotifications": - MessageLookupByLibrary.simpleMessage("新共享的照片"), - "sharedPhotoNotificationsExplanation": - MessageLookupByLibrary.simpleMessage("当有人将照片添加到您所属的共享相册时收到通知"), - "sharedWith": m87, - "sharedWithMe": MessageLookupByLibrary.simpleMessage("与我共享"), - "sharedWithYou": MessageLookupByLibrary.simpleMessage("已与您共享"), - "sharing": MessageLookupByLibrary.simpleMessage("正在分享..."), - "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage("调整日期和时间"), - "showLessFaces": MessageLookupByLibrary.simpleMessage("显示较少人脸"), - "showMemories": MessageLookupByLibrary.simpleMessage("显示回忆"), - "showMoreFaces": MessageLookupByLibrary.simpleMessage("显示更多人脸"), - "showPerson": MessageLookupByLibrary.simpleMessage("显示人员"), - "signOutFromOtherDevices": - MessageLookupByLibrary.simpleMessage("从其他设备退出登录"), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "如果你认为有人可能知道你的密码,你可以强制所有使用你账户的其他设备退出登录。"), - "signOutOtherDevices": MessageLookupByLibrary.simpleMessage("登出其他设备"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "我同意 服务条款隐私政策"), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": - MessageLookupByLibrary.simpleMessage("它将从所有相册中删除。"), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("跳过"), - "smartMemories": MessageLookupByLibrary.simpleMessage("智能回忆"), - "social": MessageLookupByLibrary.simpleMessage("社交"), - "someItemsAreInBothEnteAndYourDevice": - MessageLookupByLibrary.simpleMessage("有些项目同时存在于 Ente 和您的设备中。"), - "someOfTheFilesYouAreTryingToDeleteAre": - MessageLookupByLibrary.simpleMessage("您要删除的部分文件仅在您的设备上可用,且删除后无法恢复"), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage("与您共享相册的人应该会在他们的设备上看到相同的 ID。"), - "somethingWentWrong": MessageLookupByLibrary.simpleMessage("出了些问题"), - "somethingWentWrongPleaseTryAgain": - MessageLookupByLibrary.simpleMessage("出了点问题,请重试"), - "sorry": MessageLookupByLibrary.simpleMessage("抱歉"), - "sorryBackupFailedDesc": - MessageLookupByLibrary.simpleMessage("抱歉,我们目前无法备份此文件,我们将稍后重试。"), - "sorryCouldNotAddToFavorites": - MessageLookupByLibrary.simpleMessage("抱歉,无法添加到收藏!"), - "sorryCouldNotRemoveFromFavorites": - MessageLookupByLibrary.simpleMessage("抱歉,无法从收藏中移除!"), - "sorryTheCodeYouveEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage("抱歉,您输入的代码不正确"), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "抱歉,我们无法在此设备上生成安全密钥。\n\n请使用其他设备注册。"), - "sorryWeHadToPauseYourBackups": - MessageLookupByLibrary.simpleMessage("抱歉,我们不得不暂停您的备份"), - "sort": MessageLookupByLibrary.simpleMessage("排序"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("排序方式"), - "sortNewestFirst": MessageLookupByLibrary.simpleMessage("最新在前"), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage("最旧在前"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ 成功"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": MessageLookupByLibrary.simpleMessage("聚光灯下的自己"), - "startAccountRecoveryTitle": - MessageLookupByLibrary.simpleMessage("开始恢复"), - "startBackup": MessageLookupByLibrary.simpleMessage("开始备份"), - "status": MessageLookupByLibrary.simpleMessage("状态"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage("您想停止投放吗?"), - "stopCastingTitle": MessageLookupByLibrary.simpleMessage("停止投放"), - "storage": MessageLookupByLibrary.simpleMessage("存储空间"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("家庭"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("您"), - "storageInGB": m93, - "storageLimitExceeded": MessageLookupByLibrary.simpleMessage("已超出存储限制"), - "storageUsageInfo": m94, - "streamDetails": MessageLookupByLibrary.simpleMessage("流详情"), - "strongStrength": MessageLookupByLibrary.simpleMessage("强"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("订阅"), - "subscribeToEnableSharing": - MessageLookupByLibrary.simpleMessage("您需要有效的付费订阅才能启用共享。"), - "subscription": MessageLookupByLibrary.simpleMessage("订阅"), - "success": MessageLookupByLibrary.simpleMessage("成功"), - "successfullyArchived": MessageLookupByLibrary.simpleMessage("存档成功"), - "successfullyHid": MessageLookupByLibrary.simpleMessage("已成功隐藏"), - "successfullyUnarchived": - MessageLookupByLibrary.simpleMessage("取消存档成功"), - "successfullyUnhid": MessageLookupByLibrary.simpleMessage("已成功取消隐藏"), - "suggestFeatures": MessageLookupByLibrary.simpleMessage("建议新功能"), - "sunrise": MessageLookupByLibrary.simpleMessage("在地平线上"), - "support": MessageLookupByLibrary.simpleMessage("支持"), - "syncProgress": m97, - "syncStopped": MessageLookupByLibrary.simpleMessage("同步已停止"), - "syncing": MessageLookupByLibrary.simpleMessage("正在同步···"), - "systemTheme": MessageLookupByLibrary.simpleMessage("适应系统"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("点击以复制"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage("点击以输入代码"), - "tapToUnlock": MessageLookupByLibrary.simpleMessage("点击解锁"), - "tapToUpload": MessageLookupByLibrary.simpleMessage("点按上传"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": - MessageLookupByLibrary.simpleMessage( - "看起来出了点问题。 请稍后重试。 如果错误仍然存在,请联系我们的支持团队。"), - "terminate": MessageLookupByLibrary.simpleMessage("终止"), - "terminateSession": MessageLookupByLibrary.simpleMessage("是否终止会话?"), - "terms": MessageLookupByLibrary.simpleMessage("使用条款"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("使用条款"), - "thankYou": MessageLookupByLibrary.simpleMessage("非常感谢您"), - "thankYouForSubscribing": - MessageLookupByLibrary.simpleMessage("感谢您的订阅!"), - "theDownloadCouldNotBeCompleted": - MessageLookupByLibrary.simpleMessage("未能完成下载"), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage("您尝试访问的链接已过期。"), - "thePersonGroupsWillNotBeDisplayed": - MessageLookupByLibrary.simpleMessage("人物组将不再显示在人物部分。照片将保持不变。"), - "thePersonWillNotBeDisplayed": - MessageLookupByLibrary.simpleMessage("该人将不再显示在人物部分。照片将保持不变。"), - "theRecoveryKeyYouEnteredIsIncorrect": - MessageLookupByLibrary.simpleMessage("您输入的恢复密钥不正确"), - "theme": MessageLookupByLibrary.simpleMessage("主题"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage("这些项目将从您的设备中删除。"), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": - MessageLookupByLibrary.simpleMessage("他们将从所有相册中删除。"), - "thisActionCannotBeUndone": - MessageLookupByLibrary.simpleMessage("此操作无法撤销"), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage("此相册已经有一个协作链接"), - "thisCanBeUsedToRecoverYourAccountIfYou": - MessageLookupByLibrary.simpleMessage("如果您丢失了双重认证方式,这可以用来恢复您的账户"), - "thisDevice": MessageLookupByLibrary.simpleMessage("此设备"), - "thisEmailIsAlreadyInUse": - MessageLookupByLibrary.simpleMessage("这个邮箱地址已经被使用"), - "thisImageHasNoExifData": - MessageLookupByLibrary.simpleMessage("此图像没有Exif 数据"), - "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("这就是我!"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": - MessageLookupByLibrary.simpleMessage("这是您的验证 ID"), - "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage("历年本周"), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage("这将使您在以下设备中退出登录:"), - "thisWillLogYouOutOfThisDevice": - MessageLookupByLibrary.simpleMessage("这将使您在此设备上退出登录!"), - "thisWillMakeTheDateAndTimeOfAllSelected": - MessageLookupByLibrary.simpleMessage("这将使所有选定的照片的日期和时间相同。"), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage("这将删除所有选定的快速链接的公共链接。"), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage("要启用应用锁,请在系统设置中设置设备密码或屏幕锁。"), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage("隐藏照片或视频"), - "toResetVerifyEmail": - MessageLookupByLibrary.simpleMessage("要重置您的密码,请先验证您的电子邮件。"), - "todaysLogs": MessageLookupByLibrary.simpleMessage("当天日志"), - "tooManyIncorrectAttempts": - MessageLookupByLibrary.simpleMessage("错误尝试次数过多"), - "total": MessageLookupByLibrary.simpleMessage("总计"), - "totalSize": MessageLookupByLibrary.simpleMessage("总大小"), - "trash": MessageLookupByLibrary.simpleMessage("回收站"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("修剪"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": MessageLookupByLibrary.simpleMessage("可信联系人"), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("请再试一次"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "打开备份可自动上传添加到此设备文件夹的文件至 Ente。"), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": - MessageLookupByLibrary.simpleMessage("在年度计划上免费获得 2 个月"), - "twofactor": MessageLookupByLibrary.simpleMessage("双重认证"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage("双重认证已被禁用"), - "twofactorAuthenticationPageTitle": - MessageLookupByLibrary.simpleMessage("双重认证"), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage("成功重置双重认证"), - "twofactorSetup": MessageLookupByLibrary.simpleMessage("双重认证设置"), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("取消存档"), - "unarchiveAlbum": MessageLookupByLibrary.simpleMessage("取消存档相册"), - "unarchiving": MessageLookupByLibrary.simpleMessage("正在取消存档..."), - "unavailableReferralCode": - MessageLookupByLibrary.simpleMessage("抱歉,此代码不可用。"), - "uncategorized": MessageLookupByLibrary.simpleMessage("未分类的"), - "unhide": MessageLookupByLibrary.simpleMessage("取消隐藏"), - "unhideToAlbum": MessageLookupByLibrary.simpleMessage("取消隐藏到相册"), - "unhiding": MessageLookupByLibrary.simpleMessage("正在取消隐藏..."), - "unhidingFilesToAlbum": - MessageLookupByLibrary.simpleMessage("正在取消隐藏文件到相册"), - "unlock": MessageLookupByLibrary.simpleMessage("解锁"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("取消置顶相册"), - "unselectAll": MessageLookupByLibrary.simpleMessage("取消全部选择"), - "update": MessageLookupByLibrary.simpleMessage("更新"), - "updateAvailable": MessageLookupByLibrary.simpleMessage("有可用的更新"), - "updatingFolderSelection": - MessageLookupByLibrary.simpleMessage("正在更新文件夹选择..."), - "upgrade": MessageLookupByLibrary.simpleMessage("升级"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": - MessageLookupByLibrary.simpleMessage("正在将文件上传到相册..."), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": - MessageLookupByLibrary.simpleMessage("正在保存 1 个回忆..."), - "upto50OffUntil4thDec": - MessageLookupByLibrary.simpleMessage("最高五折优惠,直至12月4日。"), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "可用存储空间受您当前计划的限制。 当您升级您的计划时,超出要求的存储空间将自动变为可用。"), - "useAsCover": MessageLookupByLibrary.simpleMessage("用作封面"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "播放此视频时遇到问题了吗?长按此处可尝试使用其他播放器。"), - "usePublicLinksForPeopleNotOnEnte": - MessageLookupByLibrary.simpleMessage("对不在 Ente 上的人使用公开链接"), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage("使用恢复密钥"), - "useSelectedPhoto": MessageLookupByLibrary.simpleMessage("使用所选照片"), - "usedSpace": MessageLookupByLibrary.simpleMessage("已用空间"), - "validTill": m110, - "verificationFailedPleaseTryAgain": - MessageLookupByLibrary.simpleMessage("验证失败,请重试"), - "verificationId": MessageLookupByLibrary.simpleMessage("验证 ID"), - "verify": MessageLookupByLibrary.simpleMessage("验证"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("验证电子邮件"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("验证"), - "verifyPasskey": MessageLookupByLibrary.simpleMessage("验证通行密钥"), - "verifyPassword": MessageLookupByLibrary.simpleMessage("验证密码"), - "verifying": MessageLookupByLibrary.simpleMessage("正在验证..."), - "verifyingRecoveryKey": - MessageLookupByLibrary.simpleMessage("正在验证恢复密钥..."), - "videoInfo": MessageLookupByLibrary.simpleMessage("视频详情"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("视频"), - "videoStreaming": MessageLookupByLibrary.simpleMessage("可流媒体播放的视频"), - "videos": MessageLookupByLibrary.simpleMessage("视频"), - "viewActiveSessions": MessageLookupByLibrary.simpleMessage("查看活动会话"), - "viewAddOnButton": MessageLookupByLibrary.simpleMessage("查看附加组件"), - "viewAll": MessageLookupByLibrary.simpleMessage("查看全部"), - "viewAllExifData": MessageLookupByLibrary.simpleMessage("查看所有 EXIF 数据"), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("大文件"), - "viewLargeFilesDesc": - MessageLookupByLibrary.simpleMessage("查看占用存储空间最多的文件。"), - "viewLogs": MessageLookupByLibrary.simpleMessage("查看日志"), - "viewPersonToUnlink": m112, - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage("查看恢复密钥"), - "viewer": MessageLookupByLibrary.simpleMessage("查看者"), - "viewersSuccessfullyAdded": m113, - "visitWebToManage": - MessageLookupByLibrary.simpleMessage("请访问 web.ente.io 来管理您的订阅"), - "waitingForVerification": - MessageLookupByLibrary.simpleMessage("等待验证..."), - "waitingForWifi": MessageLookupByLibrary.simpleMessage("正在等待 WiFi..."), - "warning": MessageLookupByLibrary.simpleMessage("警告"), - "weAreOpenSource": MessageLookupByLibrary.simpleMessage("我们是开源的 !"), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage("我们不支持编辑您尚未拥有的照片和相册"), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("弱"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("欢迎回来!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("更新日志"), - "whyAddTrustContact": - MessageLookupByLibrary.simpleMessage("可信联系人可以帮助恢复您的数据。"), - "widgets": MessageLookupByLibrary.simpleMessage("小组件"), - "wishThemAHappyBirthday": m115, - "yearShort": MessageLookupByLibrary.simpleMessage("年"), - "yearly": MessageLookupByLibrary.simpleMessage("每年"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("是"), - "yesCancel": MessageLookupByLibrary.simpleMessage("是的,取消"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage("是的,转换为查看者"), - "yesDelete": MessageLookupByLibrary.simpleMessage("是的, 删除"), - "yesDiscardChanges": MessageLookupByLibrary.simpleMessage("是的,放弃更改"), - "yesIgnore": MessageLookupByLibrary.simpleMessage("是的,忽略"), - "yesLogout": MessageLookupByLibrary.simpleMessage("是的,退出登陆"), - "yesRemove": MessageLookupByLibrary.simpleMessage("是,移除"), - "yesRenew": MessageLookupByLibrary.simpleMessage("是的,续费"), - "yesResetPerson": MessageLookupByLibrary.simpleMessage("是,重设人物"), - "you": MessageLookupByLibrary.simpleMessage("您"), - "youAndThem": m117, - "youAreOnAFamilyPlan": - MessageLookupByLibrary.simpleMessage("你在一个家庭计划中!"), - "youAreOnTheLatestVersion": - MessageLookupByLibrary.simpleMessage("当前为最新版本"), - "youCanAtMaxDoubleYourStorage": - MessageLookupByLibrary.simpleMessage("* 您最多可以将您的存储空间增加一倍"), - "youCanManageYourLinksInTheShareTab": - MessageLookupByLibrary.simpleMessage("您可以在分享选项卡中管理您的链接。"), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage("您可以尝试搜索不同的查询。"), - "youCannotDowngradeToThisPlan": - MessageLookupByLibrary.simpleMessage("您不能降级到此计划"), - "youCannotShareWithYourself": - MessageLookupByLibrary.simpleMessage("莫开玩笑,您不能与自己分享"), - "youDontHaveAnyArchivedItems": - MessageLookupByLibrary.simpleMessage("您没有任何存档的项目。"), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": - MessageLookupByLibrary.simpleMessage("您的账户已删除"), - "yourMap": MessageLookupByLibrary.simpleMessage("您的地图"), - "yourPlanWasSuccessfullyDowngraded": - MessageLookupByLibrary.simpleMessage("您的计划已成功降级"), - "yourPlanWasSuccessfullyUpgraded": - MessageLookupByLibrary.simpleMessage("您的计划已成功升级"), - "yourPurchaseWasSuccessful": - MessageLookupByLibrary.simpleMessage("您购买成功!"), - "yourStorageDetailsCouldNotBeFetched": - MessageLookupByLibrary.simpleMessage("无法获取您的存储详情"), - "yourSubscriptionHasExpired": - MessageLookupByLibrary.simpleMessage("您的订阅已过期"), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage("您的订阅已成功更新"), - "yourVerificationCodeHasExpired": - MessageLookupByLibrary.simpleMessage("您的验证码已过期"), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage("您没有任何可以清除的重复文件"), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage("您在此相册中没有可以删除的文件"), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage("缩小以查看照片") - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "有新版本的 Ente 可供使用。", + ), + "about": MessageLookupByLibrary.simpleMessage("关于"), + "acceptTrustInvite": MessageLookupByLibrary.simpleMessage("接受邀请"), + "account": MessageLookupByLibrary.simpleMessage("账户"), + "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( + "账户已配置。", + ), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage("欢迎回来!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "我明白,如果我丢失密码,我可能会丢失我的数据,因为我的数据是 端到端加密的。", + ), + "actionNotSupportedOnFavouritesAlbum": MessageLookupByLibrary.simpleMessage( + "收藏相册不支持此操作", + ), + "activeSessions": MessageLookupByLibrary.simpleMessage("已登录的设备"), + "add": MessageLookupByLibrary.simpleMessage("添加"), + "addAName": MessageLookupByLibrary.simpleMessage("添加一个名称"), + "addANewEmail": MessageLookupByLibrary.simpleMessage("添加新的电子邮件"), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "将相册小组件添加到您的主屏幕,然后返回此处进行自定义。", + ), + "addCollaborator": MessageLookupByLibrary.simpleMessage("添加协作者"), + "addCollaborators": m1, + "addFiles": MessageLookupByLibrary.simpleMessage("添加文件"), + "addFromDevice": MessageLookupByLibrary.simpleMessage("从设备添加"), + "addItem": m2, + "addLocation": MessageLookupByLibrary.simpleMessage("添加地点"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("添加"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "将回忆小组件添加到您的主屏幕,然后返回此处进行自定义。", + ), + "addMore": MessageLookupByLibrary.simpleMessage("添加更多"), + "addName": MessageLookupByLibrary.simpleMessage("添加名称"), + "addNameOrMerge": MessageLookupByLibrary.simpleMessage("添加名称或合并"), + "addNew": MessageLookupByLibrary.simpleMessage("新建"), + "addNewPerson": MessageLookupByLibrary.simpleMessage("添加新人物"), + "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage("附加组件详情"), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("附加组件"), + "addParticipants": MessageLookupByLibrary.simpleMessage("添加参与者"), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "将人物小组件添加到您的主屏幕,然后返回此处进行自定义。", + ), + "addPhotos": MessageLookupByLibrary.simpleMessage("添加照片"), + "addSelected": MessageLookupByLibrary.simpleMessage("添加所选项"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("添加到相册"), + "addToEnte": MessageLookupByLibrary.simpleMessage("添加到 Ente"), + "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage("添加到隐藏相册"), + "addTrustedContact": MessageLookupByLibrary.simpleMessage("添加可信联系人"), + "addViewer": MessageLookupByLibrary.simpleMessage("添加查看者"), + "addViewers": m4, + "addYourPhotosNow": MessageLookupByLibrary.simpleMessage("立即添加您的照片"), + "addedAs": MessageLookupByLibrary.simpleMessage("已添加为"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": MessageLookupByLibrary.simpleMessage("正在添加到收藏..."), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("高级设置"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("高级设置"), + "after1Day": MessageLookupByLibrary.simpleMessage("1天后"), + "after1Hour": MessageLookupByLibrary.simpleMessage("1小时后"), + "after1Month": MessageLookupByLibrary.simpleMessage("1个月后"), + "after1Week": MessageLookupByLibrary.simpleMessage("1 周后"), + "after1Year": MessageLookupByLibrary.simpleMessage("1 年后"), + "albumOwner": MessageLookupByLibrary.simpleMessage("所有者"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("相册标题"), + "albumUpdated": MessageLookupByLibrary.simpleMessage("相册已更新"), + "albums": MessageLookupByLibrary.simpleMessage("相册"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "选择您希望在主屏幕上看到的相册。", + ), + "allClear": MessageLookupByLibrary.simpleMessage("✨ 全部清除"), + "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage("所有回忆都已保存"), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "此人的所有分组都将被重设,并且您将丢失针对此人的所有建议", + ), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "所有未命名组将合并到所选人物中。此操作仍可从该人物的建议历史概览中撤销。", + ), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "这张照片是该组中的第一张。其他已选择的照片将根据此新日期自动调整。", + ), + "allow": MessageLookupByLibrary.simpleMessage("允许"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "允许具有链接的人也将照片添加到共享相册。", + ), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage("允许添加照片"), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "允许应用打开共享相册链接", + ), + "allowDownloads": MessageLookupByLibrary.simpleMessage("允许下载"), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage("允许人们添加照片"), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "请从“设置”中选择允许访问您的照片,以便 Ente 可以显示和备份您的图库。", + ), + "allowPermTitle": MessageLookupByLibrary.simpleMessage("允许访问照片"), + "androidBiometricHint": MessageLookupByLibrary.simpleMessage("验证身份"), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "无法识别。请重试。", + ), + "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( + "需要生物识别认证", + ), + "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("成功"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("取消"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage("需要设备凭据"), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage("需要设备凭据"), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "您未在该设备上设置生物识别身份验证。前往“设置>安全”添加生物识别身份验证。", + ), + "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( + "安卓, iOS, 网页端, 桌面端", + ), + "androidSignInTitle": MessageLookupByLibrary.simpleMessage("需要身份验证"), + "appIcon": MessageLookupByLibrary.simpleMessage("应用图标"), + "appLock": MessageLookupByLibrary.simpleMessage("应用锁"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "在设备的默认锁定屏幕和带有 PIN 或密码的自定义锁定屏幕之间进行选择。", + ), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), + "apply": MessageLookupByLibrary.simpleMessage("应用"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("应用代码"), + "appstoreSubscription": MessageLookupByLibrary.simpleMessage("AppStore 订阅"), + "archive": MessageLookupByLibrary.simpleMessage("存档"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("存档相册"), + "archiving": MessageLookupByLibrary.simpleMessage("正在存档..."), + "areThey": MessageLookupByLibrary.simpleMessage("他们是 "), + "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( + "您确定要从此人中移除这个人脸吗?", + ), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage("您确定要离开家庭计划吗?"), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "您确定要取消吗?", + ), + "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( + "您确定要更改您的计划吗?", + ), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage("您确定要退出吗?"), + "areYouSureYouWantToIgnoreThesePersons": + MessageLookupByLibrary.simpleMessage("您确定要忽略这些人吗?"), + "areYouSureYouWantToIgnoreThisPerson": MessageLookupByLibrary.simpleMessage( + "您确定要忽略此人吗?", + ), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "您确定要退出登录吗?", + ), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "您确定要合并他们吗?", + ), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "您确定要续费吗?", + ), + "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( + "您确定要重设此人吗?", + ), + "askCancelReason": MessageLookupByLibrary.simpleMessage("您的订阅已取消。您想分享原因吗?"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage("您删除账户的主要原因是什么?"), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage("请您的亲人分享"), + "atAFalloutShelter": MessageLookupByLibrary.simpleMessage("在一个庇护所中"), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage("请进行身份验证以更改电子邮件验证"), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "请验证以更改锁屏设置", + ), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "请验证以更改您的电子邮件", + ), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "请验证以更改密码", + ), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage("请进行身份验证以配置双重身份认证"), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "请进行身份验证以启动账户删除", + ), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "请验证身份以管理您的可信联系人", + ), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage("请验证身份以查看您的通行密钥"), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "请验证身份以查看您已删除的文件", + ), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "请验证以查看您的活动会话", + ), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "请验证以查看您的隐藏文件", + ), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "请验证以查看您的回忆", + ), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "请验证以查看您的恢复密钥", + ), + "authenticating": MessageLookupByLibrary.simpleMessage("正在验证..."), + "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "身份验证失败,请重试", + ), + "authenticationSuccessful": MessageLookupByLibrary.simpleMessage("验证成功"), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "您将在此处看到可用的 Cast 设备。", + ), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "请确保已在“设置”中为 Ente Photos 应用打开本地网络权限。", + ), + "autoLock": MessageLookupByLibrary.simpleMessage("自动锁定"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "应用程序进入后台后锁定的时间", + ), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "由于技术故障,您已退出登录。对于由此造成的不便,我们深表歉意。", + ), + "autoPair": MessageLookupByLibrary.simpleMessage("自动配对"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "自动配对仅适用于支持 Chromecast 的设备。", + ), + "available": MessageLookupByLibrary.simpleMessage("可用"), + "availableStorageSpace": m10, + "backedUpFolders": MessageLookupByLibrary.simpleMessage("已备份的文件夹"), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("备份"), + "backupFailed": MessageLookupByLibrary.simpleMessage("备份失败"), + "backupFile": MessageLookupByLibrary.simpleMessage("备份文件"), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage("通过移动数据备份"), + "backupSettings": MessageLookupByLibrary.simpleMessage("备份设置"), + "backupStatus": MessageLookupByLibrary.simpleMessage("备份状态"), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "已备份的项目将显示在此处", + ), + "backupVideos": MessageLookupByLibrary.simpleMessage("备份视频"), + "beach": MessageLookupByLibrary.simpleMessage("沙滩与大海"), + "birthday": MessageLookupByLibrary.simpleMessage("生日"), + "birthdayNotifications": MessageLookupByLibrary.simpleMessage("生日通知"), + "birthdays": MessageLookupByLibrary.simpleMessage("生日"), + "blackFridaySale": MessageLookupByLibrary.simpleMessage("黑色星期五特惠"), + "blog": MessageLookupByLibrary.simpleMessage("博客"), + "cLDesc1": MessageLookupByLibrary.simpleMessage( + "在视频流媒体测试版和可恢复上传与下载功能的基础上,我们现已将文件上传限制提高到10GB。此功能现已在桌面和移动应用程序中可用。", + ), + "cLDesc2": MessageLookupByLibrary.simpleMessage( + "现在 iOS 设备也支持后台上传,Android 设备早已支持。无需打开应用程序即可备份最新的照片和视频。", + ), + "cLDesc3": MessageLookupByLibrary.simpleMessage( + "我们对回忆体验进行了重大改进,包括自动播放、滑动到下一个回忆以及更多功能。", + ), + "cLDesc4": MessageLookupByLibrary.simpleMessage( + "除了多项底层改进外,现在可以更轻松地查看所有检测到的人脸,对相似人脸提供反馈,以及从单张照片中添加/删除人脸。", + ), + "cLDesc5": MessageLookupByLibrary.simpleMessage( + "您现在将收到 Ente 上保存的所有生日的可选退出通知,同时附上他们最佳照片的合集。", + ), + "cLDesc6": MessageLookupByLibrary.simpleMessage( + "无需等待上传/下载完成即可关闭应用程序。所有上传和下载现在都可以中途暂停,并从中断处继续。", + ), + "cLTitle1": MessageLookupByLibrary.simpleMessage("正在上传大型视频文件"), + "cLTitle2": MessageLookupByLibrary.simpleMessage("后台上传"), + "cLTitle3": MessageLookupByLibrary.simpleMessage("自动播放回忆"), + "cLTitle4": MessageLookupByLibrary.simpleMessage("改进的人脸识别"), + "cLTitle5": MessageLookupByLibrary.simpleMessage("生日通知"), + "cLTitle6": MessageLookupByLibrary.simpleMessage("可恢复的上传和下载"), + "cachedData": MessageLookupByLibrary.simpleMessage("缓存数据"), + "calculating": MessageLookupByLibrary.simpleMessage("正在计算..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage("抱歉,该相册无法在应用中打开。"), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage("无法打开此相册"), + "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( + "无法上传到他人拥有的相册中", + ), + "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "只能为您拥有的文件创建链接", + ), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "只能删除您拥有的文件", + ), + "cancel": MessageLookupByLibrary.simpleMessage("取消"), + "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage("取消恢复"), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "您真的要取消恢复吗?", + ), + "cancelOtherSubscription": m12, + "cancelSubscription": MessageLookupByLibrary.simpleMessage("取消订阅"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage("无法删除共享文件"), + "castAlbum": MessageLookupByLibrary.simpleMessage("投放相册"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "请确保您的设备与电视处于同一网络。", + ), + "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage("投放相册失败"), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "在您要配对的设备上访问 cast.ente.io。\n在下框中输入代码即可在电视上播放相册。", + ), + "centerPoint": MessageLookupByLibrary.simpleMessage("中心点"), + "change": MessageLookupByLibrary.simpleMessage("更改"), + "changeEmail": MessageLookupByLibrary.simpleMessage("修改邮箱"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "确定要更改所选项目的位置吗?", + ), + "changePassword": MessageLookupByLibrary.simpleMessage("修改密码"), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage("修改密码"), + "changePermissions": MessageLookupByLibrary.simpleMessage("要修改权限吗?"), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage("更改您的推荐代码"), + "checkForUpdates": MessageLookupByLibrary.simpleMessage("检查更新"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "请检查您的收件箱 (或者是在您的“垃圾邮件”列表内) 以完成验证", + ), + "checkStatus": MessageLookupByLibrary.simpleMessage("检查状态"), + "checking": MessageLookupByLibrary.simpleMessage("正在检查..."), + "checkingModels": MessageLookupByLibrary.simpleMessage("正在检查模型..."), + "city": MessageLookupByLibrary.simpleMessage("城市之中"), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage("领取免费存储"), + "claimMore": MessageLookupByLibrary.simpleMessage("领取更多!"), + "claimed": MessageLookupByLibrary.simpleMessage("已领取"), + "claimedStorageSoFar": m14, + "cleanUncategorized": MessageLookupByLibrary.simpleMessage("清除未分类的"), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "从“未分类”中删除其他相册中存在的所有文件", + ), + "clearCaches": MessageLookupByLibrary.simpleMessage("清除缓存"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("清空索引"), + "click": MessageLookupByLibrary.simpleMessage("• 点击"), + "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage("• 点击溢出菜单"), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "点击安装我们迄今最好的版本", + ), + "close": MessageLookupByLibrary.simpleMessage("关闭"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage("按拍摄时间分组"), + "clubByFileName": MessageLookupByLibrary.simpleMessage("按文件名排序"), + "clusteringProgress": MessageLookupByLibrary.simpleMessage("聚类进展"), + "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage("代码已应用"), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "抱歉,您已达到代码更改的限制。", + ), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage("代码已复制到剪贴板"), + "codeUsedByYou": MessageLookupByLibrary.simpleMessage("您所使用的代码"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "创建一个链接来让他人无需 Ente 应用程序或账户即可在您的共享相册中添加和查看照片。非常适合收集活动照片。", + ), + "collaborativeLink": MessageLookupByLibrary.simpleMessage("协作链接"), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("协作者"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage("协作者可以将照片和视频添加到共享相册中。"), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("布局"), + "collageSaved": MessageLookupByLibrary.simpleMessage("拼贴已保存到相册"), + "collect": MessageLookupByLibrary.simpleMessage("收集"), + "collectEventPhotos": MessageLookupByLibrary.simpleMessage("收集活动照片"), + "collectPhotos": MessageLookupByLibrary.simpleMessage("收集照片"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "创建一个您的朋友可以上传原图的链接。", + ), + "color": MessageLookupByLibrary.simpleMessage("颜色"), + "configuration": MessageLookupByLibrary.simpleMessage("配置"), + "confirm": MessageLookupByLibrary.simpleMessage("确认"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage("您确定要禁用双重认证吗?"), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage("确认删除账户"), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "是的,我想永久删除此账户及其所有关联的应用程序的数据。", + ), + "confirmPassword": MessageLookupByLibrary.simpleMessage("请确认密码"), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage("确认更改计划"), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage("确认恢复密钥"), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage("确认您的恢复密钥"), + "connectToDevice": MessageLookupByLibrary.simpleMessage("连接到设备"), + "contactFamilyAdmin": m18, + "contactSupport": MessageLookupByLibrary.simpleMessage("联系支持"), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("联系人"), + "contents": MessageLookupByLibrary.simpleMessage("内容"), + "continueLabel": MessageLookupByLibrary.simpleMessage("继续"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage("继续免费试用"), + "convertToAlbum": MessageLookupByLibrary.simpleMessage("转换为相册"), + "copyEmailAddress": MessageLookupByLibrary.simpleMessage("复制电子邮件地址"), + "copyLink": MessageLookupByLibrary.simpleMessage("复制链接"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage("请复制粘贴此代码\n到您的身份验证器应用程序上"), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "我们无法备份您的数据。\n我们将稍后再试。", + ), + "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage("无法释放空间"), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "无法升级订阅", + ), + "count": MessageLookupByLibrary.simpleMessage("计数"), + "crashReporting": MessageLookupByLibrary.simpleMessage("上报崩溃"), + "create": MessageLookupByLibrary.simpleMessage("创建"), + "createAccount": MessageLookupByLibrary.simpleMessage("创建账户"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "长按选择照片,然后点击 + 创建相册", + ), + "createCollaborativeLink": MessageLookupByLibrary.simpleMessage("创建协作链接"), + "createCollage": MessageLookupByLibrary.simpleMessage("创建拼贴"), + "createNewAccount": MessageLookupByLibrary.simpleMessage("创建新账号"), + "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage("创建或选择相册"), + "createPublicLink": MessageLookupByLibrary.simpleMessage("创建公开链接"), + "creatingLink": MessageLookupByLibrary.simpleMessage("正在创建链接..."), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage("可用的关键更新"), + "crop": MessageLookupByLibrary.simpleMessage("裁剪"), + "curatedMemories": MessageLookupByLibrary.simpleMessage("精选回忆"), + "currentUsageIs": MessageLookupByLibrary.simpleMessage("当前用量 "), + "currentlyRunning": MessageLookupByLibrary.simpleMessage("目前正在运行"), + "custom": MessageLookupByLibrary.simpleMessage("自定义"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("深色"), + "dayToday": MessageLookupByLibrary.simpleMessage("今天"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("昨天"), + "declineTrustInvite": MessageLookupByLibrary.simpleMessage("拒绝邀请"), + "decrypting": MessageLookupByLibrary.simpleMessage("解密中..."), + "decryptingVideo": MessageLookupByLibrary.simpleMessage("正在解密视频..."), + "deduplicateFiles": MessageLookupByLibrary.simpleMessage("文件去重"), + "delete": MessageLookupByLibrary.simpleMessage("删除"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("删除账户"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "我们很抱歉看到您离开。请分享您的反馈以帮助我们改进。", + ), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "永久删除账户", + ), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("删除相册"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "也删除此相册中存在的照片(和视频),从 他们所加入的所有 其他相册?", + ), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "这将删除所有空相册。 当您想减少相册列表的混乱时,这很有用。", + ), + "deleteAll": MessageLookupByLibrary.simpleMessage("全部删除"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "此账户已链接到其他 Ente 应用程序(如果您使用任何应用程序)。您在所有 Ente 应用程序中上传的数据将被安排删除,并且您的账户将被永久删除。", + ), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "请从您注册的电子邮件地址发送电子邮件到 account-delettion@ente.io。", + ), + "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage("删除空相册"), + "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( + "要删除空相册吗?", + ), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage("同时从两者中删除"), + "deleteFromDevice": MessageLookupByLibrary.simpleMessage("从设备中删除"), + "deleteFromEnte": MessageLookupByLibrary.simpleMessage("从 Ente 中删除"), + "deleteItemCount": m21, + "deleteLocation": MessageLookupByLibrary.simpleMessage("删除位置"), + "deleteMultipleAlbumDialog": m22, + "deletePhotos": MessageLookupByLibrary.simpleMessage("删除照片"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage("缺少我所需的关键功能"), + "deleteReason2": MessageLookupByLibrary.simpleMessage("应用或某项功能未按预期运行"), + "deleteReason3": MessageLookupByLibrary.simpleMessage("我发现另一个产品更好用"), + "deleteReason4": MessageLookupByLibrary.simpleMessage("其他原因"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "您的请求将在 72 小时内处理。", + ), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage("要删除共享相册吗?"), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "将为所有人删除相册\n\n您将无法访问此相册中他人拥有的共享照片", + ), + "deselectAll": MessageLookupByLibrary.simpleMessage("取消全选"), + "designedToOutlive": MessageLookupByLibrary.simpleMessage("经久耐用"), + "details": MessageLookupByLibrary.simpleMessage("详情"), + "developerSettings": MessageLookupByLibrary.simpleMessage("开发者设置"), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "您确定要修改开发者设置吗?", + ), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage("输入代码"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "添加到此设备相册的文件将自动上传到 Ente。", + ), + "deviceLock": MessageLookupByLibrary.simpleMessage("设备锁"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "当 Ente 置于前台且正在进行备份时将禁用设备屏幕锁定。这通常是不需要的,但可能有助于更快地完成大型上传和大型库的初始导入。", + ), + "deviceNotFound": MessageLookupByLibrary.simpleMessage("未发现设备"), + "didYouKnow": MessageLookupByLibrary.simpleMessage("您知道吗?"), + "different": MessageLookupByLibrary.simpleMessage("不同"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage("禁用自动锁定"), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "查看者仍然可以使用外部工具截图或保存您的照片副本", + ), + "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage("请注意"), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage("禁用双重认证"), + "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( + "正在禁用双重认证...", + ), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("发现"), + "discover_babies": MessageLookupByLibrary.simpleMessage("婴儿"), + "discover_celebrations": MessageLookupByLibrary.simpleMessage("节日"), + "discover_food": MessageLookupByLibrary.simpleMessage("食物"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("绿植"), + "discover_hills": MessageLookupByLibrary.simpleMessage("山"), + "discover_identity": MessageLookupByLibrary.simpleMessage("身份"), + "discover_memes": MessageLookupByLibrary.simpleMessage("表情包"), + "discover_notes": MessageLookupByLibrary.simpleMessage("备注"), + "discover_pets": MessageLookupByLibrary.simpleMessage("宠物"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("收据"), + "discover_screenshots": MessageLookupByLibrary.simpleMessage("屏幕截图"), + "discover_selfies": MessageLookupByLibrary.simpleMessage("自拍"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("日落"), + "discover_visiting_cards": MessageLookupByLibrary.simpleMessage("访问卡"), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage("壁纸"), + "dismiss": MessageLookupByLibrary.simpleMessage("忽略"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("公里"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage("不要登出"), + "doThisLater": MessageLookupByLibrary.simpleMessage("稍后再说"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage("您想要放弃您所做的编辑吗?"), + "done": MessageLookupByLibrary.simpleMessage("已完成"), + "dontSave": MessageLookupByLibrary.simpleMessage("不保存"), + "doubleYourStorage": MessageLookupByLibrary.simpleMessage("将您的存储空间增加一倍"), + "download": MessageLookupByLibrary.simpleMessage("下载"), + "downloadFailed": MessageLookupByLibrary.simpleMessage("下載失敗"), + "downloading": MessageLookupByLibrary.simpleMessage("正在下载..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("编辑"), + "editEmailAlreadyLinked": m28, + "editLocation": MessageLookupByLibrary.simpleMessage("编辑位置"), + "editLocationTagTitle": MessageLookupByLibrary.simpleMessage("编辑位置"), + "editPerson": MessageLookupByLibrary.simpleMessage("编辑人物"), + "editTime": MessageLookupByLibrary.simpleMessage("修改时间"), + "editsSaved": MessageLookupByLibrary.simpleMessage("已保存编辑"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage("对位置的编辑只能在 Ente 内看到"), + "eligible": MessageLookupByLibrary.simpleMessage("符合资格"), + "email": MessageLookupByLibrary.simpleMessage("电子邮件地址"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "此电子邮件地址已被注册。", + ), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": MessageLookupByLibrary.simpleMessage("此电子邮件地址未被注册。"), + "emailVerificationToggle": MessageLookupByLibrary.simpleMessage("电子邮件验证"), + "emailYourLogs": MessageLookupByLibrary.simpleMessage("通过电子邮件发送您的日志"), + "embracingThem": m32, + "emergencyContacts": MessageLookupByLibrary.simpleMessage("紧急联系人"), + "empty": MessageLookupByLibrary.simpleMessage("清空"), + "emptyTrash": MessageLookupByLibrary.simpleMessage("要清空回收站吗?"), + "enable": MessageLookupByLibrary.simpleMessage("启用"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "Ente 支持设备上的机器学习,实现人脸识别、魔法搜索和其他高级搜索功能", + ), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "启用机器学习进行魔法搜索和面部识别", + ), + "enableMaps": MessageLookupByLibrary.simpleMessage("启用地图"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "这将在世界地图上显示您的照片。\n\n该地图由 Open Street Map 托管,并且您的照片的确切位置永远不会共享。\n\n您可以随时从“设置”中禁用此功能。", + ), + "enabled": MessageLookupByLibrary.simpleMessage("已启用"), + "encryptingBackup": MessageLookupByLibrary.simpleMessage("正在加密备份..."), + "encryption": MessageLookupByLibrary.simpleMessage("加密"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage("加密密钥"), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage("端点更新成功"), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "默认端到端加密", + ), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage("仅当您授予文件访问权限时,Ente 才能加密和保存文件"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente 需要许可才能保存您的照片", + ), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "Ente 会保留您的回忆,因此即使您丢失了设备,也能随时找到它们。", + ), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "您的家人也可以添加到您的计划中。", + ), + "enterAlbumName": MessageLookupByLibrary.simpleMessage("输入相册名称"), + "enterCode": MessageLookupByLibrary.simpleMessage("输入代码"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "输入您的朋友提供的代码来为您申请免费存储", + ), + "enterDateOfBirth": MessageLookupByLibrary.simpleMessage("生日(可选)"), + "enterEmail": MessageLookupByLibrary.simpleMessage("输入电子邮件"), + "enterFileName": MessageLookupByLibrary.simpleMessage("请输入文件名"), + "enterName": MessageLookupByLibrary.simpleMessage("输入名称"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "输入我们可以用来加密您的数据的新密码", + ), + "enterPassword": MessageLookupByLibrary.simpleMessage("输入密码"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "输入我们可以用来加密您的数据的密码", + ), + "enterPersonName": MessageLookupByLibrary.simpleMessage("输入人物名称"), + "enterPin": MessageLookupByLibrary.simpleMessage("输入 PIN 码"), + "enterReferralCode": MessageLookupByLibrary.simpleMessage("输入推荐代码"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage("从你的身份验证器应用中\n输入6位数字代码"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage("请输入一个有效的电子邮件地址。"), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "请输入您的电子邮件地址", + ), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "输入您的新电子邮件地址", + ), + "enterYourPassword": MessageLookupByLibrary.simpleMessage("输入您的密码"), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage("输入您的恢复密钥"), + "error": MessageLookupByLibrary.simpleMessage("错误"), + "everywhere": MessageLookupByLibrary.simpleMessage("随时随地"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": MessageLookupByLibrary.simpleMessage("现有用户"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "此链接已过期。请选择新的过期时间或禁用链接有效期。", + ), + "exportLogs": MessageLookupByLibrary.simpleMessage("导出日志"), + "exportYourData": MessageLookupByLibrary.simpleMessage("导出您的数据"), + "extraPhotosFound": MessageLookupByLibrary.simpleMessage("发现额外照片"), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage("人脸尚未聚类,请稍后再来"), + "faceRecognition": MessageLookupByLibrary.simpleMessage("人脸识别"), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "无法生成人脸缩略图", + ), + "faces": MessageLookupByLibrary.simpleMessage("人脸"), + "failed": MessageLookupByLibrary.simpleMessage("失败"), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage("无法使用此代码"), + "failedToCancel": MessageLookupByLibrary.simpleMessage("取消失败"), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage("视频下载失败"), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "无法获取活动会话", + ), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "无法获取原始编辑", + ), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "无法获取引荐详细信息。 请稍后再试。", + ), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage("加载相册失败"), + "failedToPlayVideo": MessageLookupByLibrary.simpleMessage("播放视频失败"), + "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( + "刷新订阅失败", + ), + "failedToRenew": MessageLookupByLibrary.simpleMessage("续费失败"), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "验证支付状态失败", + ), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "将 5 名家庭成员添加到您现有的计划中,无需支付额外费用。\n\n每个成员都有自己的私人空间,除非共享,否则无法看到彼此的文件。\n\n家庭计划适用于已付费 Ente 订阅的客户。\n\n立即订阅,开始体验!", + ), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("家庭"), + "familyPlans": MessageLookupByLibrary.simpleMessage("家庭计划"), + "faq": MessageLookupByLibrary.simpleMessage("常见问题"), + "faqs": MessageLookupByLibrary.simpleMessage("常见问题"), + "favorite": MessageLookupByLibrary.simpleMessage("收藏"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("反馈"), + "file": MessageLookupByLibrary.simpleMessage("文件"), + "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage("无法分析文件"), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "无法将文件保存到相册", + ), + "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage("添加说明..."), + "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage("文件尚未上传"), + "fileSavedToGallery": MessageLookupByLibrary.simpleMessage("文件已保存到相册"), + "fileTypes": MessageLookupByLibrary.simpleMessage("文件类型"), + "fileTypesAndNames": MessageLookupByLibrary.simpleMessage("文件类型和名称"), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage("文件已删除"), + "filesSavedToGallery": MessageLookupByLibrary.simpleMessage("多个文件已保存到相册"), + "findPeopleByName": MessageLookupByLibrary.simpleMessage("按名称快速查找人物"), + "findThemQuickly": MessageLookupByLibrary.simpleMessage("快速找到它们"), + "flip": MessageLookupByLibrary.simpleMessage("上下翻转"), + "food": MessageLookupByLibrary.simpleMessage("美食盛宴"), + "forYourMemories": MessageLookupByLibrary.simpleMessage("为您的回忆"), + "forgotPassword": MessageLookupByLibrary.simpleMessage("忘记密码"), + "foundFaces": MessageLookupByLibrary.simpleMessage("已找到的人脸"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage("已领取的免费存储"), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage("可用的免费存储"), + "freeTrial": MessageLookupByLibrary.simpleMessage("免费试用"), + "freeTrialValidTill": m38, + "freeUpAccessPostDelete": m39, + "freeUpAmount": m40, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage("释放设备空间"), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "通过清除已备份的文件来节省设备空间。", + ), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("释放空间"), + "freeUpSpaceSaving": m41, + "gallery": MessageLookupByLibrary.simpleMessage("图库"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "在图库中显示最多1000个回忆", + ), + "general": MessageLookupByLibrary.simpleMessage("通用"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "正在生成加密密钥...", + ), + "genericProgress": m42, + "goToSettings": MessageLookupByLibrary.simpleMessage("前往设置"), + "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "请在手机“设置”中授权软件访问所有照片", + ), + "grantPermission": MessageLookupByLibrary.simpleMessage("授予权限"), + "greenery": MessageLookupByLibrary.simpleMessage("绿色生活"), + "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage("将附近的照片分组"), + "guestView": MessageLookupByLibrary.simpleMessage("访客视图"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "要启用访客视图,请在系统设置中设置设备密码或屏幕锁。", + ), + "happyBirthday": MessageLookupByLibrary.simpleMessage("生日快乐! 🥳"), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "我们不跟踪应用程序安装情况。如果您告诉我们您是在哪里找到我们的,将会有所帮助!", + ), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "您是如何知道Ente的? (可选的)", + ), + "help": MessageLookupByLibrary.simpleMessage("帮助"), + "hidden": MessageLookupByLibrary.simpleMessage("已隐藏"), + "hide": MessageLookupByLibrary.simpleMessage("隐藏"), + "hideContent": MessageLookupByLibrary.simpleMessage("隐藏内容"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "在应用切换器中隐藏应用内容并禁用屏幕截图", + ), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "在应用切换器中隐藏应用内容", + ), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "隐藏主页图库中的共享项目", + ), + "hiding": MessageLookupByLibrary.simpleMessage("正在隐藏..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage("法国 OSM 主办"), + "howItWorks": MessageLookupByLibrary.simpleMessage("工作原理"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "请让他们在设置屏幕上长按他们的电子邮件地址,并验证两台设备上的 ID 是否匹配。", + ), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "您未在该设备上设置生物识别身份验证。请在您的手机上启用 Touch ID或Face ID。", + ), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "生物识别认证已禁用。请锁定并解锁您的屏幕以启用它。", + ), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("好的"), + "ignore": MessageLookupByLibrary.simpleMessage("忽略"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("忽略"), + "ignored": MessageLookupByLibrary.simpleMessage("已忽略"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "此相册中的某些文件在上传时会被忽略,因为它们之前已从 Ente 中删除。", + ), + "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage("图像未分析"), + "immediately": MessageLookupByLibrary.simpleMessage("立即"), + "importing": MessageLookupByLibrary.simpleMessage("正在导入..."), + "incorrectCode": MessageLookupByLibrary.simpleMessage("代码错误"), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage("密码错误"), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage("不正确的恢复密钥"), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "您输入的恢复密钥不正确", + ), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "恢复密钥不正确", + ), + "indexedItems": MessageLookupByLibrary.simpleMessage("已索引项目"), + "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( + "索引已暂停。待设备准备就绪后,索引将自动恢复。当设备的电池电量、电池健康度和温度状态处于健康范围内时,设备即被视为准备就绪。", + ), + "ineligible": MessageLookupByLibrary.simpleMessage("不合格"), + "info": MessageLookupByLibrary.simpleMessage("详情"), + "insecureDevice": MessageLookupByLibrary.simpleMessage("设备不安全"), + "installManually": MessageLookupByLibrary.simpleMessage("手动安装"), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage("无效的电子邮件地址"), + "invalidEndpoint": MessageLookupByLibrary.simpleMessage("端点无效"), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "抱歉,您输入的端点无效。请输入有效的端点,然后重试。", + ), + "invalidKey": MessageLookupByLibrary.simpleMessage("无效的密钥"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "您输入的恢复密钥无效。请确保它包含24个单词,并检查每个单词的拼写。\n\n如果您输入了旧的恢复码,请确保它长度为64个字符,并检查其中每个字符。", + ), + "invite": MessageLookupByLibrary.simpleMessage("邀请"), + "inviteToEnte": MessageLookupByLibrary.simpleMessage("邀请到 Ente"), + "inviteYourFriends": MessageLookupByLibrary.simpleMessage("邀请您的朋友"), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "邀请您的朋友加入 Ente", + ), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "看起来出了点问题。 请稍后重试。 如果错误仍然存在,请联系我们的支持团队。", + ), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage("项目显示永久删除前剩余的天数"), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "所选项目将从此相册中移除", + ), + "join": MessageLookupByLibrary.simpleMessage("加入"), + "joinAlbum": MessageLookupByLibrary.simpleMessage("加入相册"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "加入相册将使相册的参与者可以看到您的电子邮件地址。", + ), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage("来查看和添加您的照片"), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "来将其添加到共享相册", + ), + "joinDiscord": MessageLookupByLibrary.simpleMessage("加入 Discord"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("保留照片"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("公里"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "请帮助我们了解这个信息", + ), + "language": MessageLookupByLibrary.simpleMessage("语言"), + "lastTimeWithThem": m45, + "lastUpdated": MessageLookupByLibrary.simpleMessage("最后更新"), + "lastYearsTrip": MessageLookupByLibrary.simpleMessage("去年的旅行"), + "leave": MessageLookupByLibrary.simpleMessage("离开"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("离开相册"), + "leaveFamily": MessageLookupByLibrary.simpleMessage("离开家庭计划"), + "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage("要离开共享相册吗?"), + "left": MessageLookupByLibrary.simpleMessage("向左"), + "legacy": MessageLookupByLibrary.simpleMessage("遗产"), + "legacyAccounts": MessageLookupByLibrary.simpleMessage("遗产账户"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "遗产允许信任的联系人在您不在时访问您的账户。", + ), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "可信联系人可以启动账户恢复,如果 30 天内没有被阻止,则可以重置密码并访问您的账户。", + ), + "light": MessageLookupByLibrary.simpleMessage("亮度"), + "lightTheme": MessageLookupByLibrary.simpleMessage("浅色"), + "link": MessageLookupByLibrary.simpleMessage("链接"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage("链接已复制到剪贴板"), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("设备限制"), + "linkEmail": MessageLookupByLibrary.simpleMessage("链接邮箱"), + "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( + "来实现更快的共享", + ), + "linkEnabled": MessageLookupByLibrary.simpleMessage("已启用"), + "linkExpired": MessageLookupByLibrary.simpleMessage("已过期"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("链接过期"), + "linkHasExpired": MessageLookupByLibrary.simpleMessage("链接已过期"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("永不"), + "linkPerson": MessageLookupByLibrary.simpleMessage("链接人员"), + "linkPersonCaption": MessageLookupByLibrary.simpleMessage("来感受更好的共享体验"), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("实况照片"), + "loadMessage1": MessageLookupByLibrary.simpleMessage("您可以与家庭分享您的订阅"), + "loadMessage2": MessageLookupByLibrary.simpleMessage("我们至今已保存超过2亿个回忆"), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "我们保存你的3个数据副本,其中一个在地下安全屋中", + ), + "loadMessage4": MessageLookupByLibrary.simpleMessage("我们所有的应用程序都是开源的"), + "loadMessage5": MessageLookupByLibrary.simpleMessage("我们的源代码和加密技术已经由外部审计"), + "loadMessage6": MessageLookupByLibrary.simpleMessage("您可以与您所爱的人分享您相册的链接"), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "我们的移动应用程序在后台运行以加密和备份您点击的任何新照片", + ), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io 有一个巧妙的上传器", + ), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "我们使用 Xchacha20Poly1305 加密技术来安全地加密您的数据", + ), + "loadingExifData": MessageLookupByLibrary.simpleMessage("正在加载 EXIF 数据..."), + "loadingGallery": MessageLookupByLibrary.simpleMessage("正在加载图库..."), + "loadingMessage": MessageLookupByLibrary.simpleMessage("正在加载您的照片..."), + "loadingModel": MessageLookupByLibrary.simpleMessage("正在下载模型..."), + "loadingYourPhotos": MessageLookupByLibrary.simpleMessage("正在加载您的照片..."), + "localGallery": MessageLookupByLibrary.simpleMessage("本地相册"), + "localIndexing": MessageLookupByLibrary.simpleMessage("本地索引"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "似乎出了点问题,因为本地照片同步耗时比预期的要长。请联系我们的支持团队", + ), + "location": MessageLookupByLibrary.simpleMessage("地理位置"), + "locationName": MessageLookupByLibrary.simpleMessage("地点名称"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "位置标签将在照片的某个半径范围内拍摄的所有照片进行分组", + ), + "locations": MessageLookupByLibrary.simpleMessage("位置"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("锁定"), + "lockscreen": MessageLookupByLibrary.simpleMessage("锁屏"), + "logInLabel": MessageLookupByLibrary.simpleMessage("登录"), + "loggingOut": MessageLookupByLibrary.simpleMessage("正在退出登录..."), + "loginSessionExpired": MessageLookupByLibrary.simpleMessage("会话已过期"), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "您的会话已过期。请重新登录。", + ), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "点击登录时,默认我同意 服务条款隐私政策", + ), + "loginWithTOTP": MessageLookupByLibrary.simpleMessage("使用 TOTP 登录"), + "logout": MessageLookupByLibrary.simpleMessage("退出登录"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "这将跨日志发送以帮助我们调试您的问题。 请注意,将包含文件名以帮助跟踪特定文件的问题。", + ), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage("长按电子邮件以验证端到端加密。"), + "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( + "长按一个项目来全屏查看", + ), + "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage("回顾你的回忆🌄"), + "loopVideoOff": MessageLookupByLibrary.simpleMessage("循环播放视频关闭"), + "loopVideoOn": MessageLookupByLibrary.simpleMessage("循环播放视频开启"), + "lostDevice": MessageLookupByLibrary.simpleMessage("设备丢失?"), + "machineLearning": MessageLookupByLibrary.simpleMessage("机器学习"), + "magicSearch": MessageLookupByLibrary.simpleMessage("魔法搜索"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "魔法搜索允许按内容搜索照片,例如“lower\'”、“red car”、“identity documents”", + ), + "manage": MessageLookupByLibrary.simpleMessage("管理"), + "manageDeviceStorage": MessageLookupByLibrary.simpleMessage("管理设备缓存"), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "检查并清除本地缓存存储。", + ), + "manageFamily": MessageLookupByLibrary.simpleMessage("管理家庭计划"), + "manageLink": MessageLookupByLibrary.simpleMessage("管理链接"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("管理"), + "manageSubscription": MessageLookupByLibrary.simpleMessage("管理订阅"), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "用 PIN 码配对适用于您希望在其上查看相册的任何屏幕。", + ), + "map": MessageLookupByLibrary.simpleMessage("地图"), + "maps": MessageLookupByLibrary.simpleMessage("地图"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("我"), + "memories": MessageLookupByLibrary.simpleMessage("回忆"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "选择您希望在主屏幕上看到的回忆类型。", + ), + "memoryCount": m50, + "merchandise": MessageLookupByLibrary.simpleMessage("商品"), + "merge": MessageLookupByLibrary.simpleMessage("合并"), + "mergeWithExisting": MessageLookupByLibrary.simpleMessage("与现有的合并"), + "mergedPhotos": MessageLookupByLibrary.simpleMessage("已合并照片"), + "mlConsent": MessageLookupByLibrary.simpleMessage("启用机器学习"), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "我了解了,并希望启用机器学习", + ), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "如果您启用机器学习,Ente 将从文件(包括与您共享的文件)中提取面部几何形状等信息。\n\n这将在您的设备上进行,并且任何生成的生物特征信息都将被端到端加密。", + ), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "请点击此处查看我们隐私政策中有关此功能的更多详细信息", + ), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage("要启用机器学习吗?"), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "请注意,机器学习会导致带宽和电池使用量增加,直到所有项目都被索引。请考虑使用桌面应用程序来加快索引速度,所有结果都将自动同步。", + ), + "mobileWebDesktop": MessageLookupByLibrary.simpleMessage("移动端, 网页端, 桌面端"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("中等"), + "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( + "修改您的查询,或尝试搜索", + ), + "moments": MessageLookupByLibrary.simpleMessage("瞬间"), + "month": MessageLookupByLibrary.simpleMessage("月"), + "monthly": MessageLookupByLibrary.simpleMessage("每月"), + "moon": MessageLookupByLibrary.simpleMessage("月光之下"), + "moreDetails": MessageLookupByLibrary.simpleMessage("更多详情"), + "mostRecent": MessageLookupByLibrary.simpleMessage("最近"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("最相关"), + "mountains": MessageLookupByLibrary.simpleMessage("翻过山丘"), + "moveItem": m51, + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "将选定的照片调整到某一日期", + ), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("移动到相册"), + "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage("移至隐藏相册"), + "movedSuccessfullyTo": m52, + "movedToTrash": MessageLookupByLibrary.simpleMessage("已移至回收站"), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage("正在将文件移动到相册..."), + "name": MessageLookupByLibrary.simpleMessage("名称"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("命名相册"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "无法连接到 Ente,请稍后重试。如果错误仍然存在,请联系支持人员。", + ), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "无法连接到 Ente,请检查您的网络设置,如果错误仍然存在,请联系支持人员。", + ), + "never": MessageLookupByLibrary.simpleMessage("永不"), + "newAlbum": MessageLookupByLibrary.simpleMessage("新建相册"), + "newLocation": MessageLookupByLibrary.simpleMessage("新位置"), + "newPerson": MessageLookupByLibrary.simpleMessage("新人物"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" 新 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("新起始图片"), + "newToEnte": MessageLookupByLibrary.simpleMessage("初来 Ente"), + "newest": MessageLookupByLibrary.simpleMessage("最新"), + "next": MessageLookupByLibrary.simpleMessage("下一步"), + "no": MessageLookupByLibrary.simpleMessage("否"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage("您尚未共享任何相册"), + "noDeviceFound": MessageLookupByLibrary.simpleMessage("未发现设备"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("无"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "您在此设备上没有可被删除的文件", + ), + "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ 没有重复内容"), + "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( + "没有 Ente 账户!", + ), + "noExifData": MessageLookupByLibrary.simpleMessage("无 EXIF 数据"), + "noFacesFound": MessageLookupByLibrary.simpleMessage("未找到任何面部"), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "没有隐藏的照片或视频", + ), + "noImagesWithLocation": MessageLookupByLibrary.simpleMessage("没有带有位置的图像"), + "noInternetConnection": MessageLookupByLibrary.simpleMessage("无互联网连接"), + "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( + "目前没有照片正在备份", + ), + "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage("这里没有找到照片"), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage("未选择快速链接"), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage("没有恢复密钥吗?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "由于我们端到端加密协议的性质,如果没有您的密码或恢复密钥,您的数据将无法解密", + ), + "noResults": MessageLookupByLibrary.simpleMessage("无结果"), + "noResultsFound": MessageLookupByLibrary.simpleMessage("未找到任何结果"), + "noSuggestionsForPerson": m53, + "noSystemLockFound": MessageLookupByLibrary.simpleMessage("未找到系统锁"), + "notPersonLabel": m54, + "notThisPerson": MessageLookupByLibrary.simpleMessage("不是此人?"), + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "尚未与您共享任何内容", + ), + "nothingToSeeHere": MessageLookupByLibrary.simpleMessage("这里空空如也! 👀"), + "notifications": MessageLookupByLibrary.simpleMessage("通知"), + "ok": MessageLookupByLibrary.simpleMessage("OK"), + "onDevice": MessageLookupByLibrary.simpleMessage("在设备上"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "在 ente 上", + ), + "onTheRoad": MessageLookupByLibrary.simpleMessage("再次踏上旅途"), + "onThisDay": MessageLookupByLibrary.simpleMessage("这天"), + "onThisDayMemories": MessageLookupByLibrary.simpleMessage("这天的回忆"), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "接收关于往年这一天回忆的提醒。", + ), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("仅限他们"), + "oops": MessageLookupByLibrary.simpleMessage("哎呀"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage("糟糕,无法保存编辑"), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "哎呀,似乎出了点问题", + ), + "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage("在浏览器中打开相册"), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "请使用网络应用将照片添加到此相册", + ), + "openFile": MessageLookupByLibrary.simpleMessage("打开文件"), + "openSettings": MessageLookupByLibrary.simpleMessage("打开“设置”"), + "openTheItem": MessageLookupByLibrary.simpleMessage("• 打开该项目"), + "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( + "OpenStreetMap 贡献者", + ), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "可选的,按您喜欢的短语...", + ), + "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( + "或与现有的合并", + ), + "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage("或者选择一个现有的"), + "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( + "或从您的联系人中选择", + ), + "otherDetectedFaces": MessageLookupByLibrary.simpleMessage("其他检测到的人脸"), + "pair": MessageLookupByLibrary.simpleMessage("配对"), + "pairWithPin": MessageLookupByLibrary.simpleMessage("用 PIN 配对"), + "pairingComplete": MessageLookupByLibrary.simpleMessage("配对完成"), + "panorama": MessageLookupByLibrary.simpleMessage("全景"), + "partyWithThem": m56, + "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( + "仍需进行验证", + ), + "passkey": MessageLookupByLibrary.simpleMessage("通行密钥"), + "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage("通行密钥认证"), + "password": MessageLookupByLibrary.simpleMessage("密码"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "密码修改成功", + ), + "passwordLock": MessageLookupByLibrary.simpleMessage("密码锁"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "密码强度的计算考虑了密码的长度、使用的字符以及密码是否出现在最常用的 10,000 个密码中", + ), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "我们不储存这个密码,所以如果忘记, 我们将无法解密您的数据", + ), + "pastYearsMemories": MessageLookupByLibrary.simpleMessage("往年回忆"), + "paymentDetails": MessageLookupByLibrary.simpleMessage("付款明细"), + "paymentFailed": MessageLookupByLibrary.simpleMessage("支付失败"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "不幸的是,您的付款失败。请联系支持人员,我们将为您提供帮助!", + ), + "paymentFailedTalkToProvider": m58, + "pendingItems": MessageLookupByLibrary.simpleMessage("待处理项目"), + "pendingSync": MessageLookupByLibrary.simpleMessage("正在等待同步"), + "people": MessageLookupByLibrary.simpleMessage("人物"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage("使用您的代码的人"), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage("选择您希望在主屏幕上看到的人。"), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "回收站中的所有项目将被永久删除\n\n此操作无法撤消", + ), + "permanentlyDelete": MessageLookupByLibrary.simpleMessage("永久删除"), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "要从设备中永久删除吗?", + ), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("人物名称"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("毛茸茸的伙伴"), + "photoDescriptions": MessageLookupByLibrary.simpleMessage("照片说明"), + "photoGridSize": MessageLookupByLibrary.simpleMessage("照片网格大小"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("照片"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("照片"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage("您添加的照片将从相册中移除"), + "photosCount": m62, + "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( + "照片保持相对时间差", + ), + "pickCenterPoint": MessageLookupByLibrary.simpleMessage("选择中心点"), + "pinAlbum": MessageLookupByLibrary.simpleMessage("置顶相册"), + "pinLock": MessageLookupByLibrary.simpleMessage("PIN 锁定"), + "playOnTv": MessageLookupByLibrary.simpleMessage("在电视上播放相册"), + "playOriginal": MessageLookupByLibrary.simpleMessage("播放原内容"), + "playStoreFreeTrialValidTill": m63, + "playStream": MessageLookupByLibrary.simpleMessage("播放流"), + "playstoreSubscription": MessageLookupByLibrary.simpleMessage( + "PlayStore 订阅", + ), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage("请检查您的互联网连接,然后重试。"), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "请用英语联系 support@ente.io ,我们将乐意提供帮助!", + ), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage("如果问题仍然存在,请联系支持"), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage("请授予权限"), + "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage("请重新登录"), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "请选择要删除的快速链接", + ), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("请重试"), + "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( + "请验证您输入的代码", + ), + "pleaseWait": MessageLookupByLibrary.simpleMessage("请稍候..."), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "请稍候,正在删除相册", + ), + "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( + "请稍等片刻后再重试", + ), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "请稍候,这将需要一段时间。", + ), + "posingWithThem": m66, + "preparingLogs": MessageLookupByLibrary.simpleMessage("正在准备日志..."), + "preserveMore": MessageLookupByLibrary.simpleMessage("保留更多"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage("按住以播放视频"), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "长按图像以播放视频", + ), + "previous": MessageLookupByLibrary.simpleMessage("以前的"), + "privacy": MessageLookupByLibrary.simpleMessage("隐私"), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage("隐私政策"), + "privateBackups": MessageLookupByLibrary.simpleMessage("私人备份"), + "privateSharing": MessageLookupByLibrary.simpleMessage("私人分享"), + "proceed": MessageLookupByLibrary.simpleMessage("继续"), + "processed": MessageLookupByLibrary.simpleMessage("已处理"), + "processing": MessageLookupByLibrary.simpleMessage("正在处理"), + "processingImport": m67, + "processingVideos": MessageLookupByLibrary.simpleMessage("正在处理视频"), + "publicLinkCreated": MessageLookupByLibrary.simpleMessage("公共链接已创建"), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage("公开链接已启用"), + "questionmark": MessageLookupByLibrary.simpleMessage("?"), + "queued": MessageLookupByLibrary.simpleMessage("已入列"), + "quickLinks": MessageLookupByLibrary.simpleMessage("快速链接"), + "radius": MessageLookupByLibrary.simpleMessage("半径"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("提升工单"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("为此应用评分"), + "rateUs": MessageLookupByLibrary.simpleMessage("给我们评分"), + "rateUsOnStore": m68, + "reassignMe": MessageLookupByLibrary.simpleMessage("重新分配“我”"), + "reassignedToName": m69, + "reassigningLoading": MessageLookupByLibrary.simpleMessage("正在重新分配..."), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "接收某人生日时的提醒。点击通知将带您查看生日人物的照片。", + ), + "recover": MessageLookupByLibrary.simpleMessage("恢复"), + "recoverAccount": MessageLookupByLibrary.simpleMessage("恢复账户"), + "recoverButton": MessageLookupByLibrary.simpleMessage("恢复"), + "recoveryAccount": MessageLookupByLibrary.simpleMessage("恢复账户"), + "recoveryInitiated": MessageLookupByLibrary.simpleMessage("已启动恢复"), + "recoveryInitiatedDesc": m70, + "recoveryKey": MessageLookupByLibrary.simpleMessage("恢复密钥"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "恢复密钥已复制到剪贴板", + ), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "如果您忘记了密码,恢复数据的唯一方法就是使用此密钥。", + ), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "我们不会存储此密钥,请将此24个单词密钥保存在一个安全的地方。", + ), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "太棒了! 您的恢复密钥是有效的。 感谢您的验证。\n\n请记住要安全备份您的恢复密钥。", + ), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage("恢复密钥已验证"), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "如果您忘记了密码,恢复密钥是恢复照片的唯一方法。您可以在“设置”>“账户”中找到恢复密钥。\n\n请在此处输入恢复密钥,以验证您是否已正确保存。", + ), + "recoveryReady": m71, + "recoverySuccessful": MessageLookupByLibrary.simpleMessage("恢复成功!"), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "一位可信联系人正在尝试访问您的账户", + ), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "当前设备的功能不足以验证您的密码,但我们可以以适用于所有设备的方式重新生成。\n\n请使用您的恢复密钥登录并重新生成您的密码(如果您希望,可以再次使用相同的密码)。", + ), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage("重新创建密码"), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": MessageLookupByLibrary.simpleMessage("再次输入密码"), + "reenterPin": MessageLookupByLibrary.simpleMessage("再次输入 PIN 码"), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "把我们推荐给你的朋友然后获得延长一倍的订阅计划", + ), + "referralStep1": MessageLookupByLibrary.simpleMessage("1. 将此代码提供给您的朋友"), + "referralStep2": MessageLookupByLibrary.simpleMessage("2. 他们注册一个付费计划"), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("推荐"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "推荐已暂停", + ), + "rejectRecovery": MessageLookupByLibrary.simpleMessage("拒绝恢复"), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "同时从“设置”->“存储”中清空“最近删除”以领取释放的空间", + ), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "同时清空您的“回收站”以领取释放的空间", + ), + "remoteImages": MessageLookupByLibrary.simpleMessage("云端图像"), + "remoteThumbnails": MessageLookupByLibrary.simpleMessage("云端缩略图"), + "remoteVideos": MessageLookupByLibrary.simpleMessage("云端视频"), + "remove": MessageLookupByLibrary.simpleMessage("移除"), + "removeDuplicates": MessageLookupByLibrary.simpleMessage("移除重复内容"), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "检查并删除完全重复的文件。", + ), + "removeFromAlbum": MessageLookupByLibrary.simpleMessage("从相册中移除"), + "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage("要从相册中移除吗?"), + "removeFromFavorite": MessageLookupByLibrary.simpleMessage("从收藏中移除"), + "removeInvite": MessageLookupByLibrary.simpleMessage("移除邀请"), + "removeLink": MessageLookupByLibrary.simpleMessage("移除链接"), + "removeParticipant": MessageLookupByLibrary.simpleMessage("移除参与者"), + "removeParticipantBody": m74, + "removePersonLabel": MessageLookupByLibrary.simpleMessage("移除人物标签"), + "removePublicLink": MessageLookupByLibrary.simpleMessage("删除公开链接"), + "removePublicLinks": MessageLookupByLibrary.simpleMessage("删除公开链接"), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "您要删除的某些项目是由其他人添加的,您将无法访问它们", + ), + "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("要移除吗?"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "删除自己作为可信联系人", + ), + "removingFromFavorites": MessageLookupByLibrary.simpleMessage( + "正在从收藏中删除...", + ), + "rename": MessageLookupByLibrary.simpleMessage("重命名"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("重命名相册"), + "renameFile": MessageLookupByLibrary.simpleMessage("重命名文件"), + "renewSubscription": MessageLookupByLibrary.simpleMessage("续费订阅"), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("报告错误"), + "reportBug": MessageLookupByLibrary.simpleMessage("报告错误"), + "resendEmail": MessageLookupByLibrary.simpleMessage("重新发送电子邮件"), + "reset": MessageLookupByLibrary.simpleMessage("重设"), + "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage("重置忽略的文件"), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage("重置密码"), + "resetPerson": MessageLookupByLibrary.simpleMessage("移除"), + "resetToDefault": MessageLookupByLibrary.simpleMessage("重置为默认设置"), + "restore": MessageLookupByLibrary.simpleMessage("恢复"), + "restoreToAlbum": MessageLookupByLibrary.simpleMessage("恢复到相册"), + "restoringFiles": MessageLookupByLibrary.simpleMessage("正在恢复文件..."), + "resumableUploads": MessageLookupByLibrary.simpleMessage("可续传上传"), + "retry": MessageLookupByLibrary.simpleMessage("重试"), + "review": MessageLookupByLibrary.simpleMessage("查看"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "请检查并删除您认为重复的项目。", + ), + "reviewSuggestions": MessageLookupByLibrary.simpleMessage("查看建议"), + "right": MessageLookupByLibrary.simpleMessage("向右"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("旋转"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("向左旋转"), + "rotateRight": MessageLookupByLibrary.simpleMessage("向右旋转"), + "safelyStored": MessageLookupByLibrary.simpleMessage("安全存储"), + "same": MessageLookupByLibrary.simpleMessage("相同"), + "sameperson": MessageLookupByLibrary.simpleMessage("是同一个人?"), + "save": MessageLookupByLibrary.simpleMessage("保存"), + "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage("另存为其他人物"), + "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( + "离开之前要保存更改吗?", + ), + "saveCollage": MessageLookupByLibrary.simpleMessage("保存拼贴"), + "saveCopy": MessageLookupByLibrary.simpleMessage("保存副本"), + "saveKey": MessageLookupByLibrary.simpleMessage("保存密钥"), + "savePerson": MessageLookupByLibrary.simpleMessage("保存人物"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage("若您尚未保存,请妥善保存此恢复密钥"), + "saving": MessageLookupByLibrary.simpleMessage("正在保存..."), + "savingEdits": MessageLookupByLibrary.simpleMessage("正在保存编辑内容..."), + "scanCode": MessageLookupByLibrary.simpleMessage("扫描二维码/条码"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage("用您的身份验证器应用\n扫描此条码"), + "search": MessageLookupByLibrary.simpleMessage("搜索"), + "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("相册"), + "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage("相册名称"), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• 相册名称(例如“相机”)\n• 文件类型(例如“视频”、“.gif”)\n• 年份和月份(例如“2022”、“一月”)\n• 假期(例如“圣诞节”)\n• 照片说明(例如“#和女儿独居,好开心啊”)", + ), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "在照片信息中添加“#旅游”等描述,以便在此处快速找到它们", + ), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "按日期搜索,月份或年份", + ), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "处理和同步完成后,图像将显示在此处", + ), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "待索引完成后,人物将显示在此处", + ), + "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( + "文件类型和名称", + ), + "searchHint1": MessageLookupByLibrary.simpleMessage("在设备上快速搜索"), + "searchHint2": MessageLookupByLibrary.simpleMessage("照片日期、描述"), + "searchHint3": MessageLookupByLibrary.simpleMessage("相册、文件名和类型"), + "searchHint4": MessageLookupByLibrary.simpleMessage("位置"), + "searchHint5": MessageLookupByLibrary.simpleMessage("即将到来:面部和魔法搜索✨"), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "在照片的一定半径内拍摄的几组照片", + ), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "邀请他人,您将在此看到他们分享的所有照片", + ), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "处理和同步完成后,人物将显示在此处", + ), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("安全"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "在应用程序中查看公开相册链接", + ), + "selectALocation": MessageLookupByLibrary.simpleMessage("选择一个位置"), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage("首先选择一个位置"), + "selectAlbum": MessageLookupByLibrary.simpleMessage("选择相册"), + "selectAll": MessageLookupByLibrary.simpleMessage("全选"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("全部"), + "selectCoverPhoto": MessageLookupByLibrary.simpleMessage("选择封面照片"), + "selectDate": MessageLookupByLibrary.simpleMessage("选择日期"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage("选择要备份的文件夹"), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage("选择要添加的项目"), + "selectLanguage": MessageLookupByLibrary.simpleMessage("选择语言"), + "selectMailApp": MessageLookupByLibrary.simpleMessage("选择邮件应用"), + "selectMorePhotos": MessageLookupByLibrary.simpleMessage("选择更多照片"), + "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage("选择一个日期和时间"), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "为所有项选择一个日期和时间", + ), + "selectPersonToLink": MessageLookupByLibrary.simpleMessage("选择要链接的人"), + "selectReason": MessageLookupByLibrary.simpleMessage("选择原因"), + "selectStartOfRange": MessageLookupByLibrary.simpleMessage("选择起始图片"), + "selectTime": MessageLookupByLibrary.simpleMessage("选择时间"), + "selectYourFace": MessageLookupByLibrary.simpleMessage("选择你的脸"), + "selectYourPlan": MessageLookupByLibrary.simpleMessage("选择您的计划"), + "selectedAlbums": m79, + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "所选文件不在 Ente 上", + ), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage("所选文件夹将被加密并备份"), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage("所选项目将从所有相册中删除并移动到回收站。"), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage("选定的项目将从此人身上移除,但不会从您的库中删除。"), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("发送"), + "sendEmail": MessageLookupByLibrary.simpleMessage("发送电子邮件"), + "sendInvite": MessageLookupByLibrary.simpleMessage("发送邀请"), + "sendLink": MessageLookupByLibrary.simpleMessage("发送链接"), + "serverEndpoint": MessageLookupByLibrary.simpleMessage("服务器端点"), + "sessionExpired": MessageLookupByLibrary.simpleMessage("会话已过期"), + "sessionIdMismatch": MessageLookupByLibrary.simpleMessage("会话 ID 不匹配"), + "setAPassword": MessageLookupByLibrary.simpleMessage("设置密码"), + "setAs": MessageLookupByLibrary.simpleMessage("设置为"), + "setCover": MessageLookupByLibrary.simpleMessage("设置封面"), + "setLabel": MessageLookupByLibrary.simpleMessage("设置"), + "setNewPassword": MessageLookupByLibrary.simpleMessage("设置新密码"), + "setNewPin": MessageLookupByLibrary.simpleMessage("设置新 PIN 码"), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage("设置密码"), + "setRadius": MessageLookupByLibrary.simpleMessage("设定半径"), + "setupComplete": MessageLookupByLibrary.simpleMessage("设置完成"), + "share": MessageLookupByLibrary.simpleMessage("分享"), + "shareALink": MessageLookupByLibrary.simpleMessage("分享链接"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "打开相册并点击右上角的分享按钮进行分享", + ), + "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage("立即分享相册"), + "shareLink": MessageLookupByLibrary.simpleMessage("分享链接"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "仅与您想要的人分享", + ), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "下载 Ente,让我们轻松共享高质量的原始照片和视频", + ), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "与非 Ente 用户共享", + ), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage("分享您的第一个相册"), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "与其他 Ente 用户(包括免费计划用户)创建共享和协作相册。", + ), + "sharedByMe": MessageLookupByLibrary.simpleMessage("由我共享的"), + "sharedByYou": MessageLookupByLibrary.simpleMessage("您共享的"), + "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage("新共享的照片"), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "当有人将照片添加到您所属的共享相册时收到通知", + ), + "sharedWith": m87, + "sharedWithMe": MessageLookupByLibrary.simpleMessage("与我共享"), + "sharedWithYou": MessageLookupByLibrary.simpleMessage("已与您共享"), + "sharing": MessageLookupByLibrary.simpleMessage("正在分享..."), + "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage("调整日期和时间"), + "showLessFaces": MessageLookupByLibrary.simpleMessage("显示较少人脸"), + "showMemories": MessageLookupByLibrary.simpleMessage("显示回忆"), + "showMoreFaces": MessageLookupByLibrary.simpleMessage("显示更多人脸"), + "showPerson": MessageLookupByLibrary.simpleMessage("显示人员"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "从其他设备退出登录", + ), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "如果你认为有人可能知道你的密码,你可以强制所有使用你账户的其他设备退出登录。", + ), + "signOutOtherDevices": MessageLookupByLibrary.simpleMessage("登出其他设备"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "我同意 服务条款隐私政策", + ), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "它将从所有相册中删除。", + ), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("跳过"), + "smartMemories": MessageLookupByLibrary.simpleMessage("智能回忆"), + "social": MessageLookupByLibrary.simpleMessage("社交"), + "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( + "有些项目同时存在于 Ente 和您的设备中。", + ), + "someOfTheFilesYouAreTryingToDeleteAre": + MessageLookupByLibrary.simpleMessage("您要删除的部分文件仅在您的设备上可用,且删除后无法恢复"), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage("与您共享相册的人应该会在他们的设备上看到相同的 ID。"), + "somethingWentWrong": MessageLookupByLibrary.simpleMessage("出了些问题"), + "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "出了点问题,请重试", + ), + "sorry": MessageLookupByLibrary.simpleMessage("抱歉"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "抱歉,我们目前无法备份此文件,我们将稍后重试。", + ), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "抱歉,无法添加到收藏!", + ), + "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( + "抱歉,无法从收藏中移除!", + ), + "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "抱歉,您输入的代码不正确", + ), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "抱歉,我们无法在此设备上生成安全密钥。\n\n请使用其他设备注册。", + ), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "抱歉,我们不得不暂停您的备份", + ), + "sort": MessageLookupByLibrary.simpleMessage("排序"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("排序方式"), + "sortNewestFirst": MessageLookupByLibrary.simpleMessage("最新在前"), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage("最旧在前"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ 成功"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": MessageLookupByLibrary.simpleMessage("聚光灯下的自己"), + "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage("开始恢复"), + "startBackup": MessageLookupByLibrary.simpleMessage("开始备份"), + "status": MessageLookupByLibrary.simpleMessage("状态"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage("您想停止投放吗?"), + "stopCastingTitle": MessageLookupByLibrary.simpleMessage("停止投放"), + "storage": MessageLookupByLibrary.simpleMessage("存储空间"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("家庭"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("您"), + "storageInGB": m93, + "storageLimitExceeded": MessageLookupByLibrary.simpleMessage("已超出存储限制"), + "storageUsageInfo": m94, + "streamDetails": MessageLookupByLibrary.simpleMessage("流详情"), + "strongStrength": MessageLookupByLibrary.simpleMessage("强"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("订阅"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "您需要有效的付费订阅才能启用共享。", + ), + "subscription": MessageLookupByLibrary.simpleMessage("订阅"), + "success": MessageLookupByLibrary.simpleMessage("成功"), + "successfullyArchived": MessageLookupByLibrary.simpleMessage("存档成功"), + "successfullyHid": MessageLookupByLibrary.simpleMessage("已成功隐藏"), + "successfullyUnarchived": MessageLookupByLibrary.simpleMessage("取消存档成功"), + "successfullyUnhid": MessageLookupByLibrary.simpleMessage("已成功取消隐藏"), + "suggestFeatures": MessageLookupByLibrary.simpleMessage("建议新功能"), + "sunrise": MessageLookupByLibrary.simpleMessage("在地平线上"), + "support": MessageLookupByLibrary.simpleMessage("支持"), + "syncProgress": m97, + "syncStopped": MessageLookupByLibrary.simpleMessage("同步已停止"), + "syncing": MessageLookupByLibrary.simpleMessage("正在同步···"), + "systemTheme": MessageLookupByLibrary.simpleMessage("适应系统"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("点击以复制"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage("点击以输入代码"), + "tapToUnlock": MessageLookupByLibrary.simpleMessage("点击解锁"), + "tapToUpload": MessageLookupByLibrary.simpleMessage("点按上传"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "看起来出了点问题。 请稍后重试。 如果错误仍然存在,请联系我们的支持团队。", + ), + "terminate": MessageLookupByLibrary.simpleMessage("终止"), + "terminateSession": MessageLookupByLibrary.simpleMessage("是否终止会话?"), + "terms": MessageLookupByLibrary.simpleMessage("使用条款"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("使用条款"), + "thankYou": MessageLookupByLibrary.simpleMessage("非常感谢您"), + "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage("感谢您的订阅!"), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "未能完成下载", + ), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage("您尝试访问的链接已过期。"), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "人物组将不再显示在人物部分。照片将保持不变。", + ), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "该人将不再显示在人物部分。照片将保持不变。", + ), + "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( + "您输入的恢复密钥不正确", + ), + "theme": MessageLookupByLibrary.simpleMessage("主题"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage("这些项目将从您的设备中删除。"), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "他们将从所有相册中删除。", + ), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage("此操作无法撤销"), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage("此相册已经有一个协作链接"), + "thisCanBeUsedToRecoverYourAccountIfYou": + MessageLookupByLibrary.simpleMessage("如果您丢失了双重认证方式,这可以用来恢复您的账户"), + "thisDevice": MessageLookupByLibrary.simpleMessage("此设备"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "这个邮箱地址已经被使用", + ), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "此图像没有Exif 数据", + ), + "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("这就是我!"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "这是您的验证 ID", + ), + "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage("历年本周"), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage("这将使您在以下设备中退出登录:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "这将使您在此设备上退出登录!", + ), + "thisWillMakeTheDateAndTimeOfAllSelected": + MessageLookupByLibrary.simpleMessage("这将使所有选定的照片的日期和时间相同。"), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage("这将删除所有选定的快速链接的公共链接。"), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage("要启用应用锁,请在系统设置中设置设备密码或屏幕锁。"), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage("隐藏照片或视频"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "要重置您的密码,请先验证您的电子邮件。", + ), + "todaysLogs": MessageLookupByLibrary.simpleMessage("当天日志"), + "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( + "错误尝试次数过多", + ), + "total": MessageLookupByLibrary.simpleMessage("总计"), + "totalSize": MessageLookupByLibrary.simpleMessage("总大小"), + "trash": MessageLookupByLibrary.simpleMessage("回收站"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("修剪"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": MessageLookupByLibrary.simpleMessage("可信联系人"), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("请再试一次"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "打开备份可自动上传添加到此设备文件夹的文件至 Ente。", + ), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "在年度计划上免费获得 2 个月", + ), + "twofactor": MessageLookupByLibrary.simpleMessage("双重认证"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage("双重认证已被禁用"), + "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( + "双重认证", + ), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage("成功重置双重认证"), + "twofactorSetup": MessageLookupByLibrary.simpleMessage("双重认证设置"), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("取消存档"), + "unarchiveAlbum": MessageLookupByLibrary.simpleMessage("取消存档相册"), + "unarchiving": MessageLookupByLibrary.simpleMessage("正在取消存档..."), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "抱歉,此代码不可用。", + ), + "uncategorized": MessageLookupByLibrary.simpleMessage("未分类的"), + "unhide": MessageLookupByLibrary.simpleMessage("取消隐藏"), + "unhideToAlbum": MessageLookupByLibrary.simpleMessage("取消隐藏到相册"), + "unhiding": MessageLookupByLibrary.simpleMessage("正在取消隐藏..."), + "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage("正在取消隐藏文件到相册"), + "unlock": MessageLookupByLibrary.simpleMessage("解锁"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("取消置顶相册"), + "unselectAll": MessageLookupByLibrary.simpleMessage("取消全部选择"), + "update": MessageLookupByLibrary.simpleMessage("更新"), + "updateAvailable": MessageLookupByLibrary.simpleMessage("有可用的更新"), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "正在更新文件夹选择...", + ), + "upgrade": MessageLookupByLibrary.simpleMessage("升级"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "正在将文件上传到相册...", + ), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( + "正在保存 1 个回忆...", + ), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "最高五折优惠,直至12月4日。", + ), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "可用存储空间受您当前计划的限制。 当您升级您的计划时,超出要求的存储空间将自动变为可用。", + ), + "useAsCover": MessageLookupByLibrary.simpleMessage("用作封面"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "播放此视频时遇到问题了吗?长按此处可尝试使用其他播放器。", + ), + "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( + "对不在 Ente 上的人使用公开链接", + ), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage("使用恢复密钥"), + "useSelectedPhoto": MessageLookupByLibrary.simpleMessage("使用所选照片"), + "usedSpace": MessageLookupByLibrary.simpleMessage("已用空间"), + "validTill": m110, + "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "验证失败,请重试", + ), + "verificationId": MessageLookupByLibrary.simpleMessage("验证 ID"), + "verify": MessageLookupByLibrary.simpleMessage("验证"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("验证电子邮件"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("验证"), + "verifyPasskey": MessageLookupByLibrary.simpleMessage("验证通行密钥"), + "verifyPassword": MessageLookupByLibrary.simpleMessage("验证密码"), + "verifying": MessageLookupByLibrary.simpleMessage("正在验证..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage("正在验证恢复密钥..."), + "videoInfo": MessageLookupByLibrary.simpleMessage("视频详情"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("视频"), + "videoStreaming": MessageLookupByLibrary.simpleMessage("可流媒体播放的视频"), + "videos": MessageLookupByLibrary.simpleMessage("视频"), + "viewActiveSessions": MessageLookupByLibrary.simpleMessage("查看活动会话"), + "viewAddOnButton": MessageLookupByLibrary.simpleMessage("查看附加组件"), + "viewAll": MessageLookupByLibrary.simpleMessage("查看全部"), + "viewAllExifData": MessageLookupByLibrary.simpleMessage("查看所有 EXIF 数据"), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("大文件"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "查看占用存储空间最多的文件。", + ), + "viewLogs": MessageLookupByLibrary.simpleMessage("查看日志"), + "viewPersonToUnlink": m112, + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage("查看恢复密钥"), + "viewer": MessageLookupByLibrary.simpleMessage("查看者"), + "viewersSuccessfullyAdded": m113, + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "请访问 web.ente.io 来管理您的订阅", + ), + "waitingForVerification": MessageLookupByLibrary.simpleMessage("等待验证..."), + "waitingForWifi": MessageLookupByLibrary.simpleMessage("正在等待 WiFi..."), + "warning": MessageLookupByLibrary.simpleMessage("警告"), + "weAreOpenSource": MessageLookupByLibrary.simpleMessage("我们是开源的 !"), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage("我们不支持编辑您尚未拥有的照片和相册"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("弱"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("欢迎回来!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("更新日志"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "可信联系人可以帮助恢复您的数据。", + ), + "widgets": MessageLookupByLibrary.simpleMessage("小组件"), + "wishThemAHappyBirthday": m115, + "yearShort": MessageLookupByLibrary.simpleMessage("年"), + "yearly": MessageLookupByLibrary.simpleMessage("每年"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("是"), + "yesCancel": MessageLookupByLibrary.simpleMessage("是的,取消"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage("是的,转换为查看者"), + "yesDelete": MessageLookupByLibrary.simpleMessage("是的, 删除"), + "yesDiscardChanges": MessageLookupByLibrary.simpleMessage("是的,放弃更改"), + "yesIgnore": MessageLookupByLibrary.simpleMessage("是的,忽略"), + "yesLogout": MessageLookupByLibrary.simpleMessage("是的,退出登陆"), + "yesRemove": MessageLookupByLibrary.simpleMessage("是,移除"), + "yesRenew": MessageLookupByLibrary.simpleMessage("是的,续费"), + "yesResetPerson": MessageLookupByLibrary.simpleMessage("是,重设人物"), + "you": MessageLookupByLibrary.simpleMessage("您"), + "youAndThem": m117, + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage("你在一个家庭计划中!"), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage("当前为最新版本"), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* 您最多可以将您的存储空间增加一倍", + ), + "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( + "您可以在分享选项卡中管理您的链接。", + ), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage("您可以尝试搜索不同的查询。"), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "您不能降级到此计划", + ), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "莫开玩笑,您不能与自己分享", + ), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "您没有任何存档的项目。", + ), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "您的账户已删除", + ), + "yourMap": MessageLookupByLibrary.simpleMessage("您的地图"), + "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( + "您的计划已成功降级", + ), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "您的计划已成功升级", + ), + "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage("您购买成功!"), + "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( + "无法获取您的存储详情", + ), + "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( + "您的订阅已过期", + ), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage("您的订阅已成功更新"), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "您的验证码已过期", + ), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage("您没有任何可以清除的重复文件"), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage("您在此相册中没有可以删除的文件"), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage("缩小以查看照片"), + }; } diff --git a/mobile/apps/photos/lib/generated/l10n.dart b/mobile/apps/photos/lib/generated/l10n.dart index c0ee8710c1..2df799b7c4 100644 --- a/mobile/apps/photos/lib/generated/l10n.dart +++ b/mobile/apps/photos/lib/generated/l10n.dart @@ -18,8 +18,10 @@ class S { static S? _current; static S get current { - assert(_current != null, - 'No instance of S was loaded. Try to initialize the S delegate before accessing S.current.'); + assert( + _current != null, + 'No instance of S was loaded. Try to initialize the S delegate before accessing S.current.', + ); return _current!; } @@ -41,8 +43,10 @@ class S { static S of(BuildContext context) { final instance = S.maybeOf(context); - assert(instance != null, - 'No instance of S present in the widget tree. Did you add S.delegate in localizationsDelegates?'); + assert( + instance != null, + 'No instance of S present in the widget tree. Did you add S.delegate in localizationsDelegates?', + ); return instance!; } @@ -102,32 +106,17 @@ class S { /// `Email` String get email { - return Intl.message( - 'Email', - name: 'email', - desc: '', - args: [], - ); + return Intl.message('Email', name: 'email', desc: '', args: []); } /// `Cancel` String get cancel { - return Intl.message( - 'Cancel', - name: 'cancel', - desc: '', - args: [], - ); + return Intl.message('Cancel', name: 'cancel', desc: '', args: []); } /// `Verify` String get verify { - return Intl.message( - 'Verify', - name: 'verify', - desc: '', - args: [], - ); + return Intl.message('Verify', name: 'verify', desc: '', args: []); } /// `Invalid email address` @@ -182,12 +171,7 @@ class S { /// `Feedback` String get feedback { - return Intl.message( - 'Feedback', - name: 'feedback', - desc: '', - args: [], - ); + return Intl.message('Feedback', name: 'feedback', desc: '', args: []); } /// `Kindly help us with this information` @@ -292,12 +276,7 @@ class S { /// `Send email` String get sendEmail { - return Intl.message( - 'Send email', - name: 'sendEmail', - desc: '', - args: [], - ); + return Intl.message('Send email', name: 'sendEmail', desc: '', args: []); } /// `Your request will be processed within 72 hours.` @@ -332,12 +311,7 @@ class S { /// `Ok` String get ok { - return Intl.message( - 'Ok', - name: 'ok', - desc: '', - args: [], - ); + return Intl.message('Ok', name: 'ok', desc: '', args: []); } /// `Create account` @@ -362,12 +336,7 @@ class S { /// `Password` String get password { - return Intl.message( - 'Password', - name: 'password', - desc: '', - args: [], - ); + return Intl.message('Password', name: 'password', desc: '', args: []); } /// `Confirm password` @@ -392,12 +361,7 @@ class S { /// `Oops` String get oops { - return Intl.message( - 'Oops', - name: 'oops', - desc: '', - args: [], - ); + return Intl.message('Oops', name: 'oops', desc: '', args: []); } /// `Something went wrong, please try again` @@ -442,32 +406,17 @@ class S { /// `Terminate` String get terminate { - return Intl.message( - 'Terminate', - name: 'terminate', - desc: '', - args: [], - ); + return Intl.message('Terminate', name: 'terminate', desc: '', args: []); } /// `This device` String get thisDevice { - return Intl.message( - 'This device', - name: 'thisDevice', - desc: '', - args: [], - ); + return Intl.message('This device', name: 'thisDevice', desc: '', args: []); } /// `Recover` String get recoverButton { - return Intl.message( - 'Recover', - name: 'recoverButton', - desc: '', - args: [], - ); + return Intl.message('Recover', name: 'recoverButton', desc: '', args: []); } /// `Recovery successful!` @@ -542,12 +491,7 @@ class S { /// `Sorry` String get sorry { - return Intl.message( - 'Sorry', - name: 'sorry', - desc: '', - args: [], - ); + return Intl.message('Sorry', name: 'sorry', desc: '', args: []); } /// `Due to the nature of our end-to-end encryption protocol, your data cannot be decrypted without your password or recovery key` @@ -692,22 +636,12 @@ class S { /// `Weak` String get weakStrength { - return Intl.message( - 'Weak', - name: 'weakStrength', - desc: '', - args: [], - ); + return Intl.message('Weak', name: 'weakStrength', desc: '', args: []); } /// `Strong` String get strongStrength { - return Intl.message( - 'Strong', - name: 'strongStrength', - desc: '', - args: [], - ); + return Intl.message('Strong', name: 'strongStrength', desc: '', args: []); } /// `Moderate` @@ -762,12 +696,7 @@ class S { /// `Continue` String get continueLabel { - return Intl.message( - 'Continue', - name: 'continueLabel', - desc: '', - args: [], - ); + return Intl.message('Continue', name: 'continueLabel', desc: '', args: []); } /// `Insecure device` @@ -792,22 +721,12 @@ class S { /// `How it works` String get howItWorks { - return Intl.message( - 'How it works', - name: 'howItWorks', - desc: '', - args: [], - ); + return Intl.message('How it works', name: 'howItWorks', desc: '', args: []); } /// `Encryption` String get encryption { - return Intl.message( - 'Encryption', - name: 'encryption', - desc: '', - args: [], - ); + return Intl.message('Encryption', name: 'encryption', desc: '', args: []); } /// `I understand that if I lose my password, I may lose my data since my data is end-to-end encrypted.` @@ -852,12 +771,7 @@ class S { /// `Log in` String get logInLabel { - return Intl.message( - 'Log in', - name: 'logInLabel', - desc: '', - args: [], - ); + return Intl.message('Log in', name: 'logInLabel', desc: '', args: []); } /// `By clicking log in, I agree to the terms of service and privacy policy` @@ -1012,12 +926,7 @@ class S { /// `Save key` String get saveKey { - return Intl.message( - 'Save key', - name: 'saveKey', - desc: '', - args: [], - ); + return Intl.message('Save key', name: 'saveKey', desc: '', args: []); } /// `Recovery key copied to clipboard` @@ -1042,12 +951,7 @@ class S { /// `Recover` String get recover { - return Intl.message( - 'Recover', - name: 'recover', - desc: '', - args: [], - ); + return Intl.message('Recover', name: 'recover', desc: '', args: []); } /// `Please drop an email to {supportEmail} from your registered email address` @@ -1072,22 +976,12 @@ class S { /// `Enter code` String get enterCode { - return Intl.message( - 'Enter code', - name: 'enterCode', - desc: '', - args: [], - ); + return Intl.message('Enter code', name: 'enterCode', desc: '', args: []); } /// `Scan code` String get scanCode { - return Intl.message( - 'Scan code', - name: 'scanCode', - desc: '', - args: [], - ); + return Intl.message('Scan code', name: 'scanCode', desc: '', args: []); } /// `Code copied to clipboard` @@ -1112,12 +1006,7 @@ class S { /// `tap to copy` String get tapToCopy { - return Intl.message( - 'tap to copy', - name: 'tapToCopy', - desc: '', - args: [], - ); + return Intl.message('tap to copy', name: 'tapToCopy', desc: '', args: []); } /// `Scan this barcode with\nyour authenticator app` @@ -1142,12 +1031,7 @@ class S { /// `Confirm` String get confirm { - return Intl.message( - 'Confirm', - name: 'confirm', - desc: '', - args: [], - ); + return Intl.message('Confirm', name: 'confirm', desc: '', args: []); } /// `Setup complete` @@ -1192,12 +1076,7 @@ class S { /// `Lost device?` String get lostDevice { - return Intl.message( - 'Lost device?', - name: 'lostDevice', - desc: '', - args: [], - ); + return Intl.message('Lost device?', name: 'lostDevice', desc: '', args: []); } /// `Verifying recovery key...` @@ -1242,22 +1121,12 @@ class S { /// `Invalid key` String get invalidKey { - return Intl.message( - 'Invalid key', - name: 'invalidKey', - desc: '', - args: [], - ); + return Intl.message('Invalid key', name: 'invalidKey', desc: '', args: []); } /// `Try again` String get tryAgain { - return Intl.message( - 'Try again', - name: 'tryAgain', - desc: '', - args: [], - ); + return Intl.message('Try again', name: 'tryAgain', desc: '', args: []); } /// `View recovery key` @@ -1302,12 +1171,7 @@ class S { /// `Add viewer` String get addViewer { - return Intl.message( - 'Add viewer', - name: 'addViewer', - desc: '', - args: [], - ); + return Intl.message('Add viewer', name: 'addViewer', desc: '', args: []); } /// `Add collaborator` @@ -1352,12 +1216,7 @@ class S { /// `Enter email` String get enterEmail { - return Intl.message( - 'Enter email', - name: 'enterEmail', - desc: '', - args: [], - ); + return Intl.message('Enter email', name: 'enterEmail', desc: '', args: []); } /// `Owner` @@ -1372,12 +1231,7 @@ class S { /// `You` String get you { - return Intl.message( - 'You', - name: 'you', - desc: '', - args: [], - ); + return Intl.message('You', name: 'you', desc: '', args: []); } /// `Collaborator` @@ -1402,22 +1256,12 @@ class S { /// `Viewer` String get viewer { - return Intl.message( - 'Viewer', - name: 'viewer', - desc: '', - args: [], - ); + return Intl.message('Viewer', name: 'viewer', desc: '', args: []); } /// `Remove` String get remove { - return Intl.message( - 'Remove', - name: 'remove', - desc: '', - args: [], - ); + return Intl.message('Remove', name: 'remove', desc: '', args: []); } /// `Remove participant` @@ -1432,22 +1276,12 @@ class S { /// `Manage` String get manage { - return Intl.message( - 'Manage', - name: 'manage', - desc: '', - args: [], - ); + return Intl.message('Manage', name: 'manage', desc: '', args: []); } /// `Added as` String get addedAs { - return Intl.message( - 'Added as', - name: 'addedAs', - desc: '', - args: [], - ); + return Intl.message('Added as', name: 'addedAs', desc: '', args: []); } /// `Change permissions?` @@ -1582,42 +1416,22 @@ class S { /// `Link expiry` String get linkExpiry { - return Intl.message( - 'Link expiry', - name: 'linkExpiry', - desc: '', - args: [], - ); + return Intl.message('Link expiry', name: 'linkExpiry', desc: '', args: []); } /// `Expired` String get linkExpired { - return Intl.message( - 'Expired', - name: 'linkExpired', - desc: '', - args: [], - ); + return Intl.message('Expired', name: 'linkExpired', desc: '', args: []); } /// `Enabled` String get linkEnabled { - return Intl.message( - 'Enabled', - name: 'linkEnabled', - desc: '', - args: [], - ); + return Intl.message('Enabled', name: 'linkEnabled', desc: '', args: []); } /// `Never` String get linkNeverExpires { - return Intl.message( - 'Never', - name: 'linkNeverExpires', - desc: '', - args: [], - ); + return Intl.message('Never', name: 'linkNeverExpires', desc: '', args: []); } /// `This link has expired. Please select a new expiry time or disable link expiry.` @@ -1642,12 +1456,7 @@ class S { /// `Lock` String get lockButtonLabel { - return Intl.message( - 'Lock', - name: 'lockButtonLabel', - desc: '', - args: [], - ); + return Intl.message('Lock', name: 'lockButtonLabel', desc: '', args: []); } /// `Enter password` @@ -1662,22 +1471,12 @@ class S { /// `Remove link` String get removeLink { - return Intl.message( - 'Remove link', - name: 'removeLink', - desc: '', - args: [], - ); + return Intl.message('Remove link', name: 'removeLink', desc: '', args: []); } /// `Manage link` String get manageLink { - return Intl.message( - 'Manage link', - name: 'manageLink', - desc: '', - args: [], - ); + return Intl.message('Manage link', name: 'manageLink', desc: '', args: []); } /// `Link will expire on {expiryTime}` @@ -1702,12 +1501,7 @@ class S { /// `Never` String get never { - return Intl.message( - 'Never', - name: 'never', - desc: '', - args: [], - ); + return Intl.message('Never', name: 'never', desc: '', args: []); } /// `Custom` @@ -1722,32 +1516,17 @@ class S { /// `After 1 hour` String get after1Hour { - return Intl.message( - 'After 1 hour', - name: 'after1Hour', - desc: '', - args: [], - ); + return Intl.message('After 1 hour', name: 'after1Hour', desc: '', args: []); } /// `After 1 day` String get after1Day { - return Intl.message( - 'After 1 day', - name: 'after1Day', - desc: '', - args: [], - ); + return Intl.message('After 1 day', name: 'after1Day', desc: '', args: []); } /// `After 1 week` String get after1Week { - return Intl.message( - 'After 1 week', - name: 'after1Week', - desc: '', - args: [], - ); + return Intl.message('After 1 week', name: 'after1Week', desc: '', args: []); } /// `After 1 month` @@ -1762,12 +1541,7 @@ class S { /// `After 1 year` String get after1Year { - return Intl.message( - 'After 1 year', - name: 'after1Year', - desc: '', - args: [], - ); + return Intl.message('After 1 year', name: 'after1Year', desc: '', args: []); } /// `Manage` @@ -1845,22 +1619,12 @@ class S { /// `Send link` String get sendLink { - return Intl.message( - 'Send link', - name: 'sendLink', - desc: '', - args: [], - ); + return Intl.message('Send link', name: 'sendLink', desc: '', args: []); } /// `Copy link` String get copyLink { - return Intl.message( - 'Copy link', - name: 'copyLink', - desc: '', - args: [], - ); + return Intl.message('Copy link', name: 'copyLink', desc: '', args: []); } /// `Link has expired` @@ -1885,12 +1649,7 @@ class S { /// `Share a link` String get shareALink { - return Intl.message( - 'Share a link', - name: 'shareALink', - desc: '', - args: [], - ); + return Intl.message('Share a link', name: 'shareALink', desc: '', args: []); } /// `Create shared and collaborative albums with other Ente users, including users on free plans.` @@ -2018,12 +1777,7 @@ class S { /// `Send invite` String get sendInvite { - return Intl.message( - 'Send invite', - name: 'sendInvite', - desc: '', - args: [], - ); + return Intl.message('Send invite', name: 'sendInvite', desc: '', args: []); } /// `Download Ente so we can easily share original quality photos and videos\n\nhttps://ente.io` @@ -2038,12 +1792,7 @@ class S { /// `Done` String get done { - return Intl.message( - 'Done', - name: 'done', - desc: '', - args: [], - ); + return Intl.message('Done', name: 'done', desc: '', args: []); } /// `Apply code` @@ -2068,12 +1817,7 @@ class S { /// `Apply` String get apply { - return Intl.message( - 'Apply', - name: 'apply', - desc: '', - args: [], - ); + return Intl.message('Apply', name: 'apply', desc: '', args: []); } /// `Failed to apply code` @@ -2118,12 +1862,7 @@ class S { /// `Change` String get change { - return Intl.message( - 'Change', - name: 'change', - desc: '', - args: [], - ); + return Intl.message('Change', name: 'change', desc: '', args: []); } /// `Sorry, this code is unavailable.` @@ -2178,22 +1917,12 @@ class S { /// `Details` String get details { - return Intl.message( - 'Details', - name: 'details', - desc: '', - args: [], - ); + return Intl.message('Details', name: 'details', desc: '', args: []); } /// `Claim more!` String get claimMore { - return Intl.message( - 'Claim more!', - name: 'claimMore', - desc: '', - args: [], - ); + return Intl.message('Claim more!', name: 'claimMore', desc: '', args: []); } /// `They also get {storageAmountInGB} GB` @@ -2218,7 +1947,9 @@ class S { /// `Ente referral code: {referralCode} \n\nApply it in Settings → General → Referrals to get {referralStorageInGB} GB free after you signup for a paid plan\n\nhttps://ente.io` String shareTextReferralCode( - Object referralCode, Object referralStorageInGB) { + Object referralCode, + Object referralStorageInGB, + ) { return Intl.message( 'Ente referral code: $referralCode \n\nApply it in Settings → General → Referrals to get $referralStorageInGB GB free after you signup for a paid plan\n\nhttps://ente.io', name: 'shareTextReferralCode', @@ -2324,22 +2055,12 @@ class S { /// `FAQ` String get faq { - return Intl.message( - 'FAQ', - name: 'faq', - desc: '', - args: [], - ); + return Intl.message('FAQ', name: 'faq', desc: '', args: []); } /// `Help` String get help { - return Intl.message( - 'Help', - name: 'help', - desc: '', - args: [], - ); + return Intl.message('Help', name: 'help', desc: '', args: []); } /// `Oops, something went wrong` @@ -2364,22 +2085,12 @@ class S { /// `eligible` String get eligible { - return Intl.message( - 'eligible', - name: 'eligible', - desc: '', - args: [], - ); + return Intl.message('eligible', name: 'eligible', desc: '', args: []); } /// `total` String get total { - return Intl.message( - 'total', - name: 'total', - desc: '', - args: [], - ); + return Intl.message('total', name: 'total', desc: '', args: []); } /// `Code used by you` @@ -2514,12 +2225,7 @@ class S { /// `Subscribe` String get subscribe { - return Intl.message( - 'Subscribe', - name: 'subscribe', - desc: '', - args: [], - ); + return Intl.message('Subscribe', name: 'subscribe', desc: '', args: []); } /// `Can only remove files owned by you` @@ -2574,12 +2280,7 @@ class S { /// `Yes, remove` String get yesRemove { - return Intl.message( - 'Yes, remove', - name: 'yesRemove', - desc: '', - args: [], - ); + return Intl.message('Yes, remove', name: 'yesRemove', desc: '', args: []); } /// `Creating link...` @@ -2614,12 +2315,7 @@ class S { /// `Keep Photos` String get keepPhotos { - return Intl.message( - 'Keep Photos', - name: 'keepPhotos', - desc: '', - args: [], - ); + return Intl.message('Keep Photos', name: 'keepPhotos', desc: '', args: []); } /// `Delete photos` @@ -2664,12 +2360,7 @@ class S { /// `Sharing...` String get sharing { - return Intl.message( - 'Sharing...', - name: 'sharing', - desc: '', - args: [], - ); + return Intl.message('Sharing...', name: 'sharing', desc: '', args: []); } /// `You cannot share with yourself` @@ -2684,12 +2375,7 @@ class S { /// `Archive` String get archive { - return Intl.message( - 'Archive', - name: 'archive', - desc: '', - args: [], - ); + return Intl.message('Archive', name: 'archive', desc: '', args: []); } /// `Long press to select photos and click + to create an album` @@ -2704,12 +2390,7 @@ class S { /// `Importing....` String get importing { - return Intl.message( - 'Importing....', - name: 'importing', - desc: '', - args: [], - ); + return Intl.message('Importing....', name: 'importing', desc: '', args: []); } /// `Failed to load albums` @@ -2724,12 +2405,7 @@ class S { /// `Hidden` String get hidden { - return Intl.message( - 'Hidden', - name: 'hidden', - desc: '', - args: [], - ); + return Intl.message('Hidden', name: 'hidden', desc: '', args: []); } /// `Please authenticate to view your hidden files` @@ -2754,12 +2430,7 @@ class S { /// `Trash` String get trash { - return Intl.message( - 'Trash', - name: 'trash', - desc: '', - args: [], - ); + return Intl.message('Trash', name: 'trash', desc: '', args: []); } /// `Uncategorized` @@ -2774,22 +2445,12 @@ class S { /// `video` String get videoSmallCase { - return Intl.message( - 'video', - name: 'videoSmallCase', - desc: '', - args: [], - ); + return Intl.message('video', name: 'videoSmallCase', desc: '', args: []); } /// `photo` String get photoSmallCase { - return Intl.message( - 'photo', - name: 'photoSmallCase', - desc: '', - args: [], - ); + return Intl.message('photo', name: 'photoSmallCase', desc: '', args: []); } /// `It will be deleted from all albums.` @@ -2844,12 +2505,7 @@ class S { /// `Yes, delete` String get yesDelete { - return Intl.message( - 'Yes, delete', - name: 'yesDelete', - desc: '', - args: [], - ); + return Intl.message('Yes, delete', name: 'yesDelete', desc: '', args: []); } /// `Moved to trash` @@ -2884,22 +2540,12 @@ class S { /// `New album` String get newAlbum { - return Intl.message( - 'New album', - name: 'newAlbum', - desc: '', - args: [], - ); + return Intl.message('New album', name: 'newAlbum', desc: '', args: []); } /// `Albums` String get albums { - return Intl.message( - 'Albums', - name: 'albums', - desc: '', - args: [], - ); + return Intl.message('Albums', name: 'albums', desc: '', args: []); } /// `{count, plural, =0{no memories} one{{formattedCount} memory} other{{formattedCount} memories}}` @@ -3089,22 +2735,12 @@ class S { /// `Notes` String get discover_notes { - return Intl.message( - 'Notes', - name: 'discover_notes', - desc: '', - args: [], - ); + return Intl.message('Notes', name: 'discover_notes', desc: '', args: []); } /// `Memes` String get discover_memes { - return Intl.message( - 'Memes', - name: 'discover_memes', - desc: '', - args: [], - ); + return Intl.message('Memes', name: 'discover_memes', desc: '', args: []); } /// `Visiting Cards` @@ -3119,22 +2755,12 @@ class S { /// `Babies` String get discover_babies { - return Intl.message( - 'Babies', - name: 'discover_babies', - desc: '', - args: [], - ); + return Intl.message('Babies', name: 'discover_babies', desc: '', args: []); } /// `Pets` String get discover_pets { - return Intl.message( - 'Pets', - name: 'discover_pets', - desc: '', - args: [], - ); + return Intl.message('Pets', name: 'discover_pets', desc: '', args: []); } /// `Selfies` @@ -3159,12 +2785,7 @@ class S { /// `Food` String get discover_food { - return Intl.message( - 'Food', - name: 'discover_food', - desc: '', - args: [], - ); + return Intl.message('Food', name: 'discover_food', desc: '', args: []); } /// `Celebrations` @@ -3179,22 +2800,12 @@ class S { /// `Sunset` String get discover_sunset { - return Intl.message( - 'Sunset', - name: 'discover_sunset', - desc: '', - args: [], - ); + return Intl.message('Sunset', name: 'discover_sunset', desc: '', args: []); } /// `Hills` String get discover_hills { - return Intl.message( - 'Hills', - name: 'discover_hills', - desc: '', - args: [], - ); + return Intl.message('Hills', name: 'discover_hills', desc: '', args: []); } /// `Greenery` @@ -3239,12 +2850,7 @@ class S { /// `Status` String get status { - return Intl.message( - 'Status', - name: 'status', - desc: '', - args: [], - ); + return Intl.message('Status', name: 'status', desc: '', args: []); } /// `Indexed items` @@ -3309,22 +2915,12 @@ class S { /// `Select all` String get selectAll { - return Intl.message( - 'Select all', - name: 'selectAll', - desc: '', - args: [], - ); + return Intl.message('Select all', name: 'selectAll', desc: '', args: []); } /// `Skip` String get skip { - return Intl.message( - 'Skip', - name: 'skip', - desc: '', - args: [], - ); + return Intl.message('Skip', name: 'skip', desc: '', args: []); } /// `Updating folder selection...` @@ -3465,12 +3061,7 @@ class S { /// `About` String get about { - return Intl.message( - 'About', - name: 'about', - desc: '', - args: [], - ); + return Intl.message('About', name: 'about', desc: '', args: []); } /// `We are open source!` @@ -3485,22 +3076,12 @@ class S { /// `Privacy` String get privacy { - return Intl.message( - 'Privacy', - name: 'privacy', - desc: '', - args: [], - ); + return Intl.message('Privacy', name: 'privacy', desc: '', args: []); } /// `Terms` String get terms { - return Intl.message( - 'Terms', - name: 'terms', - desc: '', - args: [], - ); + return Intl.message('Terms', name: 'terms', desc: '', args: []); } /// `Check for updates` @@ -3525,12 +3106,7 @@ class S { /// `Checking...` String get checking { - return Intl.message( - 'Checking...', - name: 'checking', - desc: '', - args: [], - ); + return Intl.message('Checking...', name: 'checking', desc: '', args: []); } /// `You are on the latest version` @@ -3545,12 +3121,7 @@ class S { /// `Account` String get account { - return Intl.message( - 'Account', - name: 'account', - desc: '', - args: [], - ); + return Intl.message('Account', name: 'account', desc: '', args: []); } /// `Manage subscription` @@ -3625,12 +3196,7 @@ class S { /// `Logout` String get logout { - return Intl.message( - 'Logout', - name: 'logout', - desc: '', - args: [], - ); + return Intl.message('Logout', name: 'logout', desc: '', args: []); } /// `Please authenticate to initiate account deletion` @@ -3655,12 +3221,7 @@ class S { /// `Yes, logout` String get yesLogout { - return Intl.message( - 'Yes, logout', - name: 'yesLogout', - desc: '', - args: [], - ); + return Intl.message('Yes, logout', name: 'yesLogout', desc: '', args: []); } /// `A new version of Ente is available.` @@ -3675,12 +3236,7 @@ class S { /// `Update` String get update { - return Intl.message( - 'Update', - name: 'update', - desc: '', - args: [], - ); + return Intl.message('Update', name: 'update', desc: '', args: []); } /// `Install manually` @@ -3715,12 +3271,7 @@ class S { /// `Ignore` String get ignoreUpdate { - return Intl.message( - 'Ignore', - name: 'ignoreUpdate', - desc: '', - args: [], - ); + return Intl.message('Ignore', name: 'ignoreUpdate', desc: '', args: []); } /// `Downloading...` @@ -3755,12 +3306,7 @@ class S { /// `Retry` String get retry { - return Intl.message( - 'Retry', - name: 'retry', - desc: '', - args: [], - ); + return Intl.message('Retry', name: 'retry', desc: '', args: []); } /// `Backed up folders` @@ -3775,12 +3321,7 @@ class S { /// `Backup` String get backup { - return Intl.message( - 'Backup', - name: 'backup', - desc: '', - args: [], - ); + return Intl.message('Backup', name: 'backup', desc: '', args: []); } /// `Free up device space` @@ -3805,12 +3346,7 @@ class S { /// `✨ All clear` String get allClear { - return Intl.message( - '✨ All clear', - name: 'allClear', - desc: '', - args: [], - ); + return Intl.message('✨ All clear', name: 'allClear', desc: '', args: []); } /// `You've no files on this device that can be deleted` @@ -3885,22 +3421,12 @@ class S { /// `Success` String get success { - return Intl.message( - 'Success', - name: 'success', - desc: '', - args: [], - ); + return Intl.message('Success', name: 'success', desc: '', args: []); } /// `Rate us` String get rateUs { - return Intl.message( - 'Rate us', - name: 'rateUs', - desc: '', - args: [], - ); + return Intl.message('Rate us', name: 'rateUs', desc: '', args: []); } /// `Also empty "Recently Deleted" from "Settings" -> "Storage" to claim the freed space` @@ -3967,12 +3493,7 @@ class S { /// `Referrals` String get referrals { - return Intl.message( - 'Referrals', - name: 'referrals', - desc: '', - args: [], - ); + return Intl.message('Referrals', name: 'referrals', desc: '', args: []); } /// `Notifications` @@ -4007,32 +3528,17 @@ class S { /// `Advanced` String get advanced { - return Intl.message( - 'Advanced', - name: 'advanced', - desc: '', - args: [], - ); + return Intl.message('Advanced', name: 'advanced', desc: '', args: []); } /// `General` String get general { - return Intl.message( - 'General', - name: 'general', - desc: '', - args: [], - ); + return Intl.message('General', name: 'general', desc: '', args: []); } /// `Security` String get security { - return Intl.message( - 'Security', - name: 'security', - desc: '', - args: [], - ); + return Intl.message('Security', name: 'security', desc: '', args: []); } /// `Please authenticate to view your recovery key` @@ -4047,12 +3553,7 @@ class S { /// `Two-factor` String get twofactor { - return Intl.message( - 'Two-factor', - name: 'twofactor', - desc: '', - args: [], - ); + return Intl.message('Two-factor', name: 'twofactor', desc: '', args: []); } /// `Please authenticate to configure two-factor authentication` @@ -4067,12 +3568,7 @@ class S { /// `Lockscreen` String get lockscreen { - return Intl.message( - 'Lockscreen', - name: 'lockscreen', - desc: '', - args: [], - ); + return Intl.message('Lockscreen', name: 'lockscreen', desc: '', args: []); } /// `Please authenticate to change lockscreen setting` @@ -4127,32 +3623,17 @@ class S { /// `No` String get no { - return Intl.message( - 'No', - name: 'no', - desc: '', - args: [], - ); + return Intl.message('No', name: 'no', desc: '', args: []); } /// `Yes` String get yes { - return Intl.message( - 'Yes', - name: 'yes', - desc: '', - args: [], - ); + return Intl.message('Yes', name: 'yes', desc: '', args: []); } /// `Social` String get social { - return Intl.message( - 'Social', - name: 'social', - desc: '', - args: [], - ); + return Intl.message('Social', name: 'social', desc: '', args: []); } /// `Rate us on {storeName}` @@ -4167,72 +3648,37 @@ class S { /// `Blog` String get blog { - return Intl.message( - 'Blog', - name: 'blog', - desc: '', - args: [], - ); + return Intl.message('Blog', name: 'blog', desc: '', args: []); } /// `Merchandise` String get merchandise { - return Intl.message( - 'Merchandise', - name: 'merchandise', - desc: '', - args: [], - ); + return Intl.message('Merchandise', name: 'merchandise', desc: '', args: []); } /// `Twitter` String get twitter { - return Intl.message( - 'Twitter', - name: 'twitter', - desc: '', - args: [], - ); + return Intl.message('Twitter', name: 'twitter', desc: '', args: []); } /// `Mastodon` String get mastodon { - return Intl.message( - 'Mastodon', - name: 'mastodon', - desc: '', - args: [], - ); + return Intl.message('Mastodon', name: 'mastodon', desc: '', args: []); } /// `Matrix` String get matrix { - return Intl.message( - 'Matrix', - name: 'matrix', - desc: '', - args: [], - ); + return Intl.message('Matrix', name: 'matrix', desc: '', args: []); } /// `Discord` String get discord { - return Intl.message( - 'Discord', - name: 'discord', - desc: '', - args: [], - ); + return Intl.message('Discord', name: 'discord', desc: '', args: []); } /// `Reddit` String get reddit { - return Intl.message( - 'Reddit', - name: 'reddit', - desc: '', - args: [], - ); + return Intl.message('Reddit', name: 'reddit', desc: '', args: []); } /// `Your storage details could not be fetched` @@ -4247,22 +3693,12 @@ class S { /// `Report a bug` String get reportABug { - return Intl.message( - 'Report a bug', - name: 'reportABug', - desc: '', - args: [], - ); + return Intl.message('Report a bug', name: 'reportABug', desc: '', args: []); } /// `Report bug` String get reportBug { - return Intl.message( - 'Report bug', - name: 'reportBug', - desc: '', - args: [], - ); + return Intl.message('Report bug', name: 'reportBug', desc: '', args: []); } /// `Suggest features` @@ -4277,62 +3713,32 @@ class S { /// `Support` String get support { - return Intl.message( - 'Support', - name: 'support', - desc: '', - args: [], - ); + return Intl.message('Support', name: 'support', desc: '', args: []); } /// `Theme` String get theme { - return Intl.message( - 'Theme', - name: 'theme', - desc: '', - args: [], - ); + return Intl.message('Theme', name: 'theme', desc: '', args: []); } /// `Light` String get lightTheme { - return Intl.message( - 'Light', - name: 'lightTheme', - desc: '', - args: [], - ); + return Intl.message('Light', name: 'lightTheme', desc: '', args: []); } /// `Dark` String get darkTheme { - return Intl.message( - 'Dark', - name: 'darkTheme', - desc: '', - args: [], - ); + return Intl.message('Dark', name: 'darkTheme', desc: '', args: []); } /// `System` String get systemTheme { - return Intl.message( - 'System', - name: 'systemTheme', - desc: '', - args: [], - ); + return Intl.message('System', name: 'systemTheme', desc: '', args: []); } /// `Free trial` String get freeTrial { - return Intl.message( - 'Free trial', - name: 'freeTrial', - desc: '', - args: [], - ); + return Intl.message('Free trial', name: 'freeTrial', desc: '', args: []); } /// `Select your plan` @@ -4377,12 +3783,7 @@ class S { /// `FAQs` String get faqs { - return Intl.message( - 'FAQs', - name: 'faqs', - desc: '', - args: [], - ); + return Intl.message('FAQs', name: 'faqs', desc: '', args: []); } /// `Subscription renews on {endDate}` @@ -4517,12 +3918,7 @@ class S { /// `Yes, Renew` String get yesRenew { - return Intl.message( - 'Yes, Renew', - name: 'yesRenew', - desc: '', - args: [], - ); + return Intl.message('Yes, Renew', name: 'yesRenew', desc: '', args: []); } /// `Are you sure you want to cancel?` @@ -4537,12 +3933,7 @@ class S { /// `Yes, cancel` String get yesCancel { - return Intl.message( - 'Yes, cancel', - name: 'yesCancel', - desc: '', - args: [], - ); + return Intl.message('Yes, cancel', name: 'yesCancel', desc: '', args: []); } /// `Failed to renew` @@ -4648,12 +4039,7 @@ class S { /// `Send` String get send { - return Intl.message( - 'Send', - name: 'send', - desc: '', - args: [], - ); + return Intl.message('Send', name: 'send', desc: '', args: []); } /// `Your subscription was cancelled. Would you like to share the reason?` @@ -4728,12 +4114,7 @@ class S { /// `Apple ID` String get appleId { - return Intl.message( - 'Apple ID', - name: 'appleId', - desc: '', - args: [], - ); + return Intl.message('Apple ID', name: 'appleId', desc: '', args: []); } /// `PlayStore subscription` @@ -4838,12 +4219,7 @@ class S { /// `Thank you` String get thankYou { - return Intl.message( - 'Thank you', - name: 'thankYou', - desc: '', - args: [], - ); + return Intl.message('Thank you', name: 'thankYou', desc: '', args: []); } /// `Failed to verify payment status` @@ -4918,22 +4294,12 @@ class S { /// `Leave` String get leave { - return Intl.message( - 'Leave', - name: 'leave', - desc: '', - args: [], - ); + return Intl.message('Leave', name: 'leave', desc: '', args: []); } /// `Rate the app` String get rateTheApp { - return Intl.message( - 'Rate the app', - name: 'rateTheApp', - desc: '', - args: [], - ); + return Intl.message('Rate the app', name: 'rateTheApp', desc: '', args: []); } /// `Start backup` @@ -5088,22 +4454,12 @@ class S { /// `Available` String get available { - return Intl.message( - 'Available', - name: 'available', - desc: '', - args: [], - ); + return Intl.message('Available', name: 'available', desc: '', args: []); } /// `everywhere` String get everywhere { - return Intl.message( - 'everywhere', - name: 'everywhere', - desc: '', - args: [], - ); + return Intl.message('everywhere', name: 'everywhere', desc: '', args: []); } /// `Android, iOS, Web, Desktop` @@ -5128,12 +4484,7 @@ class S { /// `New to Ente` String get newToEnte { - return Intl.message( - 'New to Ente', - name: 'newToEnte', - desc: '', - args: [], - ); + return Intl.message('New to Ente', name: 'newToEnte', desc: '', args: []); } /// `Please login again` @@ -5178,12 +4529,7 @@ class S { /// `Upgrade` String get upgrade { - return Intl.message( - 'Upgrade', - name: 'upgrade', - desc: '', - args: [], - ); + return Intl.message('Upgrade', name: 'upgrade', desc: '', args: []); } /// `Raise ticket` @@ -5359,22 +4705,12 @@ class S { /// `Name` String get name { - return Intl.message( - 'Name', - name: 'name', - desc: '', - args: [], - ); + return Intl.message('Name', name: 'name', desc: '', args: []); } /// `Newest` String get newest { - return Intl.message( - 'Newest', - name: 'newest', - desc: '', - args: [], - ); + return Intl.message('Newest', name: 'newest', desc: '', args: []); } /// `Last updated` @@ -5510,32 +4846,17 @@ class S { /// `Unhide` String get unhide { - return Intl.message( - 'Unhide', - name: 'unhide', - desc: '', - args: [], - ); + return Intl.message('Unhide', name: 'unhide', desc: '', args: []); } /// `Unarchive` String get unarchive { - return Intl.message( - 'Unarchive', - name: 'unarchive', - desc: '', - args: [], - ); + return Intl.message('Unarchive', name: 'unarchive', desc: '', args: []); } /// `Favorite` String get favorite { - return Intl.message( - 'Favorite', - name: 'favorite', - desc: '', - args: [], - ); + return Intl.message('Favorite', name: 'favorite', desc: '', args: []); } /// `Remove from favorites` @@ -5550,12 +4871,7 @@ class S { /// `Share link` String get shareLink { - return Intl.message( - 'Share link', - name: 'shareLink', - desc: '', - args: [], - ); + return Intl.message('Share link', name: 'shareLink', desc: '', args: []); } /// `Create collage` @@ -5590,62 +4906,32 @@ class S { /// `Layout` String get collageLayout { - return Intl.message( - 'Layout', - name: 'collageLayout', - desc: '', - args: [], - ); + return Intl.message('Layout', name: 'collageLayout', desc: '', args: []); } /// `Add to Ente` String get addToEnte { - return Intl.message( - 'Add to Ente', - name: 'addToEnte', - desc: '', - args: [], - ); + return Intl.message('Add to Ente', name: 'addToEnte', desc: '', args: []); } /// `Add to album` String get addToAlbum { - return Intl.message( - 'Add to album', - name: 'addToAlbum', - desc: '', - args: [], - ); + return Intl.message('Add to album', name: 'addToAlbum', desc: '', args: []); } /// `Delete` String get delete { - return Intl.message( - 'Delete', - name: 'delete', - desc: '', - args: [], - ); + return Intl.message('Delete', name: 'delete', desc: '', args: []); } /// `Hide` String get hide { - return Intl.message( - 'Hide', - name: 'hide', - desc: '', - args: [], - ); + return Intl.message('Hide', name: 'hide', desc: '', args: []); } /// `Share` String get share { - return Intl.message( - 'Share', - name: 'share', - desc: '', - args: [], - ); + return Intl.message('Share', name: 'share', desc: '', args: []); } /// `Unhide to album` @@ -5724,12 +5010,7 @@ class S { /// `Album title` String get albumTitle { - return Intl.message( - 'Album title', - name: 'albumTitle', - desc: '', - args: [], - ); + return Intl.message('Album title', name: 'albumTitle', desc: '', args: []); } /// `Enter album name` @@ -5844,12 +5125,7 @@ class S { /// `Invite` String get invite { - return Intl.message( - 'Invite', - name: 'invite', - desc: '', - args: [], - ); + return Intl.message('Invite', name: 'invite', desc: '', args: []); } /// `Share your first album` @@ -5884,12 +5160,7 @@ class S { /// `Shared by me` String get sharedByMe { - return Intl.message( - 'Shared by me', - name: 'sharedByMe', - desc: '', - args: [], - ); + return Intl.message('Shared by me', name: 'sharedByMe', desc: '', args: []); } /// `Double your storage` @@ -5948,12 +5219,7 @@ class S { /// `Delete All` String get deleteAll { - return Intl.message( - 'Delete All', - name: 'deleteAll', - desc: '', - args: [], - ); + return Intl.message('Delete All', name: 'deleteAll', desc: '', args: []); } /// `Rename album` @@ -5988,12 +5254,7 @@ class S { /// `Sort by` String get sortAlbumsBy { - return Intl.message( - 'Sort by', - name: 'sortAlbumsBy', - desc: '', - args: [], - ); + return Intl.message('Sort by', name: 'sortAlbumsBy', desc: '', args: []); } /// `Newest first` @@ -6018,12 +5279,7 @@ class S { /// `Rename` String get rename { - return Intl.message( - 'Rename', - name: 'rename', - desc: '', - args: [], - ); + return Intl.message('Rename', name: 'rename', desc: '', args: []); } /// `Leave shared album?` @@ -6038,12 +5294,7 @@ class S { /// `Leave album` String get leaveAlbum { - return Intl.message( - 'Leave album', - name: 'leaveAlbum', - desc: '', - args: [], - ); + return Intl.message('Leave album', name: 'leaveAlbum', desc: '', args: []); } /// `Photos added by you will be removed from the album` @@ -6158,12 +5409,7 @@ class S { /// `• Click` String get click { - return Intl.message( - '• Click', - name: 'click', - desc: '', - args: [], - ); + return Intl.message('• Click', name: 'click', desc: '', args: []); } /// `Nothing to see here! 👀` @@ -6278,12 +5524,7 @@ class S { /// `No EXIF data` String get noExifData { - return Intl.message( - 'No EXIF data', - name: 'noExifData', - desc: '', - args: [], - ); + return Intl.message('No EXIF data', name: 'noExifData', desc: '', args: []); } /// `This image has no exif data` @@ -6298,22 +5539,12 @@ class S { /// `EXIF` String get exif { - return Intl.message( - 'EXIF', - name: 'exif', - desc: '', - args: [], - ); + return Intl.message('EXIF', name: 'exif', desc: '', args: []); } /// `No results` String get noResults { - return Intl.message( - 'No results', - name: 'noResults', - desc: '', - args: [], - ); + return Intl.message('No results', name: 'noResults', desc: '', args: []); } /// `We don't support editing photos and albums that you don't own yet` @@ -6338,22 +5569,12 @@ class S { /// `Close` String get close { - return Intl.message( - 'Close', - name: 'close', - desc: '', - args: [], - ); + return Intl.message('Close', name: 'close', desc: '', args: []); } /// `Set as` String get setAs { - return Intl.message( - 'Set as', - name: 'setAs', - desc: '', - args: [], - ); + return Intl.message('Set as', name: 'setAs', desc: '', args: []); } /// `File saved to gallery` @@ -6388,12 +5609,7 @@ class S { /// `Download` String get download { - return Intl.message( - 'Download', - name: 'download', - desc: '', - args: [], - ); + return Intl.message('Download', name: 'download', desc: '', args: []); } /// `Press and hold to play video` @@ -6478,22 +5694,12 @@ class S { /// `Count` String get count { - return Intl.message( - 'Count', - name: 'count', - desc: '', - args: [], - ); + return Intl.message('Count', name: 'count', desc: '', args: []); } /// `Total size` String get totalSize { - return Intl.message( - 'Total size', - name: 'totalSize', - desc: '', - args: [], - ); + return Intl.message('Total size', name: 'totalSize', desc: '', args: []); } /// `Long-press on an item to view in full-screen` @@ -6528,12 +5734,7 @@ class S { /// `Unlock` String get unlock { - return Intl.message( - 'Unlock', - name: 'unlock', - desc: '', - args: [], - ); + return Intl.message('Unlock', name: 'unlock', desc: '', args: []); } /// `Free up space` @@ -6752,12 +5953,7 @@ class S { /// `Verifying...` String get verifying { - return Intl.message( - 'Verifying...', - name: 'verifying', - desc: '', - args: [], - ); + return Intl.message('Verifying...', name: 'verifying', desc: '', args: []); } /// `Disabling two-factor authentication...` @@ -6792,12 +5988,7 @@ class S { /// `Syncing...` String get syncing { - return Intl.message( - 'Syncing...', - name: 'syncing', - desc: '', - args: [], - ); + return Intl.message('Syncing...', name: 'syncing', desc: '', args: []); } /// `Encrypting backup...` @@ -6852,12 +6043,7 @@ class S { /// `Archiving...` String get archiving { - return Intl.message( - 'Archiving...', - name: 'archiving', - desc: '', - args: [], - ); + return Intl.message('Archiving...', name: 'archiving', desc: '', args: []); } /// `Unarchiving...` @@ -6892,12 +6078,7 @@ class S { /// `Rename file` String get renameFile { - return Intl.message( - 'Rename file', - name: 'renameFile', - desc: '', - args: [], - ); + return Intl.message('Rename file', name: 'renameFile', desc: '', args: []); } /// `Enter file name` @@ -6942,12 +6123,7 @@ class S { /// `Empty trash?` String get emptyTrash { - return Intl.message( - 'Empty trash?', - name: 'emptyTrash', - desc: '', - args: [], - ); + return Intl.message('Empty trash?', name: 'emptyTrash', desc: '', args: []); } /// `All items in trash will be permanently deleted\n\nThis action cannot be undone` @@ -6962,12 +6138,7 @@ class S { /// `Empty` String get empty { - return Intl.message( - 'Empty', - name: 'empty', - desc: '', - args: [], - ); + return Intl.message('Empty', name: 'empty', desc: '', args: []); } /// `Could not free up space` @@ -7052,12 +6223,7 @@ class S { /// `Error` String get error { - return Intl.message( - 'Error', - name: 'error', - desc: '', - args: [], - ); + return Intl.message('Error', name: 'error', desc: '', args: []); } /// `It looks like something went wrong. Please retry after some time. If the error persists, please contact our support team.` @@ -7092,12 +6258,7 @@ class S { /// `Cached data` String get cachedData { - return Intl.message( - 'Cached data', - name: 'cachedData', - desc: '', - args: [], - ); + return Intl.message('Cached data', name: 'cachedData', desc: '', args: []); } /// `Clear caches` @@ -7172,12 +6333,7 @@ class S { /// `View logs` String get viewLogs { - return Intl.message( - 'View logs', - name: 'viewLogs', - desc: '', - args: [], - ); + return Intl.message('View logs', name: 'viewLogs', desc: '', args: []); } /// `This will send across logs to help us debug your issue. Please note that file names will be included to help track issues with specific files.` @@ -7232,12 +6388,7 @@ class S { /// `Export logs` String get exportLogs { - return Intl.message( - 'Export logs', - name: 'exportLogs', - desc: '', - args: [], - ); + return Intl.message('Export logs', name: 'exportLogs', desc: '', args: []); } /// `Please email us at {toEmail}` @@ -7252,12 +6403,7 @@ class S { /// `Dismiss` String get dismiss { - return Intl.message( - 'Dismiss', - name: 'dismiss', - desc: '', - args: [], - ); + return Intl.message('Dismiss', name: 'dismiss', desc: '', args: []); } /// `Did you know?` @@ -7392,22 +6538,12 @@ class S { /// `Location` String get location { - return Intl.message( - 'Location', - name: 'location', - desc: '', - args: [], - ); + return Intl.message('Location', name: 'location', desc: '', args: []); } /// `Moments` String get moments { - return Intl.message( - 'Moments', - name: 'moments', - desc: '', - args: [], - ); + return Intl.message('Moments', name: 'moments', desc: '', args: []); } /// `People will be shown here once indexing is done` @@ -7482,12 +6618,7 @@ class S { /// `Language` String get language { - return Intl.message( - 'Language', - name: 'language', - desc: '', - args: [], - ); + return Intl.message('Language', name: 'language', desc: '', args: []); } /// `Select Language` @@ -7532,32 +6663,17 @@ class S { /// `km` String get kiloMeterUnit { - return Intl.message( - 'km', - name: 'kiloMeterUnit', - desc: '', - args: [], - ); + return Intl.message('km', name: 'kiloMeterUnit', desc: '', args: []); } /// `Add` String get addLocationButton { - return Intl.message( - 'Add', - name: 'addLocationButton', - desc: '', - args: [], - ); + return Intl.message('Add', name: 'addLocationButton', desc: '', args: []); } /// `Radius` String get radius { - return Intl.message( - 'Radius', - name: 'radius', - desc: '', - args: [], - ); + return Intl.message('Radius', name: 'radius', desc: '', args: []); } /// `A location tag groups all photos that were taken within some radius of a photo` @@ -7582,12 +6698,7 @@ class S { /// `Save` String get save { - return Intl.message( - 'Save', - name: 'save', - desc: '', - args: [], - ); + return Intl.message('Save', name: 'save', desc: '', args: []); } /// `Center point` @@ -7632,12 +6743,7 @@ class S { /// `Edit` String get edit { - return Intl.message( - 'Edit', - name: 'edit', - desc: '', - args: [], - ); + return Intl.message('Edit', name: 'edit', desc: '', args: []); } /// `Delete location` @@ -7652,22 +6758,12 @@ class S { /// `Rotate left` String get rotateLeft { - return Intl.message( - 'Rotate left', - name: 'rotateLeft', - desc: '', - args: [], - ); + return Intl.message('Rotate left', name: 'rotateLeft', desc: '', args: []); } /// `Flip` String get flip { - return Intl.message( - 'Flip', - name: 'flip', - desc: '', - args: [], - ); + return Intl.message('Flip', name: 'flip', desc: '', args: []); } /// `Rotate right` @@ -7682,32 +6778,17 @@ class S { /// `Save copy` String get saveCopy { - return Intl.message( - 'Save copy', - name: 'saveCopy', - desc: '', - args: [], - ); + return Intl.message('Save copy', name: 'saveCopy', desc: '', args: []); } /// `Light` String get light { - return Intl.message( - 'Light', - name: 'light', - desc: '', - args: [], - ); + return Intl.message('Light', name: 'light', desc: '', args: []); } /// `Color` String get color { - return Intl.message( - 'Color', - name: 'color', - desc: '', - args: [], - ); + return Intl.message('Color', name: 'color', desc: '', args: []); } /// `Yes, discard changes` @@ -7732,22 +6813,12 @@ class S { /// `Saving...` String get saving { - return Intl.message( - 'Saving...', - name: 'saving', - desc: '', - args: [], - ); + return Intl.message('Saving...', name: 'saving', desc: '', args: []); } /// `Edits saved` String get editsSaved { - return Intl.message( - 'Edits saved', - name: 'editsSaved', - desc: '', - args: [], - ); + return Intl.message('Edits saved', name: 'editsSaved', desc: '', args: []); } /// `Oops, could not save edits` @@ -7772,42 +6843,22 @@ class S { /// `Today` String get dayToday { - return Intl.message( - 'Today', - name: 'dayToday', - desc: '', - args: [], - ); + return Intl.message('Today', name: 'dayToday', desc: '', args: []); } /// `Yesterday` String get dayYesterday { - return Intl.message( - 'Yesterday', - name: 'dayYesterday', - desc: '', - args: [], - ); + return Intl.message('Yesterday', name: 'dayYesterday', desc: '', args: []); } /// `Storage` String get storage { - return Intl.message( - 'Storage', - name: 'storage', - desc: '', - args: [], - ); + return Intl.message('Storage', name: 'storage', desc: '', args: []); } /// `Used space` String get usedSpace { - return Intl.message( - 'Used space', - name: 'usedSpace', - desc: '', - args: [], - ); + return Intl.message('Used space', name: 'usedSpace', desc: '', args: []); } /// `Family` @@ -7832,8 +6883,12 @@ class S { } /// `{usedAmount} {usedStorageUnit} of {totalAmount} {totalStorageUnit} used` - String storageUsageInfo(Object usedAmount, Object usedStorageUnit, - Object totalAmount, Object totalStorageUnit) { + String storageUsageInfo( + Object usedAmount, + Object usedStorageUnit, + Object totalAmount, + Object totalStorageUnit, + ) { return Intl.message( '$usedAmount $usedStorageUnit of $totalAmount $totalStorageUnit used', name: 'storageUsageInfo', @@ -7864,12 +6919,7 @@ class S { /// `Verify` String get verifyIDLabel { - return Intl.message( - 'Verify', - name: 'verifyIDLabel', - desc: '', - args: [], - ); + return Intl.message('Verify', name: 'verifyIDLabel', desc: '', args: []); } /// `Add a description...` @@ -7905,12 +6955,7 @@ class S { /// `Set radius` String get setRadius { - return Intl.message( - 'Set radius', - name: 'setRadius', - desc: '', - args: [], - ); + return Intl.message('Set radius', name: 'setRadius', desc: '', args: []); } /// `Family` @@ -8108,22 +7153,12 @@ class S { /// `Maps` String get maps { - return Intl.message( - 'Maps', - name: 'maps', - desc: '', - args: [], - ); + return Intl.message('Maps', name: 'maps', desc: '', args: []); } /// `Enable Maps` String get enableMaps { - return Intl.message( - 'Enable Maps', - name: 'enableMaps', - desc: '', - args: [], - ); + return Intl.message('Enable Maps', name: 'enableMaps', desc: '', args: []); } /// `This will show your photos on a world map.\n\nThis map is hosted by Open Street Map, and the exact locations of your photos are never shared.\n\nYou can disable this feature anytime from Settings.` @@ -8138,12 +7173,7 @@ class S { /// `Quick links` String get quickLinks { - return Intl.message( - 'Quick links', - name: 'quickLinks', - desc: '', - args: [], - ); + return Intl.message('Quick links', name: 'quickLinks', desc: '', args: []); } /// `Select items to add` @@ -8178,12 +7208,7 @@ class S { /// `Add photos` String get addPhotos { - return Intl.message( - 'Add photos', - name: 'addPhotos', - desc: '', - args: [], - ); + return Intl.message('Add photos', name: 'addPhotos', desc: '', args: []); } /// `No photos found here` @@ -8218,42 +7243,22 @@ class S { /// `Unpin album` String get unpinAlbum { - return Intl.message( - 'Unpin album', - name: 'unpinAlbum', - desc: '', - args: [], - ); + return Intl.message('Unpin album', name: 'unpinAlbum', desc: '', args: []); } /// `Pin album` String get pinAlbum { - return Intl.message( - 'Pin album', - name: 'pinAlbum', - desc: '', - args: [], - ); + return Intl.message('Pin album', name: 'pinAlbum', desc: '', args: []); } /// `Create` String get create { - return Intl.message( - 'Create', - name: 'create', - desc: '', - args: [], - ); + return Intl.message('Create', name: 'create', desc: '', args: []); } /// `View all` String get viewAll { - return Intl.message( - 'View all', - name: 'viewAll', - desc: '', - args: [], - ); + return Intl.message('View all', name: 'viewAll', desc: '', args: []); } /// `Nothing shared with you yet` @@ -8318,22 +7323,12 @@ class S { /// `Hiding...` String get hiding { - return Intl.message( - 'Hiding...', - name: 'hiding', - desc: '', - args: [], - ); + return Intl.message('Hiding...', name: 'hiding', desc: '', args: []); } /// `Unhiding...` String get unhiding { - return Intl.message( - 'Unhiding...', - name: 'unhiding', - desc: '', - args: [], - ); + return Intl.message('Unhiding...', name: 'unhiding', desc: '', args: []); } /// `Successfully hid` @@ -8398,12 +7393,7 @@ class S { /// `File types` String get fileTypes { - return Intl.message( - 'File types', - name: 'fileTypes', - desc: '', - args: [], - ); + return Intl.message('File types', name: 'fileTypes', desc: '', args: []); } /// `This account is linked to other Ente apps, if you use any. Your uploaded data, across all Ente apps, will be scheduled for deletion, and your account will be permanently deleted.` @@ -8448,12 +7438,7 @@ class S { /// `Add-ons` String get addOns { - return Intl.message( - 'Add-ons', - name: 'addOns', - desc: '', - args: [], - ); + return Intl.message('Add-ons', name: 'addOns', desc: '', args: []); } /// `Details of add-ons` @@ -8468,12 +7453,7 @@ class S { /// `Your map` String get yourMap { - return Intl.message( - 'Your map', - name: 'yourMap', - desc: '', - args: [], - ); + return Intl.message('Your map', name: 'yourMap', desc: '', args: []); } /// `Modify your query, or try searching for` @@ -8508,32 +7488,17 @@ class S { /// `Photos` String get photos { - return Intl.message( - 'Photos', - name: 'photos', - desc: '', - args: [], - ); + return Intl.message('Photos', name: 'photos', desc: '', args: []); } /// `Videos` String get videos { - return Intl.message( - 'Videos', - name: 'videos', - desc: '', - args: [], - ); + return Intl.message('Videos', name: 'videos', desc: '', args: []); } /// `Live Photos` String get livePhotos { - return Intl.message( - 'Live Photos', - name: 'livePhotos', - desc: '', - args: [], - ); + return Intl.message('Live Photos', name: 'livePhotos', desc: '', args: []); } /// `Fast, on-device search` @@ -8568,12 +7533,7 @@ class S { /// `Location` String get searchHint4 { - return Intl.message( - 'Location', - name: 'searchHint4', - desc: '', - args: [], - ); + return Intl.message('Location', name: 'searchHint4', desc: '', args: []); } /// `Coming soon: Faces & magic search ✨` @@ -8611,32 +7571,17 @@ class S { /// `Faces` String get faces { - return Intl.message( - 'Faces', - name: 'faces', - desc: '', - args: [], - ); + return Intl.message('Faces', name: 'faces', desc: '', args: []); } /// `People` String get people { - return Intl.message( - 'People', - name: 'people', - desc: '', - args: [], - ); + return Intl.message('People', name: 'people', desc: '', args: []); } /// `Contents` String get contents { - return Intl.message( - 'Contents', - name: 'contents', - desc: '', - args: [], - ); + return Intl.message('Contents', name: 'contents', desc: '', args: []); } /// `Add new` @@ -8651,12 +7596,7 @@ class S { /// `Contacts` String get contacts { - return Intl.message( - 'Contacts', - name: 'contacts', - desc: '', - args: [], - ); + return Intl.message('Contacts', name: 'contacts', desc: '', args: []); } /// `No internet connection` @@ -8801,12 +7741,7 @@ class S { /// `Passkey` String get passkey { - return Intl.message( - 'Passkey', - name: 'passkey', - desc: '', - args: [], - ); + return Intl.message('Passkey', name: 'passkey', desc: '', args: []); } /// `Passkey verification` @@ -8881,12 +7816,7 @@ class S { /// `Pair` String get pair { - return Intl.message( - 'Pair', - name: 'pair', - desc: '', - args: [], - ); + return Intl.message('Pair', name: 'pair', desc: '', args: []); } /// `Device not found` @@ -8931,22 +7861,12 @@ class S { /// `Locations` String get locations { - return Intl.message( - 'Locations', - name: 'locations', - desc: '', - args: [], - ); + return Intl.message('Locations', name: 'locations', desc: '', args: []); } /// `Add a name` String get addAName { - return Intl.message( - 'Add a name', - name: 'addAName', - desc: '', - args: [], - ); + return Intl.message('Add a name', name: 'addAName', desc: '', args: []); } /// `Find them quickly` @@ -9088,12 +8008,7 @@ class S { /// `Search` String get search { - return Intl.message( - 'Search', - name: 'search', - desc: '', - args: [], - ); + return Intl.message('Search', name: 'search', desc: '', args: []); } /// `Enter person name` @@ -9128,32 +8043,17 @@ class S { /// `Enter name` String get enterName { - return Intl.message( - 'Enter name', - name: 'enterName', - desc: '', - args: [], - ); + return Intl.message('Enter name', name: 'enterName', desc: '', args: []); } /// `Save person` String get savePerson { - return Intl.message( - 'Save person', - name: 'savePerson', - desc: '', - args: [], - ); + return Intl.message('Save person', name: 'savePerson', desc: '', args: []); } /// `Edit person` String get editPerson { - return Intl.message( - 'Edit person', - name: 'editPerson', - desc: '', - args: [], - ); + return Intl.message('Edit person', name: 'editPerson', desc: '', args: []); } /// `Merged photos` @@ -9188,12 +8088,7 @@ class S { /// `Birthday` String get birthday { - return Intl.message( - 'Birthday', - name: 'birthday', - desc: '', - args: [], - ); + return Intl.message('Birthday', name: 'birthday', desc: '', args: []); } /// `Remove person label` @@ -9328,12 +8223,7 @@ class S { /// `Auto pair` String get autoPair { - return Intl.message( - 'Auto pair', - name: 'autoPair', - desc: '', - args: [], - ); + return Intl.message('Auto pair', name: 'autoPair', desc: '', args: []); } /// `Pair with PIN` @@ -9358,12 +8248,7 @@ class S { /// `Found faces` String get foundFaces { - return Intl.message( - 'Found faces', - name: 'foundFaces', - desc: '', - args: [], - ); + return Intl.message('Found faces', name: 'foundFaces', desc: '', args: []); } /// `Clustering progress` @@ -9378,62 +8263,32 @@ class S { /// `Trim` String get trim { - return Intl.message( - 'Trim', - name: 'trim', - desc: '', - args: [], - ); + return Intl.message('Trim', name: 'trim', desc: '', args: []); } /// `Crop` String get crop { - return Intl.message( - 'Crop', - name: 'crop', - desc: '', - args: [], - ); + return Intl.message('Crop', name: 'crop', desc: '', args: []); } /// `Rotate` String get rotate { - return Intl.message( - 'Rotate', - name: 'rotate', - desc: '', - args: [], - ); + return Intl.message('Rotate', name: 'rotate', desc: '', args: []); } /// `Left` String get left { - return Intl.message( - 'Left', - name: 'left', - desc: '', - args: [], - ); + return Intl.message('Left', name: 'left', desc: '', args: []); } /// `Right` String get right { - return Intl.message( - 'Right', - name: 'right', - desc: '', - args: [], - ); + return Intl.message('Right', name: 'right', desc: '', args: []); } /// `What's new` String get whatsNew { - return Intl.message( - 'What\'s new', - name: 'whatsNew', - desc: '', - args: [], - ); + return Intl.message('What\'s new', name: 'whatsNew', desc: '', args: []); } /// `Review suggestions` @@ -9448,22 +8303,12 @@ class S { /// `Review` String get review { - return Intl.message( - 'Review', - name: 'review', - desc: '', - args: [], - ); + return Intl.message('Review', name: 'review', desc: '', args: []); } /// `Use as cover` String get useAsCover { - return Intl.message( - 'Use as cover', - name: 'useAsCover', - desc: '', - args: [], - ); + return Intl.message('Use as cover', name: 'useAsCover', desc: '', args: []); } /// `Not {name}?` @@ -9479,22 +8324,12 @@ class S { /// `Enable` String get enable { - return Intl.message( - 'Enable', - name: 'enable', - desc: '', - args: [], - ); + return Intl.message('Enable', name: 'enable', desc: '', args: []); } /// `Enabled` String get enabled { - return Intl.message( - 'Enabled', - name: 'enabled', - desc: '', - args: [], - ); + return Intl.message('Enabled', name: 'enabled', desc: '', args: []); } /// `More details` @@ -9529,12 +8364,7 @@ class S { /// `Panorama` String get panorama { - return Intl.message( - 'Panorama', - name: 'panorama', - desc: '', - args: [], - ); + return Intl.message('Panorama', name: 'panorama', desc: '', args: []); } /// `Re-enter password` @@ -9549,42 +8379,22 @@ class S { /// `Re-enter PIN` String get reenterPin { - return Intl.message( - 'Re-enter PIN', - name: 'reenterPin', - desc: '', - args: [], - ); + return Intl.message('Re-enter PIN', name: 'reenterPin', desc: '', args: []); } /// `Device lock` String get deviceLock { - return Intl.message( - 'Device lock', - name: 'deviceLock', - desc: '', - args: [], - ); + return Intl.message('Device lock', name: 'deviceLock', desc: '', args: []); } /// `PIN lock` String get pinLock { - return Intl.message( - 'PIN lock', - name: 'pinLock', - desc: '', - args: [], - ); + return Intl.message('PIN lock', name: 'pinLock', desc: '', args: []); } /// `Next` String get next { - return Intl.message( - 'Next', - name: 'next', - desc: '', - args: [], - ); + return Intl.message('Next', name: 'next', desc: '', args: []); } /// `Set new password` @@ -9599,32 +8409,17 @@ class S { /// `Enter PIN` String get enterPin { - return Intl.message( - 'Enter PIN', - name: 'enterPin', - desc: '', - args: [], - ); + return Intl.message('Enter PIN', name: 'enterPin', desc: '', args: []); } /// `Set new PIN` String get setNewPin { - return Intl.message( - 'Set new PIN', - name: 'setNewPin', - desc: '', - args: [], - ); + return Intl.message('Set new PIN', name: 'setNewPin', desc: '', args: []); } /// `App lock` String get appLock { - return Intl.message( - 'App lock', - name: 'appLock', - desc: '', - args: [], - ); + return Intl.message('App lock', name: 'appLock', desc: '', args: []); } /// `No system lock found` @@ -9659,32 +8454,17 @@ class S { /// `Video Info` String get videoInfo { - return Intl.message( - 'Video Info', - name: 'videoInfo', - desc: '', - args: [], - ); + return Intl.message('Video Info', name: 'videoInfo', desc: '', args: []); } /// `Auto lock` String get autoLock { - return Intl.message( - 'Auto lock', - name: 'autoLock', - desc: '', - args: [], - ); + return Intl.message('Auto lock', name: 'autoLock', desc: '', args: []); } /// `Immediately` String get immediately { - return Intl.message( - 'Immediately', - name: 'immediately', - desc: '', - args: [], - ); + return Intl.message('Immediately', name: 'immediately', desc: '', args: []); } /// `Time after which the app locks after being put in the background` @@ -9779,12 +8559,7 @@ class S { /// `Guest view` String get guestView { - return Intl.message( - 'Guest view', - name: 'guestView', - desc: '', - args: [], - ); + return Intl.message('Guest view', name: 'guestView', desc: '', args: []); } /// `To enable guest view, please setup device passcode or screen lock in your system settings.` @@ -9819,12 +8594,7 @@ class S { /// `Collect` String get collect { - return Intl.message( - 'Collect', - name: 'collect', - desc: '', - args: [], - ); + return Intl.message('Collect', name: 'collect', desc: '', args: []); } /// `Choose between your device's default lock screen and a custom lock screen with a PIN or password.` @@ -9889,32 +8659,17 @@ class S { /// `Show person` String get showPerson { - return Intl.message( - 'Show person', - name: 'showPerson', - desc: '', - args: [], - ); + return Intl.message('Show person', name: 'showPerson', desc: '', args: []); } /// `Sort` String get sort { - return Intl.message( - 'Sort', - name: 'sort', - desc: '', - args: [], - ); + return Intl.message('Sort', name: 'sort', desc: '', args: []); } /// `Most recent` String get mostRecent { - return Intl.message( - 'Most recent', - name: 'mostRecent', - desc: '', - args: [], - ); + return Intl.message('Most recent', name: 'mostRecent', desc: '', args: []); } /// `Most relevant` @@ -9949,12 +8704,7 @@ class S { /// `Person name` String get personName { - return Intl.message( - 'Person name', - name: 'personName', - desc: '', - args: [], - ); + return Intl.message('Person name', name: 'personName', desc: '', args: []); } /// `Add new person` @@ -9989,32 +8739,17 @@ class S { /// `New person` String get newPerson { - return Intl.message( - 'New person', - name: 'newPerson', - desc: '', - args: [], - ); + return Intl.message('New person', name: 'newPerson', desc: '', args: []); } /// `Add name` String get addName { - return Intl.message( - 'Add name', - name: 'addName', - desc: '', - args: [], - ); + return Intl.message('Add name', name: 'addName', desc: '', args: []); } /// `Add` String get add { - return Intl.message( - 'Add', - name: 'add', - desc: '', - args: [], - ); + return Intl.message('Add', name: 'add', desc: '', args: []); } /// `Extra photos found for {text}` @@ -10059,22 +8794,12 @@ class S { /// `Processed` String get processed { - return Intl.message( - 'Processed', - name: 'processed', - desc: '', - args: [], - ); + return Intl.message('Processed', name: 'processed', desc: '', args: []); } /// `Remove` String get resetPerson { - return Intl.message( - 'Remove', - name: 'resetPerson', - desc: '', - args: [], - ); + return Intl.message('Remove', name: 'resetPerson', desc: '', args: []); } /// `Are you sure you want to reset this person?` @@ -10109,12 +8834,7 @@ class S { /// `Only them` String get onlyThem { - return Intl.message( - 'Only them', - name: 'onlyThem', - desc: '', - args: [], - ); + return Intl.message('Only them', name: 'onlyThem', desc: '', args: []); } /// `Checking models...` @@ -10277,32 +8997,17 @@ class S { /// `Info` String get info { - return Intl.message( - 'Info', - name: 'info', - desc: '', - args: [], - ); + return Intl.message('Info', name: 'info', desc: '', args: []); } /// `Add Files` String get addFiles { - return Intl.message( - 'Add Files', - name: 'addFiles', - desc: '', - args: [], - ); + return Intl.message('Add Files', name: 'addFiles', desc: '', args: []); } /// `Cast album` String get castAlbum { - return Intl.message( - 'Cast album', - name: 'castAlbum', - desc: '', - args: [], - ); + return Intl.message('Cast album', name: 'castAlbum', desc: '', args: []); } /// `Image not analyzed` @@ -10347,12 +9052,7 @@ class S { /// `month` String get month { - return Intl.message( - 'month', - name: 'month', - desc: '', - args: [], - ); + return Intl.message('month', name: 'month', desc: '', args: []); } /// `yr` @@ -10377,12 +9077,7 @@ class S { /// `ignored` String get ignored { - return Intl.message( - 'ignored', - name: 'ignored', - desc: '', - args: [], - ); + return Intl.message('ignored', name: 'ignored', desc: '', args: []); } /// `{count, plural, =0 {0 photos} =1 {1 photo} other {{count} photos}}` @@ -10400,12 +9095,7 @@ class S { /// `File` String get file { - return Intl.message( - 'File', - name: 'file', - desc: '', - args: [], - ); + return Intl.message('File', name: 'file', desc: '', args: []); } /// `Sections length mismatch: {snapshotLength} != {searchLength}` @@ -10481,22 +9171,12 @@ class S { /// `Open file` String get openFile { - return Intl.message( - 'Open file', - name: 'openFile', - desc: '', - args: [], - ); + return Intl.message('Open file', name: 'openFile', desc: '', args: []); } /// `Backup file` String get backupFile { - return Intl.message( - 'Backup file', - name: 'backupFile', - desc: '', - args: [], - ); + return Intl.message('Backup file', name: 'backupFile', desc: '', args: []); } /// `Open album in browser` @@ -10521,12 +9201,7 @@ class S { /// `Allow` String get allow { - return Intl.message( - 'Allow', - name: 'allow', - desc: '', - args: [], - ); + return Intl.message('Allow', name: 'allow', desc: '', args: []); } /// `Allow app to open shared album links` @@ -10591,12 +9266,7 @@ class S { /// `Legacy` String get legacy { - return Intl.message( - 'Legacy', - name: 'legacy', - desc: '', - args: [], - ); + return Intl.message('Legacy', name: 'legacy', desc: '', args: []); } /// `Legacy allows trusted contacts to access your account in your absence.` @@ -10781,22 +9451,12 @@ class S { /// `Warning` String get warning { - return Intl.message( - 'Warning', - name: 'warning', - desc: '', - args: [], - ); + return Intl.message('Warning', name: 'warning', desc: '', args: []); } /// `Proceed` String get proceed { - return Intl.message( - 'Proceed', - name: 'proceed', - desc: '', - args: [], - ); + return Intl.message('Proceed', name: 'proceed', desc: '', args: []); } /// `You are about to add {email} as a trusted contact. They will be able to recover your account if you are absent for {numOfDays} days.` @@ -10851,22 +9511,12 @@ class S { /// `Gallery` String get gallery { - return Intl.message( - 'Gallery', - name: 'gallery', - desc: '', - args: [], - ); + return Intl.message('Gallery', name: 'gallery', desc: '', args: []); } /// `Join album` String get joinAlbum { - return Intl.message( - 'Join album', - name: 'joinAlbum', - desc: '', - args: [], - ); + return Intl.message('Join album', name: 'joinAlbum', desc: '', args: []); } /// `to view and add your photos` @@ -10891,32 +9541,17 @@ class S { /// `Join` String get join { - return Intl.message( - 'Join', - name: 'join', - desc: '', - args: [], - ); + return Intl.message('Join', name: 'join', desc: '', args: []); } /// `Link email` String get linkEmail { - return Intl.message( - 'Link email', - name: 'linkEmail', - desc: '', - args: [], - ); + return Intl.message('Link email', name: 'linkEmail', desc: '', args: []); } /// `Link` String get link { - return Intl.message( - 'Link', - name: 'link', - desc: '', - args: [], - ); + return Intl.message('Link', name: 'link', desc: '', args: []); } /// `No Ente account!` @@ -10971,12 +9606,7 @@ class S { /// `Me` String get me { - return Intl.message( - 'Me', - name: 'me', - desc: '', - args: [], - ); + return Intl.message('Me', name: 'me', desc: '', args: []); } /// `for faster sharing` @@ -11062,12 +9692,7 @@ class S { /// `Don't save` String get dontSave { - return Intl.message( - 'Don\'t save', - name: 'dontSave', - desc: '', - args: [], - ); + return Intl.message('Don\'t save', name: 'dontSave', desc: '', args: []); } /// `This is me!` @@ -11082,12 +9707,7 @@ class S { /// `Link person` String get linkPerson { - return Intl.message( - 'Link person', - name: 'linkPerson', - desc: '', - args: [], - ); + return Intl.message('Link person', name: 'linkPerson', desc: '', args: []); } /// `for better sharing experience` @@ -11133,52 +9753,27 @@ class S { /// `Processing` String get processing { - return Intl.message( - 'Processing', - name: 'processing', - desc: '', - args: [], - ); + return Intl.message('Processing', name: 'processing', desc: '', args: []); } /// `Queued` String get queued { - return Intl.message( - 'Queued', - name: 'queued', - desc: '', - args: [], - ); + return Intl.message('Queued', name: 'queued', desc: '', args: []); } /// `Ineligible` String get ineligible { - return Intl.message( - 'Ineligible', - name: 'ineligible', - desc: '', - args: [], - ); + return Intl.message('Ineligible', name: 'ineligible', desc: '', args: []); } /// `Failed` String get failed { - return Intl.message( - 'Failed', - name: 'failed', - desc: '', - args: [], - ); + return Intl.message('Failed', name: 'failed', desc: '', args: []); } /// `Play stream` String get playStream { - return Intl.message( - 'Play stream', - name: 'playStream', - desc: '', - args: [], - ); + return Intl.message('Play stream', name: 'playStream', desc: '', args: []); } /// `Play original` @@ -11213,42 +9808,22 @@ class S { /// `Edit time` String get editTime { - return Intl.message( - 'Edit time', - name: 'editTime', - desc: '', - args: [], - ); + return Intl.message('Edit time', name: 'editTime', desc: '', args: []); } /// `Select time` String get selectTime { - return Intl.message( - 'Select time', - name: 'selectTime', - desc: '', - args: [], - ); + return Intl.message('Select time', name: 'selectTime', desc: '', args: []); } /// `Select date` String get selectDate { - return Intl.message( - 'Select date', - name: 'selectDate', - desc: '', - args: [], - ); + return Intl.message('Select date', name: 'selectDate', desc: '', args: []); } /// `Previous` String get previous { - return Intl.message( - 'Previous', - name: 'previous', - desc: '', - args: [], - ); + return Intl.message('Previous', name: 'previous', desc: '', args: []); } /// `Select one date and time for all` @@ -11293,12 +9868,7 @@ class S { /// `New range` String get newRange { - return Intl.message( - 'New range', - name: 'newRange', - desc: '', - args: [], - ); + return Intl.message('New range', name: 'newRange', desc: '', args: []); } /// `Select one date and time` @@ -11356,12 +9926,7 @@ class S { /// `App icon` String get appIcon { - return Intl.message( - 'App icon', - name: 'appIcon', - desc: '', - args: [], - ); + return Intl.message('App icon', name: 'appIcon', desc: '', args: []); } /// `Not this person?` @@ -11608,12 +10173,7 @@ class S { /// `On the horizon` String get sunrise { - return Intl.message( - 'On the horizon', - name: 'sunrise', - desc: '', - args: [], - ); + return Intl.message('On the horizon', name: 'sunrise', desc: '', args: []); } /// `Over the hills` @@ -11628,42 +10188,22 @@ class S { /// `The green life` String get greenery { - return Intl.message( - 'The green life', - name: 'greenery', - desc: '', - args: [], - ); + return Intl.message('The green life', name: 'greenery', desc: '', args: []); } /// `Sand and sea` String get beach { - return Intl.message( - 'Sand and sea', - name: 'beach', - desc: '', - args: [], - ); + return Intl.message('Sand and sea', name: 'beach', desc: '', args: []); } /// `In the city` String get city { - return Intl.message( - 'In the city', - name: 'city', - desc: '', - args: [], - ); + return Intl.message('In the city', name: 'city', desc: '', args: []); } /// `In the moonlight` String get moon { - return Intl.message( - 'In the moonlight', - name: 'moon', - desc: '', - args: [], - ); + return Intl.message('In the moonlight', name: 'moon', desc: '', args: []); } /// `On the road again` @@ -11678,22 +10218,12 @@ class S { /// `Culinary delight` String get food { - return Intl.message( - 'Culinary delight', - name: 'food', - desc: '', - args: [], - ); + return Intl.message('Culinary delight', name: 'food', desc: '', args: []); } /// `Furry companions` String get pets { - return Intl.message( - 'Furry companions', - name: 'pets', - desc: '', - args: [], - ); + return Intl.message('Furry companions', name: 'pets', desc: '', args: []); } /// `Curated memories` @@ -11708,22 +10238,12 @@ class S { /// `Widgets` String get widgets { - return Intl.message( - 'Widgets', - name: 'widgets', - desc: '', - args: [], - ); + return Intl.message('Widgets', name: 'widgets', desc: '', args: []); } /// `Memories` String get memories { - return Intl.message( - 'Memories', - name: 'memories', - desc: '', - args: [], - ); + return Intl.message('Memories', name: 'memories', desc: '', args: []); } /// `Select the people you wish to see on your homescreen.` @@ -11828,12 +10348,7 @@ class S { /// `On this day` String get onThisDay { - return Intl.message( - 'On this day', - name: 'onThisDay', - desc: '', - args: [], - ); + return Intl.message('On this day', name: 'onThisDay', desc: '', args: []); } /// `Look back on your memories 🌄` @@ -11848,12 +10363,7 @@ class S { /// ` new 📸` String get newPhotosEmoji { - return Intl.message( - ' new 📸', - name: 'newPhotosEmoji', - desc: '', - args: [], - ); + return Intl.message(' new 📸', name: 'newPhotosEmoji', desc: '', args: []); } /// `Sorry, we had to pause your backups` @@ -11948,12 +10458,7 @@ class S { /// `Birthdays` String get birthdays { - return Intl.message( - 'Birthdays', - name: 'birthdays', - desc: '', - args: [], - ); + return Intl.message('Birthdays', name: 'birthdays', desc: '', args: []); } /// `Wish {name} a happy birthday! 🎉` @@ -11988,22 +10493,12 @@ class S { /// `Are they ` String get areThey { - return Intl.message( - 'Are they ', - name: 'areThey', - desc: '', - args: [], - ); + return Intl.message('Are they ', name: 'areThey', desc: '', args: []); } /// `?` String get questionmark { - return Intl.message( - '?', - name: 'questionmark', - desc: '', - args: [], - ); + return Intl.message('?', name: 'questionmark', desc: '', args: []); } /// `Save as another person` @@ -12038,32 +10533,17 @@ class S { /// `Ignore` String get ignore { - return Intl.message( - 'Ignore', - name: 'ignore', - desc: '', - args: [], - ); + return Intl.message('Ignore', name: 'ignore', desc: '', args: []); } /// `Merge` String get merge { - return Intl.message( - 'Merge', - name: 'merge', - desc: '', - args: [], - ); + return Intl.message('Merge', name: 'merge', desc: '', args: []); } /// `Reset` String get reset { - return Intl.message( - 'Reset', - name: 'reset', - desc: '', - args: [], - ); + return Intl.message('Reset', name: 'reset', desc: '', args: []); } /// `Are you sure you want to ignore this person?` @@ -12128,42 +10608,22 @@ class S { /// `Yes, ignore` String get yesIgnore { - return Intl.message( - 'Yes, ignore', - name: 'yesIgnore', - desc: '', - args: [], - ); + return Intl.message('Yes, ignore', name: 'yesIgnore', desc: '', args: []); } /// `Same` String get same { - return Intl.message( - 'Same', - name: 'same', - desc: '', - args: [], - ); + return Intl.message('Same', name: 'same', desc: '', args: []); } /// `Different` String get different { - return Intl.message( - 'Different', - name: 'different', - desc: '', - args: [], - ); + return Intl.message('Different', name: 'different', desc: '', args: []); } /// `Same person?` String get sameperson { - return Intl.message( - 'Same person?', - name: 'sameperson', - desc: '', - args: [], - ); + return Intl.message('Same person?', name: 'sameperson', desc: '', args: []); } /// `Uploading Large Video Files` @@ -12315,6 +10775,36 @@ class S { args: [], ); } + + /// `Edit auto-add people` + String get editAutoAddPeople { + return Intl.message( + 'Edit auto-add people', + name: 'editAutoAddPeople', + desc: '', + args: [], + ); + } + + /// `Auto-add people` + String get autoAddPeople { + return Intl.message( + 'Auto-add people', + name: 'autoAddPeople', + desc: '', + args: [], + ); + } + + /// `Should the files related to the person that were previously selected in smart albums be removed?` + String get shouldRemoveFilesSmartAlbumsDesc { + return Intl.message( + 'Should the files related to the person that were previously selected in smart albums be removed?', + name: 'shouldRemoveFilesSmartAlbumsDesc', + desc: '', + args: [], + ); + } } class AppLocalizationDelegate extends LocalizationsDelegate { @@ -12349,6 +10839,7 @@ class AppLocalizationDelegate extends LocalizationsDelegate { Locale.fromSubtags(languageCode: 'lt'), Locale.fromSubtags(languageCode: 'lv'), Locale.fromSubtags(languageCode: 'ml'), + Locale.fromSubtags(languageCode: 'ms'), Locale.fromSubtags(languageCode: 'nl'), Locale.fromSubtags(languageCode: 'no'), Locale.fromSubtags(languageCode: 'or'), diff --git a/mobile/apps/photos/lib/l10n/intl_en.arb b/mobile/apps/photos/lib/l10n/intl_en.arb index 1ca8f23f95..5cfb983482 100644 --- a/mobile/apps/photos/lib/l10n/intl_en.arb +++ b/mobile/apps/photos/lib/l10n/intl_en.arb @@ -1790,5 +1790,8 @@ "cLDesc6": "No more waiting for uploads/downloads to complete before you can close the app. All uploads and downloads now have the ability to be paused midway, and resume from where you left off.", "indexingPausedStatusDescription": "Indexing is paused. It will automatically resume when the device is ready. The device is considered ready when its battery level, battery health, and thermal status are within a healthy range.", "faceThumbnailGenerationFailed": "Unable to generate face thumbnails", - "fileAnalysisFailed": "Unable to analyze file" -} + "fileAnalysisFailed": "Unable to analyze file", + "editAutoAddPeople": "Edit auto-add people", + "autoAddPeople": "Auto-add people", + "shouldRemoveFilesSmartAlbumsDesc": "Should the files related to the person that were previously selected in smart albums be removed?" +} \ No newline at end of file diff --git a/mobile/apps/photos/lib/main.dart b/mobile/apps/photos/lib/main.dart index 404a60da91..f67c727fdc 100644 --- a/mobile/apps/photos/lib/main.dart +++ b/mobile/apps/photos/lib/main.dart @@ -60,6 +60,7 @@ const kFGHomeWidgetSyncFrequency = Duration(minutes: 15); const kBGTaskTimeout = Duration(seconds: 28); const kBGPushTimeout = Duration(seconds: 28); const kFGTaskDeathTimeoutInMicroseconds = 5000000; +bool isProcessBg = true; void main() async { debugRepaintRainbowEnabled = false; @@ -86,6 +87,7 @@ void main() async { Future _runInForeground(AdaptiveThemeMode? savedThemeMode) async { return await runWithLogs(() async { _logger.info("Starting app in foreground"); + isProcessBg = false; await _init(false, via: 'mainMethod'); final Locale? locale = await getLocale(noFallback: true); runApp( diff --git a/mobile/apps/photos/lib/models/api/entity/type.dart b/mobile/apps/photos/lib/models/api/entity/type.dart index 2114dc2c5b..7846724786 100644 --- a/mobile/apps/photos/lib/models/api/entity/type.dart +++ b/mobile/apps/photos/lib/models/api/entity/type.dart @@ -5,6 +5,7 @@ enum EntityType { person, cgroup, unknown, + smartConfig, } EntityType typeFromString(String type) { @@ -15,6 +16,8 @@ EntityType typeFromString(String type) { return EntityType.location; case "cgroup": return EntityType.cgroup; + case "sconfig": + return EntityType.cgroup; } debugPrint("unexpected entity type $type"); return EntityType.unknown; @@ -22,10 +25,13 @@ EntityType typeFromString(String type) { extension EntityTypeExtn on EntityType { bool isZipped() { - if (this == EntityType.location || this == EntityType.person) { - return false; + switch (this) { + case EntityType.location: + case EntityType.person: + return false; + default: + return true; } - return true; } String typeToString() { @@ -36,6 +42,8 @@ extension EntityTypeExtn on EntityType { return "person"; case EntityType.cgroup: return "cgroup"; + case EntityType.smartConfig: + return "sconfig"; case EntityType.unknown: return "unknown"; } diff --git a/mobile/apps/photos/lib/models/collection/smart_album_config.dart b/mobile/apps/photos/lib/models/collection/smart_album_config.dart new file mode 100644 index 0000000000..3ab36d21ee --- /dev/null +++ b/mobile/apps/photos/lib/models/collection/smart_album_config.dart @@ -0,0 +1,143 @@ +typedef PersonInfo = ({int updatedAt, Set addedFiles}); + +class SmartAlbumConfig { + // A nullable remote ID for syncing purposes + final String? remoteId; + + final int collectionId; + // person ids + final Set personIDs; + // person id mapped with updatedat, file ids + final Map infoMap; + final int updatedAt; + + SmartAlbumConfig({ + this.remoteId, + required this.collectionId, + required this.personIDs, + required this.infoMap, + this.updatedAt = 0, + }); + + Future getUpdatedConfig(Set newPersonsIds) async { + final toAdd = newPersonsIds.difference(personIDs); + final toRemove = personIDs.difference(newPersonsIds); + final newInfoMap = Map.from(infoMap); + + // Remove whats not needed + for (final personId in toRemove) { + newInfoMap.remove(personId); + } + + // Add files which are needed + for (final personId in toAdd) { + newInfoMap[personId] = (updatedAt: 0, addedFiles: {}); + } + + return SmartAlbumConfig( + remoteId: remoteId, + collectionId: collectionId, + personIDs: newPersonsIds, + infoMap: newInfoMap, + updatedAt: DateTime.now().millisecondsSinceEpoch, + ); + } + + Future addFiles( + String personId, + int updatedAt, + Set fileId, + ) async { + if (!infoMap.containsKey(personId)) { + return this; + } + + final newInfoMap = Map.from(infoMap); + newInfoMap[personId] = ( + updatedAt: updatedAt, + addedFiles: newInfoMap[personId]!.addedFiles.union(fileId), + ); + return SmartAlbumConfig( + remoteId: remoteId, + collectionId: collectionId, + personIDs: personIDs, + infoMap: newInfoMap, + updatedAt: DateTime.now().millisecondsSinceEpoch, + ); + } + + // toJson and fromJson methods + Map toJson() { + return { + "remote_id": remoteId, + "collection_id": collectionId, + "person_ids": personIDs.toList(), + "updated_at": updatedAt, + "info_map": infoMap.map( + (key, value) => MapEntry( + key, + { + "updated_at": value.updatedAt, + "added_files": value.addedFiles.toList(), + }, + ), + ), + }; + } + + factory SmartAlbumConfig.fromJson( + Map json, + String? remoteId, + int? updatedAt, + ) { + final personIDs = Set.from(json["person_ids"] as List? ?? []); + final infoMap = (json["info_map"] as Map).map( + (key, value) => MapEntry( + key, + ( + updatedAt: value["updated_at"] as int? ?? + DateTime.now().millisecondsSinceEpoch, + addedFiles: Set.from(value["added_files"] as List? ?? []), + ), + ), + ); + + return SmartAlbumConfig( + remoteId: remoteId, + collectionId: json["collection_id"] as int, + personIDs: personIDs, + infoMap: infoMap, + updatedAt: updatedAt ?? DateTime.now().millisecondsSinceEpoch, + ); + } + + SmartAlbumConfig merge(SmartAlbumConfig b) { + if (remoteId == b.remoteId) { + if (updatedAt >= b.updatedAt) { + return this; + } + return b; + } + return SmartAlbumConfig( + remoteId: b.updatedAt <= updatedAt ? b.remoteId : remoteId, + collectionId: b.collectionId, + personIDs: personIDs.union(b.personIDs), + infoMap: { + ...infoMap, + ...b.infoMap.map( + (key, value) => MapEntry( + key, + ( + updatedAt: infoMap[key]?.updatedAt != null && + infoMap[key]!.updatedAt > value.updatedAt + ? infoMap[key]!.updatedAt + : value.updatedAt, + addedFiles: infoMap[key]?.addedFiles.union(value.addedFiles) ?? + value.addedFiles, + ), + ), + ), + }, + ); + } +} diff --git a/mobile/apps/photos/lib/services/entity_service.dart b/mobile/apps/photos/lib/services/entity_service.dart index 6c317b1fe4..d8f72cb22c 100644 --- a/mobile/apps/photos/lib/services/entity_service.dart +++ b/mobile/apps/photos/lib/services/entity_service.dart @@ -79,16 +79,19 @@ class EntityService { " ${id == null ? 'Adding' : 'Updating'} entity of type: " + type.typeToString(), ); + late LocalEntityData localData; + final EntityData data = id == null ? await _gateway.createEntity(type, encryptedData, header) : await _gateway.updateEntity(type, id, encryptedData, header); - final LocalEntityData localData = LocalEntityData( + localData = LocalEntityData( id: data.id, type: type, data: plainText, ownerID: data.userID, updatedAt: data.updatedAt, ); + await _db.upsertEntities([localData]); syncEntities().ignore(); return localData; @@ -103,6 +106,8 @@ class EntityService { try { await _remoteToLocalSync(EntityType.location); await _remoteToLocalSync(EntityType.cgroup); + // TODO: Change to smart config + await _remoteToLocalSync(EntityType.person); } catch (e) { _logger.severe("Failed to sync entities", e); } @@ -249,4 +254,11 @@ class EntityService { final hash = md5.convert(utf8.encode(preHash)).toString().substring(0, 10); return hash; } + + Future> getUpdatedAts( + EntityType type, + List personIds, + ) async { + return await _db.getUpdatedAts(type, personIds); + } } diff --git a/mobile/apps/photos/lib/services/smart_albums_service.dart b/mobile/apps/photos/lib/services/smart_albums_service.dart new file mode 100644 index 0000000000..b6f4e15b42 --- /dev/null +++ b/mobile/apps/photos/lib/services/smart_albums_service.dart @@ -0,0 +1,280 @@ +import "dart:async"; +import "dart:convert"; + +import "package:flutter/widgets.dart" show BuildContext; +import "package:logging/logging.dart"; +import "package:photos/generated/l10n.dart"; +import "package:photos/models/api/entity/type.dart"; +import "package:photos/models/collection/smart_album_config.dart"; +import "package:photos/models/local_entity_data.dart"; +import "package:photos/service_locator.dart" show entityService; +import "package:photos/services/collections_service.dart"; +import "package:photos/services/search_service.dart"; +import "package:photos/ui/actions/collection/collection_file_actions.dart"; +import "package:photos/ui/actions/collection/collection_sharing_actions.dart"; +import "package:photos/ui/components/action_sheet_widget.dart" + show showActionSheet; +import "package:photos/ui/components/buttons/button_widget.dart"; +import "package:photos/ui/components/models/button_type.dart"; + +class SmartAlbumsService { + SmartAlbumsService._(); + + static final SmartAlbumsService instance = SmartAlbumsService._(); + + final _logger = Logger((SmartAlbumsService).toString()); + + int _lastCacheRefreshTime = 0; + + Future>? _cachedConfigsFuture; + + static const type = EntityType.person; + + void clearCache() { + _cachedConfigsFuture = null; + _lastCacheRefreshTime = 0; + } + + Future refreshSmartConfigCache() async { + _lastCacheRefreshTime = 0; + // wait to ensure cache is refreshed + final _ = await getSmartConfigs(); + } + + int lastRemoteSyncTime() { + return entityService.lastSyncTime(type); + } + + Future> getSmartConfigs() async { + final lastRemoteSyncTimeValue = lastRemoteSyncTime(); + if (_lastCacheRefreshTime != lastRemoteSyncTimeValue) { + _lastCacheRefreshTime = lastRemoteSyncTimeValue; + _cachedConfigsFuture = null; // Invalidate cache + } + _cachedConfigsFuture ??= _fetchAndCacheSConfigs(); + return await _cachedConfigsFuture!; + } + + Future> _fetchAndCacheSConfigs() async { + _logger.finest("reading all smart configs from local db"); + + final entities = await entityService.getEntities(type); + + final result = _decodeSConfigEntities( + {"entity": entities}, + ); + + final sconfigs = result["sconfigs"] as Map; + + final collectionToUpdate = result["collectionToUpdate"] as Set; + final idToDelete = result["idToDelete"] as Set; + + // update the merged config to remote db + for (final collectionid in collectionToUpdate) { + try { + await saveConfig(sconfigs[collectionid]!); + } catch (error, stackTrace) { + _logger.severe( + "Failed to update smart album config for collection $collectionid", + error, + stackTrace, + ); + } + } + + // delete all remote ids that are merged into the config + for (final remoteId in idToDelete) { + try { + await _deleteEntry(id: remoteId); + } catch (error, stackTrace) { + _logger.severe( + "Failed to delete smart album config for remote id $remoteId", + error, + stackTrace, + ); + } + } + + return sconfigs; + } + + Map _decodeSConfigEntities( + Map param, + ) { + final entities = (param["entity"] as List); + + final Map sconfigs = {}; + final Set collectionToUpdate = {}; + final Set idToDelete = {}; + + for (final entity in entities) { + try { + var config = SmartAlbumConfig.fromJson( + json.decode(entity.data), + entity.id, + entity.updatedAt, + ); + + if (sconfigs.containsKey(config.collectionId)) { + final existingConfig = sconfigs[config.collectionId]!; + final collectionIdToKeep = config.updatedAt < existingConfig.updatedAt + ? config.collectionId + : existingConfig.collectionId; + final remoteIdToDelete = config.updatedAt < existingConfig.updatedAt + ? existingConfig.remoteId + : config.remoteId; + + config = config.merge(sconfigs[config.collectionId]!); + + // Update the config to be updated and deleted list + collectionToUpdate.add(collectionIdToKeep); + idToDelete.add(remoteIdToDelete!); + } + + sconfigs[config.collectionId] = config; + } catch (error, stackTrace) { + _logger.severe( + "Failed to decode smart album config", + error, + stackTrace, + ); + } + } + + return { + "sconfigs": sconfigs, + "collectionToUpdate": collectionToUpdate, + "idToDelete": idToDelete, + }; + } + + Future syncSmartAlbums() async { + final cachedConfigs = await _fetchAndCacheSConfigs(); + + for (final entry in cachedConfigs.entries) { + final collectionId = entry.key; + final config = entry.value; + + final infoMap = config.infoMap; + + // Person Id key mapped to updatedAt value + final updatedAtMap = await entityService.getUpdatedAts( + EntityType.cgroup, + config.personIDs.toList(), + ); + + for (final personId in config.personIDs) { + // compares current updateAt with last added file's updatedAt + if (updatedAtMap[personId] == null || + infoMap[personId] == null || + (updatedAtMap[personId]! <= infoMap[personId]!.updatedAt)) { + continue; + } + + final toBeSynced = (await SearchService.instance + .getClusterFilesForPersonID(personId)) + .entries + .expand((e) => e.value) + .toList() + ..removeWhere( + (e) => + e.uploadedFileID == null || + config.infoMap[personId]!.addedFiles.contains(e.uploadedFileID), + ); + + if (toBeSynced.isNotEmpty) { + final CollectionActions collectionActions = + CollectionActions(CollectionsService.instance); + + final result = await collectionActions.addToCollection( + null, + collectionId, + false, + selectedFiles: toBeSynced, + ); + + if (result) { + final newConfig = await config.addFiles( + personId, + updatedAtMap[personId]!, + toBeSynced.map((e) => e.uploadedFileID!).toSet(), + ); + await saveConfig(newConfig); + } + } + } + } + } + + Future saveConfig(SmartAlbumConfig config) async { + await _addOrUpdateEntity( + type, + config.toJson(), + id: config.remoteId, + ); + } + + Future getConfig(int collectionId) async { + final cachedConfigs = await getSmartConfigs(); + return cachedConfigs[collectionId]; + } + + Future removeFilesDialog( + BuildContext context, + ) async { + final completer = Completer(); + await showActionSheet( + context: context, + body: S.of(context).shouldRemoveFilesSmartAlbumsDesc, + buttons: [ + ButtonWidget( + labelText: S.of(context).yes, + buttonType: ButtonType.neutral, + buttonSize: ButtonSize.large, + shouldStickToDarkTheme: true, + buttonAction: ButtonAction.first, + shouldSurfaceExecutionStates: true, + isInAlert: true, + onTap: () async { + completer.complete(true); + }, + ), + ButtonWidget( + labelText: S.of(context).no, + buttonType: ButtonType.secondary, + buttonSize: ButtonSize.large, + shouldStickToDarkTheme: true, + buttonAction: ButtonAction.cancel, + isInAlert: true, + onTap: () async { + completer.complete(false); + }, + ), + ], + ); + + return completer.future; + } + + /// Wrapper method for entityService.addOrUpdate that handles cache refresh + Future _addOrUpdateEntity( + EntityType type, + Map jsonMap, { + String? id, + }) async { + final result = await entityService.addOrUpdate( + type, + jsonMap, + id: id, + ); + _lastCacheRefreshTime = 0; // Invalidate cache + return result; + } + + Future _deleteEntry({ + required String id, + }) async { + await entityService.deleteEntry(id); + _lastCacheRefreshTime = 0; // Invalidate cache + } +} diff --git a/mobile/apps/photos/lib/services/sync/sync_service.dart b/mobile/apps/photos/lib/services/sync/sync_service.dart index ac1ee5bb45..f0fda91f91 100644 --- a/mobile/apps/photos/lib/services/sync/sync_service.dart +++ b/mobile/apps/photos/lib/services/sync/sync_service.dart @@ -15,6 +15,7 @@ import 'package:photos/events/trigger_logout_event.dart'; import 'package:photos/models/file/file_type.dart'; import "package:photos/services/language_service.dart"; import 'package:photos/services/notification_service.dart'; +import "package:photos/services/smart_albums_service.dart"; import 'package:photos/services/sync/local_sync_service.dart'; import 'package:photos/services/sync/remote_sync_service.dart'; import 'package:photos/utils/file_uploader.dart'; @@ -199,6 +200,7 @@ class SyncService { if (shouldSync) { await _remoteSyncService.sync(); } + await SmartAlbumsService.instance.syncSmartAlbums(); } } diff --git a/mobile/apps/photos/lib/ui/actions/collection/collection_file_actions.dart b/mobile/apps/photos/lib/ui/actions/collection/collection_file_actions.dart index 2deb10cf2a..14846dac5e 100644 --- a/mobile/apps/photos/lib/ui/actions/collection/collection_file_actions.dart +++ b/mobile/apps/photos/lib/ui/actions/collection/collection_file_actions.dart @@ -183,14 +183,14 @@ extension CollectionFileActions on CollectionActions { } Future addToCollection( - BuildContext context, + BuildContext? context, int collectionID, bool showProgressDialog, { List? selectedFiles, List? sharedFiles, List? picketAssets, }) async { - ProgressDialog? dialog = showProgressDialog + ProgressDialog? dialog = showProgressDialog && context != null ? createProgressDialog( context, S.of(context).uploadingFilesToAlbum, @@ -246,7 +246,7 @@ extension CollectionFileActions on CollectionActions { final Collection? c = CollectionsService.instance.getCollectionByID(collectionID); if (c != null && c.owner.id != currentUserID) { - if (!showProgressDialog) { + if (!showProgressDialog && context != null) { dialog = createProgressDialog( context, S.of(context).uploadingFilesToAlbum, @@ -291,7 +291,9 @@ extension CollectionFileActions on CollectionActions { } catch (e, s) { logger.severe("Failed to add to album", e, s); await dialog?.hide(); - await showGenericErrorDialog(context: context, error: e); + if (context != null) { + await showGenericErrorDialog(context: context, error: e); + } rethrow; } } diff --git a/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart b/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart new file mode 100644 index 0000000000..0d8703e782 --- /dev/null +++ b/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart @@ -0,0 +1,182 @@ +import "dart:async"; + +import 'package:flutter/material.dart'; +import "package:photos/db/files_db.dart"; +import "package:photos/generated/l10n.dart"; +import "package:photos/models/collection/smart_album_config.dart"; +import "package:photos/models/selected_people.dart"; +import "package:photos/services/collections_service.dart"; +import "package:photos/services/smart_albums_service.dart"; +import "package:photos/ui/actions/collection/collection_sharing_actions.dart"; +import "package:photos/ui/components/buttons/button_widget.dart"; +import "package:photos/ui/components/models/button_type.dart"; +import 'package:photos/ui/components/title_bar_title_widget.dart'; +import 'package:photos/ui/components/title_bar_widget.dart'; +import "package:photos/ui/viewer/search/result/people_section_all_page.dart" + show PeopleSectionAllWidget; +import "package:photos/utils/dialog_util.dart"; + +class SmartAlbumPeople extends StatefulWidget { + const SmartAlbumPeople({ + super.key, + required this.collectionId, + }); + + final int collectionId; + + @override + State createState() => _SmartAlbumPeopleState(); +} + +class _SmartAlbumPeopleState extends State { + final _selectedPeople = SelectedPeople(); + SmartAlbumConfig? currentConfig; + + @override + void initState() { + super.initState(); + getSelections(); + } + + Future getSelections() async { + currentConfig = + await SmartAlbumsService.instance.getConfig(widget.collectionId); + + if (currentConfig != null && + currentConfig!.personIDs.isNotEmpty && + mounted) { + _selectedPeople.select(currentConfig!.personIDs); + } + } + + @override + Widget build(BuildContext context) { + return Scaffold( + bottomNavigationBar: Padding( + padding: EdgeInsets.fromLTRB( + 16, + 8, + 16, + 8 + MediaQuery.viewPaddingOf(context).bottom, + ), + child: ListenableBuilder( + listenable: _selectedPeople, + builder: (context, _) { + return ButtonWidget( + buttonType: ButtonType.primary, + buttonSize: ButtonSize.large, + labelText: S.of(context).save, + shouldSurfaceExecutionStates: false, + onTap: () async { + final dialog = createProgressDialog( + context, + S.of(context).pleaseWait, + isDismissible: true, + ); + + if (_selectedPeople.personIds.length == + currentConfig?.personIDs.length && + _selectedPeople.personIds + .toSet() + .difference(currentConfig?.personIDs.toSet() ?? {}) + .isEmpty) { + Navigator.pop(context); + return; + } + + try { + await dialog.show(); + SmartAlbumConfig newConfig; + + if (currentConfig == null) { + final infoMap = {}; + + // Add files which are needed + for (final personId in _selectedPeople.personIds) { + infoMap[personId] = (updatedAt: 0, addedFiles: {}); + } + + newConfig = SmartAlbumConfig( + collectionId: widget.collectionId, + personIDs: _selectedPeople.personIds, + infoMap: infoMap, + ); + } else { + final removedPersonIds = currentConfig!.personIDs + .toSet() + .difference(_selectedPeople.personIds.toSet()) + .toList(); + + if (removedPersonIds.isNotEmpty) { + final toDelete = + await SmartAlbumsService.instance.removeFilesDialog( + context, + ); + await dialog.show(); + + if (toDelete) { + for (final personId in removedPersonIds) { + final files = + currentConfig!.infoMap[personId]?.addedFiles; + + final enteFiles = await FilesDB.instance + .getAllFilesGroupByCollectionID( + files?.toList() ?? [], + ); + + final collection = CollectionsService.instance + .getCollectionByID(widget.collectionId); + + if (files?.isNotEmpty ?? false) { + await CollectionActions(CollectionsService.instance) + .moveFilesFromCurrentCollection( + context, + collection!, + enteFiles[widget.collectionId] ?? [], + isHidden: collection.isHidden(), + ); + } + } + } + } + newConfig = await currentConfig!.getUpdatedConfig( + _selectedPeople.personIds, + ); + } + + await SmartAlbumsService.instance.saveConfig(newConfig); + SmartAlbumsService.instance.syncSmartAlbums().ignore(); + + await dialog.hide(); + Navigator.pop(context); + } catch (e) { + await dialog.hide(); + await showGenericErrorDialog(context: context, error: e); + } + }, + ); + }, + ), + ), + body: CustomScrollView( + primary: false, + slivers: [ + TitleBarWidget( + flexibleSpaceTitle: TitleBarTitleWidget( + title: S.of(context).people, + ), + expandedHeight: MediaQuery.textScalerOf(context).scale(120), + flexibleSpaceCaption: S.of(context).peopleWidgetDesc, + actionIcons: const [], + ), + SliverFillRemaining( + child: PeopleSectionAllWidget( + selectedPeople: _selectedPeople, + namedOnly: true, + ), + ), + ], + ), + ); + } +} diff --git a/mobile/apps/photos/lib/ui/common/popup_item_async.dart b/mobile/apps/photos/lib/ui/common/popup_item_async.dart new file mode 100644 index 0000000000..798c404dd7 --- /dev/null +++ b/mobile/apps/photos/lib/ui/common/popup_item_async.dart @@ -0,0 +1,50 @@ +import 'package:flutter/material.dart'; + +class EntePopupMenuItemAsync extends PopupMenuItem { + final String Function(U?) label; + final IconData Function(U?)? icon; + final Widget Function(U?)? iconWidget; + final Color? iconColor; + final Color? labelColor; + final Future Function()? future; + + EntePopupMenuItemAsync( + this.label, { + required T super.value, + this.icon, + this.iconWidget, + this.iconColor, + this.labelColor, + this.future, + super.key, + }) : assert( + icon != null || iconWidget != null, + 'Either icon or iconWidget must be provided.', + ), + assert( + !(icon != null && iconWidget != null), + 'Only one of icon or iconWidget can be provided.', + ), + super( + child: FutureBuilder( + future: future?.call(), + builder: (context, snapshot) { + return Row( + children: [ + if (iconWidget != null) + iconWidget(snapshot.data) + else if (icon != null) + Icon(icon(snapshot.data), color: iconColor), + const Padding( + padding: EdgeInsets.all(8), + ), + Text( + label(snapshot.data), + style: TextStyle(color: labelColor), + ), + ], + ); + }, + ), // Initially empty, will be populated in build + ); +} diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart index 38c02c08b9..d60154f9cb 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart @@ -27,12 +27,15 @@ import 'package:photos/models/selected_files.dart'; import 'package:photos/service_locator.dart'; import 'package:photos/services/collections_service.dart'; import "package:photos/services/files_service.dart"; +import "package:photos/services/smart_albums_service.dart"; import "package:photos/states/location_screen_state.dart"; import "package:photos/theme/colors.dart"; import 'package:photos/ui/actions/collection/collection_sharing_actions.dart'; import "package:photos/ui/cast/auto.dart"; import "package:photos/ui/cast/choose.dart"; +import "package:photos/ui/collections/album/smart_album_people.dart"; import "package:photos/ui/common/popup_item.dart"; +import "package:photos/ui/common/popup_item_async.dart"; import "package:photos/ui/common/web_page.dart"; import 'package:photos/ui/components/action_sheet_widget.dart'; import 'package:photos/ui/components/buttons/button_widget.dart'; @@ -89,6 +92,7 @@ enum AlbumPopupAction { sharedArchive, ownedHide, playOnTv, + autoAddPhotos, sort, leave, freeUpSpace, @@ -399,6 +403,7 @@ class _GalleryAppBarWidgetState extends State { ), ); } + if (galleryType.isSharable() && !widget.isFromCollectPhotos) { actions.add( Tooltip( @@ -437,8 +442,10 @@ class _GalleryAppBarWidgetState extends State { ), ); } - final List> items = []; - items.addAll([ + final bool isArchived = widget.collection?.isArchived() ?? false; + final bool isHidden = widget.collection?.isHidden() ?? false; + + final items = [ if (galleryType.canRename()) EntePopupMenuItem( isQuickLink @@ -498,149 +505,160 @@ class _GalleryAppBarWidgetState extends State { iconColor: warning500, labelColor: warning500, ), - ]); - final bool isArchived = widget.collection?.isArchived() ?? false; - final bool isHidden = widget.collection?.isHidden() ?? false; - - items.addAll( - [ - // Do not show archive option for favorite collection. If collection is - // already archived, allow user to unarchive that collection. - if (isArchived || (galleryType.canArchive() && !isHidden)) - EntePopupMenuItem( - value: AlbumPopupAction.ownedArchive, - isArchived - ? S.of(context).unarchiveAlbum - : S.of(context).archiveAlbum, - icon: isArchived ? Icons.unarchive : Icons.archive_outlined, - ), - if (!isArchived && galleryType.canHide()) - EntePopupMenuItem( - value: AlbumPopupAction.ownedHide, - isHidden ? S.of(context).unhide : S.of(context).hide, - icon: isHidden - ? Icons.visibility_outlined - : Icons.visibility_off_outlined, - ), - if (widget.collection != null) - EntePopupMenuItem( - value: AlbumPopupAction.playOnTv, - context.l10n.playOnTv, - icon: Icons.tv_outlined, - ), - if (galleryType.canDelete()) - EntePopupMenuItem( - isQuickLink ? S.of(context).removeLink : S.of(context).deleteAlbum, - value: isQuickLink - ? AlbumPopupAction.removeLink - : AlbumPopupAction.delete, - icon: isQuickLink - ? Icons.remove_circle_outline - : Icons.delete_outline, - ), - if (galleryType == GalleryType.sharedCollection) - EntePopupMenuItem( - widget.collection!.hasShareeArchived() - ? S.of(context).unarchiveAlbum - : S.of(context).archiveAlbum, - value: AlbumPopupAction.sharedArchive, - icon: widget.collection!.hasShareeArchived() - ? Icons.unarchive - : Icons.archive_outlined, - ), - if (galleryType == GalleryType.sharedCollection) - EntePopupMenuItem( - S.of(context).leaveAlbum, - value: AlbumPopupAction.leave, - icon: Icons.logout, - ), - if (galleryType == GalleryType.localFolder) - EntePopupMenuItem( - S.of(context).freeUpDeviceSpace, - value: AlbumPopupAction.freeUpSpace, - icon: Icons.delete_sweep_outlined, - ), - if (galleryType == GalleryType.sharedPublicCollection && - widget.collection!.isDownloadEnabledForPublicLink()) - EntePopupMenuItem( - S.of(context).download, - value: AlbumPopupAction.downloadAlbum, - icon: Platform.isAndroid - ? Icons.download - : Icons.cloud_download_outlined, - ), - ], - ); - - if (items.isNotEmpty) { - actions.add( - PopupMenuButton( - itemBuilder: (context) { - return items; - }, - onSelected: (AlbumPopupAction value) async { - if (value == AlbumPopupAction.rename) { - await _renameAlbum(context); - } else if (value == AlbumPopupAction.pinAlbum) { - await updateOrder( - context, - widget.collection!, - widget.collection!.isPinned ? 0 : 1, - ); - if (mounted) setState(() {}); - } else if (value == AlbumPopupAction.ownedArchive) { - await archiveOrUnarchive(); - } else if (value == AlbumPopupAction.ownedHide) { - await hideOrUnhide(); - } else if (value == AlbumPopupAction.delete) { - await _trashCollection(); - } else if (value == AlbumPopupAction.removeLink) { - await _removeQuickLink(); - } else if (value == AlbumPopupAction.leave) { - await _leaveAlbum(context); - } else if (value == AlbumPopupAction.playOnTv) { - await _castChoiceDialog(); - } else if (value == AlbumPopupAction.freeUpSpace) { - await _deleteBackedUpFiles(context); - } else if (value == AlbumPopupAction.setCover) { - await setCoverPhoto(context); - } else if (value == AlbumPopupAction.sort) { - await _showSortOption(context); - } else if (value == AlbumPopupAction.sharedArchive) { - final hasShareeArchived = widget.collection!.hasShareeArchived(); - final int prevVisiblity = - hasShareeArchived ? archiveVisibility : visibleVisibility; - final int newVisiblity = - hasShareeArchived ? visibleVisibility : archiveVisibility; - - await changeCollectionVisibility( - context, - collection: widget.collection!, - newVisibility: newVisiblity, - prevVisibility: prevVisiblity, - isOwner: false, - ); - if (mounted) { - setState(() {}); - } - } else if (value == AlbumPopupAction.map) { - await showOnMap(); - } else if (value == AlbumPopupAction.cleanUncategorized) { - await onCleanUncategorizedClick(context); - } else if (value == AlbumPopupAction.downloadAlbum) { - await _downloadPublicAlbumToGallery(widget.files!); - } else if (value == AlbumPopupAction.editLocation) { - editLocation(); - } else if (value == AlbumPopupAction.deleteLocation) { - await deleteLocation(); - } else { - showToast(context, S.of(context).somethingWentWrong); - } - }, + // Do not show archive option for favorite collection. If collection is + // already archived, allow user to unarchive that collection. + if (isArchived || (galleryType.canArchive() && !isHidden)) + EntePopupMenuItem( + value: AlbumPopupAction.ownedArchive, + isArchived + ? S.of(context).unarchiveAlbum + : S.of(context).archiveAlbum, + icon: isArchived ? Icons.unarchive : Icons.archive_outlined, ), - ); + if (!isArchived && galleryType.canHide()) + EntePopupMenuItem( + value: AlbumPopupAction.ownedHide, + isHidden ? S.of(context).unhide : S.of(context).hide, + icon: isHidden + ? Icons.visibility_outlined + : Icons.visibility_off_outlined, + ), + if (widget.collection != null) + EntePopupMenuItem( + value: AlbumPopupAction.playOnTv, + context.l10n.playOnTv, + icon: Icons.tv_outlined, + ), + if (widget.collection != null) + EntePopupMenuItemAsync( + (value) => (value?[widget.collection!.id]?.personIDs.isEmpty ?? true) + ? S.of(context).autoAddPeople + : S.of(context).editAutoAddPeople, + value: AlbumPopupAction.autoAddPhotos, + future: SmartAlbumsService.instance.getSmartConfigs, + icon: (value) => Icons.add, + ), + if (galleryType.canDelete()) + EntePopupMenuItem( + isQuickLink ? S.of(context).removeLink : S.of(context).deleteAlbum, + value: isQuickLink + ? AlbumPopupAction.removeLink + : AlbumPopupAction.delete, + icon: + isQuickLink ? Icons.remove_circle_outline : Icons.delete_outline, + ), + if (galleryType == GalleryType.sharedCollection) + EntePopupMenuItem( + widget.collection!.hasShareeArchived() + ? S.of(context).unarchiveAlbum + : S.of(context).archiveAlbum, + value: AlbumPopupAction.sharedArchive, + icon: widget.collection!.hasShareeArchived() + ? Icons.unarchive + : Icons.archive_outlined, + ), + if (galleryType == GalleryType.sharedCollection) + EntePopupMenuItem( + S.of(context).leaveAlbum, + value: AlbumPopupAction.leave, + icon: Icons.logout, + ), + if (galleryType == GalleryType.localFolder) + EntePopupMenuItem( + S.of(context).freeUpDeviceSpace, + value: AlbumPopupAction.freeUpSpace, + icon: Icons.delete_sweep_outlined, + ), + if (galleryType == GalleryType.sharedPublicCollection && + widget.collection!.isDownloadEnabledForPublicLink()) + EntePopupMenuItem( + S.of(context).download, + value: AlbumPopupAction.downloadAlbum, + icon: Platform.isAndroid + ? Icons.download + : Icons.cloud_download_outlined, + ), + ]; + + if (items.isEmpty) { + return actions; } + actions.add( + PopupMenuButton( + itemBuilder: (context) { + return items; + }, + onSelected: (AlbumPopupAction value) async { + if (value == AlbumPopupAction.rename) { + await _renameAlbum(context); + } else if (value == AlbumPopupAction.pinAlbum) { + await updateOrder( + context, + widget.collection!, + widget.collection!.isPinned ? 0 : 1, + ); + if (mounted) setState(() {}); + } else if (value == AlbumPopupAction.ownedArchive) { + await archiveOrUnarchive(); + } else if (value == AlbumPopupAction.ownedHide) { + await hideOrUnhide(); + } else if (value == AlbumPopupAction.delete) { + await _trashCollection(); + } else if (value == AlbumPopupAction.removeLink) { + await _removeQuickLink(); + } else if (value == AlbumPopupAction.leave) { + await _leaveAlbum(context); + } else if (value == AlbumPopupAction.playOnTv) { + await _castChoiceDialog(); + } else if (value == AlbumPopupAction.autoAddPhotos) { + await routeToPage( + context, + SmartAlbumPeople( + collectionId: widget.collection!.id, + ), + ); + setState(() {}); + } else if (value == AlbumPopupAction.freeUpSpace) { + await _deleteBackedUpFiles(context); + } else if (value == AlbumPopupAction.setCover) { + await setCoverPhoto(context); + } else if (value == AlbumPopupAction.sort) { + await _showSortOption(context); + } else if (value == AlbumPopupAction.sharedArchive) { + final hasShareeArchived = widget.collection!.hasShareeArchived(); + final int prevVisiblity = + hasShareeArchived ? archiveVisibility : visibleVisibility; + final int newVisiblity = + hasShareeArchived ? visibleVisibility : archiveVisibility; + + await changeCollectionVisibility( + context, + collection: widget.collection!, + newVisibility: newVisiblity, + prevVisibility: prevVisiblity, + isOwner: false, + ); + if (mounted) { + setState(() {}); + } + } else if (value == AlbumPopupAction.map) { + await showOnMap(); + } else if (value == AlbumPopupAction.cleanUncategorized) { + await onCleanUncategorizedClick(context); + } else if (value == AlbumPopupAction.downloadAlbum) { + await _downloadPublicAlbumToGallery(widget.files!); + } else if (value == AlbumPopupAction.editLocation) { + editLocation(); + } else if (value == AlbumPopupAction.deleteLocation) { + await deleteLocation(); + } else { + showToast(context, S.of(context).somethingWentWrong); + } + }, + ), + ); + return actions; } diff --git a/mobile/apps/photos/lib/utils/bg_task_utils.dart b/mobile/apps/photos/lib/utils/bg_task_utils.dart index 573996625a..0942ef0e4d 100644 --- a/mobile/apps/photos/lib/utils/bg_task_utils.dart +++ b/mobile/apps/photos/lib/utils/bg_task_utils.dart @@ -87,7 +87,7 @@ class BgTaskUtils { frequency: Platform.isIOS ? const Duration(minutes: 30) : const Duration(minutes: 15), - initialDelay: const Duration(minutes: 10), + // initialDelay: const Duration(minutes: 10), constraints: workmanager.Constraints( networkType: workmanager.NetworkType.connected, requiresCharging: false, From e4a0ed7ec1f443eef7c5b6246b62c4c271a47b9a Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Wed, 23 Jul 2025 14:51:11 +0530 Subject: [PATCH 090/302] fix: no delay --- mobile/apps/photos/lib/utils/bg_task_utils.dart | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/utils/bg_task_utils.dart b/mobile/apps/photos/lib/utils/bg_task_utils.dart index 0942ef0e4d..bca4d2f700 100644 --- a/mobile/apps/photos/lib/utils/bg_task_utils.dart +++ b/mobile/apps/photos/lib/utils/bg_task_utils.dart @@ -1,5 +1,6 @@ import "dart:io"; +import "package:flutter/foundation.dart"; import "package:logging/logging.dart"; import "package:permission_handler/permission_handler.dart"; import "package:photos/db/upload_locks_db.dart"; @@ -87,7 +88,7 @@ class BgTaskUtils { frequency: Platform.isIOS ? const Duration(minutes: 30) : const Duration(minutes: 15), - // initialDelay: const Duration(minutes: 10), + initialDelay: kDebugMode ? Duration.zero : const Duration(minutes: 10), constraints: workmanager.Constraints( networkType: workmanager.NetworkType.connected, requiresCharging: false, From 3756a56776ce897dc59faa8c1388ddf9b0f81fd7 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Wed, 23 Jul 2025 15:17:10 +0530 Subject: [PATCH 091/302] chore: nit fixes --- mobile/apps/photos/lib/app.dart | 3 +- mobile/apps/photos/lib/db/files_db.dart | 1 - .../models/collection/smart_album_config.dart | 18 +++---- mobile/apps/photos/lib/service_locator.dart | 7 +++ .../lib/services/smart_albums_service.dart | 53 ++---------------- .../lib/services/sync/sync_service.dart | 4 +- .../collections/album/smart_album_people.dart | 54 +++++++++++++++---- .../gallery/gallery_app_bar_widget.dart | 3 +- 8 files changed, 67 insertions(+), 76 deletions(-) diff --git a/mobile/apps/photos/lib/app.dart b/mobile/apps/photos/lib/app.dart index a6c90a84d7..64a2700c7a 100644 --- a/mobile/apps/photos/lib/app.dart +++ b/mobile/apps/photos/lib/app.dart @@ -20,7 +20,6 @@ import 'package:photos/services/app_lifecycle_service.dart'; import "package:photos/services/home_widget_service.dart"; import "package:photos/services/memory_home_widget_service.dart"; import "package:photos/services/people_home_widget_service.dart"; -import "package:photos/services/smart_albums_service.dart"; import 'package:photos/services/sync/sync_service.dart'; import 'package:photos/ui/tabs/home_widget.dart'; import "package:photos/ui/viewer/actions/file_viewer.dart"; @@ -77,7 +76,7 @@ class _EnteAppState extends State with WidgetsBindingObserver { _changeCallbackDebouncer.run( () async { unawaited(PeopleHomeWidgetService.instance.checkPeopleChanged()); - unawaited(SmartAlbumsService.instance.syncSmartAlbums()); + unawaited(smartAlbumsService.syncSmartAlbums()); }, ); }, diff --git a/mobile/apps/photos/lib/db/files_db.dart b/mobile/apps/photos/lib/db/files_db.dart index e2faeee4f5..f8900f8912 100644 --- a/mobile/apps/photos/lib/db/files_db.dart +++ b/mobile/apps/photos/lib/db/files_db.dart @@ -1479,7 +1479,6 @@ class FilesDB with SqlDbBase { final inParam = ids.map((id) => "'$id'").join(','); final db = await instance.sqliteAsyncDB; - final results = await db.getAll( 'SELECT * FROM $filesTable WHERE $columnUploadedFileID IN ($inParam) ORDER BY $columnCreationTime $order', ); diff --git a/mobile/apps/photos/lib/models/collection/smart_album_config.dart b/mobile/apps/photos/lib/models/collection/smart_album_config.dart index 3ab36d21ee..2a90a31fd2 100644 --- a/mobile/apps/photos/lib/models/collection/smart_album_config.dart +++ b/mobile/apps/photos/lib/models/collection/smart_album_config.dart @@ -2,7 +2,7 @@ typedef PersonInfo = ({int updatedAt, Set addedFiles}); class SmartAlbumConfig { // A nullable remote ID for syncing purposes - final String? remoteId; + final String? id; final int collectionId; // person ids @@ -12,14 +12,14 @@ class SmartAlbumConfig { final int updatedAt; SmartAlbumConfig({ - this.remoteId, + this.id, required this.collectionId, required this.personIDs, required this.infoMap, this.updatedAt = 0, }); - Future getUpdatedConfig(Set newPersonsIds) async { + SmartAlbumConfig getUpdatedConfig(Set newPersonsIds) { final toAdd = newPersonsIds.difference(personIDs); final toRemove = personIDs.difference(newPersonsIds); final newInfoMap = Map.from(infoMap); @@ -35,7 +35,7 @@ class SmartAlbumConfig { } return SmartAlbumConfig( - remoteId: remoteId, + id: id, collectionId: collectionId, personIDs: newPersonsIds, infoMap: newInfoMap, @@ -58,7 +58,7 @@ class SmartAlbumConfig { addedFiles: newInfoMap[personId]!.addedFiles.union(fileId), ); return SmartAlbumConfig( - remoteId: remoteId, + id: id, collectionId: collectionId, personIDs: personIDs, infoMap: newInfoMap, @@ -69,7 +69,7 @@ class SmartAlbumConfig { // toJson and fromJson methods Map toJson() { return { - "remote_id": remoteId, + "remote_id": id, "collection_id": collectionId, "person_ids": personIDs.toList(), "updated_at": updatedAt, @@ -103,7 +103,7 @@ class SmartAlbumConfig { ); return SmartAlbumConfig( - remoteId: remoteId, + id: remoteId, collectionId: json["collection_id"] as int, personIDs: personIDs, infoMap: infoMap, @@ -112,14 +112,14 @@ class SmartAlbumConfig { } SmartAlbumConfig merge(SmartAlbumConfig b) { - if (remoteId == b.remoteId) { + if (id == b.id) { if (updatedAt >= b.updatedAt) { return this; } return b; } return SmartAlbumConfig( - remoteId: b.updatedAt <= updatedAt ? b.remoteId : remoteId, + id: b.updatedAt <= updatedAt ? b.id : id, collectionId: b.collectionId, personIDs: personIDs.union(b.personIDs), infoMap: { diff --git a/mobile/apps/photos/lib/service_locator.dart b/mobile/apps/photos/lib/service_locator.dart index bc96877eb2..139f37b080 100644 --- a/mobile/apps/photos/lib/service_locator.dart +++ b/mobile/apps/photos/lib/service_locator.dart @@ -14,6 +14,7 @@ import "package:photos/services/machine_learning/face_ml/face_recognition_servic import "package:photos/services/magic_cache_service.dart"; import "package:photos/services/memories_cache_service.dart"; import "package:photos/services/permission/service.dart"; +import "package:photos/services/smart_albums_service.dart"; import "package:photos/services/smart_memories_service.dart"; import "package:photos/services/storage_bonus_service.dart"; import "package:photos/services/sync/trash_sync_service.dart"; @@ -176,3 +177,9 @@ DownloadManager get downloadManager { ); return _downloadManager!; } + +SmartAlbumsService? _smartAlbumsService; +SmartAlbumsService get smartAlbumsService { + _smartAlbumsService ??= SmartAlbumsService(); + return _smartAlbumsService!; +} diff --git a/mobile/apps/photos/lib/services/smart_albums_service.dart b/mobile/apps/photos/lib/services/smart_albums_service.dart index b6f4e15b42..d3f1c46acd 100644 --- a/mobile/apps/photos/lib/services/smart_albums_service.dart +++ b/mobile/apps/photos/lib/services/smart_albums_service.dart @@ -1,9 +1,7 @@ import "dart:async"; import "dart:convert"; -import "package:flutter/widgets.dart" show BuildContext; import "package:logging/logging.dart"; -import "package:photos/generated/l10n.dart"; import "package:photos/models/api/entity/type.dart"; import "package:photos/models/collection/smart_album_config.dart"; import "package:photos/models/local_entity_data.dart"; @@ -12,16 +10,8 @@ import "package:photos/services/collections_service.dart"; import "package:photos/services/search_service.dart"; import "package:photos/ui/actions/collection/collection_file_actions.dart"; import "package:photos/ui/actions/collection/collection_sharing_actions.dart"; -import "package:photos/ui/components/action_sheet_widget.dart" - show showActionSheet; -import "package:photos/ui/components/buttons/button_widget.dart"; -import "package:photos/ui/components/models/button_type.dart"; class SmartAlbumsService { - SmartAlbumsService._(); - - static final SmartAlbumsService instance = SmartAlbumsService._(); - final _logger = Logger((SmartAlbumsService).toString()); int _lastCacheRefreshTime = 0; @@ -121,8 +111,8 @@ class SmartAlbumsService { ? config.collectionId : existingConfig.collectionId; final remoteIdToDelete = config.updatedAt < existingConfig.updatedAt - ? existingConfig.remoteId - : config.remoteId; + ? existingConfig.id + : config.id; config = config.merge(sconfigs[config.collectionId]!); @@ -210,7 +200,7 @@ class SmartAlbumsService { await _addOrUpdateEntity( type, config.toJson(), - id: config.remoteId, + id: config.id, ); } @@ -219,43 +209,6 @@ class SmartAlbumsService { return cachedConfigs[collectionId]; } - Future removeFilesDialog( - BuildContext context, - ) async { - final completer = Completer(); - await showActionSheet( - context: context, - body: S.of(context).shouldRemoveFilesSmartAlbumsDesc, - buttons: [ - ButtonWidget( - labelText: S.of(context).yes, - buttonType: ButtonType.neutral, - buttonSize: ButtonSize.large, - shouldStickToDarkTheme: true, - buttonAction: ButtonAction.first, - shouldSurfaceExecutionStates: true, - isInAlert: true, - onTap: () async { - completer.complete(true); - }, - ), - ButtonWidget( - labelText: S.of(context).no, - buttonType: ButtonType.secondary, - buttonSize: ButtonSize.large, - shouldStickToDarkTheme: true, - buttonAction: ButtonAction.cancel, - isInAlert: true, - onTap: () async { - completer.complete(false); - }, - ), - ], - ); - - return completer.future; - } - /// Wrapper method for entityService.addOrUpdate that handles cache refresh Future _addOrUpdateEntity( EntityType type, diff --git a/mobile/apps/photos/lib/services/sync/sync_service.dart b/mobile/apps/photos/lib/services/sync/sync_service.dart index f0fda91f91..5bc089b9a3 100644 --- a/mobile/apps/photos/lib/services/sync/sync_service.dart +++ b/mobile/apps/photos/lib/services/sync/sync_service.dart @@ -13,9 +13,9 @@ import 'package:photos/events/subscription_purchased_event.dart'; import 'package:photos/events/sync_status_update_event.dart'; import 'package:photos/events/trigger_logout_event.dart'; import 'package:photos/models/file/file_type.dart'; +import "package:photos/service_locator.dart"; import "package:photos/services/language_service.dart"; import 'package:photos/services/notification_service.dart'; -import "package:photos/services/smart_albums_service.dart"; import 'package:photos/services/sync/local_sync_service.dart'; import 'package:photos/services/sync/remote_sync_service.dart'; import 'package:photos/utils/file_uploader.dart'; @@ -200,7 +200,7 @@ class SyncService { if (shouldSync) { await _remoteSyncService.sync(); } - await SmartAlbumsService.instance.syncSmartAlbums(); + await smartAlbumsService.syncSmartAlbums(); } } diff --git a/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart b/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart index 0d8703e782..d6de7f8bf6 100644 --- a/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart +++ b/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart @@ -5,9 +5,10 @@ import "package:photos/db/files_db.dart"; import "package:photos/generated/l10n.dart"; import "package:photos/models/collection/smart_album_config.dart"; import "package:photos/models/selected_people.dart"; +import "package:photos/service_locator.dart"; import "package:photos/services/collections_service.dart"; -import "package:photos/services/smart_albums_service.dart"; import "package:photos/ui/actions/collection/collection_sharing_actions.dart"; +import "package:photos/ui/components/action_sheet_widget.dart"; import "package:photos/ui/components/buttons/button_widget.dart"; import "package:photos/ui/components/models/button_type.dart"; import 'package:photos/ui/components/title_bar_title_widget.dart'; @@ -39,8 +40,7 @@ class _SmartAlbumPeopleState extends State { } Future getSelections() async { - currentConfig = - await SmartAlbumsService.instance.getConfig(widget.collectionId); + currentConfig = await smartAlbumsService.getConfig(widget.collectionId); if (currentConfig != null && currentConfig!.personIDs.isNotEmpty && @@ -108,10 +108,7 @@ class _SmartAlbumPeopleState extends State { .toList(); if (removedPersonIds.isNotEmpty) { - final toDelete = - await SmartAlbumsService.instance.removeFilesDialog( - context, - ); + final toDelete = await removeFilesDialog(context); await dialog.show(); if (toDelete) { @@ -139,13 +136,13 @@ class _SmartAlbumPeopleState extends State { } } } - newConfig = await currentConfig!.getUpdatedConfig( + newConfig = currentConfig!.getUpdatedConfig( _selectedPeople.personIds, ); } - await SmartAlbumsService.instance.saveConfig(newConfig); - SmartAlbumsService.instance.syncSmartAlbums().ignore(); + await smartAlbumsService.saveConfig(newConfig); + smartAlbumsService.syncSmartAlbums().ignore(); await dialog.hide(); Navigator.pop(context); @@ -180,3 +177,40 @@ class _SmartAlbumPeopleState extends State { ); } } + +Future removeFilesDialog( + BuildContext context, +) async { + final completer = Completer(); + await showActionSheet( + context: context, + body: S.of(context).shouldRemoveFilesSmartAlbumsDesc, + buttons: [ + ButtonWidget( + labelText: S.of(context).yes, + buttonType: ButtonType.neutral, + buttonSize: ButtonSize.large, + shouldStickToDarkTheme: true, + buttonAction: ButtonAction.first, + shouldSurfaceExecutionStates: true, + isInAlert: true, + onTap: () async { + completer.complete(true); + }, + ), + ButtonWidget( + labelText: S.of(context).no, + buttonType: ButtonType.secondary, + buttonSize: ButtonSize.large, + shouldStickToDarkTheme: true, + buttonAction: ButtonAction.cancel, + isInAlert: true, + onTap: () async { + completer.complete(false); + }, + ), + ], + ); + + return completer.future; +} diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart index d60154f9cb..7bacdd3c0b 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart @@ -27,7 +27,6 @@ import 'package:photos/models/selected_files.dart'; import 'package:photos/service_locator.dart'; import 'package:photos/services/collections_service.dart'; import "package:photos/services/files_service.dart"; -import "package:photos/services/smart_albums_service.dart"; import "package:photos/states/location_screen_state.dart"; import "package:photos/theme/colors.dart"; import 'package:photos/ui/actions/collection/collection_sharing_actions.dart'; @@ -535,7 +534,7 @@ class _GalleryAppBarWidgetState extends State { ? S.of(context).autoAddPeople : S.of(context).editAutoAddPeople, value: AlbumPopupAction.autoAddPhotos, - future: SmartAlbumsService.instance.getSmartConfigs, + future: smartAlbumsService.getSmartConfigs, icon: (value) => Icons.add, ), if (galleryType.canDelete()) From 8d848050d1c85e5a1e490f60d2a3f3f063c1dfb9 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Wed, 23 Jul 2025 15:18:34 +0530 Subject: [PATCH 092/302] chore: remove unused --- mobile/apps/photos/lib/services/smart_albums_service.dart | 6 ------ 1 file changed, 6 deletions(-) diff --git a/mobile/apps/photos/lib/services/smart_albums_service.dart b/mobile/apps/photos/lib/services/smart_albums_service.dart index d3f1c46acd..7e78cefbca 100644 --- a/mobile/apps/photos/lib/services/smart_albums_service.dart +++ b/mobile/apps/photos/lib/services/smart_albums_service.dart @@ -25,12 +25,6 @@ class SmartAlbumsService { _lastCacheRefreshTime = 0; } - Future refreshSmartConfigCache() async { - _lastCacheRefreshTime = 0; - // wait to ensure cache is refreshed - final _ = await getSmartConfigs(); - } - int lastRemoteSyncTime() { return entityService.lastSyncTime(type); } From e9c084bd546a9771eb8894b6ae8272ad2d484319 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Wed, 23 Jul 2025 15:19:42 +0530 Subject: [PATCH 093/302] fix: remove unnecessary db read --- mobile/apps/photos/lib/services/smart_albums_service.dart | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/services/smart_albums_service.dart b/mobile/apps/photos/lib/services/smart_albums_service.dart index 7e78cefbca..d8b60b4319 100644 --- a/mobile/apps/photos/lib/services/smart_albums_service.dart +++ b/mobile/apps/photos/lib/services/smart_albums_service.dart @@ -133,7 +133,7 @@ class SmartAlbumsService { } Future syncSmartAlbums() async { - final cachedConfigs = await _fetchAndCacheSConfigs(); + final cachedConfigs = await getSmartConfigs(); for (final entry in cachedConfigs.entries) { final collectionId = entry.key; From 338736148967281adcb0111926d82abd640cbd34 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Wed, 23 Jul 2025 15:40:49 +0530 Subject: [PATCH 094/302] fix: use smart-album entityType and remove merge logic + better id --- .../photos/lib/models/api/entity/type.dart | 7 +- .../models/collection/smart_album_config.dart | 32 ------- .../photos/lib/services/entity_service.dart | 6 +- .../lib/services/smart_albums_service.dart | 87 +++++-------------- 4 files changed, 27 insertions(+), 105 deletions(-) diff --git a/mobile/apps/photos/lib/models/api/entity/type.dart b/mobile/apps/photos/lib/models/api/entity/type.dart index 7846724786..c6ef47a5b0 100644 --- a/mobile/apps/photos/lib/models/api/entity/type.dart +++ b/mobile/apps/photos/lib/models/api/entity/type.dart @@ -5,7 +5,7 @@ enum EntityType { person, cgroup, unknown, - smartConfig, + smartAlbum, } EntityType typeFromString(String type) { @@ -28,6 +28,7 @@ extension EntityTypeExtn on EntityType { switch (this) { case EntityType.location: case EntityType.person: + case EntityType.smartAlbum: return false; default: return true; @@ -42,8 +43,8 @@ extension EntityTypeExtn on EntityType { return "person"; case EntityType.cgroup: return "cgroup"; - case EntityType.smartConfig: - return "sconfig"; + case EntityType.smartAlbum: + return "smart_album"; case EntityType.unknown: return "unknown"; } diff --git a/mobile/apps/photos/lib/models/collection/smart_album_config.dart b/mobile/apps/photos/lib/models/collection/smart_album_config.dart index 2a90a31fd2..d5a4f74e88 100644 --- a/mobile/apps/photos/lib/models/collection/smart_album_config.dart +++ b/mobile/apps/photos/lib/models/collection/smart_album_config.dart @@ -69,10 +69,8 @@ class SmartAlbumConfig { // toJson and fromJson methods Map toJson() { return { - "remote_id": id, "collection_id": collectionId, "person_ids": personIDs.toList(), - "updated_at": updatedAt, "info_map": infoMap.map( (key, value) => MapEntry( key, @@ -110,34 +108,4 @@ class SmartAlbumConfig { updatedAt: updatedAt ?? DateTime.now().millisecondsSinceEpoch, ); } - - SmartAlbumConfig merge(SmartAlbumConfig b) { - if (id == b.id) { - if (updatedAt >= b.updatedAt) { - return this; - } - return b; - } - return SmartAlbumConfig( - id: b.updatedAt <= updatedAt ? b.id : id, - collectionId: b.collectionId, - personIDs: personIDs.union(b.personIDs), - infoMap: { - ...infoMap, - ...b.infoMap.map( - (key, value) => MapEntry( - key, - ( - updatedAt: infoMap[key]?.updatedAt != null && - infoMap[key]!.updatedAt > value.updatedAt - ? infoMap[key]!.updatedAt - : value.updatedAt, - addedFiles: infoMap[key]?.addedFiles.union(value.addedFiles) ?? - value.addedFiles, - ), - ), - ), - }, - ); - } } diff --git a/mobile/apps/photos/lib/services/entity_service.dart b/mobile/apps/photos/lib/services/entity_service.dart index d8f72cb22c..d03c82bfeb 100644 --- a/mobile/apps/photos/lib/services/entity_service.dart +++ b/mobile/apps/photos/lib/services/entity_service.dart @@ -60,6 +60,7 @@ class EntityService { EntityType type, Map jsonMap, { String? id, + bool addWithCustomID = false, }) async { final String plainText = jsonEncode(jsonMap); final key = await getOrCreateEntityKey(type); @@ -81,7 +82,7 @@ class EntityService { ); late LocalEntityData localData; - final EntityData data = id == null + final EntityData data = id == null || addWithCustomID ? await _gateway.createEntity(type, encryptedData, header) : await _gateway.updateEntity(type, id, encryptedData, header); localData = LocalEntityData( @@ -106,8 +107,7 @@ class EntityService { try { await _remoteToLocalSync(EntityType.location); await _remoteToLocalSync(EntityType.cgroup); - // TODO: Change to smart config - await _remoteToLocalSync(EntityType.person); + await _remoteToLocalSync(EntityType.smartAlbum); } catch (e) { _logger.severe("Failed to sync entities", e); } diff --git a/mobile/apps/photos/lib/services/smart_albums_service.dart b/mobile/apps/photos/lib/services/smart_albums_service.dart index d8b60b4319..15a880c368 100644 --- a/mobile/apps/photos/lib/services/smart_albums_service.dart +++ b/mobile/apps/photos/lib/services/smart_albums_service.dart @@ -2,6 +2,7 @@ import "dart:async"; import "dart:convert"; import "package:logging/logging.dart"; +import "package:photos/core/configuration.dart"; import "package:photos/models/api/entity/type.dart"; import "package:photos/models/collection/smart_album_config.dart"; import "package:photos/models/local_entity_data.dart"; @@ -18,15 +19,13 @@ class SmartAlbumsService { Future>? _cachedConfigsFuture; - static const type = EntityType.person; - void clearCache() { _cachedConfigsFuture = null; _lastCacheRefreshTime = 0; } int lastRemoteSyncTime() { - return entityService.lastSyncTime(type); + return entityService.lastSyncTime(EntityType.smartAlbum); } Future> getSmartConfigs() async { @@ -42,79 +41,28 @@ class SmartAlbumsService { Future> _fetchAndCacheSConfigs() async { _logger.finest("reading all smart configs from local db"); - final entities = await entityService.getEntities(type); + final entities = await entityService.getEntities(EntityType.smartAlbum); - final result = _decodeSConfigEntities( - {"entity": entities}, - ); + final result = _decodeSConfigEntities({"entity": entities}); - final sconfigs = result["sconfigs"] as Map; - - final collectionToUpdate = result["collectionToUpdate"] as Set; - final idToDelete = result["idToDelete"] as Set; - - // update the merged config to remote db - for (final collectionid in collectionToUpdate) { - try { - await saveConfig(sconfigs[collectionid]!); - } catch (error, stackTrace) { - _logger.severe( - "Failed to update smart album config for collection $collectionid", - error, - stackTrace, - ); - } - } - - // delete all remote ids that are merged into the config - for (final remoteId in idToDelete) { - try { - await _deleteEntry(id: remoteId); - } catch (error, stackTrace) { - _logger.severe( - "Failed to delete smart album config for remote id $remoteId", - error, - stackTrace, - ); - } - } - - return sconfigs; + return result; } - Map _decodeSConfigEntities( + Map _decodeSConfigEntities( Map param, ) { final entities = (param["entity"] as List); final Map sconfigs = {}; - final Set collectionToUpdate = {}; - final Set idToDelete = {}; for (final entity in entities) { try { - var config = SmartAlbumConfig.fromJson( + final config = SmartAlbumConfig.fromJson( json.decode(entity.data), entity.id, entity.updatedAt, ); - if (sconfigs.containsKey(config.collectionId)) { - final existingConfig = sconfigs[config.collectionId]!; - final collectionIdToKeep = config.updatedAt < existingConfig.updatedAt - ? config.collectionId - : existingConfig.collectionId; - final remoteIdToDelete = config.updatedAt < existingConfig.updatedAt - ? existingConfig.id - : config.id; - - config = config.merge(sconfigs[config.collectionId]!); - - // Update the config to be updated and deleted list - collectionToUpdate.add(collectionIdToKeep); - idToDelete.add(remoteIdToDelete!); - } - sconfigs[config.collectionId] = config; } catch (error, stackTrace) { _logger.severe( @@ -125,11 +73,7 @@ class SmartAlbumsService { } } - return { - "sconfigs": sconfigs, - "collectionToUpdate": collectionToUpdate, - "idToDelete": idToDelete, - }; + return sconfigs; } Future syncSmartAlbums() async { @@ -191,10 +135,14 @@ class SmartAlbumsService { } Future saveConfig(SmartAlbumConfig config) async { + final userId = Configuration.instance.getUserID(); + await _addOrUpdateEntity( - type, + EntityType.smartAlbum, config.toJson(), - id: config.id, + collectionId: config.collectionId, + addWithCustomID: config.id == null, + userId: userId, ); } @@ -207,13 +155,18 @@ class SmartAlbumsService { Future _addOrUpdateEntity( EntityType type, Map jsonMap, { - String? id, + required int collectionId, + bool addWithCustomID = false, + int? userId, }) async { + final id = "sa_${userId!}_$collectionId"; final result = await entityService.addOrUpdate( type, jsonMap, id: id, + addWithCustomID: addWithCustomID, ); + _lastCacheRefreshTime = 0; // Invalidate cache return result; } From f2791abd7ce852134d01acef819a446753778454 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Wed, 23 Jul 2025 15:41:24 +0530 Subject: [PATCH 095/302] fix: zip it --- mobile/apps/photos/lib/models/api/entity/type.dart | 1 - 1 file changed, 1 deletion(-) diff --git a/mobile/apps/photos/lib/models/api/entity/type.dart b/mobile/apps/photos/lib/models/api/entity/type.dart index c6ef47a5b0..a0c2eec22a 100644 --- a/mobile/apps/photos/lib/models/api/entity/type.dart +++ b/mobile/apps/photos/lib/models/api/entity/type.dart @@ -28,7 +28,6 @@ extension EntityTypeExtn on EntityType { switch (this) { case EntityType.location: case EntityType.person: - case EntityType.smartAlbum: return false; default: return true; From cfbacc3b45185ce7b63abab44ebb9348158ff726 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Wed, 23 Jul 2025 15:42:48 +0530 Subject: [PATCH 096/302] fix: type from string --- mobile/apps/photos/lib/models/api/entity/type.dart | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/mobile/apps/photos/lib/models/api/entity/type.dart b/mobile/apps/photos/lib/models/api/entity/type.dart index a0c2eec22a..6cf1cbc736 100644 --- a/mobile/apps/photos/lib/models/api/entity/type.dart +++ b/mobile/apps/photos/lib/models/api/entity/type.dart @@ -16,8 +16,8 @@ EntityType typeFromString(String type) { return EntityType.location; case "cgroup": return EntityType.cgroup; - case "sconfig": - return EntityType.cgroup; + case "smart_album": + return EntityType.smartAlbum; } debugPrint("unexpected entity type $type"); return EntityType.unknown; From a3340d684f4c55bcc1960190fb9d079d6093b045 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Wed, 23 Jul 2025 15:43:40 +0530 Subject: [PATCH 097/302] chore: naming --- .../photos/lib/services/smart_albums_service.dart | 14 +++++++------- 1 file changed, 7 insertions(+), 7 deletions(-) diff --git a/mobile/apps/photos/lib/services/smart_albums_service.dart b/mobile/apps/photos/lib/services/smart_albums_service.dart index 15a880c368..cd5dfefd21 100644 --- a/mobile/apps/photos/lib/services/smart_albums_service.dart +++ b/mobile/apps/photos/lib/services/smart_albums_service.dart @@ -34,26 +34,26 @@ class SmartAlbumsService { _lastCacheRefreshTime = lastRemoteSyncTimeValue; _cachedConfigsFuture = null; // Invalidate cache } - _cachedConfigsFuture ??= _fetchAndCacheSConfigs(); + _cachedConfigsFuture ??= _fetchAndCacheSaConfigs(); return await _cachedConfigsFuture!; } - Future> _fetchAndCacheSConfigs() async { + Future> _fetchAndCacheSaConfigs() async { _logger.finest("reading all smart configs from local db"); final entities = await entityService.getEntities(EntityType.smartAlbum); - final result = _decodeSConfigEntities({"entity": entities}); + final result = _decodeSaConfigEntities({"entity": entities}); return result; } - Map _decodeSConfigEntities( + Map _decodeSaConfigEntities( Map param, ) { final entities = (param["entity"] as List); - final Map sconfigs = {}; + final Map saConfigs = {}; for (final entity in entities) { try { @@ -63,7 +63,7 @@ class SmartAlbumsService { entity.updatedAt, ); - sconfigs[config.collectionId] = config; + saConfigs[config.collectionId] = config; } catch (error, stackTrace) { _logger.severe( "Failed to decode smart album config", @@ -73,7 +73,7 @@ class SmartAlbumsService { } } - return sconfigs; + return saConfigs; } Future syncSmartAlbums() async { From 7ff2c8f424d0718565fb99231646631c2967298b Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 23 Jul 2025 15:54:56 +0530 Subject: [PATCH 098/302] Make group by feature functional on gallery --- .../lib/generated/intl/messages_en.dart | 4 + mobile/apps/photos/lib/generated/l10n.dart | 40 +++++ mobile/apps/photos/lib/l10n/intl_en.arb | 6 +- .../ui/settings/gallery_settings_screen.dart | 34 +++++ .../component/group/group_header_widget.dart | 5 +- .../viewer/gallery/component/group/type.dart | 69 ++++++--- .../photos/lib/ui/viewer/gallery/gallery.dart | 17 ++- .../gallery_group_type_picker_page.dart | 138 ++++++++++++++++++ .../apps/photos/lib/utils/local_settings.dart | 17 +++ 9 files changed, 307 insertions(+), 23 deletions(-) create mode 100644 mobile/apps/photos/lib/ui/viewer/gallery/gallery_group_type_picker_page.dart diff --git a/mobile/apps/photos/lib/generated/intl/messages_en.dart b/mobile/apps/photos/lib/generated/intl/messages_en.dart index f9bdd4c629..d8e386a7c8 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_en.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_en.dart @@ -1096,6 +1096,7 @@ class MessageLookup extends MessageLookupByLibrary { "grantPermission": MessageLookupByLibrary.simpleMessage("Grant permission"), "greenery": MessageLookupByLibrary.simpleMessage("The green life"), + "groupBy": MessageLookupByLibrary.simpleMessage("Group by"), "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage("Group nearby photos"), "guestView": MessageLookupByLibrary.simpleMessage("Guest view"), @@ -2036,6 +2037,8 @@ class MessageLookup extends MessageLookupByLibrary { "thisIsPersonVerificationId": m100, "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( "This is your Verification ID"), + "thisMonth": MessageLookupByLibrary.simpleMessage("This month"), + "thisWeek": MessageLookupByLibrary.simpleMessage("This week"), "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage("This week through the years"), "thisWeekXYearsAgo": m101, @@ -2050,6 +2053,7 @@ class MessageLookup extends MessageLookupByLibrary { "thisWillRemovePublicLinksOfAllSelectedQuickLinks": MessageLookupByLibrary.simpleMessage( "This will remove public links of all selected quick links."), + "thisYear": MessageLookupByLibrary.simpleMessage("This year"), "throughTheYears": m102, "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": MessageLookupByLibrary.simpleMessage( diff --git a/mobile/apps/photos/lib/generated/l10n.dart b/mobile/apps/photos/lib/generated/l10n.dart index 5a63f58f68..2f434ad5da 100644 --- a/mobile/apps/photos/lib/generated/l10n.dart +++ b/mobile/apps/photos/lib/generated/l10n.dart @@ -12295,6 +12295,46 @@ class S { args: [], ); } + + /// `This week` + String get thisWeek { + return Intl.message( + 'This week', + name: 'thisWeek', + desc: '', + args: [], + ); + } + + /// `This month` + String get thisMonth { + return Intl.message( + 'This month', + name: 'thisMonth', + desc: '', + args: [], + ); + } + + /// `This year` + String get thisYear { + return Intl.message( + 'This year', + name: 'thisYear', + desc: '', + args: [], + ); + } + + /// `Group by` + String get groupBy { + return Intl.message( + 'Group by', + name: 'groupBy', + desc: '', + args: [], + ); + } } class AppLocalizationDelegate extends LocalizationsDelegate { diff --git a/mobile/apps/photos/lib/l10n/intl_en.arb b/mobile/apps/photos/lib/l10n/intl_en.arb index e9cd89b1f7..8d8e338633 100644 --- a/mobile/apps/photos/lib/l10n/intl_en.arb +++ b/mobile/apps/photos/lib/l10n/intl_en.arb @@ -1788,5 +1788,9 @@ "cLDesc5": "You will now receive an opt-out notification for all the birthdays your have saved on Ente, along with a collection of their best photos.", "cLTitle6": "Resumable Uploads and Downloads", "cLDesc6": "No more waiting for uploads/downloads to complete before you can close the app. All uploads and downloads now have the ability to be paused midway, and resume from where you left off.", - "indexingPausedStatusDescription": "Indexing is paused. It will automatically resume when the device is ready. The device is considered ready when its battery level, battery health, and thermal status are within a healthy range." + "indexingPausedStatusDescription": "Indexing is paused. It will automatically resume when the device is ready. The device is considered ready when its battery level, battery health, and thermal status are within a healthy range.", + "thisWeek": "This week", + "thisMonth": "This month", + "thisYear": "This year", + "groupBy": "Group by" } diff --git a/mobile/apps/photos/lib/ui/settings/gallery_settings_screen.dart b/mobile/apps/photos/lib/ui/settings/gallery_settings_screen.dart index 4cbb43182d..23627f6679 100644 --- a/mobile/apps/photos/lib/ui/settings/gallery_settings_screen.dart +++ b/mobile/apps/photos/lib/ui/settings/gallery_settings_screen.dart @@ -14,6 +14,8 @@ import "package:photos/ui/components/menu_item_widget/menu_item_widget.dart"; import "package:photos/ui/components/title_bar_title_widget.dart"; import "package:photos/ui/components/title_bar_widget.dart"; import "package:photos/ui/components/toggle_switch_widget.dart"; +import "package:photos/ui/viewer/gallery/component/group/type.dart"; +import "package:photos/ui/viewer/gallery/gallery_group_type_picker_page.dart"; import "package:photos/ui/viewer/gallery/photo_grid_size_picker_page.dart"; import "package:photos/utils/navigation_util.dart"; @@ -26,11 +28,13 @@ class GallerySettingsScreen extends StatefulWidget { class _GallerySettingsScreenState extends State { late int _photoGridSize; + late String _groupType; @override void initState() { super.initState(); _photoGridSize = localSettings.getPhotoGridSize(); + _groupType = localSettings.getGalleryGroupType().name; } @override @@ -94,6 +98,36 @@ class _GallerySettingsScreenState extends State { const SizedBox( height: 24, ), + GestureDetector( + onTap: () { + routeToPage( + context, + const GalleryGroupTypePickerPage(), + ).then((value) { + setState(() { + _groupType = + localSettings.getGalleryGroupType().name; + }); + }); + }, + child: MenuItemWidget( + captionedTextWidget: CaptionedTextWidget( + title: S.of(context).groupBy, + subTitle: _groupType, + ), + menuItemColor: colorScheme.fillFaint, + trailingWidget: Icon( + Icons.chevron_right_outlined, + color: colorScheme.strokeBase, + ), + singleBorderRadius: 8, + alignCaptionedTextToLeft: true, + isGestureDetectorDisabled: true, + ), + ), + const SizedBox( + height: 24, + ), MenuItemWidget( captionedTextWidget: CaptionedTextWidget( title: S.of(context).showMemories, diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart b/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart index e08f724962..bb15519f81 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart @@ -70,7 +70,10 @@ class _GroupHeaderWidgetState extends State { alignment: Alignment.centerLeft, child: Text( widget.title, - style: (widget.title == S.of(context).dayToday) + style: (widget.title == S.of(context).dayToday || + widget.title == S.of(context).thisWeek || + widget.title == S.of(context).thisMonth || + widget.title == S.of(context).thisYear) ? textStyle : textStyle.copyWith(color: colorScheme.textMuted), maxLines: 1, diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/component/group/type.dart b/mobile/apps/photos/lib/ui/viewer/gallery/component/group/type.dart index 26373b6102..7505677ee6 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/component/group/type.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/component/group/type.dart @@ -18,17 +18,17 @@ extension GroupTypeExtension on GroupType { String get name { switch (this) { case GroupType.day: - return "day"; + return "Day"; case GroupType.week: - return "week"; + return "Week"; case GroupType.month: - return "month"; + return "Month"; case GroupType.size: - return "size"; + return "Size"; case GroupType.year: - return "year"; + return "Year"; case GroupType.none: - return "none"; + return "None"; } } @@ -50,19 +50,11 @@ extension GroupTypeExtension on GroupType { if (this == GroupType.day) { return _getDayTitle(context, file.creationTime!); } else if (this == GroupType.week) { - // return weeks starting date to end date based on file - final date = DateTime.fromMicrosecondsSinceEpoch(file.creationTime!); - final startOfWeek = date.subtract(Duration(days: date.weekday - 1)); - final endOfWeek = startOfWeek.add(const Duration(days: 6)); - return "${DateFormat.MMMd(Localizations.localeOf(context).languageCode).format(startOfWeek)} - ${DateFormat.MMMd(Localizations.localeOf(context).languageCode).format(endOfWeek)}, ${endOfWeek.year}"; + return _getWeekTitle(context, file.creationTime!); } else if (this == GroupType.year) { - final date = DateTime.fromMicrosecondsSinceEpoch(file.creationTime!); - return DateFormat.y(Localizations.localeOf(context).languageCode) - .format(date); + return _getYearTitle(context, file.creationTime!); } else if (this == GroupType.month) { - final date = DateTime.fromMicrosecondsSinceEpoch(file.creationTime!); - return DateFormat.yMMM(Localizations.localeOf(context).languageCode) - .format(date); + return _getMonthTitle(context, file.creationTime!); } else { throw UnimplementedError("getTitle not implemented for $this"); } @@ -195,4 +187,47 @@ extension GroupTypeExtension on GroupType { .format(date); } } + + String _getWeekTitle(BuildContext context, int timestamp) { + final date = DateTime.fromMicrosecondsSinceEpoch(timestamp); + final now = DateTime.now(); + + // Check if it's the current week + final startOfWeek = date.subtract(Duration(days: date.weekday - 1)); + final nowStartOfWeek = now.subtract(Duration(days: now.weekday - 1)); + + if (startOfWeek.year == nowStartOfWeek.year && + startOfWeek.month == nowStartOfWeek.month && + startOfWeek.day == nowStartOfWeek.day) { + return "This week"; + } + + // Return formatted week range + final endOfWeek = startOfWeek.add(const Duration(days: 6)); + return "${DateFormat.MMMd(Localizations.localeOf(context).languageCode).format(startOfWeek)} - ${DateFormat.MMMd(Localizations.localeOf(context).languageCode).format(endOfWeek)}, ${endOfWeek.year}"; + } + + String _getMonthTitle(BuildContext context, int timestamp) { + final date = DateTime.fromMicrosecondsSinceEpoch(timestamp); + final now = DateTime.now(); + + if (date.year == now.year && date.month == now.month) { + return "This month"; + } + + return DateFormat.yMMM(Localizations.localeOf(context).languageCode) + .format(date); + } + + String _getYearTitle(BuildContext context, int timestamp) { + final date = DateTime.fromMicrosecondsSinceEpoch(timestamp); + final now = DateTime.now(); + + if (date.year == now.year) { + return "This year"; + } + + return DateFormat.y(Localizations.localeOf(context).languageCode) + .format(date); + } } diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 2389bbfd36..915cbead16 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -76,7 +76,9 @@ class Gallery extends StatefulWidget { // add a Function variable to get sort value in bool final SortAscFn? sortAsyncFn; - final GroupType groupType; + + /// Pass value to override default group type. + final GroupType? groupType; final bool disablePinnedGroupHeader; final bool disableVerticalPaddingForScrollbar; @@ -92,7 +94,7 @@ class Gallery extends StatefulWidget { this.footer = const SizedBox(height: 212), this.emptyState = const EmptyState(), this.albumName = '', - this.groupType = GroupType.day, + this.groupType, this.enableFileGrouping = true, this.loadingWidget = const EnteLoadingWidget(), this.disableScroll = false, @@ -210,6 +212,7 @@ class GalleryState extends State { _logger.info("Force refresh all files on ${event.reason}"); _sortOrderAsc = widget.sortAsyncFn != null ? widget.sortAsyncFn!() : false; + _setGroupType(); final result = await _loadFiles(); _setFilesAndReload(result.files); }); @@ -290,7 +293,13 @@ class GalleryState extends State { } void _setGroupType() { - _groupType = widget.enableFileGrouping ? widget.groupType : GroupType.none; + if (!widget.enableFileGrouping) { + _groupType = GroupType.none; + } else if (widget.groupType != null) { + _groupType = widget.groupType!; + } else { + _groupType = localSettings.getGalleryGroupType(); + } } void _setFilesAndReload(List files) { @@ -667,7 +676,7 @@ class GalleryState extends State { final List> resultGroupedFiles = []; for (int index = 0; index < files.length; index++) { if (index > 0 && - !widget.groupType.areFromSameGroup(files[index - 1], files[index])) { + !_groupType.areFromSameGroup(files[index - 1], files[index])) { resultGroupedFiles.add(dailyFiles); dailyFiles = []; } diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery_group_type_picker_page.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery_group_type_picker_page.dart new file mode 100644 index 0000000000..76ef5835fb --- /dev/null +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery_group_type_picker_page.dart @@ -0,0 +1,138 @@ +import 'package:flutter/material.dart'; +import 'package:photos/core/event_bus.dart'; +import 'package:photos/events/force_reload_home_gallery_event.dart'; +import "package:photos/generated/l10n.dart"; +import "package:photos/service_locator.dart"; +import 'package:photos/theme/ente_theme.dart'; +import "package:photos/ui/components/buttons/icon_button_widget.dart"; +import 'package:photos/ui/components/captioned_text_widget.dart'; +import 'package:photos/ui/components/divider_widget.dart'; +import 'package:photos/ui/components/menu_item_widget/menu_item_widget.dart'; +import 'package:photos/ui/components/title_bar_title_widget.dart'; +import 'package:photos/ui/components/title_bar_widget.dart'; +import 'package:photos/ui/viewer/gallery/component/group/type.dart'; +import 'package:photos/utils/separators_util.dart'; + +class GalleryGroupTypePickerPage extends StatelessWidget { + const GalleryGroupTypePickerPage({super.key}); + + @override + Widget build(BuildContext context) { + return Scaffold( + body: CustomScrollView( + primary: false, + slivers: [ + TitleBarWidget( + flexibleSpaceTitle: TitleBarTitleWidget( + title: S.of(context).groupBy, + ), + actionIcons: [ + IconButtonWidget( + icon: Icons.close_outlined, + iconButtonType: IconButtonType.secondary, + onTap: () { + Navigator.pop(context); + Navigator.pop(context); + Navigator.pop(context); + Navigator.pop(context); + }, + ), + ], + ), + SliverList( + delegate: SliverChildBuilderDelegate( + (context, index) { + return const Padding( + padding: EdgeInsets.symmetric( + horizontal: 16, + vertical: 20, + ), + child: Column( + mainAxisSize: MainAxisSize.min, + children: [ + ClipRRect( + borderRadius: BorderRadius.all(Radius.circular(8)), + child: ItemsWidget(), + ), + ], + ), + ); + }, + childCount: 1, + ), + ), + const SliverPadding(padding: EdgeInsets.symmetric(vertical: 12)), + ], + ), + ); + } +} + +class ItemsWidget extends StatefulWidget { + const ItemsWidget({super.key}); + + @override + State createState() => _ItemsWidgetState(); +} + +class _ItemsWidgetState extends State { + late GroupType currentGroupType; + List items = []; + final groupTypes = GroupType.values + .where( + (type) => type != GroupType.size && type != GroupType.none, + ) + .toList(); + + @override + void initState() { + currentGroupType = localSettings.getGalleryGroupType(); + super.initState(); + } + + @override + Widget build(BuildContext context) { + items.clear(); + for (final groupType in groupTypes) { + items.add( + _menuItemForPicker(groupType), + ); + } + items = addSeparators( + items, + DividerWidget( + dividerType: DividerType.menuNoIcon, + bgColor: getEnteColorScheme(context).fillFaint, + ), + ); + return Column( + mainAxisSize: MainAxisSize.min, + children: items, + ); + } + + Widget _menuItemForPicker(GroupType groupType) { + return MenuItemWidget( + key: ValueKey(groupType.name), + menuItemColor: getEnteColorScheme(context).fillFaint, + captionedTextWidget: CaptionedTextWidget( + title: groupType.name, + ), + trailingIcon: currentGroupType == groupType ? Icons.check : null, + alignCaptionedTextToLeft: true, + isTopBorderRadiusRemoved: true, + isBottomBorderRadiusRemoved: true, + showOnlyLoadingState: true, + onTap: () async { + await localSettings.setGalleryGroupType(groupType).then( + (value) => setState(() { + currentGroupType = groupType; + }), + ); + Bus.instance.fire( + ForceReloadHomeGalleryEvent("group type changed"), + ); + }, + ); + } +} diff --git a/mobile/apps/photos/lib/utils/local_settings.dart b/mobile/apps/photos/lib/utils/local_settings.dart index 4133bf0087..72d9a789dd 100644 --- a/mobile/apps/photos/lib/utils/local_settings.dart +++ b/mobile/apps/photos/lib/utils/local_settings.dart @@ -1,4 +1,5 @@ import 'package:photos/core/constants.dart'; +import 'package:photos/ui/viewer/gallery/component/group/type.dart'; import "package:photos/utils/ram_check_util.dart"; import 'package:shared_preferences/shared_preferences.dart'; @@ -20,6 +21,7 @@ enum AlbumViewType { class LocalSettings { static const kCollectionSortPref = "collection_sort_pref"; + static const kGalleryGroupType = "gallery_group_type"; static const kPhotoGridSize = "photo_grid_size"; static const _kisMLLocalIndexingEnabled = "ls.ml_local_indexing"; static const _kHasSeenMLEnablingBanner = "ls.has_seen_ml_enabling_banner"; @@ -70,6 +72,21 @@ class LocalSettings { return _prefs.setInt(kCollectionSortDirection, direction.index); } + GroupType getGalleryGroupType() { + final groupTypeString = _prefs.getString(kGalleryGroupType); + if (groupTypeString != null) { + return GroupType.values.firstWhere( + (type) => type.toString() == groupTypeString, + orElse: () => GroupType.values[0], + ); + } + return GroupType.values[0]; + } + + Future setGalleryGroupType(GroupType groupType) async { + await _prefs.setString(kGalleryGroupType, groupType.toString()); + } + int getPhotoGridSize() { if (_prefs.containsKey(kPhotoGridSize)) { return _prefs.getInt(kPhotoGridSize)!; From 4f00296933f0c447842fab1d8e5458fe600f2728 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 23 Jul 2025 15:55:09 +0530 Subject: [PATCH 099/302] Fix build error --- mobile/apps/photos/lib/app.dart | 10 +++++++--- mobile/apps/photos/lib/ui/tools/app_lock.dart | 6 ++++-- 2 files changed, 11 insertions(+), 5 deletions(-) diff --git a/mobile/apps/photos/lib/app.dart b/mobile/apps/photos/lib/app.dart index c0f1b0950c..f664f23fad 100644 --- a/mobile/apps/photos/lib/app.dart +++ b/mobile/apps/photos/lib/app.dart @@ -5,7 +5,7 @@ import 'package:adaptive_theme/adaptive_theme.dart'; import 'package:flutter/foundation.dart'; import 'package:flutter/material.dart'; import 'package:flutter_easyloading/flutter_easyloading.dart'; -import 'package:flutter_gen/gen_l10n/app_localizations.dart'; +import 'package:flutter_localizations/flutter_localizations.dart'; import 'package:home_widget/home_widget.dart' as hw; import 'package:logging/logging.dart'; import 'package:media_extension/media_extension_action_types.dart'; @@ -143,7 +143,9 @@ class _EnteAppState extends State with WidgetsBindingObserver { supportedLocales: appSupportedLocales, localeListResolutionCallback: localResolutionCallBack, localizationsDelegates: const [ - ...AppLocalizations.localizationsDelegates, + GlobalMaterialLocalizations.delegate, + GlobalCupertinoLocalizations.delegate, + GlobalWidgetsLocalizations.delegate, S.delegate, ], ), @@ -166,7 +168,9 @@ class _EnteAppState extends State with WidgetsBindingObserver { supportedLocales: appSupportedLocales, localeListResolutionCallback: localResolutionCallBack, localizationsDelegates: const [ - ...AppLocalizations.localizationsDelegates, + GlobalMaterialLocalizations.delegate, + GlobalCupertinoLocalizations.delegate, + GlobalWidgetsLocalizations.delegate, S.delegate, ], ), diff --git a/mobile/apps/photos/lib/ui/tools/app_lock.dart b/mobile/apps/photos/lib/ui/tools/app_lock.dart index 784b2eaa14..b7d9df48fd 100644 --- a/mobile/apps/photos/lib/ui/tools/app_lock.dart +++ b/mobile/apps/photos/lib/ui/tools/app_lock.dart @@ -1,7 +1,7 @@ import 'dart:async'; import 'package:flutter/material.dart'; -import 'package:flutter_gen/gen_l10n/app_localizations.dart'; +import 'package:flutter_localizations/flutter_localizations.dart'; import "package:photos/generated/l10n.dart"; import "package:photos/l10n/l10n.dart"; import "package:photos/utils/lock_screen_settings.dart"; @@ -118,7 +118,9 @@ class _AppLockState extends State with WidgetsBindingObserver { supportedLocales: appSupportedLocales, localeListResolutionCallback: localResolutionCallBack, localizationsDelegates: const [ - ...AppLocalizations.localizationsDelegates, + GlobalMaterialLocalizations.delegate, + GlobalCupertinoLocalizations.delegate, + GlobalWidgetsLocalizations.delegate, S.delegate, ], onGenerateRoute: (settings) { From cd46db3d30d5ee2711069a73947e7516e7a6edd8 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 23 Jul 2025 16:05:03 +0530 Subject: [PATCH 100/302] Show 'last year', 'last week' and 'last month' headers in gallery when appropriate --- .../lib/generated/intl/messages_en.dart | 3 ++ mobile/apps/photos/lib/generated/l10n.dart | 30 +++++++++++++++++++ mobile/apps/photos/lib/l10n/intl_en.arb | 3 ++ .../viewer/gallery/component/group/type.dart | 25 ++++++++++++++-- 4 files changed, 58 insertions(+), 3 deletions(-) diff --git a/mobile/apps/photos/lib/generated/intl/messages_en.dart b/mobile/apps/photos/lib/generated/intl/messages_en.dart index d8e386a7c8..2d2d1ce32c 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_en.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_en.dart @@ -1195,8 +1195,11 @@ class MessageLookup extends MessageLookupByLibrary { "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( "Kindly help us with this information"), "language": MessageLookupByLibrary.simpleMessage("Language"), + "lastMonth": MessageLookupByLibrary.simpleMessage("Last month"), "lastTimeWithThem": m45, "lastUpdated": MessageLookupByLibrary.simpleMessage("Last updated"), + "lastWeek": MessageLookupByLibrary.simpleMessage("Last week"), + "lastYear": MessageLookupByLibrary.simpleMessage("Last year"), "lastYearsTrip": MessageLookupByLibrary.simpleMessage("Last year\'s trip"), "leave": MessageLookupByLibrary.simpleMessage("Leave"), diff --git a/mobile/apps/photos/lib/generated/l10n.dart b/mobile/apps/photos/lib/generated/l10n.dart index 2f434ad5da..416ced4383 100644 --- a/mobile/apps/photos/lib/generated/l10n.dart +++ b/mobile/apps/photos/lib/generated/l10n.dart @@ -12306,6 +12306,16 @@ class S { ); } + /// `Last week` + String get lastWeek { + return Intl.message( + 'Last week', + name: 'lastWeek', + desc: '', + args: [], + ); + } + /// `This month` String get thisMonth { return Intl.message( @@ -12316,6 +12326,16 @@ class S { ); } + /// `Last month` + String get lastMonth { + return Intl.message( + 'Last month', + name: 'lastMonth', + desc: '', + args: [], + ); + } + /// `This year` String get thisYear { return Intl.message( @@ -12326,6 +12346,16 @@ class S { ); } + /// `Last year` + String get lastYear { + return Intl.message( + 'Last year', + name: 'lastYear', + desc: '', + args: [], + ); + } + /// `Group by` String get groupBy { return Intl.message( diff --git a/mobile/apps/photos/lib/l10n/intl_en.arb b/mobile/apps/photos/lib/l10n/intl_en.arb index 8d8e338633..8aaac2b222 100644 --- a/mobile/apps/photos/lib/l10n/intl_en.arb +++ b/mobile/apps/photos/lib/l10n/intl_en.arb @@ -1790,7 +1790,10 @@ "cLDesc6": "No more waiting for uploads/downloads to complete before you can close the app. All uploads and downloads now have the ability to be paused midway, and resume from where you left off.", "indexingPausedStatusDescription": "Indexing is paused. It will automatically resume when the device is ready. The device is considered ready when its battery level, battery health, and thermal status are within a healthy range.", "thisWeek": "This week", + "lastWeek": "Last week", "thisMonth": "This month", + "lastMonth": "Last month", "thisYear": "This year", + "lastYear": "Last year", "groupBy": "Group by" } diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/component/group/type.dart b/mobile/apps/photos/lib/ui/viewer/gallery/component/group/type.dart index 7505677ee6..cbf17ffd21 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/component/group/type.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/component/group/type.dart @@ -199,7 +199,15 @@ extension GroupTypeExtension on GroupType { if (startOfWeek.year == nowStartOfWeek.year && startOfWeek.month == nowStartOfWeek.month && startOfWeek.day == nowStartOfWeek.day) { - return "This week"; + return S.of(context).thisWeek; + } + + // Check if it's the previous week + final lastWeekStart = nowStartOfWeek.subtract(const Duration(days: 7)); + if (startOfWeek.year == lastWeekStart.year && + startOfWeek.month == lastWeekStart.month && + startOfWeek.day == lastWeekStart.day) { + return S.of(context).lastWeek; } // Return formatted week range @@ -212,7 +220,13 @@ extension GroupTypeExtension on GroupType { final now = DateTime.now(); if (date.year == now.year && date.month == now.month) { - return "This month"; + return S.of(context).thisMonth; + } + + // Check if it's the previous month + final lastMonth = DateTime(now.year, now.month - 1); + if (date.year == lastMonth.year && date.month == lastMonth.month) { + return S.of(context).lastMonth; } return DateFormat.yMMM(Localizations.localeOf(context).languageCode) @@ -224,7 +238,12 @@ extension GroupTypeExtension on GroupType { final now = DateTime.now(); if (date.year == now.year) { - return "This year"; + return S.of(context).thisYear; + } + + // Check if it's the previous year + if (date.year == now.year - 1) { + return S.of(context).lastYear; } return DateFormat.y(Localizations.localeOf(context).languageCode) From 77d7d358f380b7fa04b6c53f91ea93ab67c2bb20 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 23 Jul 2025 20:50:13 +0530 Subject: [PATCH 101/302] Minor refactoring and removing unnecessary work on Gallery widget --- .../photos/lib/ui/viewer/gallery/gallery.dart | 57 ++++++++----------- 1 file changed, 23 insertions(+), 34 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 915cbead16..f218fda072 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -123,7 +123,6 @@ class GalleryState extends State { double? groupHeaderExtent; late Logger _logger; - List> currentGroupedFiles = []; bool _hasLoadedFiles = false; StreamSubscription? _reloadEventSubscription; StreamSubscription? _tabDoubleTapEvent; @@ -138,6 +137,7 @@ class GalleryState extends State { final scrollBarInUseNotifier = ValueNotifier(false); late GroupType _groupType; final scrollbarBottomPaddingNotifier = ValueNotifier(0); + late GalleryGroups galleryGroups; @override void initState() { @@ -187,6 +187,7 @@ class GalleryState extends State { ); } if (!hasTriggeredSetState && mounted) { + _updateGalleryGroups(); setState(() {}); } }); @@ -223,8 +224,11 @@ class GalleryState extends State { if (widget.initialFiles != null && !_sortOrderAsc) { _onFilesLoaded(widget.initialFiles!); } + _loadFiles(limit: kInitialLoadLimit).then((result) async { _setFilesAndReload(result.files); + // if hasmore, let load complete and then set scrollcontroller + // else set scrollcontroller. if (result.hasMore) { final result = await _loadFiles(); _setFilesAndReload(result.files); @@ -283,6 +287,19 @@ class GalleryState extends State { } } + void _updateGalleryGroups() { + galleryGroups = GalleryGroups( + allFiles: _allGalleryFiles, + groupType: _groupType, + sortOrderAsc: _sortOrderAsc, + widthAvailable: MediaQuery.sizeOf(context).width, + selectedFiles: widget.selectedFiles, + tagPrefix: widget.tagPrefix, + groupHeaderExtent: groupHeaderExtent, + showSelectAll: widget.showSelectAll, + ); + } + void _selectedFilesListener() { final bottomInset = MediaQuery.paddingOf(context).bottom; final extra = widget.galleryType == GalleryType.homepage ? 76.0 : 0.0; @@ -305,6 +322,7 @@ class GalleryState extends State { void _setFilesAndReload(List files) { final hasReloaded = _onFilesLoaded(files); if (!hasReloaded && mounted) { + _updateGalleryGroups(); setState(() {}); } } @@ -393,29 +411,10 @@ class GalleryState extends State { return shouldReloadFromDB; } - // group files into multiple groups and returns `true` if it resulted in a - // gallery reload bool _onFilesLoaded(List files) { _allGalleryFiles = files; - - final updatedGroupedFiles = - widget.enableFileGrouping && _groupType.timeGrouping() - ? _groupBasedOnTime(files) - : _genericGroupForPerf(files); - if (currentGroupedFiles.length != updatedGroupedFiles.length || - currentGroupedFiles.isEmpty) { - if (mounted) { - setState(() { - _hasLoadedFiles = true; - currentGroupedFiles = updatedGroupedFiles; - }); - return true; - } - return false; - } else { - currentGroupedFiles = updatedGroupedFiles; - return false; - } + _hasLoadedFiles = true; + return false; } Future _loadFiles({int? limit}) async { @@ -516,16 +515,6 @@ class GalleryState extends State { : const SizedBox.shrink(); } - final galleryGroups = GalleryGroups( - allFiles: _allGalleryFiles, - groupType: _groupType, - widthAvailable: widthAvailable, - selectedFiles: widget.selectedFiles, - tagPrefix: widget.tagPrefix, - groupHeaderExtent: groupHeaderExtent!, - showSelectAll: widget.showSelectAll, - limitSelectionToOne: widget.limitSelectionToOne, - ); GalleryFilesState.of(context).setGalleryFiles = _allGalleryFiles; if (!_hasLoadedFiles) { return widget.loadingWidget; @@ -870,8 +859,8 @@ class _PinnedGroupHeaderState extends State { child: ColoredBox( color: getEnteColorScheme(context).backgroundBase, child: GroupHeaderWidget( - title: widget - .galleryGroups.groupIdToGroupTypeMap[currentGroupId!]! + title: widget.galleryGroups + .groupIdToGroupDataMap[currentGroupId!]!.groupType .getTitle( context, widget.galleryGroups.groupIDToFilesMap[currentGroupId]! From 9386e3796c8e65662e6cc6a4096398342fbfd174 Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Wed, 23 Jul 2025 23:42:45 +0530 Subject: [PATCH 102/302] Add svg assets of image editor --- .../assets/image-editor/image-editor-brightness.svg | 6 ++++++ .../photos/assets/image-editor/image-editor-contrast.svg | 3 +++ .../assets/image-editor/image-editor-crop-original.svg | 5 +++++ .../assets/image-editor/image-editor-crop-rotate.svg | 4 ++++ .../apps/photos/assets/image-editor/image-editor-crop.svg | 6 ++++++ .../photos/assets/image-editor/image-editor-exposure.svg | 3 +++ .../apps/photos/assets/image-editor/image-editor-fade.svg | 3 +++ .../photos/assets/image-editor/image-editor-filter.svg | 3 +++ .../apps/photos/assets/image-editor/image-editor-flip.svg | 4 ++++ .../apps/photos/assets/image-editor/image-editor-hue.svg | 8 ++++++++ .../photos/assets/image-editor/image-editor-luminance.svg | 3 +++ .../photos/assets/image-editor/image-editor-paint.svg | 3 +++ .../apps/photos/assets/image-editor/image-editor-redo.svg | 3 +++ .../assets/image-editor/image-editor-saturation.svg | 4 ++++ .../photos/assets/image-editor/image-editor-sharpness.svg | 3 +++ .../photos/assets/image-editor/image-editor-sticker.svg | 3 +++ .../assets/image-editor/image-editor-temperature.svg | 3 +++ .../image-editor/image-editor-text-align-center.svg | 7 +++++++ .../assets/image-editor/image-editor-text-align-left.svg | 5 +++++ .../assets/image-editor/image-editor-text-align-right.svg | 5 +++++ .../assets/image-editor/image-editor-text-background.svg | 3 +++ .../assets/image-editor/image-editor-text-color.svg | 5 +++++ .../photos/assets/image-editor/image-editor-text-font.svg | 4 ++++ .../apps/photos/assets/image-editor/image-editor-text.svg | 4 ++++ .../apps/photos/assets/image-editor/image-editor-tune.svg | 7 +++++++ .../apps/photos/assets/image-editor/image-editor-undo.svg | 4 ++++ 26 files changed, 111 insertions(+) create mode 100644 mobile/apps/photos/assets/image-editor/image-editor-brightness.svg create mode 100644 mobile/apps/photos/assets/image-editor/image-editor-contrast.svg create mode 100644 mobile/apps/photos/assets/image-editor/image-editor-crop-original.svg create mode 100644 mobile/apps/photos/assets/image-editor/image-editor-crop-rotate.svg create mode 100644 mobile/apps/photos/assets/image-editor/image-editor-crop.svg create mode 100644 mobile/apps/photos/assets/image-editor/image-editor-exposure.svg create mode 100644 mobile/apps/photos/assets/image-editor/image-editor-fade.svg create mode 100644 mobile/apps/photos/assets/image-editor/image-editor-filter.svg create mode 100644 mobile/apps/photos/assets/image-editor/image-editor-flip.svg create mode 100644 mobile/apps/photos/assets/image-editor/image-editor-hue.svg create mode 100644 mobile/apps/photos/assets/image-editor/image-editor-luminance.svg create mode 100644 mobile/apps/photos/assets/image-editor/image-editor-paint.svg create mode 100644 mobile/apps/photos/assets/image-editor/image-editor-redo.svg create mode 100644 mobile/apps/photos/assets/image-editor/image-editor-saturation.svg create mode 100644 mobile/apps/photos/assets/image-editor/image-editor-sharpness.svg create mode 100644 mobile/apps/photos/assets/image-editor/image-editor-sticker.svg create mode 100644 mobile/apps/photos/assets/image-editor/image-editor-temperature.svg create mode 100644 mobile/apps/photos/assets/image-editor/image-editor-text-align-center.svg create mode 100644 mobile/apps/photos/assets/image-editor/image-editor-text-align-left.svg create mode 100644 mobile/apps/photos/assets/image-editor/image-editor-text-align-right.svg create mode 100644 mobile/apps/photos/assets/image-editor/image-editor-text-background.svg create mode 100644 mobile/apps/photos/assets/image-editor/image-editor-text-color.svg create mode 100644 mobile/apps/photos/assets/image-editor/image-editor-text-font.svg create mode 100644 mobile/apps/photos/assets/image-editor/image-editor-text.svg create mode 100644 mobile/apps/photos/assets/image-editor/image-editor-tune.svg create mode 100644 mobile/apps/photos/assets/image-editor/image-editor-undo.svg diff --git a/mobile/apps/photos/assets/image-editor/image-editor-brightness.svg b/mobile/apps/photos/assets/image-editor/image-editor-brightness.svg new file mode 100644 index 0000000000..a468e3b80f --- /dev/null +++ b/mobile/apps/photos/assets/image-editor/image-editor-brightness.svg @@ -0,0 +1,6 @@ + + + + + + diff --git a/mobile/apps/photos/assets/image-editor/image-editor-contrast.svg b/mobile/apps/photos/assets/image-editor/image-editor-contrast.svg new file mode 100644 index 0000000000..22e2dcaf3f --- /dev/null +++ b/mobile/apps/photos/assets/image-editor/image-editor-contrast.svg @@ -0,0 +1,3 @@ + + + diff --git a/mobile/apps/photos/assets/image-editor/image-editor-crop-original.svg b/mobile/apps/photos/assets/image-editor/image-editor-crop-original.svg new file mode 100644 index 0000000000..e2cf9c3492 --- /dev/null +++ b/mobile/apps/photos/assets/image-editor/image-editor-crop-original.svg @@ -0,0 +1,5 @@ + + + + + diff --git a/mobile/apps/photos/assets/image-editor/image-editor-crop-rotate.svg b/mobile/apps/photos/assets/image-editor/image-editor-crop-rotate.svg new file mode 100644 index 0000000000..c7f604b8b3 --- /dev/null +++ b/mobile/apps/photos/assets/image-editor/image-editor-crop-rotate.svg @@ -0,0 +1,4 @@ + + + + diff --git a/mobile/apps/photos/assets/image-editor/image-editor-crop.svg b/mobile/apps/photos/assets/image-editor/image-editor-crop.svg new file mode 100644 index 0000000000..ccd9d13ccd --- /dev/null +++ b/mobile/apps/photos/assets/image-editor/image-editor-crop.svg @@ -0,0 +1,6 @@ + + + + + + diff --git a/mobile/apps/photos/assets/image-editor/image-editor-exposure.svg b/mobile/apps/photos/assets/image-editor/image-editor-exposure.svg new file mode 100644 index 0000000000..2d4c5c3f4e --- /dev/null +++ b/mobile/apps/photos/assets/image-editor/image-editor-exposure.svg @@ -0,0 +1,3 @@ + + + diff --git a/mobile/apps/photos/assets/image-editor/image-editor-fade.svg b/mobile/apps/photos/assets/image-editor/image-editor-fade.svg new file mode 100644 index 0000000000..9aafd259cf --- /dev/null +++ b/mobile/apps/photos/assets/image-editor/image-editor-fade.svg @@ -0,0 +1,3 @@ + + + diff --git a/mobile/apps/photos/assets/image-editor/image-editor-filter.svg b/mobile/apps/photos/assets/image-editor/image-editor-filter.svg new file mode 100644 index 0000000000..639e801937 --- /dev/null +++ b/mobile/apps/photos/assets/image-editor/image-editor-filter.svg @@ -0,0 +1,3 @@ + + + diff --git a/mobile/apps/photos/assets/image-editor/image-editor-flip.svg b/mobile/apps/photos/assets/image-editor/image-editor-flip.svg new file mode 100644 index 0000000000..ba76ac2697 --- /dev/null +++ b/mobile/apps/photos/assets/image-editor/image-editor-flip.svg @@ -0,0 +1,4 @@ + + + + diff --git a/mobile/apps/photos/assets/image-editor/image-editor-hue.svg b/mobile/apps/photos/assets/image-editor/image-editor-hue.svg new file mode 100644 index 0000000000..96b3df92f3 --- /dev/null +++ b/mobile/apps/photos/assets/image-editor/image-editor-hue.svg @@ -0,0 +1,8 @@ + + + + + + + + diff --git a/mobile/apps/photos/assets/image-editor/image-editor-luminance.svg b/mobile/apps/photos/assets/image-editor/image-editor-luminance.svg new file mode 100644 index 0000000000..02ffd024bd --- /dev/null +++ b/mobile/apps/photos/assets/image-editor/image-editor-luminance.svg @@ -0,0 +1,3 @@ + + + diff --git a/mobile/apps/photos/assets/image-editor/image-editor-paint.svg b/mobile/apps/photos/assets/image-editor/image-editor-paint.svg new file mode 100644 index 0000000000..1c914cd569 --- /dev/null +++ b/mobile/apps/photos/assets/image-editor/image-editor-paint.svg @@ -0,0 +1,3 @@ + + + diff --git a/mobile/apps/photos/assets/image-editor/image-editor-redo.svg b/mobile/apps/photos/assets/image-editor/image-editor-redo.svg new file mode 100644 index 0000000000..8d82ac9ecf --- /dev/null +++ b/mobile/apps/photos/assets/image-editor/image-editor-redo.svg @@ -0,0 +1,3 @@ + + + diff --git a/mobile/apps/photos/assets/image-editor/image-editor-saturation.svg b/mobile/apps/photos/assets/image-editor/image-editor-saturation.svg new file mode 100644 index 0000000000..9820828c78 --- /dev/null +++ b/mobile/apps/photos/assets/image-editor/image-editor-saturation.svg @@ -0,0 +1,4 @@ + + + + diff --git a/mobile/apps/photos/assets/image-editor/image-editor-sharpness.svg b/mobile/apps/photos/assets/image-editor/image-editor-sharpness.svg new file mode 100644 index 0000000000..976aeec184 --- /dev/null +++ b/mobile/apps/photos/assets/image-editor/image-editor-sharpness.svg @@ -0,0 +1,3 @@ + + + diff --git a/mobile/apps/photos/assets/image-editor/image-editor-sticker.svg b/mobile/apps/photos/assets/image-editor/image-editor-sticker.svg new file mode 100644 index 0000000000..cd4cd7e01e --- /dev/null +++ b/mobile/apps/photos/assets/image-editor/image-editor-sticker.svg @@ -0,0 +1,3 @@ + + + diff --git a/mobile/apps/photos/assets/image-editor/image-editor-temperature.svg b/mobile/apps/photos/assets/image-editor/image-editor-temperature.svg new file mode 100644 index 0000000000..2616b4a463 --- /dev/null +++ b/mobile/apps/photos/assets/image-editor/image-editor-temperature.svg @@ -0,0 +1,3 @@ + + + diff --git a/mobile/apps/photos/assets/image-editor/image-editor-text-align-center.svg b/mobile/apps/photos/assets/image-editor/image-editor-text-align-center.svg new file mode 100644 index 0000000000..755e31b8d0 --- /dev/null +++ b/mobile/apps/photos/assets/image-editor/image-editor-text-align-center.svg @@ -0,0 +1,7 @@ + + + + + + + diff --git a/mobile/apps/photos/assets/image-editor/image-editor-text-align-left.svg b/mobile/apps/photos/assets/image-editor/image-editor-text-align-left.svg new file mode 100644 index 0000000000..931fe8d5cd --- /dev/null +++ b/mobile/apps/photos/assets/image-editor/image-editor-text-align-left.svg @@ -0,0 +1,5 @@ + + + + + diff --git a/mobile/apps/photos/assets/image-editor/image-editor-text-align-right.svg b/mobile/apps/photos/assets/image-editor/image-editor-text-align-right.svg new file mode 100644 index 0000000000..5a03574c99 --- /dev/null +++ b/mobile/apps/photos/assets/image-editor/image-editor-text-align-right.svg @@ -0,0 +1,5 @@ + + + + + diff --git a/mobile/apps/photos/assets/image-editor/image-editor-text-background.svg b/mobile/apps/photos/assets/image-editor/image-editor-text-background.svg new file mode 100644 index 0000000000..6e9ae615dd --- /dev/null +++ b/mobile/apps/photos/assets/image-editor/image-editor-text-background.svg @@ -0,0 +1,3 @@ + + + diff --git a/mobile/apps/photos/assets/image-editor/image-editor-text-color.svg b/mobile/apps/photos/assets/image-editor/image-editor-text-color.svg new file mode 100644 index 0000000000..9f176ab63c --- /dev/null +++ b/mobile/apps/photos/assets/image-editor/image-editor-text-color.svg @@ -0,0 +1,5 @@ + + + + + diff --git a/mobile/apps/photos/assets/image-editor/image-editor-text-font.svg b/mobile/apps/photos/assets/image-editor/image-editor-text-font.svg new file mode 100644 index 0000000000..2c248aab4f --- /dev/null +++ b/mobile/apps/photos/assets/image-editor/image-editor-text-font.svg @@ -0,0 +1,4 @@ + + + + diff --git a/mobile/apps/photos/assets/image-editor/image-editor-text.svg b/mobile/apps/photos/assets/image-editor/image-editor-text.svg new file mode 100644 index 0000000000..f2b7eb9ff8 --- /dev/null +++ b/mobile/apps/photos/assets/image-editor/image-editor-text.svg @@ -0,0 +1,4 @@ + + + + diff --git a/mobile/apps/photos/assets/image-editor/image-editor-tune.svg b/mobile/apps/photos/assets/image-editor/image-editor-tune.svg new file mode 100644 index 0000000000..9de251f75e --- /dev/null +++ b/mobile/apps/photos/assets/image-editor/image-editor-tune.svg @@ -0,0 +1,7 @@ + + + + + + + diff --git a/mobile/apps/photos/assets/image-editor/image-editor-undo.svg b/mobile/apps/photos/assets/image-editor/image-editor-undo.svg new file mode 100644 index 0000000000..cb6e99a24d --- /dev/null +++ b/mobile/apps/photos/assets/image-editor/image-editor-undo.svg @@ -0,0 +1,4 @@ + + + + From 3d952a2ecc9b8dddae3d2b16ad0b613564f4d442 Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Wed, 23 Jul 2025 23:42:58 +0530 Subject: [PATCH 103/302] Add new color for image editor --- mobile/apps/photos/lib/ente_theme_data.dart | 2 ++ 1 file changed, 2 insertions(+) diff --git a/mobile/apps/photos/lib/ente_theme_data.dart b/mobile/apps/photos/lib/ente_theme_data.dart index c7ed51640b..6434e3ffe1 100644 --- a/mobile/apps/photos/lib/ente_theme_data.dart +++ b/mobile/apps/photos/lib/ente_theme_data.dart @@ -233,6 +233,8 @@ extension CustomColorScheme on ColorScheme { ? const Color(0xFF424242) : const Color(0xFFFFFFFF); + Color get imageEditorPrimaryColor => const Color.fromRGBO(8, 194, 37, 1); + Color get defaultBackgroundColor => brightness == Brightness.light ? backgroundBaseLight : backgroundBaseDark; From 4dd7305c46f609e3f68090801ca146cf71371e56 Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Wed, 23 Jul 2025 23:44:36 +0530 Subject: [PATCH 104/302] New app bar for editor --- .../image_editor/image_editor_app_bar.dart | 99 +++++++++++++++++++ 1 file changed, 99 insertions(+) create mode 100644 mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_app_bar.dart diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_app_bar.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_app_bar.dart new file mode 100644 index 0000000000..96eeb220a9 --- /dev/null +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_app_bar.dart @@ -0,0 +1,99 @@ +import 'package:flutter/material.dart'; +import "package:flutter_svg/svg.dart"; +import "package:photos/ente_theme_data.dart"; +import "package:photos/theme/ente_theme.dart"; +import "package:pro_image_editor/models/editor_configs/pro_image_editor_configs.dart"; + +class ImageEditorAppBar extends StatelessWidget implements PreferredSizeWidget { + const ImageEditorAppBar({ + super.key, + required this.configs, + this.undo, + this.redo, + required this.done, + required this.close, + this.enableUndo = false, + this.enableRedo = false, + this.isMainEditor = false, + }); + + final ProImageEditorConfigs configs; + final Function()? undo; + final Function()? redo; + final Function() done; + final Function() close; + final bool enableUndo; + final bool enableRedo; + final bool isMainEditor; + + @override + Size get preferredSize => const Size.fromHeight(kToolbarHeight); + + @override + Widget build(BuildContext context) { + final colorScheme = getEnteColorScheme(context); + return AppBar( + elevation: 0, + automaticallyImplyLeading: false, + title: Row( + mainAxisAlignment: MainAxisAlignment.spaceBetween, + children: [ + TextButton( + onPressed: () { + enableUndo ? close() : Navigator.of(context).pop(); + }, + child: Text( + 'Cancel', + style: getEnteTextTheme(context).body, + ), + ), + if (undo != null && redo != null) + Row( + mainAxisAlignment: MainAxisAlignment.spaceEvenly, + children: [ + IconButton( + tooltip: 'Undo', + onPressed: () { + undo != null ? undo!() : null; + }, + icon: SvgPicture.asset( + "assets/image-editor/image-editor-undo.svg", + colorFilter: ColorFilter.mode( + enableUndo ? colorScheme.textBase : colorScheme.textMuted, + BlendMode.srcIn, + ), + ), + ), + const SizedBox(width: 16), + IconButton( + tooltip: 'Redo', + onPressed: () { + redo != null ? redo!() : null; + }, + icon: SvgPicture.asset( + 'assets/image-editor/image-editor-redo.svg', + colorFilter: ColorFilter.mode( + enableRedo ? colorScheme.textBase : colorScheme.textMuted, + BlendMode.srcIn, + ), + ), + ), + ], + ), + TextButton( + onPressed: () { + done(); + }, + child: Text( + isMainEditor ? 'Save Copy' : 'Done', + style: getEnteTextTheme(context).body.copyWith( + color: + Theme.of(context).colorScheme.imageEditorPrimaryColor, + ), + ), + ), + ], + ), + ); + } +} From 774292bdea819e0433daba8a0cb897225eb1b332 Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Wed, 23 Jul 2025 23:45:35 +0530 Subject: [PATCH 105/302] Custom widget for editor & constants --- .../image_editor/circular_icon_button.dart | 76 ++++++++ .../image_editor_color_picker.dart | 163 ++++++++++++++++++ .../image_editor/image_editor_constants.dart | 8 + 3 files changed, 247 insertions(+) create mode 100644 mobile/apps/photos/lib/ui/tools/editor/image_editor/circular_icon_button.dart create mode 100644 mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_color_picker.dart create mode 100644 mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_constants.dart diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/circular_icon_button.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/circular_icon_button.dart new file mode 100644 index 0000000000..7a025fe81f --- /dev/null +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/circular_icon_button.dart @@ -0,0 +1,76 @@ +import 'package:flutter/material.dart'; +import "package:flutter_svg/svg.dart"; +import "package:photos/ente_theme_data.dart"; +import "package:photos/theme/ente_theme.dart"; + +class CircularIconButton extends StatelessWidget { + final String label; + final VoidCallback onTap; + final String? svgPath; + final double size; + final bool isSelected; + + const CircularIconButton({ + super.key, + required this.label, + required this.onTap, + this.svgPath, + this.size = 60, + this.isSelected = false, + }); + + @override + Widget build(BuildContext context) { + final textTheme = getEnteTextTheme(context); + final colorScheme = getEnteColorScheme(context); + return SizedBox( + width: 90, + child: Column( + mainAxisSize: MainAxisSize.min, + mainAxisAlignment: MainAxisAlignment.center, + children: [ + GestureDetector( + onTap: onTap, + child: Container( + height: size, + width: size, + decoration: BoxDecoration( + color: isSelected + ? Theme.of(context) + .colorScheme + .imageEditorPrimaryColor + .withOpacity(0.24) + : colorScheme.backgroundElevated2, + shape: BoxShape.circle, + border: Border.all( + color: isSelected + ? Theme.of(context).colorScheme.imageEditorPrimaryColor + : colorScheme.backgroundElevated2, + width: 2, + ), + ), + child: svgPath != null + ? SvgPicture.asset( + svgPath!, + width: 12, + height: 12, + fit: BoxFit.scaleDown, + colorFilter: ColorFilter.mode( + colorScheme.tabIcon, + BlendMode.srcIn, + ), + ) + : const SizedBox(), + ), + ), + const SizedBox(height: 6), + Text( + label, + style: textTheme.small, + textAlign: TextAlign.center, + ), + ], + ), + ); + } +} diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_color_picker.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_color_picker.dart new file mode 100644 index 0000000000..b87175d757 --- /dev/null +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_color_picker.dart @@ -0,0 +1,163 @@ +import "package:flutter/material.dart"; +import "package:photos/theme/ente_theme.dart"; + +class ImageEditorColorPicker extends StatefulWidget { + final double value; + final ValueChanged onChanged; + + const ImageEditorColorPicker({ + super.key, + required this.value, + required this.onChanged, + }); + + @override + ColorSliderState createState() => ColorSliderState(); +} + +class ColorSliderState extends State { + Color get _selectedColor { + final hue = widget.value * 360; + return HSVColor.fromAHSV(1.0, hue, 1.0, 1.0).toColor(); + } + + @override + Widget build(BuildContext context) { + final colorScheme = getEnteColorScheme(context); + return Padding( + padding: const EdgeInsets.symmetric(horizontal: 20.0), + child: SizedBox( + height: 40, + child: Stack( + alignment: Alignment.center, + children: [ + Container( + height: 36, + decoration: BoxDecoration( + borderRadius: BorderRadius.circular(25), + gradient: const LinearGradient( + colors: [ + Color(0xFFFF0000), + Color(0xFFFF8000), + Color(0xFFFFFF00), + Color(0xFF80FF00), + Color(0xFF00FF00), + Color(0xFF00FF80), + Color(0xFF00FFFF), + Color(0xFF0080FF), + Color(0xFF0000FF), + Color(0xFF8000FF), + Color(0xFFFF00FF), + Color(0xFFFF0080), + Color(0xFFFF0000), + ], + begin: Alignment.centerLeft, + end: Alignment.centerRight, + ), + border: Border.all( + color: colorScheme.backgroundElevated2, + width: 6, + ), + ), + ), + Padding( + padding: const EdgeInsets.symmetric(horizontal: 16), + child: SliderTheme( + data: SliderTheme.of(context).copyWith( + trackHeight: 36, + thumbShape: _CustomThumbShape(_selectedColor), + activeTrackColor: Colors.transparent, + inactiveTrackColor: Colors.transparent, + overlayShape: const RoundSliderOverlayShape(overlayRadius: 0), + trackShape: const _TransparentTrackShape(), + ), + child: Slider( + value: widget.value, + onChanged: widget.onChanged, + min: 0.0, + max: 1.0, + ), + ), + ), + ], + ), + ), + ); + } +} + +class _CustomThumbShape extends SliderComponentShape { + final Color color; + + const _CustomThumbShape(this.color); + + @override + Size getPreferredSize(bool isEnabled, bool isDiscrete) { + return const Size(28, 28); + } + + @override + void paint( + PaintingContext context, + Offset center, { + required Animation activationAnimation, + required Animation enableAnimation, + required bool isDiscrete, + required TextPainter labelPainter, + required RenderBox parentBox, + required SliderThemeData sliderTheme, + required TextDirection textDirection, + required double value, + required double textScaleFactor, + required Size sizeWithOverflow, + }) { + final Canvas canvas = context.canvas; + + final Paint thumbPaint = Paint() + ..color = color + ..style = PaintingStyle.fill; + + canvas.drawCircle(center, 11, thumbPaint); + + final Paint borderPaint = Paint() + ..color = Colors.white + ..style = PaintingStyle.stroke + ..strokeWidth = 3; + + canvas.drawCircle(center, 13, borderPaint); + } +} + +class _TransparentTrackShape extends SliderTrackShape { + const _TransparentTrackShape(); + + @override + Rect getPreferredRect({ + required RenderBox parentBox, + Offset offset = Offset.zero, + required SliderThemeData sliderTheme, + bool isEnabled = false, + bool isDiscrete = false, + }) { + final double trackHeight = sliderTheme.trackHeight!; + final double trackLeft = offset.dx; + final double trackTop = + offset.dy + (parentBox.size.height - trackHeight) / 2; + final double trackWidth = parentBox.size.width; + return Rect.fromLTWH(trackLeft, trackTop, trackWidth, trackHeight); + } + + @override + void paint( + PaintingContext context, + Offset offset, { + required RenderBox parentBox, + required SliderThemeData sliderTheme, + required Animation enableAnimation, + required TextDirection textDirection, + required Offset thumbCenter, + Offset? secondaryOffset, + bool isDiscrete = false, + bool isEnabled = false, + }) {} +} diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_constants.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_constants.dart new file mode 100644 index 0000000000..c798b278b4 --- /dev/null +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_constants.dart @@ -0,0 +1,8 @@ +/// The duration used for fade-in animations. +const fadeInDuration = Duration(milliseconds: 220); + +/// The stagger delay between multiple fade-in animations +const fadeInDelay = Duration(milliseconds: 25); + +/// The height of the sub-bar. +const editorBottomBarHeight = 180.0; From 7a6fb1ba31ac9537dc5c0244373448d09ed59a67 Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Wed, 23 Jul 2025 23:47:03 +0530 Subject: [PATCH 106/302] Implemented new image editor --- .../image_editor_configs_mixin.dart | 20 + .../image_editor_crop_rotate.dart | 225 ++++++ .../image_editor/image_editor_filter_bar.dart | 101 +++ .../image_editor_main_bottom_bar.dart | 143 ++++ .../image_editor/image_editor_page_new.dart | 513 ++++++++++++++ .../image_editor/image_editor_paint_bar.dart | 88 +++ .../image_editor/image_editor_text_bar.dart | 366 ++++++++++ .../image_editor/image_editor_tune_bar.dart | 649 ++++++++++++++++++ 8 files changed, 2105 insertions(+) create mode 100644 mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_configs_mixin.dart create mode 100644 mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_crop_rotate.dart create mode 100644 mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_filter_bar.dart create mode 100644 mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_main_bottom_bar.dart create mode 100644 mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart create mode 100644 mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_paint_bar.dart create mode 100644 mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_text_bar.dart create mode 100644 mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_tune_bar.dart diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_configs_mixin.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_configs_mixin.dart new file mode 100644 index 0000000000..dd0a5c9c42 --- /dev/null +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_configs_mixin.dart @@ -0,0 +1,20 @@ +import 'package:flutter/material.dart'; +import "package:pro_image_editor/mixins/converted_configs.dart"; +import "package:pro_image_editor/models/editor_callbacks/pro_image_editor_callbacks.dart"; +import "package:pro_image_editor/models/editor_configs/pro_image_editor_configs.dart"; + +/// A mixin providing access to simple editor configurations. +mixin SimpleConfigsAccess on StatefulWidget { + ProImageEditorConfigs get configs; + ProImageEditorCallbacks get callbacks; +} + +mixin SimpleConfigsAccessState + on State, ImageEditorConvertedConfigs { + SimpleConfigsAccess get _widget => (widget as SimpleConfigsAccess); + + @override + ProImageEditorConfigs get configs => _widget.configs; + + ProImageEditorCallbacks get callbacks => _widget.callbacks; +} diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_crop_rotate.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_crop_rotate.dart new file mode 100644 index 0000000000..e7e5c97c66 --- /dev/null +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_crop_rotate.dart @@ -0,0 +1,225 @@ +import 'package:flutter/material.dart'; +import "package:flutter_svg/svg.dart"; +import "package:photos/theme/ente_theme.dart"; +import "package:photos/ui/tools/editor/image_editor/circular_icon_button.dart"; +import "package:photos/ui/tools/editor/image_editor/image_editor_configs_mixin.dart"; +import "package:photos/ui/tools/editor/image_editor/image_editor_constants.dart"; +import "package:pro_image_editor/mixins/converted_configs.dart"; +import "package:pro_image_editor/models/editor_callbacks/pro_image_editor_callbacks.dart"; +import "package:pro_image_editor/models/editor_configs/pro_image_editor_configs.dart"; +import "package:pro_image_editor/modules/crop_rotate_editor/crop_rotate_editor.dart"; +import "package:pro_image_editor/widgets/animated/fade_in_up.dart"; + +enum CropAspectRatioType { + original( + label: "Original", + ratio: null, + svg: "assets/image-editor/image-editor-crop-original.svg", + ), + free( + label: "Free", + ratio: null, + svg: "assets/video-editor/video-crop-free-action.svg", + ), + square( + label: "1:1", + ratio: 1.0, + svg: "assets/video-editor/video-crop-ratio_1_1-action.svg", + ), + widescreen( + label: "16:9", + ratio: 16.0 / 9.0, + svg: "assets/video-editor/video-crop-ratio_16_9-action.svg", + ), + portrait( + label: "9:16", + ratio: 9.0 / 16.0, + svg: "assets/video-editor/video-crop-ratio_9_16-action.svg", + ), + photo( + label: "4:3", + ratio: 4.0 / 3.0, + svg: "assets/video-editor/video-crop-ratio_4_3-action.svg", + ), + photo_3_4( + label: "3:4", + ratio: 3.0 / 4.0, + svg: "assets/video-editor/video-crop-ratio_3_4-action.svg", + ); + + const CropAspectRatioType({ + required this.label, + required this.ratio, + required this.svg, + }); + + final String label; + final String svg; + final double? ratio; +} + +class ImageEditorCropRotateBar extends StatefulWidget with SimpleConfigsAccess { + const ImageEditorCropRotateBar({ + super.key, + required this.configs, + required this.callbacks, + required this.editor, + }); + final CropRotateEditorState editor; + + @override + final ProImageEditorConfigs configs; + + @override + final ProImageEditorCallbacks callbacks; + + @override + State createState() => + _ImageEditorCropRotateBarState(); +} + +class _ImageEditorCropRotateBarState extends State + with ImageEditorConvertedConfigs, SimpleConfigsAccessState { + CropAspectRatioType selectedAspectRatio = CropAspectRatioType.original; + + @override + Widget build(BuildContext context) { + return LayoutBuilder( + builder: (context, constraints) { + return Column( + mainAxisSize: MainAxisSize.min, + children: [ + _buildFunctions(constraints), + ], + ); + }, + ); + } + + Widget _buildFunctions(BoxConstraints constraints) { + return BottomAppBar( + color: getEnteColorScheme(context).backgroundBase, + height: editorBottomBarHeight, + child: Align( + alignment: Alignment.bottomCenter, + child: FadeInUp( + duration: fadeInDuration, + child: Column( + mainAxisAlignment: MainAxisAlignment.spaceAround, + children: [ + Row( + mainAxisAlignment: MainAxisAlignment.center, + children: [ + CircularIconButton( + svgPath: "assets/image-editor/image-editor-crop-rotate.svg", + label: "Rotate", + onTap: () { + widget.editor.rotate(); + }, + ), + const SizedBox(width: 12), + CircularIconButton( + svgPath: "assets/image-editor/image-editor-flip.svg", + label: "Flip", + onTap: () { + widget.editor.flip(); + }, + ), + ], + ), + const SizedBox(height: 20), + SizedBox( + height: 48, + child: ListView.builder( + scrollDirection: Axis.horizontal, + itemCount: CropAspectRatioType.values.length, + itemBuilder: (context, index) { + final aspectRatio = CropAspectRatioType.values[index]; + final isSelected = selectedAspectRatio == aspectRatio; + return Padding( + padding: const EdgeInsets.only(right: 12.0), + child: CropAspectChip( + label: aspectRatio.label, + svg: aspectRatio.svg, + isSelected: isSelected, + onTap: () { + setState(() { + selectedAspectRatio = aspectRatio; + }); + widget.editor + .updateAspectRatio(aspectRatio.ratio ?? -1); + }, + ), + ); + }, + ), + ), + ], + ), + ), + ), + ); + } +} + +class CropAspectChip extends StatelessWidget { + final String? label; + final IconData? icon; + final String? svg; + final bool isSelected; + final VoidCallback? onTap; + + const CropAspectChip({ + super.key, + this.label, + this.icon, + this.svg, + required this.isSelected, + this.onTap, + }); + + @override + Widget build(BuildContext context) { + final colorScheme = getEnteColorScheme(context); + return GestureDetector( + onTap: onTap, + child: Container( + decoration: BoxDecoration( + color: isSelected + ? colorScheme.fillBasePressed + : colorScheme.backgroundElevated2, + borderRadius: BorderRadius.circular(25), + ), + padding: const EdgeInsets.symmetric( + horizontal: 14, + vertical: 10, + ), + child: Row( + mainAxisSize: MainAxisSize.min, + children: [ + if (svg != null) ...[ + SvgPicture.asset( + svg!, + height: 40, + colorFilter: ColorFilter.mode( + isSelected ? colorScheme.backdropBase : colorScheme.tabIcon, + BlendMode.srcIn, + ), + ), + ], + const SizedBox(width: 4), + if (label != null) + Text( + label!, + style: TextStyle( + color: isSelected + ? colorScheme.backdropBase + : colorScheme.tabIcon, + ), + ), + ], + ), + ), + ); + } +} diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_filter_bar.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_filter_bar.dart new file mode 100644 index 0000000000..1fc6927c6e --- /dev/null +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_filter_bar.dart @@ -0,0 +1,101 @@ +import 'package:figma_squircle/figma_squircle.dart'; +import 'package:flutter/material.dart'; +import "package:photos/ente_theme_data.dart"; +import "package:photos/theme/ente_theme.dart"; +import 'package:pro_image_editor/pro_image_editor.dart'; + +class ImageEditorFilterBar extends StatefulWidget { + const ImageEditorFilterBar({ + required this.filterModel, + required this.isSelected, + required this.onSelectFilter, + required this.editorImage, + this.filterKey, + super.key, + }); + + final FilterModel filterModel; + final bool isSelected; + final VoidCallback onSelectFilter; + final Widget editorImage; + final Key? filterKey; + + @override + State createState() => _ImageEditorFilterBarState(); +} + +class _ImageEditorFilterBarState extends State { + @override + Widget build(BuildContext context) { + return buildFilteredOptions( + widget.editorImage, + widget.isSelected, + widget.filterModel.name, + widget.onSelectFilter, + widget.filterKey ?? ValueKey(widget.filterModel.name), + ); + } + + Widget buildFilteredOptions( + Widget editorImage, + bool isSelected, + String filterName, + VoidCallback onSelectFilter, + Key filterKey, + ) { + return GestureDetector( + onTap: () => onSelectFilter(), + child: SizedBox( + height: 90, + width: 80, + child: Column( + mainAxisAlignment: MainAxisAlignment.spaceAround, + children: [ + Container( + height: 60, + width: 60, + decoration: ShapeDecoration( + shape: SmoothRectangleBorder( + borderRadius: SmoothBorderRadius( + cornerRadius: 12, + cornerSmoothing: 0.6, + ), + side: BorderSide( + color: isSelected + ? Theme.of(context).colorScheme.imageEditorPrimaryColor + : Colors.transparent, + width: 1.5, + ), + ), + ), + child: Padding( + padding: isSelected ? const EdgeInsets.all(2) : EdgeInsets.zero, + child: ClipSmoothRect( + radius: SmoothBorderRadius( + cornerRadius: 9.69, + cornerSmoothing: 0.4, + ), + child: SizedBox( + height: isSelected ? 56 : 60, + width: isSelected ? 56 : 60, + child: editorImage, + ), + ), + ), + ), + const SizedBox(height: 8), + Text( + filterName, + style: isSelected + ? getEnteTextTheme(context).smallBold + : getEnteTextTheme(context).smallMuted, + textAlign: TextAlign.center, + maxLines: 1, + overflow: TextOverflow.ellipsis, + ), + ], + ), + ), + ); + } +} diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_main_bottom_bar.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_main_bottom_bar.dart new file mode 100644 index 0000000000..1d5a9ff789 --- /dev/null +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_main_bottom_bar.dart @@ -0,0 +1,143 @@ +import 'dart:math'; + +import 'package:flutter/material.dart'; +import "package:photos/ui/tools/editor/image_editor/circular_icon_button.dart"; +import "package:photos/ui/tools/editor/image_editor/image_editor_configs_mixin.dart"; +import "package:photos/ui/tools/editor/image_editor/image_editor_constants.dart"; +import "package:pro_image_editor/mixins/converted_configs.dart"; +import 'package:pro_image_editor/pro_image_editor.dart'; + +class ImageEditorMainBottomBar extends StatefulWidget with SimpleConfigsAccess { + const ImageEditorMainBottomBar({ + super.key, + required this.configs, + required this.callbacks, + required this.editor, + }); + + final ProImageEditorState editor; + + @override + final ProImageEditorConfigs configs; + @override + final ProImageEditorCallbacks callbacks; + + @override + State createState() => + ImageEditorMainBottomBarState(); +} + +class ImageEditorMainBottomBarState extends State + with ImageEditorConvertedConfigs, SimpleConfigsAccessState { + @override + Widget build(BuildContext context) { + return LayoutBuilder( + builder: (context, constraints) { + return Column( + mainAxisSize: MainAxisSize.min, + children: [ + _buildFunctions(constraints), + ], + ); + }, + ); + } + + Widget _buildFunctions(BoxConstraints constraints) { + return BottomAppBar( + height: editorBottomBarHeight, + padding: EdgeInsets.zero, + clipBehavior: Clip.none, + child: AnimatedSwitcher( + layoutBuilder: (currentChild, previousChildren) => Stack( + clipBehavior: Clip.none, + alignment: Alignment.bottomCenter, + children: [ + ...previousChildren, + if (currentChild != null) currentChild, + ], + ), + duration: const Duration(milliseconds: 400), + reverseDuration: const Duration(milliseconds: 0), + transitionBuilder: (child, animation) { + return FadeTransition( + opacity: animation, + child: SizeTransition( + sizeFactor: animation, + axis: Axis.vertical, + axisAlignment: -1, + child: child, + ), + ); + }, + switchInCurve: Curves.ease, + child: widget.editor.isSubEditorOpen && + !widget.editor.isSubEditorClosing + ? const SizedBox.shrink() + : Align( + alignment: Alignment.center, + child: SingleChildScrollView( + clipBehavior: Clip.none, + scrollDirection: Axis.horizontal, + child: ConstrainedBox( + constraints: BoxConstraints( + minWidth: min(constraints.maxWidth, 600), + maxWidth: 600, + ), + child: Row( + mainAxisAlignment: MainAxisAlignment.spaceBetween, + mainAxisSize: MainAxisSize.min, + children: [ + CircularIconButton( + svgPath: "assets/image-editor/image-editor-crop.svg", + label: "Crop", + onTap: () { + widget.editor.openCropRotateEditor(); + }, + ), + CircularIconButton( + svgPath: + "assets/image-editor/image-editor-filter.svg", + label: "Filter", + onTap: () { + widget.editor.openFilterEditor(); + }, + ), + CircularIconButton( + svgPath: "assets/image-editor/image-editor-text.svg", + label: "Text", + onTap: () { + widget.editor.openTextEditor(); + }, + ), + CircularIconButton( + svgPath: "assets/image-editor/image-editor-tune.svg", + label: "Adjust", + onTap: () { + widget.editor.openTuneEditor(); + }, + ), + CircularIconButton( + svgPath: "assets/image-editor/image-editor-paint.svg", + label: "Draw", + onTap: () { + widget.editor.openPaintEditor(); + }, + ), + CircularIconButton( + svgPath: + "assets/image-editor/image-editor-sticker.svg", + label: "Sticker", + onTap: () { + widget.editor.openEmojiEditor(); + }, + ), + ], + ), + ), + ), + ), + ), + ); + } +} diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart new file mode 100644 index 0000000000..da15c97924 --- /dev/null +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart @@ -0,0 +1,513 @@ +import "dart:async"; +import "dart:io"; +import "dart:math"; +import "dart:typed_data"; +import 'dart:ui' as ui show Image; + +import 'package:flutter/material.dart'; +import "package:flutter_image_compress/flutter_image_compress.dart"; +import "package:google_fonts/google_fonts.dart"; +import "package:logging/logging.dart"; +import 'package:path/path.dart' as path; +import "package:photo_manager/photo_manager.dart"; +import "package:photos/core/event_bus.dart"; +import "package:photos/db/files_db.dart"; +import "package:photos/ente_theme_data.dart"; +import "package:photos/events/local_photos_updated_event.dart"; +import "package:photos/generated/l10n.dart"; +import 'package:photos/models/file/file.dart' as ente; +import "package:photos/models/location/location.dart"; +import "package:photos/services/sync/sync_service.dart"; +import "package:photos/theme/ente_theme.dart"; +import "package:photos/ui/components/action_sheet_widget.dart"; +import "package:photos/ui/components/buttons/button_widget.dart"; +import "package:photos/ui/components/models/button_type.dart"; +import "package:photos/ui/notification/toast.dart"; +import "package:photos/ui/tools/editor/image_editor/image_editor_app_bar.dart"; +import "package:photos/ui/tools/editor/image_editor/image_editor_constants.dart"; +import "package:photos/ui/tools/editor/image_editor/image_editor_crop_rotate.dart"; +import "package:photos/ui/tools/editor/image_editor/image_editor_filter_bar.dart"; +import "package:photos/ui/tools/editor/image_editor/image_editor_main_bottom_bar.dart"; +import "package:photos/ui/tools/editor/image_editor/image_editor_paint_bar.dart"; +import "package:photos/ui/tools/editor/image_editor/image_editor_text_bar.dart"; +import "package:photos/ui/tools/editor/image_editor/image_editor_tune_bar.dart"; +import "package:photos/ui/viewer/file/detail_page.dart"; +import "package:photos/utils/dialog_util.dart"; +import "package:photos/utils/navigation_util.dart"; +import "package:pro_image_editor/models/editor_configs/utils/editor_safe_area.dart"; +import 'package:pro_image_editor/pro_image_editor.dart'; + +class NewImageEditor extends StatefulWidget { + final ente.EnteFile originalFile; + final File file; + final DetailPageConfiguration detailPageConfig; + + const NewImageEditor({ + super.key, + required this.file, + required this.originalFile, + required this.detailPageConfig, + }); + + @override + State createState() => _NewImageEditorState(); +} + +class _NewImageEditorState extends State { + final _mainEditorBarKey = GlobalKey(); + final editorKey = GlobalKey(); + final _logger = Logger("ImageEditor"); + + Future saveImage(Uint8List? bytes) async { + if (bytes == null) return; + + final dialog = createProgressDialog(context, S.of(context).saving); + await dialog.show(); + + debugPrint("Image saved with size: ${bytes.length} bytes"); + final DateTime start = DateTime.now(); + + final ui.Image decodedResult = await decodeImageFromList(bytes); + final result = await FlutterImageCompress.compressWithList( + bytes, + minWidth: decodedResult.width, + minHeight: decodedResult.height, + ); + _logger.info('Size after compression = ${result.length}'); + final Duration diff = DateTime.now().difference(start); + _logger.info('image_editor time : $diff'); + + try { + final fileName = + path.basenameWithoutExtension(widget.originalFile.title!) + + "_edited_" + + DateTime.now().microsecondsSinceEpoch.toString() + + ".JPEG"; + //Disabling notifications for assets changing to insert the file into + //files db before triggering a sync. + await PhotoManager.stopChangeNotify(); + final AssetEntity newAsset = + await (PhotoManager.editor.saveImage(result, filename: fileName)); + final newFile = await ente.EnteFile.fromAsset( + widget.originalFile.deviceFolder ?? '', + newAsset, + ); + + newFile.creationTime = widget.originalFile.creationTime; + newFile.collectionID = widget.originalFile.collectionID; + newFile.location = widget.originalFile.location; + if (!newFile.hasLocation && widget.originalFile.localID != null) { + final assetEntity = await widget.originalFile.getAsset; + if (assetEntity != null) { + final latLong = await assetEntity.latlngAsync(); + newFile.location = Location( + latitude: latLong.latitude, + longitude: latLong.longitude, + ); + } + } + newFile.generatedID = await FilesDB.instance.insertAndGetId(newFile); + Bus.instance.fire(LocalPhotosUpdatedEvent([newFile], source: "editSave")); + unawaited(SyncService.instance.sync()); + showShortToast(context, S.of(context).editsSaved); + _logger.info("Original file " + widget.originalFile.toString()); + _logger.info("Saved edits to file " + newFile.toString()); + final files = widget.detailPageConfig.files; + + // the index could be -1 if the files fetched doesn't contain the newly + // edited files + int selectionIndex = + files.indexWhere((file) => file.generatedID == newFile.generatedID); + if (selectionIndex == -1) { + files.add(newFile); + selectionIndex = files.length - 1; + } + await dialog.hide(); + replacePage( + context, + DetailPage( + widget.detailPageConfig.copyWith( + files: files, + selectedIndex: min(selectionIndex, files.length - 1), + ), + ), + ); + } catch (e, s) { + await dialog.hide(); + showToast(context, S.of(context).oopsCouldNotSaveEdits); + _logger.severe(e, s); + } finally { + await PhotoManager.startChangeNotify(); + } + } + + Future _showExitConfirmationDialog(BuildContext context) async { + final actionResult = await showActionSheet( + context: context, + buttons: [ + ButtonWidget( + labelText: S.of(context).yesDiscardChanges, + buttonType: ButtonType.critical, + buttonSize: ButtonSize.large, + shouldStickToDarkTheme: true, + buttonAction: ButtonAction.first, + isInAlert: true, + ), + ButtonWidget( + labelText: S.of(context).no, + buttonType: ButtonType.secondary, + buttonSize: ButtonSize.large, + buttonAction: ButtonAction.second, + shouldStickToDarkTheme: true, + isInAlert: true, + ), + ], + body: S.of(context).doYouWantToDiscardTheEditsYouHaveMade, + actionSheetType: ActionSheetType.defaultActionSheet, + ); + if (actionResult?.action != null && + actionResult!.action == ButtonAction.first) { + replacePage(context, DetailPage(widget.detailPageConfig)); + } + } + + @override + Widget build(BuildContext context) { + final isLightMode = Theme.of(context).brightness == Brightness.light; + final colorScheme = getEnteColorScheme(context); + final textTheme = getEnteTextTheme(context); + return Scaffold( + backgroundColor: colorScheme.backgroundBase, + body: ProImageEditor.file( + key: editorKey, + widget.file, + callbacks: ProImageEditorCallbacks( + mainEditorCallbacks: MainEditorCallbacks( + onStartCloseSubEditor: (value) { + _mainEditorBarKey.currentState?.setState(() {}); + }, + ), + ), + configs: ProImageEditorConfigs( + layerInteraction: const LayerInteractionConfigs( + hideToolbarOnInteraction: false, + ), + theme: ThemeData( + scaffoldBackgroundColor: colorScheme.backgroundBase, + appBarTheme: AppBarTheme( + titleTextStyle: textTheme.body, + backgroundColor: colorScheme.backgroundBase, + ), + bottomAppBarTheme: BottomAppBarTheme( + color: colorScheme.backgroundBase, + ), + brightness: isLightMode ? Brightness.light : Brightness.dark, + ), + mainEditor: MainEditorConfigs( + style: MainEditorStyle( + appBarBackground: colorScheme.backgroundBase, + background: colorScheme.backgroundBase, + bottomBarBackground: colorScheme.backgroundBase, + ), + widgets: MainEditorWidgets( + removeLayerArea: (removeAreaKey, editor, rebuildStream) { + return Align( + alignment: Alignment.bottomCenter, + child: StreamBuilder( + stream: rebuildStream, + builder: (_, __) { + final isHovered = + editor.layerInteractionManager.hoverRemoveBtn; + + return AnimatedContainer( + key: removeAreaKey, + duration: const Duration(milliseconds: 150), + height: 56, + width: 56, + margin: const EdgeInsets.only(bottom: 24), + decoration: BoxDecoration( + color: isHovered + ? const Color.fromARGB(255, 255, 197, 197) + : const Color.fromARGB(255, 255, 255, 255), + shape: BoxShape.circle, + ), + padding: const EdgeInsets.all(12), + child: const Center( + child: Icon( + Icons.delete_forever_outlined, + size: 28, + color: Color(0xFFF44336), + ), + ), + ); + }, + ), + ); + }, + appBar: (editor, rebuildStream) { + return ReactiveCustomAppbar( + builder: (context) { + return ImageEditorAppBar( + enableRedo: editor.canRedo, + enableUndo: editor.canUndo, + key: const Key('image_editor_app_bar'), + redo: () => editor.redoAction(), + undo: () => editor.undoAction(), + configs: editor.configs, + done: () async { + final Uint8List bytes = + await editorKey.currentState!.captureEditorImage(); + await saveImage(bytes); + }, + close: () { + _showExitConfirmationDialog(context); + }, + isMainEditor: true, + ); + }, + stream: rebuildStream, + ); + }, + bottomBar: (editor, rebuildStream, key) => ReactiveCustomWidget( + key: key, + builder: (context) { + return ImageEditorMainBottomBar( + key: _mainEditorBarKey, + editor: editor, + configs: editor.configs, + callbacks: editor.callbacks, + ); + }, + stream: rebuildStream, + ), + ), + ), + paintEditor: PaintEditorConfigs( + style: PaintEditorStyle( + background: colorScheme.backgroundBase, + initialStrokeWidth: 5, + ), + widgets: PaintEditorWidgets( + appBar: (editor, rebuildStream) { + return ReactiveCustomAppbar( + builder: (context) { + return ImageEditorAppBar( + enableRedo: editor.canRedo, + enableUndo: editor.canUndo, + key: const Key('image_editor_app_bar'), + redo: () => editor.redoAction(), + undo: () => editor.undoAction(), + configs: editor.configs, + done: () => editor.done(), + close: () => editor.close(), + ); + }, + stream: rebuildStream, + ); + }, + colorPicker: + (paintEditor, rebuildStream, currentColor, setColor) => null, + bottomBar: (editorState, rebuildStream) { + return ReactiveCustomWidget( + builder: (context) { + return ImageEditorPaintBar( + configs: editorState.configs, + callbacks: editorState.callbacks, + editor: editorState, + i18nColor: 'Color', + ); + }, + stream: rebuildStream, + ); + }, + ), + ), + textEditor: TextEditorConfigs( + canToggleTextAlign: true, + customTextStyles: [ + GoogleFonts.inter(), + GoogleFonts.giveYouGlory(), + GoogleFonts.dmSerifText(), + GoogleFonts.comicNeue(), + ], + safeArea: const EditorSafeArea( + bottom: false, + top: false, + ), + style: const TextEditorStyle( + background: Colors.transparent, + textFieldMargin: EdgeInsets.only(top: kToolbarHeight), + ), + widgets: TextEditorWidgets( + appBar: (textEditor, rebuildStream) => null, + colorPicker: + (textEditor, rebuildStream, currentColor, setColor) => null, + bottomBar: (editorState, rebuildStream) { + return ReactiveCustomWidget( + builder: (context) { + return ImageEditorTextBar( + configs: editorState.configs, + callbacks: editorState.callbacks, + editor: editorState, + ); + }, + stream: rebuildStream, + ); + }, + ), + ), + cropRotateEditor: CropRotateEditorConfigs( + safeArea: const EditorSafeArea( + bottom: false, + top: false, + ), + style: CropRotateEditorStyle( + background: colorScheme.backgroundBase, + cropCornerColor: + Theme.of(context).colorScheme.imageEditorPrimaryColor, + ), + widgets: CropRotateEditorWidgets( + appBar: (editor, rebuildStream) { + return ReactiveCustomAppbar( + builder: (context) { + return ImageEditorAppBar( + key: const Key('image_editor_app_bar'), + configs: editor.configs, + done: () => editor.done(), + close: () => editor.close(), + enableRedo: editor.canRedo, + enableUndo: editor.canUndo, + redo: () => editor.redoAction(), + undo: () => editor.undoAction(), + ); + }, + stream: rebuildStream, + ); + }, + bottomBar: (cropRotateEditor, rebuildStream) => + ReactiveCustomWidget( + stream: rebuildStream, + builder: (_) => ImageEditorCropRotateBar( + configs: cropRotateEditor.configs, + callbacks: cropRotateEditor.callbacks, + editor: cropRotateEditor, + ), + ), + ), + ), + filterEditor: FilterEditorConfigs( + fadeInUpDuration: fadeInDuration, + fadeInUpStaggerDelayDuration: fadeInDelay, + safeArea: const EditorSafeArea(top: false), + style: FilterEditorStyle( + filterListSpacing: 7, + background: colorScheme.backgroundBase, + ), + widgets: FilterEditorWidgets( + slider: ( + editorState, + rebuildStream, + value, + onChanged, + onChangeEnd, + ) => + ReactiveCustomWidget( + builder: (context) { + return const SizedBox.shrink(); + }, + stream: rebuildStream, + ), + filterButton: ( + filter, + isSelected, + scaleFactor, + onSelectFilter, + editorImage, + filterKey, + ) { + return ImageEditorFilterBar( + filterModel: filter, + isSelected: isSelected, + onSelectFilter: onSelectFilter, + editorImage: editorImage, + filterKey: filterKey, + ); + }, + appBar: (editor, rebuildStream) { + return ReactiveCustomAppbar( + builder: (context) { + return ImageEditorAppBar( + key: const Key('image_editor_app_bar'), + configs: editor.configs, + done: () => editor.done(), + close: () => editor.close(), + ); + }, + stream: rebuildStream, + ); + }, + ), + ), + tuneEditor: TuneEditorConfigs( + safeArea: const EditorSafeArea(top: false), + style: TuneEditorStyle( + background: colorScheme.backgroundBase, + ), + widgets: TuneEditorWidgets( + appBar: (editor, rebuildStream) { + return ReactiveCustomAppbar( + builder: (context) { + return ImageEditorAppBar( + enableRedo: editor.canRedo, + enableUndo: editor.canUndo, + key: const Key('image_editor_app_bar'), + redo: () => editor.redo(), + undo: () => editor.undo(), + configs: editor.configs, + done: () => editor.done(), + close: () => editor.close(), + ); + }, + stream: rebuildStream, + ); + }, + bottomBar: (editorState, rebuildStream) { + return ReactiveCustomWidget( + builder: (context) { + return ImageEditorTuneBar( + configs: editorState.configs, + callbacks: editorState.callbacks, + editor: editorState, + ); + }, + stream: rebuildStream, + ); + }, + ), + ), + blurEditor: const BlurEditorConfigs( + enabled: false, + ), + emojiEditor: EmojiEditorConfigs( + icons: const EmojiEditorIcons(), + style: EmojiEditorStyle( + backgroundColor: colorScheme.backgroundBase, + emojiViewConfig: const EmojiViewConfig( + gridPadding: EdgeInsets.zero, + horizontalSpacing: 0, + verticalSpacing: 0, + recentsLimit: 40, + loadingIndicator: Center(child: CircularProgressIndicator()), + replaceEmojiOnLimitExceed: false, + ), + bottomActionBarConfig: const BottomActionBarConfig( + enabled: false, + ), + ), + ), + stickerEditor: const StickerEditorConfigs(enabled: false), + ), + ), + ); + } +} diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_paint_bar.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_paint_bar.dart new file mode 100644 index 0000000000..48f7b2a040 --- /dev/null +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_paint_bar.dart @@ -0,0 +1,88 @@ +import 'package:flutter/material.dart'; +import "package:photos/theme/ente_theme.dart"; +import "package:photos/ui/tools/editor/image_editor/image_editor_color_picker.dart"; +import "package:photos/ui/tools/editor/image_editor/image_editor_configs_mixin.dart"; +import "package:photos/ui/tools/editor/image_editor/image_editor_constants.dart"; +import "package:pro_image_editor/mixins/converted_configs.dart"; +import "package:pro_image_editor/models/editor_callbacks/pro_image_editor_callbacks.dart"; +import "package:pro_image_editor/models/editor_configs/pro_image_editor_configs.dart"; +import "package:pro_image_editor/modules/paint_editor/paint_editor.dart"; +import "package:pro_image_editor/widgets/animated/fade_in_up.dart"; + +class ImageEditorPaintBar extends StatefulWidget with SimpleConfigsAccess { + const ImageEditorPaintBar({ + super.key, + required this.configs, + required this.callbacks, + required this.editor, + required this.i18nColor, + }); + + final PaintEditorState editor; + + @override + final ProImageEditorConfigs configs; + @override + final ProImageEditorCallbacks callbacks; + + final String i18nColor; + + @override + State createState() => _ImageEditorPaintBarState(); +} + +class _ImageEditorPaintBarState extends State + with ImageEditorConvertedConfigs, SimpleConfigsAccessState { + double colorSliderValue = 0.5; + @override + Widget build(BuildContext context) { + return LayoutBuilder( + builder: (context, constraints) { + return Column( + mainAxisSize: MainAxisSize.min, + children: [ + _buildFunctions(constraints), + ], + ); + }, + ); + } + + Widget _buildFunctions(BoxConstraints constraints) { + return BottomAppBar( + height: editorBottomBarHeight, + padding: EdgeInsets.zero, + child: Align( + alignment: Alignment.center, + child: FadeInUp( + duration: fadeInDuration, + child: Column( + mainAxisAlignment: MainAxisAlignment.center, + crossAxisAlignment: CrossAxisAlignment.start, + children: [ + Padding( + padding: const EdgeInsets.only(left: 20.0), + child: Text( + "Brush Color", + style: getEnteTextTheme(context).body, + ), + ), + const SizedBox(height: 24), + ImageEditorColorPicker( + value: colorSliderValue, + onChanged: (value) { + setState(() { + colorSliderValue = value; + }); + final hue = value * 360; + final color = HSVColor.fromAHSV(1.0, hue, 1.0, 1.0).toColor(); + widget.editor.colorChanged(color); + }, + ), + ], + ), + ), + ), + ); + } +} diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_text_bar.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_text_bar.dart new file mode 100644 index 0000000000..db0d16a6e3 --- /dev/null +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_text_bar.dart @@ -0,0 +1,366 @@ +import 'package:flutter/material.dart'; +import "package:flutter_svg/svg.dart"; +import "package:photos/theme/ente_theme.dart"; +import "package:photos/ui/tools/editor/image_editor/circular_icon_button.dart"; +import "package:photos/ui/tools/editor/image_editor/image_editor_color_picker.dart"; +import "package:photos/ui/tools/editor/image_editor/image_editor_configs_mixin.dart"; +import "package:photos/ui/tools/editor/image_editor/image_editor_constants.dart"; +import "package:pro_image_editor/mixins/converted_configs.dart"; +import 'package:pro_image_editor/pro_image_editor.dart'; + +class ImageEditorTextBar extends StatefulWidget with SimpleConfigsAccess { + const ImageEditorTextBar({ + super.key, + required this.configs, + required this.callbacks, + required this.editor, + }); + + final TextEditorState editor; + + @override + final ProImageEditorConfigs configs; + @override + final ProImageEditorCallbacks callbacks; + + @override + State createState() => _ImageEditorTextBarState(); +} + +class _ImageEditorTextBarState extends State + with ImageEditorConvertedConfigs, SimpleConfigsAccessState { + int selectedActionIndex = -1; + double colorSliderValue = 0.5; + + void _selectAction(int index) { + setState(() { + selectedActionIndex = selectedActionIndex == index ? -1 : index; + }); + } + + @override + Widget build(BuildContext context) { + return LayoutBuilder( + builder: (context, constraints) { + return Column( + mainAxisSize: MainAxisSize.min, + children: [ + _buildFunctions(constraints), + ], + ); + }, + ); + } + + Widget _buildFunctions(BoxConstraints constraints) { + return BottomAppBar( + padding: EdgeInsets.zero, + height: editorBottomBarHeight, + child: FadeInUp( + duration: fadeInDuration, + child: Column( + mainAxisAlignment: MainAxisAlignment.spaceEvenly, + children: [ + _buildMainActionButtons(), + _buildHelperWidget(), + ], + ), + ), + ); + } + + Widget _buildMainActionButtons() { + return Row( + mainAxisAlignment: MainAxisAlignment.spaceEvenly, + children: [ + CircularIconButton( + svgPath: "assets/image-editor/image-editor-text-color.svg", + label: "Color", + isSelected: selectedActionIndex == 0, + onTap: () { + _selectAction(0); + }, + ), + CircularIconButton( + svgPath: "assets/image-editor/image-editor-text-font.svg", + label: "Font", + isSelected: selectedActionIndex == 1, + onTap: () { + _selectAction(1); + }, + ), + CircularIconButton( + svgPath: "assets/image-editor/image-editor-text-background.svg", + label: "Background", + isSelected: selectedActionIndex == 2, + onTap: () { + setState(() { + selectedActionIndex = 2; + }); + }, + ), + CircularIconButton( + svgPath: "assets/image-editor/image-editor-text-align-left.svg", + label: "Align", + isSelected: selectedActionIndex == 3, + onTap: () { + setState(() { + selectedActionIndex = 3; + }); + }, + ), + ], + ); + } + + Widget _buildHelperWidget() { + return AnimatedSwitcher( + duration: const Duration(milliseconds: 300), + switchInCurve: Curves.easeInOut, + switchOutCurve: Curves.easeInOut, + child: switch (selectedActionIndex) { + 0 => ImageEditorColorPicker( + value: colorSliderValue, + onChanged: (value) { + setState(() { + colorSliderValue = value; + }); + final hue = value * 360; + final color = HSVColor.fromAHSV(1.0, hue, 1.0, 1.0).toColor(); + widget.editor.primaryColor = color; + }, + ), + 1 => _FontPickerWidget(editor: widget.editor), + 2 => _BackgroundPickerWidget(editor: widget.editor), + 3 => _AlignPickerWidget(editor: widget.editor), + _ => const SizedBox.shrink(), + }, + ); + } +} + +class _FontPickerWidget extends StatelessWidget { + final TextEditorState editor; + + const _FontPickerWidget({required this.editor}); + + @override + Widget build(BuildContext context) { + final colorScheme = getEnteColorScheme(context); + if (editor.textEditorConfigs.customTextStyles == null) { + return const SizedBox.shrink(); + } + + return Row( + mainAxisAlignment: MainAxisAlignment.center, + children: editor.textEditorConfigs.customTextStyles! + .asMap() + .entries + .map((entry) { + final item = entry.value; + final selected = editor.selectedTextStyle; + final bool isSelected = selected.hashCode == item.hashCode; + + return Padding( + padding: const EdgeInsets.only(right: 12), + child: GestureDetector( + onTap: () { + editor.setTextStyle(item); + }, + child: Container( + height: 40, + width: 48, + decoration: BoxDecoration( + color: isSelected + ? colorScheme.fillBasePressed + : colorScheme.backgroundElevated2, + borderRadius: BorderRadius.circular(25), + ), + child: Center( + child: Text( + 'Aa', + style: item.copyWith( + color: isSelected + ? colorScheme.backdropBase + : colorScheme.tabIcon, + ), + ), + ), + ), + ), + ); + }).toList(), + ); + } +} + +class _BackgroundPickerWidget extends StatelessWidget { + final TextEditorState editor; + + const _BackgroundPickerWidget({required this.editor}); + + @override + Widget build(BuildContext context) { + final colorScheme = getEnteColorScheme(context); + final isLightMode = Theme.of(context).brightness == Brightness.light; + final backgroundStyles = { + LayerBackgroundMode.background: { + 'text': 'Aa', + 'backgroundColor': isLightMode ? colorScheme.fillFaint : Colors.white, + 'border': null, + 'textColor': Colors.white, + 'innerBackgroundColor': Colors.black, + }, + LayerBackgroundMode.backgroundAndColor: { + 'text': 'Aa', + 'backgroundColor': isLightMode ? colorScheme.fillFaint : Colors.white, + 'border': null, + 'textColor': Colors.black, + 'innerBackgroundColor': Colors.transparent, + }, + LayerBackgroundMode.backgroundAndColorWithOpacity: { + 'text': 'Aa', + 'backgroundColor': isLightMode ? colorScheme.fillFaint : Colors.white, + 'border': null, + 'textColor': Colors.black, + 'innerBackgroundColor': Colors.black.withOpacity(0.11), + }, + LayerBackgroundMode.onlyColor: { + 'text': 'Aa', + 'backgroundColor': isLightMode ? colorScheme.fillFaint : Colors.black, + 'border': + isLightMode ? null : Border.all(color: Colors.white, width: 2), + 'textColor': Colors.black, + 'innerBackgroundColor': Colors.white, + }, + }; + + return Row( + mainAxisAlignment: MainAxisAlignment.center, + children: backgroundStyles.entries.map((entry) { + final mode = entry.key; + final style = entry.value; + final isSelected = editor.backgroundColorMode == mode; + + return Padding( + padding: const EdgeInsets.only(right: 12), + child: GestureDetector( + onTap: () { + editor.setState(() { + editor.backgroundColorMode = mode; + }); + }, + child: SizedBox( + height: 40, + width: 48, + child: Container( + decoration: BoxDecoration( + color: isSelected + ? style['backgroundColor'] as Color + : colorScheme.backgroundElevated2, + borderRadius: BorderRadius.circular(25), + border: isSelected ? style['border'] as Border? : null, + ), + child: Stack( + alignment: Alignment.center, + children: [ + Center( + child: Container( + height: 20, + width: 22, + decoration: ShapeDecoration( + color: isSelected + ? style['innerBackgroundColor'] as Color + : colorScheme.backgroundElevated2, + shape: RoundedRectangleBorder( + borderRadius: BorderRadius.circular(4), + ), + ), + ), + ), + Center( + child: Text( + style['text'] as String, + style: TextStyle( + color: isSelected + ? style['textColor'] as Color + : colorScheme.tabIcon, + ), + ), + ), + ], + ), + ), + ), + ), + ); + }).toList(), + ); + } +} + +class _AlignPickerWidget extends StatelessWidget { + final TextEditorState editor; + + const _AlignPickerWidget({required this.editor}); + + @override + Widget build(BuildContext context) { + final colorScheme = getEnteColorScheme(context); + final alignments = [ + (TextAlign.left, "assets/image-editor/image-editor-text-align-left.svg"), + ( + TextAlign.center, + "assets/image-editor/image-editor-text-align-center.svg" + ), + ( + TextAlign.right, + "assets/image-editor/image-editor-text-align-right.svg" + ), + ]; + + return Row( + mainAxisAlignment: MainAxisAlignment.center, + children: alignments.map((alignmentData) { + final (alignment, svgPath) = alignmentData; + final isSelected = editor.align == alignment; + + return Padding( + padding: const EdgeInsets.only(right: 12.0), + child: GestureDetector( + onTap: () { + editor.setState(() { + editor.align = alignment; + }); + }, + child: Container( + height: 40, + width: 48, + decoration: BoxDecoration( + color: isSelected + ? colorScheme.fillBasePressed + : colorScheme.backgroundElevated2, + borderRadius: BorderRadius.circular(25), + border: isSelected + ? Border.all(color: Colors.black, width: 2) + : null, + ), + child: Center( + child: SvgPicture.asset( + svgPath, + width: 22, + height: 22, + fit: BoxFit.scaleDown, + colorFilter: ColorFilter.mode( + isSelected ? colorScheme.backdropBase : colorScheme.tabIcon, + BlendMode.srcIn, + ), + ), + ), + ), + ), + ); + }).toList(), + ); + } +} diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_tune_bar.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_tune_bar.dart new file mode 100644 index 0000000000..1ebc163103 --- /dev/null +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_tune_bar.dart @@ -0,0 +1,649 @@ +import 'dart:math'; + +import 'package:flutter/material.dart'; +import "package:flutter_svg/svg.dart"; +import "package:photos/ente_theme_data.dart"; +import "package:photos/theme/ente_theme.dart"; +import "package:photos/ui/tools/editor/image_editor/image_editor_configs_mixin.dart"; +import "package:photos/ui/tools/editor/image_editor/image_editor_constants.dart"; +import "package:pro_image_editor/mixins/converted_configs.dart"; +import "package:pro_image_editor/models/editor_callbacks/pro_image_editor_callbacks.dart"; +import "package:pro_image_editor/models/editor_configs/pro_image_editor_configs.dart"; +import "package:pro_image_editor/modules/tune_editor/tune_editor.dart"; +import "package:pro_image_editor/widgets/animated/fade_in_up.dart"; + +class ImageEditorTuneBar extends StatefulWidget with SimpleConfigsAccess { + const ImageEditorTuneBar({ + super.key, + required this.configs, + required this.callbacks, + required this.editor, + }); + + final TuneEditorState editor; + + @override + final ProImageEditorConfigs configs; + + @override + final ProImageEditorCallbacks callbacks; + + @override + State createState() => _ImageEditorTuneBarState(); +} + +class _ImageEditorTuneBarState extends State + with ImageEditorConvertedConfigs, SimpleConfigsAccessState { + TuneEditorState get tuneEditor => widget.editor; + + @override + Widget build(BuildContext context) { + return LayoutBuilder( + builder: (context, constraints) { + return Column( + mainAxisSize: MainAxisSize.min, + children: [ + _buildFunctions(constraints), + ], + ); + }, + ); + } + + Widget _buildFunctions(BoxConstraints constraints) { + return SizedBox( + width: double.infinity, + height: editorBottomBarHeight, + child: FadeInUp( + duration: fadeInDuration, + child: Column( + mainAxisAlignment: MainAxisAlignment.spaceEvenly, + children: [ + SizedBox( + height: 90, + child: SingleChildScrollView( + controller: tuneEditor.bottomBarScrollCtrl, + scrollDirection: Axis.horizontal, + child: Row( + mainAxisAlignment: MainAxisAlignment.spaceBetween, + mainAxisSize: MainAxisSize.min, + children: List.generate( + tuneEditor.tuneAdjustmentMatrix.length, (index) { + final item = tuneEditor.tuneAdjustmentList[index]; + return TuneItem( + icon: item.icon, + label: item.label, + isSelected: tuneEditor.selectedIndex == index, + value: tuneEditor.tuneAdjustmentMatrix[index].value, + max: item.max, + min: item.min, + onTap: () { + tuneEditor.setState(() { + tuneEditor.selectedIndex = index; + }); + }, + ); + }), + ), + ), + ), + RepaintBoundary( + child: StreamBuilder( + stream: tuneEditor.uiStream.stream, + builder: (context, snapshot) { + final activeOption = + tuneEditor.tuneAdjustmentList[tuneEditor.selectedIndex]; + final activeMatrix = + tuneEditor.tuneAdjustmentMatrix[tuneEditor.selectedIndex]; + + return _TuneAdjustWidget( + min: activeOption.min, + max: activeOption.max, + value: activeMatrix.value, + onChanged: tuneEditor.onChanged, + ); + }, + ), + ), + ], + ), + ), + ); + } +} + +class TuneItem extends StatelessWidget { + final IconData icon; + final String label; + final bool isSelected; + final double value; + final double min; + final double max; + final VoidCallback onTap; + + const TuneItem({ + super.key, + required this.icon, + required this.label, + required this.isSelected, + required this.value, + required this.min, + required this.max, + required this.onTap, + }); + + @override + Widget build(BuildContext context) { + return GestureDetector( + onTap: onTap, + child: SizedBox( + width: 90, + child: Column( + mainAxisSize: MainAxisSize.min, + children: [ + CircularProgressWithValue( + value: value, + min: min, + max: max, + size: 60, + icon: icon, + isSelected: isSelected, + progressColor: + Theme.of(context).colorScheme.imageEditorPrimaryColor, + svgPath: + "assets/image-editor/image-editor-${label.toLowerCase()}.svg", + ), + const SizedBox(height: 8), + Text( + label, + style: getEnteTextTheme(context).small, + textAlign: TextAlign.center, + ), + ], + ), + ), + ); + } +} + +class CircularProgressWithValue extends StatefulWidget { + final double value; + final double min; + final double max; + final IconData icon; + final bool isSelected; + final double size; + final Color progressColor; + final String? svgPath; + + const CircularProgressWithValue({ + super.key, + required this.value, + required this.min, + required this.max, + required this.icon, + required this.progressColor, + this.isSelected = false, + this.size = 60, + this.svgPath, + }); + + @override + State createState() => + _CircularProgressWithValueState(); +} + +class _CircularProgressWithValueState extends State + with SingleTickerProviderStateMixin { + late AnimationController _animationController; + late Animation _progressAnimation; + double _previousValue = 0.0; + + @override + void initState() { + super.initState(); + _animationController = AnimationController( + vsync: this, + duration: const Duration(milliseconds: 300), + animationBehavior: AnimationBehavior.preserve, + ); + + _progressAnimation = Tween( + begin: 0.0, + end: widget.value, + ).animate( + CurvedAnimation( + parent: _animationController, + curve: Curves.easeInOut, + ), + ); + + _animationController.forward(); + } + + @override + void didUpdateWidget(CircularProgressWithValue oldWidget) { + super.didUpdateWidget(oldWidget); + + if (oldWidget.value != widget.value) { + _previousValue = oldWidget.value; + _progressAnimation = Tween( + begin: _previousValue, + end: widget.value, + ).animate( + CurvedAnimation( + parent: _animationController, + curve: Curves.easeInOut, + ), + ); + _animationController.forward(from: 0.0); + } + } + + @override + void dispose() { + _animationController.dispose(); + super.dispose(); + } + + int _normalizeValueForDisplay(double value, double min, double max) { + if (min == -0.5 && max == 0.5) { + return (value * 200).round(); + } else if (min == 0 && max == 1) { + return (value * 100).round(); + } else if (min == -0.25 && max == 0.25) { + return (value * 400).round(); + } else { + return (value * 100).round(); + } + } + + double _normalizeValueForProgress(double value, double min, double max) { + if (min == -0.5 && max == 0.5) { + return (value.abs() / 0.5).clamp(0.0, 1.0); + } else if (min == 0 && max == 1) { + return (value / 1.0).clamp(0.0, 1.0); + } else if (min == -0.25 && max == 0.25) { + return (value.abs() / 0.25).clamp(0.0, 1.0); + } else { + return (value.abs() / 1.0).clamp(0.0, 1.0); + } + } + + bool _isClockwise(double value, double min, double max) { + if (min >= 0) { + return true; + } else { + return value >= 0; + } + } + + @override + Widget build(BuildContext context) { + final colorTheme = getEnteColorScheme(context); + final textTheme = getEnteTextTheme(context); + final displayValue = + _normalizeValueForDisplay(widget.value, widget.min, widget.max); + final displayText = displayValue.toString(); + final prefix = displayValue > 0 ? "+" : ""; + final progressColor = widget.progressColor; + + final showValue = displayValue != 0 || widget.isSelected; + + return SizedBox( + width: widget.size, + height: widget.size, + child: Stack( + alignment: Alignment.center, + children: [ + Container( + width: widget.size, + height: widget.size, + decoration: BoxDecoration( + shape: BoxShape.circle, + color: showValue || widget.isSelected + ? progressColor.withOpacity(0.2) + : colorTheme.backgroundElevated2, + border: Border.all( + color: widget.isSelected + ? progressColor.withOpacity(0.4) + : colorTheme.backgroundElevated2, + width: 2, + ), + ), + ), + AnimatedBuilder( + animation: _progressAnimation, + builder: (context, child) { + final animatedValue = _progressAnimation.value; + final isClockwise = + _isClockwise(animatedValue, widget.min, widget.max); + final progressValue = _normalizeValueForProgress( + animatedValue, + widget.min, + widget.max, + ); + + return SizedBox( + width: widget.size, + height: widget.size, + child: CustomPaint( + painter: CircularProgressPainter( + progress: progressValue, + isClockwise: isClockwise, + color: progressColor, + ), + ), + ); + }, + ), + Align( + alignment: Alignment.center, + child: showValue + ? Text( + "$prefix$displayText", + style: textTheme.smallBold, + ) + : widget.svgPath != null + ? SvgPicture.asset( + widget.svgPath!, + width: 22, + height: 22, + fit: BoxFit.scaleDown, + colorFilter: ColorFilter.mode( + colorTheme.tabIcon, + BlendMode.srcIn, + ), + ) + : Icon( + widget.icon, + color: colorTheme.tabIcon, + size: 20, + ), + ), + ], + ), + ); + } +} + +class _TuneAdjustWidget extends StatelessWidget { + final double min; + final double max; + final double value; + final ValueChanged onChanged; + + const _TuneAdjustWidget({ + required this.min, + required this.max, + required this.value, + required this.onChanged, + }); + + @override + Widget build(BuildContext context) { + final colorScheme = getEnteColorScheme(context); + return SizedBox( + height: 40, + child: Stack( + alignment: Alignment.center, + children: [ + Positioned.fill( + child: Container( + margin: const EdgeInsets.symmetric(horizontal: 20), + decoration: BoxDecoration( + borderRadius: BorderRadius.circular(25), + color: colorScheme.backgroundElevated2, + ), + ), + ), + Container( + margin: const EdgeInsets.symmetric(horizontal: 20), + decoration: BoxDecoration( + borderRadius: BorderRadius.circular(25), + ), + child: SliderTheme( + data: SliderTheme.of(context).copyWith( + thumbShape: const _ColorPickerThumbShape(), + overlayShape: const RoundSliderOverlayShape(overlayRadius: 0), + activeTrackColor: + Theme.of(context).colorScheme.imageEditorPrimaryColor, + inactiveTrackColor: colorScheme.backgroundElevated2, + trackShape: const _CenterBasedTrackShape(), + trackHeight: 24, + ), + child: Slider( + value: value, + onChanged: onChanged, + min: min, + max: max, + ), + ), + ), + Container( + margin: const EdgeInsets.symmetric(horizontal: 38), + child: Row( + mainAxisAlignment: MainAxisAlignment.spaceBetween, + children: [ + Container( + width: 6, + height: 6, + decoration: BoxDecoration( + shape: BoxShape.circle, + color: colorScheme.fillBase.withAlpha(30), + ), + ), + Container( + width: 6, + height: 6, + decoration: BoxDecoration( + shape: BoxShape.circle, + color: colorScheme.fillBase.withAlpha(30), + ), + ), + Container( + width: 6, + height: 6, + decoration: BoxDecoration( + shape: BoxShape.circle, + color: colorScheme.fillBase.withAlpha(30), + ), + ), + ], + ), + ), + ], + ), + ); + } +} + +class _ColorPickerThumbShape extends SliderComponentShape { + const _ColorPickerThumbShape(); + + @override + Size getPreferredSize(bool isEnabled, bool isDiscrete) { + return const Size(20, 20); + } + + @override + void paint( + PaintingContext context, + Offset center, { + required Animation activationAnimation, + required Animation enableAnimation, + required bool isDiscrete, + required TextPainter labelPainter, + required RenderBox parentBox, + required Size sizeWithOverflow, + required SliderThemeData sliderTheme, + required TextDirection textDirection, + required double textScaleFactor, + required double value, + }) { + final canvas = context.canvas; + + final trackRect = sliderTheme.trackShape!.getPreferredRect( + parentBox: parentBox, + offset: Offset.zero, + sliderTheme: sliderTheme, + isEnabled: true, + isDiscrete: isDiscrete, + ); + + final constrainedCenter = Offset( + center.dx.clamp(trackRect.left + 15, trackRect.right - 15), + center.dy, + ); + + final paint = Paint() + ..color = Colors.white + ..style = PaintingStyle.fill; + + canvas.drawCircle(constrainedCenter, 15, paint); + + final innerPaint = Paint() + ..color = const Color.fromRGBO(8, 194, 37, 1) + ..style = PaintingStyle.fill; + canvas.drawCircle(constrainedCenter, 12.5, innerPaint); + } +} + +class _CenterBasedTrackShape extends SliderTrackShape { + const _CenterBasedTrackShape(); + + static const double horizontalPadding = 6.0; + + @override + Rect getPreferredRect({ + required RenderBox parentBox, + Offset offset = Offset.zero, + required SliderThemeData sliderTheme, + bool isEnabled = false, + bool isDiscrete = false, + }) { + final double trackHeight = sliderTheme.trackHeight ?? 8; + final double trackLeft = offset.dx + horizontalPadding; + final double trackTop = + offset.dy + (parentBox.size.height - trackHeight) / 2; + final double trackWidth = parentBox.size.width - (horizontalPadding * 2); + return Rect.fromLTWH(trackLeft, trackTop, trackWidth, trackHeight); + } + + @override + void paint( + PaintingContext context, + Offset offset, { + required RenderBox parentBox, + required SliderThemeData sliderTheme, + required Animation enableAnimation, + required TextDirection textDirection, + required Offset thumbCenter, + Offset? secondaryOffset, + bool isEnabled = false, + bool isDiscrete = false, + double? additionalActiveTrackHeight, + }) { + final Canvas canvas = context.canvas; + final Rect trackRect = getPreferredRect( + parentBox: parentBox, + offset: offset, + sliderTheme: sliderTheme, + isEnabled: isEnabled, + isDiscrete: isDiscrete, + ); + + final double centerX = trackRect.left + trackRect.width / 2; + + final double clampedThumbDx = thumbCenter.dx.clamp( + trackRect.left, + trackRect.right, + ); + + final Paint inactivePaint = Paint() + ..color = sliderTheme.inactiveTrackColor! + ..style = PaintingStyle.fill; + + final RRect inactiveRRect = RRect.fromRectAndRadius( + trackRect, + Radius.circular(trackRect.height / 2), + ); + + canvas.drawRRect(inactiveRRect, inactivePaint); + + if (clampedThumbDx != centerX) { + final Paint activePaint = Paint() + ..color = sliderTheme.activeTrackColor! + ..style = PaintingStyle.fill; + + final Rect activeRect = clampedThumbDx >= centerX + ? Rect.fromLTWH( + centerX, + trackRect.top, + clampedThumbDx - centerX, + trackRect.height, + ) + : Rect.fromLTWH( + clampedThumbDx, + trackRect.top, + centerX - clampedThumbDx, + trackRect.height, + ); + + final RRect activeRRect = RRect.fromRectAndRadius( + activeRect, + Radius.circular(trackRect.height / 2), + ); + + canvas.drawRRect(activeRRect, activePaint); + } + } +} + +class CircularProgressPainter extends CustomPainter { + final double progress; + final bool isClockwise; + final Color color; + + CircularProgressPainter({ + required this.progress, + required this.isClockwise, + required this.color, + }); + + @override + void paint(Canvas canvas, Size size) { + const strokeWidth = 2.5; + final center = Offset(size.width / 2, size.height / 2); + final radius = (size.width - strokeWidth) / 2; + + final backgroundPaint = Paint() + ..color = Colors.transparent + ..strokeWidth = strokeWidth + ..style = PaintingStyle.stroke; + + final foregroundPaint = Paint() + ..color = color + ..strokeWidth = strokeWidth + ..style = PaintingStyle.stroke + ..strokeCap = StrokeCap.round; + + canvas.drawCircle(center, radius, backgroundPaint); + + if (progress > 0) { + const startAngle = -pi / 2; + final sweepAngle = 2 * pi * progress * (isClockwise ? 1 : -1); + + canvas.drawArc( + Rect.fromCircle(center: center, radius: radius), + startAngle, + sweepAngle, + false, + foregroundPaint, + ); + } + } + + @override + bool shouldRepaint(covariant CustomPainter oldDelegate) => true; +} From cf75528f5e849861e209e1753d05b955d595334b Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Wed, 23 Jul 2025 23:47:49 +0530 Subject: [PATCH 107/302] Add new image editor functionality to detail page --- .../lib/ui/viewer/file/detail_page.dart | 65 ++++++++++++++++++- 1 file changed, 64 insertions(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/ui/viewer/file/detail_page.dart b/mobile/apps/photos/lib/ui/viewer/file/detail_page.dart index 2df8e6520b..5cb0d8fcbe 100644 --- a/mobile/apps/photos/lib/ui/viewer/file/detail_page.dart +++ b/mobile/apps/photos/lib/ui/viewer/file/detail_page.dart @@ -19,6 +19,7 @@ import "package:photos/services/local_authentication_service.dart"; import "package:photos/states/detail_page_state.dart"; import "package:photos/ui/common/fast_scroll_physics.dart"; import 'package:photos/ui/notification/toast.dart'; +import "package:photos/ui/tools/editor/image_editor/image_editor_page_new.dart"; import 'package:photos/ui/tools/editor/image_editor_page.dart'; import "package:photos/ui/tools/editor/video_editor_page.dart"; import "package:photos/ui/viewer/file/file_app_bar.dart"; @@ -175,7 +176,7 @@ class _DetailPageState extends State { builder: (BuildContext context, int selectedIndex, _) { return FileBottomBar( _files![selectedIndex], - _onEditFileRequested, + _onNewImageEditor, widget.config.mode == DetailPageMode.minimalistic && !isGuestView, onFileRemoved: _onFileRemoved, @@ -357,6 +358,68 @@ class _DetailPageState extends State { } } + Future _onNewImageEditor(EnteFile file) async { + if (file.uploadedFileID != null && + file.ownerID != Configuration.instance.getUserID()) { + _logger.severe( + "Attempt to edit unowned file", + UnauthorizedEditError(), + StackTrace.current, + ); + // ignore: unawaited_futures + showErrorDialog( + context, + S.of(context).sorry, + S.of(context).weDontSupportEditingPhotosAndAlbumsThatYouDont, + ); + return; + } + final dialog = createProgressDialog(context, S.of(context).pleaseWait); + await dialog.show(); + + try { + final ioFile = await getFile(file); + if (ioFile == null) { + showShortToast(context, S.of(context).failedToFetchOriginalForEdit); + await dialog.hide(); + return; + } + if (file.fileType == FileType.video) { + await dialog.hide(); + replacePage( + context, + VideoEditorPage( + file: file, + ioFile: ioFile, + detailPageConfig: widget.config.copyWith( + files: _files, + selectedIndex: _selectedIndexNotifier.value, + ), + ), + ); + return; + } + final imageProvider = + ExtendedFileImageProvider(ioFile, cacheRawData: true); + await precacheImage(imageProvider, context); + await dialog.hide(); + replacePage( + context, + NewImageEditor( + originalFile: file, + file: ioFile, + detailPageConfig: widget.config.copyWith( + files: _files, + selectedIndex: _selectedIndexNotifier.value, + ), + ), + ); + } catch (e) { + await dialog.hide(); + _logger.warning("Failed to initiate edit", e); + } + } + Future _onEditFileRequested(EnteFile file) async { if (file.uploadedFileID != null && file.ownerID != Configuration.instance.getUserID()) { From b8bb3d573031a6dfe152958b201094e77b0ebbb6 Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Wed, 23 Jul 2025 23:48:07 +0530 Subject: [PATCH 108/302] Add google_fonts dependency and include image-editor assets --- mobile/apps/photos/pubspec.yaml | 2 ++ 1 file changed, 2 insertions(+) diff --git a/mobile/apps/photos/pubspec.yaml b/mobile/apps/photos/pubspec.yaml index 41c26fe860..59fc710426 100644 --- a/mobile/apps/photos/pubspec.yaml +++ b/mobile/apps/photos/pubspec.yaml @@ -109,6 +109,7 @@ dependencies: fluttertoast: ^8.0.6 fraction: ^5.0.2 freezed_annotation: ^2.4.1 + google_fonts: ^6.2.1 home_widget: ^0.7.0+1 html_unescape: ^2.0.0 http: ^1.1.0 @@ -343,6 +344,7 @@ flutter: assets: - assets/ - assets/video-editor/ + - assets/image-editor/ - assets/icons/ - assets/launcher_icon/ fonts: From 88aa5fbfe108ea91a00a5a841813d6eaec975e3e Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 23 Jul 2025 23:55:25 +0530 Subject: [PATCH 109/302] Fix error --- .../lib/models/gallery/gallery_sections.dart | 15 +++++++------- .../photos/lib/ui/viewer/gallery/gallery.dart | 20 ++++++++++++------- 2 files changed, 20 insertions(+), 15 deletions(-) diff --git a/mobile/apps/photos/lib/models/gallery/gallery_sections.dart b/mobile/apps/photos/lib/models/gallery/gallery_sections.dart index 257411ff06..32ad4f03d8 100644 --- a/mobile/apps/photos/lib/models/gallery/gallery_sections.dart +++ b/mobile/apps/photos/lib/models/gallery/gallery_sections.dart @@ -59,7 +59,7 @@ class GalleryGroups { final List _groupIds = []; final Map> _groupIdToFilesMap = {}; - final Map _groupIdToGroupTypeDataMap = {}; + final Map _groupIdToGroupDataMap = {}; final Map _scrollOffsetToGroupIdMap = {}; final Map _groupIdToScrollOffsetMap = {}; final List _groupScrollOffsets = []; @@ -69,8 +69,7 @@ class GalleryGroups { List get groupIDs => _groupIds; Map> get groupIDToFilesMap => _groupIdToFilesMap; - Map get groupIdToGroupTypeMap => - _groupIdToGroupTypeDataMap; + Map get groupIdToGroupDataMap => _groupIdToGroupDataMap; Map get scrollOffsetToGroupIdMap => _scrollOffsetToGroupIdMap; Map get groupIdToScrollOffsetMap => _groupIdToScrollOffsetMap; List get groupLayouts => _groupLayouts; @@ -83,7 +82,7 @@ class GalleryGroups { _buildGroups(); _groupLayouts = _computeGroupLayouts(); assert(groupIDs.length == _groupIdToFilesMap.length); - assert(groupIDs.length == _groupIdToGroupTypeDataMap.length); + assert(groupIDs.length == _groupIdToGroupDataMap.length); assert( groupIDs.length == _scrollOffsetToGroupIdMap.length, ); @@ -113,7 +112,7 @@ class GalleryGroups { final maxOffset = minOffset + (numberOfGridRows * tileHeight) + (numberOfGridRows - 1) * spacing + - groupHeaderExtent; + groupHeaderExtent!; final bodyFirstIndex = firstIndex + 1; groupLayouts.add( @@ -122,14 +121,14 @@ class GalleryGroups { lastIndex: lastIndex, minOffset: minOffset, maxOffset: maxOffset, - headerExtent: groupHeaderExtent, + headerExtent: groupHeaderExtent!, tileHeight: tileHeight, spacing: spacing, builder: (context, rowIndex) { if (rowIndex == firstIndex) { if (showGroupHeader) { return GroupHeaderWidget( - title: _groupIdToGroupTypeDataMap[groupID]! + title: _groupIdToGroupDataMap[groupID]! .getTitle(context, groupIDToFilesMap[groupID]!.first), gridSize: crossAxisCount, filesInGroup: groupIDToFilesMap[groupID]!, @@ -269,7 +268,7 @@ class GalleryGroups { final uuid = _uuid.v1(); _groupIds.add(uuid); _groupIdToFilesMap[uuid] = groupFiles; - _groupIdToGroupTypeDataMap[uuid] = groupType; + _groupIdToGroupDataMap[uuid] = groupType; // For scrollbar divisions if (groupType.timeGrouping()) { diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index f218fda072..eb61106173 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -188,7 +188,6 @@ class GalleryState extends State { } if (!hasTriggeredSetState && mounted) { _updateGalleryGroups(); - setState(() {}); } }); }); @@ -248,10 +247,12 @@ class GalleryState extends State { ).then((size) { setState(() { groupHeaderExtent = size.height; + _updateGalleryGroups(callSetState: false); }); }); } else { groupHeaderExtent = GalleryGroups.spacing; + _updateGalleryGroups(); } WidgetsBinding.instance.addPostFrameCallback((_) async { @@ -287,7 +288,8 @@ class GalleryState extends State { } } - void _updateGalleryGroups() { + void _updateGalleryGroups({bool callSetState = true}) { + if (groupHeaderExtent == null) return; galleryGroups = GalleryGroups( allFiles: _allGalleryFiles, groupType: _groupType, @@ -295,9 +297,13 @@ class GalleryState extends State { widthAvailable: MediaQuery.sizeOf(context).width, selectedFiles: widget.selectedFiles, tagPrefix: widget.tagPrefix, - groupHeaderExtent: groupHeaderExtent, + groupHeaderExtent: groupHeaderExtent!, showSelectAll: widget.showSelectAll, ); + + if (callSetState) { + setState(() {}); + } } void _selectedFilesListener() { @@ -323,7 +329,6 @@ class GalleryState extends State { final hasReloaded = _onFilesLoaded(files); if (!hasReloaded && mounted) { _updateGalleryGroups(); - setState(() {}); } } @@ -545,7 +550,8 @@ class GalleryState extends State { // widget.showSelectAllByDefault && widget.groupType.showGroupHeader(), // isScrollablePositionedList: widget.isScrollablePositionedList, // ), - child: _allGalleryFiles.isEmpty + + child: _hasLoadedFiles && _allGalleryFiles.isEmpty ? Column( mainAxisAlignment: MainAxisAlignment.spaceBetween, children: [ @@ -859,8 +865,8 @@ class _PinnedGroupHeaderState extends State { child: ColoredBox( color: getEnteColorScheme(context).backgroundBase, child: GroupHeaderWidget( - title: widget.galleryGroups - .groupIdToGroupDataMap[currentGroupId!]!.groupType + title: widget + .galleryGroups.groupIdToGroupDataMap[currentGroupId!]! .getTitle( context, widget.galleryGroups.groupIDToFilesMap[currentGroupId]! From a8cc1ab4f0aa8ae080556c9fe4d74661c0f50d13 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 23 Jul 2025 23:56:47 +0530 Subject: [PATCH 110/302] Resolve merge conflicts for cherry-picking jump to date wip --- .../lib/models/gallery/gallery_sections.dart | 94 +++++++++- .../lib/ui/home/home_gallery_widget.dart | 8 + .../ui/home/memories/full_screen_memory.dart | 33 ++-- .../photos/lib/ui/viewer/gallery/gallery.dart | 163 ++++++++++-------- .../viewer/gallery/jump_to_date_gallery.dart | 30 ++++ 5 files changed, 242 insertions(+), 86 deletions(-) create mode 100644 mobile/apps/photos/lib/ui/viewer/gallery/jump_to_date_gallery.dart diff --git a/mobile/apps/photos/lib/models/gallery/gallery_sections.dart b/mobile/apps/photos/lib/models/gallery/gallery_sections.dart index 32ad4f03d8..c161935eb5 100644 --- a/mobile/apps/photos/lib/models/gallery/gallery_sections.dart +++ b/mobile/apps/photos/lib/models/gallery/gallery_sections.dart @@ -29,6 +29,7 @@ class GalleryGroups { final bool sortOrderAsc; final double widthAvailable; final double groupHeaderExtent; + final EnteFile? fileToJumpScrollTo; GalleryGroups({ required this.allFiles, required this.groupType, @@ -41,6 +42,7 @@ class GalleryGroups { required this.groupHeaderExtent, required this.showSelectAll, this.limitSelectionToOne = false, + this.fileToJumpScrollTo, }) { init(); if (!groupType.showGroupHeader()) { @@ -59,7 +61,9 @@ class GalleryGroups { final List _groupIds = []; final Map> _groupIdToFilesMap = {}; - final Map _groupIdToGroupDataMap = {}; + final Map + _groupIdToGroupDataMap = {}; final Map _scrollOffsetToGroupIdMap = {}; final Map _groupIdToScrollOffsetMap = {}; final List _groupScrollOffsets = []; @@ -69,7 +73,9 @@ class GalleryGroups { List get groupIDs => _groupIds; Map> get groupIDToFilesMap => _groupIdToFilesMap; - Map get groupIdToGroupDataMap => _groupIdToGroupDataMap; + Map + get groupIdToGroupDataMap => _groupIdToGroupDataMap; Map get scrollOffsetToGroupIdMap => _scrollOffsetToGroupIdMap; Map get groupIdToScrollOffsetMap => _groupIdToScrollOffsetMap; List get groupLayouts => _groupLayouts; @@ -77,10 +83,87 @@ class GalleryGroups { List<({String groupID, String title})> get scrollbarDivisions => _scrollbarDivisions; + /// Scrolls the gallery to the group containing the specified file based on its creation time. + /// Uses binary search to efficiently find the appropriate group. + double? getOffsetOfFile(EnteFile file) { + final creationTime = file.creationTime; + if (creationTime == null) { + _logger.warning('Cannot scroll to file with null creation time'); + return null; + } + + final groupId = _findGroupForCreationTime(creationTime); + if (groupId == null) { + _logger.warning( + 'jumpToFile No group found for creation time: $creationTime', + ); + return null; + } + + final scrollOffset = _groupIdToScrollOffsetMap[groupId]; + if (scrollOffset == null) { + _logger.warning('No scroll offset found for group: $groupId'); + return null; + } + + return scrollOffset; + + // scrollController.animateTo( + // scrollOffset, + // duration: const Duration(milliseconds: 300), + // curve: Curves.easeOutExpo, + // ); + + // scrollController.jumpTo( + // scrollOffset, + // ); + } + + /// Uses binary search to find the group ID that contains the given creation time. + String? _findGroupForCreationTime(int creationTime) { + if (_groupIds.isEmpty) { + _logger.warning( + 'empty group IDs list, cannot find group for creation time: $creationTime', + ); + return null; + } + int left = 0; + int right = _groupIds.length - 1; + + while (left <= right) { + final mid = (left + right) ~/ 2; + final groupId = _groupIds[mid]; + final groupData = _groupIdToGroupDataMap[groupId]; + + if (groupData == null) { + _logger.warning('No group data found for group: $groupId'); + return null; + } + + final startTime = groupData.startCreationTime; + final endTime = groupData.endCreationTime; + + if (creationTime <= startTime && creationTime >= endTime) { + // Found the group containing this creation time + return groupId; + } else if (creationTime > startTime) { + right = mid - 1; + } else { + left = mid + 1; + } + } + + _logger.warning( + '_findGroupForCreationTime No group found for creation time: $creationTime', + ); + return null; + } + void init() { crossAxisCount = localSettings.getPhotoGridSize(); _buildGroups(); _groupLayouts = _computeGroupLayouts(); + assert(groupIDs.length == _groupIdToFilesMap.length); assert(groupIDs.length == _groupIdToGroupDataMap.length); assert( @@ -129,6 +212,7 @@ class GalleryGroups { if (showGroupHeader) { return GroupHeaderWidget( title: _groupIdToGroupDataMap[groupID]! + .groupType .getTitle(context, groupIDToFilesMap[groupID]!.first), gridSize: crossAxisCount, filesInGroup: groupIDToFilesMap[groupID]!, @@ -268,7 +352,11 @@ class GalleryGroups { final uuid = _uuid.v1(); _groupIds.add(uuid); _groupIdToFilesMap[uuid] = groupFiles; - _groupIdToGroupDataMap[uuid] = groupType; + _groupIdToGroupDataMap[uuid] = ( + groupType: groupType, + startCreationTime: groupFiles.first.creationTime!, + endCreationTime: groupFiles.last.creationTime! + ); // For scrollbar divisions if (groupType.timeGrouping()) { diff --git a/mobile/apps/photos/lib/ui/home/home_gallery_widget.dart b/mobile/apps/photos/lib/ui/home/home_gallery_widget.dart index 0c9887fa39..016d590c10 100644 --- a/mobile/apps/photos/lib/ui/home/home_gallery_widget.dart +++ b/mobile/apps/photos/lib/ui/home/home_gallery_widget.dart @@ -9,6 +9,7 @@ import 'package:photos/events/files_updated_event.dart'; import 'package:photos/events/force_reload_home_gallery_event.dart'; import "package:photos/events/hide_shared_items_from_home_gallery_event.dart"; import 'package:photos/events/local_photos_updated_event.dart'; +import "package:photos/models/file/file.dart"; import 'package:photos/models/file_load_result.dart'; import 'package:photos/models/gallery_type.dart'; import 'package:photos/models/selected_files.dart'; @@ -16,6 +17,7 @@ import "package:photos/service_locator.dart"; import 'package:photos/services/collections_service.dart'; import "package:photos/services/filter/db_filters.dart"; import 'package:photos/ui/viewer/actions/file_selection_overlay_bar.dart'; +import "package:photos/ui/viewer/gallery/component/group/type.dart"; import 'package:photos/ui/viewer/gallery/gallery.dart'; import "package:photos/ui/viewer/gallery/state/gallery_files_inherited_widget.dart"; import "package:photos/ui/viewer/gallery/state/selection_state.dart"; @@ -25,11 +27,15 @@ class HomeGalleryWidget extends StatefulWidget { final Widget? header; final Widget? footer; final SelectedFiles selectedFiles; + final GroupType? groupType; + final EnteFile? fileToJumpScrollTo; const HomeGalleryWidget({ super.key, this.header, this.footer, + this.groupType, + this.fileToJumpScrollTo, required this.selectedFiles, }); @@ -129,6 +135,8 @@ class _HomeGalleryWidgetState extends State { reloadDebounceTime: const Duration(seconds: 2), reloadDebounceExecutionInterval: const Duration(seconds: 5), galleryType: GalleryType.homepage, + groupType: widget.groupType, + fileToJumpScrollTo: widget.fileToJumpScrollTo, ); return GalleryFilesState( child: SelectionState( diff --git a/mobile/apps/photos/lib/ui/home/memories/full_screen_memory.dart b/mobile/apps/photos/lib/ui/home/memories/full_screen_memory.dart index 0fa74931a8..b1f4b82105 100644 --- a/mobile/apps/photos/lib/ui/home/memories/full_screen_memory.dart +++ b/mobile/apps/photos/lib/ui/home/memories/full_screen_memory.dart @@ -21,6 +21,7 @@ import "package:photos/ui/home/memories/memory_progress_indicator.dart"; import "package:photos/ui/viewer/file/file_widget.dart"; import "package:photos/ui/viewer/file/thumbnail_widget.dart"; import "package:photos/ui/viewer/file_details/favorite_widget.dart"; +import "package:photos/ui/viewer/gallery/jump_to_date_gallery.dart"; import "package:photos/utils/file_util.dart"; import "package:photos/utils/share_util.dart"; @@ -351,19 +352,27 @@ class _FullScreenMemoryState extends State { Row( children: [ child!, - Text( - SmartMemoriesService.getDateFormatted( - creationTime: inheritedData - .memories[value].file.creationTime!, - context: context, + GestureDetector( + onTap: () { + JumpToDateGallery.jumpToDate( + inheritedData.memories[value].file, + context, + ); + }, + child: Text( + SmartMemoriesService.getDateFormatted( + creationTime: inheritedData + .memories[value].file.creationTime!, + context: context, + ), + style: Theme.of(context) + .textTheme + .titleMedium! + .copyWith( + fontSize: 14, + color: Colors.white, + ), ), - style: Theme.of(context) - .textTheme - .titleMedium! - .copyWith( - fontSize: 14, - color: Colors.white, - ), ), ], ), diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index eb61106173..d4f695a771 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -81,6 +81,7 @@ class Gallery extends StatefulWidget { final GroupType? groupType; final bool disablePinnedGroupHeader; final bool disableVerticalPaddingForScrollbar; + final EnteFile? fileToJumpScrollTo; const Gallery({ required this.asyncLoader, @@ -108,6 +109,7 @@ class Gallery extends StatefulWidget { this.disablePinnedGroupHeader = false, this.galleryType, this.disableVerticalPaddingForScrollbar = false, + this.fileToJumpScrollTo, super.key, }); @@ -130,7 +132,7 @@ class GalleryState extends State { late String _logTag; bool _sortOrderAsc = false; List _allGalleryFiles = []; - final _scrollController = ScrollController(); + ScrollController? _scrollController; final _headerKey = GlobalKey(); final _headerHeightNotifier = ValueNotifier(null); final miscUtil = MiscUtil(); @@ -196,8 +198,8 @@ class GalleryState extends State { Bus.instance.on().listen((event) async { // todo: Assign ID to Gallery and fire generic event with ID & // target index/date - if (mounted && event.selectedIndex == 0) { - await _scrollController.animateTo( + if (mounted && event.selectedIndex == 0 && _scrollController != null) { + await _scrollController!.animateTo( 0, duration: const Duration(milliseconds: 250), curve: Curves.easeOutExpo, @@ -224,14 +226,14 @@ class GalleryState extends State { _onFilesLoaded(widget.initialFiles!); } + // First load _loadFiles(limit: kInitialLoadLimit).then((result) async { _setFilesAndReload(result.files); - // if hasmore, let load complete and then set scrollcontroller - // else set scrollcontroller. if (result.hasMore) { - final result = await _loadFiles(); - _setFilesAndReload(result.files); + await _loadFiles(); } + _setScrollController(allFilesLoaded: !result.hasMore); + setState(() {}); }); if (_groupType.showGroupHeader()) { @@ -306,6 +308,22 @@ class GalleryState extends State { } } + void _setScrollController({required bool allFilesLoaded}) { + if (widget.fileToJumpScrollTo != null && allFilesLoaded) { + final fileOffset = + galleryGroups.getOffsetOfFile(widget.fileToJumpScrollTo!); + if (fileOffset == null) { + _logger.warning( + "File offset is null, cannot set initial scroll controller", + ); + } + _scrollController = + ScrollController(initialScrollOffset: fileOffset ?? 0); + } else { + _scrollController = ScrollController(); + } + } + void _selectedFilesListener() { final bottomInset = MediaQuery.paddingOf(context).bottom; final extra = widget.galleryType == GalleryType.homepage ? 76.0 : 0.0; @@ -470,7 +488,7 @@ class GalleryState extends State { subscription.cancel(); } _debouncer.cancelDebounceTimer(); - _scrollController.dispose(); + _scrollController?.dispose(); scrollBarInUseNotifier.dispose(); _headerHeightNotifier.dispose(); widget.selectedFiles?.removeListener(_selectedFilesListener); @@ -560,72 +578,75 @@ class GalleryState extends State { widget.footer ?? const SizedBox.shrink(), ], ) - : CustomScrollBar( - scrollController: _scrollController, - galleryGroups: galleryGroups, - inUseNotifier: scrollBarInUseNotifier, - heighOfViewport: MediaQuery.sizeOf(context).height, - topPadding: widget.disableVerticalPaddingForScrollbar - ? 0.0 - : groupHeaderExtent!, - bottomPadding: widget.disableVerticalPaddingForScrollbar - ? ValueNotifier(0.0) - : scrollbarBottomPaddingNotifier, - child: NotificationListener( - onNotification: (notification) { - final renderBox = _headerKey.currentContext - ?.findRenderObject() as RenderBox?; - if (renderBox != null) { - _headerHeightNotifier.value = renderBox.size.height; - } else { - _logger.info( - "Header render box is null, cannot get height", - ); - } + : _scrollController != null + ? CustomScrollBar( + scrollController: _scrollController!, + galleryGroups: galleryGroups, + inUseNotifier: scrollBarInUseNotifier, + heighOfViewport: MediaQuery.sizeOf(context).height, + topPadding: widget.disableVerticalPaddingForScrollbar + ? 0.0 + : groupHeaderExtent!, + bottomPadding: widget.disableVerticalPaddingForScrollbar + ? ValueNotifier(0.0) + : scrollbarBottomPaddingNotifier, + child: NotificationListener( + onNotification: (notification) { + final renderBox = _headerKey.currentContext + ?.findRenderObject() as RenderBox?; + if (renderBox != null) { + _headerHeightNotifier.value = renderBox.size.height; + } else { + _logger.info( + "Header render box is null, cannot get height", + ); + } - return true; - }, - child: Stack( - clipBehavior: Clip.none, - children: [ - CustomScrollView( - physics: widget.disableScroll - ? const NeverScrollableScrollPhysics() - : const ExponentialBouncingScrollPhysics(), - controller: _scrollController, - slivers: [ - SliverToBoxAdapter( - child: SizeChangedLayoutNotifier( - child: SizedBox( - key: _headerKey, - child: widget.header ?? const SizedBox.shrink(), + return true; + }, + child: Stack( + clipBehavior: Clip.none, + children: [ + CustomScrollView( + physics: widget.disableScroll + ? const NeverScrollableScrollPhysics() + : const ExponentialBouncingScrollPhysics(), + controller: _scrollController, + slivers: [ + SliverToBoxAdapter( + child: SizeChangedLayoutNotifier( + child: SizedBox( + key: _headerKey, + child: + widget.header ?? const SizedBox.shrink(), + ), + ), ), - ), - ), - SectionedListSliver( - sectionLayouts: galleryGroups.groupLayouts, - ), - SliverToBoxAdapter( - child: widget.footer, + SectionedListSliver( + sectionLayouts: galleryGroups.groupLayouts, + ), + SliverToBoxAdapter( + child: widget.footer, + ), + ], ), + galleryGroups.groupType.showGroupHeader() && + !widget.disablePinnedGroupHeader + ? PinnedGroupHeader( + scrollController: _scrollController!, + galleryGroups: galleryGroups, + headerHeightNotifier: _headerHeightNotifier, + selectedFiles: widget.selectedFiles, + showSelectAll: widget.showSelectAll && + !widget.limitSelectionToOne, + scrollbarInUseNotifier: scrollBarInUseNotifier, + ) + : const SizedBox.shrink(), ], ), - galleryGroups.groupType.showGroupHeader() && - !widget.disablePinnedGroupHeader - ? PinnedGroupHeader( - scrollController: _scrollController, - galleryGroups: galleryGroups, - headerHeightNotifier: _headerHeightNotifier, - selectedFiles: widget.selectedFiles, - showSelectAll: widget.showSelectAll && - !widget.limitSelectionToOne, - scrollbarInUseNotifier: scrollBarInUseNotifier, - ) - : const SizedBox.shrink(), - ], - ), - ), - ), + ), + ) + : const SizedBox.shrink(), ); } @@ -865,8 +886,8 @@ class _PinnedGroupHeaderState extends State { child: ColoredBox( color: getEnteColorScheme(context).backgroundBase, child: GroupHeaderWidget( - title: widget - .galleryGroups.groupIdToGroupDataMap[currentGroupId!]! + title: widget.galleryGroups + .groupIdToGroupDataMap[currentGroupId!]!.groupType .getTitle( context, widget.galleryGroups.groupIDToFilesMap[currentGroupId]! diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/jump_to_date_gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/jump_to_date_gallery.dart new file mode 100644 index 0000000000..c8478d1303 --- /dev/null +++ b/mobile/apps/photos/lib/ui/viewer/gallery/jump_to_date_gallery.dart @@ -0,0 +1,30 @@ +import "package:flutter/material.dart"; +import "package:photos/models/file/file.dart"; +import "package:photos/models/selected_files.dart"; +import "package:photos/ui/home/home_gallery_widget.dart"; +import "package:photos/ui/viewer/gallery/component/group/type.dart"; +import "package:photos/utils/navigation_util.dart"; + +class JumpToDateGallery extends StatelessWidget { + final EnteFile file; + const JumpToDateGallery({super.key, required this.file}); + + @override + Widget build(BuildContext context) { + return Scaffold( + body: SafeArea( + bottom: false, + child: HomeGalleryWidget( + selectedFiles: SelectedFiles(), + groupType: GroupType.day, + fileToJumpScrollTo: file, + ), + ), + appBar: AppBar(), + ); + } + + static jumpToDate(EnteFile file, BuildContext context) { + routeToPage(context, JumpToDateGallery(file: file)); + } +} From bb9dd31520c1c5a16576cfea50495c61c1f451de Mon Sep 17 00:00:00 2001 From: ashilkn Date: Thu, 24 Jul 2025 00:21:47 +0530 Subject: [PATCH 111/302] Fix bug in gallery --- mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart | 8 +++++--- 1 file changed, 5 insertions(+), 3 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index d4f695a771..5032ed7e21 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -230,10 +230,12 @@ class GalleryState extends State { _loadFiles(limit: kInitialLoadLimit).then((result) async { _setFilesAndReload(result.files); if (result.hasMore) { - await _loadFiles(); + final result = await _loadFiles(); + _setScrollController(allFilesLoaded: true); + _setFilesAndReload(result.files); + } else { + _setScrollController(allFilesLoaded: true); } - _setScrollController(allFilesLoaded: !result.hasMore); - setState(() {}); }); if (_groupType.showGroupHeader()) { From d606d9c1e05d356d341a9d75ef6fe088ab0c01f2 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Thu, 24 Jul 2025 00:28:27 +0530 Subject: [PATCH 112/302] Fix jump to date bug --- mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 5032ed7e21..30643f70dd 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -231,8 +231,8 @@ class GalleryState extends State { _setFilesAndReload(result.files); if (result.hasMore) { final result = await _loadFiles(); - _setScrollController(allFilesLoaded: true); _setFilesAndReload(result.files); + _setScrollController(allFilesLoaded: true); } else { _setScrollController(allFilesLoaded: true); } @@ -324,6 +324,7 @@ class GalleryState extends State { } else { _scrollController = ScrollController(); } + setState(() {}); } void _selectedFilesListener() { From be3568c3ba37b1c42461505ab62c755e0a6d4400 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Thu, 24 Jul 2025 10:28:47 +0530 Subject: [PATCH 113/302] Remove jump to date UI hook and fix pinned header bug --- .../ui/home/memories/full_screen_memory.dart | 33 ++-- .../photos/lib/ui/viewer/gallery/gallery.dart | 166 +++++++++--------- 2 files changed, 94 insertions(+), 105 deletions(-) diff --git a/mobile/apps/photos/lib/ui/home/memories/full_screen_memory.dart b/mobile/apps/photos/lib/ui/home/memories/full_screen_memory.dart index b1f4b82105..0fa74931a8 100644 --- a/mobile/apps/photos/lib/ui/home/memories/full_screen_memory.dart +++ b/mobile/apps/photos/lib/ui/home/memories/full_screen_memory.dart @@ -21,7 +21,6 @@ import "package:photos/ui/home/memories/memory_progress_indicator.dart"; import "package:photos/ui/viewer/file/file_widget.dart"; import "package:photos/ui/viewer/file/thumbnail_widget.dart"; import "package:photos/ui/viewer/file_details/favorite_widget.dart"; -import "package:photos/ui/viewer/gallery/jump_to_date_gallery.dart"; import "package:photos/utils/file_util.dart"; import "package:photos/utils/share_util.dart"; @@ -352,27 +351,19 @@ class _FullScreenMemoryState extends State { Row( children: [ child!, - GestureDetector( - onTap: () { - JumpToDateGallery.jumpToDate( - inheritedData.memories[value].file, - context, - ); - }, - child: Text( - SmartMemoriesService.getDateFormatted( - creationTime: inheritedData - .memories[value].file.creationTime!, - context: context, - ), - style: Theme.of(context) - .textTheme - .titleMedium! - .copyWith( - fontSize: 14, - color: Colors.white, - ), + Text( + SmartMemoriesService.getDateFormatted( + creationTime: inheritedData + .memories[value].file.creationTime!, + context: context, ), + style: Theme.of(context) + .textTheme + .titleMedium! + .copyWith( + fontSize: 14, + color: Colors.white, + ), ), ], ), diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 30643f70dd..7c96eb8bdf 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -132,7 +132,7 @@ class GalleryState extends State { late String _logTag; bool _sortOrderAsc = false; List _allGalleryFiles = []; - ScrollController? _scrollController; + final _scrollController = ScrollController(); final _headerKey = GlobalKey(); final _headerHeightNotifier = ValueNotifier(null); final miscUtil = MiscUtil(); @@ -230,11 +230,12 @@ class GalleryState extends State { _loadFiles(limit: kInitialLoadLimit).then((result) async { _setFilesAndReload(result.files); if (result.hasMore) { + // _setScrollController(allFilesLoaded: false); final result = await _loadFiles(); _setFilesAndReload(result.files); - _setScrollController(allFilesLoaded: true); + // _setScrollController(allFilesLoaded: true); } else { - _setScrollController(allFilesLoaded: true); + // _setScrollController(allFilesLoaded: true); } }); @@ -310,22 +311,22 @@ class GalleryState extends State { } } - void _setScrollController({required bool allFilesLoaded}) { - if (widget.fileToJumpScrollTo != null && allFilesLoaded) { - final fileOffset = - galleryGroups.getOffsetOfFile(widget.fileToJumpScrollTo!); - if (fileOffset == null) { - _logger.warning( - "File offset is null, cannot set initial scroll controller", - ); - } - _scrollController = - ScrollController(initialScrollOffset: fileOffset ?? 0); - } else { - _scrollController = ScrollController(); - } - setState(() {}); - } + // void _setScrollController({required bool allFilesLoaded}) { + // if (widget.fileToJumpScrollTo != null && allFilesLoaded) { + // final fileOffset = + // galleryGroups.getOffsetOfFile(widget.fileToJumpScrollTo!); + // if (fileOffset == null) { + // _logger.warning( + // "File offset is null, cannot set initial scroll controller", + // ); + // } + + // _scrollController?.jumpTo(fileOffset ?? 0); + // } else { + // _scrollController = ScrollController(); + // } + // setState(() {}); + // } void _selectedFilesListener() { final bottomInset = MediaQuery.paddingOf(context).bottom; @@ -572,7 +573,7 @@ class GalleryState extends State { // isScrollablePositionedList: widget.isScrollablePositionedList, // ), - child: _hasLoadedFiles && _allGalleryFiles.isEmpty + child: _allGalleryFiles.isEmpty ? Column( mainAxisAlignment: MainAxisAlignment.spaceBetween, children: [ @@ -581,75 +582,72 @@ class GalleryState extends State { widget.footer ?? const SizedBox.shrink(), ], ) - : _scrollController != null - ? CustomScrollBar( - scrollController: _scrollController!, - galleryGroups: galleryGroups, - inUseNotifier: scrollBarInUseNotifier, - heighOfViewport: MediaQuery.sizeOf(context).height, - topPadding: widget.disableVerticalPaddingForScrollbar - ? 0.0 - : groupHeaderExtent!, - bottomPadding: widget.disableVerticalPaddingForScrollbar - ? ValueNotifier(0.0) - : scrollbarBottomPaddingNotifier, - child: NotificationListener( - onNotification: (notification) { - final renderBox = _headerKey.currentContext - ?.findRenderObject() as RenderBox?; - if (renderBox != null) { - _headerHeightNotifier.value = renderBox.size.height; - } else { - _logger.info( - "Header render box is null, cannot get height", - ); - } + : CustomScrollBar( + scrollController: _scrollController!, + galleryGroups: galleryGroups, + inUseNotifier: scrollBarInUseNotifier, + heighOfViewport: MediaQuery.sizeOf(context).height, + topPadding: widget.disableVerticalPaddingForScrollbar + ? 0.0 + : groupHeaderExtent!, + bottomPadding: widget.disableVerticalPaddingForScrollbar + ? ValueNotifier(0.0) + : scrollbarBottomPaddingNotifier, + child: NotificationListener( + onNotification: (notification) { + final renderBox = _headerKey.currentContext + ?.findRenderObject() as RenderBox?; + if (renderBox != null) { + _headerHeightNotifier.value = renderBox.size.height; + } else { + _logger.info( + "Header render box is null, cannot get height", + ); + } - return true; - }, - child: Stack( - clipBehavior: Clip.none, - children: [ - CustomScrollView( - physics: widget.disableScroll - ? const NeverScrollableScrollPhysics() - : const ExponentialBouncingScrollPhysics(), - controller: _scrollController, - slivers: [ - SliverToBoxAdapter( - child: SizeChangedLayoutNotifier( - child: SizedBox( - key: _headerKey, - child: - widget.header ?? const SizedBox.shrink(), - ), - ), + return true; + }, + child: Stack( + clipBehavior: Clip.none, + children: [ + CustomScrollView( + physics: widget.disableScroll + ? const NeverScrollableScrollPhysics() + : const ExponentialBouncingScrollPhysics(), + controller: _scrollController, + slivers: [ + SliverToBoxAdapter( + child: SizeChangedLayoutNotifier( + child: SizedBox( + key: _headerKey, + child: widget.header ?? const SizedBox.shrink(), ), - SectionedListSliver( - sectionLayouts: galleryGroups.groupLayouts, - ), - SliverToBoxAdapter( - child: widget.footer, - ), - ], + ), + ), + SectionedListSliver( + sectionLayouts: galleryGroups.groupLayouts, + ), + SliverToBoxAdapter( + child: widget.footer, ), - galleryGroups.groupType.showGroupHeader() && - !widget.disablePinnedGroupHeader - ? PinnedGroupHeader( - scrollController: _scrollController!, - galleryGroups: galleryGroups, - headerHeightNotifier: _headerHeightNotifier, - selectedFiles: widget.selectedFiles, - showSelectAll: widget.showSelectAll && - !widget.limitSelectionToOne, - scrollbarInUseNotifier: scrollBarInUseNotifier, - ) - : const SizedBox.shrink(), ], ), - ), - ) - : const SizedBox.shrink(), + galleryGroups.groupType.showGroupHeader() && + !widget.disablePinnedGroupHeader + ? PinnedGroupHeader( + scrollController: _scrollController!, + galleryGroups: galleryGroups, + headerHeightNotifier: _headerHeightNotifier, + selectedFiles: widget.selectedFiles, + showSelectAll: widget.showSelectAll && + !widget.limitSelectionToOne, + scrollbarInUseNotifier: scrollBarInUseNotifier, + ) + : const SizedBox.shrink(), + ], + ), + ), + ), ); } From 59888840b56fb92353f9312ae60cd64f179fee84 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Thu, 24 Jul 2025 10:55:34 +0530 Subject: [PATCH 114/302] Fix limitSelectionToOne not working regression --- mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 7c96eb8bdf..d6089eb361 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -304,6 +304,7 @@ class GalleryState extends State { tagPrefix: widget.tagPrefix, groupHeaderExtent: groupHeaderExtent!, showSelectAll: widget.showSelectAll, + limitSelectionToOne: widget.limitSelectionToOne, ); if (callSetState) { @@ -583,7 +584,7 @@ class GalleryState extends State { ], ) : CustomScrollBar( - scrollController: _scrollController!, + scrollController: _scrollController, galleryGroups: galleryGroups, inUseNotifier: scrollBarInUseNotifier, heighOfViewport: MediaQuery.sizeOf(context).height, @@ -635,7 +636,7 @@ class GalleryState extends State { galleryGroups.groupType.showGroupHeader() && !widget.disablePinnedGroupHeader ? PinnedGroupHeader( - scrollController: _scrollController!, + scrollController: _scrollController, galleryGroups: galleryGroups, headerHeightNotifier: _headerHeightNotifier, selectedFiles: widget.selectedFiles, From f8fe2bd7f28e3f206ed08bb028b114c9d2caca71 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Thu, 24 Jul 2025 11:29:43 +0530 Subject: [PATCH 115/302] Stop usage of continously animating widget which is offscreen and taken up compute --- .../lib/ui/tabs/shared_collections_tab.dart | 136 +++++++++--------- 1 file changed, 67 insertions(+), 69 deletions(-) diff --git a/mobile/apps/photos/lib/ui/tabs/shared_collections_tab.dart b/mobile/apps/photos/lib/ui/tabs/shared_collections_tab.dart index 9f81a2428c..8799c1045c 100644 --- a/mobile/apps/photos/lib/ui/tabs/shared_collections_tab.dart +++ b/mobile/apps/photos/lib/ui/tabs/shared_collections_tab.dart @@ -170,8 +170,7 @@ class _SharedCollectionsTabState extends State context, CollectionListPage( collections.incoming, - sectionType: - UISectionType.incomingCollections, + sectionType: UISectionType.incomingCollections, tag: "incoming", appTitle: sharedWithYou, ), @@ -227,8 +226,7 @@ class _SharedCollectionsTabState extends State context, CollectionListPage( collections.outgoing, - sectionType: - UISectionType.outgoingCollections, + sectionType: UISectionType.outgoingCollections, tag: "outgoing", appTitle: sharedByYou, ), @@ -275,72 +273,72 @@ class _SharedCollectionsTabState extends State ), numberOfQuickLinks > 0 ? Column( - children: [ - SectionOptions( - onTap: numberOfQuickLinks > maxQuickLinks - ? () { - unawaited( - routeToPage( - context, - AllQuickLinksPage( - titleHeroTag: quickLinkTitleHeroTag, - quickLinks: collections.quickLinks, + children: [ + SectionOptions( + onTap: numberOfQuickLinks > maxQuickLinks + ? () { + unawaited( + routeToPage( + context, + AllQuickLinksPage( + titleHeroTag: quickLinkTitleHeroTag, + quickLinks: collections.quickLinks, + ), ), - ), - ); - } - : null, - Hero( - tag: quickLinkTitleHeroTag, - child: SectionTitle( - title: S.of(context).quickLinks, - ), - ), - trailingWidget: numberOfQuickLinks > maxQuickLinks - ? IconButtonWidget( - icon: Icons.chevron_right, - iconButtonType: IconButtonType.secondary, - iconColor: colorTheme.blurStrokePressed, - ) - : null, - ), - const SizedBox(height: 2), - ListView.separated( - shrinkWrap: true, - padding: const EdgeInsets.only( - bottom: 12, - left: 12, - right: 12, - ), - physics: const NeverScrollableScrollPhysics(), - itemBuilder: (context, index) { - return GestureDetector( - onTap: () async { - final thumbnail = await CollectionsService - .instance - .getCover(collections.quickLinks[index]); - final page = CollectionPage( - CollectionWithThumbnail( - collections.quickLinks[index], - thumbnail, - ), - tagPrefix: heroTagPrefix, - ); - // ignore: unawaited_futures - routeToPage(context, page); - }, - child: QuickLinkAlbumItem( - c: collections.quickLinks[index], + ); + } + : null, + Hero( + tag: quickLinkTitleHeroTag, + child: SectionTitle( + title: S.of(context).quickLinks, ), - ); - }, - separatorBuilder: (context, index) { - return const SizedBox(height: 4); - }, - itemCount: min(numberOfQuickLinks, maxQuickLinks), - ), - ], - ) + ), + trailingWidget: numberOfQuickLinks > maxQuickLinks + ? IconButtonWidget( + icon: Icons.chevron_right, + iconButtonType: IconButtonType.secondary, + iconColor: colorTheme.blurStrokePressed, + ) + : null, + ), + const SizedBox(height: 2), + ListView.separated( + shrinkWrap: true, + padding: const EdgeInsets.only( + bottom: 12, + left: 12, + right: 12, + ), + physics: const NeverScrollableScrollPhysics(), + itemBuilder: (context, index) { + return GestureDetector( + onTap: () async { + final thumbnail = await CollectionsService + .instance + .getCover(collections.quickLinks[index]); + final page = CollectionPage( + CollectionWithThumbnail( + collections.quickLinks[index], + thumbnail, + ), + tagPrefix: heroTagPrefix, + ); + // ignore: unawaited_futures + routeToPage(context, page); + }, + child: QuickLinkAlbumItem( + c: collections.quickLinks[index], + ), + ); + }, + separatorBuilder: (context, index) { + return const SizedBox(height: 4); + }, + itemCount: min(numberOfQuickLinks, maxQuickLinks), + ), + ], + ) : const SizedBox.shrink(), const SizedBox(height: 2), ValueListenableBuilder( @@ -367,7 +365,7 @@ class _SharedCollectionsTabState extends State } }, ) - : const EnteLoadingWidget(); + : const SizedBox.shrink(); }, ), const CollectPhotosCardWidget(), From 8613d0d338f7b81a7acb1e48683cbf9cb9fea5d1 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Thu, 24 Jul 2025 12:38:20 +0530 Subject: [PATCH 116/302] Auto genenrated translation related files changes --- .../lib/generated/intl/messages_all.dart | 4 + .../lib/generated/intl/messages_ar.dart | 36 +- .../lib/generated/intl/messages_cs.dart | 89 +++++ .../lib/generated/intl/messages_de.dart | 4 + .../lib/generated/intl/messages_es.dart | 127 +++++++ .../lib/generated/intl/messages_fr.dart | 4 + .../lib/generated/intl/messages_he.dart | 6 +- .../lib/generated/intl/messages_hu.dart | 6 +- .../lib/generated/intl/messages_ja.dart | 8 +- .../lib/generated/intl/messages_lt.dart | 8 +- .../lib/generated/intl/messages_ms.dart | 25 ++ .../lib/generated/intl/messages_nl.dart | 2 +- .../lib/generated/intl/messages_no.dart | 2 +- .../lib/generated/intl/messages_pl.dart | 276 +++++++++++++- .../lib/generated/intl/messages_pt_BR.dart | 4 + .../lib/generated/intl/messages_pt_PT.dart | 4 + .../lib/generated/intl/messages_ro.dart | 12 +- .../lib/generated/intl/messages_ru.dart | 6 +- .../lib/generated/intl/messages_sr.dart | 358 +++++++++++++++++- .../lib/generated/intl/messages_sv.dart | 7 +- .../lib/generated/intl/messages_tr.dart | 121 +++++- .../lib/generated/intl/messages_uk.dart | 4 +- .../lib/generated/intl/messages_vi.dart | 141 +++---- .../lib/generated/intl/messages_zh.dart | 9 +- mobile/apps/photos/lib/generated/l10n.dart | 21 +- 25 files changed, 1141 insertions(+), 143 deletions(-) create mode 100644 mobile/apps/photos/lib/generated/intl/messages_ms.dart diff --git a/mobile/apps/photos/lib/generated/intl/messages_all.dart b/mobile/apps/photos/lib/generated/intl/messages_all.dart index ed4269d223..8076291286 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_all.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_all.dart @@ -43,6 +43,7 @@ import 'messages_ku.dart' as messages_ku; import 'messages_lt.dart' as messages_lt; import 'messages_lv.dart' as messages_lv; import 'messages_ml.dart' as messages_ml; +import 'messages_ms.dart' as messages_ms; import 'messages_nl.dart' as messages_nl; import 'messages_no.dart' as messages_no; import 'messages_or.dart' as messages_or; @@ -93,6 +94,7 @@ Map _deferredLibraries = { 'lt': () => new SynchronousFuture(null), 'lv': () => new SynchronousFuture(null), 'ml': () => new SynchronousFuture(null), + 'ms': () => new SynchronousFuture(null), 'nl': () => new SynchronousFuture(null), 'no': () => new SynchronousFuture(null), 'or': () => new SynchronousFuture(null), @@ -171,6 +173,8 @@ MessageLookupByLibrary? _findExact(String localeName) { return messages_lv.messages; case 'ml': return messages_ml.messages; + case 'ms': + return messages_ms.messages; case 'nl': return messages_nl.messages; case 'no': diff --git a/mobile/apps/photos/lib/generated/intl/messages_ar.dart b/mobile/apps/photos/lib/generated/intl/messages_ar.dart index ac978411b1..d6e102aa31 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_ar.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_ar.dart @@ -23,16 +23,16 @@ class MessageLookup extends MessageLookupByLibrary { static String m0(title) => "${title} (أنا)"; static String m1(count) => - "${Intl.plural(count, zero: 'إضافة متعاون', one: 'إضافة متعاون', two: 'إضافة متعاونين', other: 'إضافة ${count} متعاونًا')}"; + "${Intl.plural(count, zero: 'إضافة متعاون', one: 'إضافة متعاون', two: 'إضافة متعاونين', few: 'إضافة ${count} متعاونين', many: 'إضافة ${count} متعاونًا', other: 'إضافة ${count} متعاونًا')}"; static String m2(count) => - "${Intl.plural(count, one: 'إضافة عنصر', two: 'إضافة عنصرين', other: 'إضافة ${count} عنصرًا')}"; + "${Intl.plural(count, one: 'إضافة عنصر', two: 'إضافة عنصرين', few: 'إضافة ${count} عناصر', many: 'إضافة ${count} عنصرًا', other: 'إضافة ${count} عنصرًا')}"; static String m3(storageAmount, endDate) => "إضافتك بسعة ${storageAmount} صالحة حتى ${endDate}"; static String m4(count) => - "${Intl.plural(count, zero: 'إضافة مشاهد', one: 'إضافة مشاهد', two: 'إضافة مشاهدين', other: 'إضافة ${count} مشاهدًا')}"; + "${Intl.plural(count, zero: 'إضافة مشاهد', one: 'إضافة مشاهد', two: 'إضافة مشاهدين', few: 'إضافة ${count} مشاهدين', many: 'إضافة ${count} مشاهدًا', other: 'إضافة ${count} مشاهدًا')}"; static String m5(emailOrName) => "تمت الإضافة بواسطة ${emailOrName}"; @@ -66,7 +66,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m15(albumName) => "تم إنشاء رابط تعاوني لـ ${albumName}"; static String m16(count) => - "${Intl.plural(count, zero: 'تمت إضافة 0 متعاونين', one: 'تمت إضافة متعاون واحد', two: 'تمت إضافة متعاونين', other: 'تمت إضافة ${count} متعاونًا')}"; + "${Intl.plural(count, zero: 'تمت إضافة 0 متعاونين', one: 'تمت إضافة متعاون واحد', two: 'تمت إضافة متعاونين', few: 'تمت إضافة ${count} متعاونين', many: 'تمت إضافة ${count} متعاونًا', other: 'تمت إضافة ${count} متعاونًا')}"; static String m17(email, numOfDays) => "أنت على وشك إضافة ${email} كجهة اتصال موثوقة. سيكون بإمكانهم استعادة حسابك إذا كنت غائبًا لمدة ${numOfDays} أيام."; @@ -80,7 +80,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m20(endpoint) => "متصل بـ ${endpoint}"; static String m21(count) => - "${Intl.plural(count, one: 'حذف عنصر واحد', two: 'حذف عنصرين', other: 'حذف ${count} عنصرًا')}"; + "${Intl.plural(count, one: 'حذف عنصر واحد', two: 'حذف عنصرين', few: 'حذف ${count} عناصر', many: 'حذف ${count} عنصرًا', other: 'حذف ${count} عنصرًا')}"; static String m22(count) => "هل تريد أيضًا حذف الصور (والمقاطع) الموجودة في هذه الألبومات ${count} من كافة الألبومات الأخرى التي تشترك فيها؟"; @@ -95,7 +95,7 @@ class MessageLookup extends MessageLookupByLibrary { "يرجى إرسال بريد إلكتروني إلى ${supportEmail} من عنوان بريدك الإلكتروني المسجل"; static String m26(count, storageSaved) => - "لقد قمت بتنظيف ${Intl.plural(count, one: 'ملف مكرر واحد', two: 'ملفين مكررين', other: '${count} ملفًا مكررًا')}، مما وفر ${storageSaved}!"; + "لقد قمت بتنظيف ${Intl.plural(count, one: 'ملف مكرر واحد', two: 'ملفين مكررين', few: '${count} ملفات مكررة', many: '${count} ملفًا مكررًا', other: '${count} ملفًا مكررًا')}، مما وفر ${storageSaved}!"; static String m27(count, formattedSize) => "${count} ملفات، ${formattedSize} لكل منها"; @@ -116,10 +116,10 @@ class MessageLookup extends MessageLookupByLibrary { static String m34(name) => "الاستمتاع بالطعام مع ${name}"; static String m35(count, formattedNumber) => - "${Intl.plural(count, one: 'ملف واحد', two: 'ملفان', other: '${formattedNumber} ملفًا')} على هذا الجهاز تم نسخه احتياطيًا بأمان"; + "${Intl.plural(count, one: 'ملف واحد', two: 'ملفان', few: '${formattedNumber} ملفات', many: '${formattedNumber} ملفًا', other: '${formattedNumber} ملفًا')} على هذا الجهاز تم نسخه احتياطيًا بأمان"; static String m36(count, formattedNumber) => - "${Intl.plural(count, one: 'ملف واحد', two: 'ملفان', other: '${formattedNumber} ملفًا')} في هذا الألبوم تم نسخه احتياطيًا بأمان"; + "${Intl.plural(count, one: 'ملف واحد', two: 'ملفان', few: '${formattedNumber} ملفات', many: '${formattedNumber} ملفًا', other: '${formattedNumber} ملفًا')} في هذا الألبوم تم نسخه احتياطيًا بأمان"; static String m37(storageAmountInGB) => "${storageAmountInGB} جيجابايت مجانية في كل مرة يشترك فيها شخص بخطة مدفوعة ويطبق رمزك"; @@ -132,7 +132,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m40(sizeInMBorGB) => "تحرير ${sizeInMBorGB}"; static String m41(count, formattedSize) => - "${Intl.plural(count, one: 'يمكن حذفه من الجهاز لتحرير ${formattedSize}', two: 'يمكن حذفهما من الجهاز لتحرير ${formattedSize}', other: 'يمكن حذفها من الجهاز لتحرير ${formattedSize}')}"; + "${Intl.plural(count, one: 'يمكن حذفه من الجهاز لتحرير ${formattedSize}', two: 'يمكن حذفهما من الجهاز لتحرير ${formattedSize}', few: 'يمكن حذفها من الجهاز لتحرير ${formattedSize}', many: 'يمكن حذفها من الجهاز لتحرير ${formattedSize}', other: 'يمكن حذفها من الجهاز لتحرير ${formattedSize}')}"; static String m42(currentlyProcessing, totalCount) => "جارٍ المعالجة ${currentlyProcessing} / ${totalCount}"; @@ -154,10 +154,10 @@ class MessageLookup extends MessageLookupByLibrary { "سيؤدي هذا إلى ربط ${personName} بـ ${email}"; static String m50(count, formattedCount) => - "${Intl.plural(count, zero: 'لا توجد ذكريات', one: 'ذكرى واحدة', two: 'ذكريتان', other: '${formattedCount} ذكرى')}"; + "${Intl.plural(count, zero: 'لا توجد ذكريات', one: 'ذكرى واحدة', two: 'ذكريتان', few: '${formattedCount} ذكريات', many: '${formattedCount} ذكرى', other: '${formattedCount} ذكرى')}"; static String m51(count) => - "${Intl.plural(count, one: 'نقل عنصر', two: 'نقل عنصرين', other: 'نقل ${count} عنصرًا')}"; + "${Intl.plural(count, one: 'نقل عنصر', two: 'نقل عنصرين', few: 'نقل ${count} عناصر', many: 'نقل ${count} عنصرًا', other: 'نقل ${count} عنصرًا')}"; static String m52(albumName) => "تم النقل بنجاح إلى ${albumName}"; @@ -181,10 +181,10 @@ class MessageLookup extends MessageLookupByLibrary { static String m60(name, age) => "${name} سيبلغ ${age} قريبًا"; static String m61(count) => - "${Intl.plural(count, zero: 'لا توجد صور', one: 'صورة واحدة', two: 'صورتان', other: '${count} صورة')}"; + "${Intl.plural(count, zero: 'لا توجد صور', one: 'صورة واحدة', two: 'صورتان', few: '${count} صور', many: '${count} صورة', other: '${count} صورة')}"; static String m62(count) => - "${Intl.plural(count, zero: 'لا توجد صور', one: 'صورة واحدة', two: 'صورتان', other: '${count} صورة')}"; + "${Intl.plural(count, zero: 'لا توجد صور', one: 'صورة واحدة', two: 'صورتان', few: '${count} صور', many: '${count} صورة', other: '${count} صورة')}"; static String m63(endDate) => "التجربة المجانية صالحة حتى ${endDate}.\nيمكنك اختيار خطة مدفوعة بعد ذلك."; @@ -221,7 +221,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m76(name) => "رحلة برية مع ${name}"; static String m77(count) => - "${Intl.plural(count, other: '${count} النتائج التي تم العثور عليها')}"; + "${Intl.plural(count, one: '${count} النتائج التي تم العثور عليها', other: '${count} النتائج التي تم العثور عليها')}"; static String m78(snapshotLength, searchLength) => "عدم تطابق طول الأقسام: ${snapshotLength} != ${searchLength}"; @@ -281,12 +281,12 @@ class MessageLookup extends MessageLookupByLibrary { static String m100(email) => "هذا هو معرّف التحقق الخاص بـ ${email}"; static String m101(count) => - "${Intl.plural(count, one: 'هذا الأسبوع، قبل سنة', two: 'هذا الأسبوع، قبل سنتين', other: 'هذا الأسبوع، قبل ${count} سنة')}"; + "${Intl.plural(count, one: 'هذا الأسبوع، قبل سنة', two: 'هذا الأسبوع، قبل سنتين', few: 'هذا الأسبوع، قبل ${count} سنوات', many: 'هذا الأسبوع، قبل ${count} سنة', other: 'هذا الأسبوع، قبل ${count} سنة')}"; static String m102(dateFormat) => "${dateFormat} عبر السنين"; static String m103(count) => - "${Intl.plural(count, zero: 'قريبًا', one: 'يوم واحد', two: 'يومان', other: '${count} يومًا')}"; + "${Intl.plural(count, zero: 'قريبًا', one: 'يوم واحد', two: 'يومان', few: '${count} أيام', many: '${count} يومًا', other: '${count} يومًا')}"; static String m104(year) => "رحلة في ${year}"; @@ -309,7 +309,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m112(name) => "عرض ${name} لإلغاء الربط"; static String m113(count) => - "${Intl.plural(count, zero: 'تمت إضافة 0 مشاهدين', one: 'تمت إضافة مشاهد واحد', two: 'تمت إضافة مشاهدين', other: 'تمت إضافة ${count} مشاهدًا')}"; + "${Intl.plural(count, zero: 'تمت إضافة 0 مشاهدين', one: 'تمت إضافة مشاهد واحد', two: 'تمت إضافة مشاهدين', few: 'تمت إضافة ${count} مشاهدين', many: 'تمت إضافة ${count} مشاهدًا', other: 'تمت إضافة ${count} مشاهدًا')}"; static String m114(email) => "لقد أرسلنا بريدًا إلكترونيًا إلى ${email}"; @@ -317,7 +317,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m115(name) => "أتمنى لـ${name} عيد ميلاد سعيد! 🎉"; static String m116(count) => - "${Intl.plural(count, one: 'قبل سنة', two: 'قبل سنتين', other: 'قبل ${count} سنة')}"; + "${Intl.plural(count, one: 'قبل سنة', two: 'قبل سنتين', few: 'قبل ${count} سنوات', many: 'قبل ${count} سنة', other: 'قبل ${count} سنة')}"; static String m117(name) => "أنت و ${name}"; diff --git a/mobile/apps/photos/lib/generated/intl/messages_cs.dart b/mobile/apps/photos/lib/generated/intl/messages_cs.dart index 64aec33ca1..18276d61ee 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_cs.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_cs.dart @@ -22,8 +22,14 @@ class MessageLookup extends MessageLookupByLibrary { static String m6(albumName) => "Úspěšně přidáno do ${albumName}"; + static String m25(supportEmail) => + "Prosíme, napiště e-mail na ${supportEmail} ze schránky, kterou jste použili k registraci"; + static String m47(expiryTime) => "Platnost odkazu vyprší ${expiryTime}"; + static String m57(passwordStrengthValue) => + "Síla hesla: ${passwordStrengthValue}"; + static String m68(storeName) => "Ohodnoťte nás na ${storeName}"; static String m75(endDate) => "Předplatné se obnoví ${endDate}"; @@ -32,6 +38,9 @@ class MessageLookup extends MessageLookupByLibrary { static String m111(email) => "Ověřit ${email}"; + static String m114(email) => + "Poslali jsme vám zprávu na ${email}"; + static String m117(name) => "Vy a ${name}"; final messages = _notInlinedMessages(_notInlinedMessages); @@ -43,6 +52,8 @@ class MessageLookup extends MessageLookupByLibrary { "account": MessageLookupByLibrary.simpleMessage("Účet"), "accountWelcomeBack": MessageLookupByLibrary.simpleMessage("Vítejte zpět!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Rozumím, že pokud zapomenu své heslo, mohu přijít o data, jelikož má data jsou koncově šifrována."), "activeSessions": MessageLookupByLibrary.simpleMessage("Aktivní relace"), "add": MessageLookupByLibrary.simpleMessage("Přidat"), @@ -102,6 +113,8 @@ class MessageLookup extends MessageLookupByLibrary { "Sdílené soubory nelze odstranit"), "changeEmail": MessageLookupByLibrary.simpleMessage("Změnit e-mail"), "changePassword": MessageLookupByLibrary.simpleMessage("Změnit heslo"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("Změnit heslo"), "checkForUpdates": MessageLookupByLibrary.simpleMessage("Zkontrolovat aktualizace"), "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( @@ -115,6 +128,8 @@ class MessageLookup extends MessageLookupByLibrary { "close": MessageLookupByLibrary.simpleMessage("Zavřít"), "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage("Kód byl použit"), + "codeCopiedToClipboard": + MessageLookupByLibrary.simpleMessage("Kód zkopírován do schránky"), "collaborator": MessageLookupByLibrary.simpleMessage("Spolupracovník"), "collageLayout": MessageLookupByLibrary.simpleMessage("Rozvržení"), "color": MessageLookupByLibrary.simpleMessage("Barva"), @@ -122,6 +137,10 @@ class MessageLookup extends MessageLookupByLibrary { "confirm": MessageLookupByLibrary.simpleMessage("Potvrdit"), "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage("Potvrdit odstranění účtu"), + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Ano, chci trvale smazat tento účet a jeho data napříč všemi aplikacemi."), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("Potvrdte heslo"), "contactSupport": MessageLookupByLibrary.simpleMessage("Kontaktovat podporu"), "contacts": MessageLookupByLibrary.simpleMessage("Kontakty"), @@ -144,10 +163,14 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Dešifrování videa..."), "delete": MessageLookupByLibrary.simpleMessage("Smazat"), "deleteAccount": MessageLookupByLibrary.simpleMessage("Smazat účet"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Je nám líto, že nás opouštíte. Prosím, dejte nám zpětnou vazbu, ať se můžeme zlepšit."), "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage("Trvale smazat účet"), "deleteAlbum": MessageLookupByLibrary.simpleMessage("Odstranit album"), "deleteAll": MessageLookupByLibrary.simpleMessage("Smazat vše"), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Prosím, zašlete e-mail na account-deletion@ente.io ze schránky, se kterou jste se registrovali."), "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage("Smazat prázdná alba"), "deleteEmptyAlbumsWithQuestionMark": @@ -188,6 +211,7 @@ class MessageLookup extends MessageLookupByLibrary { "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfie"), "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Pozadí"), "dismiss": MessageLookupByLibrary.simpleMessage("Zrušit"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Udělat později"), "done": MessageLookupByLibrary.simpleMessage("Hotovo"), "doubleYourStorage": MessageLookupByLibrary.simpleMessage("Zdvojnásobte své úložiště"), @@ -195,6 +219,7 @@ class MessageLookup extends MessageLookupByLibrary { "downloadFailed": MessageLookupByLibrary.simpleMessage("Stahování selhalo"), "downloading": MessageLookupByLibrary.simpleMessage("Stahuji..."), + "dropSupportEmail": m25, "edit": MessageLookupByLibrary.simpleMessage("Upravit"), "editLocation": MessageLookupByLibrary.simpleMessage("Upravit polohu"), "editLocationTagTitle": @@ -213,18 +238,27 @@ class MessageLookup extends MessageLookupByLibrary { "encryption": MessageLookupByLibrary.simpleMessage("Šifrování"), "encryptionKeys": MessageLookupByLibrary.simpleMessage("Šifrovací klíče"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente potřebuje oprávnění k uchovávání vašich fotek"), "enterAlbumName": MessageLookupByLibrary.simpleMessage("Zadejte název alba"), + "enterCode": MessageLookupByLibrary.simpleMessage("Zadat kód"), "enterDateOfBirth": MessageLookupByLibrary.simpleMessage("Narozeniny (volitelné)"), "enterFileName": MessageLookupByLibrary.simpleMessage("Zadejte název souboru"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Zadejte nové heslo, které můžeme použít k šifrování vašich dat"), "enterPassword": MessageLookupByLibrary.simpleMessage("Zadejte heslo"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Zadejte heslo, které můžeme použít k šifrování vašich dat"), "enterPin": MessageLookupByLibrary.simpleMessage("Zadejte PIN"), "enterValidEmail": MessageLookupByLibrary.simpleMessage( "Prosím, zadejte platnou e-mailovou adresu."), "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( "Zadejte svou e-mailovou adresu"), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Zadejte novou e-mailovou adresu"), "enterYourPassword": MessageLookupByLibrary.simpleMessage("Zadejte své heslo"), "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( @@ -252,6 +286,8 @@ class MessageLookup extends MessageLookupByLibrary { "filesDeleted": MessageLookupByLibrary.simpleMessage("Soubory odstraněny"), "flip": MessageLookupByLibrary.simpleMessage("Překlopit"), + "forgotPassword": + MessageLookupByLibrary.simpleMessage("Zapomenuté heslo"), "freeUpSpace": MessageLookupByLibrary.simpleMessage("Uvolnit místo"), "gallery": MessageLookupByLibrary.simpleMessage("Galerie"), "general": MessageLookupByLibrary.simpleMessage("Obecné"), @@ -272,6 +308,8 @@ class MessageLookup extends MessageLookupByLibrary { "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage("Nesprávný obnovovací klíč"), "info": MessageLookupByLibrary.simpleMessage("Informace"), + "insecureDevice": + MessageLookupByLibrary.simpleMessage("Nezabezpečené zařízení"), "installManually": MessageLookupByLibrary.simpleMessage("Instalovat manuálně"), "invalidEmailAddress": @@ -302,6 +340,8 @@ class MessageLookup extends MessageLookupByLibrary { "loggingOut": MessageLookupByLibrary.simpleMessage("Odhlašování..."), "loginSessionExpired": MessageLookupByLibrary.simpleMessage("Relace vypršela"), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Kliknutím na přihlášení souhlasím s podmínkami služby a zásadami ochrany osobních údajů"), "loginWithTOTP": MessageLookupByLibrary.simpleMessage("Přihlášení pomocí TOTP"), "logout": MessageLookupByLibrary.simpleMessage("Odhlásit se"), @@ -319,6 +359,7 @@ class MessageLookup extends MessageLookupByLibrary { "merchandise": MessageLookupByLibrary.simpleMessage("E-shop"), "mergedPhotos": MessageLookupByLibrary.simpleMessage("Sloučené fotografie"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Střední"), "moments": MessageLookupByLibrary.simpleMessage("Momenty"), "monthly": MessageLookupByLibrary.simpleMessage("Měsíčně"), "moreDetails": @@ -344,6 +385,8 @@ class MessageLookup extends MessageLookupByLibrary { "Zde nebyly nalezeny žádné fotky"), "noRecoveryKey": MessageLookupByLibrary.simpleMessage("Nemáte obnovovací klíč?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Vzhledem k povaze našeho protokolu koncového šifrování nemohou být vaše data dešifrována bez vašeho hesla nebo obnovovacího klíče"), "noResultsFound": MessageLookupByLibrary.simpleMessage( "Nebyly nalezeny žádné výsledky"), "notifications": MessageLookupByLibrary.simpleMessage("Notifikace"), @@ -364,6 +407,9 @@ class MessageLookup extends MessageLookupByLibrary { "password": MessageLookupByLibrary.simpleMessage("Heslo"), "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage("Heslo úspěšně změněno"), + "passwordStrength": m57, + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Toto heslo neukládáme, takže pokud jej zapomenete, nemůžeme dešifrovat vaše data"), "paymentDetails": MessageLookupByLibrary.simpleMessage("Platební údaje"), "people": MessageLookupByLibrary.simpleMessage("Lidé"), @@ -379,6 +425,8 @@ class MessageLookup extends MessageLookupByLibrary { "pleaseWait": MessageLookupByLibrary.simpleMessage("Čekejte prosím..."), "previous": MessageLookupByLibrary.simpleMessage("Předchozí"), "privacy": MessageLookupByLibrary.simpleMessage("Soukromí"), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "Zásady ochrany osobních údajů"), "processing": MessageLookupByLibrary.simpleMessage("Zpracovává se"), "publicLinkCreated": MessageLookupByLibrary.simpleMessage("Veřejný odkaz vytvořen"), @@ -386,11 +434,24 @@ class MessageLookup extends MessageLookupByLibrary { "radius": MessageLookupByLibrary.simpleMessage("Rádius"), "rateUs": MessageLookupByLibrary.simpleMessage("Ohodnoť nás"), "rateUsOnStore": m68, + "recover": MessageLookupByLibrary.simpleMessage("Obnovit"), + "recoverAccount": MessageLookupByLibrary.simpleMessage("Obnovit účet"), "recoverButton": MessageLookupByLibrary.simpleMessage("Obnovit"), + "recoveryKey": MessageLookupByLibrary.simpleMessage("Obnovovací klíč"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Obnovovací klíč zkopírován do schránky"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Tento klíč je jedinou cestou pro obnovení Vašich dat, pokud zapomenete heslo."), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Tento 24-slovný klíč neuchováváme, uschovejte ho, prosím, na bezpečném místě."), "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage("Obnovovací klíč byl ověřen"), "recoverySuccessful": MessageLookupByLibrary.simpleMessage("Úspěšně obnoveno!"), + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Aktuální zařízení není dostatečně silné k ověření vašeho hesla, ale můžeme ho regenerovat způsobem, které funguje na všech zařízeních.\n\nProsím, přihlašte se pomocí vašeho obnovovacího klíče a regenerujte své heslo (můžete klidně znovu použít své aktuální heslo)."), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("Znovu vytvořit heslo"), "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), "reenterPin": MessageLookupByLibrary.simpleMessage("Zadejte PIN znovu"), "remove": MessageLookupByLibrary.simpleMessage("Odstranit"), @@ -436,6 +497,7 @@ class MessageLookup extends MessageLookupByLibrary { "saveCopy": MessageLookupByLibrary.simpleMessage("Uložit kopii"), "saveKey": MessageLookupByLibrary.simpleMessage("Uložit klíč"), "savePerson": MessageLookupByLibrary.simpleMessage("Uložit osobu"), + "scanCode": MessageLookupByLibrary.simpleMessage("Skenovat kód"), "search": MessageLookupByLibrary.simpleMessage("Hledat"), "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Alba"), @@ -468,6 +530,8 @@ class MessageLookup extends MessageLookupByLibrary { "setNewPassword": MessageLookupByLibrary.simpleMessage("Nastavit nové heslo"), "setNewPin": MessageLookupByLibrary.simpleMessage("Nastavit nový PIN"), + "setPasswordTitle": + MessageLookupByLibrary.simpleMessage("Nastavit heslo"), "share": MessageLookupByLibrary.simpleMessage("Sdílet"), "shareLink": MessageLookupByLibrary.simpleMessage("Sdílet odkaz"), "sharedByMe": MessageLookupByLibrary.simpleMessage("Sdíleno mnou"), @@ -475,8 +539,16 @@ class MessageLookup extends MessageLookupByLibrary { "sharedWithMe": MessageLookupByLibrary.simpleMessage("Sdíleno se mnou"), "sharedWithYou": MessageLookupByLibrary.simpleMessage("Sdíleno s vámi"), "sharing": MessageLookupByLibrary.simpleMessage("Sdílení..."), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Souhlasím s podmínkami služby a zásadami ochrany osobních údajů"), "skip": MessageLookupByLibrary.simpleMessage("Přeskočit"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Něco se pokazilo. Zkuste to, prosím, znovu"), "sorry": MessageLookupByLibrary.simpleMessage("Omlouváme se"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Omlouváme se, nemohli jsme vygenerovat bezpečné klíče na tomto zařízení.\n\nProsíme, zaregistrujte se z jiného zařízení."), "sort": MessageLookupByLibrary.simpleMessage("Seřadit"), "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Seřadit podle"), "sortNewestFirst": @@ -497,10 +569,14 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Synchronizace zastavena"), "syncing": MessageLookupByLibrary.simpleMessage("Synchronizace..."), "systemTheme": MessageLookupByLibrary.simpleMessage("Systém"), + "tapToEnterCode": + MessageLookupByLibrary.simpleMessage("Klepněte pro zadání kódu"), "terminate": MessageLookupByLibrary.simpleMessage("Ukončit"), "terminateSession": MessageLookupByLibrary.simpleMessage("Ukončit relaci?"), "terms": MessageLookupByLibrary.simpleMessage("Podmínky"), + "termsOfServicesTitle": + MessageLookupByLibrary.simpleMessage("Podmínky služby"), "thankYou": MessageLookupByLibrary.simpleMessage("Děkujeme"), "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( "Stahování nebylo možné dokončit"), @@ -508,10 +584,19 @@ class MessageLookup extends MessageLookupByLibrary { "thisDevice": MessageLookupByLibrary.simpleMessage("Toto zařízení"), "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("To jsem já!"), + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Toto vás odhlásí z následujícího zařízení:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Toto vás odhlásí z tohoto zařízení!"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Pro reset vašeho hesla nejprve vyplňte vaší e-mailovou adresu prosím."), "totalSize": MessageLookupByLibrary.simpleMessage("Celková velikost"), "trash": MessageLookupByLibrary.simpleMessage("Koš"), "tryAgain": MessageLookupByLibrary.simpleMessage("Zkusit znovu"), "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Nastavení dvoufaktorového ověřování"), "unlock": MessageLookupByLibrary.simpleMessage("Odemknout"), "unpinAlbum": MessageLookupByLibrary.simpleMessage("Odepnout album"), "unselectAll": MessageLookupByLibrary.simpleMessage("Zrušit výběr"), @@ -521,11 +606,14 @@ class MessageLookup extends MessageLookupByLibrary { "upgrade": MessageLookupByLibrary.simpleMessage("Upgradovat"), "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( "Nahrávání souborů do alba..."), + "useRecoveryKey": + MessageLookupByLibrary.simpleMessage("Použít obnovovací klíč"), "usedSpace": MessageLookupByLibrary.simpleMessage("Využité místo"), "verify": MessageLookupByLibrary.simpleMessage("Ověřit"), "verifyEmail": MessageLookupByLibrary.simpleMessage("Ověřit e-mail"), "verifyEmailID": m111, "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Ověřit"), + "verifyPassword": MessageLookupByLibrary.simpleMessage("Ověřit heslo"), "verifying": MessageLookupByLibrary.simpleMessage("Ověřování..."), "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( "Ověřování obnovovacího klíče..."), @@ -535,6 +623,7 @@ class MessageLookup extends MessageLookupByLibrary { "warning": MessageLookupByLibrary.simpleMessage("Varování"), "weAreOpenSource": MessageLookupByLibrary.simpleMessage("Jsme open source!"), + "weHaveSendEmailTo": m114, "weakStrength": MessageLookupByLibrary.simpleMessage("Slabé"), "welcomeBack": MessageLookupByLibrary.simpleMessage("Vítejte zpět!"), "whatsNew": MessageLookupByLibrary.simpleMessage("Co je nového"), diff --git a/mobile/apps/photos/lib/generated/intl/messages_de.dart b/mobile/apps/photos/lib/generated/intl/messages_de.dart index 5b67f2f277..98319b5de3 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_de.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_de.dart @@ -1036,6 +1036,8 @@ class MessageLookup extends MessageLookupByLibrary { "Gesicht ist noch nicht gruppiert, bitte komm später zurück"), "faceRecognition": MessageLookupByLibrary.simpleMessage("Gesichtserkennung"), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "Vorschaubilder konnten nicht erstellt werden"), "faces": MessageLookupByLibrary.simpleMessage("Gesichter"), "failed": MessageLookupByLibrary.simpleMessage("Fehlgeschlagen"), "failedToApplyCode": MessageLookupByLibrary.simpleMessage( @@ -1072,6 +1074,8 @@ class MessageLookup extends MessageLookupByLibrary { "feastingWithThem": m34, "feedback": MessageLookupByLibrary.simpleMessage("Rückmeldung"), "file": MessageLookupByLibrary.simpleMessage("Datei"), + "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage( + "Datei konnte nicht analysiert werden"), "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( "Fehler beim Speichern der Datei in der Galerie"), "fileInfoAddDescHint": diff --git a/mobile/apps/photos/lib/generated/intl/messages_es.dart b/mobile/apps/photos/lib/generated/intl/messages_es.dart index 30da4ea9d9..ccf7609a73 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_es.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_es.dart @@ -85,6 +85,9 @@ class MessageLookup extends MessageLookupByLibrary { static String m21(count) => "${Intl.plural(count, one: 'Elimina ${count} elemento', other: 'Elimina ${count} elementos')}"; + static String m22(count) => + "¿Quiere borrar también las fotos (y vídeos) presentes en estos ${count} álbumes de todos los otros álbumes de los que forman parte?"; + static String m23(currentlyDeleting, totalCount) => "Borrando ${currentlyDeleting} / ${totalCount}"; @@ -100,6 +103,9 @@ class MessageLookup extends MessageLookupByLibrary { static String m27(count, formattedSize) => "${count} archivos, ${formattedSize} cada uno"; + static String m28(name) => + "Este correo electrónico ya está vinculado a ${name}."; + static String m29(newEmail) => "Correo cambiado a ${newEmail}"; static String m30(email) => "${email} no tiene una cuenta de Ente."; @@ -225,6 +231,8 @@ class MessageLookup extends MessageLookupByLibrary { static String m78(snapshotLength, searchLength) => "La longitud de las secciones no coincide: ${snapshotLength} != ${searchLength}"; + static String m79(count) => "${count} seleccionados"; + static String m80(count) => "${count} seleccionados"; static String m81(count, yourCount) => @@ -307,12 +315,16 @@ class MessageLookup extends MessageLookupByLibrary { static String m111(email) => "Verificar ${email}"; + static String m112(name) => "Ver ${name} para desvincular"; + static String m113(count) => "${Intl.plural(count, zero: '0 espectadores añadidos', one: '1 espectador añadido', other: '${count} espectadores añadidos')}"; static String m114(email) => "Hemos enviado un correo a ${email}"; + static String m115(name) => "¡Desea a ${name} un cumpleaños feliz! 🎉"; + static String m116(count) => "${Intl.plural(count, one: 'Hace ${count} año', other: 'Hace ${count} años')}"; @@ -336,12 +348,17 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("¡Bienvenido de nuevo!"), "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( "Entiendo que si pierdo mi contraseña podría perder mis datos, ya que mis datos están cifrados de extremo a extremo."), + "actionNotSupportedOnFavouritesAlbum": + MessageLookupByLibrary.simpleMessage( + "Acción no compatible con el álbum de Favoritos"), "activeSessions": MessageLookupByLibrary.simpleMessage("Sesiones activas"), "add": MessageLookupByLibrary.simpleMessage("Añadir"), "addAName": MessageLookupByLibrary.simpleMessage("Añade un nombre"), "addANewEmail": MessageLookupByLibrary.simpleMessage( "Agregar nuevo correo electrónico"), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Añade un widget de álbum a tu pantalla de inicio y vuelve aquí para personalizarlo."), "addCollaborator": MessageLookupByLibrary.simpleMessage("Agregar colaborador"), "addCollaborators": m1, @@ -352,6 +369,8 @@ class MessageLookup extends MessageLookupByLibrary { "addLocation": MessageLookupByLibrary.simpleMessage("Agregar ubicación"), "addLocationButton": MessageLookupByLibrary.simpleMessage("Añadir"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Añade un widget de recuerdos a tu pantalla de inicio y vuelve aquí para personalizarlo."), "addMore": MessageLookupByLibrary.simpleMessage("Añadir más"), "addName": MessageLookupByLibrary.simpleMessage("Añadir nombre"), "addNameOrMerge": @@ -363,6 +382,10 @@ class MessageLookup extends MessageLookupByLibrary { "Detalles de los complementos"), "addOnValidTill": m3, "addOns": MessageLookupByLibrary.simpleMessage("Complementos"), + "addParticipants": + MessageLookupByLibrary.simpleMessage("Añadir participantes"), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Añade un widget de personas a tu pantalla de inicio y vuelve aquí para personalizarlo."), "addPhotos": MessageLookupByLibrary.simpleMessage("Agregar fotos"), "addSelected": MessageLookupByLibrary.simpleMessage("Agregar selección"), @@ -397,11 +420,16 @@ class MessageLookup extends MessageLookupByLibrary { "albumUpdated": MessageLookupByLibrary.simpleMessage("Álbum actualizado"), "albums": MessageLookupByLibrary.simpleMessage("Álbumes"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Seleccione los álbumes que desea ver en su pantalla de inicio."), "allClear": MessageLookupByLibrary.simpleMessage("✨ Todo limpio"), "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( "Todos los recuerdos preservados"), "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( "Se eliminarán todas las agrupaciones para esta persona, y se eliminarán todas sus sugerencias"), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "Todos los grupos sin nombre se combinarán en la persona seleccionada. Esto puede deshacerse desde el historial de sugerencias de la persona."), "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( "Este es el primero en el grupo. Otras fotos seleccionadas cambiarán automáticamente basándose en esta nueva fecha"), "allow": MessageLookupByLibrary.simpleMessage("Permitir"), @@ -454,6 +482,9 @@ class MessageLookup extends MessageLookupByLibrary { "archive": MessageLookupByLibrary.simpleMessage("Archivo"), "archiveAlbum": MessageLookupByLibrary.simpleMessage("Archivar álbum"), "archiving": MessageLookupByLibrary.simpleMessage("Archivando..."), + "areThey": MessageLookupByLibrary.simpleMessage("¿Son ellos"), + "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( + "¿Estás seguro de que quieres eliminar esta cara de esta persona?"), "areYouSureThatYouWantToLeaveTheFamily": MessageLookupByLibrary.simpleMessage( "¿Está seguro de que desea abandonar el plan familiar?"), @@ -464,8 +495,16 @@ class MessageLookup extends MessageLookupByLibrary { "¿Estás seguro de que quieres cambiar tu plan?"), "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( "¿Estás seguro de que deseas salir?"), + "areYouSureYouWantToIgnoreThesePersons": + MessageLookupByLibrary.simpleMessage( + "¿Estás seguro de que quieres ignorar a estas personas?"), + "areYouSureYouWantToIgnoreThisPerson": + MessageLookupByLibrary.simpleMessage( + "¿Estás seguro de que quieres ignorar a esta persona?"), "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( "¿Estás seguro de que quieres cerrar la sesión?"), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "¿Estás seguro de que quieres combinarlas?"), "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( "¿Estás seguro de que quieres renovar?"), "areYouSureYouWantToResetThisPerson": @@ -549,9 +588,36 @@ class MessageLookup extends MessageLookupByLibrary { "Copia de seguridad de vídeos"), "beach": MessageLookupByLibrary.simpleMessage("Arena y mar "), "birthday": MessageLookupByLibrary.simpleMessage("Cumpleaños"), + "birthdayNotifications": MessageLookupByLibrary.simpleMessage( + "Notificaciones de cumpleaños"), + "birthdays": MessageLookupByLibrary.simpleMessage("Cumpleaños"), "blackFridaySale": MessageLookupByLibrary.simpleMessage("Oferta del Black Friday"), "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cLDesc1": MessageLookupByLibrary.simpleMessage( + "Dado el trabajo que hemos hecho en la versión beta de vídeos en streaming y en las cargas y descargas reanudables, hemos aumentado el límite de subida de archivos a 10 GB. Esto ya está disponible tanto en la aplicación de escritorio como en la móvil."), + "cLDesc2": MessageLookupByLibrary.simpleMessage( + "Las subidas en segundo plano ya están también soportadas en iOS, además de los dispositivos Android. No es necesario abrir la aplicación para hacer una copia de seguridad de tus fotos y vídeos más recientes."), + "cLDesc3": MessageLookupByLibrary.simpleMessage( + "Hemos hecho mejoras significativas en nuestra experiencia de recuerdos, incluyendo la reproducción automática, el deslizado a la memoria siguiente y mucho más."), + "cLDesc4": MessageLookupByLibrary.simpleMessage( + "Junto con un montón de mejoras adicionales, ahora es mucho más fácil ver todas las caras detectadas, proporcionar comentarios sobre caras similares, y añadir o quitar caras de una sola foto."), + "cLDesc5": MessageLookupByLibrary.simpleMessage( + "Ahora recibirás una notificación de exclusión voluntaria para todos los cumpleaños que hayas guardado en Ente, junto con una colección de sus mejores fotos."), + "cLDesc6": MessageLookupByLibrary.simpleMessage( + "Ya no tienes que esperar a que las subidas o descargas se completen para cerrar la aplicación. Ahora, todas las subidas y descargas se pueden pausar a mitad de proceso y reanudarse justo donde lo dejaste."), + "cLTitle1": MessageLookupByLibrary.simpleMessage( + "Subiendo archivos de vídeo grandes"), + "cLTitle2": + MessageLookupByLibrary.simpleMessage("Subida en segundo plano"), + "cLTitle3": MessageLookupByLibrary.simpleMessage( + "Reproducción automática de recuerdos"), + "cLTitle4": MessageLookupByLibrary.simpleMessage( + "Reconocimiento facial mejorado"), + "cLTitle5": + MessageLookupByLibrary.simpleMessage("Notificación de cumpleaños"), + "cLTitle6": MessageLookupByLibrary.simpleMessage( + "Subidas y Descargas reanudables"), "cachedData": MessageLookupByLibrary.simpleMessage("Datos almacenados en caché"), "calculating": MessageLookupByLibrary.simpleMessage("Calculando..."), @@ -622,6 +688,8 @@ class MessageLookup extends MessageLookupByLibrary { "click": MessageLookupByLibrary.simpleMessage("• Clic"), "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( "• Haga clic en el menú desbordante"), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Haz clic para instalar nuestra mejor versión hasta la fecha"), "close": MessageLookupByLibrary.simpleMessage("Cerrar"), "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( "Agrupar por tiempo de captura"), @@ -769,6 +837,7 @@ class MessageLookup extends MessageLookupByLibrary { "deleteItemCount": m21, "deleteLocation": MessageLookupByLibrary.simpleMessage("Borrar la ubicación"), + "deleteMultipleAlbumDialog": m22, "deletePhotos": MessageLookupByLibrary.simpleMessage("Borrar las fotos"), "deleteProgress": m23, @@ -806,6 +875,7 @@ class MessageLookup extends MessageLookupByLibrary { "deviceNotFound": MessageLookupByLibrary.simpleMessage("Dispositivo no encontrado"), "didYouKnow": MessageLookupByLibrary.simpleMessage("¿Sabías que?"), + "different": MessageLookupByLibrary.simpleMessage("Diferente"), "disableAutoLock": MessageLookupByLibrary.simpleMessage( "Desactivar bloqueo automático"), "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( @@ -860,6 +930,7 @@ class MessageLookup extends MessageLookupByLibrary { "duplicateFileCountWithStorageSaved": m26, "duplicateItemsGroup": m27, "edit": MessageLookupByLibrary.simpleMessage("Editar"), + "editEmailAlreadyLinked": m28, "editLocation": MessageLookupByLibrary.simpleMessage("Editar la ubicación"), "editLocationTagTitle": @@ -949,6 +1020,8 @@ class MessageLookup extends MessageLookupByLibrary { "Por favor, introduce una dirección de correo electrónico válida."), "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( "Escribe tu correo electrónico"), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Introduce tu nueva dirección de correo electrónico"), "enterYourPassword": MessageLookupByLibrary.simpleMessage("Ingresa tu contraseña"), "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( @@ -1071,6 +1144,8 @@ class MessageLookup extends MessageLookupByLibrary { "guestView": MessageLookupByLibrary.simpleMessage("Vista de invitado"), "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( "Para habilitar la vista de invitados, por favor configure el código de acceso del dispositivo o el bloqueo de pantalla en los ajustes de su sistema."), + "happyBirthday": + MessageLookupByLibrary.simpleMessage("¡Feliz cumpleaños! 🥳"), "hearUsExplanation": MessageLookupByLibrary.simpleMessage( "No rastreamos las aplicaciones instaladas. ¡Nos ayudarías si nos dijeras dónde nos encontraste!"), "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( @@ -1098,6 +1173,7 @@ class MessageLookup extends MessageLookupByLibrary { "iOSLockOut": MessageLookupByLibrary.simpleMessage( "La autenticación biométrica está deshabilitada. Por favor, bloquea y desbloquea la pantalla para habilitarla."), "iOSOkButton": MessageLookupByLibrary.simpleMessage("Aceptar"), + "ignore": MessageLookupByLibrary.simpleMessage("Ignorar"), "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorar"), "ignored": MessageLookupByLibrary.simpleMessage("ignorado"), "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( @@ -1118,6 +1194,8 @@ class MessageLookup extends MessageLookupByLibrary { "Clave de recuperación incorrecta"), "indexedItems": MessageLookupByLibrary.simpleMessage("Elementos indexados"), + "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( + "La indexación está pausada. Se reanudará automáticamente cuando el dispositivo esté listo. El dispositivo se considera listo cuando su nivel de batería, la salud de la batería y temperatura están en un rango saludable."), "ineligible": MessageLookupByLibrary.simpleMessage("Inelegible"), "info": MessageLookupByLibrary.simpleMessage("Info"), "insecureDevice": @@ -1209,6 +1287,8 @@ class MessageLookup extends MessageLookupByLibrary { "livePhotos": MessageLookupByLibrary.simpleMessage("Foto en vivo"), "loadMessage1": MessageLookupByLibrary.simpleMessage( "Puedes compartir tu suscripción con tu familia"), + "loadMessage2": MessageLookupByLibrary.simpleMessage( + "Hasta ahora hemos conservado más de 200 millones de recuerdos"), "loadMessage3": MessageLookupByLibrary.simpleMessage( "Guardamos 3 copias de tus datos, una en un refugio subterráneo"), "loadMessage4": MessageLookupByLibrary.simpleMessage( @@ -1266,6 +1346,8 @@ class MessageLookup extends MessageLookupByLibrary { "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( "Manten presionado un elemento para ver en pantalla completa"), + "lookBackOnYourMemories": + MessageLookupByLibrary.simpleMessage("Revisa tus recuerdos 🌄"), "loopVideoOff": MessageLookupByLibrary.simpleMessage("Vídeo en bucle desactivado"), "loopVideoOn": @@ -1297,8 +1379,12 @@ class MessageLookup extends MessageLookupByLibrary { "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), "me": MessageLookupByLibrary.simpleMessage("Yo"), + "memories": MessageLookupByLibrary.simpleMessage("Recuerdos"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Seleccione el tipo de recuerdos que desea ver en su pantalla de inicio."), "memoryCount": m50, "merchandise": MessageLookupByLibrary.simpleMessage("Mercancías"), + "merge": MessageLookupByLibrary.simpleMessage("Combinar"), "mergeWithExisting": MessageLookupByLibrary.simpleMessage("Combinar con existente"), "mergedPhotos": @@ -1351,6 +1437,7 @@ class MessageLookup extends MessageLookupByLibrary { "newLocation": MessageLookupByLibrary.simpleMessage("Nueva localización"), "newPerson": MessageLookupByLibrary.simpleMessage("Nueva persona"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" nuevo 📸"), "newRange": MessageLookupByLibrary.simpleMessage("Nuevo rango"), "newToEnte": MessageLookupByLibrary.simpleMessage("Nuevo en Ente"), "newest": MessageLookupByLibrary.simpleMessage("Más reciente"), @@ -1406,6 +1493,11 @@ class MessageLookup extends MessageLookupByLibrary { "En ente"), "onTheRoad": MessageLookupByLibrary.simpleMessage("De nuevo en la carretera"), + "onThisDay": MessageLookupByLibrary.simpleMessage("Un día como hoy"), + "onThisDayMemories": MessageLookupByLibrary.simpleMessage( + "Recuerdos de un día como hoy"), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "Recibe recordatorios sobre recuerdos de este día en años anteriores."), "onlyFamilyAdminCanChangeCode": m55, "onlyThem": MessageLookupByLibrary.simpleMessage("Solo ellos"), "oops": MessageLookupByLibrary.simpleMessage("Ups"), @@ -1431,6 +1523,8 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("O elige uno existente"), "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( "o elige de entre tus contactos"), + "otherDetectedFaces": + MessageLookupByLibrary.simpleMessage("Otras caras detectadas"), "pair": MessageLookupByLibrary.simpleMessage("Emparejar"), "pairWithPin": MessageLookupByLibrary.simpleMessage("Emparejar con PIN"), @@ -1453,6 +1547,8 @@ class MessageLookup extends MessageLookupByLibrary { "La fortaleza de la contraseña se calcula teniendo en cuenta la longitud de la contraseña, los caracteres utilizados, y si la contraseña aparece o no en el top 10.000 de contraseñas más usadas"), "passwordWarning": MessageLookupByLibrary.simpleMessage( "No almacenamos esta contraseña, así que si la olvidas, no podremos descifrar tus datos"), + "pastYearsMemories": MessageLookupByLibrary.simpleMessage( + "Recuerdos de los últimos años"), "paymentDetails": MessageLookupByLibrary.simpleMessage("Detalles de pago"), "paymentFailed": MessageLookupByLibrary.simpleMessage("Pago fallido"), @@ -1466,6 +1562,8 @@ class MessageLookup extends MessageLookupByLibrary { "people": MessageLookupByLibrary.simpleMessage("Personas"), "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage("Personas usando tu código"), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Selecciona las personas que deseas ver en tu pantalla de inicio."), "permDeleteWarning": MessageLookupByLibrary.simpleMessage( "Todos los elementos de la papelera serán eliminados permanentemente\n\nEsta acción no se puede deshacer"), "permanentlyDelete": @@ -1561,6 +1659,7 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Enlace público creado"), "publicLinkEnabled": MessageLookupByLibrary.simpleMessage("Enlace público habilitado"), + "questionmark": MessageLookupByLibrary.simpleMessage("?"), "queued": MessageLookupByLibrary.simpleMessage("En cola"), "quickLinks": MessageLookupByLibrary.simpleMessage("Acceso rápido"), "radius": MessageLookupByLibrary.simpleMessage("Radio"), @@ -1573,6 +1672,8 @@ class MessageLookup extends MessageLookupByLibrary { "reassignedToName": m69, "reassigningLoading": MessageLookupByLibrary.simpleMessage("Reasignando..."), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Recibe recordatorios cuando es el cumpleaños de alguien. Pulsar en la notificación te llevará a las fotos de la persona que cumple años."), "recover": MessageLookupByLibrary.simpleMessage("Recuperar"), "recoverAccount": MessageLookupByLibrary.simpleMessage("Recuperar cuenta"), @@ -1672,6 +1773,7 @@ class MessageLookup extends MessageLookupByLibrary { "reportBug": MessageLookupByLibrary.simpleMessage("Reportar error"), "resendEmail": MessageLookupByLibrary.simpleMessage("Reenviar correo electrónico"), + "reset": MessageLookupByLibrary.simpleMessage("Restablecer"), "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( "Restablecer archivos ignorados"), "resetPasswordTitle": @@ -1701,7 +1803,11 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Girar a la derecha"), "safelyStored": MessageLookupByLibrary.simpleMessage("Almacenado con seguridad"), + "same": MessageLookupByLibrary.simpleMessage("Igual"), + "sameperson": MessageLookupByLibrary.simpleMessage("la misma persona?"), "save": MessageLookupByLibrary.simpleMessage("Guardar"), + "saveAsAnotherPerson": + MessageLookupByLibrary.simpleMessage("Guardar como otra persona"), "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( "¿Guardar cambios antes de salir?"), @@ -1792,6 +1898,7 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Selecciona tu cara"), "selectYourPlan": MessageLookupByLibrary.simpleMessage("Elegir tu suscripción"), + "selectedAlbums": m79, "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( "Los archivos seleccionados no están en Ente"), "selectedFoldersWillBeEncryptedAndBackedUp": @@ -1868,8 +1975,12 @@ class MessageLookup extends MessageLookupByLibrary { "sharing": MessageLookupByLibrary.simpleMessage("Compartiendo..."), "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage("Cambiar fechas y hora"), + "showLessFaces": + MessageLookupByLibrary.simpleMessage("Mostrar menos caras"), "showMemories": MessageLookupByLibrary.simpleMessage("Mostrar recuerdos"), + "showMoreFaces": + MessageLookupByLibrary.simpleMessage("Mostrar más caras"), "showPerson": MessageLookupByLibrary.simpleMessage("Mostrar persona"), "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( "Cerrar sesión de otros dispositivos"), @@ -1885,6 +1996,8 @@ class MessageLookup extends MessageLookupByLibrary { "singleFileInBothLocalAndRemote": m89, "singleFileInRemoteOnly": m90, "skip": MessageLookupByLibrary.simpleMessage("Omitir"), + "smartMemories": + MessageLookupByLibrary.simpleMessage("Recuerdos inteligentes"), "social": MessageLookupByLibrary.simpleMessage("Social"), "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( @@ -1901,6 +2014,8 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage( "Algo salió mal, por favor inténtalo de nuevo"), "sorry": MessageLookupByLibrary.simpleMessage("Lo sentimos"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "Lo sentimos, no hemos podido hacer una copia de seguridad de este archivo, lo intentaremos más tarde."), "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( "¡Lo sentimos, no se pudo añadir a favoritos!"), "sorryCouldNotRemoveFromFavorites": @@ -1912,6 +2027,8 @@ class MessageLookup extends MessageLookupByLibrary { "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": MessageLookupByLibrary.simpleMessage( "Lo sentimos, no hemos podido generar claves seguras en este dispositivo.\n\nPor favor, regístrate desde un dispositivo diferente."), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Lo sentimos, tuvimos que pausar tus copias de seguridad"), "sort": MessageLookupByLibrary.simpleMessage("Ordenar"), "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Ordenar por"), "sortNewestFirst": @@ -1989,6 +2106,10 @@ class MessageLookup extends MessageLookupByLibrary { "theLinkYouAreTryingToAccessHasExpired": MessageLookupByLibrary.simpleMessage( "El enlace al que intenta acceder ha caducado."), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Los grupos de personas ya no se mostrarán en la sección de personas. Las fotos permanecerán intactas."), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "La persona ya no se mostrará en la sección de personas. Las fotos permanecerán intactas."), "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( "La clave de recuperación introducida es incorrecta"), @@ -2137,6 +2258,8 @@ class MessageLookup extends MessageLookupByLibrary { "videoInfo": MessageLookupByLibrary.simpleMessage("Información de video"), "videoSmallCase": MessageLookupByLibrary.simpleMessage("vídeo"), + "videoStreaming": + MessageLookupByLibrary.simpleMessage("Vídeos en streaming"), "videos": MessageLookupByLibrary.simpleMessage("Vídeos"), "viewActiveSessions": MessageLookupByLibrary.simpleMessage("Ver sesiones activas"), @@ -2150,6 +2273,7 @@ class MessageLookup extends MessageLookupByLibrary { "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( "Ver los archivos que consumen la mayor cantidad de almacenamiento."), "viewLogs": MessageLookupByLibrary.simpleMessage("Ver Registros"), + "viewPersonToUnlink": m112, "viewRecoveryKey": MessageLookupByLibrary.simpleMessage("Ver código de recuperación"), "viewer": MessageLookupByLibrary.simpleMessage("Espectador"), @@ -2173,6 +2297,8 @@ class MessageLookup extends MessageLookupByLibrary { "whatsNew": MessageLookupByLibrary.simpleMessage("Qué hay de nuevo"), "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( "Un contacto de confianza puede ayudar a recuperar sus datos."), + "widgets": MessageLookupByLibrary.simpleMessage("Widgets"), + "wishThemAHappyBirthday": m115, "yearShort": MessageLookupByLibrary.simpleMessage("año"), "yearly": MessageLookupByLibrary.simpleMessage("Anualmente"), "yearsAgo": m116, @@ -2183,6 +2309,7 @@ class MessageLookup extends MessageLookupByLibrary { "yesDelete": MessageLookupByLibrary.simpleMessage("Sí, eliminar"), "yesDiscardChanges": MessageLookupByLibrary.simpleMessage("Sí, descartar cambios"), + "yesIgnore": MessageLookupByLibrary.simpleMessage("Sí, ignorar"), "yesLogout": MessageLookupByLibrary.simpleMessage("Sí, cerrar sesión"), "yesRemove": MessageLookupByLibrary.simpleMessage("Sí, quitar"), "yesRenew": MessageLookupByLibrary.simpleMessage("Sí, renovar"), diff --git a/mobile/apps/photos/lib/generated/intl/messages_fr.dart b/mobile/apps/photos/lib/generated/intl/messages_fr.dart index 0bd7ac8648..22ae242717 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_fr.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_fr.dart @@ -1053,6 +1053,8 @@ class MessageLookup extends MessageLookupByLibrary { "Ce visage n\'a pas encore été regroupé, veuillez revenir plus tard"), "faceRecognition": MessageLookupByLibrary.simpleMessage("Reconnaissance faciale"), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "Impossible de créer des miniatures de visage"), "faces": MessageLookupByLibrary.simpleMessage("Visages"), "failed": MessageLookupByLibrary.simpleMessage("Échec"), "failedToApplyCode": MessageLookupByLibrary.simpleMessage( @@ -1090,6 +1092,8 @@ class MessageLookup extends MessageLookupByLibrary { "feastingWithThem": m34, "feedback": MessageLookupByLibrary.simpleMessage("Commentaires"), "file": MessageLookupByLibrary.simpleMessage("Fichier"), + "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage( + "Impossible d\'analyser le fichier"), "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( "Échec de l\'enregistrement dans la galerie"), "fileInfoAddDescHint": diff --git a/mobile/apps/photos/lib/generated/intl/messages_he.dart b/mobile/apps/photos/lib/generated/intl/messages_he.dart index 28b4d06b6e..c1dc69ccd5 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_he.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_he.dart @@ -43,7 +43,7 @@ class MessageLookup extends MessageLookupByLibrary { "אנא צור איתנו קשר ב-support@ente.io על מנת לנהל את המנוי ${provider}."; static String m21(count) => - "${Intl.plural(count, one: 'מחק ${count} פריט', other: 'מחק ${count} פריטים')}"; + "${Intl.plural(count, one: 'מחק ${count} פריט', two: 'מחק ${count} פריטים', other: 'מחק ${count} פריטים')}"; static String m23(currentlyDeleting, totalCount) => "מוחק ${currentlyDeleting} / ${totalCount}"; @@ -66,7 +66,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m38(endDate) => "ניסיון חינם בתוקף עד ל-${endDate}"; static String m44(count) => - "${Intl.plural(count, one: '${count} פריט', other: '${count} פריטים')}"; + "${Intl.plural(count, one: '${count} פריט', two: '${count} פריטים', many: '${count} פריטים', other: '${count} פריטים')}"; static String m47(expiryTime) => "תוקף הקישור יפוג ב-${expiryTime}"; @@ -115,7 +115,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m114(email) => "שלחנו דוא\"ל ל${email}"; static String m116(count) => - "${Intl.plural(count, one: 'לפני ${count} שנה', other: 'לפני ${count} שנים')}"; + "${Intl.plural(count, one: 'לפני ${count} שנה', two: 'לפני ${count} שנים', many: 'לפני ${count} שנים', other: 'לפני ${count} שנים')}"; static String m118(storageSaved) => "הצלחת לפנות ${storageSaved}!"; diff --git a/mobile/apps/photos/lib/generated/intl/messages_hu.dart b/mobile/apps/photos/lib/generated/intl/messages_hu.dart index 6099a04be2..19e8eb52b1 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_hu.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_hu.dart @@ -52,7 +52,8 @@ class MessageLookup extends MessageLookupByLibrary { static String m37(storageAmountInGB) => "${storageAmountInGB} GB minden alkalommal, amikor valaki fizetős csomagra fizet elő és felhasználja a kódodat"; - static String m44(count) => "${Intl.plural(count, other: '${count} elem')}"; + static String m44(count) => + "${Intl.plural(count, one: '${count} elem', other: '${count} elem')}"; static String m47(expiryTime) => "Hivatkozás lejár ${expiryTime} "; @@ -103,8 +104,6 @@ class MessageLookup extends MessageLookupByLibrary { static String m100(email) => "Ez ${email} ellenőrző azonosítója"; - static String m111(email) => "${email} ellenőrzése"; - static String m114(email) => "E-mailt küldtünk a következő címre: ${email}"; @@ -713,7 +712,6 @@ class MessageLookup extends MessageLookupByLibrary { "verify": MessageLookupByLibrary.simpleMessage("Hitelesítés"), "verifyEmail": MessageLookupByLibrary.simpleMessage("Emailcím megerősítés"), - "verifyEmailID": m111, "verifyPassword": MessageLookupByLibrary.simpleMessage("Jelszó megerősítése"), "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( diff --git a/mobile/apps/photos/lib/generated/intl/messages_ja.dart b/mobile/apps/photos/lib/generated/intl/messages_ja.dart index b9fea86c7a..e94f5ee527 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_ja.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_ja.dart @@ -82,7 +82,7 @@ class MessageLookup extends MessageLookupByLibrary { "あなたの登録したメールアドレスから${supportEmail} にメールを送ってください"; static String m26(count, storageSaved) => - "お掃除しました ${Intl.plural(count, other: '${count} 個の重複ファイル')}, (${storageSaved}が開放されます!)"; + "お掃除しました ${Intl.plural(count, one: '${count} 個の重複ファイル', other: '${count} 個の重複ファイル')}, (${storageSaved}が開放されます!)"; static String m27(count, formattedSize) => "${count} 個のファイル、それぞれ${formattedSize}"; @@ -184,7 +184,8 @@ class MessageLookup extends MessageLookupByLibrary { static String m76(name) => "${name}と車で旅行!"; - static String m77(count) => "${Intl.plural(count, other: '${count} 個の結果')}"; + static String m77(count) => + "${Intl.plural(count, one: '${count} 個の結果', other: '${count} 個の結果')}"; static String m78(snapshotLength, searchLength) => "セクションの長さの不一致: ${snapshotLength} != ${searchLength}"; @@ -265,7 +266,8 @@ class MessageLookup extends MessageLookupByLibrary { static String m114(email) => "${email}にメールを送りました"; - static String m116(count) => "${Intl.plural(count, other: '${count} 年前')}"; + static String m116(count) => + "${Intl.plural(count, one: '${count} 年前', other: '${count} 年前')}"; static String m117(name) => "あなたと${name}"; diff --git a/mobile/apps/photos/lib/generated/intl/messages_lt.dart b/mobile/apps/photos/lib/generated/intl/messages_lt.dart index 2ff34d3ea2..267868e660 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_lt.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_lt.dart @@ -117,10 +117,10 @@ class MessageLookup extends MessageLookupByLibrary { static String m34(name) => "Vaišiavimas su ${name}"; static String m35(count, formattedNumber) => - "${Intl.plural(count, one: '${formattedNumber} failas šiame įrenginyje saugiai sukurta atsarginė kopija', other: '${formattedNumber} failų šiame įrenginyje saugiai sukurta atsarginių kopijų')}."; + "${Intl.plural(count, one: '${formattedNumber} failas šiame įrenginyje saugiai sukurta atsarginė kopija', few: '${formattedNumber} failai šiame įrenginyje saugiai sukurtos atsarginės kopijos', many: '${formattedNumber} failo šiame įrenginyje saugiai sukurtos atsargines kopijos', other: '${formattedNumber} failų šiame įrenginyje saugiai sukurta atsarginių kopijų')}."; static String m36(count, formattedNumber) => - "${Intl.plural(count, one: '${formattedNumber} failas šiame albume saugiai sukurta atsarginė kopija', other: '${formattedNumber} failų šiame albume saugiai sukurta atsarginė kopija')}."; + "${Intl.plural(count, one: '${formattedNumber} failas šiame albume saugiai sukurta atsarginė kopija', few: '${formattedNumber} failai šiame albume saugiai sukurtos atsarginės kopijos', many: '${formattedNumber} failo šiame albume saugiai sukurtos atsargines kopijos', other: '${formattedNumber} failų šiame albume saugiai sukurta atsarginė kopija')}."; static String m37(storageAmountInGB) => "${storageAmountInGB} GB kiekvieną kartą, kai kas nors užsiregistruoja mokamam planui ir pritaiko jūsų kodą."; @@ -186,7 +186,7 @@ class MessageLookup extends MessageLookupByLibrary { "${Intl.plural(count, zero: 'Nėra nuotraukų', one: '1 nuotrauka', other: '${count} nuotraukų')}"; static String m62(count) => - "${Intl.plural(count, zero: '0 nuotraukų', one: '1 nuotrauka', other: '${count} nuotraukų')}"; + "${Intl.plural(count, zero: '0 nuotraukų', one: '1 nuotrauka', few: '${count} nuotraukos', many: '${count} nuotraukos', other: '${count} nuotraukų')}"; static String m63(endDate) => "Nemokama bandomoji versija galioja iki ${endDate}.\nVėliau galėsite pasirinkti mokamą planą."; @@ -314,7 +314,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m112(name) => "Peržiūrėkite ${name}, kad atsietumėte"; static String m113(count) => - "${Intl.plural(count, zero: 'Įtraukta 0 žiūrėtojų', one: 'Įtrauktas 1 žiūrėtojas', other: 'Įtraukta ${count} žiūrėtojų')}"; + "${Intl.plural(count, zero: 'Įtraukta 0 žiūrėtojų', one: 'Įtrauktas 1 žiūrėtojas', few: 'Įtraukti ${count} žiūrėtojai', many: 'Įtraukta ${count} žiūrėtojo', other: 'Įtraukta ${count} žiūrėtojų')}"; static String m114(email) => "Išsiuntėme laišką adresu ${email}"; diff --git a/mobile/apps/photos/lib/generated/intl/messages_ms.dart b/mobile/apps/photos/lib/generated/intl/messages_ms.dart new file mode 100644 index 0000000000..1aee0f7870 --- /dev/null +++ b/mobile/apps/photos/lib/generated/intl/messages_ms.dart @@ -0,0 +1,25 @@ +// DO NOT EDIT. This is code generated via package:intl/generate_localized.dart +// This is a library that provides messages for a ms locale. All the +// messages from the main program should be duplicated here with the same +// function name. + +// Ignore issues from commonly used lints in this file. +// ignore_for_file:unnecessary_brace_in_string_interps, unnecessary_new +// ignore_for_file:prefer_single_quotes,comment_references, directives_ordering +// ignore_for_file:annotate_overrides,prefer_generic_function_type_aliases +// ignore_for_file:unused_import, file_names, avoid_escaping_inner_quotes +// ignore_for_file:unnecessary_string_interpolations, unnecessary_string_escapes + +import 'package:intl/intl.dart'; +import 'package:intl/message_lookup_by_library.dart'; + +final messages = new MessageLookup(); + +typedef String MessageIfAbsent(String messageStr, List args); + +class MessageLookup extends MessageLookupByLibrary { + String get localeName => 'ms'; + + final messages = _notInlinedMessages(_notInlinedMessages); + static Map _notInlinedMessages(_) => {}; +} diff --git a/mobile/apps/photos/lib/generated/intl/messages_nl.dart b/mobile/apps/photos/lib/generated/intl/messages_nl.dart index 056448e5a0..b6ea039739 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_nl.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_nl.dart @@ -325,7 +325,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m115(name) => "Wens ${name} een fijne verjaardag! 🎉"; static String m116(count) => - "${Intl.plural(count, other: '${count} jaar geleden')}"; + "${Intl.plural(count, one: '${count} jaar geleden', other: '${count} jaar geleden')}"; static String m117(name) => "Jij en ${name}"; diff --git a/mobile/apps/photos/lib/generated/intl/messages_no.dart b/mobile/apps/photos/lib/generated/intl/messages_no.dart index 61a71cda4f..2ae4bbd57b 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_no.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_no.dart @@ -293,7 +293,7 @@ class MessageLookup extends MessageLookupByLibrary { "Vi har sendt en e-post til ${email}"; static String m116(count) => - "${Intl.plural(count, other: '${count} år siden')}"; + "${Intl.plural(count, one: '${count} år siden', other: '${count} år siden')}"; static String m117(name) => "Du og ${name}"; diff --git a/mobile/apps/photos/lib/generated/intl/messages_pl.dart b/mobile/apps/photos/lib/generated/intl/messages_pl.dart index 7354e9cb45..7736624f6e 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_pl.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_pl.dart @@ -20,6 +20,8 @@ typedef String MessageIfAbsent(String messageStr, List args); class MessageLookup extends MessageLookupByLibrary { String get localeName => 'pl'; + static String m0(title) => "${title} (Ja)"; + static String m3(storageAmount, endDate) => "Twój dodatek ${storageAmount} jest ważny do ${endDate}"; @@ -27,6 +29,8 @@ class MessageLookup extends MessageLookupByLibrary { static String m6(albumName) => "Pomyślnie dodano do ${albumName}"; + static String m7(name) => "Podziwianie ${name}"; + static String m8(count) => "${Intl.plural(count, zero: 'Brak Uczestników', one: '1 Uczestnik', other: '${count} Uczestników')}"; @@ -35,6 +39,8 @@ class MessageLookup extends MessageLookupByLibrary { static String m10(freeAmount, storageUnit) => "${freeAmount} ${storageUnit} wolne"; + static String m11(name) => "Piękne widoki z ${name}"; + static String m12(paymentProvider) => "Prosimy najpierw anulować istniejącą subskrypcję z ${paymentProvider}"; @@ -66,7 +72,10 @@ class MessageLookup extends MessageLookupByLibrary { static String m20(endpoint) => "Połączono z ${endpoint}"; static String m21(count) => - "${Intl.plural(count, one: 'Usuń ${count} element', other: 'Usuń ${count} elementu')}"; + "${Intl.plural(count, one: 'Usuń ${count} element', few: 'Usuń ${count} elementy', many: 'Usuń ${count} elementów', other: 'Usuń ${count} elementu')}"; + + static String m22(count) => + "Usunąć również zdjęcia (i filmy) obecne w tych albumach ${count} z wszystkich innych albumów, których są częścią?"; static String m23(currentlyDeleting, totalCount) => "Usuwanie ${currentlyDeleting} / ${totalCount}"; @@ -83,13 +92,19 @@ class MessageLookup extends MessageLookupByLibrary { static String m27(count, formattedSize) => "${count} plików, każdy po ${formattedSize}"; + static String m28(name) => "Ten e-mail jest już powiązany z ${name}."; + static String m29(newEmail) => "Adres e-mail został zmieniony na ${newEmail}"; + static String m30(email) => "${email} nie posiada konta Ente."; + static String m31(email) => "${email} nie posiada konta Ente.\n\nWyślij im zaproszenie do udostępniania zdjęć."; static String m33(text) => "Znaleziono dodatkowe zdjęcia dla ${text}"; + static String m34(name) => "Ucztowanie z ${name}"; + static String m35(count, formattedNumber) => "${Intl.plural(count, one: '1 plikowi', other: '${formattedNumber} plikom')} na tym urządzeniu została bezpiecznie utworzona kopia zapasowa"; @@ -106,14 +121,23 @@ class MessageLookup extends MessageLookupByLibrary { static String m42(currentlyProcessing, totalCount) => "Przetwarzanie ${currentlyProcessing} / ${totalCount}"; + static String m43(name) => "Wędrówka z ${name}"; + static String m44(count) => - "${Intl.plural(count, one: '${count} element', other: '${count} elementu')}"; + "${Intl.plural(count, one: '${count} element', few: '${count} elementy', many: '${count} elementów', other: '${count} elementu')}"; + + static String m45(name) => "Ostatnio z ${name}"; static String m46(email) => "${email} zaprosił Cię do zostania zaufanym kontaktem"; static String m47(expiryTime) => "Link wygaśnie ${expiryTime}"; + static String m48(email) => "Połącz osobę z ${email}"; + + static String m49(personName, email) => + "Spowoduje to powiązanie ${personName} z ${email}"; + static String m52(albumName) => "Pomyślnie przeniesiono do ${albumName}"; static String m53(personName) => "Brak sugestii dla ${personName}"; @@ -129,6 +153,10 @@ class MessageLookup extends MessageLookupByLibrary { static String m58(providerName) => "Porozmawiaj ze wsparciem ${providerName} jeśli zostałeś obciążony"; + static String m59(name, age) => "${name} ma ${age} lat!"; + + static String m60(name, age) => "${name} wkrótce będzie mieć ${age} lat"; + static String m63(endDate) => "Bezpłatny okres próbny ważny do ${endDate}.\nNastępnie możesz wybrać płatny plan."; @@ -137,10 +165,14 @@ class MessageLookup extends MessageLookupByLibrary { static String m65(toEmail) => "Prosimy wysłać logi do ${toEmail}"; + static String m66(name) => "Pozowanie z ${name}"; + static String m67(folderName) => "Przetwarzanie ${folderName}..."; static String m68(storeName) => "Oceń nas na ${storeName}"; + static String m69(name) => "Ponownie przypisano cię do ${name}"; + static String m70(days, email) => "Możesz uzyskać dostęp do konta po dniu ${days} dni. Powiadomienie zostanie wysłane na ${email}."; @@ -157,17 +189,23 @@ class MessageLookup extends MessageLookupByLibrary { static String m75(endDate) => "Subskrypcja odnowi się ${endDate}"; + static String m76(name) => "Wycieczka z ${name}"; + static String m77(count) => - "${Intl.plural(count, one: 'Znaleziono ${count} wynik', other: 'Znaleziono ${count} wyników')}"; + "${Intl.plural(count, one: 'Znaleziono ${count} wynik', few: 'Znaleziono ${count} wyniki', other: 'Znaleziono ${count} wyników')}"; static String m78(snapshotLength, searchLength) => "Niezgodność długości sekcji: ${snapshotLength} != ${searchLength}"; + static String m79(count) => "Wybrano ${count}"; + static String m80(count) => "Wybrano ${count}"; static String m81(count, yourCount) => "Wybrano ${count} (twoich ${yourCount})"; + static String m82(name) => "Selfie z ${name}"; + static String m83(verificationID) => "Oto mój identyfikator weryfikacyjny: ${verificationID} dla ente.io."; @@ -190,6 +228,10 @@ class MessageLookup extends MessageLookupByLibrary { static String m90(fileType) => "Ten ${fileType} zostanie usunięty z Ente."; + static String m91(name) => "Sport z ${name}"; + + static String m92(name) => "Uwaga na ${name}"; + static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( @@ -213,8 +255,12 @@ class MessageLookup extends MessageLookupByLibrary { static String m100(email) => "To jest identyfikator weryfikacyjny ${email}"; + static String m102(dateFormat) => "${dateFormat} przez lata"; + static String m103(count) => - "${Intl.plural(count, zero: 'Wkrótce', one: '1 dzień', other: '${count} dni')}"; + "${Intl.plural(count, zero: 'Wkrótce', one: '1 dzień', few: '${count} dni', other: '${count} dni')}"; + + static String m104(year) => "Podróż w ${year}"; static String m106(email) => "Zostałeś zaproszony do bycia dziedzicznym kontaktem przez ${email}."; @@ -231,11 +277,17 @@ class MessageLookup extends MessageLookupByLibrary { static String m111(email) => "Zweryfikuj ${email}"; + static String m112(name) => "Zobacz ${name}, aby odłączyć"; + static String m114(email) => "Wysłaliśmy wiadomość na adres ${email}"; + static String m115(name) => "Życz ${name} wszystkiego najlepszego! 🎉"; + static String m116(count) => - "${Intl.plural(count, one: '${count} rok temu', other: '${count} lata temu')}"; + "${Intl.plural(count, one: '${count} rok temu', few: '${count} lata temu', many: '${count} lat temu', other: '${count} lata temu')}"; + + static String m117(name) => "Ty i ${name}"; static String m118(storageSaved) => "Pomyślnie zwolniłeś/aś ${storageSaved}!"; @@ -249,15 +301,21 @@ class MessageLookup extends MessageLookupByLibrary { "account": MessageLookupByLibrary.simpleMessage("Konto"), "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( "Konto jest już skonfigurowane."), + "accountOwnerPersonAppbarTitle": m0, "accountWelcomeBack": MessageLookupByLibrary.simpleMessage("Witaj ponownie!"), "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( "Rozumiem, że jeśli utracę hasło, mogę utracić dane, ponieważ moje dane są całkowicie zaszyfrowane."), + "actionNotSupportedOnFavouritesAlbum": + MessageLookupByLibrary.simpleMessage( + "Akcja nie jest obsługiwana na Ulubionym albumie"), "activeSessions": MessageLookupByLibrary.simpleMessage("Aktywne sesje"), "add": MessageLookupByLibrary.simpleMessage("Dodaj"), "addAName": MessageLookupByLibrary.simpleMessage("Dodaj nazwę"), "addANewEmail": MessageLookupByLibrary.simpleMessage("Dodaj nowy adres e-mail"), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Dodaj widżet albumu do ekranu głównego i wróć tutaj, aby dostosować."), "addCollaborator": MessageLookupByLibrary.simpleMessage("Dodaj współuczestnika"), "addFiles": MessageLookupByLibrary.simpleMessage("Dodaj Pliki"), @@ -266,6 +324,8 @@ class MessageLookup extends MessageLookupByLibrary { "addLocation": MessageLookupByLibrary.simpleMessage("Dodaj lokalizację"), "addLocationButton": MessageLookupByLibrary.simpleMessage("Dodaj"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Dodaj widżet wspomnień do ekranu głównego i wróć tutaj, aby dostosować."), "addMore": MessageLookupByLibrary.simpleMessage("Dodaj więcej"), "addName": MessageLookupByLibrary.simpleMessage("Dodaj nazwę"), "addNameOrMerge": @@ -277,6 +337,10 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Szczegóły dodatków"), "addOnValidTill": m3, "addOns": MessageLookupByLibrary.simpleMessage("Dodatki"), + "addParticipants": + MessageLookupByLibrary.simpleMessage("Dodaj uczestników"), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Dodaj widżet ludzi do ekranu głównego i wróć tutaj, aby dostosować."), "addPhotos": MessageLookupByLibrary.simpleMessage("Dodaj zdjęcia"), "addSelected": MessageLookupByLibrary.simpleMessage("Dodaj zaznaczone"), "addToAlbum": MessageLookupByLibrary.simpleMessage("Dodaj do albumu"), @@ -293,6 +357,7 @@ class MessageLookup extends MessageLookupByLibrary { "addedSuccessfullyTo": m6, "addingToFavorites": MessageLookupByLibrary.simpleMessage("Dodawanie do ulubionych..."), + "admiringThem": m7, "advanced": MessageLookupByLibrary.simpleMessage("Zaawansowane"), "advancedSettings": MessageLookupByLibrary.simpleMessage("Zaawansowane"), @@ -307,12 +372,19 @@ class MessageLookup extends MessageLookupByLibrary { "albumUpdated": MessageLookupByLibrary.simpleMessage("Album został zaktualizowany"), "albums": MessageLookupByLibrary.simpleMessage("Albumy"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Wybierz albumy, które chcesz zobaczyć na ekranie głównym."), "allClear": MessageLookupByLibrary.simpleMessage("✨ Wszystko wyczyszczone"), "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( "Wszystkie wspomnienia zachowane"), "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( "Wszystkie grupy dla tej osoby zostaną zresetowane i stracisz wszystkie sugestie dla tej osoby"), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "Wszystkie nienazwane grupy zostaną scalone z wybraną osobą. To nadal może zostać cofnięte z przeglądu historii sugestii danej osoby."), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "To jest pierwsze w grupie. Inne wybrane zdjęcia zostaną automatycznie przesunięte w oparciu o tę nową datę"), "allow": MessageLookupByLibrary.simpleMessage("Zezwól"), "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( "Pozwól osobom z linkiem na dodawania zdjęć do udostępnionego albumu."), @@ -349,6 +421,7 @@ class MessageLookup extends MessageLookupByLibrary { "Android, iOS, Strona Internetowa, Aplikacja Komputerowa"), "androidSignInTitle": MessageLookupByLibrary.simpleMessage("Wymagane uwierzytelnienie"), + "appIcon": MessageLookupByLibrary.simpleMessage("Ikona aplikacji"), "appLock": MessageLookupByLibrary.simpleMessage( "Blokada dostępu do aplikacji"), "appLockDescriptions": MessageLookupByLibrary.simpleMessage( @@ -363,6 +436,10 @@ class MessageLookup extends MessageLookupByLibrary { "archiveAlbum": MessageLookupByLibrary.simpleMessage("Archiwizuj album"), "archiving": MessageLookupByLibrary.simpleMessage("Archiwizowanie..."), + "areThey": MessageLookupByLibrary.simpleMessage("Czy są "), + "areYouSureRemoveThisFaceFromPerson": + MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz usunąć tę twarz z tej osoby?"), "areYouSureThatYouWantToLeaveTheFamily": MessageLookupByLibrary.simpleMessage( "Czy jesteś pewien/pewna, że chcesz opuścić plan rodzinny?"), @@ -373,8 +450,16 @@ class MessageLookup extends MessageLookupByLibrary { "Czy na pewno chcesz zmienić swój plan?"), "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage("Czy na pewno chcesz wyjść?"), + "areYouSureYouWantToIgnoreThesePersons": + MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz zignorować te osoby?"), + "areYouSureYouWantToIgnoreThisPerson": + MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz zignorować tę osobę?"), "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( "Czy na pewno chcesz się wylogować?"), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz je scalić?"), "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( "Czy na pewno chcesz odnowić?"), "areYouSureYouWantToResetThisPerson": @@ -440,6 +525,7 @@ class MessageLookup extends MessageLookupByLibrary { "availableStorageSpace": m10, "backedUpFolders": MessageLookupByLibrary.simpleMessage("Foldery kopii zapasowej"), + "backgroundWithThem": m11, "backup": MessageLookupByLibrary.simpleMessage("Kopia zapasowa"), "backupFailed": MessageLookupByLibrary.simpleMessage( "Tworzenie kopii zapasowej nie powiodło się"), @@ -455,10 +541,37 @@ class MessageLookup extends MessageLookupByLibrary { "Elementy, których kopia zapasowa została utworzona, zostaną wyświetlone w tym miejscu"), "backupVideos": MessageLookupByLibrary.simpleMessage("Utwórz kopię zapasową wideo"), + "beach": MessageLookupByLibrary.simpleMessage("Piasek i morze"), "birthday": MessageLookupByLibrary.simpleMessage("Urodziny"), + "birthdayNotifications": + MessageLookupByLibrary.simpleMessage("Powiadomienia o urodzinach"), + "birthdays": MessageLookupByLibrary.simpleMessage("Urodziny"), "blackFridaySale": MessageLookupByLibrary.simpleMessage( "Wyprzedaż z okazji Czarnego Piątku"), "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cLDesc1": MessageLookupByLibrary.simpleMessage( + "W związku z uruchomieniem wersji beta przesyłania strumieniowego wideo oraz pracami nad możliwością wznawiania przesyłania i pobierania plików, zwiększyliśmy limit przesyłanych plików do 10 GB. Jest to już dostępne zarówno w aplikacjach na komputery, jak i na urządzenia mobilne."), + "cLDesc2": MessageLookupByLibrary.simpleMessage( + "Funkcja przesyłania w tle jest teraz obsługiwana również na urządzeniach z systemem iOS, oprócz urządzeń z Androidem. Nie trzeba już otwierać aplikacji, aby utworzyć kopię zapasową najnowszych zdjęć i filmów."), + "cLDesc3": MessageLookupByLibrary.simpleMessage( + "Wprowadziliśmy istotne ulepszenia w funkcji wspomnień, w tym automatyczne odtwarzanie, przesuwanie do kolejnego wspomnienia i wiele innych."), + "cLDesc4": MessageLookupByLibrary.simpleMessage( + "Wraz z kilkoma ulepszeniami w mechanizmie teraz znacznie łatwiej jest widzieć wszystkie wykryte twarze, zapewniać informacje zwrotne o podobnych twarzach i dodawać/usuwać twarze z jednego zdjęcia."), + "cLDesc5": MessageLookupByLibrary.simpleMessage( + "Od teraz otrzymasz powiadomienie z możliwością rezygnacji dotyczące wszystkich zapisanych urodzin w Ente, wraz z kolekcją najlepszych zdjęć danej osoby."), + "cLDesc6": MessageLookupByLibrary.simpleMessage( + "Nie musisz już czekać na zakończenie przesyłania ani pobierania, żeby móc zamknąć aplikację. Wszystkie operacje przesyłania i pobierania można teraz wstrzymać w dowolnym momencie i wznowić od miejsca, w którym zostały przerwane."), + "cLTitle1": MessageLookupByLibrary.simpleMessage( + "Przesyłanie Dużych Plików Wideo"), + "cLTitle2": MessageLookupByLibrary.simpleMessage("Przesyłanie w Tle"), + "cLTitle3": MessageLookupByLibrary.simpleMessage( + "Automatyczne Odtwarzanie Wspomnień"), + "cLTitle4": MessageLookupByLibrary.simpleMessage( + "Ulepszone Rozpoznawanie Twarzy"), + "cLTitle5": + MessageLookupByLibrary.simpleMessage("Powiadomienia o Urodzinach"), + "cLTitle6": MessageLookupByLibrary.simpleMessage( + "Wznawialne Przesyłanie i Pobieranie Danych"), "cachedData": MessageLookupByLibrary.simpleMessage("Dane w pamięci podręcznej"), "calculating": MessageLookupByLibrary.simpleMessage("Obliczanie..."), @@ -513,6 +626,7 @@ class MessageLookup extends MessageLookupByLibrary { "checking": MessageLookupByLibrary.simpleMessage("Sprawdzanie..."), "checkingModels": MessageLookupByLibrary.simpleMessage("Sprawdzanie modeli..."), + "city": MessageLookupByLibrary.simpleMessage("W mieście"), "claimFreeStorage": MessageLookupByLibrary.simpleMessage( "Odbierz bezpłatną przestrzeń dyskową"), "claimMore": MessageLookupByLibrary.simpleMessage("Zdobądź więcej!"), @@ -528,6 +642,8 @@ class MessageLookup extends MessageLookupByLibrary { "click": MessageLookupByLibrary.simpleMessage("• Kliknij"), "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( "• Kliknij na menu przepełnienia"), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Kliknij, aby zainstalować naszą najlepszą wersję"), "close": MessageLookupByLibrary.simpleMessage("Zamknij"), "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( "Club według czasu przechwycenia"), @@ -626,6 +742,8 @@ class MessageLookup extends MessageLookupByLibrary { "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( "Dostępna jest krytyczna aktualizacja"), "crop": MessageLookupByLibrary.simpleMessage("Kadruj"), + "curatedMemories": MessageLookupByLibrary.simpleMessage( + "Wyselekcjonowane wspomnienia"), "currentUsageIs": MessageLookupByLibrary.simpleMessage("Aktualne użycie to "), "currentlyRunning": @@ -669,6 +787,7 @@ class MessageLookup extends MessageLookupByLibrary { "deleteItemCount": m21, "deleteLocation": MessageLookupByLibrary.simpleMessage("Usuń lokalizację"), + "deleteMultipleAlbumDialog": m22, "deletePhotos": MessageLookupByLibrary.simpleMessage("Usuń zdjęcia"), "deleteProgress": m23, "deleteReason1": MessageLookupByLibrary.simpleMessage( @@ -704,6 +823,7 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Nie znaleziono urządzenia"), "didYouKnow": MessageLookupByLibrary.simpleMessage("Czy wiedziałeś/aś?"), + "different": MessageLookupByLibrary.simpleMessage("Inne"), "disableAutoLock": MessageLookupByLibrary.simpleMessage("Wyłącz automatyczną blokadę"), "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( @@ -747,6 +867,7 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage( "Czy chcesz odrzucić dokonane zmiany?"), "done": MessageLookupByLibrary.simpleMessage("Gotowe"), + "dontSave": MessageLookupByLibrary.simpleMessage("Nie zapisuj"), "doubleYourStorage": MessageLookupByLibrary.simpleMessage( "Podwój swoją przestrzeń dyskową"), "download": MessageLookupByLibrary.simpleMessage("Pobierz"), @@ -757,11 +878,13 @@ class MessageLookup extends MessageLookupByLibrary { "duplicateFileCountWithStorageSaved": m26, "duplicateItemsGroup": m27, "edit": MessageLookupByLibrary.simpleMessage("Edytuj"), + "editEmailAlreadyLinked": m28, "editLocation": MessageLookupByLibrary.simpleMessage("Edytuj lokalizację"), "editLocationTagTitle": MessageLookupByLibrary.simpleMessage("Edytuj lokalizację"), "editPerson": MessageLookupByLibrary.simpleMessage("Edytuj osobę"), + "editTime": MessageLookupByLibrary.simpleMessage("Edytuj czas"), "editsSaved": MessageLookupByLibrary.simpleMessage("Edycje zapisane"), "editsToLocationWillOnlyBeSeenWithinEnte": MessageLookupByLibrary.simpleMessage( @@ -771,6 +894,7 @@ class MessageLookup extends MessageLookupByLibrary { "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( "Adres e-mail jest już zarejestrowany."), "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, "emailNoEnteAccount": m31, "emailNotRegistered": MessageLookupByLibrary.simpleMessage( "Adres e-mail nie jest zarejestrowany."), @@ -838,6 +962,8 @@ class MessageLookup extends MessageLookupByLibrary { "Prosimy podać prawidłowy adres e-mail."), "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage("Podaj swój adres e-mail"), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Podaj swój nowy adres e-mail"), "enterYourPassword": MessageLookupByLibrary.simpleMessage("Wprowadź hasło"), "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( @@ -859,7 +985,10 @@ class MessageLookup extends MessageLookupByLibrary { "Twarz jeszcze nie zgrupowana, prosimy wrócić później"), "faceRecognition": MessageLookupByLibrary.simpleMessage("Rozpoznawanie twarzy"), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "Nie można wygenerować miniaturek twarzy"), "faces": MessageLookupByLibrary.simpleMessage("Twarze"), + "failed": MessageLookupByLibrary.simpleMessage("Nie powiodło się"), "failedToApplyCode": MessageLookupByLibrary.simpleMessage( "Nie udało się zastosować kodu"), "failedToCancel": @@ -893,8 +1022,11 @@ class MessageLookup extends MessageLookupByLibrary { "faqs": MessageLookupByLibrary.simpleMessage( "FAQ – Często zadawane pytania"), "favorite": MessageLookupByLibrary.simpleMessage("Dodaj do ulubionych"), + "feastingWithThem": m34, "feedback": MessageLookupByLibrary.simpleMessage("Opinia"), "file": MessageLookupByLibrary.simpleMessage("Plik"), + "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage( + "Nie można przeanalizować pliku"), "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( "Nie udało się zapisać pliku do galerii"), "fileInfoAddDescHint": @@ -916,6 +1048,7 @@ class MessageLookup extends MessageLookupByLibrary { "findThemQuickly": MessageLookupByLibrary.simpleMessage("Znajdź ich szybko"), "flip": MessageLookupByLibrary.simpleMessage("Obróć"), + "food": MessageLookupByLibrary.simpleMessage("Kulinarna rozkosz"), "forYourMemories": MessageLookupByLibrary.simpleMessage("dla twoich wspomnień"), "forgotPassword": @@ -950,11 +1083,14 @@ class MessageLookup extends MessageLookupByLibrary { "Zezwól na dostęp do wszystkich zdjęć w aplikacji Ustawienia"), "grantPermission": MessageLookupByLibrary.simpleMessage("Przyznaj uprawnienie"), + "greenery": MessageLookupByLibrary.simpleMessage("Zielone życie"), "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage("Grupuj pobliskie zdjęcia"), "guestView": MessageLookupByLibrary.simpleMessage("Widok gościa"), "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( "Aby włączyć widok gościa, należy skonfigurować hasło urządzenia lub blokadę ekranu w ustawieniach Twojego systemu."), + "happyBirthday": + MessageLookupByLibrary.simpleMessage("Wszystkiego najlepszego! 🥳"), "hearUsExplanation": MessageLookupByLibrary.simpleMessage( "Nie śledzimy instalacji aplikacji. Pomogłyby nam, gdybyś powiedział/a nam, gdzie nas znalazłeś/aś!"), "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( @@ -967,7 +1103,10 @@ class MessageLookup extends MessageLookupByLibrary { "Ukrywa zawartość aplikacji w przełączniku aplikacji i wyłącza zrzuty ekranu"), "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( "Ukrywa zawartość aplikacji w przełączniku aplikacji"), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Ukryj współdzielone elementy w galerii głównej"), "hiding": MessageLookupByLibrary.simpleMessage("Ukrywanie..."), + "hikingWithThem": m43, "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage("Hostowane w OSM Francja"), "howItWorks": MessageLookupByLibrary.simpleMessage("Jak to działa"), @@ -978,6 +1117,7 @@ class MessageLookup extends MessageLookupByLibrary { "iOSLockOut": MessageLookupByLibrary.simpleMessage( "Uwierzytelnianie biometryczne jest wyłączone. Prosimy zablokować i odblokować ekran, aby je włączyć."), "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), + "ignore": MessageLookupByLibrary.simpleMessage("Ignoruj"), "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignoruj"), "ignored": MessageLookupByLibrary.simpleMessage("ignorowane"), "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( @@ -998,6 +1138,10 @@ class MessageLookup extends MessageLookupByLibrary { "Nieprawidłowy klucz odzyskiwania"), "indexedItems": MessageLookupByLibrary.simpleMessage("Zindeksowane elementy"), + "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( + "Indeksowanie zostało wstrzymane. Zostanie automatycznie wznowione, gdy urządzenie będzie gotowe. Urządzenie uznaje się za gotowe, gdy poziom baterii, stan jej zdrowia oraz status termiczny znajdują się w bezpiecznym zakresie."), + "ineligible": + MessageLookupByLibrary.simpleMessage("Nie kwalifikuje się"), "info": MessageLookupByLibrary.simpleMessage("Informacje"), "insecureDevice": MessageLookupByLibrary.simpleMessage("Niezabezpieczone urządzenie"), @@ -1030,6 +1174,8 @@ class MessageLookup extends MessageLookupByLibrary { "Wybrane elementy zostaną usunięte z tego albumu"), "join": MessageLookupByLibrary.simpleMessage("Dołącz"), "joinAlbum": MessageLookupByLibrary.simpleMessage("Dołącz do albumu"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "Dołączenie do albumu sprawi, że Twój e-mail będzie widoczny dla jego uczestników."), "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( "aby wyświetlić i dodać swoje zdjęcia"), "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( @@ -1041,8 +1187,11 @@ class MessageLookup extends MessageLookupByLibrary { "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage("Pomóż nam z tą informacją"), "language": MessageLookupByLibrary.simpleMessage("Język"), + "lastTimeWithThem": m45, "lastUpdated": MessageLookupByLibrary.simpleMessage("Ostatnio zaktualizowano"), + "lastYearsTrip": + MessageLookupByLibrary.simpleMessage("Zeszłoroczna podróż"), "leave": MessageLookupByLibrary.simpleMessage("Wyjdź"), "leaveAlbum": MessageLookupByLibrary.simpleMessage("Opuść album"), "leaveFamily": MessageLookupByLibrary.simpleMessage("Opuść rodzinę"), @@ -1065,16 +1214,22 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Limit urządzeń"), "linkEmail": MessageLookupByLibrary.simpleMessage("Połącz adres e-mail"), + "linkEmailToContactBannerCaption": + MessageLookupByLibrary.simpleMessage("aby szybciej udostępniać"), "linkEnabled": MessageLookupByLibrary.simpleMessage("Aktywny"), "linkExpired": MessageLookupByLibrary.simpleMessage("Wygasł"), "linkExpiresOn": m47, "linkExpiry": MessageLookupByLibrary.simpleMessage("Wygaśnięcie linku"), "linkHasExpired": MessageLookupByLibrary.simpleMessage("Link wygasł"), "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Nigdy"), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, "livePhotos": MessageLookupByLibrary.simpleMessage("Zdjęcia Live Photo"), "loadMessage1": MessageLookupByLibrary.simpleMessage( "Możesz udostępnić swoją subskrypcję swojej rodzinie"), + "loadMessage2": MessageLookupByLibrary.simpleMessage( + "Do tej pory zachowaliśmy ponad 200 milionów wspomnień"), "loadMessage3": MessageLookupByLibrary.simpleMessage( "Przechowujemy 3 kopie Twoich danych, jedną w podziemnym schronie"), "loadMessage4": MessageLookupByLibrary.simpleMessage( @@ -1131,6 +1286,8 @@ class MessageLookup extends MessageLookupByLibrary { "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( "Długo naciśnij element, aby wyświetlić go na pełnym ekranie"), + "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( + "Spójrz ponownie na swoje wspomnienia 🌄"), "loopVideoOff": MessageLookupByLibrary.simpleMessage("Pętla wideo wyłączona"), "loopVideoOn": @@ -1160,7 +1317,12 @@ class MessageLookup extends MessageLookupByLibrary { "maps": MessageLookupByLibrary.simpleMessage("Mapy"), "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("Ja"), + "memories": MessageLookupByLibrary.simpleMessage("Wspomnienia"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Wybierz rodzaj wspomnień, które chcesz zobaczyć na ekranie głównym."), "merchandise": MessageLookupByLibrary.simpleMessage("Sklep"), + "merge": MessageLookupByLibrary.simpleMessage("Scal"), "mergeWithExisting": MessageLookupByLibrary.simpleMessage("Scal z istniejącym"), "mergedPhotos": MessageLookupByLibrary.simpleMessage("Scalone zdjęcia"), @@ -1185,11 +1347,15 @@ class MessageLookup extends MessageLookupByLibrary { "moments": MessageLookupByLibrary.simpleMessage("Momenty"), "month": MessageLookupByLibrary.simpleMessage("miesiąc"), "monthly": MessageLookupByLibrary.simpleMessage("Miesięcznie"), + "moon": MessageLookupByLibrary.simpleMessage("W świetle księżyca"), "moreDetails": MessageLookupByLibrary.simpleMessage("Więcej szczegółów"), "mostRecent": MessageLookupByLibrary.simpleMessage("Od najnowszych"), "mostRelevant": MessageLookupByLibrary.simpleMessage("Najbardziej trafne"), + "mountains": MessageLookupByLibrary.simpleMessage("Na wzgórzach"), + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "Przenieś wybrane zdjęcia na jedną datę"), "moveToAlbum": MessageLookupByLibrary.simpleMessage("Przenieś do albumu"), "moveToHiddenAlbum": @@ -1209,6 +1375,8 @@ class MessageLookup extends MessageLookupByLibrary { "newAlbum": MessageLookupByLibrary.simpleMessage("Nowy album"), "newLocation": MessageLookupByLibrary.simpleMessage("Nowa lokalizacja"), "newPerson": MessageLookupByLibrary.simpleMessage("Nowa osoba"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" nowe 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("Nowy zakres"), "newToEnte": MessageLookupByLibrary.simpleMessage("Nowy/a do Ente"), "newest": MessageLookupByLibrary.simpleMessage("Najnowsze"), "next": MessageLookupByLibrary.simpleMessage("Dalej"), @@ -1251,6 +1419,7 @@ class MessageLookup extends MessageLookupByLibrary { "noSystemLockFound": MessageLookupByLibrary.simpleMessage( "Nie znaleziono blokady systemowej"), "notPersonLabel": m54, + "notThisPerson": MessageLookupByLibrary.simpleMessage("Nie ta osoba?"), "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( "Nic Ci jeszcze nie udostępniono"), "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( @@ -1260,6 +1429,12 @@ class MessageLookup extends MessageLookupByLibrary { "onDevice": MessageLookupByLibrary.simpleMessage("Na urządzeniu"), "onEnte": MessageLookupByLibrary.simpleMessage("W ente"), + "onTheRoad": MessageLookupByLibrary.simpleMessage("Znowu na drodze"), + "onThisDay": MessageLookupByLibrary.simpleMessage("Tego dnia"), + "onThisDayMemories": + MessageLookupByLibrary.simpleMessage("Wspomnienia z tego dnia"), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "Otrzymuj przypomnienia o wspomnieniach z tego dnia w poprzednich latach."), "onlyFamilyAdminCanChangeCode": m55, "onlyThem": MessageLookupByLibrary.simpleMessage("Tylko te"), "oops": MessageLookupByLibrary.simpleMessage("Ups"), @@ -1283,6 +1458,10 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Lub złącz z istniejącymi"), "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage("Lub wybierz istniejący"), + "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( + "lub wybierz ze swoich kontaktów"), + "otherDetectedFaces": + MessageLookupByLibrary.simpleMessage("Inne wykryte twarze"), "pair": MessageLookupByLibrary.simpleMessage("Sparuj"), "pairWithPin": MessageLookupByLibrary.simpleMessage("Sparuj kodem PIN"), "pairingComplete": @@ -1302,6 +1481,8 @@ class MessageLookup extends MessageLookupByLibrary { "Siła hasła jest obliczana, biorąc pod uwagę długość hasła, użyte znaki, i czy hasło pojawi się w 10 000 najczęściej używanych haseł"), "passwordWarning": MessageLookupByLibrary.simpleMessage( "Nie przechowujemy tego hasła, więc jeśli go zapomnisz, nie będziemy w stanie odszyfrować Twoich danych"), + "pastYearsMemories": + MessageLookupByLibrary.simpleMessage("Wspomnienia z ubiegłych lat"), "paymentDetails": MessageLookupByLibrary.simpleMessage("Szczegóły płatności"), "paymentFailed": @@ -1316,13 +1497,18 @@ class MessageLookup extends MessageLookupByLibrary { "people": MessageLookupByLibrary.simpleMessage("Ludzie"), "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( "Osoby używające twojego kodu"), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Wybierz osoby, które chcesz zobaczyć na ekranie głównym."), "permDeleteWarning": MessageLookupByLibrary.simpleMessage( "Wszystkie elementy w koszu zostaną trwale usunięte\n\nTej czynności nie można cofnąć"), "permanentlyDelete": MessageLookupByLibrary.simpleMessage("Usuń trwale"), "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage("Trwale usunąć z urządzenia?"), + "personIsAge": m59, "personName": MessageLookupByLibrary.simpleMessage("Nazwa osoby"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("Futrzani towarzysze"), "photoDescriptions": MessageLookupByLibrary.simpleMessage("Opisy zdjęć"), "photoGridSize": @@ -1332,12 +1518,17 @@ class MessageLookup extends MessageLookupByLibrary { "photosAddedByYouWillBeRemovedFromTheAlbum": MessageLookupByLibrary.simpleMessage( "Zdjęcia dodane przez Ciebie zostaną usunięte z albumu"), + "photosKeepRelativeTimeDifference": + MessageLookupByLibrary.simpleMessage( + "Zdjęcia zachowują względną różnicę czasu"), "pickCenterPoint": MessageLookupByLibrary.simpleMessage("Wybierz punkt środkowy"), "pinAlbum": MessageLookupByLibrary.simpleMessage("Przypnij album"), "pinLock": MessageLookupByLibrary.simpleMessage("Blokada PIN"), "playOnTv": MessageLookupByLibrary.simpleMessage( "Odtwórz album na telewizorze"), + "playOriginal": + MessageLookupByLibrary.simpleMessage("Odtwórz oryginał"), "playStoreFreeTrialValidTill": m63, "playstoreSubscription": MessageLookupByLibrary.simpleMessage("Subskrypcja PlayStore"), @@ -1369,6 +1560,9 @@ class MessageLookup extends MessageLookupByLibrary { "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( "Prosimy poczekać chwilę przed ponowną próbą"), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "Prosimy czekać, to może zająć chwilę."), + "posingWithThem": m66, "preparingLogs": MessageLookupByLibrary.simpleMessage("Przygotowywanie logów..."), "preserveMore": MessageLookupByLibrary.simpleMessage("Zachowaj więcej"), @@ -1376,6 +1570,7 @@ class MessageLookup extends MessageLookupByLibrary { "Naciśnij i przytrzymaj, aby odtworzyć wideo"), "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( "Naciśnij i przytrzymaj obraz, aby odtworzyć wideo"), + "previous": MessageLookupByLibrary.simpleMessage("Poprzedni"), "privacy": MessageLookupByLibrary.simpleMessage("Prywatność"), "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage("Polityka Prywatności"), @@ -1385,17 +1580,25 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Udostępnianie prywatne"), "proceed": MessageLookupByLibrary.simpleMessage("Kontynuuj"), "processed": MessageLookupByLibrary.simpleMessage("Przetworzone"), + "processing": MessageLookupByLibrary.simpleMessage("Przetwarzanie"), "processingImport": m67, + "processingVideos": + MessageLookupByLibrary.simpleMessage("Przetwarzanie wideo"), "publicLinkCreated": MessageLookupByLibrary.simpleMessage("Utworzono publiczny link"), "publicLinkEnabled": MessageLookupByLibrary.simpleMessage("Publiczny link włączony"), + "questionmark": MessageLookupByLibrary.simpleMessage("?"), + "queued": MessageLookupByLibrary.simpleMessage("W kolejce"), "quickLinks": MessageLookupByLibrary.simpleMessage("Szybkie linki"), "radius": MessageLookupByLibrary.simpleMessage("Promień"), "raiseTicket": MessageLookupByLibrary.simpleMessage("Zgłoś"), "rateTheApp": MessageLookupByLibrary.simpleMessage("Oceń aplikację"), "rateUs": MessageLookupByLibrary.simpleMessage("Oceń nas"), "rateUsOnStore": m68, + "reassignedToName": m69, + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Otrzymuj przypomnienia, kiedy są czyjeś urodziny. Naciskając na powiadomienie zabierze Cię do zdjęć osoby, która ma urodziny."), "recover": MessageLookupByLibrary.simpleMessage("Odzyskaj"), "recoverAccount": MessageLookupByLibrary.simpleMessage("Odzyskaj konto"), @@ -1496,6 +1699,7 @@ class MessageLookup extends MessageLookupByLibrary { "reportBug": MessageLookupByLibrary.simpleMessage("Zgłoś błąd"), "resendEmail": MessageLookupByLibrary.simpleMessage("Wyślij e-mail ponownie"), + "reset": MessageLookupByLibrary.simpleMessage("Zresetuj"), "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage("Zresetuj zignorowane pliki"), "resetPasswordTitle": @@ -1517,12 +1721,20 @@ class MessageLookup extends MessageLookupByLibrary { "reviewSuggestions": MessageLookupByLibrary.simpleMessage("Przeglądaj sugestie"), "right": MessageLookupByLibrary.simpleMessage("W prawo"), + "roadtripWithThem": m76, "rotate": MessageLookupByLibrary.simpleMessage("Obróć"), "rotateLeft": MessageLookupByLibrary.simpleMessage("Obróć w lewo"), "rotateRight": MessageLookupByLibrary.simpleMessage("Obróć w prawo"), "safelyStored": MessageLookupByLibrary.simpleMessage("Bezpiecznie przechowywane"), + "same": MessageLookupByLibrary.simpleMessage("Identyczne"), + "sameperson": MessageLookupByLibrary.simpleMessage("Ta sama osoba?"), "save": MessageLookupByLibrary.simpleMessage("Zapisz"), + "saveAsAnotherPerson": + MessageLookupByLibrary.simpleMessage("Zapisz jako inną osobę"), + "saveChangesBeforeLeavingQuestion": + MessageLookupByLibrary.simpleMessage( + "Zapisać zmiany przed wyjściem?"), "saveCollage": MessageLookupByLibrary.simpleMessage("Zapisz kolaż"), "saveCopy": MessageLookupByLibrary.simpleMessage("Zapisz kopię"), "saveKey": MessageLookupByLibrary.simpleMessage("Zapisz klucz"), @@ -1583,6 +1795,7 @@ class MessageLookup extends MessageLookupByLibrary { "selectAllShort": MessageLookupByLibrary.simpleMessage("Wszystko"), "selectCoverPhoto": MessageLookupByLibrary.simpleMessage("Wybierz zdjęcie na okładkę"), + "selectDate": MessageLookupByLibrary.simpleMessage("Wybierz datę"), "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( "Wybierz foldery do stworzenia kopii zapasowej"), "selectItemsToAdd": @@ -1592,9 +1805,21 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Wybierz aplikację pocztową"), "selectMorePhotos": MessageLookupByLibrary.simpleMessage("Wybierz więcej zdjęć"), + "selectOneDateAndTime": + MessageLookupByLibrary.simpleMessage("Wybierz jedną datę i czas"), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "Wybierz jedną datę i czas dla wszystkich"), + "selectPersonToLink": + MessageLookupByLibrary.simpleMessage("Wybierz osobę do powiązania"), "selectReason": MessageLookupByLibrary.simpleMessage("Wybierz powód"), + "selectStartOfRange": + MessageLookupByLibrary.simpleMessage("Wybierz początek zakresu"), + "selectTime": MessageLookupByLibrary.simpleMessage("Wybierz czas"), + "selectYourFace": + MessageLookupByLibrary.simpleMessage("Wybierz swoją twarz"), "selectYourPlan": MessageLookupByLibrary.simpleMessage("Wybierz swój plan"), + "selectedAlbums": m79, "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage("Wybrane pliki nie są w Ente"), "selectedFoldersWillBeEncryptedAndBackedUp": @@ -1603,8 +1828,12 @@ class MessageLookup extends MessageLookupByLibrary { "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": MessageLookupByLibrary.simpleMessage( "Wybrane elementy zostaną usunięte ze wszystkich albumów i przeniesione do kosza."), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "Wybrane elementy zostaną usunięte z tej osoby, ale nie zostaną usunięte z Twojej biblioteki."), "selectedPhotos": m80, "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, "send": MessageLookupByLibrary.simpleMessage("Wyślij"), "sendEmail": MessageLookupByLibrary.simpleMessage("Wyślij e-mail"), "sendInvite": @@ -1661,8 +1890,14 @@ class MessageLookup extends MessageLookupByLibrary { "sharedWithYou": MessageLookupByLibrary.simpleMessage("Udostępnione z Tobą"), "sharing": MessageLookupByLibrary.simpleMessage("Udostępnianie..."), + "shiftDatesAndTime": + MessageLookupByLibrary.simpleMessage("Zmień daty i czas"), + "showLessFaces": + MessageLookupByLibrary.simpleMessage("Pokaż mniej twarzy"), "showMemories": MessageLookupByLibrary.simpleMessage("Pokaż wspomnienia"), + "showMoreFaces": + MessageLookupByLibrary.simpleMessage("Pokaż więcej twarzy"), "showPerson": MessageLookupByLibrary.simpleMessage("Pokaż osobę"), "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( "Wyloguj z pozostałych urządzeń"), @@ -1694,6 +1929,8 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage( "Coś poszło nie tak, spróbuj ponownie"), "sorry": MessageLookupByLibrary.simpleMessage("Przepraszamy"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "Przepraszamy, nie mogliśmy utworzyć kopii zapasowej tego pliku teraz, spróbujemy ponownie później."), "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( "Przepraszamy, nie udało się dodać do ulubionych!"), "sorryCouldNotRemoveFromFavorites": @@ -1705,6 +1942,8 @@ class MessageLookup extends MessageLookupByLibrary { "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": MessageLookupByLibrary.simpleMessage( "Przepraszamy, nie mogliśmy wygenerować bezpiecznych kluczy na tym urządzeniu.\n\nZarejestruj się z innego urządzenia."), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Przepraszamy, musieliśmy wstrzymać tworzenie kopii zapasowych"), "sort": MessageLookupByLibrary.simpleMessage("Sortuj"), "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sortuj według"), "sortNewestFirst": @@ -1712,6 +1951,10 @@ class MessageLookup extends MessageLookupByLibrary { "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Od najstarszych"), "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Sukces"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": + MessageLookupByLibrary.simpleMessage("Uwaga na siebie"), "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage("Rozpocznij odzyskiwanie"), "startBackup": MessageLookupByLibrary.simpleMessage( @@ -1746,6 +1989,7 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Pomyślnie odkryto"), "suggestFeatures": MessageLookupByLibrary.simpleMessage("Zaproponuj funkcje"), + "sunrise": MessageLookupByLibrary.simpleMessage("Na horyzoncie"), "support": MessageLookupByLibrary.simpleMessage("Wsparcie techniczne"), "syncProgress": m97, "syncStopped": @@ -1777,6 +2021,10 @@ class MessageLookup extends MessageLookupByLibrary { "theLinkYouAreTryingToAccessHasExpired": MessageLookupByLibrary.simpleMessage( "Link, do którego próbujesz uzyskać dostęp, wygasł."), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Grupy osób nie będą już wyświetlane w sekcji ludzi. Zdjęcia pozostaną nienaruszone."), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Osoba nie będzie już wyświetlana w sekcji ludzi. Zdjęcia pozostaną nienaruszone."), "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( "Wprowadzony klucz odzyskiwania jest nieprawidłowy"), @@ -1800,17 +2048,24 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Ten e-mail jest już używany"), "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( "Ten obraz nie posiada danych exif"), + "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("To ja!"), "thisIsPersonVerificationId": m100, "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( "To jest Twój Identyfikator Weryfikacji"), + "thisWeekThroughTheYears": + MessageLookupByLibrary.simpleMessage("Ten tydzień przez lata"), "thisWillLogYouOutOfTheFollowingDevice": MessageLookupByLibrary.simpleMessage( "To wyloguje Cię z tego urządzenia:"), "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( "To wyloguje Cię z tego urządzenia!"), + "thisWillMakeTheDateAndTimeOfAllSelected": + MessageLookupByLibrary.simpleMessage( + "To sprawi, że data i czas wszystkich wybranych zdjęć będą takie same."), "thisWillRemovePublicLinksOfAllSelectedQuickLinks": MessageLookupByLibrary.simpleMessage( "Spowoduje to usunięcie publicznych linków wszystkich zaznaczonych szybkich linków."), + "throughTheYears": m102, "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": MessageLookupByLibrary.simpleMessage( "Aby włączyć blokadę aplikacji, należy skonfigurować hasło urządzenia lub blokadę ekranu w ustawieniach systemu."), @@ -1826,6 +2081,7 @@ class MessageLookup extends MessageLookupByLibrary { "trash": MessageLookupByLibrary.simpleMessage("Kosz"), "trashDaysLeft": m103, "trim": MessageLookupByLibrary.simpleMessage("Przytnij"), + "tripInYear": m104, "trustedContacts": MessageLookupByLibrary.simpleMessage("Zaufane kontakty"), "trustedInviteBody": m106, @@ -1914,6 +2170,8 @@ class MessageLookup extends MessageLookupByLibrary { "Weryfikowanie klucza odzyskiwania..."), "videoInfo": MessageLookupByLibrary.simpleMessage("Informacje Wideo"), "videoSmallCase": MessageLookupByLibrary.simpleMessage("wideo"), + "videoStreaming": + MessageLookupByLibrary.simpleMessage("Streamowalne wideo"), "videos": MessageLookupByLibrary.simpleMessage("Wideo"), "viewActiveSessions": MessageLookupByLibrary.simpleMessage("Zobacz aktywne sesje"), @@ -1926,6 +2184,7 @@ class MessageLookup extends MessageLookupByLibrary { "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( "Wyświetl pliki zużywające największą ilość pamięci."), "viewLogs": MessageLookupByLibrary.simpleMessage("Wyświetl logi"), + "viewPersonToUnlink": m112, "viewRecoveryKey": MessageLookupByLibrary.simpleMessage("Zobacz klucz odzyskiwania"), "viewer": MessageLookupByLibrary.simpleMessage("Widz"), @@ -1947,6 +2206,8 @@ class MessageLookup extends MessageLookupByLibrary { "whatsNew": MessageLookupByLibrary.simpleMessage("Co nowego"), "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( "Zaufany kontakt może pomóc w odzyskaniu Twoich danych."), + "widgets": MessageLookupByLibrary.simpleMessage("Widżety"), + "wishThemAHappyBirthday": m115, "yearShort": MessageLookupByLibrary.simpleMessage("r"), "yearly": MessageLookupByLibrary.simpleMessage("Rocznie"), "yearsAgo": m116, @@ -1957,12 +2218,14 @@ class MessageLookup extends MessageLookupByLibrary { "yesDelete": MessageLookupByLibrary.simpleMessage("Tak, usuń"), "yesDiscardChanges": MessageLookupByLibrary.simpleMessage("Tak, odrzuć zmiany"), + "yesIgnore": MessageLookupByLibrary.simpleMessage("Tak, ignoruj"), "yesLogout": MessageLookupByLibrary.simpleMessage("Tak, wyloguj"), "yesRemove": MessageLookupByLibrary.simpleMessage("Tak, usuń"), "yesRenew": MessageLookupByLibrary.simpleMessage("Tak, Odnów"), "yesResetPerson": MessageLookupByLibrary.simpleMessage("Tak, zresetuj osobę"), "you": MessageLookupByLibrary.simpleMessage("Ty"), + "youAndThem": m117, "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage("Jesteś w planie rodzinnym!"), "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( @@ -2002,6 +2265,9 @@ class MessageLookup extends MessageLookupByLibrary { "Twoja subskrypcja została pomyślnie zaktualizowana"), "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( "Twój kod weryfikacyjny wygasł"), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "Nie masz zduplikowanych plików, które można wyczyścić"), "youveNoFilesInThisAlbumThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( "Nie masz żadnych plików w tym albumie, które można usunąć"), diff --git a/mobile/apps/photos/lib/generated/intl/messages_pt_BR.dart b/mobile/apps/photos/lib/generated/intl/messages_pt_BR.dart index 0b2505fff2..36bffa984a 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_pt_BR.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_pt_BR.dart @@ -1026,6 +1026,8 @@ class MessageLookup extends MessageLookupByLibrary { "Rosto não agrupado ainda, volte aqui mais tarde"), "faceRecognition": MessageLookupByLibrary.simpleMessage("Reconhecimento facial"), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "Incapaz de gerar miniaturas de rosto"), "faces": MessageLookupByLibrary.simpleMessage("Rostos"), "failed": MessageLookupByLibrary.simpleMessage("Falhou"), "failedToApplyCode": @@ -1063,6 +1065,8 @@ class MessageLookup extends MessageLookupByLibrary { "feastingWithThem": m34, "feedback": MessageLookupByLibrary.simpleMessage("Feedback"), "file": MessageLookupByLibrary.simpleMessage("Arquivo"), + "fileAnalysisFailed": + MessageLookupByLibrary.simpleMessage("Incapaz de analisar rosto"), "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( "Falhou ao salvar arquivo na galeria"), "fileInfoAddDescHint": diff --git a/mobile/apps/photos/lib/generated/intl/messages_pt_PT.dart b/mobile/apps/photos/lib/generated/intl/messages_pt_PT.dart index a4bdd9f09b..3d345d2865 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_pt_PT.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_pt_PT.dart @@ -1026,6 +1026,8 @@ class MessageLookup extends MessageLookupByLibrary { "Rosto não aglomerado ainda, retome mais tarde"), "faceRecognition": MessageLookupByLibrary.simpleMessage("Reconhecimento facial"), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "Impossível gerar thumbnails de rosto"), "faces": MessageLookupByLibrary.simpleMessage("Rostos"), "failed": MessageLookupByLibrary.simpleMessage("Falha"), "failedToApplyCode": @@ -1063,6 +1065,8 @@ class MessageLookup extends MessageLookupByLibrary { "feastingWithThem": m34, "feedback": MessageLookupByLibrary.simpleMessage("Comentário"), "file": MessageLookupByLibrary.simpleMessage("Ficheiro"), + "fileAnalysisFailed": + MessageLookupByLibrary.simpleMessage("Impossível analisar arquivo"), "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( "Falha ao guardar o ficheiro na galeria"), "fileInfoAddDescHint": diff --git a/mobile/apps/photos/lib/generated/intl/messages_ro.dart b/mobile/apps/photos/lib/generated/intl/messages_ro.dart index ea6407b424..60fa76c99c 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_ro.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_ro.dart @@ -75,7 +75,7 @@ class MessageLookup extends MessageLookupByLibrary { "Vă rugăm să trimiteți un e-mail la ${supportEmail} de pe adresa de e-mail înregistrată"; static String m26(count, storageSaved) => - "Ați curățat ${Intl.plural(count, one: '${count} dublură', other: '${count} de dubluri')}, economisind (${storageSaved}!)"; + "Ați curățat ${Intl.plural(count, one: '${count} dublură', few: '${count} dubluri', other: '${count} de dubluri')}, economisind (${storageSaved}!)"; static String m27(count, formattedSize) => "${count} fișiere, ${formattedSize} fiecare"; @@ -88,10 +88,10 @@ class MessageLookup extends MessageLookupByLibrary { static String m33(text) => "S-au găsit fotografii extra pentru ${text}"; static String m35(count, formattedNumber) => - "${Intl.plural(count, one: 'Un fișier de pe acest dispozitiv a fost deja salvat în siguranță', other: '${formattedNumber} de fișiere de pe acest dispozitiv fost deja salvate în siguranță')}"; + "${Intl.plural(count, one: 'Un fișier de pe acest dispozitiv a fost deja salvat în siguranță', few: '${formattedNumber} fișiere de pe acest dispozitiv au fost deja salvate în siguranță', other: '${formattedNumber} de fișiere de pe acest dispozitiv fost deja salvate în siguranță')}"; static String m36(count, formattedNumber) => - "${Intl.plural(count, one: 'Un fișier din acest album a fost deja salvat în siguranță', other: '${formattedNumber} de fișiere din acest album au fost deja salvate în siguranță')}"; + "${Intl.plural(count, one: 'Un fișier din acest album a fost deja salvat în siguranță', few: '${formattedNumber} fișiere din acest album au fost deja salvate în siguranță', other: '${formattedNumber} de fișiere din acest album au fost deja salvate în siguranță')}"; static String m37(storageAmountInGB) => "${storageAmountInGB} GB de fiecare dată când cineva se înscrie pentru un plan plătit și aplică codul dvs."; @@ -105,7 +105,7 @@ class MessageLookup extends MessageLookupByLibrary { "Se procesează ${currentlyProcessing} / ${totalCount}"; static String m44(count) => - "${Intl.plural(count, one: '${count} articol', other: '${count} de articole')}"; + "${Intl.plural(count, one: '${count} articol', few: '${count} articole', other: '${count} de articole')}"; static String m46(email) => "${email} v-a invitat să fiți un contact de încredere"; @@ -157,7 +157,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m75(endDate) => "Abonamentul se reînnoiește pe ${endDate}"; static String m77(count) => - "${Intl.plural(count, one: '${count} rezultat găsit', other: '${count} de rezultate găsite')}"; + "${Intl.plural(count, one: '${count} rezultat găsit', few: '${count} rezultate găsite', other: '${count} de rezultate găsite')}"; static String m78(snapshotLength, searchLength) => "Lungimea secțiunilor nu se potrivesc: ${snapshotLength} != ${searchLength}"; @@ -233,7 +233,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m114(email) => "Am trimis un e-mail la ${email}"; static String m116(count) => - "${Intl.plural(count, one: 'acum ${count} an', other: 'acum ${count} de ani')}"; + "${Intl.plural(count, one: 'acum ${count} an', few: 'acum ${count} ani', other: 'acum ${count} de ani')}"; static String m118(storageSaved) => "Ați eliberat cu succes ${storageSaved}!"; diff --git a/mobile/apps/photos/lib/generated/intl/messages_ru.dart b/mobile/apps/photos/lib/generated/intl/messages_ru.dart index 3955a25e92..cfb98a5709 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_ru.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_ru.dart @@ -322,7 +322,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m115(name) => "Поздравляем ${name} с днем ​​рождения! 🎉"; static String m116(count) => - "${Intl.plural(count, one: '${count} год назад', other: '${count} лет назад')}"; + "${Intl.plural(count, one: '${count} год назад', few: '${count} года назад', other: '${count} лет назад')}"; static String m117(name) => "Вы и ${name}"; @@ -1029,6 +1029,8 @@ class MessageLookup extends MessageLookupByLibrary { "Лицо ещё не кластеризовано. Пожалуйста, попробуйте позже"), "faceRecognition": MessageLookupByLibrary.simpleMessage("Распознавание лиц"), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "Не удалось создать миниатюры лиц"), "faces": MessageLookupByLibrary.simpleMessage("Лица"), "failed": MessageLookupByLibrary.simpleMessage("Не удалось"), "failedToApplyCode": @@ -1065,6 +1067,8 @@ class MessageLookup extends MessageLookupByLibrary { "feastingWithThem": m34, "feedback": MessageLookupByLibrary.simpleMessage("Обратная связь"), "file": MessageLookupByLibrary.simpleMessage("Файл"), + "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage( + "Не удалось проанализировать файл"), "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( "Не удалось сохранить файл в галерею"), "fileInfoAddDescHint": diff --git a/mobile/apps/photos/lib/generated/intl/messages_sr.dart b/mobile/apps/photos/lib/generated/intl/messages_sr.dart index baacea2a95..a548e788ca 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_sr.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_sr.dart @@ -20,6 +20,362 @@ typedef String MessageIfAbsent(String messageStr, List args); class MessageLookup extends MessageLookupByLibrary { String get localeName => 'sr'; + static String m8(count) => + "${Intl.plural(count, zero: 'Нека учесника', one: '1 учесник', other: '${count} учесника')}"; + + static String m25(supportEmail) => + "Молимо Вас да пошаљете имејл на ${supportEmail} са Ваше регистроване адресе е-поште"; + + static String m31(email) => + "${email} нема Енте налог.\n\nПошаљи им позивницу за дељење фотографија."; + + static String m47(expiryTime) => "Веза ће истећи ${expiryTime}"; + + static String m50(count, formattedCount) => + "${Intl.plural(count, zero: 'нема сећања', one: '${formattedCount} сећање', other: '${formattedCount} сећања')}"; + + static String m55(familyAdminEmail) => + "Молимо вас да контактирате ${familyAdminEmail} да бисте променили свој код."; + + static String m57(passwordStrengthValue) => + "Снага лозинке: ${passwordStrengthValue}"; + + static String m80(count) => "${count} изабрано"; + + static String m81(count, yourCount) => + "${count} изабрано (${yourCount} Ваше)"; + + static String m83(verificationID) => + "Ево мог ИД-а за верификацију: ${verificationID} за ente.io."; + + static String m84(verificationID) => + "Здраво, можеш ли да потврдиш да је ово твој ente.io ИД за верификацију: ${verificationID}"; + + static String m86(numberOfPeople) => + "${Intl.plural(numberOfPeople, zero: 'Подели са одређеним особама', one: 'Подељено са 1 особом', other: 'Подељено са ${numberOfPeople} особа')}"; + + static String m88(fileType) => + "Овај ${fileType} ће бити избрисан са твог уређаја."; + + static String m89(fileType) => + "Овај ${fileType} се налази и у Енте-у и на Вашем уређају."; + + static String m90(fileType) => "Овај ${fileType} ће бити избрисан из Енте-а."; + + static String m93(storageAmountInGB) => "${storageAmountInGB} ГБ"; + + static String m100(email) => "Ово је ИД за верификацију корисника ${email}"; + + static String m111(email) => "Верификуј ${email}"; + + static String m114(email) => "Послали смо е-попту на ${email}"; + final messages = _notInlinedMessages(_notInlinedMessages); - static Map _notInlinedMessages(_) => {}; + static Map _notInlinedMessages(_) => { + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("Добродошли назад!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Разумем да ако изгубим лозинку, могу изгубити своје податке пошто су шифрирани од краја до краја."), + "activeSessions": + MessageLookupByLibrary.simpleMessage("Активне сесије"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Напредно"), + "after1Day": MessageLookupByLibrary.simpleMessage("Након 1 дана"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Након 1 сата"), + "after1Month": MessageLookupByLibrary.simpleMessage("Након 1 месеца"), + "after1Week": MessageLookupByLibrary.simpleMessage("Након 1 недеље"), + "after1Year": MessageLookupByLibrary.simpleMessage("Након 1 године"), + "albumParticipantsCount": m8, + "albumUpdated": MessageLookupByLibrary.simpleMessage("Албум ажуриран"), + "albums": MessageLookupByLibrary.simpleMessage("Албуми"), + "apply": MessageLookupByLibrary.simpleMessage("Примени"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Примени кôд"), + "archive": MessageLookupByLibrary.simpleMessage("Архивирај"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Који је главни разлог што бришете свој налог?"), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Молимо вас да се аутентификујете да бисте видели датотеке у отпаду"), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Молимо вас да се аутентификујете да бисте видели скривене датотеке"), + "cancel": MessageLookupByLibrary.simpleMessage("Откажи"), + "change": MessageLookupByLibrary.simpleMessage("Измени"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Промени е-пошту"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("Промени лозинку"), + "changeYourReferralCode": + MessageLookupByLibrary.simpleMessage("Промени свој реферални код"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Молимо вас да проверите примљену пошту (и нежељену пошту) да бисте довршили верификацију"), + "codeAppliedPageTitle": + MessageLookupByLibrary.simpleMessage("Кôд примењен"), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Жао нам је, достигли сте максимум броја промена кôда."), + "codeCopiedToClipboard": + MessageLookupByLibrary.simpleMessage("Копирано у међуспремник"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Креирајте везу која омогућава људима да додају и прегледају фотографије у вашем дељеном албуму без потребе за Енте апликацијом или налогом. Одлично за прикупљање фотографија са догађаја."), + "collaborativeLink": + MessageLookupByLibrary.simpleMessage("Сарадничка веза"), + "collectPhotos": + MessageLookupByLibrary.simpleMessage("Прикупи фотографије"), + "confirm": MessageLookupByLibrary.simpleMessage("Потврди"), + "confirmAccountDeletion": + MessageLookupByLibrary.simpleMessage("Потврдите брисање налога"), + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Да, желим трајно да избришем овај налог и све његове податке у свим апликацијама."), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("Потврдите лозинку"), + "contactSupport": + MessageLookupByLibrary.simpleMessage("Контактирати подршку"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Настави"), + "copyLink": MessageLookupByLibrary.simpleMessage("Копирај везу"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Копирајте и налепите овај код \nу своју апликацију за аутентификацију"), + "createAccount": MessageLookupByLibrary.simpleMessage("Направи налог"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Дуго притисните да бисте изабрали фотографије и кликните на + да бисте направили албум"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("Креирај нови налог"), + "createPublicLink": + MessageLookupByLibrary.simpleMessage("Креирај јавну везу"), + "custom": MessageLookupByLibrary.simpleMessage("Прилагођено"), + "decrypting": MessageLookupByLibrary.simpleMessage("Дешифровање..."), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Обриши налог"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Жао нам је што одлазите. Молимо вас да нам оставите повратне информације како бисмо могли да се побољшамо."), + "deleteAccountPermanentlyButton": + MessageLookupByLibrary.simpleMessage("Трајно обриши налог"), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Молимо пошаљите имејл на account-deletion@ente.io са ваше регистроване адресе е-поште."), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage("Обриши са оба"), + "deleteFromDevice": + MessageLookupByLibrary.simpleMessage("Обриши са уређаја"), + "deleteFromEnte": + MessageLookupByLibrary.simpleMessage("Обриши са Енте-а"), + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Недостаје важна функција која ми је потребна"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "Апликација или одређена функција не ради онако како мислим да би требало"), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Пронашао/ла сам други сервис који ми више одговара"), + "deleteReason4": + MessageLookupByLibrary.simpleMessage("Мој разлог није на листи"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Ваш захтев ће бити обрађен у року од 72 сата."), + "doThisLater": + MessageLookupByLibrary.simpleMessage("Уради ово касније"), + "done": MessageLookupByLibrary.simpleMessage("Готово"), + "dropSupportEmail": m25, + "email": MessageLookupByLibrary.simpleMessage("Е-пошта"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "Е-пошта је већ регистрована."), + "emailNoEnteAccount": m31, + "emailNotRegistered": + MessageLookupByLibrary.simpleMessage("Е-пошта није регистрована."), + "encryption": MessageLookupByLibrary.simpleMessage("Шифровање"), + "encryptionKeys": + MessageLookupByLibrary.simpleMessage("Кључеви шифровања"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Енте-у је потребна дозвола да сачува ваше фотографије"), + "enterCode": MessageLookupByLibrary.simpleMessage("Унесите кôд"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Унеси код који ти је дао пријатељ да бисте обоје добили бесплатан простор за складиштење"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Унесите нову лозинку коју можемо да користимо за шифровање ваших података"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Унесите лозинку коју можемо да користимо за шифровање ваших података"), + "enterReferralCode": + MessageLookupByLibrary.simpleMessage("Унеси реферални код"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Унесите 6-цифрени кôд из\nапликације за аутентификацију"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Молимо унесите исправну адресу е-поште."), + "enterYourEmailAddress": + MessageLookupByLibrary.simpleMessage("Унесите Вашу е-пошту"), + "enterYourNewEmailAddress": + MessageLookupByLibrary.simpleMessage("Унесите Вашу нову е-пошту"), + "enterYourPassword": + MessageLookupByLibrary.simpleMessage("Унесите лозинку"), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Унесите Ваш кључ за опоравак"), + "failedToApplyCode": + MessageLookupByLibrary.simpleMessage("Грешка у примењивању кôда"), + "failedToLoadAlbums": + MessageLookupByLibrary.simpleMessage("Грешка при учитавању албума"), + "feedback": + MessageLookupByLibrary.simpleMessage("Повратне информације"), + "forgotPassword": + MessageLookupByLibrary.simpleMessage("Заборавио сам лозинку"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Генерисање кључева за шифровање..."), + "hidden": MessageLookupByLibrary.simpleMessage("Скривено"), + "howItWorks": MessageLookupByLibrary.simpleMessage("Како ради"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Молимо их да дуго притисну своју адресу е-поште на екрану за подешавања и провере да ли се ИД-ови на оба уређаја поклапају."), + "importing": MessageLookupByLibrary.simpleMessage("Увоз...."), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("Неисправна лозинка"), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Унети кључ за опоравак је натачан"), + "incorrectRecoveryKeyTitle": + MessageLookupByLibrary.simpleMessage("Нетачан кључ за опоравак"), + "insecureDevice": + MessageLookupByLibrary.simpleMessage("Уређај није сигуран"), + "invalidEmailAddress": + MessageLookupByLibrary.simpleMessage("Неисправна е-пошта"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Љубазно вас молимо да нам помогнете са овим информацијама"), + "linkExpiresOn": m47, + "linkHasExpired": + MessageLookupByLibrary.simpleMessage("Веза је истекла"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Пријави се"), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Кликом на пријаву, прихватам услове сервиса и политику приватности"), + "manageLink": MessageLookupByLibrary.simpleMessage("Управљај везом"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Управљај"), + "memoryCount": m50, + "moderateStrength": MessageLookupByLibrary.simpleMessage("Средње"), + "movedToTrash": + MessageLookupByLibrary.simpleMessage("Премештено у смеће"), + "never": MessageLookupByLibrary.simpleMessage("Никад"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Нови албум"), + "noRecoveryKey": + MessageLookupByLibrary.simpleMessage("Немате кључ за опоравак?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Због природе нашег протокола за крај-до-крај енкрипцију, ваши подаци не могу бити дешифровани без ваше лозинке или кључа за опоравак"), + "ok": MessageLookupByLibrary.simpleMessage("Ок"), + "onlyFamilyAdminCanChangeCode": m55, + "oops": MessageLookupByLibrary.simpleMessage("Упс!"), + "password": MessageLookupByLibrary.simpleMessage("Лозинка"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Лозинка је успешно промењена"), + "passwordStrength": m57, + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Не чувамо ову лозинку, па ако је заборавите, не можемо дешифрирати ваше податке"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("слика"), + "pleaseTryAgain": + MessageLookupByLibrary.simpleMessage("Пробајте поново"), + "pleaseWait": + MessageLookupByLibrary.simpleMessage("Молимо сачекајте..."), + "privacyPolicyTitle": + MessageLookupByLibrary.simpleMessage("Политика приватности"), + "publicLinkEnabled": + MessageLookupByLibrary.simpleMessage("Јавна веза је укључена"), + "recover": MessageLookupByLibrary.simpleMessage("Опорави"), + "recoverAccount": + MessageLookupByLibrary.simpleMessage("Опоравак налога"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Опорави"), + "recoveryKey": MessageLookupByLibrary.simpleMessage("Кључ за опоравак"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Кључ за опоравак је копиран у међуспремник"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Ако заборавите лозинку, једини начин на који можете повратити податке је са овим кључем."), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Не чувамо овај кључ, молимо да сачувате кључ од 24 речи на сигурном месту."), + "recoverySuccessful": + MessageLookupByLibrary.simpleMessage("Опоравак успешан!"), + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Тренутни уређај није довољно моћан да потврди вашу лозинку, али можемо регенерирати на начин који ради са свим уређајима.\n\nПријавите се помоћу кључа за опоравак и обновите своју лозинку (можете поново користити исту ако желите)."), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("Рекреирај лозинку"), + "removeLink": MessageLookupByLibrary.simpleMessage("Уклони везу"), + "resendEmail": + MessageLookupByLibrary.simpleMessage("Поново пошаљи е-пошту"), + "resetPasswordTitle": + MessageLookupByLibrary.simpleMessage("Ресетуј лозинку"), + "saveKey": MessageLookupByLibrary.simpleMessage("Сачувај кључ"), + "scanCode": MessageLookupByLibrary.simpleMessage("Скенирајте кôд"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Скенирајте овај баркод \nсвојом апликацијом за аутентификацију"), + "selectReason": + MessageLookupByLibrary.simpleMessage("Одаберите разлог"), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "sendEmail": MessageLookupByLibrary.simpleMessage("Пошаљи е-пошту"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Пошаљи позивницу"), + "sendLink": MessageLookupByLibrary.simpleMessage("Пошаљи везу"), + "setPasswordTitle": + MessageLookupByLibrary.simpleMessage("Постави лозинку"), + "setupComplete": + MessageLookupByLibrary.simpleMessage("Постављање завршено"), + "shareALink": MessageLookupByLibrary.simpleMessage("Подели везу"), + "shareMyVerificationID": m83, + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Преузми Енте да бисмо лако делили фотографије и видео записе у оригиналном квалитету\n\nhttps://ente.io"), + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Пошаљи корисницима који немају Енте налог"), + "shareWithPeopleSectionTitle": m86, + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Креирај дељене и заједничке албуме са другим Енте корисницима, укључујући и оне на бесплатним плановима."), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Прихватам услове сервиса и политику приватности"), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Биће обрисано из свих албума."), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Особе које деле албуме с тобом би требале да виде исти ИД на свом уређају."), + "somethingWentWrong": + MessageLookupByLibrary.simpleMessage("Нешто није у реду"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Нешто је пошло наопако, покушајте поново"), + "sorry": MessageLookupByLibrary.simpleMessage("Извините"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Извините, не можемо да генеришемо сигурне кључеве на овом уређају.\n\nМолимо пријавите се са другог уређаја."), + "storageInGB": m93, + "strongStrength": MessageLookupByLibrary.simpleMessage("Јако"), + "tapToCopy": + MessageLookupByLibrary.simpleMessage("питисните да копирате"), + "tapToEnterCode": + MessageLookupByLibrary.simpleMessage("Пипните да бисте унели кôд"), + "terminate": MessageLookupByLibrary.simpleMessage("Прекини"), + "terminateSession": + MessageLookupByLibrary.simpleMessage("Прекинути сесију?"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Услови"), + "thisDevice": MessageLookupByLibrary.simpleMessage("Овај уређај"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Ово је Ваш ИД за верификацију"), + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Ово ће вас одјавити са овог уређаја:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Ово ће вас одјавити са овог уређаја!"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Да бисте ресетовали лозинку, прво потврдите своју е-пошту."), + "trash": MessageLookupByLibrary.simpleMessage("Смеће"), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Постављање двофакторске аутентификације"), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Жао нам је, овај кôд није доступан."), + "uncategorized": + MessageLookupByLibrary.simpleMessage("Некатегоризовано"), + "useRecoveryKey": + MessageLookupByLibrary.simpleMessage("Користи кључ за опоравак"), + "verificationId": + MessageLookupByLibrary.simpleMessage("ИД за верификацију"), + "verify": MessageLookupByLibrary.simpleMessage("Верификуј"), + "verifyEmail": + MessageLookupByLibrary.simpleMessage("Верификуј е-пошту"), + "verifyEmailID": m111, + "verifyPassword": + MessageLookupByLibrary.simpleMessage("Верификујте лозинку"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("видео"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Слабо"), + "welcomeBack": + MessageLookupByLibrary.simpleMessage("Добродошли назад!"), + "yesDelete": MessageLookupByLibrary.simpleMessage("Да, обриши"), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Не можеш делити сам са собом"), + "yourAccountHasBeenDeleted": + MessageLookupByLibrary.simpleMessage("Ваш налог је обрисан") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_sv.dart b/mobile/apps/photos/lib/generated/intl/messages_sv.dart index 46120eaaf9..80ddab1271 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_sv.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_sv.dart @@ -53,7 +53,8 @@ class MessageLookup extends MessageLookupByLibrary { static String m37(storageAmountInGB) => "${storageAmountInGB} GB varje gång någon registrerar sig för en betalplan och tillämpar din kod"; - static String m44(count) => "${Intl.plural(count, other: '${count} objekt')}"; + static String m44(count) => + "${Intl.plural(count, one: '${count} objekt', other: '${count} objekt')}"; static String m47(expiryTime) => "Länken upphör att gälla ${expiryTime}"; @@ -73,7 +74,7 @@ class MessageLookup extends MessageLookupByLibrary { "${userEmail} kommer att tas bort från detta delade album\n\nAlla bilder som lagts till av dem kommer också att tas bort från albumet"; static String m77(count) => - "${Intl.plural(count, other: '${count} resultat hittades')}"; + "${Intl.plural(count, one: '${count} resultat hittades', other: '${count} resultat hittades')}"; static String m83(verificationID) => "Här är mitt verifierings-ID: ${verificationID} för ente.io."; @@ -102,7 +103,7 @@ class MessageLookup extends MessageLookupByLibrary { "Vi har skickat ett e-postmeddelande till ${email}"; static String m116(count) => - "${Intl.plural(count, other: '${count} år sedan')}"; + "${Intl.plural(count, one: '${count} år sedan', other: '${count} år sedan')}"; final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { diff --git a/mobile/apps/photos/lib/generated/intl/messages_tr.dart b/mobile/apps/photos/lib/generated/intl/messages_tr.dart index b0070facc8..3529148c3c 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_tr.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_tr.dart @@ -157,7 +157,7 @@ class MessageLookup extends MessageLookupByLibrary { "Bu, ${personName} ile ${email} arasında bağlantı kuracaktır."; static String m50(count, formattedCount) => - "${Intl.plural(count, zero: 'hiç anı yok', other: '${formattedCount} anı')}"; + "${Intl.plural(count, zero: 'hiç anı yok', one: '${formattedCount} anı', other: '${formattedCount} anı')}"; static String m51(count) => "${Intl.plural(count, one: 'Öğeyi taşı', other: 'Öğeleri taşı')}"; @@ -223,7 +223,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m76(name) => "${name} ile yolculuk"; static String m77(count) => - "${Intl.plural(count, other: '${count} yıl önce')}"; + "${Intl.plural(count, one: '${count} yıl önce', other: '${count} yıl önce')}"; static String m78(snapshotLength, searchLength) => "Bölüm uzunluğu uyuşmazlığı: ${snapshotLength} != ${searchLength}"; @@ -320,8 +320,10 @@ class MessageLookup extends MessageLookupByLibrary { static String m114(email) => "E-postayı ${email} adresine gönderdik"; + static String m115(name) => "${name} doğum günü kutlu olsun! 🎉"; + static String m116(count) => - "${Intl.plural(count, other: '${count} yıl önce')}"; + "${Intl.plural(count, one: '${count} yıl önce', other: '${count} yıl önce')}"; static String m117(name) => "Sen ve ${name}"; @@ -352,6 +354,8 @@ class MessageLookup extends MessageLookupByLibrary { "addAName": MessageLookupByLibrary.simpleMessage("Bir Ad Ekle"), "addANewEmail": MessageLookupByLibrary.simpleMessage("Yeni e-posta ekle"), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Ana ekranınıza bir albüm widget\'ı ekleyin ve özelleştirmek için buraya geri dönün."), "addCollaborator": MessageLookupByLibrary.simpleMessage("Düzenleyici ekle"), "addCollaborators": m1, @@ -360,6 +364,8 @@ class MessageLookup extends MessageLookupByLibrary { "addItem": m2, "addLocation": MessageLookupByLibrary.simpleMessage("Konum Ekle"), "addLocationButton": MessageLookupByLibrary.simpleMessage("Ekle"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Ana ekranınıza bir anılar widget\'ı ekleyin ve özelleştirmek için buraya geri dönün."), "addMore": MessageLookupByLibrary.simpleMessage("Daha fazla ekle"), "addName": MessageLookupByLibrary.simpleMessage("İsim Ekle"), "addNameOrMerge": MessageLookupByLibrary.simpleMessage( @@ -372,6 +378,8 @@ class MessageLookup extends MessageLookupByLibrary { "addOns": MessageLookupByLibrary.simpleMessage("Eklentiler"), "addParticipants": MessageLookupByLibrary.simpleMessage("Katılımcı ekle"), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Ana ekranınıza bir kişiler widget\'ı ekleyin ve özelleştirmek için buraya geri dönün."), "addPhotos": MessageLookupByLibrary.simpleMessage("Fotoğraf ekle"), "addSelected": MessageLookupByLibrary.simpleMessage("Seçileni ekle"), "addToAlbum": MessageLookupByLibrary.simpleMessage("Albüme ekle"), @@ -403,11 +411,16 @@ class MessageLookup extends MessageLookupByLibrary { "albumUpdated": MessageLookupByLibrary.simpleMessage("Albüm güncellendi"), "albums": MessageLookupByLibrary.simpleMessage("Albümler"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Ana ekranınızda görmek istediğiniz albümleri seçin."), "allClear": MessageLookupByLibrary.simpleMessage("✨ Tümü temizlendi"), "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage("Tüm anılar saklandı"), "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( "Bu kişi için tüm gruplamalar sıfırlanacak ve bu kişi için yaptığınız tüm önerileri kaybedeceksiniz"), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "Tüm isimsiz gruplar seçilen kişiyle birleştirilecektir. Bu, kişinin öneri geçmişine genel bakışından hala geri alınabilir."), "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( "Bu, gruptaki ilk fotoğraftır. Seçilen diğer fotoğraflar otomatik olarak bu yeni tarihe göre kaydırılacaktır"), "allow": MessageLookupByLibrary.simpleMessage("İzin ver"), @@ -459,6 +472,10 @@ class MessageLookup extends MessageLookupByLibrary { "archive": MessageLookupByLibrary.simpleMessage("Arşiv"), "archiveAlbum": MessageLookupByLibrary.simpleMessage("Albümü arşivle"), "archiving": MessageLookupByLibrary.simpleMessage("Arşivleniyor..."), + "areThey": MessageLookupByLibrary.simpleMessage("Onlar mı "), + "areYouSureRemoveThisFaceFromPerson": + MessageLookupByLibrary.simpleMessage( + "Bu yüzü bu kişiden çıkarmak istediğine emin misin?"), "areYouSureThatYouWantToLeaveTheFamily": MessageLookupByLibrary.simpleMessage( "Aile planından ayrılmak istediğinize emin misiniz?"), @@ -469,8 +486,16 @@ class MessageLookup extends MessageLookupByLibrary { "Planı değistirmek istediğinize emin misiniz?"), "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( "Çıkmak istediğinden emin misiniz?"), + "areYouSureYouWantToIgnoreThesePersons": + MessageLookupByLibrary.simpleMessage( + "Bu insanları görmezden gelmek istediğine emin misiniz?"), + "areYouSureYouWantToIgnoreThisPerson": + MessageLookupByLibrary.simpleMessage( + "Bu kişiyi görmezden gelmek istediğine emin misin?"), "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( "Çıkış yapmak istediğinize emin misiniz?"), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "Onları birleştirmek istediğine emin misiniz?"), "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( "Yenilemek istediğinize emin misiniz?"), "areYouSureYouWantToResetThisPerson": @@ -552,9 +577,35 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Videoları yedekle"), "beach": MessageLookupByLibrary.simpleMessage("Kum ve deniz"), "birthday": MessageLookupByLibrary.simpleMessage("Doğum Günü"), + "birthdayNotifications": + MessageLookupByLibrary.simpleMessage("Doğum günü bildirimleri"), + "birthdays": MessageLookupByLibrary.simpleMessage("Doğum Günleri"), "blackFridaySale": MessageLookupByLibrary.simpleMessage("Muhteşem Cuma kampanyası"), "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cLDesc1": MessageLookupByLibrary.simpleMessage( + "Video akışı beta sürümünün arkasında ve devam ettirilebilir yüklemeler ve indirmeler üzerinde çalışırken, artık dosya yükleme sınırını 10 GB\'a çıkardık. Bu artık hem masaüstü hem de mobil uygulamalarda kullanılabilir."), + "cLDesc2": MessageLookupByLibrary.simpleMessage( + "Arka plan yüklemeleri artık Android cihazlara ek olarak iOS\'ta da destekleniyor. En son fotoğraflarınızı ve videolarınızı yedeklemek için uygulamayı açmanıza gerek yok."), + "cLDesc3": MessageLookupByLibrary.simpleMessage( + "Otomatik oynatma, bir sonraki belleğe kaydırma ve çok daha fazlası dahil olmak üzere bellek deneyimimizde önemli iyileştirmeler yaptık."), + "cLDesc4": MessageLookupByLibrary.simpleMessage( + "Bazı arka plandaki iyileştirmelere ek olarak, artık tespit edilen tüm yüzleri görmek, benzer yüzler hakkında geri bildirimde bulunmak ve tek bir fotoğraftan yüz ekleyip çıkarmak çok daha kolay."), + "cLDesc5": MessageLookupByLibrary.simpleMessage( + "Ente’ye kaydettiğiniz tüm doğum günleri için artık en iyi fotoğraflarından oluşan bir koleksiyonla birlikte, devre dışı bırakabileceğiniz bir bildirim alacaksınız."), + "cLDesc6": MessageLookupByLibrary.simpleMessage( + "Uygulamayı kapatmadan önce yüklemelerin / indirmelerin tamamlanmasını beklemenize gerek yok. Tüm yüklemeler ve indirmeler artık yarıda duraklatma ve kaldığınız yerden devam etme özelliğine sahip."), + "cLTitle1": MessageLookupByLibrary.simpleMessage( + "Büyük Video Dosyalarını Yükleme"), + "cLTitle2": MessageLookupByLibrary.simpleMessage("Arka Plan Yükleme"), + "cLTitle3": + MessageLookupByLibrary.simpleMessage("Otomatik Oynatma Anıları"), + "cLTitle4": + MessageLookupByLibrary.simpleMessage("Geliştirilmiş Yüz Tanıma"), + "cLTitle5": + MessageLookupByLibrary.simpleMessage("Doğum Günü Bildirimleri"), + "cLTitle6": MessageLookupByLibrary.simpleMessage( + "Devam Ettirilebilir Yüklemeler ve İndirmeler"), "cachedData": MessageLookupByLibrary.simpleMessage("Önbelleğe alınmış veriler"), "calculating": MessageLookupByLibrary.simpleMessage("Hesaplanıyor..."), @@ -595,7 +646,7 @@ class MessageLookup extends MessageLookupByLibrary { "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( "Seçilen öğelerin konumu değiştirilsin mi?"), "changePassword": - MessageLookupByLibrary.simpleMessage("Sifrenizi değiştirin"), + MessageLookupByLibrary.simpleMessage("Şifrenizi değiştirin"), "changePasswordTitle": MessageLookupByLibrary.simpleMessage("Parolanızı değiştirin"), "changePermissions": @@ -628,6 +679,8 @@ class MessageLookup extends MessageLookupByLibrary { "click": MessageLookupByLibrary.simpleMessage("• Tıklamak"), "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage("• Taşma menüsüne tıklayın"), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Bugüne kadarki en iyi sürümümüzü yüklemek için tıklayın"), "close": MessageLookupByLibrary.simpleMessage("Kapat"), "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( "Yakalama zamanına göre kulüp"), @@ -809,6 +862,7 @@ class MessageLookup extends MessageLookupByLibrary { "deviceNotFound": MessageLookupByLibrary.simpleMessage("Cihaz bulunamadı"), "didYouKnow": MessageLookupByLibrary.simpleMessage("Biliyor musun?"), + "different": MessageLookupByLibrary.simpleMessage("Farklı"), "disableAutoLock": MessageLookupByLibrary.simpleMessage( "Otomatik kilidi devre dışı bırak"), "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( @@ -875,13 +929,13 @@ class MessageLookup extends MessageLookupByLibrary { "Konumda yapılan düzenlemeler yalnızca Ente\'de görülecektir"), "eligible": MessageLookupByLibrary.simpleMessage("uygun"), "email": MessageLookupByLibrary.simpleMessage("E-Posta"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "Bu e-posta adresi zaten kayıtlı."), + "emailAlreadyRegistered": + MessageLookupByLibrary.simpleMessage("E-posta zaten kayıtlı."), "emailChangedTo": m29, "emailDoesNotHaveEnteAccount": m30, "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "Bu e-posta adresi sistemde kayıtlı değil."), + "emailNotRegistered": + MessageLookupByLibrary.simpleMessage("E-posta kayıtlı değil."), "emailVerificationToggle": MessageLookupByLibrary.simpleMessage("E-posta doğrulama"), "emailYourLogs": MessageLookupByLibrary.simpleMessage( @@ -906,7 +960,7 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Yedekleme şifreleniyor..."), "encryption": MessageLookupByLibrary.simpleMessage("Şifreleme"), "encryptionKeys": - MessageLookupByLibrary.simpleMessage("Sifreleme anahtarı"), + MessageLookupByLibrary.simpleMessage("Şifreleme anahtarı"), "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( "Fatura başarıyla güncellendi"), "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( @@ -947,7 +1001,7 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage( "Doğrulama uygulamasındaki 6 basamaklı kodu giriniz"), "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Lütfen geçerli bir E-posta adresi girin."), + "Lütfen geçerli bir e-posta adresi girin."), "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage("E-posta adresinizi girin"), "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( @@ -1069,6 +1123,8 @@ class MessageLookup extends MessageLookupByLibrary { "guestView": MessageLookupByLibrary.simpleMessage("Misafir Görünümü"), "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( "Misafir görünümünü etkinleştirmek için lütfen sistem ayarlarınızda cihaz şifresi veya ekran kilidi ayarlayın."), + "happyBirthday": + MessageLookupByLibrary.simpleMessage("Doğum günün kutlu olsun! 🥳"), "hearUsExplanation": MessageLookupByLibrary.simpleMessage( "Biz uygulama kurulumlarını takip etmiyoruz. Bizi nereden duyduğunuzdan bahsetmeniz bize çok yardımcı olacak!"), "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( @@ -1095,6 +1151,7 @@ class MessageLookup extends MessageLookupByLibrary { "iOSLockOut": MessageLookupByLibrary.simpleMessage( "Biyometrik kimlik doğrulama devre dışı. Etkinleştirmek için lütfen ekranınızı kilitleyin ve kilidini açın."), "iOSOkButton": MessageLookupByLibrary.simpleMessage("Tamam"), + "ignore": MessageLookupByLibrary.simpleMessage("Yoksay"), "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Yoksay"), "ignored": MessageLookupByLibrary.simpleMessage("yoksayıldı"), "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( @@ -1115,6 +1172,8 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Yanlış kurtarma kodu"), "indexedItems": MessageLookupByLibrary.simpleMessage("Dizinlenmiş öğeler"), + "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( + "Dizin oluşturma duraklatıldı. Cihaz hazır olduğunda otomatik olarak devam edecektir. Cihaz, pil seviyesi, pil sağlığı ve termal durumu sağlıklı bir aralıkta olduğunda hazır kabul edilir."), "ineligible": MessageLookupByLibrary.simpleMessage("Uygun Değil"), "info": MessageLookupByLibrary.simpleMessage("Bilgi"), "insecureDevice": @@ -1265,6 +1324,8 @@ class MessageLookup extends MessageLookupByLibrary { "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( "Tam ekranda görüntülemek için bir öğeye uzun basın"), + "lookBackOnYourMemories": + MessageLookupByLibrary.simpleMessage("Anılarına bir bak 🌄"), "loopVideoOff": MessageLookupByLibrary.simpleMessage("Video Döngüsü Kapalı"), "loopVideoOn": @@ -1293,8 +1354,12 @@ class MessageLookup extends MessageLookupByLibrary { "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), "me": MessageLookupByLibrary.simpleMessage("Ben"), + "memories": MessageLookupByLibrary.simpleMessage("Anılar"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Ana ekranınızda görmek istediğiniz anı türünü seçin."), "memoryCount": m50, "merchandise": MessageLookupByLibrary.simpleMessage("Ürünler"), + "merge": MessageLookupByLibrary.simpleMessage("Birleştir"), "mergeWithExisting": MessageLookupByLibrary.simpleMessage("Var olan ile birleştir."), "mergedPhotos": @@ -1346,6 +1411,7 @@ class MessageLookup extends MessageLookupByLibrary { "newAlbum": MessageLookupByLibrary.simpleMessage("Yeni albüm"), "newLocation": MessageLookupByLibrary.simpleMessage("Yeni konum"), "newPerson": MessageLookupByLibrary.simpleMessage("Yeni Kişi"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" yeni 📸"), "newRange": MessageLookupByLibrary.simpleMessage("Yeni aralık"), "newToEnte": MessageLookupByLibrary.simpleMessage("Ente\'de yeniyim"), "newest": MessageLookupByLibrary.simpleMessage("En yeni"), @@ -1401,6 +1467,10 @@ class MessageLookup extends MessageLookupByLibrary { "ente üzerinde"), "onTheRoad": MessageLookupByLibrary.simpleMessage("Yeniden yollarda"), "onThisDay": MessageLookupByLibrary.simpleMessage("Bu günde"), + "onThisDayMemories": + MessageLookupByLibrary.simpleMessage("Bugün anılar"), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "Önceki yıllarda bu günden anılar hakkında hatırlatıcılar alın."), "onlyFamilyAdminCanChangeCode": m55, "onlyThem": MessageLookupByLibrary.simpleMessage("Sadece onlar"), "oops": MessageLookupByLibrary.simpleMessage("Hay aksi"), @@ -1425,6 +1495,8 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Veya mevcut birini seçiniz"), "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( "veya kişilerinizden birini seçin"), + "otherDetectedFaces": + MessageLookupByLibrary.simpleMessage("Tespit edilen diğer yüzler"), "pair": MessageLookupByLibrary.simpleMessage("Eşleştir"), "pairWithPin": MessageLookupByLibrary.simpleMessage("PIN ile eşleştirin"), @@ -1446,6 +1518,8 @@ class MessageLookup extends MessageLookupByLibrary { "Parola gücü, parolanın uzunluğu, kullanılan karakterler ve parolanın en çok kullanılan ilk 10.000 parola arasında yer alıp almadığı dikkate alınarak hesaplanır"), "passwordWarning": MessageLookupByLibrary.simpleMessage( "Şifrelerinizi saklamıyoruz, bu yüzden unutursanız, verilerinizi deşifre edemeyiz"), + "pastYearsMemories": + MessageLookupByLibrary.simpleMessage("Geçmiş yılların anıları"), "paymentDetails": MessageLookupByLibrary.simpleMessage("Ödeme detayları"), "paymentFailed": @@ -1459,6 +1533,8 @@ class MessageLookup extends MessageLookupByLibrary { "people": MessageLookupByLibrary.simpleMessage("Kişiler"), "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage("Kodunuzu kullananlar"), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Ana ekranınızda görmek istediğiniz kişileri seçin."), "permDeleteWarning": MessageLookupByLibrary.simpleMessage( "Çöp kutusundaki tüm öğeler kalıcı olarak silinecek\n\nBu işlem geri alınamaz"), "permanentlyDelete": @@ -1549,6 +1625,7 @@ class MessageLookup extends MessageLookupByLibrary { "Herkese açık bağlantı oluşturuldu"), "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( "Herkese açık bağlantı aktive edildi"), + "questionmark": MessageLookupByLibrary.simpleMessage("?"), "queued": MessageLookupByLibrary.simpleMessage("Kuyrukta"), "quickLinks": MessageLookupByLibrary.simpleMessage("Hızlı Erişim"), "radius": MessageLookupByLibrary.simpleMessage("Yarıçap"), @@ -1562,6 +1639,8 @@ class MessageLookup extends MessageLookupByLibrary { "reassignedToName": m69, "reassigningLoading": MessageLookupByLibrary.simpleMessage("Yeniden atanıyor..."), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Birinin doğum günü olduğunda hatırlatıcılar alın. Bildirime dokunmak sizi doğum günü kişisinin fotoğraflarına götürecektir."), "recover": MessageLookupByLibrary.simpleMessage("Kurtarma"), "recoverAccount": MessageLookupByLibrary.simpleMessage("Hesabı kurtar"), "recoverButton": MessageLookupByLibrary.simpleMessage("Kurtar"), @@ -1593,7 +1672,7 @@ class MessageLookup extends MessageLookupByLibrary { "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( "Cihazınız, şifrenizi doğrulamak için yeterli güce sahip değil, ancak tüm cihazlarda çalışacak şekilde yeniden oluşturabiliriz.\n\nLütfen kurtarma anahtarınızı kullanarak giriş yapın ve şifrenizi yeniden oluşturun (istediğiniz takdirde aynı şifreyi tekrar kullanabilirsiniz)."), "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Sifrenizi tekrardan oluşturun"), + "Şifrenizi tekrardan oluşturun"), "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), "reenterPassword": MessageLookupByLibrary.simpleMessage("Şifrenizi tekrar girin"), @@ -1663,6 +1742,7 @@ class MessageLookup extends MessageLookupByLibrary { "reportBug": MessageLookupByLibrary.simpleMessage("Hata bildir"), "resendEmail": MessageLookupByLibrary.simpleMessage("E-postayı yeniden gönder"), + "reset": MessageLookupByLibrary.simpleMessage("Sıfırla"), "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( "Yok sayılan dosyaları sıfırla"), "resetPasswordTitle": @@ -1689,7 +1769,11 @@ class MessageLookup extends MessageLookupByLibrary { "rotateRight": MessageLookupByLibrary.simpleMessage("Sağa döndür"), "safelyStored": MessageLookupByLibrary.simpleMessage("Güvenle saklanır"), + "same": MessageLookupByLibrary.simpleMessage("Aynı"), + "sameperson": MessageLookupByLibrary.simpleMessage("Aynı kişi mi?"), "save": MessageLookupByLibrary.simpleMessage("Kaydet"), + "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage( + "Başka bir kişi olarak kaydet"), "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( "Çıkmadan önce değişiklikler kaydedilsin mi?"), @@ -1853,7 +1937,11 @@ class MessageLookup extends MessageLookupByLibrary { "sharing": MessageLookupByLibrary.simpleMessage("Paylaşılıyor..."), "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage("Vardiya tarihleri ve saati"), + "showLessFaces": + MessageLookupByLibrary.simpleMessage("Daha az yüz göster"), "showMemories": MessageLookupByLibrary.simpleMessage("Anıları göster"), + "showMoreFaces": + MessageLookupByLibrary.simpleMessage("Daha fazla yüz göster"), "showPerson": MessageLookupByLibrary.simpleMessage("Kişiyi Göster"), "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage("Diğer cihazlardan çıkış yap"), @@ -1869,6 +1957,7 @@ class MessageLookup extends MessageLookupByLibrary { "singleFileInBothLocalAndRemote": m89, "singleFileInRemoteOnly": m90, "skip": MessageLookupByLibrary.simpleMessage("Geç"), + "smartMemories": MessageLookupByLibrary.simpleMessage("Akıllı anılar"), "social": MessageLookupByLibrary.simpleMessage("Sosyal Medya"), "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( @@ -1898,6 +1987,8 @@ class MessageLookup extends MessageLookupByLibrary { "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": MessageLookupByLibrary.simpleMessage( "Üzgünüm, bu cihazda güvenli anahtarlarını oluşturamadık.\n\nLütfen başka bir cihazdan giriş yapmayı deneyiniz."), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Üzgünüm, yedeklemenizi duraklatmak zorunda kaldık"), "sort": MessageLookupByLibrary.simpleMessage("Sırala"), "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sırala"), "sortNewestFirst": @@ -1973,6 +2064,10 @@ class MessageLookup extends MessageLookupByLibrary { "theLinkYouAreTryingToAccessHasExpired": MessageLookupByLibrary.simpleMessage( "Erişmeye çalıştığınız bağlantının süresi dolmuştur."), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Kişi grupları artık kişiler bölümünde görüntülenmeyecek. Fotoğraflar dokunulmadan kalacaktır."), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Kişi artık kişiler bölümünde görüntülenmeyecek. Fotoğraflar dokunulmadan kalacaktır."), "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( "Girdiğiniz kurtarma kodu yanlış"), @@ -2159,6 +2254,8 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Tekrardan hoşgeldin!"), "whatsNew": MessageLookupByLibrary.simpleMessage("Yenilikler"), "whyAddTrustContact": MessageLookupByLibrary.simpleMessage("."), + "widgets": MessageLookupByLibrary.simpleMessage("Widget\'lar"), + "wishThemAHappyBirthday": m115, "yearShort": MessageLookupByLibrary.simpleMessage("yıl"), "yearly": MessageLookupByLibrary.simpleMessage("Yıllık"), "yearsAgo": m116, @@ -2169,6 +2266,8 @@ class MessageLookup extends MessageLookupByLibrary { "yesDelete": MessageLookupByLibrary.simpleMessage("Evet, sil"), "yesDiscardChanges": MessageLookupByLibrary.simpleMessage("Evet, değişiklikleri sil"), + "yesIgnore": + MessageLookupByLibrary.simpleMessage("Evet, görmezden gel"), "yesLogout": MessageLookupByLibrary.simpleMessage("Evet, oturumu kapat"), "yesRemove": MessageLookupByLibrary.simpleMessage("Evet, sil"), diff --git a/mobile/apps/photos/lib/generated/intl/messages_uk.dart b/mobile/apps/photos/lib/generated/intl/messages_uk.dart index 378559591a..4288b1f243 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_uk.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_uk.dart @@ -104,7 +104,7 @@ class MessageLookup extends MessageLookupByLibrary { "Обробка ${currentlyProcessing} / ${totalCount}"; static String m44(count) => - "${Intl.plural(count, one: '${count} елемент', other: '${count} елементів')}"; + "${Intl.plural(count, one: '${count} елемент', few: '${count} елементи', many: '${count} елементів', other: '${count} елементів')}"; static String m46(email) => "${email} запросив вас стати довіреною особою"; @@ -154,7 +154,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m75(endDate) => "Передплата поновиться ${endDate}"; static String m77(count) => - "${Intl.plural(count, one: 'Знайдено ${count} результат', other: 'Знайдено ${count} результати')}"; + "${Intl.plural(count, one: 'Знайдено ${count} результат', few: 'Знайдено ${count} результати', many: 'Знайдено ${count} результатів', other: 'Знайдено ${count} результати')}"; static String m78(snapshotLength, searchLength) => "Невідповідність довжини розділів: ${snapshotLength} != ${searchLength}"; diff --git a/mobile/apps/photos/lib/generated/intl/messages_vi.dart b/mobile/apps/photos/lib/generated/intl/messages_vi.dart index cff3edf144..8f44e52987 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_vi.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_vi.dart @@ -46,7 +46,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m9(versionValue) => "Phiên bản: ${versionValue}"; static String m10(freeAmount, storageUnit) => - "${freeAmount} ${storageUnit} còn trống"; + "${freeAmount} ${storageUnit} trống"; static String m11(name) => "Ngắm cảnh với ${name}"; @@ -87,7 +87,7 @@ class MessageLookup extends MessageLookupByLibrary { "${Intl.plural(count, one: 'Xóa ${count} mục', other: 'Xóa ${count} mục')}"; static String m22(count) => - "Xóa luôn các tấm ảnh (và video) có trong ${count} album khỏi toàn bộ album khác cũng đang chứa chúng?"; + "Xóa luôn ảnh (và video) trong ${count} album này khỏi toàn bộ album khác cũng đang chứa chúng?"; static String m23(currentlyDeleting, totalCount) => "Đang xóa ${currentlyDeleting} / ${totalCount}"; @@ -120,10 +120,10 @@ class MessageLookup extends MessageLookupByLibrary { static String m34(name) => "Tiệc tùng với ${name}"; static String m35(count, formattedNumber) => - "${Intl.plural(count, other: '${formattedNumber} tệp')} trên thiết bị này đã được sao lưu an toàn"; + "${Intl.plural(count, other: '${formattedNumber} tệp')} trên thiết bị đã được sao lưu an toàn"; static String m36(count, formattedNumber) => - "${Intl.plural(count, other: '${formattedNumber} tệp')} trong album này đã được sao lưu an toàn"; + "${Intl.plural(count, other: '${formattedNumber} tệp')} trong album đã được sao lưu an toàn"; static String m37(storageAmountInGB) => "${storageAmountInGB} GB mỗi khi ai đó đăng ký gói trả phí và áp dụng mã của bạn"; @@ -131,12 +131,12 @@ class MessageLookup extends MessageLookupByLibrary { static String m38(endDate) => "Dùng thử miễn phí áp dụng đến ${endDate}"; static String m39(count) => - "Bạn vẫn có thể truy cập ${Intl.plural(count, one: 'chúng', other: 'chúng')} trên Ente miễn là bạn có một gói đăng ký"; + "Bạn vẫn có thể truy cập ${Intl.plural(count, one: 'chúng', other: 'chúng')} trên Ente, miễn là gói của bạn còn hiệu lực"; static String m40(sizeInMBorGB) => "Giải phóng ${sizeInMBorGB}"; static String m41(count, formattedSize) => - "${Intl.plural(count, one: 'Có thể xóa khỏi thiết bị để giải phóng ${formattedSize}', other: 'Có thể xóa khỏi thiết bị để giải phóng ${formattedSize}')}"; + "${Intl.plural(count, one: 'Xóa chúng khỏi thiết bị để giải phóng ${formattedSize}', other: 'Xóa chúng khỏi thiết bị để giải phóng ${formattedSize}')}"; static String m42(currentlyProcessing, totalCount) => "Đang xử lý ${currentlyProcessing} / ${totalCount}"; @@ -158,7 +158,7 @@ class MessageLookup extends MessageLookupByLibrary { "Việc này sẽ liên kết ${personName} với ${email}"; static String m50(count, formattedCount) => - "${Intl.plural(count, zero: 'chưa có ảnh', other: '${formattedCount} ảnh')}"; + "${Intl.plural(count, zero: 'chưa có kỷ niệm', other: '${formattedCount} kỷ niệm')}"; static String m51(count) => "${Intl.plural(count, one: 'Di chuyển mục', other: 'Di chuyển các mục')}"; @@ -196,7 +196,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m64(toEmail) => "Vui lòng gửi email cho chúng tôi tại ${toEmail}"; - static String m65(toEmail) => "Vui lòng gửi file log đến \n${toEmail}"; + static String m65(toEmail) => "Vui lòng gửi nhật ký đến \n${toEmail}"; static String m66(name) => "Làm dáng với ${name}"; @@ -270,7 +270,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m94( usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => - "${usedAmount} ${usedStorageUnit} trên ${totalAmount} ${totalStorageUnit} đã sử dụng"; + "${usedAmount} ${usedStorageUnit} / ${totalAmount} ${totalStorageUnit} đã dùng"; static String m95(id) => "ID ${id} của bạn đã được liên kết với một tài khoản Ente khác.\nNếu bạn muốn sử dụng ID ${id} này với tài khoản này, vui lòng liên hệ bộ phận hỗ trợ của chúng tôi."; @@ -294,7 +294,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m102(dateFormat) => "${dateFormat} qua các năm"; static String m103(count) => - "${Intl.plural(count, zero: 'Sắp tới', one: '1 ngày', other: '${count} ngày')}"; + "${Intl.plural(count, zero: 'Sắp xóa', one: '1 ngày', other: '${count} ngày')}"; static String m104(year) => "Phượt năm ${year}"; @@ -346,7 +346,7 @@ class MessageLookup extends MessageLookupByLibrary { "accountWelcomeBack": MessageLookupByLibrary.simpleMessage("Chào mừng bạn trở lại!"), "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Tôi hiểu rằng nếu tôi mất mật khẩu, tôi có thể mất dữ liệu của mình vì dữ liệu của tôi được mã hóa đầu cuối."), + "Tôi hiểu rằng nếu mất mật khẩu, dữ liệu của tôi sẽ mất vì nó được mã hóa đầu cuối."), "actionNotSupportedOnFavouritesAlbum": MessageLookupByLibrary.simpleMessage( "Hành động không áp dụng trong album Đã thích"), @@ -369,7 +369,7 @@ class MessageLookup extends MessageLookupByLibrary { "addLocationButton": MessageLookupByLibrary.simpleMessage("Thêm"), "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( "Thêm tiện ích kỷ niệm vào màn hình chính và quay lại đây để tùy chỉnh."), - "addMore": MessageLookupByLibrary.simpleMessage("Thêm nữa"), + "addMore": MessageLookupByLibrary.simpleMessage("Thêm nhiều hơn"), "addName": MessageLookupByLibrary.simpleMessage("Thêm tên"), "addNameOrMerge": MessageLookupByLibrary.simpleMessage("Thêm tên hoặc hợp nhất"), @@ -548,7 +548,7 @@ class MessageLookup extends MessageLookupByLibrary { "authenticationSuccessful": MessageLookupByLibrary.simpleMessage("Xác thực thành công!"), "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Bạn sẽ thấy các thiết bị Cast có sẵn ở đây."), + "Bạn sẽ thấy các thiết bị phát khả dụng ở đây."), "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( "Hãy chắc rằng quyền Mạng cục bộ đã được bật cho ứng dụng Ente Photos, trong Cài đặt."), "autoLock": MessageLookupByLibrary.simpleMessage("Khóa tự động"), @@ -556,9 +556,9 @@ class MessageLookup extends MessageLookupByLibrary { "Sau thời gian này, ứng dụng sẽ khóa sau khi được chạy ở chế độ nền"), "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( "Do sự cố kỹ thuật, bạn đã bị đăng xuất. Chúng tôi xin lỗi vì sự bất tiện."), - "autoPair": MessageLookupByLibrary.simpleMessage("Ghép nối tự động"), + "autoPair": MessageLookupByLibrary.simpleMessage("Kết nối tự động"), "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "Ghép nối tự động chỉ hoạt động với các thiết bị hỗ trợ Chromecast."), + "Kết nối tự động chỉ hoạt động với các thiết bị hỗ trợ Chromecast."), "available": MessageLookupByLibrary.simpleMessage("Có sẵn"), "availableStorageSpace": m10, "backedUpFolders": @@ -568,8 +568,8 @@ class MessageLookup extends MessageLookupByLibrary { "backupFailed": MessageLookupByLibrary.simpleMessage("Sao lưu thất bại"), "backupFile": MessageLookupByLibrary.simpleMessage("Sao lưu tệp"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Sao lưu bằng dữ liệu di động"), + "backupOverMobileData": + MessageLookupByLibrary.simpleMessage("Sao lưu với dữ liệu di động"), "backupSettings": MessageLookupByLibrary.simpleMessage("Cài đặt sao lưu"), "backupStatus": @@ -590,7 +590,7 @@ class MessageLookup extends MessageLookupByLibrary { "cLDesc2": MessageLookupByLibrary.simpleMessage( "Tải lên trong nền hiện đã hỗ trợ trên iOS và Android. Không cần phải mở ứng dụng để sao lưu ảnh và video mới nhất của bạn."), "cLDesc3": MessageLookupByLibrary.simpleMessage( - "Chúng tôi đã có những cải tiến đáng kể cho trải nghiệm kỷ niệm, bao gồm phát tự động, vuốt đến kỷ niệm tiếp theo và nhiều tính năng khác."), + "Chúng tôi đã có những cải tiến đáng kể cho trải nghiệm kỷ niệm, bao gồm tự phát, vuốt xem kỷ niệm tiếp theo và nhiều tính năng khác."), "cLDesc4": MessageLookupByLibrary.simpleMessage( "Cùng với một loạt cải tiến nội bộ, giờ đây bạn có thể dễ dàng xem tất cả khuôn mặt đã phát hiện, cung cấp phản hồi về các khuôn mặt giống nhau và thêm/xóa khuôn mặt khỏi một bức ảnh."), "cLDesc5": MessageLookupByLibrary.simpleMessage( @@ -639,8 +639,8 @@ class MessageLookup extends MessageLookupByLibrary { "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage("Không thể phát album"), "castInstruction": MessageLookupByLibrary.simpleMessage( - "Truy cập cast.ente.io trên thiết bị bạn muốn ghép nối.\n\nNhập mã dưới đây để phát album trên TV của bạn."), - "centerPoint": MessageLookupByLibrary.simpleMessage("Điểm trung tâm"), + "Truy cập cast.ente.io trên thiết bị bạn muốn kết nối.\n\nNhập mã dưới đây để phát album trên TV của bạn."), + "centerPoint": MessageLookupByLibrary.simpleMessage("Tâm điểm"), "change": MessageLookupByLibrary.simpleMessage("Thay đổi"), "changeEmail": MessageLookupByLibrary.simpleMessage("Đổi email"), "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( @@ -693,7 +693,7 @@ class MessageLookup extends MessageLookupByLibrary { "Mã đã được sao chép vào bộ nhớ tạm"), "codeUsedByYou": MessageLookupByLibrary.simpleMessage("Mã bạn đã dùng"), "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Tạo một liên kết để cho phép mọi người thêm và xem ảnh trong album chia sẻ của bạn mà không cần ứng dụng hoặc tài khoản Ente. Tuyệt vời để thu thập ảnh sự kiện."), + "Tạo một liên kết cho phép mọi người thêm và xem ảnh trong album chia sẻ của bạn mà không cần ứng dụng hoặc tài khoản Ente. Phù hợp để thu thập ảnh sự kiện."), "collaborativeLink": MessageLookupByLibrary.simpleMessage("Liên kết cộng tác"), "collaborativeLinkCreatedFor": m15, @@ -775,7 +775,7 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Cập nhật quan trọng có sẵn"), "crop": MessageLookupByLibrary.simpleMessage("Cắt xén"), "curatedMemories": - MessageLookupByLibrary.simpleMessage("Ký ức lưu giữ"), + MessageLookupByLibrary.simpleMessage("Kỷ niệm đáng nhớ"), "currentUsageIs": MessageLookupByLibrary.simpleMessage("Dung lượng hiện tại "), "currentlyRunning": MessageLookupByLibrary.simpleMessage("đang chạy"), @@ -799,7 +799,7 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Xóa tài khoản vĩnh viễn"), "deleteAlbum": MessageLookupByLibrary.simpleMessage("Xóa album"), "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Xóa luôn các tấm ảnh (và video) có trong album này khỏi toàn bộ album khác cũng đang chứa chúng?"), + "Xóa luôn ảnh (và video) trong album này khỏi toàn bộ album khác cũng đang chứa chúng?"), "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( "Tất cả album trống sẽ bị xóa. Sẽ hữu ích khi bạn muốn giảm bớt sự lộn xộn trong danh sách album của mình."), "deleteAll": MessageLookupByLibrary.simpleMessage("Xóa tất cả"), @@ -856,7 +856,7 @@ class MessageLookup extends MessageLookupByLibrary { "disableAutoLock": MessageLookupByLibrary.simpleMessage("Vô hiệu hóa khóa tự động"), "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Người xem vẫn có thể chụp ảnh màn hình hoặc sao chép ảnh của bạn bằng các công cụ bên ngoài"), + "Người xem vẫn có thể chụp màn hình hoặc sao chép ảnh của bạn bằng các công cụ bên ngoài"), "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage("Xin lưu ý"), "disableLinkMessage": m24, @@ -882,7 +882,8 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Ảnh chụp màn hình"), "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfie"), "discover_sunset": MessageLookupByLibrary.simpleMessage("Hoàng hôn"), - "discover_visiting_cards": MessageLookupByLibrary.simpleMessage("Thẻ"), + "discover_visiting_cards": + MessageLookupByLibrary.simpleMessage("Danh thiếp"), "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Hình nền"), "dismiss": MessageLookupByLibrary.simpleMessage("Bỏ qua"), "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), @@ -928,7 +929,7 @@ class MessageLookup extends MessageLookupByLibrary { "emailVerificationToggle": MessageLookupByLibrary.simpleMessage("Xác minh email"), "emailYourLogs": - MessageLookupByLibrary.simpleMessage("Gửi log qua email"), + MessageLookupByLibrary.simpleMessage("Gửi nhật ký qua email"), "embracingThem": m32, "emergencyContacts": MessageLookupByLibrary.simpleMessage("Liên hệ khẩn cấp"), @@ -942,8 +943,8 @@ class MessageLookup extends MessageLookupByLibrary { "Bật học máy để tìm kiếm vi diệu và nhận diện khuôn mặt"), "enableMaps": MessageLookupByLibrary.simpleMessage("Kích hoạt Bản đồ"), "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "Ảnh của bạn sẽ hiển thị trên bản đồ thế giới.\n\nBản đồ được lưu trữ bởi OpenStreetMap, và vị trí chính xác ảnh của bạn không bao giờ được chia sẻ.\n\nBạn có thể tắt tính năng này bất cứ lúc nào từ Cài đặt."), - "enabled": MessageLookupByLibrary.simpleMessage("Đã bật"), + "Ảnh của bạn sẽ hiển thị trên bản đồ thế giới.\n\nBản đồ được lưu trữ bởi OpenStreetMap và vị trí chính xác ảnh của bạn không bao giờ được chia sẻ.\n\nBạn có thể tắt tính năng này bất cứ lúc nào từ Cài đặt."), + "enabled": MessageLookupByLibrary.simpleMessage("Bật"), "encryptingBackup": MessageLookupByLibrary.simpleMessage("Đang mã hóa sao lưu..."), "encryption": MessageLookupByLibrary.simpleMessage("Mã hóa"), @@ -1001,7 +1002,7 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Người dùng hiện tại"), "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( "Liên kết này đã hết hạn. Vui lòng chọn thời gian hết hạn mới hoặc tắt tính năng hết hạn liên kết."), - "exportLogs": MessageLookupByLibrary.simpleMessage("Xuất file log"), + "exportLogs": MessageLookupByLibrary.simpleMessage("Xuất nhật ký"), "exportYourData": MessageLookupByLibrary.simpleMessage("Xuất dữ liệu của bạn"), "extraPhotosFound": @@ -1011,6 +1012,8 @@ class MessageLookup extends MessageLookupByLibrary { "Khuôn mặt chưa được phân cụm, vui lòng quay lại sau"), "faceRecognition": MessageLookupByLibrary.simpleMessage("Nhận diện khuôn mặt"), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "Không thể tạo ảnh thu nhỏ khuôn mặt"), "faces": MessageLookupByLibrary.simpleMessage("Khuôn mặt"), "failed": MessageLookupByLibrary.simpleMessage("Không thành công"), "failedToApplyCode": @@ -1046,6 +1049,8 @@ class MessageLookup extends MessageLookupByLibrary { "feastingWithThem": m34, "feedback": MessageLookupByLibrary.simpleMessage("Phản hồi"), "file": MessageLookupByLibrary.simpleMessage("Tệp"), + "fileAnalysisFailed": + MessageLookupByLibrary.simpleMessage("Không thể xác định tệp"), "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( "Không thể lưu tệp vào thư viện"), "fileInfoAddDescHint": @@ -1091,7 +1096,7 @@ class MessageLookup extends MessageLookupByLibrary { "freeUpSpaceSaving": m41, "gallery": MessageLookupByLibrary.simpleMessage("Thư viện"), "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "Mỗi thư viện chứa tối đa 1000 ảnh"), + "Mỗi thư viện chứa tối đa 1000 ảnh và video"), "general": MessageLookupByLibrary.simpleMessage("Chung"), "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage("Đang mã hóa..."), @@ -1127,7 +1132,8 @@ class MessageLookup extends MessageLookupByLibrary { "hikingWithThem": m43, "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage("Được lưu trữ tại OSM Pháp"), - "howItWorks": MessageLookupByLibrary.simpleMessage("Cách hoạt động"), + "howItWorks": + MessageLookupByLibrary.simpleMessage("Cách thức hoạt động"), "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( "Hãy chỉ họ nhấn giữ địa chỉ email của họ trên màn hình cài đặt, và xác minh rằng ID trên cả hai thiết bị khớp nhau."), "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( @@ -1147,7 +1153,7 @@ class MessageLookup extends MessageLookupByLibrary { "incorrectCode": MessageLookupByLibrary.simpleMessage("Mã không chính xác"), "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("Mật khẩu không chính xác"), + MessageLookupByLibrary.simpleMessage("Mật khẩu không đúng"), "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( "Mã khôi phục không chính xác"), "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( @@ -1183,11 +1189,11 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Mời bạn bè dùng Ente"), "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": MessageLookupByLibrary.simpleMessage( - "Có vẻ như đã xảy ra sự cố. Vui lòng thử lại sau một thời gian. Nếu lỗi vẫn tiếp diễn, vui lòng liên hệ với đội ngũ hỗ trợ của chúng tôi."), + "Có vẻ đã xảy ra sự cố. Vui lòng thử lại sau ít phút. Nếu lỗi vẫn tiếp diễn, hãy liên hệ với đội ngũ hỗ trợ của chúng tôi."), "itemCount": m44, "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": MessageLookupByLibrary.simpleMessage( - "Các mục hiện số ngày còn lại trước khi xóa vĩnh viễn"), + "Trên các mục là số ngày còn lại trước khi xóa vĩnh viễn"), "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( "Các mục đã chọn sẽ bị xóa khỏi album này"), "join": MessageLookupByLibrary.simpleMessage("Tham gia"), @@ -1246,7 +1252,7 @@ class MessageLookup extends MessageLookupByLibrary { "để trải nghiệm chia sẻ tốt hơn"), "linkPersonToEmail": m48, "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("Ảnh Live"), + "livePhotos": MessageLookupByLibrary.simpleMessage("Ảnh động"), "loadMessage1": MessageLookupByLibrary.simpleMessage( "Bạn có thể chia sẻ gói của mình với gia đình"), "loadMessage2": MessageLookupByLibrary.simpleMessage( @@ -1278,11 +1284,11 @@ class MessageLookup extends MessageLookupByLibrary { "localGallery": MessageLookupByLibrary.simpleMessage("Thư viện cục bộ"), "localIndexing": MessageLookupByLibrary.simpleMessage("Chỉ mục cục bộ"), "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Có vẻ như có điều gì đó không ổn vì đồng bộ hóa ảnh cục bộ đang mất nhiều thời gian hơn mong đợi. Vui lòng liên hệ đội ngũ hỗ trợ của chúng tôi"), + "Có vẻ như có điều gì đó không ổn vì đồng bộ ảnh cục bộ đang tốn nhiều thời gian hơn mong đợi. Vui lòng liên hệ đội ngũ hỗ trợ của chúng tôi"), "location": MessageLookupByLibrary.simpleMessage("Vị trí"), "locationName": MessageLookupByLibrary.simpleMessage("Tên vị trí"), "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Một thẻ vị trí sẽ chia nhóm tất cả các ảnh được chụp trong một bán kính nào đó của một bức ảnh"), + "Thẻ vị trí sẽ giúp xếp nhóm tất cả ảnh được chụp gần kề nhau"), "locations": MessageLookupByLibrary.simpleMessage("Vị trí"), "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Khóa"), "lockscreen": MessageLookupByLibrary.simpleMessage("Khóa màn hình"), @@ -1293,12 +1299,12 @@ class MessageLookup extends MessageLookupByLibrary { "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( "Phiên đăng nhập của bạn đã hết hạn. Vui lòng đăng nhập lại."), "loginTerms": MessageLookupByLibrary.simpleMessage( - "Nhấn vào đăng nhập, tôi đồng ý điều khoảnchính sách bảo mật"), + "Nhấn vào đăng nhập, tôi đồng ý với điều khoảnchính sách bảo mật"), "loginWithTOTP": MessageLookupByLibrary.simpleMessage("Đăng nhập bằng TOTP"), "logout": MessageLookupByLibrary.simpleMessage("Đăng xuất"), "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Gửi file log để chúng tôi có thể phân tích lỗi mà bạn gặp. Lưu ý rằng, trong nhật ký lỗi sẽ bao gồm tên các tệp để giúp theo dõi vấn đề với từng tệp cụ thể."), + "Gửi file nhật ký để chúng tôi có thể phân tích lỗi mà bạn gặp. Lưu ý rằng, trong nhật ký lỗi sẽ bao gồm tên các tệp để giúp theo dõi vấn đề với từng tệp cụ thể."), "longPressAnEmailToVerifyEndToEndEncryption": MessageLookupByLibrary.simpleMessage( "Nhấn giữ một email để xác minh mã hóa đầu cuối."), @@ -1328,7 +1334,7 @@ class MessageLookup extends MessageLookupByLibrary { "manageSubscription": MessageLookupByLibrary.simpleMessage("Quản lý gói"), "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "Ghép nối với PIN hoạt động với bất kỳ màn hình nào bạn muốn xem album của mình."), + "Kết nối bằng PIN hoạt động với bất kỳ màn hình nào bạn muốn."), "map": MessageLookupByLibrary.simpleMessage("Bản đồ"), "maps": MessageLookupByLibrary.simpleMessage("Bản đồ"), "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), @@ -1358,7 +1364,7 @@ class MessageLookup extends MessageLookupByLibrary { "moderateStrength": MessageLookupByLibrary.simpleMessage("Trung bình"), "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( - "Chỉnh sửa truy vấn của bạn, hoặc thử tìm kiếm"), + "Chỉnh sửa truy vấn của bạn, hoặc thử tìm"), "moments": MessageLookupByLibrary.simpleMessage("Khoảnh khắc"), "month": MessageLookupByLibrary.simpleMessage("tháng"), "monthly": MessageLookupByLibrary.simpleMessage("Theo tháng"), @@ -1382,7 +1388,7 @@ class MessageLookup extends MessageLookupByLibrary { "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Đặt tên cho album"), "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Không thể kết nối với Ente, vui lòng thử lại sau một thời gian. Nếu lỗi vẫn tiếp diễn, vui lòng liên hệ với bộ phận hỗ trợ."), + "Không thể kết nối với Ente, vui lòng thử lại sau ít phút. Nếu lỗi vẫn tiếp diễn, hãy liên hệ với bộ phận hỗ trợ."), "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( "Không thể kết nối với Ente, vui lòng kiểm tra cài đặt mạng của bạn và liên hệ với bộ phận hỗ trợ nếu lỗi vẫn tiếp diễn."), "never": MessageLookupByLibrary.simpleMessage("Không bao giờ"), @@ -1412,8 +1418,8 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Không tìm thấy khuôn mặt"), "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage("Không có ảnh hoặc video ẩn"), - "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( - "Không có hình ảnh với vị trí"), + "noImagesWithLocation": + MessageLookupByLibrary.simpleMessage("Không có ảnh với vị trí"), "noInternetConnection": MessageLookupByLibrary.simpleMessage("Không có kết nối internet"), "noPhotosAreBeingBackedUpRightNow": @@ -1454,11 +1460,11 @@ class MessageLookup extends MessageLookupByLibrary { "Nhắc về những kỷ niệm ngày này trong những năm trước."), "onlyFamilyAdminCanChangeCode": m55, "onlyThem": MessageLookupByLibrary.simpleMessage("Chỉ họ"), - "oops": MessageLookupByLibrary.simpleMessage("Ốiii!"), + "oops": MessageLookupByLibrary.simpleMessage("Ốii!"), "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Ốiii, không thể lưu chỉnh sửa"), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Ốiii!, có điều gì đó không đúng"), + "Ốii!, không thể lưu chỉnh sửa"), + "oopsSomethingWentWrong": + MessageLookupByLibrary.simpleMessage("Ốii!, có gì đó không ổn"), "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage("Mở album trong trình duyệt"), "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( @@ -1478,10 +1484,10 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("hoặc chọn từ danh bạ"), "otherDetectedFaces": MessageLookupByLibrary.simpleMessage( "Những khuôn mặt khác được phát hiện"), - "pair": MessageLookupByLibrary.simpleMessage("Ghép nối"), - "pairWithPin": MessageLookupByLibrary.simpleMessage("Ghép nối với PIN"), + "pair": MessageLookupByLibrary.simpleMessage("Kết nối"), + "pairWithPin": MessageLookupByLibrary.simpleMessage("Kết nối bằng PIN"), "pairingComplete": - MessageLookupByLibrary.simpleMessage("Ghép nối hoàn tất"), + MessageLookupByLibrary.simpleMessage("Kết nối hoàn tất"), "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), "partyWithThem": m56, "passKeyPendingVerification": @@ -1541,13 +1547,13 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage( "Ảnh giữ nguyên chênh lệch thời gian tương đối"), "pickCenterPoint": - MessageLookupByLibrary.simpleMessage("Chọn điểm trung tâm"), + MessageLookupByLibrary.simpleMessage("Chọn tâm điểm"), "pinAlbum": MessageLookupByLibrary.simpleMessage("Ghim album"), "pinLock": MessageLookupByLibrary.simpleMessage("Khóa PIN"), "playOnTv": MessageLookupByLibrary.simpleMessage("Phát album trên TV"), "playOriginal": MessageLookupByLibrary.simpleMessage("Phát tệp gốc"), "playStoreFreeTrialValidTill": m63, - "playStream": MessageLookupByLibrary.simpleMessage("Phát"), + "playStream": MessageLookupByLibrary.simpleMessage("Phát trực tiếp"), "playstoreSubscription": MessageLookupByLibrary.simpleMessage("Gói PlayStore"), "pleaseCheckYourInternetConnectionAndTryAgain": @@ -1582,7 +1588,7 @@ class MessageLookup extends MessageLookupByLibrary { "Vui lòng chờ, có thể mất một lúc."), "posingWithThem": m66, "preparingLogs": - MessageLookupByLibrary.simpleMessage("Đang ghi log..."), + MessageLookupByLibrary.simpleMessage("Đang ghi nhật ký..."), "preserveMore": MessageLookupByLibrary.simpleMessage("Lưu giữ nhiều hơn"), "pressAndHoldToPlayVideo": @@ -1637,7 +1643,7 @@ class MessageLookup extends MessageLookupByLibrary { "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( "Nếu bạn quên mật khẩu, cách duy nhất để khôi phục dữ liệu của bạn là dùng mã này."), "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Chúng tôi không lưu trữ mã này, nên hãy lưu nó ở một nơi an toàn."), + "Chúng tôi không lưu trữ mã này, nên hãy lưu nó ở nơi an toàn."), "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( "Tuyệt! Mã khôi phục của bạn hợp lệ. Cảm ơn đã xác minh.\n\nNhớ lưu giữ mã khôi phục của bạn ở nơi an toàn."), "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( @@ -1674,10 +1680,9 @@ class MessageLookup extends MessageLookupByLibrary { "Hãy xóa luôn \"Đã xóa gần đây\" từ \"Cài đặt\" -> \"Lưu trữ\" để lấy lại dung lượng đã giải phóng"), "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( "Hãy xóa luôn \"Thùng rác\" của bạn để lấy lại dung lượng đã giải phóng"), - "remoteImages": - MessageLookupByLibrary.simpleMessage("Hình ảnh bên ngoài"), + "remoteImages": MessageLookupByLibrary.simpleMessage("Ảnh bên ngoài"), "remoteThumbnails": - MessageLookupByLibrary.simpleMessage("Hình thu nhỏ bên ngoài"), + MessageLookupByLibrary.simpleMessage("Ảnh thu nhỏ bên ngoài"), "remoteVideos": MessageLookupByLibrary.simpleMessage("Video bên ngoài"), "remove": MessageLookupByLibrary.simpleMessage("Xóa"), "removeDuplicates": @@ -1776,7 +1781,7 @@ class MessageLookup extends MessageLookupByLibrary { "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( "Tìm kiếm theo ngày, tháng hoặc năm"), "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "Hình ảnh sẽ được hiển thị ở đây sau khi hoàn tất xử lý và đồng bộ"), + "Ảnh sẽ được hiển thị ở đây sau khi xử lý và đồng bộ hoàn tất"), "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( "Người sẽ được hiển thị ở đây khi quá trình xử lý hoàn tất"), "searchFileTypesAndNamesEmptySection": @@ -1791,7 +1796,7 @@ class MessageLookup extends MessageLookupByLibrary { "searchHint5": MessageLookupByLibrary.simpleMessage( "Sắp ra mắt: Nhận diện khuôn mặt & tìm kiếm vi diệu ✨"), "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Ảnh nhóm được chụp trong một bán kính nào đó của một bức ảnh"), + "Xếp nhóm những ảnh được chụp gần kề nhau"), "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( "Mời mọi người, và bạn sẽ thấy tất cả ảnh mà họ chia sẻ ở đây"), "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( @@ -1920,7 +1925,7 @@ class MessageLookup extends MessageLookupByLibrary { "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( "Đăng xuất khỏi các thiết bị khác"), "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Tôi đồng ý điều khoảnchính sách bảo mật"), + "Tôi đồng ý với điều khoảnchính sách bảo mật"), "singleFileDeleteFromDevice": m88, "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( "Nó sẽ bị xóa khỏi tất cả album."), @@ -1940,7 +1945,7 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage( "Ai đó chia sẻ album với bạn nên thấy cùng một ID trên thiết bị của họ."), "somethingWentWrong": - MessageLookupByLibrary.simpleMessage("Có điều gì đó không đúng"), + MessageLookupByLibrary.simpleMessage("Có gì đó không ổn"), "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( "Có gì đó không ổn, vui lòng thử lại"), @@ -1978,7 +1983,7 @@ class MessageLookup extends MessageLookupByLibrary { "stopCastingBody": MessageLookupByLibrary.simpleMessage( "Bạn có muốn dừng phát không?"), "stopCastingTitle": MessageLookupByLibrary.simpleMessage("Dừng phát"), - "storage": MessageLookupByLibrary.simpleMessage("Lưu trữ"), + "storage": MessageLookupByLibrary.simpleMessage("Dung lượng"), "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Gia đình"), "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Bạn"), @@ -2010,7 +2015,7 @@ class MessageLookup extends MessageLookupByLibrary { "syncProgress": m97, "syncStopped": MessageLookupByLibrary.simpleMessage("Đồng bộ hóa đã dừng"), - "syncing": MessageLookupByLibrary.simpleMessage("Đang đồng bộ hóa..."), + "syncing": MessageLookupByLibrary.simpleMessage("Đang đồng bộ..."), "systemTheme": MessageLookupByLibrary.simpleMessage("Giống hệ thống"), "tapToCopy": MessageLookupByLibrary.simpleMessage("nhấn để sao chép"), "tapToEnterCode": @@ -2019,7 +2024,7 @@ class MessageLookup extends MessageLookupByLibrary { "tapToUpload": MessageLookupByLibrary.simpleMessage("Nhấn để tải lên"), "tapToUploadIsIgnoredDue": m98, "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Có vẻ như đã xảy ra sự cố. Vui lòng thử lại sau một thời gian. Nếu lỗi vẫn tiếp diễn, vui lòng liên hệ với đội ngũ hỗ trợ."), + "Có vẻ đã xảy ra sự cố. Vui lòng thử lại sau ít phút. Nếu lỗi vẫn tiếp diễn, hãy liên hệ với đội ngũ hỗ trợ của chúng tôi."), "terminate": MessageLookupByLibrary.simpleMessage("Kết thúc"), "terminateSession": MessageLookupByLibrary.simpleMessage("Kết thúc phiên? "), @@ -2088,7 +2093,7 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Để ẩn một ảnh hoặc video"), "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( "Để đặt lại mật khẩu, vui lòng xác minh email của bạn trước."), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Log hôm nay"), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Nhật ký hôm nay"), "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage("Thử sai nhiều lần"), "total": MessageLookupByLibrary.simpleMessage("tổng"), @@ -2182,7 +2187,7 @@ class MessageLookup extends MessageLookupByLibrary { "videoInfo": MessageLookupByLibrary.simpleMessage("Thông tin video"), "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), "videoStreaming": - MessageLookupByLibrary.simpleMessage("Video có thể phát"), + MessageLookupByLibrary.simpleMessage("Phát trực tuyến video"), "videos": MessageLookupByLibrary.simpleMessage("Video"), "viewActiveSessions": MessageLookupByLibrary.simpleMessage("Xem phiên hoạt động"), @@ -2194,7 +2199,7 @@ class MessageLookup extends MessageLookupByLibrary { "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Tệp lớn"), "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( "Xem các tệp đang chiếm nhiều dung lượng nhất."), - "viewLogs": MessageLookupByLibrary.simpleMessage("Xem log"), + "viewLogs": MessageLookupByLibrary.simpleMessage("Xem nhật ký"), "viewPersonToUnlink": m112, "viewRecoveryKey": MessageLookupByLibrary.simpleMessage("Xem mã khôi phục"), diff --git a/mobile/apps/photos/lib/generated/intl/messages_zh.dart b/mobile/apps/photos/lib/generated/intl/messages_zh.dart index 335650b34d..4ad5c5c75c 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_zh.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_zh.dart @@ -134,7 +134,8 @@ class MessageLookup extends MessageLookupByLibrary { static String m43(name) => "与 ${name} 徒步"; - static String m44(count) => "${Intl.plural(count, other: '${count} 个项目')}"; + static String m44(count) => + "${Intl.plural(count, one: '${count} 个项目', other: '${count} 个项目')}"; static String m45(name) => "最后一次与 ${name} 相聚"; @@ -294,7 +295,8 @@ class MessageLookup extends MessageLookupByLibrary { static String m115(name) => "祝 ${name} 生日快乐! 🎉"; - static String m116(count) => "${Intl.plural(count, other: '${count} 年前')}"; + static String m116(count) => + "${Intl.plural(count, one: '${count} 年前', other: '${count} 年前')}"; static String m117(name) => "您和 ${name}"; @@ -856,6 +858,8 @@ class MessageLookup extends MessageLookupByLibrary { "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage("人脸尚未聚类,请稍后再来"), "faceRecognition": MessageLookupByLibrary.simpleMessage("人脸识别"), + "faceThumbnailGenerationFailed": + MessageLookupByLibrary.simpleMessage("无法生成人脸缩略图"), "faces": MessageLookupByLibrary.simpleMessage("人脸"), "failed": MessageLookupByLibrary.simpleMessage("失败"), "failedToApplyCode": MessageLookupByLibrary.simpleMessage("无法使用此代码"), @@ -884,6 +888,7 @@ class MessageLookup extends MessageLookupByLibrary { "feastingWithThem": m34, "feedback": MessageLookupByLibrary.simpleMessage("反馈"), "file": MessageLookupByLibrary.simpleMessage("文件"), + "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage("无法分析文件"), "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage("无法将文件保存到相册"), "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage("添加说明..."), diff --git a/mobile/apps/photos/lib/generated/l10n.dart b/mobile/apps/photos/lib/generated/l10n.dart index ed865b68ca..8d337ca777 100644 --- a/mobile/apps/photos/lib/generated/l10n.dart +++ b/mobile/apps/photos/lib/generated/l10n.dart @@ -12306,16 +12306,6 @@ class S { ); } - /// `Unable to generate face thumbnails` - String get faceThumbnailGenerationFailed { - return Intl.message( - 'Unable to generate face thumbnails', - name: 'faceThumbnailGenerationFailed', - desc: '', - args: [], - ); - } - /// `Last week` String get lastWeek { return Intl.message( @@ -12376,6 +12366,16 @@ class S { ); } + /// `Unable to generate face thumbnails` + String get faceThumbnailGenerationFailed { + return Intl.message( + 'Unable to generate face thumbnails', + name: 'faceThumbnailGenerationFailed', + desc: '', + args: [], + ); + } + /// `Unable to analyze file` String get fileAnalysisFailed { return Intl.message( @@ -12419,6 +12419,7 @@ class AppLocalizationDelegate extends LocalizationsDelegate { Locale.fromSubtags(languageCode: 'lt'), Locale.fromSubtags(languageCode: 'lv'), Locale.fromSubtags(languageCode: 'ml'), + Locale.fromSubtags(languageCode: 'ms'), Locale.fromSubtags(languageCode: 'nl'), Locale.fromSubtags(languageCode: 'no'), Locale.fromSubtags(languageCode: 'or'), From 8330e2902c4cbb044ef1e2e7f86b1c4c7ddb74e5 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Thu, 24 Jul 2025 12:38:59 +0530 Subject: [PATCH 117/302] Auto generated changes to pubspec.lock --- mobile/apps/photos/pubspec.lock | 114 ++++++++++++++++---------------- 1 file changed, 57 insertions(+), 57 deletions(-) diff --git a/mobile/apps/photos/pubspec.lock b/mobile/apps/photos/pubspec.lock index a5d14c3829..58284d5f09 100644 --- a/mobile/apps/photos/pubspec.lock +++ b/mobile/apps/photos/pubspec.lock @@ -5,10 +5,10 @@ packages: dependency: transitive description: name: _fe_analyzer_shared - sha256: "16e298750b6d0af7ce8a3ba7c18c69c3785d11b15ec83f6dcd0ad2a0009b3cab" + sha256: f256b0c0ba6c7577c15e2e4e114755640a875e885099367bf6e012b19314c834 url: "https://pub.dev" source: hosted - version: "76.0.0" + version: "72.0.0" _flutterfire_internals: dependency: transitive description: @@ -21,7 +21,7 @@ packages: dependency: transitive description: dart source: sdk - version: "0.3.3" + version: "0.3.2" adaptive_theme: dependency: "direct main" description: @@ -34,10 +34,10 @@ packages: dependency: transitive description: name: analyzer - sha256: "1f14db053a8c23e260789e9b0980fa27f2680dd640932cae5e1137cce0e46e1e" + sha256: b652861553cd3990d8ed361f7979dc6d7053a9ac8843fa73820ab68ce5410139 url: "https://pub.dev" source: hosted - version: "6.11.0" + version: "6.7.0" android_intent_plus: dependency: "direct main" description: @@ -130,10 +130,10 @@ packages: dependency: "direct main" description: name: async - sha256: d2872f9c19731c2e5f10444b14686eb7cc85c76274bd6c16e1816bff9a3bab63 + sha256: "947bfcf187f74dbc5e146c9eb9c0f10c9f8b30743e341481c1e2ed3ecc18c20c" url: "https://pub.dev" source: hosted - version: "2.12.0" + version: "2.11.0" battery_info: dependency: "direct main" description: @@ -155,10 +155,10 @@ packages: dependency: transitive description: name: boolean_selector - sha256: "8aab1771e1243a5063b8b0ff68042d67334e3feab9e95b9490f9a6ebf73b42ea" + sha256: "6cfb5af12253eaf2b368f07bacc5a80d1301a071c73360d746b7f2e32d762c66" url: "https://pub.dev" source: hosted - version: "2.1.2" + version: "2.1.1" brotli: dependency: transitive description: @@ -268,10 +268,10 @@ packages: dependency: transitive description: name: characters - sha256: f71061c654a3380576a52b451dd5532377954cf9dbd272a78fc8479606670803 + sha256: "04a925763edad70e8443c99234dc3328f442e811f1d8fd1a72f1c8ad0f69a605" url: "https://pub.dev" source: hosted - version: "1.4.0" + version: "1.3.0" checked_yaml: dependency: transitive description: @@ -301,10 +301,10 @@ packages: dependency: transitive description: name: clock - sha256: fddb70d9b5277016c77a80201021d40a2247104d9f4aa7bab7157b7e3f05b84b + sha256: cb6d7f03e1de671e34607e909a7213e31d7752be4fb66a86d29fe1eb14bfb5cf url: "https://pub.dev" source: hosted - version: "1.1.2" + version: "1.1.1" code_builder: dependency: transitive description: @@ -317,10 +317,10 @@ packages: dependency: "direct main" description: name: collection - sha256: "2f5709ae4d3d59dd8f7cd309b4e023046b57d8a6c82130785d2b0e5868084e76" + sha256: ee67cb0715911d28db6bf4af1026078bd6f0128b07a5f66fb2ed94ec6783c09a url: "https://pub.dev" source: hosted - version: "1.19.1" + version: "1.18.0" computer: dependency: "direct main" description: @@ -619,10 +619,10 @@ packages: dependency: transitive description: name: fake_async - sha256: "6a95e56b2449df2273fd8c45a662d6947ce1ebb7aafe80e550a3f68297f3cacc" + sha256: "511392330127add0b769b75a987850d136345d9227c6b94c96a04cf4a391bf78" url: "https://pub.dev" source: hosted - version: "1.3.2" + version: "1.3.1" fast_base58: dependency: "direct main" description: @@ -668,10 +668,10 @@ packages: dependency: transitive description: name: file - sha256: a3b4f84adafef897088c160faf7dfffb7696046cb13ae90b508c2cbc95d3b8d4 + sha256: "5fc22d7c25582e38ad9a8515372cd9a93834027aacf1801cf01164dac0ffa08c" url: "https://pub.dev" source: hosted - version: "7.0.1" + version: "7.0.0" file_saver: dependency: "direct main" description: @@ -1416,18 +1416,18 @@ packages: dependency: transitive description: name: leak_tracker - sha256: c35baad643ba394b40aac41080300150a4f08fd0fd6a10378f8f7c6bc161acec + sha256: "3f87a60e8c63aecc975dda1ceedbc8f24de75f09e4856ea27daf8958f2f0ce05" url: "https://pub.dev" source: hosted - version: "10.0.8" + version: "10.0.5" leak_tracker_flutter_testing: dependency: transitive description: name: leak_tracker_flutter_testing - sha256: f8b613e7e6a13ec79cfdc0e97638fddb3ab848452eff057653abd3edba760573 + sha256: "932549fb305594d82d7183ecd9fa93463e9914e1b67cacc34bc40906594a1806" url: "https://pub.dev" source: hosted - version: "3.0.9" + version: "3.0.5" leak_tracker_testing: dependency: transitive description: @@ -1536,10 +1536,10 @@ packages: dependency: transitive description: name: macros - sha256: "1d9e801cd66f7ea3663c45fc708450db1fa57f988142c64289142c9b7ee80656" + sha256: "0acaed5d6b7eab89f63350bccd82119e6c602df0f391260d0e32b5e23db79536" url: "https://pub.dev" source: hosted - version: "0.1.3-main.0" + version: "0.1.2-main.4" maps_launcher: dependency: "direct main" description: @@ -1552,10 +1552,10 @@ packages: dependency: transitive description: name: matcher - sha256: dc58c723c3c24bf8d3e2d3ad3f2f9d7bd9cf43ec6feaa64181775e60190153f2 + sha256: d2323aa2060500f906aa31a895b4030b6da3ebdcc5619d14ce1aada65cd161cb url: "https://pub.dev" source: hosted - version: "0.12.17" + version: "0.12.16+1" material_color_utilities: dependency: transitive description: @@ -1645,10 +1645,10 @@ packages: dependency: transitive description: name: meta - sha256: e3641ec5d63ebf0d9b41bd43201a66e3fc79a65db5f61fc181f04cd27aab950c + sha256: bdb68674043280c3428e9ec998512fb681678676b3c54e773629ffe74419f8c7 url: "https://pub.dev" source: hosted - version: "1.16.0" + version: "1.15.0" mgrs_dart: dependency: transitive description: @@ -1859,10 +1859,10 @@ packages: dependency: "direct main" description: name: path - sha256: "75cca69d1490965be98c73ceaea117e8a04dd21217b37b292c9ddbec0d955bc5" + sha256: "087ce49c3f0dc39180befefc60fdb4acd8f8620e5682fe2476afd0b3688bb4af" url: "https://pub.dev" source: hosted - version: "1.9.1" + version: "1.9.0" path_drawing: dependency: transitive description: @@ -2019,10 +2019,10 @@ packages: dependency: transitive description: name: platform - sha256: "5d6b1b0036a5f331ebc77c850ebc8506cbc1e9416c27e59b439f917a902a4984" + sha256: "9b71283fc13df574056616011fb138fd3b793ea47cc509c189a6c3fa5f8a1a65" url: "https://pub.dev" source: hosted - version: "3.1.6" + version: "3.1.5" plugin_platform_interface: dependency: transitive description: @@ -2068,10 +2068,10 @@ packages: dependency: transitive description: name: process - sha256: "107d8be718f120bbba9dcd1e95e3bd325b1b4a4f07db64154635ba03f2567a0d" + sha256: "21e54fd2faf1b5bdd5102afd25012184a6793927648ea81eea80552ac9405b32" url: "https://pub.dev" source: hosted - version: "5.0.3" + version: "5.0.2" proj4dart: dependency: transitive description: @@ -2309,7 +2309,7 @@ packages: dependency: transitive description: flutter source: sdk - version: "0.0.0" + version: "0.0.99" source_gen: dependency: transitive description: @@ -2346,10 +2346,10 @@ packages: dependency: transitive description: name: source_span - sha256: "254ee5351d6cb365c859e20ee823c3bb479bf4a293c22d17a9f1bf144ce86f7c" + sha256: "53e943d4206a5e30df338fd4c6e7a077e02254531b138a15aec3bd143c1a8b3c" url: "https://pub.dev" source: hosted - version: "1.10.1" + version: "1.10.0" sprintf: dependency: transitive description: @@ -2434,10 +2434,10 @@ packages: dependency: transitive description: name: stack_trace - sha256: "8b27215b45d22309b5cddda1aa2b19bdfec9df0e765f2de506401c071d38d1b1" + sha256: "73713990125a6d93122541237550ee3352a2d84baad52d375a4cad2eb9b7ce0b" url: "https://pub.dev" source: hosted - version: "1.12.1" + version: "1.11.1" step_progress_indicator: dependency: "direct main" description: @@ -2450,10 +2450,10 @@ packages: dependency: transitive description: name: stream_channel - sha256: "969e04c80b8bcdf826f8f16579c7b14d780458bd97f56d107d3950fdbeef059d" + sha256: ba2aa5d8cc609d96bbb2899c28934f9e1af5cddbd60a827822ea467161eb54e7 url: "https://pub.dev" source: hosted - version: "2.1.4" + version: "2.1.2" stream_transform: dependency: transitive description: @@ -2466,10 +2466,10 @@ packages: dependency: transitive description: name: string_scanner - sha256: "921cd31725b72fe181906c6a94d987c78e3b98c2e205b397ea399d4054872b43" + sha256: "556692adab6cfa87322a115640c11f13cb77b3f076ddcc5d6ae3c20242bedcde" url: "https://pub.dev" source: hosted - version: "1.4.1" + version: "1.2.0" styled_text: dependency: "direct main" description: @@ -2522,34 +2522,34 @@ packages: dependency: transitive description: name: term_glyph - sha256: "7f554798625ea768a7518313e58f83891c7f5024f88e46e7182a4558850a4b8e" + sha256: a29248a84fbb7c79282b40b8c72a1209db169a2e0542bce341da992fe1bc7e84 url: "https://pub.dev" source: hosted - version: "1.2.2" + version: "1.2.1" test: dependency: "direct dev" description: name: test - sha256: "301b213cd241ca982e9ba50266bd3f5bd1ea33f1455554c5abb85d1be0e2d87e" + sha256: "7ee44229615f8f642b68120165ae4c2a75fe77ae2065b1e55ae4711f6cf0899e" url: "https://pub.dev" source: hosted - version: "1.25.15" + version: "1.25.7" test_api: dependency: transitive description: name: test_api - sha256: fb31f383e2ee25fbbfe06b40fe21e1e458d14080e3c67e7ba0acfde4df4e0bbd + sha256: "5b8a98dafc4d5c4c9c72d8b31ab2b23fc13422348d2997120294d3bac86b4ddb" url: "https://pub.dev" source: hosted - version: "0.7.4" + version: "0.7.2" test_core: dependency: transitive description: name: test_core - sha256: "84d17c3486c8dfdbe5e12a50c8ae176d15e2a771b96909a9442b40173649ccaa" + sha256: "55ea5a652e38a1dfb32943a7973f3681a60f872f8c3a05a14664ad54ef9c6696" url: "https://pub.dev" source: hosted - version: "0.6.8" + version: "0.6.4" thermal: dependency: "direct main" description: @@ -2813,10 +2813,10 @@ packages: dependency: transitive description: name: vm_service - sha256: "0968250880a6c5fe7edc067ed0a13d4bae1577fe2771dcf3010d52c4a9d3ca14" + sha256: "5c5f338a667b4c644744b661f309fb8080bb94b18a7e91ef1dbd343bed00ed6d" url: "https://pub.dev" source: hosted - version: "14.3.1" + version: "14.2.5" volume_controller: dependency: transitive description: @@ -2877,10 +2877,10 @@ packages: dependency: transitive description: name: webdriver - sha256: "3d773670966f02a646319410766d3b5e1037efb7f07cc68f844d5e06cd4d61c8" + sha256: "003d7da9519e1e5f329422b36c4dcdf18d7d2978d1ba099ea4e45ba490ed845e" url: "https://pub.dev" source: hosted - version: "3.0.4" + version: "3.0.3" webkit_inspection_protocol: dependency: transitive description: @@ -2978,5 +2978,5 @@ packages: source: hosted version: "3.1.3" sdks: - dart: ">=3.7.0-0 <4.0.0" + dart: ">=3.5.0 <4.0.0" flutter: ">=3.24.0" From 7d9cfd85875ae018091887e9cefc570102c7ec2e Mon Sep 17 00:00:00 2001 From: ashilkn Date: Thu, 24 Jul 2025 13:43:05 +0530 Subject: [PATCH 118/302] Run flutter pub get after upgrading to flutter 3.27.4 --- mobile/apps/photos/pubspec.lock | 56 ++++++++++++++++----------------- 1 file changed, 28 insertions(+), 28 deletions(-) diff --git a/mobile/apps/photos/pubspec.lock b/mobile/apps/photos/pubspec.lock index 58284d5f09..f8cf5809fe 100644 --- a/mobile/apps/photos/pubspec.lock +++ b/mobile/apps/photos/pubspec.lock @@ -5,10 +5,10 @@ packages: dependency: transitive description: name: _fe_analyzer_shared - sha256: f256b0c0ba6c7577c15e2e4e114755640a875e885099367bf6e012b19314c834 + sha256: "16e298750b6d0af7ce8a3ba7c18c69c3785d11b15ec83f6dcd0ad2a0009b3cab" url: "https://pub.dev" source: hosted - version: "72.0.0" + version: "76.0.0" _flutterfire_internals: dependency: transitive description: @@ -21,7 +21,7 @@ packages: dependency: transitive description: dart source: sdk - version: "0.3.2" + version: "0.3.3" adaptive_theme: dependency: "direct main" description: @@ -34,10 +34,10 @@ packages: dependency: transitive description: name: analyzer - sha256: b652861553cd3990d8ed361f7979dc6d7053a9ac8843fa73820ab68ce5410139 + sha256: "1f14db053a8c23e260789e9b0980fa27f2680dd640932cae5e1137cce0e46e1e" url: "https://pub.dev" source: hosted - version: "6.7.0" + version: "6.11.0" android_intent_plus: dependency: "direct main" description: @@ -317,10 +317,10 @@ packages: dependency: "direct main" description: name: collection - sha256: ee67cb0715911d28db6bf4af1026078bd6f0128b07a5f66fb2ed94ec6783c09a + sha256: a1ace0a119f20aabc852d165077c036cd864315bd99b7eaa10a60100341941bf url: "https://pub.dev" source: hosted - version: "1.18.0" + version: "1.19.0" computer: dependency: "direct main" description: @@ -1416,18 +1416,18 @@ packages: dependency: transitive description: name: leak_tracker - sha256: "3f87a60e8c63aecc975dda1ceedbc8f24de75f09e4856ea27daf8958f2f0ce05" + sha256: "7bb2830ebd849694d1ec25bf1f44582d6ac531a57a365a803a6034ff751d2d06" url: "https://pub.dev" source: hosted - version: "10.0.5" + version: "10.0.7" leak_tracker_flutter_testing: dependency: transitive description: name: leak_tracker_flutter_testing - sha256: "932549fb305594d82d7183ecd9fa93463e9914e1b67cacc34bc40906594a1806" + sha256: "9491a714cca3667b60b5c420da8217e6de0d1ba7a5ec322fab01758f6998f379" url: "https://pub.dev" source: hosted - version: "3.0.5" + version: "3.0.8" leak_tracker_testing: dependency: transitive description: @@ -1536,10 +1536,10 @@ packages: dependency: transitive description: name: macros - sha256: "0acaed5d6b7eab89f63350bccd82119e6c602df0f391260d0e32b5e23db79536" + sha256: "1d9e801cd66f7ea3663c45fc708450db1fa57f988142c64289142c9b7ee80656" url: "https://pub.dev" source: hosted - version: "0.1.2-main.4" + version: "0.1.3-main.0" maps_launcher: dependency: "direct main" description: @@ -2309,7 +2309,7 @@ packages: dependency: transitive description: flutter source: sdk - version: "0.0.99" + version: "0.0.0" source_gen: dependency: transitive description: @@ -2434,10 +2434,10 @@ packages: dependency: transitive description: name: stack_trace - sha256: "73713990125a6d93122541237550ee3352a2d84baad52d375a4cad2eb9b7ce0b" + sha256: "9f47fd3630d76be3ab26f0ee06d213679aa425996925ff3feffdec504931c377" url: "https://pub.dev" source: hosted - version: "1.11.1" + version: "1.12.0" step_progress_indicator: dependency: "direct main" description: @@ -2466,10 +2466,10 @@ packages: dependency: transitive description: name: string_scanner - sha256: "556692adab6cfa87322a115640c11f13cb77b3f076ddcc5d6ae3c20242bedcde" + sha256: "688af5ed3402a4bde5b3a6c15fd768dbf2621a614950b17f04626c431ab3c4c3" url: "https://pub.dev" source: hosted - version: "1.2.0" + version: "1.3.0" styled_text: dependency: "direct main" description: @@ -2530,26 +2530,26 @@ packages: dependency: "direct dev" description: name: test - sha256: "7ee44229615f8f642b68120165ae4c2a75fe77ae2065b1e55ae4711f6cf0899e" + sha256: "713a8789d62f3233c46b4a90b174737b2c04cb6ae4500f2aa8b1be8f03f5e67f" url: "https://pub.dev" source: hosted - version: "1.25.7" + version: "1.25.8" test_api: dependency: transitive description: name: test_api - sha256: "5b8a98dafc4d5c4c9c72d8b31ab2b23fc13422348d2997120294d3bac86b4ddb" + sha256: "664d3a9a64782fcdeb83ce9c6b39e78fd2971d4e37827b9b06c3aa1edc5e760c" url: "https://pub.dev" source: hosted - version: "0.7.2" + version: "0.7.3" test_core: dependency: transitive description: name: test_core - sha256: "55ea5a652e38a1dfb32943a7973f3681a60f872f8c3a05a14664ad54ef9c6696" + sha256: "12391302411737c176b0b5d6491f466b0dd56d4763e347b6714efbaa74d7953d" url: "https://pub.dev" source: hosted - version: "0.6.4" + version: "0.6.5" thermal: dependency: "direct main" description: @@ -2813,10 +2813,10 @@ packages: dependency: transitive description: name: vm_service - sha256: "5c5f338a667b4c644744b661f309fb8080bb94b18a7e91ef1dbd343bed00ed6d" + sha256: f6be3ed8bd01289b34d679c2b62226f63c0e69f9fd2e50a6b3c1c729a961041b url: "https://pub.dev" source: hosted - version: "14.2.5" + version: "14.3.0" volume_controller: dependency: transitive description: @@ -2877,10 +2877,10 @@ packages: dependency: transitive description: name: webdriver - sha256: "003d7da9519e1e5f329422b36c4dcdf18d7d2978d1ba099ea4e45ba490ed845e" + sha256: "3d773670966f02a646319410766d3b5e1037efb7f07cc68f844d5e06cd4d61c8" url: "https://pub.dev" source: hosted - version: "3.0.3" + version: "3.0.4" webkit_inspection_protocol: dependency: transitive description: From 0289a5535e025a256933d5aea1f6e364ee28ddfe Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Thu, 24 Jul 2025 14:20:41 +0530 Subject: [PATCH 119/302] Fix pubspec.lock file --- mobile/apps/photos/pubspec.lock | 74 ++++++++++++++++----------------- 1 file changed, 36 insertions(+), 38 deletions(-) diff --git a/mobile/apps/photos/pubspec.lock b/mobile/apps/photos/pubspec.lock index bb1b26279a..a4417cd068 100644 --- a/mobile/apps/photos/pubspec.lock +++ b/mobile/apps/photos/pubspec.lock @@ -6,11 +6,9 @@ packages: description: name: _fe_analyzer_shared sha256: "16e298750b6d0af7ce8a3ba7c18c69c3785d11b15ec83f6dcd0ad2a0009b3cab" - sha256: "16e298750b6d0af7ce8a3ba7c18c69c3785d11b15ec83f6dcd0ad2a0009b3cab" url: "https://pub.dev" source: hosted version: "76.0.0" - version: "76.0.0" _flutterfire_internals: dependency: transitive description: @@ -24,7 +22,6 @@ packages: description: dart source: sdk version: "0.3.3" - version: "0.3.3" adaptive_theme: dependency: "direct main" description: @@ -38,11 +35,9 @@ packages: description: name: analyzer sha256: "1f14db053a8c23e260789e9b0980fa27f2680dd640932cae5e1137cce0e46e1e" - sha256: "1f14db053a8c23e260789e9b0980fa27f2680dd640932cae5e1137cce0e46e1e" url: "https://pub.dev" source: hosted version: "6.11.0" - version: "6.11.0" android_intent_plus: dependency: "direct main" description: @@ -135,10 +130,10 @@ packages: dependency: "direct main" description: name: async - sha256: d2872f9c19731c2e5f10444b14686eb7cc85c76274bd6c16e1816bff9a3bab63 + sha256: "947bfcf187f74dbc5e146c9eb9c0f10c9f8b30743e341481c1e2ed3ecc18c20c" url: "https://pub.dev" source: hosted - version: "2.12.0" + version: "2.11.0" battery_info: dependency: "direct main" description: @@ -160,10 +155,10 @@ packages: dependency: transitive description: name: boolean_selector - sha256: "8aab1771e1243a5063b8b0ff68042d67334e3feab9e95b9490f9a6ebf73b42ea" + sha256: "6cfb5af12253eaf2b368f07bacc5a80d1301a071c73360d746b7f2e32d762c66" url: "https://pub.dev" source: hosted - version: "2.1.2" + version: "2.1.1" brotli: dependency: transitive description: @@ -273,10 +268,10 @@ packages: dependency: transitive description: name: characters - sha256: f71061c654a3380576a52b451dd5532377954cf9dbd272a78fc8479606670803 + sha256: "04a925763edad70e8443c99234dc3328f442e811f1d8fd1a72f1c8ad0f69a605" url: "https://pub.dev" source: hosted - version: "1.4.0" + version: "1.3.0" checked_yaml: dependency: transitive description: @@ -306,10 +301,10 @@ packages: dependency: transitive description: name: clock - sha256: fddb70d9b5277016c77a80201021d40a2247104d9f4aa7bab7157b7e3f05b84b + sha256: cb6d7f03e1de671e34607e909a7213e31d7752be4fb66a86d29fe1eb14bfb5cf url: "https://pub.dev" source: hosted - version: "1.1.2" + version: "1.1.1" code_builder: dependency: transitive description: @@ -632,10 +627,10 @@ packages: dependency: transitive description: name: fake_async - sha256: "6a95e56b2449df2273fd8c45a662d6947ce1ebb7aafe80e550a3f68297f3cacc" + sha256: "511392330127add0b769b75a987850d136345d9227c6b94c96a04cf4a391bf78" url: "https://pub.dev" source: hosted - version: "1.3.2" + version: "1.3.1" fast_base58: dependency: "direct main" description: @@ -681,10 +676,10 @@ packages: dependency: transitive description: name: file - sha256: a3b4f84adafef897088c160faf7dfffb7696046cb13ae90b508c2cbc95d3b8d4 + sha256: "5fc22d7c25582e38ad9a8515372cd9a93834027aacf1801cf01164dac0ffa08c" url: "https://pub.dev" source: hosted - version: "7.0.1" + version: "7.0.0" file_saver: dependency: "direct main" description: @@ -1180,6 +1175,14 @@ packages: url: "https://pub.dev" source: hosted version: "2.1.3" + google_fonts: + dependency: "direct main" + description: + name: google_fonts + sha256: b1ac0fe2832c9cc95e5e88b57d627c5e68c223b9657f4b96e1487aa9098c7b82 + url: "https://pub.dev" + source: hosted + version: "6.2.1" graphs: dependency: transitive description: @@ -1550,11 +1553,9 @@ packages: description: name: macros sha256: "1d9e801cd66f7ea3663c45fc708450db1fa57f988142c64289142c9b7ee80656" - sha256: "1d9e801cd66f7ea3663c45fc708450db1fa57f988142c64289142c9b7ee80656" url: "https://pub.dev" source: hosted version: "0.1.3-main.0" - version: "0.1.3-main.0" maps_launcher: dependency: "direct main" description: @@ -1567,10 +1568,10 @@ packages: dependency: transitive description: name: matcher - sha256: dc58c723c3c24bf8d3e2d3ad3f2f9d7bd9cf43ec6feaa64181775e60190153f2 + sha256: d2323aa2060500f906aa31a895b4030b6da3ebdcc5619d14ce1aada65cd161cb url: "https://pub.dev" source: hosted - version: "0.12.17" + version: "0.12.16+1" material_color_utilities: dependency: transitive description: @@ -1660,10 +1661,10 @@ packages: dependency: transitive description: name: meta - sha256: e3641ec5d63ebf0d9b41bd43201a66e3fc79a65db5f61fc181f04cd27aab950c + sha256: bdb68674043280c3428e9ec998512fb681678676b3c54e773629ffe74419f8c7 url: "https://pub.dev" source: hosted - version: "1.16.0" + version: "1.15.0" mgrs_dart: dependency: transitive description: @@ -1874,10 +1875,10 @@ packages: dependency: "direct main" description: name: path - sha256: "75cca69d1490965be98c73ceaea117e8a04dd21217b37b292c9ddbec0d955bc5" + sha256: "087ce49c3f0dc39180befefc60fdb4acd8f8620e5682fe2476afd0b3688bb4af" url: "https://pub.dev" source: hosted - version: "1.9.1" + version: "1.9.0" path_drawing: dependency: transitive description: @@ -2034,10 +2035,10 @@ packages: dependency: transitive description: name: platform - sha256: "5d6b1b0036a5f331ebc77c850ebc8506cbc1e9416c27e59b439f917a902a4984" + sha256: "9b71283fc13df574056616011fb138fd3b793ea47cc509c189a6c3fa5f8a1a65" url: "https://pub.dev" source: hosted - version: "3.1.6" + version: "3.1.5" plugin_platform_interface: dependency: transitive description: @@ -2091,10 +2092,10 @@ packages: dependency: transitive description: name: process - sha256: "107d8be718f120bbba9dcd1e95e3bd325b1b4a4f07db64154635ba03f2567a0d" + sha256: "21e54fd2faf1b5bdd5102afd25012184a6793927648ea81eea80552ac9405b32" url: "https://pub.dev" source: hosted - version: "5.0.3" + version: "5.0.2" proj4dart: dependency: transitive description: @@ -2333,7 +2334,6 @@ packages: description: flutter source: sdk version: "0.0.0" - version: "0.0.0" source_gen: dependency: transitive description: @@ -2370,10 +2370,10 @@ packages: dependency: transitive description: name: source_span - sha256: "254ee5351d6cb365c859e20ee823c3bb479bf4a293c22d17a9f1bf144ce86f7c" + sha256: "53e943d4206a5e30df338fd4c6e7a077e02254531b138a15aec3bd143c1a8b3c" url: "https://pub.dev" source: hosted - version: "1.10.1" + version: "1.10.0" sprintf: dependency: transitive description: @@ -2474,10 +2474,10 @@ packages: dependency: transitive description: name: stream_channel - sha256: "969e04c80b8bcdf826f8f16579c7b14d780458bd97f56d107d3950fdbeef059d" + sha256: ba2aa5d8cc609d96bbb2899c28934f9e1af5cddbd60a827822ea467161eb54e7 url: "https://pub.dev" source: hosted - version: "2.1.4" + version: "2.1.2" stream_transform: dependency: transitive description: @@ -2546,10 +2546,10 @@ packages: dependency: transitive description: name: term_glyph - sha256: "7f554798625ea768a7518313e58f83891c7f5024f88e46e7182a4558850a4b8e" + sha256: a29248a84fbb7c79282b40b8c72a1209db169a2e0542bce341da992fe1bc7e84 url: "https://pub.dev" source: hosted - version: "1.2.2" + version: "1.2.1" test: dependency: "direct dev" description: @@ -2918,11 +2918,9 @@ packages: description: name: webdriver sha256: "3d773670966f02a646319410766d3b5e1037efb7f07cc68f844d5e06cd4d61c8" - sha256: "3d773670966f02a646319410766d3b5e1037efb7f07cc68f844d5e06cd4d61c8" url: "https://pub.dev" source: hosted version: "3.0.4" - version: "3.0.4" webkit_inspection_protocol: dependency: transitive description: From d466b77f0e7f3a3887271360074e22c1926aa816 Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Thu, 24 Jul 2025 15:59:34 +0530 Subject: [PATCH 120/302] Fix: show custom warning dialog --- .../image_editor/image_editor_page_new.dart | 631 +++++++++--------- 1 file changed, 324 insertions(+), 307 deletions(-) diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart index da15c97924..785e13687a 100644 --- a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart @@ -178,334 +178,351 @@ class _NewImageEditorState extends State { final textTheme = getEnteTextTheme(context); return Scaffold( backgroundColor: colorScheme.backgroundBase, - body: ProImageEditor.file( - key: editorKey, - widget.file, - callbacks: ProImageEditorCallbacks( - mainEditorCallbacks: MainEditorCallbacks( - onStartCloseSubEditor: (value) { - _mainEditorBarKey.currentState?.setState(() {}); + body: PopScope( + canPop: false, + onPopInvoked: (didPop) { + if (didPop) return; + editorKey.currentState?.disablePopScope = true; + _showExitConfirmationDialog(context); + }, + child: ProImageEditor.file( + key: editorKey, + widget.file, + callbacks: ProImageEditorCallbacks( + onCloseEditor: () { + editorKey.currentState?.disablePopScope = true; + _showExitConfirmationDialog(context); }, - ), - ), - configs: ProImageEditorConfigs( - layerInteraction: const LayerInteractionConfigs( - hideToolbarOnInteraction: false, - ), - theme: ThemeData( - scaffoldBackgroundColor: colorScheme.backgroundBase, - appBarTheme: AppBarTheme( - titleTextStyle: textTheme.body, - backgroundColor: colorScheme.backgroundBase, + mainEditorCallbacks: MainEditorCallbacks( + onStartCloseSubEditor: (value) { + _mainEditorBarKey.currentState?.setState(() {}); + }, + onPopInvoked: (didPop, result) { + editorKey.currentState?.disablePopScope = false; + }, ), - bottomAppBarTheme: BottomAppBarTheme( - color: colorScheme.backgroundBase, - ), - brightness: isLightMode ? Brightness.light : Brightness.dark, ), - mainEditor: MainEditorConfigs( - style: MainEditorStyle( - appBarBackground: colorScheme.backgroundBase, - background: colorScheme.backgroundBase, - bottomBarBackground: colorScheme.backgroundBase, + configs: ProImageEditorConfigs( + layerInteraction: const LayerInteractionConfigs( + hideToolbarOnInteraction: false, ), - widgets: MainEditorWidgets( - removeLayerArea: (removeAreaKey, editor, rebuildStream) { - return Align( - alignment: Alignment.bottomCenter, - child: StreamBuilder( - stream: rebuildStream, - builder: (_, __) { - final isHovered = - editor.layerInteractionManager.hoverRemoveBtn; + theme: ThemeData( + scaffoldBackgroundColor: colorScheme.backgroundBase, + appBarTheme: AppBarTheme( + titleTextStyle: textTheme.body, + backgroundColor: colorScheme.backgroundBase, + ), + bottomAppBarTheme: BottomAppBarTheme( + color: colorScheme.backgroundBase, + ), + brightness: isLightMode ? Brightness.light : Brightness.dark, + ), + mainEditor: MainEditorConfigs( + enableCloseButton: false, + style: MainEditorStyle( + appBarBackground: colorScheme.backgroundBase, + background: colorScheme.backgroundBase, + bottomBarBackground: colorScheme.backgroundBase, + ), + widgets: MainEditorWidgets( + removeLayerArea: (removeAreaKey, editor, rebuildStream) { + return Align( + alignment: Alignment.bottomCenter, + child: StreamBuilder( + stream: rebuildStream, + builder: (_, __) { + final isHovered = + editor.layerInteractionManager.hoverRemoveBtn; - return AnimatedContainer( - key: removeAreaKey, - duration: const Duration(milliseconds: 150), - height: 56, - width: 56, - margin: const EdgeInsets.only(bottom: 24), - decoration: BoxDecoration( - color: isHovered - ? const Color.fromARGB(255, 255, 197, 197) - : const Color.fromARGB(255, 255, 255, 255), - shape: BoxShape.circle, - ), - padding: const EdgeInsets.all(12), - child: const Center( - child: Icon( - Icons.delete_forever_outlined, - size: 28, - color: Color(0xFFF44336), + return AnimatedContainer( + key: removeAreaKey, + duration: const Duration(milliseconds: 150), + height: 56, + width: 56, + margin: const EdgeInsets.only(bottom: 24), + decoration: BoxDecoration( + color: isHovered + ? const Color.fromARGB(255, 255, 197, 197) + : const Color.fromARGB(255, 255, 255, 255), + shape: BoxShape.circle, ), - ), - ); - }, - ), - ); - }, - appBar: (editor, rebuildStream) { - return ReactiveCustomAppbar( - builder: (context) { - return ImageEditorAppBar( - enableRedo: editor.canRedo, - enableUndo: editor.canUndo, - key: const Key('image_editor_app_bar'), - redo: () => editor.redoAction(), - undo: () => editor.undoAction(), - configs: editor.configs, - done: () async { - final Uint8List bytes = - await editorKey.currentState!.captureEditorImage(); - await saveImage(bytes); + padding: const EdgeInsets.all(12), + child: const Center( + child: Icon( + Icons.delete_forever_outlined, + size: 28, + color: Color(0xFFF44336), + ), + ), + ); }, - close: () { - _showExitConfirmationDialog(context); - }, - isMainEditor: true, - ); - }, - stream: rebuildStream, - ); - }, - bottomBar: (editor, rebuildStream, key) => ReactiveCustomWidget( - key: key, - builder: (context) { - return ImageEditorMainBottomBar( - key: _mainEditorBarKey, - editor: editor, - configs: editor.configs, - callbacks: editor.callbacks, + ), ); }, - stream: rebuildStream, - ), - ), - ), - paintEditor: PaintEditorConfigs( - style: PaintEditorStyle( - background: colorScheme.backgroundBase, - initialStrokeWidth: 5, - ), - widgets: PaintEditorWidgets( - appBar: (editor, rebuildStream) { - return ReactiveCustomAppbar( + appBar: (editor, rebuildStream) { + return ReactiveCustomAppbar( + builder: (context) { + return ImageEditorAppBar( + enableRedo: editor.canRedo, + enableUndo: editor.canUndo, + key: const Key('image_editor_app_bar'), + redo: () => editor.redoAction(), + undo: () => editor.undoAction(), + configs: editor.configs, + done: () async { + final Uint8List bytes = await editorKey.currentState! + .captureEditorImage(); + await saveImage(bytes); + }, + close: () { + _showExitConfirmationDialog(context); + }, + isMainEditor: true, + ); + }, + stream: rebuildStream, + ); + }, + bottomBar: (editor, rebuildStream, key) => ReactiveCustomWidget( + key: key, builder: (context) { - return ImageEditorAppBar( - enableRedo: editor.canRedo, - enableUndo: editor.canUndo, - key: const Key('image_editor_app_bar'), - redo: () => editor.redoAction(), - undo: () => editor.undoAction(), + return ImageEditorMainBottomBar( + key: _mainEditorBarKey, + editor: editor, configs: editor.configs, - done: () => editor.done(), - close: () => editor.close(), + callbacks: editor.callbacks, ); }, stream: rebuildStream, - ); - }, - colorPicker: - (paintEditor, rebuildStream, currentColor, setColor) => null, - bottomBar: (editorState, rebuildStream) { - return ReactiveCustomWidget( - builder: (context) { - return ImageEditorPaintBar( - configs: editorState.configs, - callbacks: editorState.callbacks, - editor: editorState, - i18nColor: 'Color', - ); - }, - stream: rebuildStream, - ); - }, - ), - ), - textEditor: TextEditorConfigs( - canToggleTextAlign: true, - customTextStyles: [ - GoogleFonts.inter(), - GoogleFonts.giveYouGlory(), - GoogleFonts.dmSerifText(), - GoogleFonts.comicNeue(), - ], - safeArea: const EditorSafeArea( - bottom: false, - top: false, - ), - style: const TextEditorStyle( - background: Colors.transparent, - textFieldMargin: EdgeInsets.only(top: kToolbarHeight), - ), - widgets: TextEditorWidgets( - appBar: (textEditor, rebuildStream) => null, - colorPicker: - (textEditor, rebuildStream, currentColor, setColor) => null, - bottomBar: (editorState, rebuildStream) { - return ReactiveCustomWidget( - builder: (context) { - return ImageEditorTextBar( - configs: editorState.configs, - callbacks: editorState.callbacks, - editor: editorState, - ); - }, - stream: rebuildStream, - ); - }, - ), - ), - cropRotateEditor: CropRotateEditorConfigs( - safeArea: const EditorSafeArea( - bottom: false, - top: false, - ), - style: CropRotateEditorStyle( - background: colorScheme.backgroundBase, - cropCornerColor: - Theme.of(context).colorScheme.imageEditorPrimaryColor, - ), - widgets: CropRotateEditorWidgets( - appBar: (editor, rebuildStream) { - return ReactiveCustomAppbar( - builder: (context) { - return ImageEditorAppBar( - key: const Key('image_editor_app_bar'), - configs: editor.configs, - done: () => editor.done(), - close: () => editor.close(), - enableRedo: editor.canRedo, - enableUndo: editor.canUndo, - redo: () => editor.redoAction(), - undo: () => editor.undoAction(), - ); - }, - stream: rebuildStream, - ); - }, - bottomBar: (cropRotateEditor, rebuildStream) => - ReactiveCustomWidget( - stream: rebuildStream, - builder: (_) => ImageEditorCropRotateBar( - configs: cropRotateEditor.configs, - callbacks: cropRotateEditor.callbacks, - editor: cropRotateEditor, ), ), ), - ), - filterEditor: FilterEditorConfigs( - fadeInUpDuration: fadeInDuration, - fadeInUpStaggerDelayDuration: fadeInDelay, - safeArea: const EditorSafeArea(top: false), - style: FilterEditorStyle( - filterListSpacing: 7, - background: colorScheme.backgroundBase, - ), - widgets: FilterEditorWidgets( - slider: ( - editorState, - rebuildStream, - value, - onChanged, - onChangeEnd, - ) => - ReactiveCustomWidget( - builder: (context) { - return const SizedBox.shrink(); + paintEditor: PaintEditorConfigs( + style: PaintEditorStyle( + background: colorScheme.backgroundBase, + initialStrokeWidth: 5, + ), + widgets: PaintEditorWidgets( + appBar: (editor, rebuildStream) { + return ReactiveCustomAppbar( + builder: (context) { + return ImageEditorAppBar( + enableRedo: editor.canRedo, + enableUndo: editor.canUndo, + key: const Key('image_editor_app_bar'), + redo: () => editor.redoAction(), + undo: () => editor.undoAction(), + configs: editor.configs, + done: () => editor.done(), + close: () => editor.close(), + ); + }, + stream: rebuildStream, + ); + }, + colorPicker: + (paintEditor, rebuildStream, currentColor, setColor) => + null, + bottomBar: (editorState, rebuildStream) { + return ReactiveCustomWidget( + builder: (context) { + return ImageEditorPaintBar( + configs: editorState.configs, + callbacks: editorState.callbacks, + editor: editorState, + i18nColor: 'Color', + ); + }, + stream: rebuildStream, + ); }, - stream: rebuildStream, - ), - filterButton: ( - filter, - isSelected, - scaleFactor, - onSelectFilter, - editorImage, - filterKey, - ) { - return ImageEditorFilterBar( - filterModel: filter, - isSelected: isSelected, - onSelectFilter: onSelectFilter, - editorImage: editorImage, - filterKey: filterKey, - ); - }, - appBar: (editor, rebuildStream) { - return ReactiveCustomAppbar( - builder: (context) { - return ImageEditorAppBar( - key: const Key('image_editor_app_bar'), - configs: editor.configs, - done: () => editor.done(), - close: () => editor.close(), - ); - }, - stream: rebuildStream, - ); - }, - ), - ), - tuneEditor: TuneEditorConfigs( - safeArea: const EditorSafeArea(top: false), - style: TuneEditorStyle( - background: colorScheme.backgroundBase, - ), - widgets: TuneEditorWidgets( - appBar: (editor, rebuildStream) { - return ReactiveCustomAppbar( - builder: (context) { - return ImageEditorAppBar( - enableRedo: editor.canRedo, - enableUndo: editor.canUndo, - key: const Key('image_editor_app_bar'), - redo: () => editor.redo(), - undo: () => editor.undo(), - configs: editor.configs, - done: () => editor.done(), - close: () => editor.close(), - ); - }, - stream: rebuildStream, - ); - }, - bottomBar: (editorState, rebuildStream) { - return ReactiveCustomWidget( - builder: (context) { - return ImageEditorTuneBar( - configs: editorState.configs, - callbacks: editorState.callbacks, - editor: editorState, - ); - }, - stream: rebuildStream, - ); - }, - ), - ), - blurEditor: const BlurEditorConfigs( - enabled: false, - ), - emojiEditor: EmojiEditorConfigs( - icons: const EmojiEditorIcons(), - style: EmojiEditorStyle( - backgroundColor: colorScheme.backgroundBase, - emojiViewConfig: const EmojiViewConfig( - gridPadding: EdgeInsets.zero, - horizontalSpacing: 0, - verticalSpacing: 0, - recentsLimit: 40, - loadingIndicator: Center(child: CircularProgressIndicator()), - replaceEmojiOnLimitExceed: false, - ), - bottomActionBarConfig: const BottomActionBarConfig( - enabled: false, ), ), + textEditor: TextEditorConfigs( + canToggleTextAlign: true, + customTextStyles: [ + GoogleFonts.inter(), + GoogleFonts.giveYouGlory(), + GoogleFonts.dmSerifText(), + GoogleFonts.comicNeue(), + ], + safeArea: const EditorSafeArea( + bottom: false, + top: false, + ), + style: const TextEditorStyle( + background: Colors.transparent, + textFieldMargin: EdgeInsets.only(top: kToolbarHeight), + ), + widgets: TextEditorWidgets( + appBar: (textEditor, rebuildStream) => null, + colorPicker: + (textEditor, rebuildStream, currentColor, setColor) => null, + bottomBar: (editorState, rebuildStream) { + return ReactiveCustomWidget( + builder: (context) { + return ImageEditorTextBar( + configs: editorState.configs, + callbacks: editorState.callbacks, + editor: editorState, + ); + }, + stream: rebuildStream, + ); + }, + ), + ), + cropRotateEditor: CropRotateEditorConfigs( + safeArea: const EditorSafeArea( + bottom: false, + top: false, + ), + style: CropRotateEditorStyle( + background: colorScheme.backgroundBase, + cropCornerColor: + Theme.of(context).colorScheme.imageEditorPrimaryColor, + ), + widgets: CropRotateEditorWidgets( + appBar: (editor, rebuildStream) { + return ReactiveCustomAppbar( + builder: (context) { + return ImageEditorAppBar( + key: const Key('image_editor_app_bar'), + configs: editor.configs, + done: () => editor.done(), + close: () => editor.close(), + enableRedo: editor.canRedo, + enableUndo: editor.canUndo, + redo: () => editor.redoAction(), + undo: () => editor.undoAction(), + ); + }, + stream: rebuildStream, + ); + }, + bottomBar: (cropRotateEditor, rebuildStream) => + ReactiveCustomWidget( + stream: rebuildStream, + builder: (_) => ImageEditorCropRotateBar( + configs: cropRotateEditor.configs, + callbacks: cropRotateEditor.callbacks, + editor: cropRotateEditor, + ), + ), + ), + ), + filterEditor: FilterEditorConfigs( + fadeInUpDuration: fadeInDuration, + fadeInUpStaggerDelayDuration: fadeInDelay, + safeArea: const EditorSafeArea(top: false), + style: FilterEditorStyle( + filterListSpacing: 7, + background: colorScheme.backgroundBase, + ), + widgets: FilterEditorWidgets( + slider: ( + editorState, + rebuildStream, + value, + onChanged, + onChangeEnd, + ) => + ReactiveCustomWidget( + builder: (context) { + return const SizedBox.shrink(); + }, + stream: rebuildStream, + ), + filterButton: ( + filter, + isSelected, + scaleFactor, + onSelectFilter, + editorImage, + filterKey, + ) { + return ImageEditorFilterBar( + filterModel: filter, + isSelected: isSelected, + onSelectFilter: onSelectFilter, + editorImage: editorImage, + filterKey: filterKey, + ); + }, + appBar: (editor, rebuildStream) { + return ReactiveCustomAppbar( + builder: (context) { + return ImageEditorAppBar( + key: const Key('image_editor_app_bar'), + configs: editor.configs, + done: () => editor.done(), + close: () => editor.close(), + ); + }, + stream: rebuildStream, + ); + }, + ), + ), + tuneEditor: TuneEditorConfigs( + safeArea: const EditorSafeArea(top: false), + style: TuneEditorStyle( + background: colorScheme.backgroundBase, + ), + widgets: TuneEditorWidgets( + appBar: (editor, rebuildStream) { + return ReactiveCustomAppbar( + builder: (context) { + return ImageEditorAppBar( + enableRedo: editor.canRedo, + enableUndo: editor.canUndo, + key: const Key('image_editor_app_bar'), + redo: () => editor.redo(), + undo: () => editor.undo(), + configs: editor.configs, + done: () => editor.done(), + close: () => editor.close(), + ); + }, + stream: rebuildStream, + ); + }, + bottomBar: (editorState, rebuildStream) { + return ReactiveCustomWidget( + builder: (context) { + return ImageEditorTuneBar( + configs: editorState.configs, + callbacks: editorState.callbacks, + editor: editorState, + ); + }, + stream: rebuildStream, + ); + }, + ), + ), + blurEditor: const BlurEditorConfigs( + enabled: false, + ), + emojiEditor: EmojiEditorConfigs( + icons: const EmojiEditorIcons(), + style: EmojiEditorStyle( + backgroundColor: colorScheme.backgroundBase, + emojiViewConfig: const EmojiViewConfig( + gridPadding: EdgeInsets.zero, + horizontalSpacing: 0, + verticalSpacing: 0, + recentsLimit: 40, + loadingIndicator: Center(child: CircularProgressIndicator()), + replaceEmojiOnLimitExceed: false, + ), + bottomActionBarConfig: const BottomActionBarConfig( + enabled: false, + ), + ), + ), + stickerEditor: const StickerEditorConfigs(enabled: false), ), - stickerEditor: const StickerEditorConfigs(enabled: false), ), ), ); From e9da23aff986132e56c3407d8cef6382fc90b409 Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Thu, 24 Jul 2025 16:00:36 +0530 Subject: [PATCH 121/302] Refactor: remove unused safe area configurations from image editor --- .../editor/image_editor/image_editor_page_new.dart | 11 ----------- 1 file changed, 11 deletions(-) diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart index 785e13687a..7a5ea825eb 100644 --- a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart @@ -34,7 +34,6 @@ import "package:photos/ui/tools/editor/image_editor/image_editor_tune_bar.dart"; import "package:photos/ui/viewer/file/detail_page.dart"; import "package:photos/utils/dialog_util.dart"; import "package:photos/utils/navigation_util.dart"; -import "package:pro_image_editor/models/editor_configs/utils/editor_safe_area.dart"; import 'package:pro_image_editor/pro_image_editor.dart'; class NewImageEditor extends StatefulWidget { @@ -346,10 +345,6 @@ class _NewImageEditorState extends State { GoogleFonts.dmSerifText(), GoogleFonts.comicNeue(), ], - safeArea: const EditorSafeArea( - bottom: false, - top: false, - ), style: const TextEditorStyle( background: Colors.transparent, textFieldMargin: EdgeInsets.only(top: kToolbarHeight), @@ -373,10 +368,6 @@ class _NewImageEditorState extends State { ), ), cropRotateEditor: CropRotateEditorConfigs( - safeArea: const EditorSafeArea( - bottom: false, - top: false, - ), style: CropRotateEditorStyle( background: colorScheme.backgroundBase, cropCornerColor: @@ -414,7 +405,6 @@ class _NewImageEditorState extends State { filterEditor: FilterEditorConfigs( fadeInUpDuration: fadeInDuration, fadeInUpStaggerDelayDuration: fadeInDelay, - safeArea: const EditorSafeArea(top: false), style: FilterEditorStyle( filterListSpacing: 7, background: colorScheme.backgroundBase, @@ -465,7 +455,6 @@ class _NewImageEditorState extends State { ), ), tuneEditor: TuneEditorConfigs( - safeArea: const EditorSafeArea(top: false), style: TuneEditorStyle( background: colorScheme.backgroundBase, ), From 637f11ac23c0c0e8cdbbfda1e50512a0d5bb2172 Mon Sep 17 00:00:00 2001 From: Keerthana Date: Thu, 24 Jul 2025 16:21:13 +0530 Subject: [PATCH 122/302] [docs] complete installation procedures --- docs/docs/.vitepress/sidebar.ts | 67 ++--- .../{faq => administration}/backup.md | 0 .../configuring-s3.md | 30 +- .../administration/creating-accounts.md | 27 -- .../selfhost-cli.md | 0 .../{guides => developer}/mobile-build.md | 0 docs/docs/self-hosting/faq/otp.md | 45 --- docs/docs/self-hosting/faq/sharing.md | 104 ------- docs/docs/self-hosting/guides/db-migration.md | 158 ----------- docs/docs/self-hosting/guides/external-s3.md | 261 ------------------ docs/docs/self-hosting/index.md | 15 +- docs/docs/self-hosting/install/compose.md | 46 +++ docs/docs/self-hosting/install/config-file.md | 14 + .../{config.md => configuration-variables.md} | 28 +- .../install/{post-install.md => defaults.md} | 0 docs/docs/self-hosting/install/from-source.md | 183 ------------ .../custom-server.png | Bin .../{custom-server => post-install}/index.md | 89 +++--- .../web-custom-endpoint-indicator.png | Bin .../web-dev-settings.png | Bin docs/docs/self-hosting/install/quickstart.md | 12 +- .../self-hosting/install/standalone-ente.md | 120 -------- .../self-hosting/install/without-docker.md | 82 ++++++ server/.gitignore | 2 + server/config/compose.yaml | 79 ++++++ server/config/example.env | 29 ++ server/config/example.yaml | 30 ++ 27 files changed, 369 insertions(+), 1052 deletions(-) rename docs/docs/self-hosting/{faq => administration}/backup.md (100%) rename docs/docs/self-hosting/{guides => administration}/configuring-s3.md (63%) delete mode 100644 docs/docs/self-hosting/administration/creating-accounts.md rename docs/docs/self-hosting/{guides => administration}/selfhost-cli.md (100%) rename docs/docs/self-hosting/{guides => developer}/mobile-build.md (100%) delete mode 100644 docs/docs/self-hosting/faq/otp.md delete mode 100644 docs/docs/self-hosting/faq/sharing.md delete mode 100644 docs/docs/self-hosting/guides/db-migration.md delete mode 100644 docs/docs/self-hosting/guides/external-s3.md create mode 100644 docs/docs/self-hosting/install/compose.md create mode 100644 docs/docs/self-hosting/install/config-file.md rename docs/docs/self-hosting/install/{config.md => configuration-variables.md} (51%) rename docs/docs/self-hosting/install/{post-install.md => defaults.md} (100%) delete mode 100644 docs/docs/self-hosting/install/from-source.md rename docs/docs/self-hosting/install/{custom-server => post-install}/custom-server.png (100%) rename docs/docs/self-hosting/install/{custom-server => post-install}/index.md (54%) rename docs/docs/self-hosting/install/{custom-server => post-install}/web-custom-endpoint-indicator.png (100%) rename docs/docs/self-hosting/install/{custom-server => post-install}/web-dev-settings.png (100%) delete mode 100644 docs/docs/self-hosting/install/standalone-ente.md create mode 100644 docs/docs/self-hosting/install/without-docker.md create mode 100644 server/config/compose.yaml create mode 100644 server/config/example.env create mode 100644 server/config/example.yaml diff --git a/docs/docs/.vitepress/sidebar.ts b/docs/docs/.vitepress/sidebar.ts index 7ca16798cf..d1b8c37e3f 100644 --- a/docs/docs/.vitepress/sidebar.ts +++ b/docs/docs/.vitepress/sidebar.ts @@ -260,63 +260,55 @@ export const sidebar = [ }, { text: "Docker Compose", - link: "/self-hosting/install/from-source", + link: "/self-hosting/install/compose", }, { text: "Without Docker", - link: "/self-hosting/install/standalone-ente", + link: "/self-hosting/install/without-docker", }, { - text: "Configuration", - link: "/self-hosting/install/config", + text: "Configuration Variables", + link: "/self-hosting/install/configuration-variables", }, { text: "Post Installation", - link: "/self-hosting/install/post-install", - }, - { - text: "Connecting to Custom Server", - link: "/self-hosting/install/custom-server/", - }, + link: "/self-hosting/install/post-install/", + } ], }, { text: "Administration", collapsed: true, items: [ - { - text: "Creating accounts", - link: "/self-hosting/administration/creating-accounts", - }, { text: "Configuring your server", link: "/self-hosting/administration/museum", }, { text: "Configuring S3", - link: "/self-hosting/guides/configuring-s3", + link: "/self-hosting/administration/configuring-s3", }, { text: "Reverse proxy", link: "/self-hosting/administration/reverse-proxy", }, - ], - }, - { - text: "Guides", - collapsed: true, - items: [ - { text: "Introduction", link: "/self-hosting/guides/" }, - { - text: "Administering your server", - link: "/self-hosting/guides/admin", - }, { text: "Configuring CLI for your instance", link: "/self-hosting/guides/selfhost-cli", }, + ], }, + { + text: "Developer", + collapsed: true, + items: [ + { + text: "Building mobile apps", + link: "/self-hosting/developer/mobile-build" + } + ] + }, { text: "Troubleshooting", collapsed: true, @@ -337,10 +329,6 @@ export const sidebar = [ text: "Docker / quickstart", link: "/self-hosting/troubleshooting/docker", }, - { - text: "Ente CLI secrets", - link: "/self-hosting/troubleshooting/keyring", - }, ], }, { @@ -359,23 +347,8 @@ export const sidebar = [ }, { text: "FAQ", - collapsed: true, - items: [ - { text: "General", link: "/self-hosting/faq/" }, - { - text: "Verification code", - link: "/self-hosting/faq/otp", - }, - { - text: "Shared albums", - link: "/self-hosting/faq/sharing", - }, - { - text: "Backups", - link: "/self-hosting/faq/backup", - }, - ], - }, + link: "/self-hosting/faq/", + } ], }, ]; diff --git a/docs/docs/self-hosting/faq/backup.md b/docs/docs/self-hosting/administration/backup.md similarity index 100% rename from docs/docs/self-hosting/faq/backup.md rename to docs/docs/self-hosting/administration/backup.md diff --git a/docs/docs/self-hosting/guides/configuring-s3.md b/docs/docs/self-hosting/administration/configuring-s3.md similarity index 63% rename from docs/docs/self-hosting/guides/configuring-s3.md rename to docs/docs/self-hosting/administration/configuring-s3.md index 744760ed7e..0ac0657228 100644 --- a/docs/docs/self-hosting/guides/configuring-s3.md +++ b/docs/docs/self-hosting/administration/configuring-s3.md @@ -17,21 +17,13 @@ description: > For more information, check this > [discussion](https://github.com/ente-io/ente/discussions/3167#discussioncomment-10585970). -If you're wondering why there are 3 buckets on the MinIO UI - that's because our -production instance uses these to perform +If you're wondering why there are 3 buckets on the MinIO UI - that's because our production instance uses these to perform [replication](https://ente.io/reliability/). -If you're also wondering about why the bucket names are specifically what they -are, it's because that is exactly what we are using on our production instance. -We use `b2-eu-cen` as hot, `wasabi-eu-central-2-v3` as cold (also the secondary -hot) and `scw-eu-fr-v3` as glacier storage. As of now, all of this is hardcoded. -Hence, the same hardcoded configuration is applied when you self host Ente. - In a self hosted Ente instance replication is turned off by default. When replication is turned off, only the first bucket (`b2-eu-cen`) is used, and the other two are ignored. Only the names here are specifically fixed, but in the -configuration body you can put any other keys. It does not have any relation -with `b2`, `wasabi` or even `scaleway`. +configuration body you can put any other keys. Use the `s3.hot_storage.primary` option if you'd like to set one of the other predefined buckets as the primary bucket. @@ -53,20 +45,4 @@ need to enable `s3.use_path_style_urls`. Set the S3 bucket `endpoint` in `credentials.yaml` to a `yourserverip:3200` or some such IP / hostname that is accessible from both where you are running the Ente clients (e.g. the mobile app) and also from within the Docker compose -cluster. - -### Example - -An example `museum.yaml` when you're trying to connect to museum running on your -computer from your phone on the same WiFi network: - -```yaml -s3: - are_local_buckets: true - b2-eu-cen: - key: test - secret: testtest - endpoint: http://:3200 - region: eu-central-2 - bucket: b2-eu-cen -``` +cluster. \ No newline at end of file diff --git a/docs/docs/self-hosting/administration/creating-accounts.md b/docs/docs/self-hosting/administration/creating-accounts.md deleted file mode 100644 index 2cdfd7e8ba..0000000000 --- a/docs/docs/self-hosting/administration/creating-accounts.md +++ /dev/null @@ -1,27 +0,0 @@ ---- -title: Creating Accounts - Self-hosting -description: Creating accounts on your deployment ---- - -# Creating accounts - -Once Ente is up and running, the Ente Photos web app will be accessible on -`http://localhost:3000`. Open this URL in your browser and proceed with creating -an account. - -The default API endpoint for museum will be `localhost:8080`. - -![endpoint](/endpoint.png) - -To complete your account registration you will need to enter a 6-digit -verification code. - -This code can be found in the server logs, which should already be shown in your -quickstart terminal. Alternatively, you can open the server logs with the -following command from inside the `my-ente` folder: - -```sh -sudo docker compose logs -``` - -![otp](/otp.png) diff --git a/docs/docs/self-hosting/guides/selfhost-cli.md b/docs/docs/self-hosting/administration/selfhost-cli.md similarity index 100% rename from docs/docs/self-hosting/guides/selfhost-cli.md rename to docs/docs/self-hosting/administration/selfhost-cli.md diff --git a/docs/docs/self-hosting/guides/mobile-build.md b/docs/docs/self-hosting/developer/mobile-build.md similarity index 100% rename from docs/docs/self-hosting/guides/mobile-build.md rename to docs/docs/self-hosting/developer/mobile-build.md diff --git a/docs/docs/self-hosting/faq/otp.md b/docs/docs/self-hosting/faq/otp.md deleted file mode 100644 index 0a85b60717..0000000000 --- a/docs/docs/self-hosting/faq/otp.md +++ /dev/null @@ -1,45 +0,0 @@ ---- -title: Verification code -description: Getting the OTP for a self hosted Ente ---- - -# Verification code - -The self-hosted Ente by default does not send out emails, so you can pick the -verification code by: - -- Getting it from the server logs, or - -- Reading it from the DB (otts table) - -The easiest option when getting started is to look for it in the server (museum) -logs. If you're already running the docker compose cluster using the quickstart -script, you should be already seeing the logs in your terminal. Otherwise you -can go to the folder (e.g. `my-ente`) where your `compose.yaml` is, then run -`docker compose logs museum --follow`. Once you can see the logs, look for a -line like: - -``` -... Skipping sending email to email@example.com: *Verification code: 112089* -``` - -That is the verification code. - -> [!TIP] -> -> You can also configure your instance to send out emails so that you can get -> your verification code via emails by using the `smtp` section in the config. - -You can also set pre-defined hardcoded OTTs for certain users when running -locally by creating a `museum.yaml` and adding the `internal.hardcoded-ott` -configuration setting to it. See -[local.yaml](https://github.com/ente-io/ente/blob/main/server/configurations/local.yaml) -in the server source code for details about how to define this. - -> [!NOTE] -> -> If you're not able to get the OTP with the above methods, make sure that you -> are actually connecting to your self hosted instance and not to Ente's -> production servers. e.g. you can use the network requests tab in the browser -> console to verify that the API requests are going to your server instead of -> `api.ente.io`. diff --git a/docs/docs/self-hosting/faq/sharing.md b/docs/docs/self-hosting/faq/sharing.md deleted file mode 100644 index 2eb5578448..0000000000 --- a/docs/docs/self-hosting/faq/sharing.md +++ /dev/null @@ -1,104 +0,0 @@ ---- -title: Album sharing -description: Getting album sharing to work using an self-hosted Ente ---- - -# Is public sharing available for self-hosted instances? - -Yes. - -You'll need to run two instances of the web app, one is regular web app, but -another one is the same code but running on a different origin (i.e. on a -different hostname or different port). - -Then, you need to tell the regular web app to use your second instance to -service public links. You can do this by setting the -`NEXT_PUBLIC_ENTE_ALBUMS_ENDPOINT` to point to your second instance when running -or building the regular web app. - -For more details, see -[.env](https://github.com/ente-io/ente/blob/main/web/apps/photos/.env) and -[.env.development](https://github.com/ente-io/ente/blob/main/web/apps/photos/.env.development). - -As a concrete example, assuming we have a Ente server running on -`localhost:8080`, we can start two instances of the web app, passing them -`NEXT_PUBLIC_ENTE_ALBUMS_ENDPOINT` that points to the origin -("scheme://host[:port]") of the second "albums" instance. - -The first one, the normal web app - -```sh -NEXT_PUBLIC_ENTE_ENDPOINT=http://localhost:8080 \ - NEXT_PUBLIC_ENTE_ALBUMS_ENDPOINT=http://localhost:3002 \ - yarn dev:photos -``` - -The second one, the same code but acting as the "albums" app (the only -difference is the port it is running on): - -```sh -NEXT_PUBLIC_ENTE_ENDPOINT=http://localhost:8080 \ - NEXT_PUBLIC_ENTE_ALBUMS_ENDPOINT=http://localhost:3002 \ - yarn dev:albums -``` - -If you also want to change the prefix (the origin) in the generated public -links, to use your custom albums endpoint in the generated public link instead -of albums.ente.io, set `apps.public-albums` property in museum's configuration - -For example, when running using the starter docker compose file, you can do this -by creating a `museum.yaml` and defining the following configuration there: - -```yaml -apps: - public-albums: http://localhost:3002 -``` - -(For more details, see -[local.yaml](https://github.com/ente-io/ente/blob/main/server/configurations/local.yaml) -in the server's source code). - -## Dockerfile example - -Here is an example of a Dockerfile by @Dylanger on our community Discord. This -runs a standalone self-hosted version of the public albums app in production -mode. - -```Dockerfile -FROM node:20-alpine as builder - -WORKDIR /app -COPY . . - -ARG NEXT_PUBLIC_ENTE_ENDPOINT=https://your.ente.example.org -ARG NEXT_PUBLIC_ENTE_ALBUMS_ENDPOINT=https://your.albums.example.org - -RUN yarn install && yarn build - -FROM node:20-alpine - -WORKDIR /app -COPY --from=builder /app/apps/photos/out . - -RUN npm install -g serve - -ENV PORT=3000 -EXPOSE ${PORT} - -CMD serve -s . -l tcp://0.0.0.0:${PORT} -``` - -Note that this only runs the public albums app, but the same principle can be -used to run both the normal Ente photos app and the public albums app. There is -a slightly more involved example showing how to do this also provided by in a -community contributed guide about -[configuring external S3](/self-hosting/guides/external-s3). - -You will also want to tell museum about your custom shared albums endpoint so -that it uses that instead of the default URL when creating share links. You can -configure that in museum's `config.yaml`: - -``` -apps: - public-albums: https://your.albums.example.org -``` diff --git a/docs/docs/self-hosting/guides/db-migration.md b/docs/docs/self-hosting/guides/db-migration.md deleted file mode 100644 index 60818caa2d..0000000000 --- a/docs/docs/self-hosting/guides/db-migration.md +++ /dev/null @@ -1,158 +0,0 @@ ---- -title: DB Migration -description: - Migrating your self hosted Postgres 12 database to newer Postgres versions ---- - -# Migrating Postgres 12 to 15 - -The old sample docker compose file used Postgres 12, which is now nearing end of -life, so we've updated it to Postgres 15. Postgres major versions changes -require a migration step. This document mentions some approaches you can use. - -> [!TIP] -> -> Ente itself does not use any specific Postgres 12 or Postgres 15 features, and -> will talk to either happily. It should also work with newer Postgres versions, -> but let us know if you run into any problems and we'll update this page. - -### Taking a backup - -`docker compose exec` allows us to run a command against a running container. We -can use it to run the `pg_dumpall` command on the postgres container to create a -plaintext backup. - -Assuming your cluster is already running, and you are in the `ente/server` -directory, you can run the following (this command uses the default credentials, -you'll need to change these to match your setup): - -```sh -docker compose exec postgres env PGPASSWORD=pgpass PGUSER=pguser PG_DB=ente_db pg_dumpall >pg12.backup.sql -``` - -This will produce a `pg12.backup.sql` in your current directory. You can open it -in a text editor (it can be huge!) to verify that it looks correct. - -We won't be needing this file, this backup is recommended just in case something -goes amiss with the actual migration. - -> If you need to restore from this plaintext backup, you could subsequently run -> something like: -> -> ```sh -> docker compose up postgres -> cat pg12.backup.sql | docker compose exec -T postgres env PGPASSWORD=pgpass psql -U pguser -d ente_db -> ``` - -## The migration - -At the high level, the steps are - -1. Stop your cluster. - -2. Start just the postgres container after changing the image to - `pgautoupgrade/pgautoupgrade:15-bookworm`. - -3. Once the in-place migration completes, stop the container, and change the - image to `postgres:15`. - -#### 1. Stop the cluster - -Stop your running Ente cluster. - -```sh -docker compose down -``` - -#### 2. Run `pgautoupgrade` - -Modify your `compose.yaml`, changing the image for the "postgres" container from -"postgres:12" to "pgautoupgrade/pgautoupgrade:15-bookworm" - -```diff -diff a/server/compose.yaml b/server/compose.yaml - - postgres: -- image: postgres:12 -+ image: pgautoupgrade/pgautoupgrade:15-bookworm - ports: -``` - -[pgautoupgrade](https://github.com/pgautoupgrade/docker-pgautoupgrade) is a -community docker image that performs an in-place migration. - -After making the change, run only the `postgres` container in the cluster - -```sh -docker compose up postgres -``` - -The container will start and peform an in-place migration. Once it is done, it -will start postgres normally. You should see something like this is the logs - -``` -postgres-1 | Automatic upgrade process finished with no errors reported -... -postgres-1 | ... starting PostgreSQL 15... -``` - -At this point, you can stop the container (`CTRL-C`). - -#### 3. Finish by changing image - -Modify `compose.yaml` again, changing the image to "postgres:15". - -```diff -diff a/server/compose.yaml b/server/compose.yaml - - postgres: -- image: pgautoupgrade/pgautoupgrade:15-bookworm -+ image: postgres:15 - ports: -``` - -And cleanup the temporary containers by - -```sh -docker compose down --remove-orphans -``` - -Migration is now complete. You can start your Ente cluster normally. - -```sh -docker compose up -``` - -## Migration elsewhere - -The above instructions are for Postgres running inside docker, as the sample -docker compose file does. There are myriad other ways to run Postgres, and the -migration sequence then will depend on your exact setup. - -Two common approaches are - -1. Backup and restore, the `pg_dumpall` + `psql` import sequence described in - [Taking a backup](#taking-a-backup) above. - -2. In place migrations using `pg_upgrade`, which is what the - [pgautoupgrade](#the-migration) migration above does under the hood. - -The first method, backup and restore, is low tech and will work similarly in -most setups. The second method is more efficient, but requires a bit more -careful preparation. - -As another example, here is how one can migrate 12 to 15 when running Postgres -on macOS, installed using Homebrew. - -1. Stop your postgres. Make sure there are no more commands shown by - `ps aux | grep '[p]ostgres'`. - -2. Install postgres15. - -3. Migrate data using `pg_upgrade`: - - ```sh - /opt/homebrew/Cellar/postgresql@15/15.8/bin/pg_upgrade -b /opt/homebrew/Cellar/postgresql@12/12.18_1/bin -B /opt/homebrew/Cellar/postgresql@15/15.8/bin/ -d /opt/homebrew/var/postgresql@12 -D /opt/homebrew/var/postgresql@15 - ``` - -4. Start postgres 15 and verify version using `SELECT VERSION()`. diff --git a/docs/docs/self-hosting/guides/external-s3.md b/docs/docs/self-hosting/guides/external-s3.md deleted file mode 100644 index 0a919092c0..0000000000 --- a/docs/docs/self-hosting/guides/external-s3.md +++ /dev/null @@ -1,261 +0,0 @@ ---- -title: External S3 buckets -description: - Self hosting Ente's server and photos web app when using an external S3 - bucket ---- - -# Hosting server and web app using external S3 - -> [!NOTE] -> -> This is a community contributed guide, and some of these steps ~~might be~~ -> ARE out of sync with the upstream changes. This document is retained for -> reference purposes, but if something is not working correctly, please see the -> latest [READMEs](https://github.com/ente-io/ente/blob/main/server/README.md) -> in the repository and/or other guides in [self-hosting](/self-hosting/). - -This guide is for self hosting the server and the web application of Ente Photos -using docker compose and an external S3 bucket. So we assume that you already -have the keys and secrets for the S3 bucket. The plan is as follows: - -1. Create a `compose.yaml` file -2. Set up the `.credentials.env` file -3. Run `docker-compose up` -4. Create an account and increase storage quota -5. Fix potential CORS issue with your bucket - -## 1. Create a `compose.yaml` file - -After cloning the main repository with - -```bash -git clone https://github.com/ente-io/ente.git -# Or git clone git@github.com:ente-io/ente.git -cd ente -``` - -Create a `compose.yaml` file at the root of the project with the following -content (there is nothing to change here): - -```yaml -services: - museum: - build: - context: server - args: - GIT_COMMIT: local - ports: - - 8080:8080 # API - - 2112:2112 # Prometheus metrics - depends_on: - postgres: - condition: service_healthy - - # Wait for museum to ping pong before starting the webapp. - healthcheck: - test: [ - "CMD", - "echo", - "1", # I don't know what to put here - ] - environment: - # no need to touch these - ENTE_DB_HOST: postgres - ENTE_DB_PORT: 5432 - ENTE_DB_NAME: ente_db - ENTE_DB_USER: pguser - ENTE_DB_PASSWORD: pgpass - env_file: - - ./.credentials.env - volumes: - - custom-logs:/var/logs - - museum.yaml:/museum.yaml:ro - networks: - - internal - - web: - build: - context: web - ports: - - 8081:80 - - 8082:80 - depends_on: - museum: - condition: service_healthy - env_file: - - ./.credentials.env - - postgres: - image: postgres:12 - ports: - - 5432:5432 - environment: - POSTGRES_USER: pguser - POSTGRES_PASSWORD: pgpass - POSTGRES_DB: ente_db - # Wait for postgres to be accept connections before starting museum. - healthcheck: - test: ["CMD", "pg_isready", "-q", "-d", "ente_db", "-U", "pguser"] - interval: 1s - timeout: 5s - retries: 20 - volumes: - - postgres-data:/var/lib/postgresql/data - networks: - - internal -volumes: - custom-logs: - postgres-data: -networks: - internal: -``` - -It maybe be added in the future, but if it does not exist, create a `Dockerfile` -in the `web` directory with the following content: - -```Dockerfile -# syntax=docker/dockerfile:1 -FROM node:21-bookworm-slim as ente-builder -WORKDIR /app -RUN apt update && apt install -y ca-certificates && rm -rf /var/lib/apt/lists/* -COPY . . -RUN yarn install -ENV NEXT_PUBLIC_ENTE_ENDPOINT=DOCKER_RUNTIME_REPLACE_ENDPOINT -ENV NEXT_PUBLIC_ENTE_ALBUMS_ENDPOINT=DOCKER_RUNTIME_REPLACE_ALBUMS_ENDPOINT -RUN yarn build - - -FROM nginx:1.25-alpine-slim -COPY --from=ente-builder /app/apps/photos/out /usr/share/nginx/html -COPY < - -```sh -# run `go run tools/gen-random-keys/main.go` in the server directory to generate the keys -ENTE_KEY_ENCRYPTION= -ENTE_KEY_HASH= -ENTE_JWT_SECRET= - -# if you deploy it on a server under a domain, you need to set the correct value of the following variables -# it can be changed later - -# The backend server URL (Museum) to be used by the webapp -ENDPOINT=http://localhost:8080 -# The URL of the public albums webapp (also need to be updated in museum.yml so the correct links are generated) -ALBUMS_ENDPOINT=http://localhost:8082 -``` - -Create the `museum.yaml` with additional configuration, this will be mounted -(read-only) into the container: - -```yaml -s3: - are_local_buckets: false - # For some self-hosted S3 deployments you (e.g. Minio) you might need to disable bucket subdomains - use_path_style_urls: true - # The key must be named like so - b2-eu-cen: - key: $YOUR_S3_KEY - secret: $YOUR_S3_SECRET - endpoint: $YOUR_S3_ENDPOINT - region: $YOUR_S3_REGION - bucket: $YOUR_S3_BUCKET_NAME -# The same value as the one specified in ALBUMS_ENDPOINT -apps: - public-albums: http://localhost:8082 -``` - -## 3. Run `docker-compose up` - -Run `docker-compose up` at the root of the project (add `-d` to run it in the -background). - -## 4. Create an account and increase storage quota - -Open `http://localhost:8080` or whatever Endpoint you mentioned for the web app -and create an account. If your SMTP related configurations are all set and -right, you will receive an email with your OTT in it. There are two work arounds -to retrieve the OTP, checkout -[this document](https://help.ente.io/self-hosting/faq/otp) for getting your -OTT's.. - -If you successfully log in, select any plan and increase the storage quota with -the following command: - -```bash -docker compose exec -i postgres psql -U pguser -d ente_db -c "INSERT INTO storage_bonus (bonus_id, user_id, storage, type, valid_till) VALUES ('self-hosted-myself', (SELECT user_id FROM users), 1099511627776, 'ADD_ON_SUPPORT', 0)" -``` - -After few reloads, you should see 1 To of quota. - -## Related - -Some other users have also shared their setups. - -- [Using Traefik](https://github.com/ente-io/ente/pull/3663) - -- [Building custom images from source (Linux)](https://github.com/ente-io/ente/discussions/3778) - -- [Troubleshooting Bucket CORS](/self-hosting/troubleshooting/bucket-cors) diff --git a/docs/docs/self-hosting/index.md b/docs/docs/self-hosting/index.md index 4ea0156d60..4c170fe150 100644 --- a/docs/docs/self-hosting/index.md +++ b/docs/docs/self-hosting/index.md @@ -5,9 +5,11 @@ description: Getting started with self-hosting Ente # Get Started -The entire source code for Ente is open source, -[including the server](https://ente.io/blog/open-sourcing-our-server/). This is -the same code we use for our own cloud service. +If you're looking to spin up Ente on your server for preserving those +sweet memories, you are in the right place! + +Our entire source code ([including the server](https://ente.io/blog/open-sourcing-our-server/)) +is open source. This is the same code we use on production. For a quick preview of Ente on your server, make sure your system meets the requirements mentioned below. After trying the preview, you can explore other @@ -30,11 +32,14 @@ sh -c "$(curl -fsSL https://raw.githubusercontent.com/ente-io/ente/main/server/q ``` The above command creates a directory `my-ente` in the current working -directory, prompts to start the cluster with needed containers after pulling the -images required to run Ente. +directory, prompts to start the cluster with needed containers after pulling the images required to run Ente. ![quickstart](/quickstart.png) +> [!NOTE] +> Make sure to modify the default values in `compose.yaml` and `museum.yaml` +> if you wish to change endpoints, bucket configuration or server configuration. + ## Try the web app The first user to be registered will be treated as the admin user. diff --git a/docs/docs/self-hosting/install/compose.md b/docs/docs/self-hosting/install/compose.md new file mode 100644 index 0000000000..4ac1cd724b --- /dev/null +++ b/docs/docs/self-hosting/install/compose.md @@ -0,0 +1,46 @@ +--- +title: Docker Compose +description: Running Ente with Docker Compose from source +--- + +# Docker Compose + +If you wish to run Ente via Docker Compose from source, do the following: + +## Step 1: Clone the repository + +Clone the repository to a prefered directory. Change into the `server/config` directory inside the cloned repository, where the compose file for running the cluster is present. + +Run the following command for the same: + +``` sh +git clone https://github.com/ente-io/ente +cd ente/server/config +``` + +## Step 2: Populate the configuration file and environment variables + +In order to run the cluster, you will have to provide environment variable values. + +Copy the configuration files for modification by the following command inside `server/config` directory of the repository. + +This allows you to modify configuration without having to face hassle while pulling in latest changes. + +``` shell +# Inside the cloned repository's directory (usually `ente`) +cd server/config +cp example.env .env +cp example.yaml museum.yaml +``` + +Change the values present in `.env` file along with `museum.yaml` file accordingly. + +## Step 3: Start the cluster + +Now you can start the cluster by running the following command: + +```sh +docker compose up --build +``` + +This builds Museum and web applications based on the Dockerfile and starts the containers needed for Ente. diff --git a/docs/docs/self-hosting/install/config-file.md b/docs/docs/self-hosting/install/config-file.md new file mode 100644 index 0000000000..975b25772c --- /dev/null +++ b/docs/docs/self-hosting/install/config-file.md @@ -0,0 +1,14 @@ +--- +title: "Configuration File - Self-hosting" +description: + "Information about all the configuration variables needed to run Ente with + museum.yaml" +--- + + +# Configuration File + +Ente's server, Museum, uses YAML-based configuration file that is used for handling database +connectivity, bucket configuration, admin user whitelisting, etc. + +Self-hosted clusters generally use `museum.yaml` file for reading configuration specifications. diff --git a/docs/docs/self-hosting/install/config.md b/docs/docs/self-hosting/install/configuration-variables.md similarity index 51% rename from docs/docs/self-hosting/install/config.md rename to docs/docs/self-hosting/install/configuration-variables.md index 99a20525ea..b79a53f6d7 100644 --- a/docs/docs/self-hosting/install/config.md +++ b/docs/docs/self-hosting/install/configuration-variables.md @@ -1,11 +1,11 @@ --- -title: "Configuration - Self-hosting" +title: "Environment Variables and Defaults - Self-hosting" description: "Information about all the configuration variables needed to run Ente along with description on default configuration" --- -# Configuration +# Environment Variables and Defaults The environment variables needed for running Ente, configuration variables present in Museum's configuration file and the default configuration are @@ -17,24 +17,28 @@ A self-hosted Ente instance requires specific endpoints in both Museum (the server) and web apps. This document outlines the essential environment variables and port mappings of the web apps. -Here's the list of environment variables that need to be configured: +Here's the list of environment variables that is used by the cluster: -| Service | Environment Variable | Description | Default Value | -| ------- | -------------------- | ------------------------------------------------ | --------------------- | -| Web | `ENTE_API_ORIGIN` | API Endpoint for Ente's API (Museum) | http://localhost:8080 | -| Web | `ENTE_ALBUMS_ORIGIN` | Base URL for Ente Album, used for public sharing | http://localhost:3002 | - -## Config File - -Ente's server, Museum, uses a configuration file +| Service | Environment Variable | Description | Default Value | +| ---------- | --------------------- | ------------------------------------------------ | --------------------------------- | +| `web` | `ENTE_API_ORIGIN` | API Endpoint for Ente's API (Museum) | http://localhost:8080 | +| `web` | `ENTE_ALBUMS_ORIGIN` | Base URL for Ente Album, used for public sharing | http://localhost:3002 | +| `postgres` | `POSTGRES_USER` | Username for PostgreSQL database | pguser | +| `postgres` | `POSTGRES_DB` | Name of database for use with Ente | ente_db | +| `postgres` | `POSTGRES_PASSWORD` | Password for PostgreSQL database's user | Randomly generated for quickstart | +| `minio` | `MINIO_ROOT_USER` | Username for MinIO | Randomly generated for quickstart | +| `minio` | `MINIO_ROOT_PASSWORD` | Password for MinIO | Randomly generated for quickstart | ## Default Configuration +Self-hosted Ente clusters have certain default configuration for ease of use, +which is documented below to understand its behavior: + ### Ports The below format is according to how ports are mapped in Docker when using quickstart script. The mapping is of the format `- :` -in `ports`. +in `ports` in compose file. | Service | Type | Host Port | Container Port | | ---------------------------------- | -------- | --------- | -------------- | diff --git a/docs/docs/self-hosting/install/post-install.md b/docs/docs/self-hosting/install/defaults.md similarity index 100% rename from docs/docs/self-hosting/install/post-install.md rename to docs/docs/self-hosting/install/defaults.md diff --git a/docs/docs/self-hosting/install/from-source.md b/docs/docs/self-hosting/install/from-source.md deleted file mode 100644 index b3f1ebc5d2..0000000000 --- a/docs/docs/self-hosting/install/from-source.md +++ /dev/null @@ -1,183 +0,0 @@ ---- -title: Ente from Source -description: Getting started self hosting Ente Photos and/or Ente Auth ---- - -# Ente from Source - -## Installing Docker - -Refer to -[How to install Docker from the APT repository](https://docs.docker.com/engine/install/ubuntu/#install-using-the-repository) -for detailed instructions. - -## Start the server - -```sh -git clone https://github.com/ente-io/ente -cd ente/server -docker compose up --build -``` - -> [!TIP] -> -> You can also use a pre-built Docker image from `ghcr.io/ente-io/server` -> ([More info](https://github.com/ente-io/ente/blob/main/server/docs/docker.md)) - -Install the necessary dependencies for running the web client - -```sh -# installing npm and yarn - -sudo apt update -sudo apt install nodejs npm -sudo npm install -g yarn // to install yarn globally -``` - -Then in a separate terminal, you can run (e.g) the web client - -```sh -cd ente/web -git submodule update --init --recursive -yarn install -NEXT_PUBLIC_ENTE_ENDPOINT=http://localhost:8080 yarn dev -``` - -That's about it. If you open http://localhost:3000, you will be able to create -an account on a Ente Photos web app running on your machine, and this web app -will be connecting to the server running on your local machine at -`localhost:8080`. - -For the mobile apps, you don't even need to build, and can install normal Ente -apps and configure them to use your -[custom self-hosted server](/self-hosting/guides/custom-server/). - -> If you want to build the mobile apps from source, see the instructions -> [here](/self-hosting/guides/mobile-build). - -## Web app with Docker and Compose - -The instructoins in previous section were just a temporary way to run the web -app locally. To run the web apps as services, the user has to build a docker -image manually. - -> [!IMPORTANT] -> -> Recurring changes might be made by the team or from community if more -> improvements can be made so that we are able to build a full-fledged docker -> image. - -```dockerfile -FROM node:20-bookworm-slim as builder - -WORKDIR ./ente - -COPY . . -COPY apps/ . - -# Will help default to yarn versoin 1.22.22 -RUN corepack enable - -# Endpoint for Ente Server -ENV NEXT_PUBLIC_ENTE_ENDPOINT=https://your-ente-endpoint.com -ENV NEXT_PUBLIC_ENTE_ALBUMS_ENDPOINT=https://your-albums-endpoint.com - -RUN yarn cache clean -RUN yarn install --network-timeout 1000000000 -RUN yarn build:photos && yarn build:accounts && yarn build:auth && yarn build:cast - -FROM node:20-bookworm-slim - -WORKDIR /app - -COPY --from=builder /ente/apps/photos/out /app/photos -COPY --from=builder /ente/apps/accounts/out /app/accounts -COPY --from=builder /ente/apps/auth/out /app/auth -COPY --from=builder /ente/apps/cast/out /app/cast - -RUN npm install -g serve - -ENV PHOTOS=3000 -EXPOSE ${PHOTOS} - -ENV ACCOUNTS=3001 -EXPOSE ${ACCOUNTS} - -ENV AUTH=3002 -EXPOSE ${AUTH} - -ENV CAST=3003 -EXPOSE ${CAST} - -# The albums app does not have navigable pages on it, but the -# port will be exposed in-order to self up the albums endpoint -# `apps.public-albums` in museum.yaml configuration file. -ENV ALBUMS=3004 -EXPOSE ${ALBUMS} - -CMD ["sh", "-c", "serve /app/photos -l tcp://0.0.0.0:${PHOTOS} & serve /app/accounts -l tcp://0.0.0.0:${ACCOUNTS} & serve /app/auth -l tcp://0.0.0.0:${AUTH} & serve /app/cast -l tcp://0.0.0.0:${CAST}"] -``` - -The above is a multi-stage Dockerfile which creates a production ready static -output of the 4 apps (Photos, Accounts, Auth and Cast) and serves the static -content with Caddy. - -Looking at 2 different node base-images doing different tasks in the same -Dockerfile would not make sense, but the Dockerfile is divided into two just to -improve the build efficiency as building this Dockerfile will arguably take more -time. - -Lets build a Docker image from the above Dockerfile. Copy and paste the above -Dockerfile contents in the root of your web directory which is inside -`ente/web`. Execute the below command to create an image from this Dockerfile. - -```sh -# Build the image -docker build -t : --no-cache --progress plain . -``` - -You can always edit the Dockerfile and remove the steps for apps which you do -not intend to install on your system (like auth or cast) and opt out of those. - -Regarding Albums App, take a note that they are not apps with navigable pages, -if accessed on the web-browser they will simply redirect to ente.web.io. - -## compose.yaml - -Moving ahead, we need to paste the below contents into the compose.yaml inside -`ente/server/compose.yaml` under the services section. - -```yaml -ente-web: - image: # name of the image you used while building - ports: - - 3000:3000 - - 3001:3001 - - 3002:3002 - - 3003:3003 - - 3004:3004 - environment: - - NODE_ENV=development - restart: always -``` - -Now, we're good to go. All we are left to do now is start the containers. - -```sh -docker compose up -d # --build - -# Accessing the logs -docker compose logs -``` - -## Configure App Endpoints - -> [!NOTE] Previously, this was dependent on the env variables -> `NEXT_ENTE_PUBLIC_ACCOUNTS_ENDPOINT` and etc. Please check the below -> documentation to update your setup configurations - -You can configure the web endpoints for the other apps including Accounts, -Albums Family and Cast in your `museum.yaml` configuration file. Checkout -[`local.yaml`](https://github.com/ente-io/ente/blob/543411254b2bb55bd00a0e515dcafa12d12d3b35/server/configurations/local.yaml#L76-L89) -to configure the endpoints. Make sure to setup up your DNS Records accordingly -to the similar URL's you set up in `museum.yaml`. diff --git a/docs/docs/self-hosting/install/custom-server/custom-server.png b/docs/docs/self-hosting/install/post-install/custom-server.png similarity index 100% rename from docs/docs/self-hosting/install/custom-server/custom-server.png rename to docs/docs/self-hosting/install/post-install/custom-server.png diff --git a/docs/docs/self-hosting/install/custom-server/index.md b/docs/docs/self-hosting/install/post-install/index.md similarity index 54% rename from docs/docs/self-hosting/install/custom-server/index.md rename to docs/docs/self-hosting/install/post-install/index.md index 63ba371eb8..a3d1d4f703 100644 --- a/docs/docs/self-hosting/install/custom-server/index.md +++ b/docs/docs/self-hosting/install/post-install/index.md @@ -1,16 +1,39 @@ --- -title: Custom server -description: Using a custom self-hosted server with Ente client apps and CLI +title: Post-installation steps - Self-hosting +description: Steps to be followed post-installation for smooth experience --- -# Connecting to a custom server +# Post-installation Steps + +A list of steps that should be done after installing Ente are described below: + +## Step 1: Creating first user + +The first user to be created will be treated as an admin user. + +Once Ente is up and running, the Ente Photos web app will be accessible on +`http://localhost:3000`. Open this URL in your browser and proceed with creating +an account. + +To complete your account registration you will need to enter a 6-digit +verification code. + +This code can be found in the server logs, which should already be shown in your +quickstart terminal. Alternatively, you can open the server logs with the +following command from inside the `my-ente` folder: + +```sh +sudo docker compose logs +``` + +![otp](/otp.png) + +## Step 2: Configure apps to use your server You can modify various Ente client apps and CLI to connect to a self hosted custom server endpoint. -[[toc]] - -## Mobile +### Mobile The pre-built Ente apps from GitHub / App Store / Play Store / F-Droid can be easily configured to use a custom server. @@ -20,7 +43,7 @@ configure the endpoint the app should be connecting to. ![Setting a custom server on the onboarding screen](custom-server.png) -## Desktop and web +### Desktop and web Same as the mobile app, you can tap 7 times on the onboarding screen to configure the endpoint the app should connect to. @@ -47,21 +70,7 @@ Note that the custom server configured this way is cleared when you reset the state during logout. In particular, the app also does a reset when you press the change email button during the login flow. -### Building from source - -Alternatively (e.g. if you don't wish to configure this setting and just want to -change the endpoint the client connects to by default), you can build the app -from source and use the `NEXT_PUBLIC_ENTE_ENDPOINT` environment variable to tell -it which server to connect to. For example: - -```sh -NEXT_PUBLIC_ENTE_ENDPOINT=http://localhost:8080 yarn dev:photos -``` - -For more details, see -[hosting the web app](https://help.ente.io/self-hosting/guides/web-app). - -## CLI +## Step 3: Configure Ente CLI > [!NOTE] > @@ -78,38 +87,4 @@ endpoint: ``` (Another -[example](https://github.com/ente-io/ente/blob/main/cli/config.yaml.example)) - -## Find the hostname of your server - -If you want to access your museum within your own network, you can use the -`hostname` command to find a addressable local network hostname or IP for your -computer, and then use it by suffixing it with the port number. - -First, run - -```sh -hostname -``` - -The result will look something like this - -```sh -my-computer.local -``` - -You will need to replace the server endpoint with an address that uses your -server's hostname and the port number. Here's an example: - -``` -http://my-computer.local:8080 -``` - -Note that this will only work within your network. To access it from outside the -network, you need to use the public IP or hostname. - -> [!TIP] -> -> If you're having trouble uploading from your mobile app, it is likely that -> museum is not able to connect to your S3 storage. See the -> [Configuring S3](/self-hosting/guides/configuring-s3) guide for more details. +[example](https://github.com/ente-io/ente/blob/main/cli/config.yaml.example)) \ No newline at end of file diff --git a/docs/docs/self-hosting/install/custom-server/web-custom-endpoint-indicator.png b/docs/docs/self-hosting/install/post-install/web-custom-endpoint-indicator.png similarity index 100% rename from docs/docs/self-hosting/install/custom-server/web-custom-endpoint-indicator.png rename to docs/docs/self-hosting/install/post-install/web-custom-endpoint-indicator.png diff --git a/docs/docs/self-hosting/install/custom-server/web-dev-settings.png b/docs/docs/self-hosting/install/post-install/web-dev-settings.png similarity index 100% rename from docs/docs/self-hosting/install/custom-server/web-dev-settings.png rename to docs/docs/self-hosting/install/post-install/web-dev-settings.png diff --git a/docs/docs/self-hosting/install/quickstart.md b/docs/docs/self-hosting/install/quickstart.md index e7311f5cc7..cff6e3c932 100644 --- a/docs/docs/self-hosting/install/quickstart.md +++ b/docs/docs/self-hosting/install/quickstart.md @@ -6,7 +6,7 @@ description: Self-hosting Ente with quickstart script # Quickstart We provide a quickstart script which can be used for self-hosting Ente on your -machine. +machine in less than 5 minutes. ## Requirements @@ -21,10 +21,10 @@ Run this command on your terminal to setup Ente. sh -c "$(curl -fsSL https://raw.githubusercontent.com/ente-io/ente/main/server/quickstart.sh)" ``` -The above `curl` command pulls the Docker image, creates a directory `my-ente` -in the current working directory, prompts to start the cluster and starts all -the containers required to run Ente. +The above `curl` command does the following: +1. Creates a directory `./my-ente` in working directory. +2. Starts the containers required to run Ente upon prompting. -![quickstart](/quickstart.png) +You should be able to access the web application at [`http://localhost:3000`](http://localhost:3000) or [`http://:3000`](http://:3000) -![self-hosted-ente](/web-app.webp) +The data pertaining to be used by Museum is stored in `./data` folder inside `my-ente` directory, which contains extra configuration files that is to be used (billing configuration, push notification credentials, etc.) \ No newline at end of file diff --git a/docs/docs/self-hosting/install/standalone-ente.md b/docs/docs/self-hosting/install/standalone-ente.md deleted file mode 100644 index adaf444594..0000000000 --- a/docs/docs/self-hosting/install/standalone-ente.md +++ /dev/null @@ -1,120 +0,0 @@ ---- -title: Running Ente Without Docker - Self-hosting -description: Installing and setting up Ente without Docker ---- - -# Running Ente without Docker - -## Running Museum (Ente's server) without Docker - -First, start by installing all the dependencies to get your machine ready for -development. - -- For macOS - ```sh - brew tap homebrew/core - brew update - brew install go - ``` -- For Debian/Ubuntu-based distros - ```sh - sudo apt update && sudo apt upgrade - sudo apt install golang-go - ``` - -Alternatively, you can also download the latest binaries from -['All Release'](https://go.dev/dl/) page from the official website. - -- For macOS - ```sh - brew install postgres@15 - # Link the postgres keg - brew link postgresql@15 - brew install libsodium - ``` -- For Debian/Ubuntu-based distros - ```sh - sudo apt install postgresql - sudo apt install libsodium23 libsodium-dev - ``` - -The package `libsodium23` might be installed already in some cases. - -Install `pkg-config` - -- For macOS - ```sh - brew install pkg-config - ``` -- For Debian/Ubuntu-based distros - ```sh - sudo apt install pkg-config - ``` - -## Starting Postgres - -### With `pg_ctl` - -```sh -pg_ctl -D /usr/local/var/postgres -l logfile start -``` - -Depending on the operating system type, the path for postgres binary or -configuration file might be different, please check if the command keeps failing -for you. - -Ideally, if you are on a Linux system with `systemd` as the initialization -("init") system. You can also start postgres as a systemd service. After -Installation execute the following commands: - -```sh -sudo systemctl enable postgresql -sudo systemctl daemon-reload && sudo systemctl start postgresql -``` - -### Create user - -```sh -sudo useradd postgres -``` - -## Start Museum - -Start by cloning ente to your system. - -```sh -git clone https://github.com/ente-io/ente -``` - -```sh -export ENTE_DB_USER=postgres -cd ente/server -go run cmd/museum/main.go -``` - -You can also add the export line to your shell's RC file, to avoid exporting the -environment variable every time. - -For live reloads, install [air](https://github.com/air-verse/air#installation). -Then you can just call air after declaring the required environment variables. -For example, - -```sh -ENTE_DB_USER=postgres -air -``` - -## Museum as a background service - -Please check the below links if you want to run Museum as a service, both of -them are battle tested. - -1. [How to run museum as a systemd service](https://gist.github.com/mngshm/a0edb097c91d1dc45aeed755af310323) -2. [Museum.service](https://github.com/ente-io/ente/blob/23e678889189157ecc389c258267685934b83631/server/scripts/deploy/museum.service#L4) - -Once you are done with setting and running Museum, all you are left to do is run -the web app and reverse_proxy it with a webserver. You can check the following -resources for Deploying your web app. - -1. [Hosting the Web App](https://help.ente.io/self-hosting/guides/web-app). -2. [Running Ente Web app as a systemd Service](https://gist.github.com/mngshm/72e32bd483c2129621ed0d74412492fd) diff --git a/docs/docs/self-hosting/install/without-docker.md b/docs/docs/self-hosting/install/without-docker.md new file mode 100644 index 0000000000..826b39bb31 --- /dev/null +++ b/docs/docs/self-hosting/install/without-docker.md @@ -0,0 +1,82 @@ +--- +title: Running Ente Without Docker - Self-hosting +description: Installing and setting up Ente without Docker +--- + +# Running Ente without Docker + +If you wish to run Ente from source without using Docker, follow the steps described below: + +## Pre-requisites + +1. **Go:** Install Go on your system. This is needed for building Museum (Ente's server) + + ``` shell + sudo apt update && sudo apt upgrade + sudo apt install golang-go + ``` + + Alternatively, you can also download the latest binaries + from the [official website](https://go.dev/dl/). + +2. **PostgreSQL and `libsodium`:** Install PostgreSQL (database) and `libsodium` (high level API for encryption) via package manager. + + ``` shell + sudo apt install postgresql + sudo apt install libsodium23 libsodium-dev + ``` + +3. **`pkg-config`:** Install `pkg-config` for dependency handling. + + ``` shell + sudo apt install pkg-config + ``` + +Start the database using `systemd` automatically when the system starts. +``` shell +sudo systemctl enable postgresql +sudo systemctl start postgresql +``` + +Ensure the database is running using + +``` shell +sudo systemctl status postgresql +``` + +### Create user + +```sh +sudo useradd postgres +``` + +## Start Museum + +Start by cloning ente to your system. + +```sh +git clone https://github.com/ente-io/ente +``` + +```sh +export ENTE_DB_USER=postgres +cd ente/server +go run cmd/museum/main.go +``` + +You can also add the export line to your shell's RC file, to avoid exporting the environment variable every time. + +## Museum as a background service + +Please check the below links if you want to run Museum as a service, both of +them are battle tested. + +1. [How to run museum as a systemd service](https://gist.github.com/mngshm/a0edb097c91d1dc45aeed755af310323) +2. [Museum.service](https://github.com/ente-io/ente/blob/23e678889189157ecc389c258267685934b83631/server/scripts/deploy/museum.service#L4) + +Once you are done with setting and running Museum, all you are left to do is run +the web app and reverse_proxy it with a webserver. You can check the following +resources for Deploying your web app. + +1. [Hosting the Web App](https://help.ente.io/self-hosting/guides/web-app). +2. [Running Ente Web app as a systemd Service](https://gist.github.com/mngshm/72e32bd483c2129621ed0d74412492fd) diff --git a/server/.gitignore b/server/.gitignore index e7f5bda723..0a1c4aa635 100644 --- a/server/.gitignore +++ b/server/.gitignore @@ -10,3 +10,5 @@ bin/** data/ my-ente/ __debug_bin* +config/.env +config/museum.yaml \ No newline at end of file diff --git a/server/config/compose.yaml b/server/config/compose.yaml new file mode 100644 index 0000000000..aa2189c545 --- /dev/null +++ b/server/config/compose.yaml @@ -0,0 +1,79 @@ +services: + museum: + build: + context: .. + ports: + - 8080:8080 # Museum/API + depends_on: + postgres: + condition: service_healthy + env_file: + - .env + volumes: + - ./museum.yaml:/museum.yaml:ro + - ./data:/data:ro + + # Resolve "localhost:3200" in the museum container to the minio container. + socat: + image: alpine/socat + network_mode: service:museum + depends_on: [museum] + command: "TCP-LISTEN:3200,fork,reuseaddr TCP:minio:3200" + + postgres: + image: postgres:15 + env_file: + - .env + # Wait for postgres to accept connections before starting museum. + healthcheck: + test: pg_isready -q -d ${POSTGRES_DB} -U ${POSTGRES_USER} + start_period: 30s + start_interval: 1s + volumes: + - postgres-data:/var/lib/postgresql/data + + minio: + image: minio/minio + ports: + - 3200:3200 # MinIO API + # - 3201:3201 # MinIO Console (uncomment to access externally) + env_file: + - .env + command: server /data --address ":3200" --console-address ":3201" + volumes: + - minio-data:/data + post_start: + - command: | + sh -c ' + #!/bin/sh + + while ! mc alias set h0 http://minio:3200 ${MINIO_ROOT_USER} ${MINIO_ROOT_PASSWORD} 2>/dev/null + do + echo "Waiting for minio..." + sleep 0.5 + done + + cd /data + + mc mb -p b2-eu-cen + mc mb -p wasabi-eu-central-2-v3 + mc mb -p scw-eu-fr-v3 + ' + + ente-web: + build: + context: ../../web + ports: + - 3000:3000 + - 3001:3001 + - 3002:3002 + - 3003:3003 + - 3004:3004 + environment: + - NODE_ENV=development + env_file: + - .env + +volumes: + postgres-data: + minio-data: diff --git a/server/config/example.env b/server/config/example.env new file mode 100644 index 0000000000..f67d1fbefd --- /dev/null +++ b/server/config/example.env @@ -0,0 +1,29 @@ +# Copy this file to .env in the same directory in which this file is present +# This file contains the environment variables needed for Ente's cluster to run properly. +# This file is split based on services declared in Docker Compose file +# +# Service: Postgres +# This is used for storing data in database pertaining to collections, files, users, subscriptions, etc. +# These credentials are needed for accessing the database via Museum. +# Please set a strong password for accessing the database. +# Enter these values in museum.yaml file under `db`. +# This need not be defined if using external DB (i. e. no Compose service for PostgreSQL is used) +POSTGRES_USER=pguser +POSTGRES_PASSWORD= +POSTGRES_DB=ente_db + +# Service: MinIO +# This is used for MinIO object storage service that's shipped by default with the compose file +# to reduce need for an external S3-compatible bucket for quick testing. +# It is recommended to use an external bucket for long-term usage. +# The credentials required for accessing the object storage is documented below. +# It is not needed to configure these variables if you are using an external bucket +# Enter the user value into key and password in secret for buckets in museum.yaml under `s3` section. +MINIO_ROOT_USER=- +MINIO_ROOT_PASSWORD= + +# Service: Web +# This is used for configuring public albums, API endpoints, etc. +# Replace the below endpoints to the correct subdomains of your choice. +ENTE_API_ORIGIN=http://localhost:8080 +ENTE_ALBUMS_ORIGIN=https://localhost:3002 diff --git a/server/config/example.yaml b/server/config/example.yaml new file mode 100644 index 0000000000..5e0f94ece1 --- /dev/null +++ b/server/config/example.yaml @@ -0,0 +1,30 @@ +# Copy this file to museum.yaml in the same directory in which this file is present + +db: + host: postgres + port: 5432 + name: ente_db + user: pguser + password: + +s3: + are_local_buckets: true + b2-eu-cen: + key: + secret: + endpoint: localhost:3200 + region: eu-central-2 + bucket: b2-eu-cen + wasabi-eu-central-2-v3: + key: + secret: + endpoint: localhost:3200 + region: eu-central-2 + bucket: wasabi-eu-central-2-v3 + compliance: false + scw-eu-fr-v3: + key: + secret: + endpoint: localhost:3200 + region: eu-central-2 + bucket: scw-eu-fr-v3 \ No newline at end of file From 0906fddfc638673568cfcbc58ae7dfcd73415743 Mon Sep 17 00:00:00 2001 From: Neeraj Gupta <254676+ua741@users.noreply.github.com> Date: Thu, 24 Jul 2025 16:24:54 +0530 Subject: [PATCH 123/302] [mob][photos] Fix query to remove dup enteries --- mobile/apps/photos/lib/db/files_db.dart | 17 ++++++++++++----- 1 file changed, 12 insertions(+), 5 deletions(-) diff --git a/mobile/apps/photos/lib/db/files_db.dart b/mobile/apps/photos/lib/db/files_db.dart index 3150dbc3b6..657148a61a 100644 --- a/mobile/apps/photos/lib/db/files_db.dart +++ b/mobile/apps/photos/lib/db/files_db.dart @@ -982,15 +982,23 @@ class FilesDB with SqlDbBase { // remove references for local files which are either already uploaded // or queued for upload but not yet uploaded Future removeQueuedLocalFiles(Set localIDs) async { + if (localIDs.isEmpty) { + _logger.finest("No local IDs provided for removal"); + return 0; + } + final db = await instance.sqliteAsyncDB; - final inParam = localIDs.map((id) => "'$id'").join(','); + final placeholders = List.filled(localIDs.length, '?').join(','); final r = await db.execute( ''' DELETE FROM $filesTable - WHERE $columnLocalID IN ($inParam) and (collectionID IS NULL || collectionID = -1) - and ($columnUploadedFileID IS NULL OR $columnUploadedFileID = -1); - ''', + WHERE $columnLocalID IN ($placeholders) + AND (collectionID IS NULL OR collectionID = -1) + AND ($columnUploadedFileID IS NULL OR $columnUploadedFileID = -1) + ''', + localIDs.toList(), ); + if (r.isNotEmpty) { _logger.warning( "Removed ${r.length} potential dups for already queued local files", @@ -998,7 +1006,6 @@ class FilesDB with SqlDbBase { } else { _logger.finest("No duplicate id found for queued/uploaded files"); } - return r.length; } From d30fb6fc3cd841b44a20b488e76c82fbf0136ebf Mon Sep 17 00:00:00 2001 From: Keerthana Date: Thu, 24 Jul 2025 16:50:33 +0530 Subject: [PATCH 124/302] [docs] rename migration guides for auth --- docs/docs/.vitepress/sidebar.ts | 20 +++++++++++-------- docs/docs/auth/features/index.md | 2 +- .../authy/index.md | 0 .../{migration-guides => migration}/export.md | 0 .../{migration-guides => migration}/import.md | 0 .../{migration-guides => migration}/index.md | 0 .../steam/index.md | 0 .../administration/configuring-s3.md | 9 +++------ .../self-hosting/administration/museum.md | 10 +++------- docs/docs/self-hosting/guides/admin.md | 2 +- docs/docs/self-hosting/guides/index.md | 6 +++--- ...{configuration-variables.md => env-var.md} | 0 12 files changed, 23 insertions(+), 26 deletions(-) rename docs/docs/auth/{migration-guides => migration}/authy/index.md (100%) rename docs/docs/auth/{migration-guides => migration}/export.md (100%) rename docs/docs/auth/{migration-guides => migration}/import.md (100%) rename docs/docs/auth/{migration-guides => migration}/index.md (100%) rename docs/docs/auth/{migration-guides => migration}/steam/index.md (100%) rename docs/docs/self-hosting/install/{configuration-variables.md => env-var.md} (100%) diff --git a/docs/docs/.vitepress/sidebar.ts b/docs/docs/.vitepress/sidebar.ts index d1b8c37e3f..5148296f11 100644 --- a/docs/docs/.vitepress/sidebar.ts +++ b/docs/docs/.vitepress/sidebar.ts @@ -207,22 +207,22 @@ export const sidebar = [ text: "Migration", collapsed: true, items: [ - { text: "Introduction", link: "/auth/migration-guides/" }, + { text: "Introduction", link: "/auth/migration/" }, { text: "From Authy", - link: "/auth/migration-guides/authy/", + link: "/auth/migration/authy/", }, { text: "From Steam", - link: "/auth/migration-guides/steam/", + link: "/auth/migration/steam/", }, { text: "From others", - link: "/auth/migration-guides/import", + link: "/auth/migration/import", }, { text: "Exporting your data", - link: "/auth/migration-guides/export", + link: "/auth/migration/export", }, ], }, @@ -267,8 +267,12 @@ export const sidebar = [ link: "/self-hosting/install/without-docker", }, { - text: "Configuration Variables", - link: "/self-hosting/install/configuration-variables", + text: "Environment Variable and Defaults", + link: "/self-hosting/install/env-var", + }, + { + text: "Configuration File", + link: "/self-hosting/install/config-file", }, { text: "Post Installation", @@ -294,7 +298,7 @@ export const sidebar = [ }, { text: "Configuring CLI for your instance", - link: "/self-hosting/guides/selfhost-cli", + link: "/self-hosting/administration/selfhost-cli", }, ], diff --git a/docs/docs/auth/features/index.md b/docs/docs/auth/features/index.md index 36d43392fa..6032dc1c26 100644 --- a/docs/docs/auth/features/index.md +++ b/docs/docs/auth/features/index.md @@ -106,7 +106,7 @@ Ente Auth offers various import and export options for your codes. - **Import:** Import codes from various other authentication apps. For detailed instructions, refer to the -[migration guides](../migration-guides/). +[migration guides](../migration/). ### Deduplicate codes diff --git a/docs/docs/auth/migration-guides/authy/index.md b/docs/docs/auth/migration/authy/index.md similarity index 100% rename from docs/docs/auth/migration-guides/authy/index.md rename to docs/docs/auth/migration/authy/index.md diff --git a/docs/docs/auth/migration-guides/export.md b/docs/docs/auth/migration/export.md similarity index 100% rename from docs/docs/auth/migration-guides/export.md rename to docs/docs/auth/migration/export.md diff --git a/docs/docs/auth/migration-guides/import.md b/docs/docs/auth/migration/import.md similarity index 100% rename from docs/docs/auth/migration-guides/import.md rename to docs/docs/auth/migration/import.md diff --git a/docs/docs/auth/migration-guides/index.md b/docs/docs/auth/migration/index.md similarity index 100% rename from docs/docs/auth/migration-guides/index.md rename to docs/docs/auth/migration/index.md diff --git a/docs/docs/auth/migration-guides/steam/index.md b/docs/docs/auth/migration/steam/index.md similarity index 100% rename from docs/docs/auth/migration-guides/steam/index.md rename to docs/docs/auth/migration/steam/index.md diff --git a/docs/docs/self-hosting/administration/configuring-s3.md b/docs/docs/self-hosting/administration/configuring-s3.md index 0ac0657228..e9cb3ebb26 100644 --- a/docs/docs/self-hosting/administration/configuring-s3.md +++ b/docs/docs/self-hosting/administration/configuring-s3.md @@ -11,14 +11,11 @@ description: > [!IMPORTANT] > -> As of now, replication works only if all the 3 storage type needs are -> fulfilled (1 hot, 1 cold and 1 glacier storage). +> As of now, replication works only if all the 3 storage buckets are configured (2 hot and 1 cold storage). > > For more information, check this -> [discussion](https://github.com/ente-io/ente/discussions/3167#discussioncomment-10585970). - -If you're wondering why there are 3 buckets on the MinIO UI - that's because our production instance uses these to perform -[replication](https://ente.io/reliability/). +> [discussion](https://github.com/ente-io/ente/discussions/3167#discussioncomment-10585970) +> and our article on ensuring [reliability](https://ente.io/reliability/). In a self hosted Ente instance replication is turned off by default. When replication is turned off, only the first bucket (`b2-eu-cen`) is used, and the diff --git a/docs/docs/self-hosting/administration/museum.md b/docs/docs/self-hosting/administration/museum.md index cb5263104f..998e7ad4b6 100644 --- a/docs/docs/self-hosting/administration/museum.md +++ b/docs/docs/self-hosting/administration/museum.md @@ -29,7 +29,7 @@ MinIO buckets. If you wish to use an external S3 provider, you can edit the configuration with your provider's credentials, and set `are_local_buckets` to `false`. -Check out [Configuring S3](/self-hosting/guides/configuring-s3.md) to understand +Check out [Configuring S3] to understand more about configuring S3 buckets. MinIO uses the port `3200` for API Endpoints and their web app runs over @@ -38,7 +38,7 @@ browser. If you face any issues related to uploads then checkout [Troubleshooting bucket CORS](/self-hosting/troubleshooting/bucket-cors) and -[Frequently encountered S3 errors](/self-hosting/guides/configuring-s3#frequently-encountered-errors). +[Frequently encountered S3 errors]. ## Web apps @@ -70,8 +70,4 @@ stop all the Docker containers with `docker compose down` and restart them with Similarly, you can use the default [`local.yaml`](https://github.com/ente-io/ente/tree/main/server/configurations/local.yaml) as a reference for building a functioning `museum.yaml` for many other -functionalities like SMTP, Discord notifications, Hardcoded-OTTs, etc. - -## References - -- [Environment variables and ports](/self-hosting/faq/environment) +functionalities like SMTP, Discord notifications, Hardcoded-OTTs, etc. \ No newline at end of file diff --git a/docs/docs/self-hosting/guides/admin.md b/docs/docs/self-hosting/guides/admin.md index 10d05fb4d0..41732e22f5 100644 --- a/docs/docs/self-hosting/guides/admin.md +++ b/docs/docs/self-hosting/guides/admin.md @@ -85,4 +85,4 @@ using the CLI. ## Backups -See this [FAQ](/self-hosting/faq/backup). +See this [document](/self-hosting/administration/backup). diff --git a/docs/docs/self-hosting/guides/index.md b/docs/docs/self-hosting/guides/index.md index 22b28107d4..3925b7e185 100644 --- a/docs/docs/self-hosting/guides/index.md +++ b/docs/docs/self-hosting/guides/index.md @@ -11,13 +11,13 @@ walkthroughs, tutorials and other FAQ pages in this directory. See the sidebar for existing guides. In particular: - If you're just looking to get started, see - [configure custom server](custom-server/). + [configure custom server]. - For various admin related tasks, e.g. increasing the storage quota on your self hosted instance, see [administering your custom server](admin). - For configuring your S3 buckets to get the object storage to work from your mobile device or for fixing an upload errors, see - [configuring S3](configuring-s3). There is also a longer - [community contributed guide](external-s3) for a more self hosted setup of + configuring S3. There is also a longer + community contributed guide for a more self hosted setup of both the server and web app using external S3 buckets for object storage. diff --git a/docs/docs/self-hosting/install/configuration-variables.md b/docs/docs/self-hosting/install/env-var.md similarity index 100% rename from docs/docs/self-hosting/install/configuration-variables.md rename to docs/docs/self-hosting/install/env-var.md From b59a23d0acaee679b6640421fe3541348da6811b Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Thu, 24 Jul 2025 17:08:58 +0530 Subject: [PATCH 125/302] chore: update translations --- .../lib/generated/intl/messages_all.dart | 13 +- .../lib/generated/intl/messages_ar.dart | 4230 +++++++-------- .../lib/generated/intl/messages_be.dart | 602 +-- .../lib/generated/intl/messages_cs.dart | 1267 +++-- .../lib/generated/intl/messages_da.dart | 923 ++-- .../lib/generated/intl/messages_de.dart | 4582 +++++++--------- .../lib/generated/intl/messages_el.dart | 7 +- .../lib/generated/intl/messages_en.dart | 4305 +++++++-------- .../lib/generated/intl/messages_es.dart | 4619 +++++++--------- .../lib/generated/intl/messages_et.dart | 511 +- .../lib/generated/intl/messages_eu.dart | 1222 ++--- .../lib/generated/intl/messages_fa.dart | 865 ++- .../lib/generated/intl/messages_fr.dart | 4724 ++++++++--------- .../lib/generated/intl/messages_he.dart | 1809 +++---- .../lib/generated/intl/messages_hi.dart | 197 +- .../lib/generated/intl/messages_hu.dart | 1470 +++-- .../lib/generated/intl/messages_id.dart | 3014 +++++------ .../lib/generated/intl/messages_it.dart | 4437 +++++++--------- .../lib/generated/intl/messages_ja.dart | 3439 ++++++------ .../lib/generated/intl/messages_ko.dart | 46 +- .../lib/generated/intl/messages_lt.dart | 4457 +++++++--------- .../lib/generated/intl/messages_ml.dart | 246 +- .../lib/generated/intl/messages_nl.dart | 4465 +++++++--------- .../lib/generated/intl/messages_no.dart | 4158 +++++++-------- .../lib/generated/intl/messages_pl.dart | 4510 +++++++--------- .../lib/generated/intl/messages_pt.dart | 4263 +++++++-------- .../lib/generated/intl/messages_pt_BR.dart | 4540 +++++++--------- .../lib/generated/intl/messages_pt_PT.dart | 4567 +++++++--------- .../lib/generated/intl/messages_ro.dart | 4048 +++++++------- .../lib/generated/intl/messages_ru.dart | 4599 +++++++--------- .../lib/generated/intl/messages_sr.dart | 689 ++- .../lib/generated/intl/messages_sv.dart | 1343 +++-- .../lib/generated/intl/messages_ta.dart | 87 +- .../lib/generated/intl/messages_th.dart | 672 ++- .../lib/generated/intl/messages_tr.dart | 4485 +++++++--------- .../lib/generated/intl/messages_uk.dart | 4009 ++++++-------- .../lib/generated/intl/messages_vi.dart | 4392 +++++++-------- .../lib/generated/intl/messages_zh.dart | 3408 ++++++------ mobile/apps/photos/lib/generated/l10n.dart | 2214 ++++++-- mobile/apps/photos/lib/l10n/intl_en.arb | 4 +- 40 files changed, 47079 insertions(+), 56359 deletions(-) diff --git a/mobile/apps/photos/lib/generated/intl/messages_all.dart b/mobile/apps/photos/lib/generated/intl/messages_all.dart index 076d04f2c1..8076291286 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_all.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_all.dart @@ -223,10 +223,8 @@ MessageLookupByLibrary? _findExact(String localeName) { /// User programs should call this before using [localeName] for messages. Future initializeMessages(String localeName) { var availableLocale = Intl.verifiedLocale( - localeName, - (locale) => _deferredLibraries[locale] != null, - onFailure: (_) => null, - ); + localeName, (locale) => _deferredLibraries[locale] != null, + onFailure: (_) => null); if (availableLocale == null) { return new SynchronousFuture(false); } @@ -246,11 +244,8 @@ bool _messagesExistFor(String locale) { } MessageLookupByLibrary? _findGeneratedMessagesFor(String locale) { - var actualLocale = Intl.verifiedLocale( - locale, - _messagesExistFor, - onFailure: (_) => null, - ); + var actualLocale = + Intl.verifiedLocale(locale, _messagesExistFor, onFailure: (_) => null); if (actualLocale == null) return null; return _findExact(actualLocale); } diff --git a/mobile/apps/photos/lib/generated/intl/messages_ar.dart b/mobile/apps/photos/lib/generated/intl/messages_ar.dart index 017db87bec..d6e102aa31 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_ar.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_ar.dart @@ -57,7 +57,11 @@ class MessageLookup extends MessageLookupByLibrary { "لن يتمكن ${user} من إضافة المزيد من الصور إلى هذا الألبوم\n\nسيظل بإمكانه إزالة الصور الحالية التي أضافها"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, {'true': 'عائلتك حصلت على ${storageAmountInGb} جيجابايت حتى الآن', 'false': 'لقد حصلت على ${storageAmountInGb} جيجابايت حتى الآن', 'other': 'لقد حصلت على ${storageAmountInGb} جيجابايت حتى الآن!'})}"; + "${Intl.select(isFamilyMember, { + 'true': 'عائلتك حصلت على ${storageAmountInGb} جيجابايت حتى الآن', + 'false': 'لقد حصلت على ${storageAmountInGb} جيجابايت حتى الآن', + 'other': 'لقد حصلت على ${storageAmountInGb} جيجابايت حتى الآن!', + })}"; static String m15(albumName) => "تم إنشاء رابط تعاوني لـ ${albumName}"; @@ -258,11 +262,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} جيجابايت"; static String m94( - usedAmount, - usedStorageUnit, - totalAmount, - totalStorageUnit, - ) => + usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => "تم استخدام ${usedAmount} ${usedStorageUnit} من ${totalAmount} ${totalStorageUnit}"; static String m95(id) => @@ -325,2327 +325,1899 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "يتوفر إصدار جديد من Ente.", - ), - "about": MessageLookupByLibrary.simpleMessage("حول التطبيق"), - "acceptTrustInvite": MessageLookupByLibrary.simpleMessage("قبول الدعوة"), - "account": MessageLookupByLibrary.simpleMessage("الحساب"), - "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( - "الحساب تم تكوينه بالفعل.", - ), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage("أهلاً بعودتك!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "أدرك أنني إذا فقدت كلمة المرور، فقد أفقد بياناتي لأنها مشفرة بالكامل من طرف إلى طرف.", - ), - "actionNotSupportedOnFavouritesAlbum": MessageLookupByLibrary.simpleMessage( - "الإجراء غير مدعوم في ألبوم المفضلة", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage("الجلسات النشطة"), - "add": MessageLookupByLibrary.simpleMessage("إضافة"), - "addAName": MessageLookupByLibrary.simpleMessage("إضافة اسم"), - "addANewEmail": MessageLookupByLibrary.simpleMessage( - "إضافة بريد إلكتروني جديد", - ), - "addCollaborator": MessageLookupByLibrary.simpleMessage("إضافة متعاون"), - "addCollaborators": m1, - "addFiles": MessageLookupByLibrary.simpleMessage("إضافة ملفات"), - "addFromDevice": MessageLookupByLibrary.simpleMessage("إضافة من الجهاز"), - "addItem": m2, - "addLocation": MessageLookupByLibrary.simpleMessage("إضافة موقع"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("إضافة"), - "addMore": MessageLookupByLibrary.simpleMessage("إضافة المزيد"), - "addName": MessageLookupByLibrary.simpleMessage("إضافة اسم"), - "addNameOrMerge": MessageLookupByLibrary.simpleMessage("إضافة اسم أو دمج"), - "addNew": MessageLookupByLibrary.simpleMessage("إضافة جديد"), - "addNewPerson": MessageLookupByLibrary.simpleMessage("إضافة شخص جديد"), - "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( - "تفاصيل الإضافات", - ), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("الإضافات"), - "addParticipants": MessageLookupByLibrary.simpleMessage("إضافة مشاركين"), - "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "أضف عنصر واجهة الأشخاص إلى شاشتك الرئيسية ثم عد إلى هنا لتخصيصه.", - ), - "addPhotos": MessageLookupByLibrary.simpleMessage("إضافة صور"), - "addSelected": MessageLookupByLibrary.simpleMessage("إضافة المحدد"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("إضافة إلى الألبوم"), - "addToEnte": MessageLookupByLibrary.simpleMessage("إضافة إلى Ente"), - "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "إضافة إلى الألبوم المخفي", - ), - "addTrustedContact": MessageLookupByLibrary.simpleMessage( - "إضافة جهة اتصال موثوقة", - ), - "addViewer": MessageLookupByLibrary.simpleMessage("إضافة مشاهد"), - "addViewers": m4, - "addYourPhotosNow": MessageLookupByLibrary.simpleMessage("أضف صورك الآن"), - "addedAs": MessageLookupByLibrary.simpleMessage("تمت الإضافة كـ"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": MessageLookupByLibrary.simpleMessage( - "جارٍ الإضافة إلى المفضلة...", - ), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("متقدم"), - "advancedSettings": MessageLookupByLibrary.simpleMessage( - "الإعدادات المتقدمة", - ), - "after1Day": MessageLookupByLibrary.simpleMessage("بعد يوم"), - "after1Hour": MessageLookupByLibrary.simpleMessage("بعد ساعة"), - "after1Month": MessageLookupByLibrary.simpleMessage("بعد شهر"), - "after1Week": MessageLookupByLibrary.simpleMessage("بعد أسبوع"), - "after1Year": MessageLookupByLibrary.simpleMessage("بعد سنة"), - "albumOwner": MessageLookupByLibrary.simpleMessage("المالك"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("عنوان الألبوم"), - "albumUpdated": MessageLookupByLibrary.simpleMessage("تم تحديث الألبوم"), - "albums": MessageLookupByLibrary.simpleMessage("الألبومات"), - "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( - "حدد الألبومات التي تريد ظهورها على شاشتك الرئيسية.", - ), - "allClear": MessageLookupByLibrary.simpleMessage("✨ كل شيء واضح"), - "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( - "تم حفظ جميع الذكريات", - ), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "سيتم إعادة تعيين جميع تجمعات هذا الشخص، وستفقد جميع الاقتراحات المقدمة لهذا الشخص.", - ), - "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": - MessageLookupByLibrary.simpleMessage( - "سيتم دمج جميع المجموعات غير المسماة مع الشخص المحدد. يمكن التراجع عن هذا الإجراء لاحقًا من خلال نظرة عامة على سجل الاقتراحات التابع لهذا الشخص.", - ), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "هذه هي الأولى في المجموعة. سيتم تغيير تواريخ الصور المحددة الأخرى تلقائيًا بناءً على هذا التاريخ الجديد.", - ), - "allow": MessageLookupByLibrary.simpleMessage("السماح"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "السماح للأشخاص الذين لديهم الرابط بإضافة صور إلى الألبوم المشترك أيضًا.", - ), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( - "السماح بإضافة الصور", - ), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "السماح للتطبيق بفتح روابط الألبومات المشتركة", - ), - "allowDownloads": MessageLookupByLibrary.simpleMessage("السماح بالتنزيلات"), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "السماح للأشخاص بإضافة الصور", - ), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "يرجى السماح بالوصول إلى صورك من الإعدادات حتى يتمكن Ente من عرض نسختك الاحتياطية ومكتبتك.", - ), - "allowPermTitle": MessageLookupByLibrary.simpleMessage( - "السماح بالوصول إلى الصور", - ), - "androidBiometricHint": MessageLookupByLibrary.simpleMessage( - "تحقق من الهوية", - ), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "لم يتم التعرف. حاول مرة أخرى.", - ), - "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( - "المصادقة البيومترية مطلوبة", - ), - "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("نجاح"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("إلغاء"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage("بيانات اعتماد الجهاز مطلوبة"), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage("بيانات اعتماد الجهاز مطلوبة"), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "لم يتم إعداد المصادقة البيومترية على جهازك. انتقل إلى \'الإعدادات > الأمان\' لإضافة المصادقة البيومترية.", - ), - "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( - "أندرويد، iOS، الويب، سطح المكتب", - ), - "androidSignInTitle": MessageLookupByLibrary.simpleMessage( - "المصادقة مطلوبة", - ), - "appIcon": MessageLookupByLibrary.simpleMessage("أيقونة التطبيق"), - "appLock": MessageLookupByLibrary.simpleMessage("قفل التطبيق"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "اختر بين شاشة القفل الافتراضية لجهازك وشاشة قفل مخصصة برمز PIN أو كلمة مرور.", - ), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("معرّف Apple"), - "apply": MessageLookupByLibrary.simpleMessage("تطبيق"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("تطبيق الرمز"), - "appstoreSubscription": MessageLookupByLibrary.simpleMessage( - "اشتراك متجر App Store", - ), - "archive": MessageLookupByLibrary.simpleMessage("الأرشيف"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("أرشفة الألبوم"), - "archiving": MessageLookupByLibrary.simpleMessage("جارٍ الأرشفة..."), - "areThey": MessageLookupByLibrary.simpleMessage("هل هم "), - "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( - "هل أنت متأكد من رغبتك في إزالة هذا الوجه من هذا الشخص؟", - ), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "هل أنت متأكد من رغبتك في مغادرة الخطة العائلية؟", - ), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "هل أنت متأكد من رغبتك في الإلغاء؟", - ), - "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( - "هل أنت متأكد من رغبتك في تغيير خطتك؟", - ), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "هل أنت متأكد من رغبتك في الخروج؟", - ), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "هل أنت متأكد من رغبتك في تسجيل الخروج؟", - ), - "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( - "هل أنت متأكد من رغبتك في دمجهم؟", - ), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "هل أنت متأكد من رغبتك في التجديد؟", - ), - "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( - "هل أنت متأكد من رغبتك في إعادة تعيين هذا الشخص؟", - ), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "تم إلغاء اشتراكك. هل ترغب في مشاركة السبب؟", - ), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "ما السبب الرئيس لحذف حسابك؟", - ), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "اطلب من أحبائك المشاركة", - ), - "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( - "في ملجأ للطوارئ", - ), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "يرجى المصادقة لتغيير إعداد التحقق من البريد الإلكتروني", - ), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "يرجى المصادقة لتغيير إعدادات شاشة القفل.", - ), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "يرجى المصادقة لتغيير بريدك الإلكتروني", - ), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "يرجى المصادقة لتغيير كلمة المرور الخاصة بك", - ), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "يرجى المصادقة لإعداد المصادقة الثنائية.", - ), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "يرجى المصادقة لبدء عملية حذف الحساب", - ), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "يرجى المصادقة لإدارة جهات الاتصال الموثوقة الخاصة بك.", - ), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "يرجى المصادقة لعرض مفتاح المرور الخاص بك.", - ), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "يرجى المصادقة لعرض ملفاتك المحذوفة", - ), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "يرجى المصادقة لعرض جلساتك النشطة.", - ), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "يرجى المصادقة للوصول إلى ملفاتك المخفية", - ), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "يرجى المصادقة لعرض ذكرياتك.", - ), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "يرجى المصادقة لعرض مفتاح الاسترداد الخاص بك.", - ), - "authenticating": MessageLookupByLibrary.simpleMessage("جارٍ المصادقة..."), - "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "فشلت المصادقة، يرجى المحاولة مرة أخرى.", - ), - "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( - "تمت المصادقة بنجاح!", - ), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "سترى أجهزة Cast المتاحة هنا.", - ), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "تأكد من تشغيل أذونات الشبكة المحلية لتطبيق Ente Photos في الإعدادات.", - ), - "autoLock": MessageLookupByLibrary.simpleMessage("قفل تلقائي"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "الوقت الذي يتم بعده قفل التطبيق بعد وضعه في الخلفية.", - ), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "بسبب خلل تقني، تم تسجيل خروجك. نعتذر عن الإزعاج.", - ), - "autoPair": MessageLookupByLibrary.simpleMessage("إقران تلقائي"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "الإقران التلقائي يعمل فقط مع الأجهزة التي تدعم Chromecast.", - ), - "available": MessageLookupByLibrary.simpleMessage("متوفر"), - "availableStorageSpace": m10, - "backedUpFolders": MessageLookupByLibrary.simpleMessage( - "المجلدات المنسوخة احتياطيًا", - ), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("النسخ الاحتياطي"), - "backupFailed": MessageLookupByLibrary.simpleMessage("فشل النسخ الاحتياطي"), - "backupFile": MessageLookupByLibrary.simpleMessage("نسخ احتياطي للملف"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "النسخ الاحتياطي عبر بيانات الجوال", - ), - "backupSettings": MessageLookupByLibrary.simpleMessage( - "إعدادات النسخ الاحتياطي", - ), - "backupStatus": MessageLookupByLibrary.simpleMessage( - "حالة النسخ الاحتياطي", - ), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "ستظهر العناصر التي تم نسخها احتياطيًا هنا", - ), - "backupVideos": MessageLookupByLibrary.simpleMessage( - "النسخ الاحتياطي لمقاطع الفيديو", - ), - "beach": MessageLookupByLibrary.simpleMessage("رمال وبحر"), - "birthday": MessageLookupByLibrary.simpleMessage("تاريخ الميلاد"), - "birthdays": MessageLookupByLibrary.simpleMessage("أعياد الميلاد"), - "blackFridaySale": MessageLookupByLibrary.simpleMessage( - "تخفيضات الجمعة السوداء", - ), - "blog": MessageLookupByLibrary.simpleMessage("المدونة"), - "cachedData": MessageLookupByLibrary.simpleMessage("البيانات المؤقتة"), - "calculating": MessageLookupByLibrary.simpleMessage("جارٍ الحساب..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "عذرًا، لا يمكن فتح هذا الألبوم في التطبيق.", - ), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( - "لا يمكن فتح هذا الألبوم", - ), - "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( - "لا يمكن التحميل إلى ألبومات يملكها آخرون.", - ), - "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "يمكن إنشاء رابط للملفات التي تملكها فقط.", - ), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "يمكنك فقط إزالة الملفات التي تملكها.", - ), - "cancel": MessageLookupByLibrary.simpleMessage("إلغاء"), - "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( - "إلغاء استرداد الحساب", - ), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "هل أنت متأكد من رغبتك في إلغاء الاسترداد؟", - ), - "cancelOtherSubscription": m12, - "cancelSubscription": MessageLookupByLibrary.simpleMessage( - "إلغاء الاشتراك", - ), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "لا يمكن حذف الملفات المشتركة", - ), - "castAlbum": MessageLookupByLibrary.simpleMessage("بث الألبوم"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "يرجى التأكد من أنك متصل بنفس الشبكة المتصل بها التلفزيون.", - ), - "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( - "فشل بث الألبوم", - ), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "قم بزيارة cast.ente.io على الجهاز الذي تريد إقرانه.\n\nأدخل الرمز أدناه لتشغيل الألبوم على تلفزيونك.", - ), - "centerPoint": MessageLookupByLibrary.simpleMessage("نقطة المركز"), - "change": MessageLookupByLibrary.simpleMessage("تغيير"), - "changeEmail": MessageLookupByLibrary.simpleMessage( - "تغيير البريد الإلكتروني", - ), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "تغيير موقع العناصر المحددة؟", - ), - "changePassword": MessageLookupByLibrary.simpleMessage("تغيير كلمة المرور"), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage( - "تغيير كلمة المرور", - ), - "changePermissions": MessageLookupByLibrary.simpleMessage("تغيير الإذن؟"), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "تغيير رمز الإحالة الخاص بك", - ), - "checkForUpdates": MessageLookupByLibrary.simpleMessage( - "التحقق من وجود تحديثات", - ), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "تحقق من صندوق الوارد ومجلد البريد غير الهام (Spam) لإكمال التحقق", - ), - "checkStatus": MessageLookupByLibrary.simpleMessage("التحقق من الحالة"), - "checking": MessageLookupByLibrary.simpleMessage("جارٍ التحقق..."), - "checkingModels": MessageLookupByLibrary.simpleMessage( - "جارٍ فحص النماذج...", - ), - "city": MessageLookupByLibrary.simpleMessage("في المدينة"), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage( - "المطالبة بمساحة تخزين مجانية", - ), - "claimMore": MessageLookupByLibrary.simpleMessage("المطالبة بالمزيد!"), - "claimed": MessageLookupByLibrary.simpleMessage("تم الحصول عليها"), - "claimedStorageSoFar": m14, - "cleanUncategorized": MessageLookupByLibrary.simpleMessage( - "تنظيف غير المصنف", - ), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "إزالة جميع الملفات من قسم \'غير مصنف\' الموجودة في ألبومات أخرى.", - ), - "clearCaches": MessageLookupByLibrary.simpleMessage( - "مسح ذاكرة التخزين المؤقت", - ), - "clearIndexes": MessageLookupByLibrary.simpleMessage("مسح الفهارس"), - "click": MessageLookupByLibrary.simpleMessage("• انقر على"), - "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( - "• انقر على قائمة الخيارات الإضافية", - ), - "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( - "انقر لتثبيت أفضل إصدار لنا حتى الآن", - ), - "close": MessageLookupByLibrary.simpleMessage("إغلاق"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( - "التجميع حسب وقت الالتقاط", - ), - "clubByFileName": MessageLookupByLibrary.simpleMessage( - "التجميع حسب اسم الملف", - ), - "clusteringProgress": MessageLookupByLibrary.simpleMessage("تقدم التجميع"), - "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( - "تم تطبيق الرمز", - ), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "عذرًا، لقد تجاوزت الحد المسموح به لتعديلات الرمز.", - ), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "تم نسخ الرمز إلى الحافظة", - ), - "codeUsedByYou": MessageLookupByLibrary.simpleMessage( - "الرمز المستخدم من قبلك", - ), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "أنشئ رابطًا يسمح للأشخاص بإضافة الصور ومشاهدتها في ألبومك المشترك دون الحاجة إلى تطبيق أو حساب Ente. خيار مثالي لجمع صور الفعاليات بسهولة.", - ), - "collaborativeLink": MessageLookupByLibrary.simpleMessage("رابط تعاوني"), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("متعاون"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "يمكن للمتعاونين إضافة الصور ومقاطع الفيديو إلى الألبوم المشترك.", - ), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("التخطيط"), - "collageSaved": MessageLookupByLibrary.simpleMessage( - "تم حفظ الكولاج في المعرض.", - ), - "collect": MessageLookupByLibrary.simpleMessage("جمع"), - "collectEventPhotos": MessageLookupByLibrary.simpleMessage( - "جمع صور الفعالية", - ), - "collectPhotos": MessageLookupByLibrary.simpleMessage("جمع الصور"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "أنشئ رابطًا يمكن لأصدقائك من خلاله تحميل الصور بالجودة الأصلية.", - ), - "color": MessageLookupByLibrary.simpleMessage("اللون"), - "configuration": MessageLookupByLibrary.simpleMessage("التكوين"), - "confirm": MessageLookupByLibrary.simpleMessage("تأكيد"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "هل أنت متأكد من رغبتك في تعطيل المصادقة الثنائية؟", - ), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "تأكيد حذف الحساب", - ), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "نعم، أرغب في حذف هذا الحساب وبياناته نهائيًا من جميع التطبيقات.", - ), - "confirmPassword": MessageLookupByLibrary.simpleMessage( - "تأكيد كلمة المرور", - ), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage( - "تأكيد تغيير الخطة", - ), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "تأكيد مفتاح الاسترداد", - ), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "تأكيد مفتاح الاسترداد الخاص بك", - ), - "connectToDevice": MessageLookupByLibrary.simpleMessage("الاتصال بالجهاز"), - "contactFamilyAdmin": m18, - "contactSupport": MessageLookupByLibrary.simpleMessage("الاتصال بالدعم"), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("جهات الاتصال"), - "contents": MessageLookupByLibrary.simpleMessage("المحتويات"), - "continueLabel": MessageLookupByLibrary.simpleMessage("متابعة"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "الاستمرار في التجربة المجانية", - ), - "convertToAlbum": MessageLookupByLibrary.simpleMessage("تحويل إلى ألبوم"), - "copyEmailAddress": MessageLookupByLibrary.simpleMessage( - "نسخ عنوان البريد الإلكتروني", - ), - "copyLink": MessageLookupByLibrary.simpleMessage("نسخ الرابط"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "انسخ هذا الرمز وألصقه\n في تطبيق المصادقة الخاص بك", - ), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "لم نتمكن من نسخ بياناتك احتياطيًا.\nسنحاول مرة أخرى لاحقًا.", - ), - "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( - "تعذر تحرير المساحة.", - ), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "تعذر تحديث الاشتراك.", - ), - "count": MessageLookupByLibrary.simpleMessage("العدد"), - "crashReporting": MessageLookupByLibrary.simpleMessage( - "الإبلاغ عن الأعطال", - ), - "create": MessageLookupByLibrary.simpleMessage("إنشاء"), - "createAccount": MessageLookupByLibrary.simpleMessage("إنشاء حساب"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "اضغط مطولاً لتحديد الصور ثم انقر على \'+\' لإنشاء ألبوم", - ), - "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( - "إنشاء رابط تعاوني", - ), - "createCollage": MessageLookupByLibrary.simpleMessage("إنشاء كولاج"), - "createNewAccount": MessageLookupByLibrary.simpleMessage("إنشاء حساب جديد"), - "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( - "إنشاء أو تحديد ألبوم", - ), - "createPublicLink": MessageLookupByLibrary.simpleMessage("إنشاء رابط عام"), - "creatingLink": MessageLookupByLibrary.simpleMessage( - "جارٍ إنشاء الرابط...", - ), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "يتوفر تحديث حرج", - ), - "crop": MessageLookupByLibrary.simpleMessage("اقتصاص"), - "curatedMemories": MessageLookupByLibrary.simpleMessage("ذكريات منسقة"), - "currentUsageIs": MessageLookupByLibrary.simpleMessage( - "استخدامك الحالي هو ", - ), - "currentlyRunning": MessageLookupByLibrary.simpleMessage( - "قيد التشغيل حاليًا", - ), - "custom": MessageLookupByLibrary.simpleMessage("مخصص"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("داكن"), - "dayToday": MessageLookupByLibrary.simpleMessage("اليوم"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("الأمس"), - "declineTrustInvite": MessageLookupByLibrary.simpleMessage("رفض الدعوة"), - "decrypting": MessageLookupByLibrary.simpleMessage("جارٍ فك التشفير..."), - "decryptingVideo": MessageLookupByLibrary.simpleMessage( - "جارٍ فك تشفير الفيديو...", - ), - "deduplicateFiles": MessageLookupByLibrary.simpleMessage( - "إزالة الملفات المكررة", - ), - "delete": MessageLookupByLibrary.simpleMessage("حذف"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("حذف الحساب"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "نأسف لمغادرتك. نرجو مشاركة ملاحظاتك لمساعدتنا على التحسين.", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "حذف الحساب نهائيًا", - ), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("حذف الألبوم"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "هل ترغب أيضًا في حذف الصور (ومقاطع الفيديو) الموجودة في هذا الألبوم من جميع الألبومات الأخرى التي هي جزء منها؟", - ), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "سيؤدي هذا إلى حذف جميع الألبومات الفارغة. هذا مفيد عندما تريد تقليل الفوضى في قائمة ألبوماتك.", - ), - "deleteAll": MessageLookupByLibrary.simpleMessage("حذف الكل"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "هذا الحساب مرتبط بتطبيقات Ente الأخرى، إذا كنت تستخدم أيًا منها. سيتم جدولة بياناتك التي تم تحميلها، عبر جميع تطبيقات Ente، للحذف، وسيتم حذف حسابك نهائيًا.", - ), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "أرسل بريدًا إلكترونيًا إلى account-deletion@ente.io من عنوان بريدك الإلكتروني المسجل.", - ), - "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( - "حذف الألبومات الفارغة", - ), - "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( - "حذف الألبومات الفارغة؟", - ), - "deleteFromBoth": MessageLookupByLibrary.simpleMessage("الحذف من كليهما"), - "deleteFromDevice": MessageLookupByLibrary.simpleMessage("الحذف من الجهاز"), - "deleteFromEnte": MessageLookupByLibrary.simpleMessage("حذف من Ente"), - "deleteItemCount": m21, - "deleteLocation": MessageLookupByLibrary.simpleMessage("حذف الموقع"), - "deleteMultipleAlbumDialog": m22, - "deletePhotos": MessageLookupByLibrary.simpleMessage("حذف الصور"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "تفتقر إلى مِيزة أساسية أحتاج إليها", - ), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "التطبيق أو مِيزة معينة لا تعمل كما هو متوقع", - ), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "وجدت خدمة أخرى أفضل", - ), - "deleteReason4": MessageLookupByLibrary.simpleMessage("سببي غير مدرج"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "ستتم معالجة طلبك خلال 72 ساعة.", - ), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "حذف الألبوم المشترك؟", - ), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "سيتم حذف الألبوم للجميع.\n\nستفقد الوصول إلى الصور المشتركة في هذا الألبوم التي يملكها الآخرون.", - ), - "deselectAll": MessageLookupByLibrary.simpleMessage("إلغاء تحديد الكل"), - "designedToOutlive": MessageLookupByLibrary.simpleMessage("مصممة لتدوم"), - "details": MessageLookupByLibrary.simpleMessage("التفاصيل"), - "developerSettings": MessageLookupByLibrary.simpleMessage("إعدادات المطور"), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "هل أنت متأكد من رغبتك في تعديل إعدادات المطور؟", - ), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage("أدخل الرمز"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "سيتم تحميل الملفات المضافة إلى ألبوم الجهاز هذا تلقائيًا إلى Ente.", - ), - "deviceLock": MessageLookupByLibrary.simpleMessage("قفل الجهاز"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "عطّل قفل شاشة الجهاز عندما يكون Ente قيد التشغيل في المقدمة ويقوم بالنسخ الاحتياطي.\nهذا الإجراء غير مطلوب عادةً، لكنه قد يسرّع إكمال التحميلات الكبيرة أو الاستيرادات الأولية للمكتبات الضخمة.", - ), - "deviceNotFound": MessageLookupByLibrary.simpleMessage( - "لم يتم العثور على الجهاز", - ), - "didYouKnow": MessageLookupByLibrary.simpleMessage("هل تعلم؟"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage( - "تعطيل القفل التلقائي", - ), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "لا يزال بإمكان المشاهدين التقاط لقطات شاشة أو حفظ نسخة من صورك باستخدام أدوات خارجية", - ), - "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( - "يرجى الملاحظة", - ), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "تعطيل المصادقة الثنائية", - ), - "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( - "جارٍ تعطيل المصادقة الثنائية...", - ), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("اكتشاف"), - "discover_babies": MessageLookupByLibrary.simpleMessage("الأطفال"), - "discover_celebrations": MessageLookupByLibrary.simpleMessage("الاحتفالات"), - "discover_food": MessageLookupByLibrary.simpleMessage("الطعام"), - "discover_greenery": MessageLookupByLibrary.simpleMessage( - "المساحات الخضراء", - ), - "discover_hills": MessageLookupByLibrary.simpleMessage("التلال"), - "discover_identity": MessageLookupByLibrary.simpleMessage("الهوية"), - "discover_memes": MessageLookupByLibrary.simpleMessage("الميمز"), - "discover_notes": MessageLookupByLibrary.simpleMessage("الملاحظات"), - "discover_pets": MessageLookupByLibrary.simpleMessage("الحيوانات الأليفة"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("الإيصالات"), - "discover_screenshots": MessageLookupByLibrary.simpleMessage( - "لقطات الشاشة", - ), - "discover_selfies": MessageLookupByLibrary.simpleMessage("صور السيلفي"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("غروب الشمس"), - "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( - "بطاقات الزيارة", - ), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage("الخلفيات"), - "dismiss": MessageLookupByLibrary.simpleMessage("تجاهل"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("كم"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage("عدم تسجيل الخروج"), - "doThisLater": MessageLookupByLibrary.simpleMessage("لاحقًا"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "هل تريد تجاهل التعديلات التي قمت بها؟", - ), - "done": MessageLookupByLibrary.simpleMessage("تم"), - "dontSave": MessageLookupByLibrary.simpleMessage("عدم الحفظ"), - "doubleYourStorage": MessageLookupByLibrary.simpleMessage( - "ضاعف مساحة التخزين الخاصة بك", - ), - "download": MessageLookupByLibrary.simpleMessage("تنزيل"), - "downloadFailed": MessageLookupByLibrary.simpleMessage("فشل التنزيل"), - "downloading": MessageLookupByLibrary.simpleMessage("جارٍ التنزيل..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("تعديل"), - "editEmailAlreadyLinked": m28, - "editLocation": MessageLookupByLibrary.simpleMessage("تعديل الموقع"), - "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( - "تعديل الموقع", - ), - "editPerson": MessageLookupByLibrary.simpleMessage("تعديل الشخص"), - "editTime": MessageLookupByLibrary.simpleMessage("تعديل الوقت"), - "editsSaved": MessageLookupByLibrary.simpleMessage("تم حفظ التعديلات."), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "ستكون التعديلات على الموقع مرئية فقط داخل Ente.", - ), - "eligible": MessageLookupByLibrary.simpleMessage("مؤهل"), - "email": MessageLookupByLibrary.simpleMessage("البريد الإلكتروني"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "البريد الإلكتروني مُسجل من قبل.", - ), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "البريد الإلكتروني غير مسجل.", - ), - "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( - "تأكيد عنوان البريد الإلكتروني", - ), - "emailYourLogs": MessageLookupByLibrary.simpleMessage( - "إرسال سجلاتك عبر البريد الإلكتروني", - ), - "embracingThem": m32, - "emergencyContacts": MessageLookupByLibrary.simpleMessage( - "جهات اتصال الطوارئ", - ), - "empty": MessageLookupByLibrary.simpleMessage("إفراغ"), - "emptyTrash": MessageLookupByLibrary.simpleMessage("إفراغ سلة المهملات؟"), - "enable": MessageLookupByLibrary.simpleMessage("تمكين"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "يدعم Ente تعلم الآلة على الجهاز للتعرف على الوجوه والبحث السحري وميزات البحث المتقدم الأخرى.", - ), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "قم بتمكين تعلم الآلة للبحث السحري والتعرف على الوجوه.", - ), - "enableMaps": MessageLookupByLibrary.simpleMessage("تمكين الخرائط"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "سيؤدي هذا إلى عرض صورك على خريطة العالم.\n\nتستضيف هذه الخريطة OpenStreetMap، ولا تتم مشاركة المواقع الدقيقة لصورك أبدًا.\n\nيمكنك تعطيل هذه الميزة في أي وقت من الإعدادات.", - ), - "enabled": MessageLookupByLibrary.simpleMessage("مُمكّن"), - "encryptingBackup": MessageLookupByLibrary.simpleMessage( - "جارٍ تشفير النسخة الاحتياطية...", - ), - "encryption": MessageLookupByLibrary.simpleMessage("التشفير"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage("مفاتيح التشفير"), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "تم تحديث نقطة النهاية بنجاح.", - ), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "تشفير من طرف إلى طرف بشكل افتراضي", - ), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "يمكن لـ Ente تشفير وحفظ الملفات فقط إذا منحت الإذن بالوصول إليها", - ), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente بحاجة إلى إذن لحفظ صورك", - ), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "يحفظ Ente ذكرياتك، بحيث تظل دائمًا متاحة لك حتى لو فقدت جهازك.", - ), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "يمكنك أيضًا إضافة أفراد عائلتك إلى خطتك.", - ), - "enterAlbumName": MessageLookupByLibrary.simpleMessage("أدخل اسم الألبوم"), - "enterCode": MessageLookupByLibrary.simpleMessage("أدخل الرمز"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "أدخل الرمز المقدم من صديقك للمطالبة بمساحة تخزين مجانية لكما", - ), - "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( - "تاريخ الميلاد (اختياري)", - ), - "enterEmail": MessageLookupByLibrary.simpleMessage( - "أدخل البريد الإلكتروني", - ), - "enterFileName": MessageLookupByLibrary.simpleMessage("أدخل اسم الملف"), - "enterName": MessageLookupByLibrary.simpleMessage("أدخل الاسم"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "أدخل كلمة مرور جديدة يمكننا استخدامها لتشفير بياناتك", - ), - "enterPassword": MessageLookupByLibrary.simpleMessage("أدخل كلمة المرور"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "أدخل كلمة مرور يمكننا استخدامها لتشفير بياناتك", - ), - "enterPersonName": MessageLookupByLibrary.simpleMessage("أدخل اسم الشخص"), - "enterPin": MessageLookupByLibrary.simpleMessage("أدخل رمز PIN"), - "enterReferralCode": MessageLookupByLibrary.simpleMessage( - "أدخل رمز الإحالة", - ), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "أدخل الرمز المكون من 6 أرقام من\n تطبيق المصادقة الخاص بك", - ), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "يرجى إدخال عنوان بريد إلكتروني صالح.", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "أدخل عنوان بريدك الإلكتروني", - ), - "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( - "أدخل عنوان بريدك الإلكتروني الجديد", - ), - "enterYourPassword": MessageLookupByLibrary.simpleMessage( - "أدخل كلمة المرور", - ), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "أدخل مفتاح الاسترداد", - ), - "error": MessageLookupByLibrary.simpleMessage("خطأ"), - "everywhere": MessageLookupByLibrary.simpleMessage("في كل مكان"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": MessageLookupByLibrary.simpleMessage("مستخدم حالي"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "انتهت صلاحية هذا الرابط. يرجى اختيار وقت انتهاء صلاحية جديد أو تعطيل انتهاء صلاحية الرابط.", - ), - "exportLogs": MessageLookupByLibrary.simpleMessage("تصدير السجلات"), - "exportYourData": MessageLookupByLibrary.simpleMessage("تصدير بياناتك"), - "extraPhotosFound": MessageLookupByLibrary.simpleMessage( - "تم العثور على صور إضافية", - ), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "لم يتم تجميع الوجه بعد، يرجى العودة لاحقًا", - ), - "faceRecognition": MessageLookupByLibrary.simpleMessage( - "التعرف على الوجوه", - ), - "faces": MessageLookupByLibrary.simpleMessage("الوجوه"), - "failed": MessageLookupByLibrary.simpleMessage("فشل"), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage( - "فشل تطبيق الرمز", - ), - "failedToCancel": MessageLookupByLibrary.simpleMessage("فشل الإلغاء"), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( - "فشل تنزيل الفيديو", - ), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "فشل جلب الجلسات النشطة.", - ), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "فشل جلب النسخة الأصلية للتعديل.", - ), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "تعذر جلب تفاصيل الإحالة. يرجى المحاولة مرة أخرى لاحقًا.", - ), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "فشل تحميل الألبومات", - ), - "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( - "فشل تشغيل الفيديو.", - ), - "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( - "فشل تحديث الاشتراك.", - ), - "failedToRenew": MessageLookupByLibrary.simpleMessage("فشل التجديد"), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "فشل التحقق من حالة الدفع.", - ), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "أضف 5 أفراد من عائلتك إلى خطتك الحالية دون دفع رسوم إضافية.\n\nيحصل كل فرد على مساحة خاصة به، ولا يمكنهم رؤية ملفات بعضهم البعض إلا إذا تمت مشاركتها.\n\nالخطط العائلية متاحة للعملاء الذين لديهم اشتراك Ente مدفوع.\n\nاشترك الآن للبدء!", - ), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("العائلة"), - "familyPlans": MessageLookupByLibrary.simpleMessage("الخطط العائلية"), - "faq": MessageLookupByLibrary.simpleMessage("الأسئلة الشائعة"), - "faqs": MessageLookupByLibrary.simpleMessage("الأسئلة الشائعة"), - "favorite": MessageLookupByLibrary.simpleMessage("المفضلة"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("ملاحظات"), - "file": MessageLookupByLibrary.simpleMessage("ملف"), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "فشل حفظ الملف في المعرض.", - ), - "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage("إضافة وصف..."), - "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( - "لم يتم تحميل الملف بعد", - ), - "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( - "تم حفظ الملف في المعرض.", - ), - "fileTypes": MessageLookupByLibrary.simpleMessage("أنواع الملفات"), - "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( - "أنواع وأسماء الملفات", - ), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage("تم حذف الملفات."), - "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( - "تم حفظ الملفات في المعرض.", - ), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "البحث عن الأشخاص بسرعة بالاسم", - ), - "findThemQuickly": MessageLookupByLibrary.simpleMessage("اعثر عليهم بسرعة"), - "flip": MessageLookupByLibrary.simpleMessage("قلب"), - "food": MessageLookupByLibrary.simpleMessage("متعة الطهي"), - "forYourMemories": MessageLookupByLibrary.simpleMessage("لذكرياتك"), - "forgotPassword": MessageLookupByLibrary.simpleMessage("نسيت كلمة المرور"), - "foundFaces": MessageLookupByLibrary.simpleMessage( - "الوجوه التي تم العثور عليها", - ), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( - "تم المطالبة بمساحة التخزين المجانية", - ), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "مساحة تخزين مجانية متاحة للاستخدام", - ), - "freeTrial": MessageLookupByLibrary.simpleMessage("تجربة مجانية"), - "freeTrialValidTill": m38, - "freeUpAccessPostDelete": m39, - "freeUpAmount": m40, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( - "تحرير مساحة على الجهاز", - ), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "وفر مساحة على جهازك عن طريق مسح الملفات التي تم نسخها احتياطيًا.", - ), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("تحرير المساحة"), - "freeUpSpaceSaving": m41, - "gallery": MessageLookupByLibrary.simpleMessage("المعرض"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "يتم عرض ما يصل إلى 1000 ذكرى في المعرض.", - ), - "general": MessageLookupByLibrary.simpleMessage("عام"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "جارٍ إنشاء مفاتيح التشفير...", - ), - "genericProgress": m42, - "goToSettings": MessageLookupByLibrary.simpleMessage( - "الانتقال إلى الإعدادات", - ), - "googlePlayId": MessageLookupByLibrary.simpleMessage("معرّف Google Play"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "الرجاء السماح بالوصول إلى جميع الصور في تطبيق الإعدادات", - ), - "grantPermission": MessageLookupByLibrary.simpleMessage("منح الإذن"), - "greenery": MessageLookupByLibrary.simpleMessage("الحياة الخضراء"), - "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( - "تجميع الصور القريبة", - ), - "guestView": MessageLookupByLibrary.simpleMessage("عرض الضيف"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "لتمكين عرض الضيف، يرجى إعداد رمز مرور الجهاز أو قفل الشاشة في إعدادات النظام.", - ), - "happyBirthday": MessageLookupByLibrary.simpleMessage("عيد ميلاد سعيد! 🥳"), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "نحن لا نتتبع عمليات تثبيت التطبيق. سيساعدنا إذا أخبرتنا أين وجدتنا!", - ), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "كيف سمعت عن Ente؟ (اختياري)", - ), - "help": MessageLookupByLibrary.simpleMessage("المساعدة"), - "hidden": MessageLookupByLibrary.simpleMessage("المخفية"), - "hide": MessageLookupByLibrary.simpleMessage("إخفاء"), - "hideContent": MessageLookupByLibrary.simpleMessage("إخفاء المحتوى"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "يخفي محتوى التطبيق في مبدل التطبيقات ويعطل لقطات الشاشة.", - ), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "يخفي محتوى التطبيق في مبدل التطبيقات.", - ), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "إخفاء العناصر المشتركة من معرض الصفحة الرئيسية", - ), - "hiding": MessageLookupByLibrary.simpleMessage("جارٍ الإخفاء..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( - "مستضاف في OSM France", - ), - "howItWorks": MessageLookupByLibrary.simpleMessage("كيف يعمل"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "يرجى الطلب منهم الضغط مطولًا على عنوان بريدهم الإلكتروني في شاشة الإعدادات، والتأكد من تطابق المعرّفات على كلا الجهازين.", - ), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "لم يتم إعداد المصادقة البيومترية على جهازك. يرجى تمكين Touch ID أو Face ID على هاتفك.", - ), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "تم تعطيل المصادقة البيومترية. يرجى قفل شاشتك وفتحها لتمكينها.", - ), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("موافق"), - "ignore": MessageLookupByLibrary.simpleMessage("تجاهل"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("تجاهل"), - "ignored": MessageLookupByLibrary.simpleMessage("تم التجاهل"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "تم تجاهل تحميل بعض الملفات في هذا الألبوم لأنه تم حذفها مسبقًا من Ente.", - ), - "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( - "لم يتم تحليل الصورة", - ), - "immediately": MessageLookupByLibrary.simpleMessage("فورًا"), - "importing": MessageLookupByLibrary.simpleMessage("جارٍ الاستيراد..."), - "incorrectCode": MessageLookupByLibrary.simpleMessage("رمز غير صحيح"), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( - "كلمة المرور غير صحيحة", - ), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "مفتاح الاسترداد غير صحيح.", - ), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "مفتاح الاسترداد الذي أدخلته غير صحيح", - ), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "مفتاح الاسترداد غير صحيح", - ), - "indexedItems": MessageLookupByLibrary.simpleMessage("العناصر المفهرسة"), - "ineligible": MessageLookupByLibrary.simpleMessage("غير مؤهل"), - "info": MessageLookupByLibrary.simpleMessage("معلومات"), - "insecureDevice": MessageLookupByLibrary.simpleMessage("جهاز غير آمن"), - "installManually": MessageLookupByLibrary.simpleMessage("التثبيت يدويًا"), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "عنوان البريد الإلكتروني غير صالح", - ), - "invalidEndpoint": MessageLookupByLibrary.simpleMessage( - "نقطة النهاية غير صالحة", - ), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "عذرًا، نقطة النهاية التي أدخلتها غير صالحة. يرجى إدخال نقطة نهاية صالحة والمحاولة مرة أخرى.", - ), - "invalidKey": MessageLookupByLibrary.simpleMessage("المفتاح غير صالح"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "مفتاح الاسترداد الذي أدخلته غير صالح. يرجى التأكد من أنه يحتوي على 24 كلمة، والتحقق من كتابة كل كلمة بشكل صحيح.\n\nإذا كنت تستخدم مفتاح استرداد قديمًا، تأكد من أنه مكون من 64 حرفًا، وتحقق من صحة كل حرف.", - ), - "invite": MessageLookupByLibrary.simpleMessage("دعوة"), - "inviteToEnte": MessageLookupByLibrary.simpleMessage("دعوة إلى Ente"), - "inviteYourFriends": MessageLookupByLibrary.simpleMessage("ادعُ أصدقاءك"), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "ادعُ أصدقاءك إلى Ente", - ), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "يبدو أن خطأً ما قد حدث. يرجى المحاولة مرة أخرى بعد بعض الوقت. إذا استمر الخطأ، يرجى الاتصال بفريق الدعم لدينا.", - ), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "تعرض العناصر عدد الأيام المتبقية قبل الحذف الدائم.", - ), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "سيتم إزالة العناصر المحددة من هذا الألبوم.", - ), - "join": MessageLookupByLibrary.simpleMessage("انضمام"), - "joinAlbum": MessageLookupByLibrary.simpleMessage("الانضمام إلى الألبوم"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "الانضمام إلى ألبوم سيجعل بريدك الإلكتروني مرئيًا للمشاركين فيه.", - ), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( - "لعرض صورك وإضافتها", - ), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "لإضافة هذا إلى الألبومات المشتركة", - ), - "joinDiscord": MessageLookupByLibrary.simpleMessage("الانضمام إلى Discord"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("الاحتفاظ بالصور"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("كم"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "يرجى مساعدتنا بهذه المعلومات", - ), - "language": MessageLookupByLibrary.simpleMessage("اللغة"), - "lastTimeWithThem": m45, - "lastUpdated": MessageLookupByLibrary.simpleMessage("آخر تحديث"), - "lastYearsTrip": MessageLookupByLibrary.simpleMessage("رحلة العام الماضي"), - "leave": MessageLookupByLibrary.simpleMessage("مغادرة"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("مغادرة الألبوم"), - "leaveFamily": MessageLookupByLibrary.simpleMessage("مغادرة خطة العائلة"), - "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( - "مغادرة الألبوم المشترك؟", - ), - "left": MessageLookupByLibrary.simpleMessage("يسار"), - "legacy": MessageLookupByLibrary.simpleMessage("جهات الاتصال الموثوقة"), - "legacyAccounts": MessageLookupByLibrary.simpleMessage("الحسابات الموثوقة"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "تسمح جهات الاتصال الموثوقة لأشخاص معينين بالوصول إلى حسابك في حالة غيابك.", - ), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "يمكن لجهات الاتصال الموثوقة بدء استرداد الحساب، وإذا لم يتم حظر ذلك خلال 30 يومًا، يمكنهم إعادة تعيين كلمة المرور والوصول إلى حسابك.", - ), - "light": MessageLookupByLibrary.simpleMessage("فاتح"), - "lightTheme": MessageLookupByLibrary.simpleMessage("فاتح"), - "link": MessageLookupByLibrary.simpleMessage("ربط"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "تم نسخ الرابط إلى الحافظة.", - ), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("حد الأجهزة"), - "linkEmail": MessageLookupByLibrary.simpleMessage("ربط البريد الإلكتروني"), - "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( - "لمشاركة أسرع", - ), - "linkEnabled": MessageLookupByLibrary.simpleMessage("مفعّل"), - "linkExpired": MessageLookupByLibrary.simpleMessage("منتهي الصلاحية"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("انتهاء صلاحية الرابط"), - "linkHasExpired": MessageLookupByLibrary.simpleMessage( - "انتهت صلاحية الرابط", - ), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("أبدًا"), - "linkPerson": MessageLookupByLibrary.simpleMessage("ربط الشخص"), - "linkPersonCaption": MessageLookupByLibrary.simpleMessage( - "لتجربة مشاركة أفضل", - ), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("الصور الحية"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "يمكنك مشاركة اشتراكك مع عائلتك.", - ), - "loadMessage2": MessageLookupByLibrary.simpleMessage( - "لقد حفظنا أكثر من 200 مليون ذكرى حتى الآن", - ), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "نحتفظ بـ 3 نسخ من بياناتك، إحداها في ملجأ للطوارئ تحت الأرض.", - ), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "جميع تطبيقاتنا مفتوحة المصدر.", - ), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "تم تدقيق شفرتنا المصدرية والتشفير الخاص بنا خارجيًا.", - ), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "يمكنك مشاركة روابط ألبوماتك مع أحبائك.", - ), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "تعمل تطبيقات الهاتف المحمول الخاصة بنا في الخلفية لتشفير أي صور جديدة تلتقطها ونسخها احتياطيًا.", - ), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io لديه أداة تحميل رائعة.", - ), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "نستخدم XChaCha20-Poly1305 لتشفير بياناتك بأمان.", - ), - "loadingExifData": MessageLookupByLibrary.simpleMessage( - "جارٍ تحميل بيانات EXIF...", - ), - "loadingGallery": MessageLookupByLibrary.simpleMessage( - "جارٍ تحميل المعرض...", - ), - "loadingMessage": MessageLookupByLibrary.simpleMessage( - "جارٍ تحميل صورك...", - ), - "loadingModel": MessageLookupByLibrary.simpleMessage( - "جارٍ تحميل النماذج...", - ), - "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( - "جارٍ تحميل صورك...", - ), - "localGallery": MessageLookupByLibrary.simpleMessage("المعرض المحلي"), - "localIndexing": MessageLookupByLibrary.simpleMessage("الفهرسة المحلية"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "يبدو أن خطأً ما قد حدث لأن مزامنة الصور المحلية تستغرق وقتًا أطول من المتوقع. يرجى التواصل مع فريق الدعم لدينا.", - ), - "location": MessageLookupByLibrary.simpleMessage("الموقع"), - "locationName": MessageLookupByLibrary.simpleMessage("اسم الموقع"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "تقوم علامة الموقع بتجميع جميع الصور التي تم التقاطها ضمن نصف قطر معين لصورة ما.", - ), - "locations": MessageLookupByLibrary.simpleMessage("المواقع"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("قفل"), - "lockscreen": MessageLookupByLibrary.simpleMessage("شاشة القفل"), - "logInLabel": MessageLookupByLibrary.simpleMessage("تسجيل الدخول"), - "loggingOut": MessageLookupByLibrary.simpleMessage("جارٍ تسجيل الخروج..."), - "loginSessionExpired": MessageLookupByLibrary.simpleMessage( - "انتهت صلاحية الجلسة.", - ), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "انتهت صلاحية جلستك. يرجى تسجيل الدخول مرة أخرى.", - ), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "بالنقر على تسجيل الدخول، أوافق على شروط الخدمة و سياسة الخصوصية", - ), - "loginWithTOTP": MessageLookupByLibrary.simpleMessage( - "تسجيل الدخول باستخدام TOTP", - ), - "logout": MessageLookupByLibrary.simpleMessage("تسجيل الخروج"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "سيؤدي هذا إلى إرسال السجلات لمساعدتنا في تصحيح مشكلتك. يرجى ملاحظة أنه سيتم تضمين أسماء الملفات للمساعدة في تتبع المشكلات المتعلقة بملفات معينة.", - ), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "اضغط مطولاً على بريد إلكتروني للتحقق من التشفير من طرف إلى طرف.", - ), - "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( - "اضغط مطولاً على عنصر لعرضه في وضع ملء الشاشة.", - ), - "loopVideoOff": MessageLookupByLibrary.simpleMessage("إيقاف تكرار الفيديو"), - "loopVideoOn": MessageLookupByLibrary.simpleMessage("تشغيل تكرار الفيديو"), - "lostDevice": MessageLookupByLibrary.simpleMessage("جهاز مفقود؟"), - "machineLearning": MessageLookupByLibrary.simpleMessage("تعلم الآلة"), - "magicSearch": MessageLookupByLibrary.simpleMessage("البحث السحري"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "يسمح البحث السحري بالبحث عن الصور حسب محتوياتها، مثل \'زهرة\'، \'سيارة حمراء\'، \'وثائق هوية\'", - ), - "manage": MessageLookupByLibrary.simpleMessage("إدارة"), - "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( - "إدارة مساحة تخزين الجهاز", - ), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "مراجعة ومسح ذاكرة التخزين المؤقت المحلية.", - ), - "manageFamily": MessageLookupByLibrary.simpleMessage("إدارة العائلة"), - "manageLink": MessageLookupByLibrary.simpleMessage("إدارة الرابط"), - "manageParticipants": MessageLookupByLibrary.simpleMessage( - "إدارة المشاركين", - ), - "manageSubscription": MessageLookupByLibrary.simpleMessage( - "إدارة الاشتراك", - ), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "الإقران بالرمز السري يعمل مع أي شاشة ترغب في عرض ألبومك عليها.", - ), - "map": MessageLookupByLibrary.simpleMessage("الخريطة"), - "maps": MessageLookupByLibrary.simpleMessage("الخرائط"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("أنا"), - "memories": MessageLookupByLibrary.simpleMessage("ذكريات"), - "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( - "اختر نوع الذكريات التي ترغب في رؤيتها على شاشتك الرئيسية.", - ), - "memoryCount": m50, - "merchandise": MessageLookupByLibrary.simpleMessage("المنتجات الترويجية"), - "merge": MessageLookupByLibrary.simpleMessage("دمج"), - "mergeWithExisting": MessageLookupByLibrary.simpleMessage( - "الدمج مع شخص موجود", - ), - "mergedPhotos": MessageLookupByLibrary.simpleMessage("الصور المدمجة"), - "mlConsent": MessageLookupByLibrary.simpleMessage("تمكين تعلم الآلة"), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "أنا أفهم، وأرغب في تمكين تعلم الآلة", - ), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "إذا قمت بتمكين تعلم الآلة، سيقوم Ente باستخراج معلومات مثل هندسة الوجه من الملفات، بما في ذلك تلك التي تمت مشاركتها معك.\n\nسيحدث هذا على جهازك، وسيتم تشفير أي معلومات بيومترية تم إنشاؤها تشفيرًا تامًا من طرف إلى طرف.", - ), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "يرجى النقر هنا لمزيد من التفاصيل حول هذه الميزة في سياسة الخصوصية الخاصة بنا", - ), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage("تمكين تعلم الآلة؟"), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "يرجى ملاحظة أن تعلم الآلة سيؤدي إلى استهلاك أعلى لعرض النطاق الترددي والبطارية حتى تتم فهرسة جميع العناصر.\nنوصي باستخدام تطبيق سطح المكتب لإجراء الفهرسة بشكل أسرع. سيتم مزامنة جميع النتائج تلقائيًا.", - ), - "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( - "الهاتف المحمول، الويب، سطح المكتب", - ), - "moderateStrength": MessageLookupByLibrary.simpleMessage("متوسطة"), - "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( - "قم بتعديل استعلامك، أو حاول البحث عن", - ), - "moments": MessageLookupByLibrary.simpleMessage("اللحظات"), - "month": MessageLookupByLibrary.simpleMessage("شهر"), - "monthly": MessageLookupByLibrary.simpleMessage("شهريًا"), - "moon": MessageLookupByLibrary.simpleMessage("في ضوء القمر"), - "moreDetails": MessageLookupByLibrary.simpleMessage("المزيد من التفاصيل"), - "mostRecent": MessageLookupByLibrary.simpleMessage("الأحدث"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("الأكثر صلة"), - "mountains": MessageLookupByLibrary.simpleMessage("فوق التلال"), - "moveItem": m51, - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "نقل الصور المحددة إلى تاريخ واحد", - ), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("نقل إلى ألبوم"), - "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "نقل إلى الألبوم المخفي", - ), - "movedSuccessfullyTo": m52, - "movedToTrash": MessageLookupByLibrary.simpleMessage( - "تم النقل إلى سلة المهملات", - ), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "جارٍ نقل الملفات إلى الألبوم...", - ), - "name": MessageLookupByLibrary.simpleMessage("الاسم"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("تسمية الألبوم"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "تعذر الاتصال بـ Ente، يرجى المحاولة مرة أخرى بعد بعض الوقت. إذا استمر الخطأ، يرجى الاتصال بالدعم.", - ), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "تعذر الاتصال بـ Ente، يرجى التحقق من إعدادات الشبكة والاتصال بالدعم إذا استمر الخطأ.", - ), - "never": MessageLookupByLibrary.simpleMessage("أبدًا"), - "newAlbum": MessageLookupByLibrary.simpleMessage("ألبوم جديد"), - "newLocation": MessageLookupByLibrary.simpleMessage("موقع جديد"), - "newPerson": MessageLookupByLibrary.simpleMessage("شخص جديد"), - "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" جديد 📸"), - "newRange": MessageLookupByLibrary.simpleMessage("نطاق جديد"), - "newToEnte": MessageLookupByLibrary.simpleMessage("جديد في Ente"), - "newest": MessageLookupByLibrary.simpleMessage("الأحدث"), - "next": MessageLookupByLibrary.simpleMessage("التالي"), - "no": MessageLookupByLibrary.simpleMessage("لا"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "لم تشارك أي ألبومات بعد", - ), - "noDeviceFound": MessageLookupByLibrary.simpleMessage( - "لم يتم العثور على جهاز.", - ), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("لا شيء"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "لا توجد ملفات على هذا الجهاز يمكن حذفها", - ), - "noDuplicates": MessageLookupByLibrary.simpleMessage( - "✨ لا توجد ملفات مكررة", - ), - "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( - "لا يوجد حساب Ente!", - ), - "noExifData": MessageLookupByLibrary.simpleMessage("لا توجد بيانات EXIF"), - "noFacesFound": MessageLookupByLibrary.simpleMessage( - "لم يتم العثور على وجوه", - ), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "لا توجد صور أو مقاطع فيديو مخفية", - ), - "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( - "لا توجد صور تحتوي على موقع", - ), - "noInternetConnection": MessageLookupByLibrary.simpleMessage( - "لا يوجد اتصال بالإنترنت", - ), - "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( - "لا يتم نسخ أي صور احتياطيًا في الوقت الحالي", - ), - "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( - "لم يتم العثور على صور هنا", - ), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( - "لم يتم تحديد روابط سريعة.", - ), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "لا تملك مفتاح استرداد؟", - ), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "نظرًا لطبيعة التشفير الكامل من طرف إلى طرف، لا يمكن فك تشفير بياناتك دون كلمة المرور أو مفتاح الاسترداد الخاص بك", - ), - "noResults": MessageLookupByLibrary.simpleMessage("لا توجد نتائج"), - "noResultsFound": MessageLookupByLibrary.simpleMessage( - "لم يتم العثور على نتائج.", - ), - "noSuggestionsForPerson": m53, - "noSystemLockFound": MessageLookupByLibrary.simpleMessage( - "لم يتم العثور على قفل نظام.", - ), - "notPersonLabel": m54, - "notThisPerson": MessageLookupByLibrary.simpleMessage("ليس هذا الشخص؟"), - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "لم تتم مشاركة أي شيء معك بعد", - ), - "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( - "لا يوجد شيء هنا! 👀", - ), - "notifications": MessageLookupByLibrary.simpleMessage("الإشعارات"), - "ok": MessageLookupByLibrary.simpleMessage("حسنًا"), - "onDevice": MessageLookupByLibrary.simpleMessage("على الجهاز"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "على Ente", - ), - "onTheRoad": MessageLookupByLibrary.simpleMessage("على الطريق مرة أخرى"), - "onThisDay": MessageLookupByLibrary.simpleMessage("في هذا اليوم"), - "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( - "تلقي تذكيرات حول ذكريات مثل اليوم في السنوات السابقة.", - ), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("هم فقط"), - "oops": MessageLookupByLibrary.simpleMessage("عفوًا"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "عفوًا، تعذر حفظ التعديلات.", - ), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "عفوًا، حدث خطأ ما", - ), - "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( - "فتح الألبوم في المتصفح", - ), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "يرجى استخدام تطبيق الويب لإضافة صور إلى هذا الألبوم", - ), - "openFile": MessageLookupByLibrary.simpleMessage("فتح الملف"), - "openSettings": MessageLookupByLibrary.simpleMessage("فتح الإعدادات"), - "openTheItem": MessageLookupByLibrary.simpleMessage("• افتح العنصر"), - "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( - "مساهمو OpenStreetMap", - ), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "اختياري، قصير كما تشاء...", - ), - "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( - "أو الدمج مع شخص موجود", - ), - "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( - "أو اختر واحدًا موجودًا", - ), - "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( - "أو اختر من جهات اتصالك", - ), - "otherDetectedFaces": MessageLookupByLibrary.simpleMessage( - "وجوه أخرى تم اكتشافها", - ), - "pair": MessageLookupByLibrary.simpleMessage("إقران"), - "pairWithPin": MessageLookupByLibrary.simpleMessage("الإقران بالرمز السري"), - "pairingComplete": MessageLookupByLibrary.simpleMessage("اكتمل الإقران"), - "panorama": MessageLookupByLibrary.simpleMessage("بانوراما"), - "partyWithThem": m56, - "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( - "التحقق لا يزال معلقًا.", - ), - "passkey": MessageLookupByLibrary.simpleMessage("مفتاح المرور"), - "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( - "التحقق من مفتاح المرور", - ), - "password": MessageLookupByLibrary.simpleMessage("كلمة المرور"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "تم تغيير كلمة المرور بنجاح", - ), - "passwordLock": MessageLookupByLibrary.simpleMessage("قفل بكلمة مرور"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "يتم حساب قوة كلمة المرور مع الأخذ في الاعتبار طول كلمة المرور، والأحرف المستخدمة، وما إذا كانت كلمة المرور تظهر في قائمة أفضل 10,000 كلمة مرور شائعة الاستخدام.", - ), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "نحن لا نقوم بتخزين كلمة المرور هذه، لذا إذا نسيتها، لا يمكننا فك تشفير بياناتك", - ), - "paymentDetails": MessageLookupByLibrary.simpleMessage("تفاصيل الدفع"), - "paymentFailed": MessageLookupByLibrary.simpleMessage("فشلت عملية الدفع"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "للأسف، فشلت عملية الدفع الخاصة بك. يرجى الاتصال بالدعم وسوف نساعدك!", - ), - "paymentFailedTalkToProvider": m58, - "pendingItems": MessageLookupByLibrary.simpleMessage("العناصر المعلقة"), - "pendingSync": MessageLookupByLibrary.simpleMessage("المزامنة المعلقة"), - "people": MessageLookupByLibrary.simpleMessage("الأشخاص"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "الأشخاص الذين يستخدمون رمزك", - ), - "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( - "حدد الأشخاص الذين ترغب في ظهورهم على شاشتك الرئيسية.", - ), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "سيتم حذف جميع العناصر في سلة المهملات نهائيًا.\n\nلا يمكن التراجع عن هذا الإجراء.", - ), - "permanentlyDelete": MessageLookupByLibrary.simpleMessage("حذف نهائي"), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "حذف نهائي من الجهاز؟", - ), - "personIsAge": m59, - "personName": MessageLookupByLibrary.simpleMessage("اسم الشخص"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("رفاق فروي"), - "photoDescriptions": MessageLookupByLibrary.simpleMessage("أوصاف الصور"), - "photoGridSize": MessageLookupByLibrary.simpleMessage("حجم شبكة الصور"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("صورة"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("الصور"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "ستتم إزالة الصور التي أضفتها من الألبوم.", - ), - "photosCount": m62, - "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( - "تحتفظ الصور بالفرق الزمني النسبي", - ), - "pickCenterPoint": MessageLookupByLibrary.simpleMessage( - "اختيار نقطة المركز", - ), - "pinAlbum": MessageLookupByLibrary.simpleMessage("تثبيت الألبوم"), - "pinLock": MessageLookupByLibrary.simpleMessage("قفل برمز PIN"), - "playOnTv": MessageLookupByLibrary.simpleMessage( - "تشغيل الألبوم على التلفزيون", - ), - "playOriginal": MessageLookupByLibrary.simpleMessage("تشغيل الأصلي"), - "playStoreFreeTrialValidTill": m63, - "playStream": MessageLookupByLibrary.simpleMessage("تشغيل البث"), - "playstoreSubscription": MessageLookupByLibrary.simpleMessage( - "اشتراك متجر Play", - ), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "يرجى التحقق من اتصال الإنترنت الخاص بك والمحاولة مرة أخرى.", - ), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "يرجى التواصل مع support@ente.io وسنكون سعداء بمساعدتك!", - ), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "يرجى الاتصال بالدعم إذا استمرت المشكلة.", - ), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( - "يرجى منح الأذونات", - ), - "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( - "يرجى تسجيل الدخول مرة أخرى", - ), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "يرجى تحديد الروابط السريعة للإزالة.", - ), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "يرجى المحاولة مرة أخرى", - ), - "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( - "يرجى التحقق من الرمز الذي أدخلته.", - ), - "pleaseWait": MessageLookupByLibrary.simpleMessage("يرجى الانتظار..."), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "يرجى الانتظار، جارٍ حذف الألبوم", - ), - "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( - "يرجى الانتظار لبعض الوقت قبل إعادة المحاولة", - ), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "يرجى الانتظار، قد يستغرق هذا بعض الوقت.", - ), - "posingWithThem": m66, - "preparingLogs": MessageLookupByLibrary.simpleMessage( - "جارٍ تحضير السجلات...", - ), - "preserveMore": MessageLookupByLibrary.simpleMessage("حفظ المزيد"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "اضغط مطولاً لتشغيل الفيديو", - ), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "اضغط مطولاً على الصورة لتشغيل الفيديو", - ), - "previous": MessageLookupByLibrary.simpleMessage("السابق"), - "privacy": MessageLookupByLibrary.simpleMessage("الخصوصية"), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( - "سياسة الخصوصية", - ), - "privateBackups": MessageLookupByLibrary.simpleMessage("نسخ احتياطية خاصة"), - "privateSharing": MessageLookupByLibrary.simpleMessage("مشاركة خاصة"), - "proceed": MessageLookupByLibrary.simpleMessage("متابعة"), - "processed": MessageLookupByLibrary.simpleMessage("تمت المعالجة"), - "processing": MessageLookupByLibrary.simpleMessage("المعالجة"), - "processingImport": m67, - "processingVideos": MessageLookupByLibrary.simpleMessage( - "معالجة مقاطع الفيديو", - ), - "publicLinkCreated": MessageLookupByLibrary.simpleMessage( - "تم إنشاء الرابط العام.", - ), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( - "تمكين الرابط العام", - ), - "questionmark": MessageLookupByLibrary.simpleMessage("؟"), - "queued": MessageLookupByLibrary.simpleMessage("في قائمة الانتظار"), - "quickLinks": MessageLookupByLibrary.simpleMessage("روابط سريعة"), - "radius": MessageLookupByLibrary.simpleMessage("نصف القطر"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("فتح تذكرة دعم"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("تقييم التطبيق"), - "rateUs": MessageLookupByLibrary.simpleMessage("تقييم التطبيق"), - "rateUsOnStore": m68, - "reassignMe": MessageLookupByLibrary.simpleMessage("إعادة تعيين \"أنا\""), - "reassignedToName": m69, - "reassigningLoading": MessageLookupByLibrary.simpleMessage( - "جارٍ إعادة التعيين...", - ), - "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( - "استلم تذكيرات عندما يحين عيد ميلاد أحدهم. النقر على الإشعار سينقلك إلى صور الشخص المحتفل بعيد ميلاده.", - ), - "recover": MessageLookupByLibrary.simpleMessage("استعادة"), - "recoverAccount": MessageLookupByLibrary.simpleMessage("استعادة الحساب"), - "recoverButton": MessageLookupByLibrary.simpleMessage("استرداد"), - "recoveryAccount": MessageLookupByLibrary.simpleMessage("استرداد الحساب"), - "recoveryInitiated": MessageLookupByLibrary.simpleMessage("بدء الاسترداد"), - "recoveryInitiatedDesc": m70, - "recoveryKey": MessageLookupByLibrary.simpleMessage("مفتاح الاسترداد"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "تم نسخ مفتاح الاسترداد إلى الحافظة", - ), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "إذا نسيت كلمة المرور الخاصة بك، فإن الطريقة الوحيدة لاستعادة بياناتك هي باستخدام هذا المفتاح.", - ), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "لا نحتفظ بنسخة من هذا المفتاح. يرجى حفظ المفتاح المكون من 24 كلمة في مكان آمن.", - ), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "مفتاح الاسترداد الخاص بك صالح. شكرًا على التحقق.\n\nيرجى تذكر الاحتفاظ بنسخة احتياطية آمنة من مفتاح الاسترداد.", - ), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "تم التحقق من مفتاح الاسترداد", - ), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "مفتاح الاسترداد هو الطريقة الوحيدة لاستعادة صورك إذا نسيت كلمة المرور. يمكنك العثور عليه في الإعدادات > الحساب.\n\nالرجاء إدخال مفتاح الاسترداد هنا للتحقق من أنك حفظته بشكل صحيح.", - ), - "recoveryReady": m71, - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "تم الاسترداد بنجاح!", - ), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "جهة اتصال موثوقة تحاول الوصول إلى حسابك", - ), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "لا يمكن التحقق من كلمة المرور على جهازك الحالي، لكن يمكننا تعديلها لتعمل على جميع الأجهزة.\n\nسجّل الدخول باستخدام مفتاح الاسترداد، ثم أنشئ كلمة مرور جديدة (يمكنك اختيار نفس الكلمة السابقة إذا أردت).", - ), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "إعادة إنشاء كلمة المرور", - ), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": MessageLookupByLibrary.simpleMessage( - "إعادة إدخال كلمة المرور", - ), - "reenterPin": MessageLookupByLibrary.simpleMessage("إعادة إدخال رمز PIN"), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "أحِل الأصدقاء وضاعف خطتك مرتين", - ), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. أعطِ هذا الرمز لأصدقائك", - ), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. يشتركون في خطة مدفوعة", - ), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("الإحالات"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "الإحالات متوقفة مؤقتًا", - ), - "rejectRecovery": MessageLookupByLibrary.simpleMessage("رفض الاسترداد"), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "تذكر أيضًا إفراغ \"المحذوفة مؤخرًا\" من \"الإعدادات\" -> \"التخزين\" لاستعادة المساحة المحررة", - ), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "تذكر أيضًا إفراغ \"سلة المهملات\" لاستعادة المساحة المحررة.", - ), - "remoteImages": MessageLookupByLibrary.simpleMessage("الصور عن بعد"), - "remoteThumbnails": MessageLookupByLibrary.simpleMessage( - "الصور المصغرة عن بعد", - ), - "remoteVideos": MessageLookupByLibrary.simpleMessage( - "مقاطع الفيديو عن بعد", - ), - "remove": MessageLookupByLibrary.simpleMessage("إزالة"), - "removeDuplicates": MessageLookupByLibrary.simpleMessage( - "إزالة النسخ المكررة", - ), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "مراجعة وإزالة الملفات المتطابقة تمامًا.", - ), - "removeFromAlbum": MessageLookupByLibrary.simpleMessage("إزالة من الألبوم"), - "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( - "إزالة من الألبوم؟", - ), - "removeFromFavorite": MessageLookupByLibrary.simpleMessage( - "إزالة من المفضلة", - ), - "removeInvite": MessageLookupByLibrary.simpleMessage("إزالة الدعوة"), - "removeLink": MessageLookupByLibrary.simpleMessage("إزالة الرابط"), - "removeParticipant": MessageLookupByLibrary.simpleMessage("إزالة المشارك"), - "removeParticipantBody": m74, - "removePersonLabel": MessageLookupByLibrary.simpleMessage( - "إزالة تسمية الشخص", - ), - "removePublicLink": MessageLookupByLibrary.simpleMessage( - "إزالة الرابط العام", - ), - "removePublicLinks": MessageLookupByLibrary.simpleMessage( - "إزالة الروابط العامة", - ), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "بعض العناصر التي تزيلها تمت إضافتها بواسطة أشخاص آخرين، وستفقد الوصول إليها.", - ), - "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("إزالة؟"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "إزالة نفسك كجهة اتصال موثوقة", - ), - "removingFromFavorites": MessageLookupByLibrary.simpleMessage( - "جارٍ الإزالة من المفضلة...", - ), - "rename": MessageLookupByLibrary.simpleMessage("إعادة تسمية"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("إعادة تسمية الألبوم"), - "renameFile": MessageLookupByLibrary.simpleMessage("إعادة تسمية الملف"), - "renewSubscription": MessageLookupByLibrary.simpleMessage("تجديد الاشتراك"), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("الإبلاغ عن خطأ"), - "reportBug": MessageLookupByLibrary.simpleMessage("الإبلاغ عن خطأ"), - "resendEmail": MessageLookupByLibrary.simpleMessage( - "إعادة إرسال البريد الإلكتروني", - ), - "reset": MessageLookupByLibrary.simpleMessage("إعادة تعيين"), - "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( - "إعادة تعيين الملفات المتجاهلة", - ), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( - "إعادة تعيين كلمة المرور", - ), - "resetPerson": MessageLookupByLibrary.simpleMessage("إزالة"), - "resetToDefault": MessageLookupByLibrary.simpleMessage( - "إعادة التعيين إلى الافتراضي", - ), - "restore": MessageLookupByLibrary.simpleMessage("استعادة"), - "restoreToAlbum": MessageLookupByLibrary.simpleMessage( - "استعادة إلى الألبوم", - ), - "restoringFiles": MessageLookupByLibrary.simpleMessage( - "جارٍ استعادة الملفات...", - ), - "resumableUploads": MessageLookupByLibrary.simpleMessage( - "تحميلات قابلة للاستئناف", - ), - "retry": MessageLookupByLibrary.simpleMessage("إعادة المحاولة"), - "review": MessageLookupByLibrary.simpleMessage("مراجعة"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "يرجى مراجعة وحذف العناصر التي تعتقد أنها مكررة.", - ), - "reviewSuggestions": MessageLookupByLibrary.simpleMessage( - "مراجعة الاقتراحات", - ), - "right": MessageLookupByLibrary.simpleMessage("يمين"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("تدوير"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("تدوير لليسار"), - "rotateRight": MessageLookupByLibrary.simpleMessage("تدوير لليمين"), - "safelyStored": MessageLookupByLibrary.simpleMessage("مخزنة بأمان"), - "save": MessageLookupByLibrary.simpleMessage("حفظ"), - "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage("حفظ كشخص آخر"), - "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( - "حفظ التغييرات قبل المغادرة؟", - ), - "saveCollage": MessageLookupByLibrary.simpleMessage("حفظ الكولاج"), - "saveCopy": MessageLookupByLibrary.simpleMessage("حفظ نسخة"), - "saveKey": MessageLookupByLibrary.simpleMessage("حفظ المفتاح"), - "savePerson": MessageLookupByLibrary.simpleMessage("حفظ الشخص"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "احفظ مفتاح الاسترداد إذا لم تكن قد فعلت ذلك", - ), - "saving": MessageLookupByLibrary.simpleMessage("جارٍ الحفظ..."), - "savingEdits": MessageLookupByLibrary.simpleMessage( - "جارٍ حفظ التعديلات...", - ), - "scanCode": MessageLookupByLibrary.simpleMessage("مسح الرمز"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "امسح هذا الباركود باستخدام\nتطبيق المصادقة الخاص بك", - ), - "search": MessageLookupByLibrary.simpleMessage("بحث"), - "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage( - "الألبومات", - ), - "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage( - "اسم الألبوم", - ), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• أسماء الألبومات (مثل \"الكاميرا\")\n• أنواع الملفات (مثل \"مقاطع الفيديو\"، \".gif\")\n• السنوات والأشهر (مثل \"2022\"، \"يناير\")\n• العطلات (مثل \"عيد الميلاد\")\n• أوصاف الصور (مثل \"#مرح\")", - ), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "أضف أوصافًا مثل \"#رحلة\" في معلومات الصورة للعثور عليها بسرعة هنا.", - ), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "ابحث حسب تاريخ أو شهر أو سنة.", - ), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "سيتم عرض الصور هنا بمجرد اكتمال المعالجة والمزامنة.", - ), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "سيتم عرض الأشخاص هنا بمجرد الانتهاء من الفهرسة.", - ), - "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( - "أنواع وأسماء الملفات", - ), - "searchHint1": MessageLookupByLibrary.simpleMessage("بحث سريع على الجهاز"), - "searchHint2": MessageLookupByLibrary.simpleMessage( - "تواريخ الصور، الأوصاف", - ), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "الألبومات، أسماء الملفات، والأنواع", - ), - "searchHint4": MessageLookupByLibrary.simpleMessage("الموقع"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "قريبًا: الوجوه والبحث السحري ✨", - ), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "تجميع الصور الملتقطة ضمن نصف قطر معين لصورة ما.", - ), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "ادعُ الأشخاص، وسترى جميع الصور التي شاركوها هنا.", - ), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "سيتم عرض الأشخاص هنا بمجرد اكتمال المعالجة والمزامنة.", - ), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("الأمان"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "رؤية روابط الألبومات العامة في التطبيق", - ), - "selectALocation": MessageLookupByLibrary.simpleMessage("تحديد موقع"), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage( - "حدد موقعًا أولاً", - ), - "selectAlbum": MessageLookupByLibrary.simpleMessage("تحديد ألبوم"), - "selectAll": MessageLookupByLibrary.simpleMessage("تحديد الكل"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("الكل"), - "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( - "تحديد صورة الغلاف", - ), - "selectDate": MessageLookupByLibrary.simpleMessage("تحديد التاريخ"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "تحديد المجلدات للنسخ الاحتياطي", - ), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "تحديد العناصر للإضافة", - ), - "selectLanguage": MessageLookupByLibrary.simpleMessage("اختر اللغة"), - "selectMailApp": MessageLookupByLibrary.simpleMessage("تحديد تطبيق البريد"), - "selectMorePhotos": MessageLookupByLibrary.simpleMessage( - "تحديد المزيد من الصور", - ), - "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( - "تحديد تاريخ ووقت واحد", - ), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "تحديد تاريخ ووقت واحد للجميع", - ), - "selectPersonToLink": MessageLookupByLibrary.simpleMessage( - "تحديد الشخص للربط", - ), - "selectReason": MessageLookupByLibrary.simpleMessage("اختر سببًا"), - "selectStartOfRange": MessageLookupByLibrary.simpleMessage( - "تحديد بداية النطاق", - ), - "selectTime": MessageLookupByLibrary.simpleMessage("تحديد الوقت"), - "selectYourFace": MessageLookupByLibrary.simpleMessage("حدد وجهك"), - "selectYourPlan": MessageLookupByLibrary.simpleMessage("اختر خطتك"), - "selectedAlbums": m79, - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "الملفات المحددة ليست موجودة على Ente.", - ), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "سيتم تشفير المجلدات المحددة ونسخها احتياطيًا", - ), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "سيتم حذف العناصر المحددة من جميع الألبومات ونقلها إلى سلة المهملات.", - ), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "سيتم إزالة العناصر المحددة من هذا الشخص، ولكن لن يتم حذفها من مكتبتك.", - ), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("إرسال"), - "sendEmail": MessageLookupByLibrary.simpleMessage("إرسال بريد إلكتروني"), - "sendInvite": MessageLookupByLibrary.simpleMessage("إرسال دعوة"), - "sendLink": MessageLookupByLibrary.simpleMessage("إرسال الرابط"), - "serverEndpoint": MessageLookupByLibrary.simpleMessage("نقطة نهاية الخادم"), - "sessionExpired": MessageLookupByLibrary.simpleMessage( - "انتهت صلاحية الجلسة", - ), - "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( - "عدم تطابق معرّف الجلسة", - ), - "setAPassword": MessageLookupByLibrary.simpleMessage("تعيين كلمة مرور"), - "setAs": MessageLookupByLibrary.simpleMessage("تعيين كـ"), - "setCover": MessageLookupByLibrary.simpleMessage("تعيين كغلاف"), - "setLabel": MessageLookupByLibrary.simpleMessage("تعيين"), - "setNewPassword": MessageLookupByLibrary.simpleMessage( - "تعيين كلمة مرور جديدة", - ), - "setNewPin": MessageLookupByLibrary.simpleMessage("تعيين رمز PIN جديد"), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage( - "تعيين كلمة المرور", - ), - "setRadius": MessageLookupByLibrary.simpleMessage("تعيين نصف القطر"), - "setupComplete": MessageLookupByLibrary.simpleMessage("اكتمل الإعداد"), - "share": MessageLookupByLibrary.simpleMessage("مشاركة"), - "shareALink": MessageLookupByLibrary.simpleMessage("مشاركة رابط"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "افتح ألبومًا وانقر على زر المشاركة في الزاوية اليمنى العليا للمشاركة.", - ), - "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( - "شارك ألبومًا الآن", - ), - "shareLink": MessageLookupByLibrary.simpleMessage("مشاركة الرابط"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "شارك فقط مع الأشخاص الذين تريدهم.", - ), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "قم بتنزيل تطبيق Ente حتى نتمكن من مشاركة الصور ومقاطع الفيديو بالجودة الأصلية بسهولة.\n\nhttps://ente.io", - ), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "المشاركة مع غير مستخدمي Ente", - ), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( - "شارك ألبومك الأول", - ), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "أنشئ ألبومات مشتركة وتعاونية مع مستخدمي Ente الآخرين، بما في ذلك المستخدمين ذوي الاشتراكات المجانية.", - ), - "sharedByMe": MessageLookupByLibrary.simpleMessage("تمت مشاركتها بواسطتي"), - "sharedByYou": MessageLookupByLibrary.simpleMessage("تمت مشاركتها بواسطتك"), - "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( - "إشعارات الصور المشتركة الجديدة", - ), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "تلقّ إشعارات عندما يضيف شخص ما صورة إلى ألبوم مشترك أنت جزء منه.", - ), - "sharedWith": m87, - "sharedWithMe": MessageLookupByLibrary.simpleMessage("تمت مشاركتها معي"), - "sharedWithYou": MessageLookupByLibrary.simpleMessage("تمت مشاركتها معك"), - "sharing": MessageLookupByLibrary.simpleMessage("جارٍ المشاركة..."), - "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( - "تغيير التواريخ والوقت", - ), - "showLessFaces": MessageLookupByLibrary.simpleMessage("إظهار وجوه أقل"), - "showMemories": MessageLookupByLibrary.simpleMessage("عرض الذكريات"), - "showMoreFaces": MessageLookupByLibrary.simpleMessage( - "إظهار المزيد من الوجوه", - ), - "showPerson": MessageLookupByLibrary.simpleMessage("إظهار الشخص"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "تسجيل الخروج من الأجهزة الأخرى", - ), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "إذا كنت تعتقد أن شخصًا ما قد يعرف كلمة مرورك، يمكنك إجبار جميع الأجهزة الأخرى التي تستخدم حسابك على تسجيل الخروج.", - ), - "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( - "تسجيل الخروج من الأجهزة الأخرى", - ), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "أوافق على شروط الخدمة وسياسة الخصوصية", - ), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "سيتم حذفه من جميع الألبومات.", - ), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("تخط"), - "social": MessageLookupByLibrary.simpleMessage("التواصل الاجتماعي"), - "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( - "بعض العناصر موجودة في Ente وعلى جهازك.", - ), - "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( - "بعض الملفات التي تحاول حذفها متوفرة فقط على جهازك ولا يمكن استردادها إذا تم حذفها.", - ), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "يجب أن يرى أي شخص يشارك ألبومات معك نفس معرّف التحقق على جهازه.", - ), - "somethingWentWrong": MessageLookupByLibrary.simpleMessage("حدث خطأ ما"), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "حدث خطأ ما، يرجى المحاولة مرة أخرى", - ), - "sorry": MessageLookupByLibrary.simpleMessage("عفوًا"), - "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( - "عذرًا، لم نتمكن من عمل نسخة احتياطية لهذا الملف الآن، سنعيد المحاولة لاحقًا.", - ), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "عذرًا، تعذرت الإضافة إلى المفضلة!", - ), - "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( - "عذرًا، تعذرت الإزالة من المفضلة!", - ), - "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "عذرًا، الرمز الذي أدخلته غير صحيح.", - ), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "عذرًا، لم نتمكن من إنشاء مفاتيح آمنة على هذا الجهاز.\n\nيرجى التسجيل من جهاز مختلف.", - ), - "sort": MessageLookupByLibrary.simpleMessage("فرز"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("فرز حسب"), - "sortNewestFirst": MessageLookupByLibrary.simpleMessage("الأحدث أولاً"), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage("الأقدم أولاً"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ نجاح"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": MessageLookupByLibrary.simpleMessage( - "تسليط الضوء عليك", - ), - "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( - "بدء الاسترداد", - ), - "startBackup": MessageLookupByLibrary.simpleMessage("بدء النسخ الاحتياطي"), - "status": MessageLookupByLibrary.simpleMessage("الحالة"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "هل تريد إيقاف البث؟", - ), - "stopCastingTitle": MessageLookupByLibrary.simpleMessage("إيقاف البث"), - "storage": MessageLookupByLibrary.simpleMessage("التخزين"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("العائلة"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("أنت"), - "storageInGB": m93, - "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( - "تم تجاوز حد التخزين", - ), - "storageUsageInfo": m94, - "streamDetails": MessageLookupByLibrary.simpleMessage("تفاصيل البث"), - "strongStrength": MessageLookupByLibrary.simpleMessage("قوية"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("اشتراك"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "المشاركة متاحة فقط للاشتراكات المدفوعة النشطة.", - ), - "subscription": MessageLookupByLibrary.simpleMessage("الاشتراك"), - "success": MessageLookupByLibrary.simpleMessage("تم بنجاح"), - "successfullyArchived": MessageLookupByLibrary.simpleMessage( - "تمت الأرشفة بنجاح.", - ), - "successfullyHid": MessageLookupByLibrary.simpleMessage( - "تم الإخفاء بنجاح.", - ), - "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( - "تم إلغاء الأرشفة بنجاح.", - ), - "successfullyUnhid": MessageLookupByLibrary.simpleMessage( - "تم الإظهار بنجاح.", - ), - "suggestFeatures": MessageLookupByLibrary.simpleMessage("اقتراح ميزة"), - "sunrise": MessageLookupByLibrary.simpleMessage("على الأفق"), - "support": MessageLookupByLibrary.simpleMessage("الدعم"), - "syncProgress": m97, - "syncStopped": MessageLookupByLibrary.simpleMessage("توقفت المزامنة"), - "syncing": MessageLookupByLibrary.simpleMessage("جارٍ المزامنة..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("النظام"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("انقر للنسخ"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage("انقر لإدخال الرمز"), - "tapToUnlock": MessageLookupByLibrary.simpleMessage("انقر لفتح القفل"), - "tapToUpload": MessageLookupByLibrary.simpleMessage("انقر للتحميل"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "يبدو أن خطأً ما قد حدث. يرجى المحاولة مرة أخرى بعد بعض الوقت. إذا استمر الخطأ، يرجى الاتصال بفريق الدعم لدينا.", - ), - "terminate": MessageLookupByLibrary.simpleMessage("إنهاء"), - "terminateSession": MessageLookupByLibrary.simpleMessage("إنهاء الجَلسةِ؟"), - "terms": MessageLookupByLibrary.simpleMessage("الشروط"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("شروط الخدمة"), - "thankYou": MessageLookupByLibrary.simpleMessage("شكرًا لك"), - "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( - "شكرًا لاشتراكك!", - ), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "تعذر إكمال التنزيل", - ), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "انتهت صلاحية الرابط الذي تحاول الوصول إليه.", - ), - "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "لن تظهر مجموعات الأشخاص في قسم الأشخاص بعد الآن. ستظل الصور دون تغيير.", - ), - "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "لن يتم عرض هذا الشخص في قسم الأشخاص بعد الآن. الصور ستبقى كما هي دون تغيير.", - ), - "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "مفتاح الاسترداد الذي أدخلته غير صحيح.", - ), - "theme": MessageLookupByLibrary.simpleMessage("المظهر"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage("سيتم حذف هذه العناصر من جهازك."), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "سيتم حذفها من جميع الألبومات.", - ), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "لا يمكن التراجع عن هذا الإجراء.", - ), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "هذا الألبوم لديه رابط تعاوني بالفعل.", - ), - "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( - "يمكن استخدام هذا المفتاح لاستعادة حسابك إذا فقدت العامل الثاني للمصادقة", - ), - "thisDevice": MessageLookupByLibrary.simpleMessage("هذا الجهاز"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "هذا البريد الإلكتروني مستخدم بالفعل.", - ), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "لا تحتوي هذه الصورة على بيانات EXIF.", - ), - "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("هذا أنا!"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "هذا هو معرّف التحقق الخاص بك", - ), - "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( - "هذا الأسبوع عبر السنين", - ), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "سيؤدي هذا إلى تسجيل خروجك من الجهاز التالي:", - ), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "سيؤدي هذا إلى تسجيل خروجك من هذا الجهاز!", - ), - "thisWillMakeTheDateAndTimeOfAllSelected": - MessageLookupByLibrary.simpleMessage( - "سيجعل هذا تاريخ ووقت جميع الصور المحددة متماثلاً.", - ), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "سيؤدي هذا إلى إزالة الروابط العامة لجميع الروابط السريعة المحددة.", - ), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "لتمكين قفل التطبيق، يرجى إعداد رمز مرور الجهاز أو قفل الشاشة في إعدادات النظام.", - ), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( - "لإخفاء صورة أو مقطع فيديو:", - ), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "لإعادة تعيين كلمة المرور، يرجى التحقق من بريدك الإلكتروني أولاً.", - ), - "todaysLogs": MessageLookupByLibrary.simpleMessage("سجلات اليوم"), - "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( - "محاولات غير صحيحة كثيرة جدًا.", - ), - "total": MessageLookupByLibrary.simpleMessage("المجموع"), - "totalSize": MessageLookupByLibrary.simpleMessage("الحجم الإجمالي"), - "trash": MessageLookupByLibrary.simpleMessage("سلة المهملات"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("قص"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": MessageLookupByLibrary.simpleMessage( - "جهات الاتصال الموثوقة", - ), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("المحاولة مرة أخرى"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "قم بتشغيل النسخ الاحتياطي لتحميل الملفات المضافة إلى مجلد الجهاز هذا تلقائيًا إلى Ente.", - ), - "twitter": MessageLookupByLibrary.simpleMessage("X (Twitter سابقًا)"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "شهرين مجانيين على الخطط السنوية.", - ), - "twofactor": MessageLookupByLibrary.simpleMessage("المصادقة الثنائية"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage("تم تعطيل المصادقة الثنائية."), - "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( - "المصادقة الثنائية", - ), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "تمت إعادة تعيين المصادقة الثنائية بنجاح.", - ), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "إعداد المصادقة الثنائية", - ), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("إلغاء الأرشفة"), - "unarchiveAlbum": MessageLookupByLibrary.simpleMessage( - "إلغاء أرشفة الألبوم", - ), - "unarchiving": MessageLookupByLibrary.simpleMessage( - "جارٍ إلغاء الأرشفة...", - ), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "عذرًا، هذا الرمز غير متوفر.", - ), - "uncategorized": MessageLookupByLibrary.simpleMessage("غير مصنف"), - "unhide": MessageLookupByLibrary.simpleMessage("إظهار"), - "unhideToAlbum": MessageLookupByLibrary.simpleMessage("إظهار في الألبوم"), - "unhiding": MessageLookupByLibrary.simpleMessage("جارٍ إظهار..."), - "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "جارٍ إظهار الملفات في الألبوم...", - ), - "unlock": MessageLookupByLibrary.simpleMessage("فتح"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("إلغاء تثبيت الألبوم"), - "unselectAll": MessageLookupByLibrary.simpleMessage("إلغاء تحديد الكل"), - "update": MessageLookupByLibrary.simpleMessage("تحديث"), - "updateAvailable": MessageLookupByLibrary.simpleMessage("يتوفر تحديث"), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "جارٍ تحديث تحديد المجلد...", - ), - "upgrade": MessageLookupByLibrary.simpleMessage("ترقية"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "جارٍ تحميل الملفات إلى الألبوم...", - ), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( - "جارٍ حفظ ذكرى واحدة...", - ), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "خصم يصل إلى 50%، حتى 4 ديسمبر.", - ), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "مساحة التخزين القابلة للاستخدام مقيدة بخطتك الحالية.\nالمساحة التخزينية الزائدة التي تمت المطالبة بها ستصبح قابلة للاستخدام تلقائيًا عند ترقية خطتك.", - ), - "useAsCover": MessageLookupByLibrary.simpleMessage("استخدام كغلاف"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "هل تواجه مشكلة في تشغيل هذا الفيديو؟ اضغط مطولاً هنا لتجربة مشغل مختلف.", - ), - "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( - "استخدم الروابط العامة للأشخاص غير المسجلين في Ente.", - ), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "استخدام مفتاح الاسترداد", - ), - "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( - "استخدام الصورة المحددة", - ), - "usedSpace": MessageLookupByLibrary.simpleMessage("المساحة المستخدمة"), - "validTill": m110, - "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "فشل التحقق، يرجى المحاولة مرة أخرى.", - ), - "verificationId": MessageLookupByLibrary.simpleMessage("معرّف التحقق"), - "verify": MessageLookupByLibrary.simpleMessage("التحقق"), - "verifyEmail": MessageLookupByLibrary.simpleMessage( - "التحقق من البريد الإلكتروني", - ), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("تحقق"), - "verifyPasskey": MessageLookupByLibrary.simpleMessage( - "التحقق من مفتاح المرور", - ), - "verifyPassword": MessageLookupByLibrary.simpleMessage( - "التحقق من كلمة المرور", - ), - "verifying": MessageLookupByLibrary.simpleMessage("جارٍ التحقق..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "جارٍ التحقق من مفتاح الاسترداد...", - ), - "videoInfo": MessageLookupByLibrary.simpleMessage("معلومات الفيديو"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("فيديو"), - "videoStreaming": MessageLookupByLibrary.simpleMessage( - "مقاطع فيديو قابلة للبث", - ), - "videos": MessageLookupByLibrary.simpleMessage("مقاطع الفيديو"), - "viewActiveSessions": MessageLookupByLibrary.simpleMessage( - "عرض الجلسات النشطة", - ), - "viewAddOnButton": MessageLookupByLibrary.simpleMessage("عرض الإضافات"), - "viewAll": MessageLookupByLibrary.simpleMessage("عرض الكل"), - "viewAllExifData": MessageLookupByLibrary.simpleMessage( - "عرض جميع بيانات EXIF", - ), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("الملفات الكبيرة"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "عرض الملفات التي تستهلك أكبر قدر من مساحة التخزين.", - ), - "viewLogs": MessageLookupByLibrary.simpleMessage("عرض السجلات"), - "viewPersonToUnlink": m112, - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( - "عرض مفتاح الاسترداد", - ), - "viewer": MessageLookupByLibrary.simpleMessage("مشاهد"), - "viewersSuccessfullyAdded": m113, - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "يرجى زيارة web.ente.io لإدارة اشتراكك.", - ), - "waitingForVerification": MessageLookupByLibrary.simpleMessage( - "في انتظار التحقق...", - ), - "waitingForWifi": MessageLookupByLibrary.simpleMessage( - "في انتظار شبكة Wi-Fi...", - ), - "warning": MessageLookupByLibrary.simpleMessage("تحذير"), - "weAreOpenSource": MessageLookupByLibrary.simpleMessage( - "نحن مفتوحو المصدر!", - ), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "لا ندعم تعديل الصور والألبومات التي لا تملكها بعد.", - ), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("ضعيفة"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("أهلاً بعودتك!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("ما الجديد"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "يمكن لجهة الاتصال الموثوقة المساعدة في استعادة بياناتك.", - ), - "widgets": MessageLookupByLibrary.simpleMessage("عناصر واجهة"), - "wishThemAHappyBirthday": m115, - "yearShort": MessageLookupByLibrary.simpleMessage("سنة"), - "yearly": MessageLookupByLibrary.simpleMessage("سنويًا"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("نعم"), - "yesCancel": MessageLookupByLibrary.simpleMessage("نعم، إلغاء"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "نعم، التحويل إلى مشاهد", - ), - "yesDelete": MessageLookupByLibrary.simpleMessage("نعم، حذف"), - "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( - "نعم، تجاهل التغييرات", - ), - "yesIgnore": MessageLookupByLibrary.simpleMessage("نعم، تجاهل"), - "yesLogout": MessageLookupByLibrary.simpleMessage("نعم، تسجيل الخروج"), - "yesRemove": MessageLookupByLibrary.simpleMessage("نعم، إزالة"), - "yesRenew": MessageLookupByLibrary.simpleMessage("نعم، تجديد"), - "yesResetPerson": MessageLookupByLibrary.simpleMessage( - "نعم، إعادة تعيين الشخص", - ), - "you": MessageLookupByLibrary.simpleMessage("أنت"), - "youAndThem": m117, - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( - "أنت مشترك في خطة عائلية!", - ), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "أنت تستخدم أحدث إصدار.", - ), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* يمكنك مضاعفة مساحة التخزين الخاصة بك بحد أقصى", - ), - "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( - "يمكنك إدارة روابطك في علامة تبويب المشاركة.", - ), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "يمكنك محاولة البحث عن استعلام مختلف.", - ), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "لا يمكنك الترقية إلى هذه الخطة.", - ), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "لا يمكنك المشاركة مع نفسك.", - ), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "لا توجد لديك أي عناصر مؤرشفة.", - ), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "تم حذف حسابك بنجاح", - ), - "yourMap": MessageLookupByLibrary.simpleMessage("خريطتك"), - "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( - "تم تخفيض خطتك بنجاح.", - ), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "تمت ترقية خطتك بنجاح.", - ), - "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( - "تم الشراء بنجاح.", - ), - "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( - "تعذر جلب تفاصيل التخزين الخاصة بك.", - ), - "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( - "انتهت صلاحية اشتراكك", - ), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage("تم تحديث اشتراكك بنجاح."), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "انتهت صلاحية رمز التحقق الخاص بك.", - ), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage( - "لا توجد لديك أي ملفات مكررة يمكن مسحها", - ), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "لا توجد لديك ملفات في هذا الألبوم يمكن حذفها.", - ), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( - "قم بالتصغير لرؤية الصور", - ), - }; + "aNewVersionOfEnteIsAvailable": + MessageLookupByLibrary.simpleMessage("يتوفر إصدار جديد من Ente."), + "about": MessageLookupByLibrary.simpleMessage("حول التطبيق"), + "acceptTrustInvite": + MessageLookupByLibrary.simpleMessage("قبول الدعوة"), + "account": MessageLookupByLibrary.simpleMessage("الحساب"), + "accountIsAlreadyConfigured": + MessageLookupByLibrary.simpleMessage("الحساب تم تكوينه بالفعل."), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("أهلاً بعودتك!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "أدرك أنني إذا فقدت كلمة المرور، فقد أفقد بياناتي لأنها مشفرة بالكامل من طرف إلى طرف."), + "actionNotSupportedOnFavouritesAlbum": + MessageLookupByLibrary.simpleMessage( + "الإجراء غير مدعوم في ألبوم المفضلة"), + "activeSessions": + MessageLookupByLibrary.simpleMessage("الجلسات النشطة"), + "add": MessageLookupByLibrary.simpleMessage("إضافة"), + "addAName": MessageLookupByLibrary.simpleMessage("إضافة اسم"), + "addANewEmail": + MessageLookupByLibrary.simpleMessage("إضافة بريد إلكتروني جديد"), + "addCollaborator": MessageLookupByLibrary.simpleMessage("إضافة متعاون"), + "addCollaborators": m1, + "addFiles": MessageLookupByLibrary.simpleMessage("إضافة ملفات"), + "addFromDevice": + MessageLookupByLibrary.simpleMessage("إضافة من الجهاز"), + "addItem": m2, + "addLocation": MessageLookupByLibrary.simpleMessage("إضافة موقع"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("إضافة"), + "addMore": MessageLookupByLibrary.simpleMessage("إضافة المزيد"), + "addName": MessageLookupByLibrary.simpleMessage("إضافة اسم"), + "addNameOrMerge": + MessageLookupByLibrary.simpleMessage("إضافة اسم أو دمج"), + "addNew": MessageLookupByLibrary.simpleMessage("إضافة جديد"), + "addNewPerson": MessageLookupByLibrary.simpleMessage("إضافة شخص جديد"), + "addOnPageSubtitle": + MessageLookupByLibrary.simpleMessage("تفاصيل الإضافات"), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("الإضافات"), + "addParticipants": + MessageLookupByLibrary.simpleMessage("إضافة مشاركين"), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "أضف عنصر واجهة الأشخاص إلى شاشتك الرئيسية ثم عد إلى هنا لتخصيصه."), + "addPhotos": MessageLookupByLibrary.simpleMessage("إضافة صور"), + "addSelected": MessageLookupByLibrary.simpleMessage("إضافة المحدد"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("إضافة إلى الألبوم"), + "addToEnte": MessageLookupByLibrary.simpleMessage("إضافة إلى Ente"), + "addToHiddenAlbum": + MessageLookupByLibrary.simpleMessage("إضافة إلى الألبوم المخفي"), + "addTrustedContact": + MessageLookupByLibrary.simpleMessage("إضافة جهة اتصال موثوقة"), + "addViewer": MessageLookupByLibrary.simpleMessage("إضافة مشاهد"), + "addViewers": m4, + "addYourPhotosNow": + MessageLookupByLibrary.simpleMessage("أضف صورك الآن"), + "addedAs": MessageLookupByLibrary.simpleMessage("تمت الإضافة كـ"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": + MessageLookupByLibrary.simpleMessage("جارٍ الإضافة إلى المفضلة..."), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("متقدم"), + "advancedSettings": + MessageLookupByLibrary.simpleMessage("الإعدادات المتقدمة"), + "after1Day": MessageLookupByLibrary.simpleMessage("بعد يوم"), + "after1Hour": MessageLookupByLibrary.simpleMessage("بعد ساعة"), + "after1Month": MessageLookupByLibrary.simpleMessage("بعد شهر"), + "after1Week": MessageLookupByLibrary.simpleMessage("بعد أسبوع"), + "after1Year": MessageLookupByLibrary.simpleMessage("بعد سنة"), + "albumOwner": MessageLookupByLibrary.simpleMessage("المالك"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("عنوان الألبوم"), + "albumUpdated": + MessageLookupByLibrary.simpleMessage("تم تحديث الألبوم"), + "albums": MessageLookupByLibrary.simpleMessage("الألبومات"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "حدد الألبومات التي تريد ظهورها على شاشتك الرئيسية."), + "allClear": MessageLookupByLibrary.simpleMessage("✨ كل شيء واضح"), + "allMemoriesPreserved": + MessageLookupByLibrary.simpleMessage("تم حفظ جميع الذكريات"), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "سيتم إعادة تعيين جميع تجمعات هذا الشخص، وستفقد جميع الاقتراحات المقدمة لهذا الشخص."), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "سيتم دمج جميع المجموعات غير المسماة مع الشخص المحدد. يمكن التراجع عن هذا الإجراء لاحقًا من خلال نظرة عامة على سجل الاقتراحات التابع لهذا الشخص."), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "هذه هي الأولى في المجموعة. سيتم تغيير تواريخ الصور المحددة الأخرى تلقائيًا بناءً على هذا التاريخ الجديد."), + "allow": MessageLookupByLibrary.simpleMessage("السماح"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "السماح للأشخاص الذين لديهم الرابط بإضافة صور إلى الألبوم المشترك أيضًا."), + "allowAddingPhotos": + MessageLookupByLibrary.simpleMessage("السماح بإضافة الصور"), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "السماح للتطبيق بفتح روابط الألبومات المشتركة"), + "allowDownloads": + MessageLookupByLibrary.simpleMessage("السماح بالتنزيلات"), + "allowPeopleToAddPhotos": + MessageLookupByLibrary.simpleMessage("السماح للأشخاص بإضافة الصور"), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "يرجى السماح بالوصول إلى صورك من الإعدادات حتى يتمكن Ente من عرض نسختك الاحتياطية ومكتبتك."), + "allowPermTitle": + MessageLookupByLibrary.simpleMessage("السماح بالوصول إلى الصور"), + "androidBiometricHint": + MessageLookupByLibrary.simpleMessage("تحقق من الهوية"), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "لم يتم التعرف. حاول مرة أخرى."), + "androidBiometricRequiredTitle": + MessageLookupByLibrary.simpleMessage("المصادقة البيومترية مطلوبة"), + "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("نجاح"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("إلغاء"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage("بيانات اعتماد الجهاز مطلوبة"), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage("بيانات اعتماد الجهاز مطلوبة"), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "لم يتم إعداد المصادقة البيومترية على جهازك. انتقل إلى \'الإعدادات > الأمان\' لإضافة المصادقة البيومترية."), + "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( + "أندرويد، iOS، الويب، سطح المكتب"), + "androidSignInTitle": + MessageLookupByLibrary.simpleMessage("المصادقة مطلوبة"), + "appIcon": MessageLookupByLibrary.simpleMessage("أيقونة التطبيق"), + "appLock": MessageLookupByLibrary.simpleMessage("قفل التطبيق"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "اختر بين شاشة القفل الافتراضية لجهازك وشاشة قفل مخصصة برمز PIN أو كلمة مرور."), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("معرّف Apple"), + "apply": MessageLookupByLibrary.simpleMessage("تطبيق"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("تطبيق الرمز"), + "appstoreSubscription": + MessageLookupByLibrary.simpleMessage("اشتراك متجر App Store"), + "archive": MessageLookupByLibrary.simpleMessage("الأرشيف"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("أرشفة الألبوم"), + "archiving": MessageLookupByLibrary.simpleMessage("جارٍ الأرشفة..."), + "areThey": MessageLookupByLibrary.simpleMessage("هل هم "), + "areYouSureRemoveThisFaceFromPerson": + MessageLookupByLibrary.simpleMessage( + "هل أنت متأكد من رغبتك في إزالة هذا الوجه من هذا الشخص؟"), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "هل أنت متأكد من رغبتك في مغادرة الخطة العائلية؟"), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "هل أنت متأكد من رغبتك في الإلغاء؟"), + "areYouSureYouWantToChangeYourPlan": + MessageLookupByLibrary.simpleMessage( + "هل أنت متأكد من رغبتك في تغيير خطتك؟"), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "هل أنت متأكد من رغبتك في الخروج؟"), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "هل أنت متأكد من رغبتك في تسجيل الخروج؟"), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "هل أنت متأكد من رغبتك في دمجهم؟"), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "هل أنت متأكد من رغبتك في التجديد؟"), + "areYouSureYouWantToResetThisPerson": + MessageLookupByLibrary.simpleMessage( + "هل أنت متأكد من رغبتك في إعادة تعيين هذا الشخص؟"), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "تم إلغاء اشتراكك. هل ترغب في مشاركة السبب؟"), + "askDeleteReason": + MessageLookupByLibrary.simpleMessage("ما السبب الرئيس لحذف حسابك؟"), + "askYourLovedOnesToShare": + MessageLookupByLibrary.simpleMessage("اطلب من أحبائك المشاركة"), + "atAFalloutShelter": + MessageLookupByLibrary.simpleMessage("في ملجأ للطوارئ"), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "يرجى المصادقة لتغيير إعداد التحقق من البريد الإلكتروني"), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "يرجى المصادقة لتغيير إعدادات شاشة القفل."), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "يرجى المصادقة لتغيير بريدك الإلكتروني"), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "يرجى المصادقة لتغيير كلمة المرور الخاصة بك"), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "يرجى المصادقة لإعداد المصادقة الثنائية."), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "يرجى المصادقة لبدء عملية حذف الحساب"), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "يرجى المصادقة لإدارة جهات الاتصال الموثوقة الخاصة بك."), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "يرجى المصادقة لعرض مفتاح المرور الخاص بك."), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "يرجى المصادقة لعرض ملفاتك المحذوفة"), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "يرجى المصادقة لعرض جلساتك النشطة."), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "يرجى المصادقة للوصول إلى ملفاتك المخفية"), + "authToViewYourMemories": + MessageLookupByLibrary.simpleMessage("يرجى المصادقة لعرض ذكرياتك."), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "يرجى المصادقة لعرض مفتاح الاسترداد الخاص بك."), + "authenticating": + MessageLookupByLibrary.simpleMessage("جارٍ المصادقة..."), + "authenticationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "فشلت المصادقة، يرجى المحاولة مرة أخرى."), + "authenticationSuccessful": + MessageLookupByLibrary.simpleMessage("تمت المصادقة بنجاح!"), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "سترى أجهزة Cast المتاحة هنا."), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "تأكد من تشغيل أذونات الشبكة المحلية لتطبيق Ente Photos في الإعدادات."), + "autoLock": MessageLookupByLibrary.simpleMessage("قفل تلقائي"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "الوقت الذي يتم بعده قفل التطبيق بعد وضعه في الخلفية."), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "بسبب خلل تقني، تم تسجيل خروجك. نعتذر عن الإزعاج."), + "autoPair": MessageLookupByLibrary.simpleMessage("إقران تلقائي"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "الإقران التلقائي يعمل فقط مع الأجهزة التي تدعم Chromecast."), + "available": MessageLookupByLibrary.simpleMessage("متوفر"), + "availableStorageSpace": m10, + "backedUpFolders": + MessageLookupByLibrary.simpleMessage("المجلدات المنسوخة احتياطيًا"), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("النسخ الاحتياطي"), + "backupFailed": + MessageLookupByLibrary.simpleMessage("فشل النسخ الاحتياطي"), + "backupFile": MessageLookupByLibrary.simpleMessage("نسخ احتياطي للملف"), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "النسخ الاحتياطي عبر بيانات الجوال"), + "backupSettings": + MessageLookupByLibrary.simpleMessage("إعدادات النسخ الاحتياطي"), + "backupStatus": + MessageLookupByLibrary.simpleMessage("حالة النسخ الاحتياطي"), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "ستظهر العناصر التي تم نسخها احتياطيًا هنا"), + "backupVideos": MessageLookupByLibrary.simpleMessage( + "النسخ الاحتياطي لمقاطع الفيديو"), + "beach": MessageLookupByLibrary.simpleMessage("رمال وبحر"), + "birthday": MessageLookupByLibrary.simpleMessage("تاريخ الميلاد"), + "birthdays": MessageLookupByLibrary.simpleMessage("أعياد الميلاد"), + "blackFridaySale": + MessageLookupByLibrary.simpleMessage("تخفيضات الجمعة السوداء"), + "blog": MessageLookupByLibrary.simpleMessage("المدونة"), + "cachedData": MessageLookupByLibrary.simpleMessage("البيانات المؤقتة"), + "calculating": MessageLookupByLibrary.simpleMessage("جارٍ الحساب..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "عذرًا، لا يمكن فتح هذا الألبوم في التطبيق."), + "canNotOpenTitle": + MessageLookupByLibrary.simpleMessage("لا يمكن فتح هذا الألبوم"), + "canNotUploadToAlbumsOwnedByOthers": + MessageLookupByLibrary.simpleMessage( + "لا يمكن التحميل إلى ألبومات يملكها آخرون."), + "canOnlyCreateLinkForFilesOwnedByYou": + MessageLookupByLibrary.simpleMessage( + "يمكن إنشاء رابط للملفات التي تملكها فقط."), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "يمكنك فقط إزالة الملفات التي تملكها."), + "cancel": MessageLookupByLibrary.simpleMessage("إلغاء"), + "cancelAccountRecovery": + MessageLookupByLibrary.simpleMessage("إلغاء استرداد الحساب"), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "هل أنت متأكد من رغبتك في إلغاء الاسترداد؟"), + "cancelOtherSubscription": m12, + "cancelSubscription": + MessageLookupByLibrary.simpleMessage("إلغاء الاشتراك"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "لا يمكن حذف الملفات المشتركة"), + "castAlbum": MessageLookupByLibrary.simpleMessage("بث الألبوم"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "يرجى التأكد من أنك متصل بنفس الشبكة المتصل بها التلفزيون."), + "castIPMismatchTitle": + MessageLookupByLibrary.simpleMessage("فشل بث الألبوم"), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "قم بزيارة cast.ente.io على الجهاز الذي تريد إقرانه.\n\nأدخل الرمز أدناه لتشغيل الألبوم على تلفزيونك."), + "centerPoint": MessageLookupByLibrary.simpleMessage("نقطة المركز"), + "change": MessageLookupByLibrary.simpleMessage("تغيير"), + "changeEmail": + MessageLookupByLibrary.simpleMessage("تغيير البريد الإلكتروني"), + "changeLocationOfSelectedItems": + MessageLookupByLibrary.simpleMessage("تغيير موقع العناصر المحددة؟"), + "changePassword": + MessageLookupByLibrary.simpleMessage("تغيير كلمة المرور"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("تغيير كلمة المرور"), + "changePermissions": + MessageLookupByLibrary.simpleMessage("تغيير الإذن؟"), + "changeYourReferralCode": + MessageLookupByLibrary.simpleMessage("تغيير رمز الإحالة الخاص بك"), + "checkForUpdates": + MessageLookupByLibrary.simpleMessage("التحقق من وجود تحديثات"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "تحقق من صندوق الوارد ومجلد البريد غير الهام (Spam) لإكمال التحقق"), + "checkStatus": MessageLookupByLibrary.simpleMessage("التحقق من الحالة"), + "checking": MessageLookupByLibrary.simpleMessage("جارٍ التحقق..."), + "checkingModels": + MessageLookupByLibrary.simpleMessage("جارٍ فحص النماذج..."), + "city": MessageLookupByLibrary.simpleMessage("في المدينة"), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage( + "المطالبة بمساحة تخزين مجانية"), + "claimMore": MessageLookupByLibrary.simpleMessage("المطالبة بالمزيد!"), + "claimed": MessageLookupByLibrary.simpleMessage("تم الحصول عليها"), + "claimedStorageSoFar": m14, + "cleanUncategorized": + MessageLookupByLibrary.simpleMessage("تنظيف غير المصنف"), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "إزالة جميع الملفات من قسم \'غير مصنف\' الموجودة في ألبومات أخرى."), + "clearCaches": + MessageLookupByLibrary.simpleMessage("مسح ذاكرة التخزين المؤقت"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("مسح الفهارس"), + "click": MessageLookupByLibrary.simpleMessage("• انقر على"), + "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( + "• انقر على قائمة الخيارات الإضافية"), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "انقر لتثبيت أفضل إصدار لنا حتى الآن"), + "close": MessageLookupByLibrary.simpleMessage("إغلاق"), + "clubByCaptureTime": + MessageLookupByLibrary.simpleMessage("التجميع حسب وقت الالتقاط"), + "clubByFileName": + MessageLookupByLibrary.simpleMessage("التجميع حسب اسم الملف"), + "clusteringProgress": + MessageLookupByLibrary.simpleMessage("تقدم التجميع"), + "codeAppliedPageTitle": + MessageLookupByLibrary.simpleMessage("تم تطبيق الرمز"), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "عذرًا، لقد تجاوزت الحد المسموح به لتعديلات الرمز."), + "codeCopiedToClipboard": + MessageLookupByLibrary.simpleMessage("تم نسخ الرمز إلى الحافظة"), + "codeUsedByYou": + MessageLookupByLibrary.simpleMessage("الرمز المستخدم من قبلك"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "أنشئ رابطًا يسمح للأشخاص بإضافة الصور ومشاهدتها في ألبومك المشترك دون الحاجة إلى تطبيق أو حساب Ente. خيار مثالي لجمع صور الفعاليات بسهولة."), + "collaborativeLink": + MessageLookupByLibrary.simpleMessage("رابط تعاوني"), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("متعاون"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "يمكن للمتعاونين إضافة الصور ومقاطع الفيديو إلى الألبوم المشترك."), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("التخطيط"), + "collageSaved": + MessageLookupByLibrary.simpleMessage("تم حفظ الكولاج في المعرض."), + "collect": MessageLookupByLibrary.simpleMessage("جمع"), + "collectEventPhotos": + MessageLookupByLibrary.simpleMessage("جمع صور الفعالية"), + "collectPhotos": MessageLookupByLibrary.simpleMessage("جمع الصور"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "أنشئ رابطًا يمكن لأصدقائك من خلاله تحميل الصور بالجودة الأصلية."), + "color": MessageLookupByLibrary.simpleMessage("اللون"), + "configuration": MessageLookupByLibrary.simpleMessage("التكوين"), + "confirm": MessageLookupByLibrary.simpleMessage("تأكيد"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "هل أنت متأكد من رغبتك في تعطيل المصادقة الثنائية؟"), + "confirmAccountDeletion": + MessageLookupByLibrary.simpleMessage("تأكيد حذف الحساب"), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "نعم، أرغب في حذف هذا الحساب وبياناته نهائيًا من جميع التطبيقات."), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("تأكيد كلمة المرور"), + "confirmPlanChange": + MessageLookupByLibrary.simpleMessage("تأكيد تغيير الخطة"), + "confirmRecoveryKey": + MessageLookupByLibrary.simpleMessage("تأكيد مفتاح الاسترداد"), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "تأكيد مفتاح الاسترداد الخاص بك"), + "connectToDevice": + MessageLookupByLibrary.simpleMessage("الاتصال بالجهاز"), + "contactFamilyAdmin": m18, + "contactSupport": + MessageLookupByLibrary.simpleMessage("الاتصال بالدعم"), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("جهات الاتصال"), + "contents": MessageLookupByLibrary.simpleMessage("المحتويات"), + "continueLabel": MessageLookupByLibrary.simpleMessage("متابعة"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "الاستمرار في التجربة المجانية"), + "convertToAlbum": + MessageLookupByLibrary.simpleMessage("تحويل إلى ألبوم"), + "copyEmailAddress": + MessageLookupByLibrary.simpleMessage("نسخ عنوان البريد الإلكتروني"), + "copyLink": MessageLookupByLibrary.simpleMessage("نسخ الرابط"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "انسخ هذا الرمز وألصقه\n في تطبيق المصادقة الخاص بك"), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "لم نتمكن من نسخ بياناتك احتياطيًا.\nسنحاول مرة أخرى لاحقًا."), + "couldNotFreeUpSpace": + MessageLookupByLibrary.simpleMessage("تعذر تحرير المساحة."), + "couldNotUpdateSubscription": + MessageLookupByLibrary.simpleMessage("تعذر تحديث الاشتراك."), + "count": MessageLookupByLibrary.simpleMessage("العدد"), + "crashReporting": + MessageLookupByLibrary.simpleMessage("الإبلاغ عن الأعطال"), + "create": MessageLookupByLibrary.simpleMessage("إنشاء"), + "createAccount": MessageLookupByLibrary.simpleMessage("إنشاء حساب"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "اضغط مطولاً لتحديد الصور ثم انقر على \'+\' لإنشاء ألبوم"), + "createCollaborativeLink": + MessageLookupByLibrary.simpleMessage("إنشاء رابط تعاوني"), + "createCollage": MessageLookupByLibrary.simpleMessage("إنشاء كولاج"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("إنشاء حساب جديد"), + "createOrSelectAlbum": + MessageLookupByLibrary.simpleMessage("إنشاء أو تحديد ألبوم"), + "createPublicLink": + MessageLookupByLibrary.simpleMessage("إنشاء رابط عام"), + "creatingLink": + MessageLookupByLibrary.simpleMessage("جارٍ إنشاء الرابط..."), + "criticalUpdateAvailable": + MessageLookupByLibrary.simpleMessage("يتوفر تحديث حرج"), + "crop": MessageLookupByLibrary.simpleMessage("اقتصاص"), + "curatedMemories": MessageLookupByLibrary.simpleMessage("ذكريات منسقة"), + "currentUsageIs": + MessageLookupByLibrary.simpleMessage("استخدامك الحالي هو "), + "currentlyRunning": + MessageLookupByLibrary.simpleMessage("قيد التشغيل حاليًا"), + "custom": MessageLookupByLibrary.simpleMessage("مخصص"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("داكن"), + "dayToday": MessageLookupByLibrary.simpleMessage("اليوم"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("الأمس"), + "declineTrustInvite": + MessageLookupByLibrary.simpleMessage("رفض الدعوة"), + "decrypting": + MessageLookupByLibrary.simpleMessage("جارٍ فك التشفير..."), + "decryptingVideo": + MessageLookupByLibrary.simpleMessage("جارٍ فك تشفير الفيديو..."), + "deduplicateFiles": + MessageLookupByLibrary.simpleMessage("إزالة الملفات المكررة"), + "delete": MessageLookupByLibrary.simpleMessage("حذف"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("حذف الحساب"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "نأسف لمغادرتك. نرجو مشاركة ملاحظاتك لمساعدتنا على التحسين."), + "deleteAccountPermanentlyButton": + MessageLookupByLibrary.simpleMessage("حذف الحساب نهائيًا"), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("حذف الألبوم"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "هل ترغب أيضًا في حذف الصور (ومقاطع الفيديو) الموجودة في هذا الألبوم من جميع الألبومات الأخرى التي هي جزء منها؟"), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "سيؤدي هذا إلى حذف جميع الألبومات الفارغة. هذا مفيد عندما تريد تقليل الفوضى في قائمة ألبوماتك."), + "deleteAll": MessageLookupByLibrary.simpleMessage("حذف الكل"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "هذا الحساب مرتبط بتطبيقات Ente الأخرى، إذا كنت تستخدم أيًا منها. سيتم جدولة بياناتك التي تم تحميلها، عبر جميع تطبيقات Ente، للحذف، وسيتم حذف حسابك نهائيًا."), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "أرسل بريدًا إلكترونيًا إلى account-deletion@ente.io من عنوان بريدك الإلكتروني المسجل."), + "deleteEmptyAlbums": + MessageLookupByLibrary.simpleMessage("حذف الألبومات الفارغة"), + "deleteEmptyAlbumsWithQuestionMark": + MessageLookupByLibrary.simpleMessage("حذف الألبومات الفارغة؟"), + "deleteFromBoth": + MessageLookupByLibrary.simpleMessage("الحذف من كليهما"), + "deleteFromDevice": + MessageLookupByLibrary.simpleMessage("الحذف من الجهاز"), + "deleteFromEnte": MessageLookupByLibrary.simpleMessage("حذف من Ente"), + "deleteItemCount": m21, + "deleteLocation": MessageLookupByLibrary.simpleMessage("حذف الموقع"), + "deleteMultipleAlbumDialog": m22, + "deletePhotos": MessageLookupByLibrary.simpleMessage("حذف الصور"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "تفتقر إلى مِيزة أساسية أحتاج إليها"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "التطبيق أو مِيزة معينة لا تعمل كما هو متوقع"), + "deleteReason3": + MessageLookupByLibrary.simpleMessage("وجدت خدمة أخرى أفضل"), + "deleteReason4": MessageLookupByLibrary.simpleMessage("سببي غير مدرج"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "ستتم معالجة طلبك خلال 72 ساعة."), + "deleteSharedAlbum": + MessageLookupByLibrary.simpleMessage("حذف الألبوم المشترك؟"), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "سيتم حذف الألبوم للجميع.\n\nستفقد الوصول إلى الصور المشتركة في هذا الألبوم التي يملكها الآخرون."), + "deselectAll": MessageLookupByLibrary.simpleMessage("إلغاء تحديد الكل"), + "designedToOutlive": + MessageLookupByLibrary.simpleMessage("مصممة لتدوم"), + "details": MessageLookupByLibrary.simpleMessage("التفاصيل"), + "developerSettings": + MessageLookupByLibrary.simpleMessage("إعدادات المطور"), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "هل أنت متأكد من رغبتك في تعديل إعدادات المطور؟"), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage("أدخل الرمز"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "سيتم تحميل الملفات المضافة إلى ألبوم الجهاز هذا تلقائيًا إلى Ente."), + "deviceLock": MessageLookupByLibrary.simpleMessage("قفل الجهاز"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "عطّل قفل شاشة الجهاز عندما يكون Ente قيد التشغيل في المقدمة ويقوم بالنسخ الاحتياطي.\nهذا الإجراء غير مطلوب عادةً، لكنه قد يسرّع إكمال التحميلات الكبيرة أو الاستيرادات الأولية للمكتبات الضخمة."), + "deviceNotFound": + MessageLookupByLibrary.simpleMessage("لم يتم العثور على الجهاز"), + "didYouKnow": MessageLookupByLibrary.simpleMessage("هل تعلم؟"), + "disableAutoLock": + MessageLookupByLibrary.simpleMessage("تعطيل القفل التلقائي"), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "لا يزال بإمكان المشاهدين التقاط لقطات شاشة أو حفظ نسخة من صورك باستخدام أدوات خارجية"), + "disableDownloadWarningTitle": + MessageLookupByLibrary.simpleMessage("يرجى الملاحظة"), + "disableLinkMessage": m24, + "disableTwofactor": + MessageLookupByLibrary.simpleMessage("تعطيل المصادقة الثنائية"), + "disablingTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "جارٍ تعطيل المصادقة الثنائية..."), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("اكتشاف"), + "discover_babies": MessageLookupByLibrary.simpleMessage("الأطفال"), + "discover_celebrations": + MessageLookupByLibrary.simpleMessage("الاحتفالات"), + "discover_food": MessageLookupByLibrary.simpleMessage("الطعام"), + "discover_greenery": + MessageLookupByLibrary.simpleMessage("المساحات الخضراء"), + "discover_hills": MessageLookupByLibrary.simpleMessage("التلال"), + "discover_identity": MessageLookupByLibrary.simpleMessage("الهوية"), + "discover_memes": MessageLookupByLibrary.simpleMessage("الميمز"), + "discover_notes": MessageLookupByLibrary.simpleMessage("الملاحظات"), + "discover_pets": + MessageLookupByLibrary.simpleMessage("الحيوانات الأليفة"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("الإيصالات"), + "discover_screenshots": + MessageLookupByLibrary.simpleMessage("لقطات الشاشة"), + "discover_selfies": MessageLookupByLibrary.simpleMessage("صور السيلفي"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("غروب الشمس"), + "discover_visiting_cards": + MessageLookupByLibrary.simpleMessage("بطاقات الزيارة"), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage("الخلفيات"), + "dismiss": MessageLookupByLibrary.simpleMessage("تجاهل"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("كم"), + "doNotSignOut": + MessageLookupByLibrary.simpleMessage("عدم تسجيل الخروج"), + "doThisLater": MessageLookupByLibrary.simpleMessage("لاحقًا"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "هل تريد تجاهل التعديلات التي قمت بها؟"), + "done": MessageLookupByLibrary.simpleMessage("تم"), + "dontSave": MessageLookupByLibrary.simpleMessage("عدم الحفظ"), + "doubleYourStorage": MessageLookupByLibrary.simpleMessage( + "ضاعف مساحة التخزين الخاصة بك"), + "download": MessageLookupByLibrary.simpleMessage("تنزيل"), + "downloadFailed": MessageLookupByLibrary.simpleMessage("فشل التنزيل"), + "downloading": MessageLookupByLibrary.simpleMessage("جارٍ التنزيل..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("تعديل"), + "editEmailAlreadyLinked": m28, + "editLocation": MessageLookupByLibrary.simpleMessage("تعديل الموقع"), + "editLocationTagTitle": + MessageLookupByLibrary.simpleMessage("تعديل الموقع"), + "editPerson": MessageLookupByLibrary.simpleMessage("تعديل الشخص"), + "editTime": MessageLookupByLibrary.simpleMessage("تعديل الوقت"), + "editsSaved": MessageLookupByLibrary.simpleMessage("تم حفظ التعديلات."), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "ستكون التعديلات على الموقع مرئية فقط داخل Ente."), + "eligible": MessageLookupByLibrary.simpleMessage("مؤهل"), + "email": MessageLookupByLibrary.simpleMessage("البريد الإلكتروني"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "البريد الإلكتروني مُسجل من قبل."), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": + MessageLookupByLibrary.simpleMessage("البريد الإلكتروني غير مسجل."), + "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( + "تأكيد عنوان البريد الإلكتروني"), + "emailYourLogs": MessageLookupByLibrary.simpleMessage( + "إرسال سجلاتك عبر البريد الإلكتروني"), + "embracingThem": m32, + "emergencyContacts": + MessageLookupByLibrary.simpleMessage("جهات اتصال الطوارئ"), + "empty": MessageLookupByLibrary.simpleMessage("إفراغ"), + "emptyTrash": + MessageLookupByLibrary.simpleMessage("إفراغ سلة المهملات؟"), + "enable": MessageLookupByLibrary.simpleMessage("تمكين"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "يدعم Ente تعلم الآلة على الجهاز للتعرف على الوجوه والبحث السحري وميزات البحث المتقدم الأخرى."), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "قم بتمكين تعلم الآلة للبحث السحري والتعرف على الوجوه."), + "enableMaps": MessageLookupByLibrary.simpleMessage("تمكين الخرائط"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "سيؤدي هذا إلى عرض صورك على خريطة العالم.\n\nتستضيف هذه الخريطة OpenStreetMap، ولا تتم مشاركة المواقع الدقيقة لصورك أبدًا.\n\nيمكنك تعطيل هذه الميزة في أي وقت من الإعدادات."), + "enabled": MessageLookupByLibrary.simpleMessage("مُمكّن"), + "encryptingBackup": MessageLookupByLibrary.simpleMessage( + "جارٍ تشفير النسخة الاحتياطية..."), + "encryption": MessageLookupByLibrary.simpleMessage("التشفير"), + "encryptionKeys": + MessageLookupByLibrary.simpleMessage("مفاتيح التشفير"), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "تم تحديث نقطة النهاية بنجاح."), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "تشفير من طرف إلى طرف بشكل افتراضي"), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "يمكن لـ Ente تشفير وحفظ الملفات فقط إذا منحت الإذن بالوصول إليها"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente بحاجة إلى إذن لحفظ صورك"), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "يحفظ Ente ذكرياتك، بحيث تظل دائمًا متاحة لك حتى لو فقدت جهازك."), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "يمكنك أيضًا إضافة أفراد عائلتك إلى خطتك."), + "enterAlbumName": + MessageLookupByLibrary.simpleMessage("أدخل اسم الألبوم"), + "enterCode": MessageLookupByLibrary.simpleMessage("أدخل الرمز"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "أدخل الرمز المقدم من صديقك للمطالبة بمساحة تخزين مجانية لكما"), + "enterDateOfBirth": + MessageLookupByLibrary.simpleMessage("تاريخ الميلاد (اختياري)"), + "enterEmail": + MessageLookupByLibrary.simpleMessage("أدخل البريد الإلكتروني"), + "enterFileName": MessageLookupByLibrary.simpleMessage("أدخل اسم الملف"), + "enterName": MessageLookupByLibrary.simpleMessage("أدخل الاسم"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "أدخل كلمة مرور جديدة يمكننا استخدامها لتشفير بياناتك"), + "enterPassword": + MessageLookupByLibrary.simpleMessage("أدخل كلمة المرور"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "أدخل كلمة مرور يمكننا استخدامها لتشفير بياناتك"), + "enterPersonName": + MessageLookupByLibrary.simpleMessage("أدخل اسم الشخص"), + "enterPin": MessageLookupByLibrary.simpleMessage("أدخل رمز PIN"), + "enterReferralCode": + MessageLookupByLibrary.simpleMessage("أدخل رمز الإحالة"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "أدخل الرمز المكون من 6 أرقام من\n تطبيق المصادقة الخاص بك"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "يرجى إدخال عنوان بريد إلكتروني صالح."), + "enterYourEmailAddress": + MessageLookupByLibrary.simpleMessage("أدخل عنوان بريدك الإلكتروني"), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "أدخل عنوان بريدك الإلكتروني الجديد"), + "enterYourPassword": + MessageLookupByLibrary.simpleMessage("أدخل كلمة المرور"), + "enterYourRecoveryKey": + MessageLookupByLibrary.simpleMessage("أدخل مفتاح الاسترداد"), + "error": MessageLookupByLibrary.simpleMessage("خطأ"), + "everywhere": MessageLookupByLibrary.simpleMessage("في كل مكان"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": MessageLookupByLibrary.simpleMessage("مستخدم حالي"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "انتهت صلاحية هذا الرابط. يرجى اختيار وقت انتهاء صلاحية جديد أو تعطيل انتهاء صلاحية الرابط."), + "exportLogs": MessageLookupByLibrary.simpleMessage("تصدير السجلات"), + "exportYourData": MessageLookupByLibrary.simpleMessage("تصدير بياناتك"), + "extraPhotosFound": + MessageLookupByLibrary.simpleMessage("تم العثور على صور إضافية"), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "لم يتم تجميع الوجه بعد، يرجى العودة لاحقًا"), + "faceRecognition": + MessageLookupByLibrary.simpleMessage("التعرف على الوجوه"), + "faces": MessageLookupByLibrary.simpleMessage("الوجوه"), + "failed": MessageLookupByLibrary.simpleMessage("فشل"), + "failedToApplyCode": + MessageLookupByLibrary.simpleMessage("فشل تطبيق الرمز"), + "failedToCancel": MessageLookupByLibrary.simpleMessage("فشل الإلغاء"), + "failedToDownloadVideo": + MessageLookupByLibrary.simpleMessage("فشل تنزيل الفيديو"), + "failedToFetchActiveSessions": + MessageLookupByLibrary.simpleMessage("فشل جلب الجلسات النشطة."), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "فشل جلب النسخة الأصلية للتعديل."), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "تعذر جلب تفاصيل الإحالة. يرجى المحاولة مرة أخرى لاحقًا."), + "failedToLoadAlbums": + MessageLookupByLibrary.simpleMessage("فشل تحميل الألبومات"), + "failedToPlayVideo": + MessageLookupByLibrary.simpleMessage("فشل تشغيل الفيديو."), + "failedToRefreshStripeSubscription": + MessageLookupByLibrary.simpleMessage("فشل تحديث الاشتراك."), + "failedToRenew": MessageLookupByLibrary.simpleMessage("فشل التجديد"), + "failedToVerifyPaymentStatus": + MessageLookupByLibrary.simpleMessage("فشل التحقق من حالة الدفع."), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "أضف 5 أفراد من عائلتك إلى خطتك الحالية دون دفع رسوم إضافية.\n\nيحصل كل فرد على مساحة خاصة به، ولا يمكنهم رؤية ملفات بعضهم البعض إلا إذا تمت مشاركتها.\n\nالخطط العائلية متاحة للعملاء الذين لديهم اشتراك Ente مدفوع.\n\nاشترك الآن للبدء!"), + "familyPlanPortalTitle": + MessageLookupByLibrary.simpleMessage("العائلة"), + "familyPlans": MessageLookupByLibrary.simpleMessage("الخطط العائلية"), + "faq": MessageLookupByLibrary.simpleMessage("الأسئلة الشائعة"), + "faqs": MessageLookupByLibrary.simpleMessage("الأسئلة الشائعة"), + "favorite": MessageLookupByLibrary.simpleMessage("المفضلة"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("ملاحظات"), + "file": MessageLookupByLibrary.simpleMessage("ملف"), + "fileFailedToSaveToGallery": + MessageLookupByLibrary.simpleMessage("فشل حفظ الملف في المعرض."), + "fileInfoAddDescHint": + MessageLookupByLibrary.simpleMessage("إضافة وصف..."), + "fileNotUploadedYet": + MessageLookupByLibrary.simpleMessage("لم يتم تحميل الملف بعد"), + "fileSavedToGallery": + MessageLookupByLibrary.simpleMessage("تم حفظ الملف في المعرض."), + "fileTypes": MessageLookupByLibrary.simpleMessage("أنواع الملفات"), + "fileTypesAndNames": + MessageLookupByLibrary.simpleMessage("أنواع وأسماء الملفات"), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage("تم حذف الملفات."), + "filesSavedToGallery": + MessageLookupByLibrary.simpleMessage("تم حفظ الملفات في المعرض."), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "البحث عن الأشخاص بسرعة بالاسم"), + "findThemQuickly": + MessageLookupByLibrary.simpleMessage("اعثر عليهم بسرعة"), + "flip": MessageLookupByLibrary.simpleMessage("قلب"), + "food": MessageLookupByLibrary.simpleMessage("متعة الطهي"), + "forYourMemories": MessageLookupByLibrary.simpleMessage("لذكرياتك"), + "forgotPassword": + MessageLookupByLibrary.simpleMessage("نسيت كلمة المرور"), + "foundFaces": + MessageLookupByLibrary.simpleMessage("الوجوه التي تم العثور عليها"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( + "تم المطالبة بمساحة التخزين المجانية"), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "مساحة تخزين مجانية متاحة للاستخدام"), + "freeTrial": MessageLookupByLibrary.simpleMessage("تجربة مجانية"), + "freeTrialValidTill": m38, + "freeUpAccessPostDelete": m39, + "freeUpAmount": m40, + "freeUpDeviceSpace": + MessageLookupByLibrary.simpleMessage("تحرير مساحة على الجهاز"), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "وفر مساحة على جهازك عن طريق مسح الملفات التي تم نسخها احتياطيًا."), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("تحرير المساحة"), + "freeUpSpaceSaving": m41, + "gallery": MessageLookupByLibrary.simpleMessage("المعرض"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "يتم عرض ما يصل إلى 1000 ذكرى في المعرض."), + "general": MessageLookupByLibrary.simpleMessage("عام"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "جارٍ إنشاء مفاتيح التشفير..."), + "genericProgress": m42, + "goToSettings": + MessageLookupByLibrary.simpleMessage("الانتقال إلى الإعدادات"), + "googlePlayId": + MessageLookupByLibrary.simpleMessage("معرّف Google Play"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "الرجاء السماح بالوصول إلى جميع الصور في تطبيق الإعدادات"), + "grantPermission": MessageLookupByLibrary.simpleMessage("منح الإذن"), + "greenery": MessageLookupByLibrary.simpleMessage("الحياة الخضراء"), + "groupNearbyPhotos": + MessageLookupByLibrary.simpleMessage("تجميع الصور القريبة"), + "guestView": MessageLookupByLibrary.simpleMessage("عرض الضيف"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "لتمكين عرض الضيف، يرجى إعداد رمز مرور الجهاز أو قفل الشاشة في إعدادات النظام."), + "happyBirthday": + MessageLookupByLibrary.simpleMessage("عيد ميلاد سعيد! 🥳"), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "نحن لا نتتبع عمليات تثبيت التطبيق. سيساعدنا إذا أخبرتنا أين وجدتنا!"), + "hearUsWhereTitle": + MessageLookupByLibrary.simpleMessage("كيف سمعت عن Ente؟ (اختياري)"), + "help": MessageLookupByLibrary.simpleMessage("المساعدة"), + "hidden": MessageLookupByLibrary.simpleMessage("المخفية"), + "hide": MessageLookupByLibrary.simpleMessage("إخفاء"), + "hideContent": MessageLookupByLibrary.simpleMessage("إخفاء المحتوى"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "يخفي محتوى التطبيق في مبدل التطبيقات ويعطل لقطات الشاشة."), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "يخفي محتوى التطبيق في مبدل التطبيقات."), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "إخفاء العناصر المشتركة من معرض الصفحة الرئيسية"), + "hiding": MessageLookupByLibrary.simpleMessage("جارٍ الإخفاء..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": + MessageLookupByLibrary.simpleMessage("مستضاف في OSM France"), + "howItWorks": MessageLookupByLibrary.simpleMessage("كيف يعمل"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "يرجى الطلب منهم الضغط مطولًا على عنوان بريدهم الإلكتروني في شاشة الإعدادات، والتأكد من تطابق المعرّفات على كلا الجهازين."), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "لم يتم إعداد المصادقة البيومترية على جهازك. يرجى تمكين Touch ID أو Face ID على هاتفك."), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "تم تعطيل المصادقة البيومترية. يرجى قفل شاشتك وفتحها لتمكينها."), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("موافق"), + "ignore": MessageLookupByLibrary.simpleMessage("تجاهل"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("تجاهل"), + "ignored": MessageLookupByLibrary.simpleMessage("تم التجاهل"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "تم تجاهل تحميل بعض الملفات في هذا الألبوم لأنه تم حذفها مسبقًا من Ente."), + "imageNotAnalyzed": + MessageLookupByLibrary.simpleMessage("لم يتم تحليل الصورة"), + "immediately": MessageLookupByLibrary.simpleMessage("فورًا"), + "importing": MessageLookupByLibrary.simpleMessage("جارٍ الاستيراد..."), + "incorrectCode": MessageLookupByLibrary.simpleMessage("رمز غير صحيح"), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("كلمة المرور غير صحيحة"), + "incorrectRecoveryKey": + MessageLookupByLibrary.simpleMessage("مفتاح الاسترداد غير صحيح."), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "مفتاح الاسترداد الذي أدخلته غير صحيح"), + "incorrectRecoveryKeyTitle": + MessageLookupByLibrary.simpleMessage("مفتاح الاسترداد غير صحيح"), + "indexedItems": + MessageLookupByLibrary.simpleMessage("العناصر المفهرسة"), + "ineligible": MessageLookupByLibrary.simpleMessage("غير مؤهل"), + "info": MessageLookupByLibrary.simpleMessage("معلومات"), + "insecureDevice": MessageLookupByLibrary.simpleMessage("جهاز غير آمن"), + "installManually": + MessageLookupByLibrary.simpleMessage("التثبيت يدويًا"), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "عنوان البريد الإلكتروني غير صالح"), + "invalidEndpoint": + MessageLookupByLibrary.simpleMessage("نقطة النهاية غير صالحة"), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "عذرًا، نقطة النهاية التي أدخلتها غير صالحة. يرجى إدخال نقطة نهاية صالحة والمحاولة مرة أخرى."), + "invalidKey": MessageLookupByLibrary.simpleMessage("المفتاح غير صالح"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "مفتاح الاسترداد الذي أدخلته غير صالح. يرجى التأكد من أنه يحتوي على 24 كلمة، والتحقق من كتابة كل كلمة بشكل صحيح.\n\nإذا كنت تستخدم مفتاح استرداد قديمًا، تأكد من أنه مكون من 64 حرفًا، وتحقق من صحة كل حرف."), + "invite": MessageLookupByLibrary.simpleMessage("دعوة"), + "inviteToEnte": MessageLookupByLibrary.simpleMessage("دعوة إلى Ente"), + "inviteYourFriends": + MessageLookupByLibrary.simpleMessage("ادعُ أصدقاءك"), + "inviteYourFriendsToEnte": + MessageLookupByLibrary.simpleMessage("ادعُ أصدقاءك إلى Ente"), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "يبدو أن خطأً ما قد حدث. يرجى المحاولة مرة أخرى بعد بعض الوقت. إذا استمر الخطأ، يرجى الاتصال بفريق الدعم لدينا."), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "تعرض العناصر عدد الأيام المتبقية قبل الحذف الدائم."), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "سيتم إزالة العناصر المحددة من هذا الألبوم."), + "join": MessageLookupByLibrary.simpleMessage("انضمام"), + "joinAlbum": + MessageLookupByLibrary.simpleMessage("الانضمام إلى الألبوم"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "الانضمام إلى ألبوم سيجعل بريدك الإلكتروني مرئيًا للمشاركين فيه."), + "joinAlbumSubtext": + MessageLookupByLibrary.simpleMessage("لعرض صورك وإضافتها"), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "لإضافة هذا إلى الألبومات المشتركة"), + "joinDiscord": + MessageLookupByLibrary.simpleMessage("الانضمام إلى Discord"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("الاحتفاظ بالصور"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("كم"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "يرجى مساعدتنا بهذه المعلومات"), + "language": MessageLookupByLibrary.simpleMessage("اللغة"), + "lastTimeWithThem": m45, + "lastUpdated": MessageLookupByLibrary.simpleMessage("آخر تحديث"), + "lastYearsTrip": + MessageLookupByLibrary.simpleMessage("رحلة العام الماضي"), + "leave": MessageLookupByLibrary.simpleMessage("مغادرة"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("مغادرة الألبوم"), + "leaveFamily": + MessageLookupByLibrary.simpleMessage("مغادرة خطة العائلة"), + "leaveSharedAlbum": + MessageLookupByLibrary.simpleMessage("مغادرة الألبوم المشترك؟"), + "left": MessageLookupByLibrary.simpleMessage("يسار"), + "legacy": MessageLookupByLibrary.simpleMessage("جهات الاتصال الموثوقة"), + "legacyAccounts": + MessageLookupByLibrary.simpleMessage("الحسابات الموثوقة"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "تسمح جهات الاتصال الموثوقة لأشخاص معينين بالوصول إلى حسابك في حالة غيابك."), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "يمكن لجهات الاتصال الموثوقة بدء استرداد الحساب، وإذا لم يتم حظر ذلك خلال 30 يومًا، يمكنهم إعادة تعيين كلمة المرور والوصول إلى حسابك."), + "light": MessageLookupByLibrary.simpleMessage("فاتح"), + "lightTheme": MessageLookupByLibrary.simpleMessage("فاتح"), + "link": MessageLookupByLibrary.simpleMessage("ربط"), + "linkCopiedToClipboard": + MessageLookupByLibrary.simpleMessage("تم نسخ الرابط إلى الحافظة."), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("حد الأجهزة"), + "linkEmail": + MessageLookupByLibrary.simpleMessage("ربط البريد الإلكتروني"), + "linkEmailToContactBannerCaption": + MessageLookupByLibrary.simpleMessage("لمشاركة أسرع"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("مفعّل"), + "linkExpired": MessageLookupByLibrary.simpleMessage("منتهي الصلاحية"), + "linkExpiresOn": m47, + "linkExpiry": + MessageLookupByLibrary.simpleMessage("انتهاء صلاحية الرابط"), + "linkHasExpired": + MessageLookupByLibrary.simpleMessage("انتهت صلاحية الرابط"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("أبدًا"), + "linkPerson": MessageLookupByLibrary.simpleMessage("ربط الشخص"), + "linkPersonCaption": + MessageLookupByLibrary.simpleMessage("لتجربة مشاركة أفضل"), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("الصور الحية"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "يمكنك مشاركة اشتراكك مع عائلتك."), + "loadMessage2": MessageLookupByLibrary.simpleMessage( + "لقد حفظنا أكثر من 200 مليون ذكرى حتى الآن"), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "نحتفظ بـ 3 نسخ من بياناتك، إحداها في ملجأ للطوارئ تحت الأرض."), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "جميع تطبيقاتنا مفتوحة المصدر."), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "تم تدقيق شفرتنا المصدرية والتشفير الخاص بنا خارجيًا."), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "يمكنك مشاركة روابط ألبوماتك مع أحبائك."), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "تعمل تطبيقات الهاتف المحمول الخاصة بنا في الخلفية لتشفير أي صور جديدة تلتقطها ونسخها احتياطيًا."), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io لديه أداة تحميل رائعة."), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "نستخدم XChaCha20-Poly1305 لتشفير بياناتك بأمان."), + "loadingExifData": + MessageLookupByLibrary.simpleMessage("جارٍ تحميل بيانات EXIF..."), + "loadingGallery": + MessageLookupByLibrary.simpleMessage("جارٍ تحميل المعرض..."), + "loadingMessage": + MessageLookupByLibrary.simpleMessage("جارٍ تحميل صورك..."), + "loadingModel": + MessageLookupByLibrary.simpleMessage("جارٍ تحميل النماذج..."), + "loadingYourPhotos": + MessageLookupByLibrary.simpleMessage("جارٍ تحميل صورك..."), + "localGallery": MessageLookupByLibrary.simpleMessage("المعرض المحلي"), + "localIndexing": + MessageLookupByLibrary.simpleMessage("الفهرسة المحلية"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "يبدو أن خطأً ما قد حدث لأن مزامنة الصور المحلية تستغرق وقتًا أطول من المتوقع. يرجى التواصل مع فريق الدعم لدينا."), + "location": MessageLookupByLibrary.simpleMessage("الموقع"), + "locationName": MessageLookupByLibrary.simpleMessage("اسم الموقع"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "تقوم علامة الموقع بتجميع جميع الصور التي تم التقاطها ضمن نصف قطر معين لصورة ما."), + "locations": MessageLookupByLibrary.simpleMessage("المواقع"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("قفل"), + "lockscreen": MessageLookupByLibrary.simpleMessage("شاشة القفل"), + "logInLabel": MessageLookupByLibrary.simpleMessage("تسجيل الدخول"), + "loggingOut": + MessageLookupByLibrary.simpleMessage("جارٍ تسجيل الخروج..."), + "loginSessionExpired": + MessageLookupByLibrary.simpleMessage("انتهت صلاحية الجلسة."), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "انتهت صلاحية جلستك. يرجى تسجيل الدخول مرة أخرى."), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "بالنقر على تسجيل الدخول، أوافق على شروط الخدمة و سياسة الخصوصية"), + "loginWithTOTP": + MessageLookupByLibrary.simpleMessage("تسجيل الدخول باستخدام TOTP"), + "logout": MessageLookupByLibrary.simpleMessage("تسجيل الخروج"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "سيؤدي هذا إلى إرسال السجلات لمساعدتنا في تصحيح مشكلتك. يرجى ملاحظة أنه سيتم تضمين أسماء الملفات للمساعدة في تتبع المشكلات المتعلقة بملفات معينة."), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "اضغط مطولاً على بريد إلكتروني للتحقق من التشفير من طرف إلى طرف."), + "longpressOnAnItemToViewInFullscreen": + MessageLookupByLibrary.simpleMessage( + "اضغط مطولاً على عنصر لعرضه في وضع ملء الشاشة."), + "loopVideoOff": + MessageLookupByLibrary.simpleMessage("إيقاف تكرار الفيديو"), + "loopVideoOn": + MessageLookupByLibrary.simpleMessage("تشغيل تكرار الفيديو"), + "lostDevice": MessageLookupByLibrary.simpleMessage("جهاز مفقود؟"), + "machineLearning": MessageLookupByLibrary.simpleMessage("تعلم الآلة"), + "magicSearch": MessageLookupByLibrary.simpleMessage("البحث السحري"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "يسمح البحث السحري بالبحث عن الصور حسب محتوياتها، مثل \'زهرة\'، \'سيارة حمراء\'، \'وثائق هوية\'"), + "manage": MessageLookupByLibrary.simpleMessage("إدارة"), + "manageDeviceStorage": + MessageLookupByLibrary.simpleMessage("إدارة مساحة تخزين الجهاز"), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "مراجعة ومسح ذاكرة التخزين المؤقت المحلية."), + "manageFamily": MessageLookupByLibrary.simpleMessage("إدارة العائلة"), + "manageLink": MessageLookupByLibrary.simpleMessage("إدارة الرابط"), + "manageParticipants": + MessageLookupByLibrary.simpleMessage("إدارة المشاركين"), + "manageSubscription": + MessageLookupByLibrary.simpleMessage("إدارة الاشتراك"), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "الإقران بالرمز السري يعمل مع أي شاشة ترغب في عرض ألبومك عليها."), + "map": MessageLookupByLibrary.simpleMessage("الخريطة"), + "maps": MessageLookupByLibrary.simpleMessage("الخرائط"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("أنا"), + "memories": MessageLookupByLibrary.simpleMessage("ذكريات"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "اختر نوع الذكريات التي ترغب في رؤيتها على شاشتك الرئيسية."), + "memoryCount": m50, + "merchandise": + MessageLookupByLibrary.simpleMessage("المنتجات الترويجية"), + "merge": MessageLookupByLibrary.simpleMessage("دمج"), + "mergeWithExisting": + MessageLookupByLibrary.simpleMessage("الدمج مع شخص موجود"), + "mergedPhotos": MessageLookupByLibrary.simpleMessage("الصور المدمجة"), + "mlConsent": MessageLookupByLibrary.simpleMessage("تمكين تعلم الآلة"), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "أنا أفهم، وأرغب في تمكين تعلم الآلة"), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "إذا قمت بتمكين تعلم الآلة، سيقوم Ente باستخراج معلومات مثل هندسة الوجه من الملفات، بما في ذلك تلك التي تمت مشاركتها معك.\n\nسيحدث هذا على جهازك، وسيتم تشفير أي معلومات بيومترية تم إنشاؤها تشفيرًا تامًا من طرف إلى طرف."), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "يرجى النقر هنا لمزيد من التفاصيل حول هذه الميزة في سياسة الخصوصية الخاصة بنا"), + "mlConsentTitle": + MessageLookupByLibrary.simpleMessage("تمكين تعلم الآلة؟"), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "يرجى ملاحظة أن تعلم الآلة سيؤدي إلى استهلاك أعلى لعرض النطاق الترددي والبطارية حتى تتم فهرسة جميع العناصر.\nنوصي باستخدام تطبيق سطح المكتب لإجراء الفهرسة بشكل أسرع. سيتم مزامنة جميع النتائج تلقائيًا."), + "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( + "الهاتف المحمول، الويب، سطح المكتب"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("متوسطة"), + "modifyYourQueryOrTrySearchingFor": + MessageLookupByLibrary.simpleMessage( + "قم بتعديل استعلامك، أو حاول البحث عن"), + "moments": MessageLookupByLibrary.simpleMessage("اللحظات"), + "month": MessageLookupByLibrary.simpleMessage("شهر"), + "monthly": MessageLookupByLibrary.simpleMessage("شهريًا"), + "moon": MessageLookupByLibrary.simpleMessage("في ضوء القمر"), + "moreDetails": + MessageLookupByLibrary.simpleMessage("المزيد من التفاصيل"), + "mostRecent": MessageLookupByLibrary.simpleMessage("الأحدث"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("الأكثر صلة"), + "mountains": MessageLookupByLibrary.simpleMessage("فوق التلال"), + "moveItem": m51, + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "نقل الصور المحددة إلى تاريخ واحد"), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("نقل إلى ألبوم"), + "moveToHiddenAlbum": + MessageLookupByLibrary.simpleMessage("نقل إلى الألبوم المخفي"), + "movedSuccessfullyTo": m52, + "movedToTrash": + MessageLookupByLibrary.simpleMessage("تم النقل إلى سلة المهملات"), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "جارٍ نقل الملفات إلى الألبوم..."), + "name": MessageLookupByLibrary.simpleMessage("الاسم"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("تسمية الألبوم"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "تعذر الاتصال بـ Ente، يرجى المحاولة مرة أخرى بعد بعض الوقت. إذا استمر الخطأ، يرجى الاتصال بالدعم."), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "تعذر الاتصال بـ Ente، يرجى التحقق من إعدادات الشبكة والاتصال بالدعم إذا استمر الخطأ."), + "never": MessageLookupByLibrary.simpleMessage("أبدًا"), + "newAlbum": MessageLookupByLibrary.simpleMessage("ألبوم جديد"), + "newLocation": MessageLookupByLibrary.simpleMessage("موقع جديد"), + "newPerson": MessageLookupByLibrary.simpleMessage("شخص جديد"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" جديد 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("نطاق جديد"), + "newToEnte": MessageLookupByLibrary.simpleMessage("جديد في Ente"), + "newest": MessageLookupByLibrary.simpleMessage("الأحدث"), + "next": MessageLookupByLibrary.simpleMessage("التالي"), + "no": MessageLookupByLibrary.simpleMessage("لا"), + "noAlbumsSharedByYouYet": + MessageLookupByLibrary.simpleMessage("لم تشارك أي ألبومات بعد"), + "noDeviceFound": + MessageLookupByLibrary.simpleMessage("لم يتم العثور على جهاز."), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("لا شيء"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "لا توجد ملفات على هذا الجهاز يمكن حذفها"), + "noDuplicates": + MessageLookupByLibrary.simpleMessage("✨ لا توجد ملفات مكررة"), + "noEnteAccountExclamation": + MessageLookupByLibrary.simpleMessage("لا يوجد حساب Ente!"), + "noExifData": + MessageLookupByLibrary.simpleMessage("لا توجد بيانات EXIF"), + "noFacesFound": + MessageLookupByLibrary.simpleMessage("لم يتم العثور على وجوه"), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "لا توجد صور أو مقاطع فيديو مخفية"), + "noImagesWithLocation": + MessageLookupByLibrary.simpleMessage("لا توجد صور تحتوي على موقع"), + "noInternetConnection": + MessageLookupByLibrary.simpleMessage("لا يوجد اتصال بالإنترنت"), + "noPhotosAreBeingBackedUpRightNow": + MessageLookupByLibrary.simpleMessage( + "لا يتم نسخ أي صور احتياطيًا في الوقت الحالي"), + "noPhotosFoundHere": + MessageLookupByLibrary.simpleMessage("لم يتم العثور على صور هنا"), + "noQuickLinksSelected": + MessageLookupByLibrary.simpleMessage("لم يتم تحديد روابط سريعة."), + "noRecoveryKey": + MessageLookupByLibrary.simpleMessage("لا تملك مفتاح استرداد؟"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "نظرًا لطبيعة التشفير الكامل من طرف إلى طرف، لا يمكن فك تشفير بياناتك دون كلمة المرور أو مفتاح الاسترداد الخاص بك"), + "noResults": MessageLookupByLibrary.simpleMessage("لا توجد نتائج"), + "noResultsFound": + MessageLookupByLibrary.simpleMessage("لم يتم العثور على نتائج."), + "noSuggestionsForPerson": m53, + "noSystemLockFound": + MessageLookupByLibrary.simpleMessage("لم يتم العثور على قفل نظام."), + "notPersonLabel": m54, + "notThisPerson": MessageLookupByLibrary.simpleMessage("ليس هذا الشخص؟"), + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "لم تتم مشاركة أي شيء معك بعد"), + "nothingToSeeHere": + MessageLookupByLibrary.simpleMessage("لا يوجد شيء هنا! 👀"), + "notifications": MessageLookupByLibrary.simpleMessage("الإشعارات"), + "ok": MessageLookupByLibrary.simpleMessage("حسنًا"), + "onDevice": MessageLookupByLibrary.simpleMessage("على الجهاز"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "على Ente"), + "onTheRoad": + MessageLookupByLibrary.simpleMessage("على الطريق مرة أخرى"), + "onThisDay": MessageLookupByLibrary.simpleMessage("في هذا اليوم"), + "onThisDayNotificationExplanation": + MessageLookupByLibrary.simpleMessage( + "تلقي تذكيرات حول ذكريات مثل اليوم في السنوات السابقة."), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("هم فقط"), + "oops": MessageLookupByLibrary.simpleMessage("عفوًا"), + "oopsCouldNotSaveEdits": + MessageLookupByLibrary.simpleMessage("عفوًا، تعذر حفظ التعديلات."), + "oopsSomethingWentWrong": + MessageLookupByLibrary.simpleMessage("عفوًا، حدث خطأ ما"), + "openAlbumInBrowser": + MessageLookupByLibrary.simpleMessage("فتح الألبوم في المتصفح"), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "يرجى استخدام تطبيق الويب لإضافة صور إلى هذا الألبوم"), + "openFile": MessageLookupByLibrary.simpleMessage("فتح الملف"), + "openSettings": MessageLookupByLibrary.simpleMessage("فتح الإعدادات"), + "openTheItem": MessageLookupByLibrary.simpleMessage("• افتح العنصر"), + "openstreetmapContributors": + MessageLookupByLibrary.simpleMessage("مساهمو OpenStreetMap"), + "optionalAsShortAsYouLike": + MessageLookupByLibrary.simpleMessage("اختياري، قصير كما تشاء..."), + "orMergeWithExistingPerson": + MessageLookupByLibrary.simpleMessage("أو الدمج مع شخص موجود"), + "orPickAnExistingOne": + MessageLookupByLibrary.simpleMessage("أو اختر واحدًا موجودًا"), + "orPickFromYourContacts": + MessageLookupByLibrary.simpleMessage("أو اختر من جهات اتصالك"), + "otherDetectedFaces": + MessageLookupByLibrary.simpleMessage("وجوه أخرى تم اكتشافها"), + "pair": MessageLookupByLibrary.simpleMessage("إقران"), + "pairWithPin": + MessageLookupByLibrary.simpleMessage("الإقران بالرمز السري"), + "pairingComplete": + MessageLookupByLibrary.simpleMessage("اكتمل الإقران"), + "panorama": MessageLookupByLibrary.simpleMessage("بانوراما"), + "partyWithThem": m56, + "passKeyPendingVerification": + MessageLookupByLibrary.simpleMessage("التحقق لا يزال معلقًا."), + "passkey": MessageLookupByLibrary.simpleMessage("مفتاح المرور"), + "passkeyAuthTitle": + MessageLookupByLibrary.simpleMessage("التحقق من مفتاح المرور"), + "password": MessageLookupByLibrary.simpleMessage("كلمة المرور"), + "passwordChangedSuccessfully": + MessageLookupByLibrary.simpleMessage("تم تغيير كلمة المرور بنجاح"), + "passwordLock": MessageLookupByLibrary.simpleMessage("قفل بكلمة مرور"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "يتم حساب قوة كلمة المرور مع الأخذ في الاعتبار طول كلمة المرور، والأحرف المستخدمة، وما إذا كانت كلمة المرور تظهر في قائمة أفضل 10,000 كلمة مرور شائعة الاستخدام."), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "نحن لا نقوم بتخزين كلمة المرور هذه، لذا إذا نسيتها، لا يمكننا فك تشفير بياناتك"), + "paymentDetails": MessageLookupByLibrary.simpleMessage("تفاصيل الدفع"), + "paymentFailed": + MessageLookupByLibrary.simpleMessage("فشلت عملية الدفع"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "للأسف، فشلت عملية الدفع الخاصة بك. يرجى الاتصال بالدعم وسوف نساعدك!"), + "paymentFailedTalkToProvider": m58, + "pendingItems": MessageLookupByLibrary.simpleMessage("العناصر المعلقة"), + "pendingSync": MessageLookupByLibrary.simpleMessage("المزامنة المعلقة"), + "people": MessageLookupByLibrary.simpleMessage("الأشخاص"), + "peopleUsingYourCode": + MessageLookupByLibrary.simpleMessage("الأشخاص الذين يستخدمون رمزك"), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "حدد الأشخاص الذين ترغب في ظهورهم على شاشتك الرئيسية."), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "سيتم حذف جميع العناصر في سلة المهملات نهائيًا.\n\nلا يمكن التراجع عن هذا الإجراء."), + "permanentlyDelete": MessageLookupByLibrary.simpleMessage("حذف نهائي"), + "permanentlyDeleteFromDevice": + MessageLookupByLibrary.simpleMessage("حذف نهائي من الجهاز؟"), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("اسم الشخص"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("رفاق فروي"), + "photoDescriptions": + MessageLookupByLibrary.simpleMessage("أوصاف الصور"), + "photoGridSize": MessageLookupByLibrary.simpleMessage("حجم شبكة الصور"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("صورة"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("الصور"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "ستتم إزالة الصور التي أضفتها من الألبوم."), + "photosCount": m62, + "photosKeepRelativeTimeDifference": + MessageLookupByLibrary.simpleMessage( + "تحتفظ الصور بالفرق الزمني النسبي"), + "pickCenterPoint": + MessageLookupByLibrary.simpleMessage("اختيار نقطة المركز"), + "pinAlbum": MessageLookupByLibrary.simpleMessage("تثبيت الألبوم"), + "pinLock": MessageLookupByLibrary.simpleMessage("قفل برمز PIN"), + "playOnTv": + MessageLookupByLibrary.simpleMessage("تشغيل الألبوم على التلفزيون"), + "playOriginal": MessageLookupByLibrary.simpleMessage("تشغيل الأصلي"), + "playStoreFreeTrialValidTill": m63, + "playStream": MessageLookupByLibrary.simpleMessage("تشغيل البث"), + "playstoreSubscription": + MessageLookupByLibrary.simpleMessage("اشتراك متجر Play"), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "يرجى التحقق من اتصال الإنترنت الخاص بك والمحاولة مرة أخرى."), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "يرجى التواصل مع support@ente.io وسنكون سعداء بمساعدتك!"), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "يرجى الاتصال بالدعم إذا استمرت المشكلة."), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": + MessageLookupByLibrary.simpleMessage("يرجى منح الأذونات"), + "pleaseLoginAgain": + MessageLookupByLibrary.simpleMessage("يرجى تسجيل الدخول مرة أخرى"), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "يرجى تحديد الروابط السريعة للإزالة."), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": + MessageLookupByLibrary.simpleMessage("يرجى المحاولة مرة أخرى"), + "pleaseVerifyTheCodeYouHaveEntered": + MessageLookupByLibrary.simpleMessage( + "يرجى التحقق من الرمز الذي أدخلته."), + "pleaseWait": MessageLookupByLibrary.simpleMessage("يرجى الانتظار..."), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "يرجى الانتظار، جارٍ حذف الألبوم"), + "pleaseWaitForSometimeBeforeRetrying": + MessageLookupByLibrary.simpleMessage( + "يرجى الانتظار لبعض الوقت قبل إعادة المحاولة"), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "يرجى الانتظار، قد يستغرق هذا بعض الوقت."), + "posingWithThem": m66, + "preparingLogs": + MessageLookupByLibrary.simpleMessage("جارٍ تحضير السجلات..."), + "preserveMore": MessageLookupByLibrary.simpleMessage("حفظ المزيد"), + "pressAndHoldToPlayVideo": + MessageLookupByLibrary.simpleMessage("اضغط مطولاً لتشغيل الفيديو"), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "اضغط مطولاً على الصورة لتشغيل الفيديو"), + "previous": MessageLookupByLibrary.simpleMessage("السابق"), + "privacy": MessageLookupByLibrary.simpleMessage("الخصوصية"), + "privacyPolicyTitle": + MessageLookupByLibrary.simpleMessage("سياسة الخصوصية"), + "privateBackups": + MessageLookupByLibrary.simpleMessage("نسخ احتياطية خاصة"), + "privateSharing": MessageLookupByLibrary.simpleMessage("مشاركة خاصة"), + "proceed": MessageLookupByLibrary.simpleMessage("متابعة"), + "processed": MessageLookupByLibrary.simpleMessage("تمت المعالجة"), + "processing": MessageLookupByLibrary.simpleMessage("المعالجة"), + "processingImport": m67, + "processingVideos": + MessageLookupByLibrary.simpleMessage("معالجة مقاطع الفيديو"), + "publicLinkCreated": + MessageLookupByLibrary.simpleMessage("تم إنشاء الرابط العام."), + "publicLinkEnabled": + MessageLookupByLibrary.simpleMessage("تمكين الرابط العام"), + "questionmark": MessageLookupByLibrary.simpleMessage("؟"), + "queued": MessageLookupByLibrary.simpleMessage("في قائمة الانتظار"), + "quickLinks": MessageLookupByLibrary.simpleMessage("روابط سريعة"), + "radius": MessageLookupByLibrary.simpleMessage("نصف القطر"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("فتح تذكرة دعم"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("تقييم التطبيق"), + "rateUs": MessageLookupByLibrary.simpleMessage("تقييم التطبيق"), + "rateUsOnStore": m68, + "reassignMe": + MessageLookupByLibrary.simpleMessage("إعادة تعيين \"أنا\""), + "reassignedToName": m69, + "reassigningLoading": + MessageLookupByLibrary.simpleMessage("جارٍ إعادة التعيين..."), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "استلم تذكيرات عندما يحين عيد ميلاد أحدهم. النقر على الإشعار سينقلك إلى صور الشخص المحتفل بعيد ميلاده."), + "recover": MessageLookupByLibrary.simpleMessage("استعادة"), + "recoverAccount": + MessageLookupByLibrary.simpleMessage("استعادة الحساب"), + "recoverButton": MessageLookupByLibrary.simpleMessage("استرداد"), + "recoveryAccount": + MessageLookupByLibrary.simpleMessage("استرداد الحساب"), + "recoveryInitiated": + MessageLookupByLibrary.simpleMessage("بدء الاسترداد"), + "recoveryInitiatedDesc": m70, + "recoveryKey": MessageLookupByLibrary.simpleMessage("مفتاح الاسترداد"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "تم نسخ مفتاح الاسترداد إلى الحافظة"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "إذا نسيت كلمة المرور الخاصة بك، فإن الطريقة الوحيدة لاستعادة بياناتك هي باستخدام هذا المفتاح."), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "لا نحتفظ بنسخة من هذا المفتاح. يرجى حفظ المفتاح المكون من 24 كلمة في مكان آمن."), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "مفتاح الاسترداد الخاص بك صالح. شكرًا على التحقق.\n\nيرجى تذكر الاحتفاظ بنسخة احتياطية آمنة من مفتاح الاسترداد."), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "تم التحقق من مفتاح الاسترداد"), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "مفتاح الاسترداد هو الطريقة الوحيدة لاستعادة صورك إذا نسيت كلمة المرور. يمكنك العثور عليه في الإعدادات > الحساب.\n\nالرجاء إدخال مفتاح الاسترداد هنا للتحقق من أنك حفظته بشكل صحيح."), + "recoveryReady": m71, + "recoverySuccessful": + MessageLookupByLibrary.simpleMessage("تم الاسترداد بنجاح!"), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "جهة اتصال موثوقة تحاول الوصول إلى حسابك"), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "لا يمكن التحقق من كلمة المرور على جهازك الحالي، لكن يمكننا تعديلها لتعمل على جميع الأجهزة.\n\nسجّل الدخول باستخدام مفتاح الاسترداد، ثم أنشئ كلمة مرور جديدة (يمكنك اختيار نفس الكلمة السابقة إذا أردت)."), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("إعادة إنشاء كلمة المرور"), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": + MessageLookupByLibrary.simpleMessage("إعادة إدخال كلمة المرور"), + "reenterPin": + MessageLookupByLibrary.simpleMessage("إعادة إدخال رمز PIN"), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "أحِل الأصدقاء وضاعف خطتك مرتين"), + "referralStep1": + MessageLookupByLibrary.simpleMessage("1. أعطِ هذا الرمز لأصدقائك"), + "referralStep2": + MessageLookupByLibrary.simpleMessage("2. يشتركون في خطة مدفوعة"), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("الإحالات"), + "referralsAreCurrentlyPaused": + MessageLookupByLibrary.simpleMessage("الإحالات متوقفة مؤقتًا"), + "rejectRecovery": MessageLookupByLibrary.simpleMessage("رفض الاسترداد"), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "تذكر أيضًا إفراغ \"المحذوفة مؤخرًا\" من \"الإعدادات\" -> \"التخزين\" لاستعادة المساحة المحررة"), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "تذكر أيضًا إفراغ \"سلة المهملات\" لاستعادة المساحة المحررة."), + "remoteImages": MessageLookupByLibrary.simpleMessage("الصور عن بعد"), + "remoteThumbnails": + MessageLookupByLibrary.simpleMessage("الصور المصغرة عن بعد"), + "remoteVideos": + MessageLookupByLibrary.simpleMessage("مقاطع الفيديو عن بعد"), + "remove": MessageLookupByLibrary.simpleMessage("إزالة"), + "removeDuplicates": + MessageLookupByLibrary.simpleMessage("إزالة النسخ المكررة"), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "مراجعة وإزالة الملفات المتطابقة تمامًا."), + "removeFromAlbum": + MessageLookupByLibrary.simpleMessage("إزالة من الألبوم"), + "removeFromAlbumTitle": + MessageLookupByLibrary.simpleMessage("إزالة من الألبوم؟"), + "removeFromFavorite": + MessageLookupByLibrary.simpleMessage("إزالة من المفضلة"), + "removeInvite": MessageLookupByLibrary.simpleMessage("إزالة الدعوة"), + "removeLink": MessageLookupByLibrary.simpleMessage("إزالة الرابط"), + "removeParticipant": + MessageLookupByLibrary.simpleMessage("إزالة المشارك"), + "removeParticipantBody": m74, + "removePersonLabel": + MessageLookupByLibrary.simpleMessage("إزالة تسمية الشخص"), + "removePublicLink": + MessageLookupByLibrary.simpleMessage("إزالة الرابط العام"), + "removePublicLinks": + MessageLookupByLibrary.simpleMessage("إزالة الروابط العامة"), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "بعض العناصر التي تزيلها تمت إضافتها بواسطة أشخاص آخرين، وستفقد الوصول إليها."), + "removeWithQuestionMark": + MessageLookupByLibrary.simpleMessage("إزالة؟"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "إزالة نفسك كجهة اتصال موثوقة"), + "removingFromFavorites": + MessageLookupByLibrary.simpleMessage("جارٍ الإزالة من المفضلة..."), + "rename": MessageLookupByLibrary.simpleMessage("إعادة تسمية"), + "renameAlbum": + MessageLookupByLibrary.simpleMessage("إعادة تسمية الألبوم"), + "renameFile": MessageLookupByLibrary.simpleMessage("إعادة تسمية الملف"), + "renewSubscription": + MessageLookupByLibrary.simpleMessage("تجديد الاشتراك"), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("الإبلاغ عن خطأ"), + "reportBug": MessageLookupByLibrary.simpleMessage("الإبلاغ عن خطأ"), + "resendEmail": MessageLookupByLibrary.simpleMessage( + "إعادة إرسال البريد الإلكتروني"), + "reset": MessageLookupByLibrary.simpleMessage("إعادة تعيين"), + "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( + "إعادة تعيين الملفات المتجاهلة"), + "resetPasswordTitle": + MessageLookupByLibrary.simpleMessage("إعادة تعيين كلمة المرور"), + "resetPerson": MessageLookupByLibrary.simpleMessage("إزالة"), + "resetToDefault": + MessageLookupByLibrary.simpleMessage("إعادة التعيين إلى الافتراضي"), + "restore": MessageLookupByLibrary.simpleMessage("استعادة"), + "restoreToAlbum": + MessageLookupByLibrary.simpleMessage("استعادة إلى الألبوم"), + "restoringFiles": + MessageLookupByLibrary.simpleMessage("جارٍ استعادة الملفات..."), + "resumableUploads": + MessageLookupByLibrary.simpleMessage("تحميلات قابلة للاستئناف"), + "retry": MessageLookupByLibrary.simpleMessage("إعادة المحاولة"), + "review": MessageLookupByLibrary.simpleMessage("مراجعة"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "يرجى مراجعة وحذف العناصر التي تعتقد أنها مكررة."), + "reviewSuggestions": + MessageLookupByLibrary.simpleMessage("مراجعة الاقتراحات"), + "right": MessageLookupByLibrary.simpleMessage("يمين"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("تدوير"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("تدوير لليسار"), + "rotateRight": MessageLookupByLibrary.simpleMessage("تدوير لليمين"), + "safelyStored": MessageLookupByLibrary.simpleMessage("مخزنة بأمان"), + "save": MessageLookupByLibrary.simpleMessage("حفظ"), + "saveAsAnotherPerson": + MessageLookupByLibrary.simpleMessage("حفظ كشخص آخر"), + "saveChangesBeforeLeavingQuestion": + MessageLookupByLibrary.simpleMessage("حفظ التغييرات قبل المغادرة؟"), + "saveCollage": MessageLookupByLibrary.simpleMessage("حفظ الكولاج"), + "saveCopy": MessageLookupByLibrary.simpleMessage("حفظ نسخة"), + "saveKey": MessageLookupByLibrary.simpleMessage("حفظ المفتاح"), + "savePerson": MessageLookupByLibrary.simpleMessage("حفظ الشخص"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "احفظ مفتاح الاسترداد إذا لم تكن قد فعلت ذلك"), + "saving": MessageLookupByLibrary.simpleMessage("جارٍ الحفظ..."), + "savingEdits": + MessageLookupByLibrary.simpleMessage("جارٍ حفظ التعديلات..."), + "scanCode": MessageLookupByLibrary.simpleMessage("مسح الرمز"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "امسح هذا الباركود باستخدام\nتطبيق المصادقة الخاص بك"), + "search": MessageLookupByLibrary.simpleMessage("بحث"), + "searchAlbumsEmptySection": + MessageLookupByLibrary.simpleMessage("الألبومات"), + "searchByAlbumNameHint": + MessageLookupByLibrary.simpleMessage("اسم الألبوم"), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• أسماء الألبومات (مثل \"الكاميرا\")\n• أنواع الملفات (مثل \"مقاطع الفيديو\"، \".gif\")\n• السنوات والأشهر (مثل \"2022\"، \"يناير\")\n• العطلات (مثل \"عيد الميلاد\")\n• أوصاف الصور (مثل \"#مرح\")"), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "أضف أوصافًا مثل \"#رحلة\" في معلومات الصورة للعثور عليها بسرعة هنا."), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "ابحث حسب تاريخ أو شهر أو سنة."), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "سيتم عرض الصور هنا بمجرد اكتمال المعالجة والمزامنة."), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "سيتم عرض الأشخاص هنا بمجرد الانتهاء من الفهرسة."), + "searchFileTypesAndNamesEmptySection": + MessageLookupByLibrary.simpleMessage("أنواع وأسماء الملفات"), + "searchHint1": + MessageLookupByLibrary.simpleMessage("بحث سريع على الجهاز"), + "searchHint2": + MessageLookupByLibrary.simpleMessage("تواريخ الصور، الأوصاف"), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "الألبومات، أسماء الملفات، والأنواع"), + "searchHint4": MessageLookupByLibrary.simpleMessage("الموقع"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "قريبًا: الوجوه والبحث السحري ✨"), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "تجميع الصور الملتقطة ضمن نصف قطر معين لصورة ما."), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "ادعُ الأشخاص، وسترى جميع الصور التي شاركوها هنا."), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "سيتم عرض الأشخاص هنا بمجرد اكتمال المعالجة والمزامنة."), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("الأمان"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "رؤية روابط الألبومات العامة في التطبيق"), + "selectALocation": MessageLookupByLibrary.simpleMessage("تحديد موقع"), + "selectALocationFirst": + MessageLookupByLibrary.simpleMessage("حدد موقعًا أولاً"), + "selectAlbum": MessageLookupByLibrary.simpleMessage("تحديد ألبوم"), + "selectAll": MessageLookupByLibrary.simpleMessage("تحديد الكل"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("الكل"), + "selectCoverPhoto": + MessageLookupByLibrary.simpleMessage("تحديد صورة الغلاف"), + "selectDate": MessageLookupByLibrary.simpleMessage("تحديد التاريخ"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "تحديد المجلدات للنسخ الاحتياطي"), + "selectItemsToAdd": + MessageLookupByLibrary.simpleMessage("تحديد العناصر للإضافة"), + "selectLanguage": MessageLookupByLibrary.simpleMessage("اختر اللغة"), + "selectMailApp": + MessageLookupByLibrary.simpleMessage("تحديد تطبيق البريد"), + "selectMorePhotos": + MessageLookupByLibrary.simpleMessage("تحديد المزيد من الصور"), + "selectOneDateAndTime": + MessageLookupByLibrary.simpleMessage("تحديد تاريخ ووقت واحد"), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "تحديد تاريخ ووقت واحد للجميع"), + "selectPersonToLink": + MessageLookupByLibrary.simpleMessage("تحديد الشخص للربط"), + "selectReason": MessageLookupByLibrary.simpleMessage("اختر سببًا"), + "selectStartOfRange": + MessageLookupByLibrary.simpleMessage("تحديد بداية النطاق"), + "selectTime": MessageLookupByLibrary.simpleMessage("تحديد الوقت"), + "selectYourFace": MessageLookupByLibrary.simpleMessage("حدد وجهك"), + "selectYourPlan": MessageLookupByLibrary.simpleMessage("اختر خطتك"), + "selectedAlbums": m79, + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "الملفات المحددة ليست موجودة على Ente."), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "سيتم تشفير المجلدات المحددة ونسخها احتياطيًا"), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "سيتم حذف العناصر المحددة من جميع الألبومات ونقلها إلى سلة المهملات."), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "سيتم إزالة العناصر المحددة من هذا الشخص، ولكن لن يتم حذفها من مكتبتك."), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("إرسال"), + "sendEmail": + MessageLookupByLibrary.simpleMessage("إرسال بريد إلكتروني"), + "sendInvite": MessageLookupByLibrary.simpleMessage("إرسال دعوة"), + "sendLink": MessageLookupByLibrary.simpleMessage("إرسال الرابط"), + "serverEndpoint": + MessageLookupByLibrary.simpleMessage("نقطة نهاية الخادم"), + "sessionExpired": + MessageLookupByLibrary.simpleMessage("انتهت صلاحية الجلسة"), + "sessionIdMismatch": + MessageLookupByLibrary.simpleMessage("عدم تطابق معرّف الجلسة"), + "setAPassword": MessageLookupByLibrary.simpleMessage("تعيين كلمة مرور"), + "setAs": MessageLookupByLibrary.simpleMessage("تعيين كـ"), + "setCover": MessageLookupByLibrary.simpleMessage("تعيين كغلاف"), + "setLabel": MessageLookupByLibrary.simpleMessage("تعيين"), + "setNewPassword": + MessageLookupByLibrary.simpleMessage("تعيين كلمة مرور جديدة"), + "setNewPin": MessageLookupByLibrary.simpleMessage("تعيين رمز PIN جديد"), + "setPasswordTitle": + MessageLookupByLibrary.simpleMessage("تعيين كلمة المرور"), + "setRadius": MessageLookupByLibrary.simpleMessage("تعيين نصف القطر"), + "setupComplete": MessageLookupByLibrary.simpleMessage("اكتمل الإعداد"), + "share": MessageLookupByLibrary.simpleMessage("مشاركة"), + "shareALink": MessageLookupByLibrary.simpleMessage("مشاركة رابط"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "افتح ألبومًا وانقر على زر المشاركة في الزاوية اليمنى العليا للمشاركة."), + "shareAnAlbumNow": + MessageLookupByLibrary.simpleMessage("شارك ألبومًا الآن"), + "shareLink": MessageLookupByLibrary.simpleMessage("مشاركة الرابط"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "شارك فقط مع الأشخاص الذين تريدهم."), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "قم بتنزيل تطبيق Ente حتى نتمكن من مشاركة الصور ومقاطع الفيديو بالجودة الأصلية بسهولة.\n\nhttps://ente.io"), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "المشاركة مع غير مستخدمي Ente"), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": + MessageLookupByLibrary.simpleMessage("شارك ألبومك الأول"), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "أنشئ ألبومات مشتركة وتعاونية مع مستخدمي Ente الآخرين، بما في ذلك المستخدمين ذوي الاشتراكات المجانية."), + "sharedByMe": + MessageLookupByLibrary.simpleMessage("تمت مشاركتها بواسطتي"), + "sharedByYou": + MessageLookupByLibrary.simpleMessage("تمت مشاركتها بواسطتك"), + "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( + "إشعارات الصور المشتركة الجديدة"), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "تلقّ إشعارات عندما يضيف شخص ما صورة إلى ألبوم مشترك أنت جزء منه."), + "sharedWith": m87, + "sharedWithMe": + MessageLookupByLibrary.simpleMessage("تمت مشاركتها معي"), + "sharedWithYou": + MessageLookupByLibrary.simpleMessage("تمت مشاركتها معك"), + "sharing": MessageLookupByLibrary.simpleMessage("جارٍ المشاركة..."), + "shiftDatesAndTime": + MessageLookupByLibrary.simpleMessage("تغيير التواريخ والوقت"), + "showLessFaces": MessageLookupByLibrary.simpleMessage("إظهار وجوه أقل"), + "showMemories": MessageLookupByLibrary.simpleMessage("عرض الذكريات"), + "showMoreFaces": + MessageLookupByLibrary.simpleMessage("إظهار المزيد من الوجوه"), + "showPerson": MessageLookupByLibrary.simpleMessage("إظهار الشخص"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "تسجيل الخروج من الأجهزة الأخرى"), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "إذا كنت تعتقد أن شخصًا ما قد يعرف كلمة مرورك، يمكنك إجبار جميع الأجهزة الأخرى التي تستخدم حسابك على تسجيل الخروج."), + "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( + "تسجيل الخروج من الأجهزة الأخرى"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "أوافق على شروط الخدمة وسياسة الخصوصية"), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "سيتم حذفه من جميع الألبومات."), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("تخط"), + "social": MessageLookupByLibrary.simpleMessage("التواصل الاجتماعي"), + "someItemsAreInBothEnteAndYourDevice": + MessageLookupByLibrary.simpleMessage( + "بعض العناصر موجودة في Ente وعلى جهازك."), + "someOfTheFilesYouAreTryingToDeleteAre": + MessageLookupByLibrary.simpleMessage( + "بعض الملفات التي تحاول حذفها متوفرة فقط على جهازك ولا يمكن استردادها إذا تم حذفها."), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "يجب أن يرى أي شخص يشارك ألبومات معك نفس معرّف التحقق على جهازه."), + "somethingWentWrong": + MessageLookupByLibrary.simpleMessage("حدث خطأ ما"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "حدث خطأ ما، يرجى المحاولة مرة أخرى"), + "sorry": MessageLookupByLibrary.simpleMessage("عفوًا"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "عذرًا، لم نتمكن من عمل نسخة احتياطية لهذا الملف الآن، سنعيد المحاولة لاحقًا."), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "عذرًا، تعذرت الإضافة إلى المفضلة!"), + "sorryCouldNotRemoveFromFavorites": + MessageLookupByLibrary.simpleMessage( + "عذرًا، تعذرت الإزالة من المفضلة!"), + "sorryTheCodeYouveEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "عذرًا، الرمز الذي أدخلته غير صحيح."), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "عذرًا، لم نتمكن من إنشاء مفاتيح آمنة على هذا الجهاز.\n\nيرجى التسجيل من جهاز مختلف."), + "sort": MessageLookupByLibrary.simpleMessage("فرز"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("فرز حسب"), + "sortNewestFirst": MessageLookupByLibrary.simpleMessage("الأحدث أولاً"), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage("الأقدم أولاً"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ نجاح"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": + MessageLookupByLibrary.simpleMessage("تسليط الضوء عليك"), + "startAccountRecoveryTitle": + MessageLookupByLibrary.simpleMessage("بدء الاسترداد"), + "startBackup": + MessageLookupByLibrary.simpleMessage("بدء النسخ الاحتياطي"), + "status": MessageLookupByLibrary.simpleMessage("الحالة"), + "stopCastingBody": + MessageLookupByLibrary.simpleMessage("هل تريد إيقاف البث؟"), + "stopCastingTitle": MessageLookupByLibrary.simpleMessage("إيقاف البث"), + "storage": MessageLookupByLibrary.simpleMessage("التخزين"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("العائلة"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("أنت"), + "storageInGB": m93, + "storageLimitExceeded": + MessageLookupByLibrary.simpleMessage("تم تجاوز حد التخزين"), + "storageUsageInfo": m94, + "streamDetails": MessageLookupByLibrary.simpleMessage("تفاصيل البث"), + "strongStrength": MessageLookupByLibrary.simpleMessage("قوية"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("اشتراك"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "المشاركة متاحة فقط للاشتراكات المدفوعة النشطة."), + "subscription": MessageLookupByLibrary.simpleMessage("الاشتراك"), + "success": MessageLookupByLibrary.simpleMessage("تم بنجاح"), + "successfullyArchived": + MessageLookupByLibrary.simpleMessage("تمت الأرشفة بنجاح."), + "successfullyHid": + MessageLookupByLibrary.simpleMessage("تم الإخفاء بنجاح."), + "successfullyUnarchived": + MessageLookupByLibrary.simpleMessage("تم إلغاء الأرشفة بنجاح."), + "successfullyUnhid": + MessageLookupByLibrary.simpleMessage("تم الإظهار بنجاح."), + "suggestFeatures": MessageLookupByLibrary.simpleMessage("اقتراح ميزة"), + "sunrise": MessageLookupByLibrary.simpleMessage("على الأفق"), + "support": MessageLookupByLibrary.simpleMessage("الدعم"), + "syncProgress": m97, + "syncStopped": MessageLookupByLibrary.simpleMessage("توقفت المزامنة"), + "syncing": MessageLookupByLibrary.simpleMessage("جارٍ المزامنة..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("النظام"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("انقر للنسخ"), + "tapToEnterCode": + MessageLookupByLibrary.simpleMessage("انقر لإدخال الرمز"), + "tapToUnlock": MessageLookupByLibrary.simpleMessage("انقر لفتح القفل"), + "tapToUpload": MessageLookupByLibrary.simpleMessage("انقر للتحميل"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "يبدو أن خطأً ما قد حدث. يرجى المحاولة مرة أخرى بعد بعض الوقت. إذا استمر الخطأ، يرجى الاتصال بفريق الدعم لدينا."), + "terminate": MessageLookupByLibrary.simpleMessage("إنهاء"), + "terminateSession": + MessageLookupByLibrary.simpleMessage("إنهاء الجَلسةِ؟"), + "terms": MessageLookupByLibrary.simpleMessage("الشروط"), + "termsOfServicesTitle": + MessageLookupByLibrary.simpleMessage("شروط الخدمة"), + "thankYou": MessageLookupByLibrary.simpleMessage("شكرًا لك"), + "thankYouForSubscribing": + MessageLookupByLibrary.simpleMessage("شكرًا لاشتراكك!"), + "theDownloadCouldNotBeCompleted": + MessageLookupByLibrary.simpleMessage("تعذر إكمال التنزيل"), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "انتهت صلاحية الرابط الذي تحاول الوصول إليه."), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "لن تظهر مجموعات الأشخاص في قسم الأشخاص بعد الآن. ستظل الصور دون تغيير."), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "لن يتم عرض هذا الشخص في قسم الأشخاص بعد الآن. الصور ستبقى كما هي دون تغيير."), + "theRecoveryKeyYouEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "مفتاح الاسترداد الذي أدخلته غير صحيح."), + "theme": MessageLookupByLibrary.simpleMessage("المظهر"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "سيتم حذف هذه العناصر من جهازك."), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "سيتم حذفها من جميع الألبومات."), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "لا يمكن التراجع عن هذا الإجراء."), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "هذا الألبوم لديه رابط تعاوني بالفعل."), + "thisCanBeUsedToRecoverYourAccountIfYou": + MessageLookupByLibrary.simpleMessage( + "يمكن استخدام هذا المفتاح لاستعادة حسابك إذا فقدت العامل الثاني للمصادقة"), + "thisDevice": MessageLookupByLibrary.simpleMessage("هذا الجهاز"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "هذا البريد الإلكتروني مستخدم بالفعل."), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "لا تحتوي هذه الصورة على بيانات EXIF."), + "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("هذا أنا!"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "هذا هو معرّف التحقق الخاص بك"), + "thisWeekThroughTheYears": + MessageLookupByLibrary.simpleMessage("هذا الأسبوع عبر السنين"), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "سيؤدي هذا إلى تسجيل خروجك من الجهاز التالي:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "سيؤدي هذا إلى تسجيل خروجك من هذا الجهاز!"), + "thisWillMakeTheDateAndTimeOfAllSelected": + MessageLookupByLibrary.simpleMessage( + "سيجعل هذا تاريخ ووقت جميع الصور المحددة متماثلاً."), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "سيؤدي هذا إلى إزالة الروابط العامة لجميع الروابط السريعة المحددة."), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "لتمكين قفل التطبيق، يرجى إعداد رمز مرور الجهاز أو قفل الشاشة في إعدادات النظام."), + "toHideAPhotoOrVideo": + MessageLookupByLibrary.simpleMessage("لإخفاء صورة أو مقطع فيديو:"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "لإعادة تعيين كلمة المرور، يرجى التحقق من بريدك الإلكتروني أولاً."), + "todaysLogs": MessageLookupByLibrary.simpleMessage("سجلات اليوم"), + "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( + "محاولات غير صحيحة كثيرة جدًا."), + "total": MessageLookupByLibrary.simpleMessage("المجموع"), + "totalSize": MessageLookupByLibrary.simpleMessage("الحجم الإجمالي"), + "trash": MessageLookupByLibrary.simpleMessage("سلة المهملات"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("قص"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": + MessageLookupByLibrary.simpleMessage("جهات الاتصال الموثوقة"), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("المحاولة مرة أخرى"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "قم بتشغيل النسخ الاحتياطي لتحميل الملفات المضافة إلى مجلد الجهاز هذا تلقائيًا إلى Ente."), + "twitter": MessageLookupByLibrary.simpleMessage("X (Twitter سابقًا)"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "شهرين مجانيين على الخطط السنوية."), + "twofactor": MessageLookupByLibrary.simpleMessage("المصادقة الثنائية"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage("تم تعطيل المصادقة الثنائية."), + "twofactorAuthenticationPageTitle": + MessageLookupByLibrary.simpleMessage("المصادقة الثنائية"), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "تمت إعادة تعيين المصادقة الثنائية بنجاح."), + "twofactorSetup": + MessageLookupByLibrary.simpleMessage("إعداد المصادقة الثنائية"), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("إلغاء الأرشفة"), + "unarchiveAlbum": + MessageLookupByLibrary.simpleMessage("إلغاء أرشفة الألبوم"), + "unarchiving": + MessageLookupByLibrary.simpleMessage("جارٍ إلغاء الأرشفة..."), + "unavailableReferralCode": + MessageLookupByLibrary.simpleMessage("عذرًا، هذا الرمز غير متوفر."), + "uncategorized": MessageLookupByLibrary.simpleMessage("غير مصنف"), + "unhide": MessageLookupByLibrary.simpleMessage("إظهار"), + "unhideToAlbum": + MessageLookupByLibrary.simpleMessage("إظهار في الألبوم"), + "unhiding": MessageLookupByLibrary.simpleMessage("جارٍ إظهار..."), + "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "جارٍ إظهار الملفات في الألبوم..."), + "unlock": MessageLookupByLibrary.simpleMessage("فتح"), + "unpinAlbum": + MessageLookupByLibrary.simpleMessage("إلغاء تثبيت الألبوم"), + "unselectAll": MessageLookupByLibrary.simpleMessage("إلغاء تحديد الكل"), + "update": MessageLookupByLibrary.simpleMessage("تحديث"), + "updateAvailable": MessageLookupByLibrary.simpleMessage("يتوفر تحديث"), + "updatingFolderSelection": + MessageLookupByLibrary.simpleMessage("جارٍ تحديث تحديد المجلد..."), + "upgrade": MessageLookupByLibrary.simpleMessage("ترقية"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "جارٍ تحميل الملفات إلى الألبوم..."), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": + MessageLookupByLibrary.simpleMessage("جارٍ حفظ ذكرى واحدة..."), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "خصم يصل إلى 50%، حتى 4 ديسمبر."), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "مساحة التخزين القابلة للاستخدام مقيدة بخطتك الحالية.\nالمساحة التخزينية الزائدة التي تمت المطالبة بها ستصبح قابلة للاستخدام تلقائيًا عند ترقية خطتك."), + "useAsCover": MessageLookupByLibrary.simpleMessage("استخدام كغلاف"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "هل تواجه مشكلة في تشغيل هذا الفيديو؟ اضغط مطولاً هنا لتجربة مشغل مختلف."), + "usePublicLinksForPeopleNotOnEnte": + MessageLookupByLibrary.simpleMessage( + "استخدم الروابط العامة للأشخاص غير المسجلين في Ente."), + "useRecoveryKey": + MessageLookupByLibrary.simpleMessage("استخدام مفتاح الاسترداد"), + "useSelectedPhoto": + MessageLookupByLibrary.simpleMessage("استخدام الصورة المحددة"), + "usedSpace": MessageLookupByLibrary.simpleMessage("المساحة المستخدمة"), + "validTill": m110, + "verificationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "فشل التحقق، يرجى المحاولة مرة أخرى."), + "verificationId": MessageLookupByLibrary.simpleMessage("معرّف التحقق"), + "verify": MessageLookupByLibrary.simpleMessage("التحقق"), + "verifyEmail": + MessageLookupByLibrary.simpleMessage("التحقق من البريد الإلكتروني"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("تحقق"), + "verifyPasskey": + MessageLookupByLibrary.simpleMessage("التحقق من مفتاح المرور"), + "verifyPassword": + MessageLookupByLibrary.simpleMessage("التحقق من كلمة المرور"), + "verifying": MessageLookupByLibrary.simpleMessage("جارٍ التحقق..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "جارٍ التحقق من مفتاح الاسترداد..."), + "videoInfo": MessageLookupByLibrary.simpleMessage("معلومات الفيديو"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("فيديو"), + "videoStreaming": + MessageLookupByLibrary.simpleMessage("مقاطع فيديو قابلة للبث"), + "videos": MessageLookupByLibrary.simpleMessage("مقاطع الفيديو"), + "viewActiveSessions": + MessageLookupByLibrary.simpleMessage("عرض الجلسات النشطة"), + "viewAddOnButton": MessageLookupByLibrary.simpleMessage("عرض الإضافات"), + "viewAll": MessageLookupByLibrary.simpleMessage("عرض الكل"), + "viewAllExifData": + MessageLookupByLibrary.simpleMessage("عرض جميع بيانات EXIF"), + "viewLargeFiles": + MessageLookupByLibrary.simpleMessage("الملفات الكبيرة"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "عرض الملفات التي تستهلك أكبر قدر من مساحة التخزين."), + "viewLogs": MessageLookupByLibrary.simpleMessage("عرض السجلات"), + "viewPersonToUnlink": m112, + "viewRecoveryKey": + MessageLookupByLibrary.simpleMessage("عرض مفتاح الاسترداد"), + "viewer": MessageLookupByLibrary.simpleMessage("مشاهد"), + "viewersSuccessfullyAdded": m113, + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "يرجى زيارة web.ente.io لإدارة اشتراكك."), + "waitingForVerification": + MessageLookupByLibrary.simpleMessage("في انتظار التحقق..."), + "waitingForWifi": + MessageLookupByLibrary.simpleMessage("في انتظار شبكة Wi-Fi..."), + "warning": MessageLookupByLibrary.simpleMessage("تحذير"), + "weAreOpenSource": + MessageLookupByLibrary.simpleMessage("نحن مفتوحو المصدر!"), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "لا ندعم تعديل الصور والألبومات التي لا تملكها بعد."), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("ضعيفة"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("أهلاً بعودتك!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("ما الجديد"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "يمكن لجهة الاتصال الموثوقة المساعدة في استعادة بياناتك."), + "widgets": MessageLookupByLibrary.simpleMessage("عناصر واجهة"), + "wishThemAHappyBirthday": m115, + "yearShort": MessageLookupByLibrary.simpleMessage("سنة"), + "yearly": MessageLookupByLibrary.simpleMessage("سنويًا"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("نعم"), + "yesCancel": MessageLookupByLibrary.simpleMessage("نعم، إلغاء"), + "yesConvertToViewer": + MessageLookupByLibrary.simpleMessage("نعم، التحويل إلى مشاهد"), + "yesDelete": MessageLookupByLibrary.simpleMessage("نعم، حذف"), + "yesDiscardChanges": + MessageLookupByLibrary.simpleMessage("نعم، تجاهل التغييرات"), + "yesIgnore": MessageLookupByLibrary.simpleMessage("نعم، تجاهل"), + "yesLogout": MessageLookupByLibrary.simpleMessage("نعم، تسجيل الخروج"), + "yesRemove": MessageLookupByLibrary.simpleMessage("نعم، إزالة"), + "yesRenew": MessageLookupByLibrary.simpleMessage("نعم، تجديد"), + "yesResetPerson": + MessageLookupByLibrary.simpleMessage("نعم، إعادة تعيين الشخص"), + "you": MessageLookupByLibrary.simpleMessage("أنت"), + "youAndThem": m117, + "youAreOnAFamilyPlan": + MessageLookupByLibrary.simpleMessage("أنت مشترك في خطة عائلية!"), + "youAreOnTheLatestVersion": + MessageLookupByLibrary.simpleMessage("أنت تستخدم أحدث إصدار."), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* يمكنك مضاعفة مساحة التخزين الخاصة بك بحد أقصى"), + "youCanManageYourLinksInTheShareTab": + MessageLookupByLibrary.simpleMessage( + "يمكنك إدارة روابطك في علامة تبويب المشاركة."), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "يمكنك محاولة البحث عن استعلام مختلف."), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "لا يمكنك الترقية إلى هذه الخطة."), + "youCannotShareWithYourself": + MessageLookupByLibrary.simpleMessage("لا يمكنك المشاركة مع نفسك."), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "لا توجد لديك أي عناصر مؤرشفة."), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": + MessageLookupByLibrary.simpleMessage("تم حذف حسابك بنجاح"), + "yourMap": MessageLookupByLibrary.simpleMessage("خريطتك"), + "yourPlanWasSuccessfullyDowngraded": + MessageLookupByLibrary.simpleMessage("تم تخفيض خطتك بنجاح."), + "yourPlanWasSuccessfullyUpgraded": + MessageLookupByLibrary.simpleMessage("تمت ترقية خطتك بنجاح."), + "yourPurchaseWasSuccessful": + MessageLookupByLibrary.simpleMessage("تم الشراء بنجاح."), + "yourStorageDetailsCouldNotBeFetched": + MessageLookupByLibrary.simpleMessage( + "تعذر جلب تفاصيل التخزين الخاصة بك."), + "yourSubscriptionHasExpired": + MessageLookupByLibrary.simpleMessage("انتهت صلاحية اشتراكك"), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage("تم تحديث اشتراكك بنجاح."), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "انتهت صلاحية رمز التحقق الخاص بك."), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "لا توجد لديك أي ملفات مكررة يمكن مسحها"), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "لا توجد لديك ملفات في هذا الألبوم يمكن حذفها."), + "zoomOutToSeePhotos": + MessageLookupByLibrary.simpleMessage("قم بالتصغير لرؤية الصور") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_be.dart b/mobile/apps/photos/lib/generated/intl/messages_be.dart index d42fc43ea6..41a53c6eaf 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_be.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_be.dart @@ -30,334 +30,276 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "about": MessageLookupByLibrary.simpleMessage("Пра праграму"), - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage("З вяртаннем!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Я ўсведамляю, што калі я страчу свой пароль, то я магу згубіць свае даныя, бо мае даныя абаронены скразным шыфраваннем.", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage("Актыўныя сеансы"), - "addMore": MessageLookupByLibrary.simpleMessage("Дадаць яшчэ"), - "addViewer": MessageLookupByLibrary.simpleMessage("Дадаць гледача"), - "after1Day": MessageLookupByLibrary.simpleMessage("Праз 1 дзень"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Праз 1 гадзіну"), - "after1Month": MessageLookupByLibrary.simpleMessage("Праз 1 месяц"), - "after1Week": MessageLookupByLibrary.simpleMessage("Праз 1 тыдзень"), - "after1Year": MessageLookupByLibrary.simpleMessage("Праз 1 год"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Уладальнік"), - "apply": MessageLookupByLibrary.simpleMessage("Ужыць"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Якая асноўная прычына выдалення вашага ўліковага запісу?", - ), - "backup": MessageLookupByLibrary.simpleMessage("Рэзервовая копія"), - "cancel": MessageLookupByLibrary.simpleMessage("Скасаваць"), - "change": MessageLookupByLibrary.simpleMessage("Змяніць"), - "changeEmail": MessageLookupByLibrary.simpleMessage( - "Змяніць адрас электроннай пошты", - ), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Змяніць пароль", - ), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Праверце свае ўваходныя лісты (і спам) для завяршэння праверкі", - ), - "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage("Код ужыты"), - "confirm": MessageLookupByLibrary.simpleMessage("Пацвердзіць"), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Пацвердзіць выдаленне ўліковага запісу", - ), - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Так. Я хачу незваротна выдаліць гэты ўліковы запіс і яго даныя ва ўсіх праграмах.", - ), - "confirmPassword": MessageLookupByLibrary.simpleMessage( - "Пацвердзіць пароль", - ), - "contactSupport": MessageLookupByLibrary.simpleMessage( - "Звярніцеся ў службу падтрымкі", - ), - "continueLabel": MessageLookupByLibrary.simpleMessage("Працягнуць"), - "copyLink": MessageLookupByLibrary.simpleMessage("Скапіяваць спасылку"), - "createAccount": MessageLookupByLibrary.simpleMessage( - "Стварыць уліковы запіс", - ), - "createNewAccount": MessageLookupByLibrary.simpleMessage( - "Стварыць новы ўліковы запіс", - ), - "darkTheme": MessageLookupByLibrary.simpleMessage("Цёмная"), - "decrypting": MessageLookupByLibrary.simpleMessage("Расшыфроўка..."), - "deleteAccount": MessageLookupByLibrary.simpleMessage( - "Выдаліць уліковы запіс", - ), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Нам шкада, што вы выдаляеце свой уліковы запіс. Абагуліце з намі водгук, каб дапамагчы нам палепшыць сэрвіс.", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Незваротна выдаліць уліковы запіс", - ), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Выдаліць альбом"), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Адпраўце ліст на account-deletion@ente.io з вашага зарэгістраванага адраса электроннай пошты.", - ), - "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Выдаліць з Ente"), - "deletePhotos": MessageLookupByLibrary.simpleMessage("Выдаліць фота"), - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "У вас адсутнічае важная функцыя, якая мне неабходна", - ), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "Праграма або пэўная функцыя не паводзіць сябе так, як павінна", - ), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Я знайшоў больш прывабны сэрвіс", - ), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "Прычына адсутнічае ў спісе", - ), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Ваш запыт будзе апрацаваны цягам 72 гадзін.", - ), - "details": MessageLookupByLibrary.simpleMessage("Падрабязнасці"), - "discover_food": MessageLookupByLibrary.simpleMessage("Ежа"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Нататкі"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Хатнія жывёлы"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Чэкі"), - "discover_screenshots": MessageLookupByLibrary.simpleMessage("Скрыншоты"), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Сэлфi"), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Шпалеры"), - "doThisLater": MessageLookupByLibrary.simpleMessage("Зрабіць гэта пазней"), - "done": MessageLookupByLibrary.simpleMessage("Гатова"), - "email": MessageLookupByLibrary.simpleMessage("Электронная пошта"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "Электронная пошта ўжо зарэгістравана.", - ), - "encryption": MessageLookupByLibrary.simpleMessage("Шыфраванне"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage("Ключы шыфравання"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Праграме неабходны доступ для захавання вашых фатаграфій", - ), - "enterCode": MessageLookupByLibrary.simpleMessage("Увядзіце код"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Увядзіце новы пароль, каб мы маглі выкарыстаць яго для расшыфроўкі вашых даных", - ), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Увядзіце пароль, каб мы маглі выкарыстаць яго для расшыфроўкі вашых даных", - ), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Увядзіце сапраўдны адрас электронная пошты.", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Увядзіце свой адрас электроннай пошты", - ), - "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( - "Увядзіце ваш новы адрас электроннай пошты", - ), - "enterYourPassword": MessageLookupByLibrary.simpleMessage( - "Увядзіце свой пароль", - ), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Увядзіце свой ключ аднаўлення", - ), - "familyPlans": MessageLookupByLibrary.simpleMessage( - "Сямейныя тарыфныя планы", - ), - "faq": MessageLookupByLibrary.simpleMessage("Частыя пытанні"), - "faqs": MessageLookupByLibrary.simpleMessage("Частыя пытанні"), - "feedback": MessageLookupByLibrary.simpleMessage("Водгук"), - "forgotPassword": MessageLookupByLibrary.simpleMessage("Забыліся пароль"), - "freeTrial": MessageLookupByLibrary.simpleMessage( - "Бясплатная пробная версія", - ), - "general": MessageLookupByLibrary.simpleMessage("Асноўныя"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Генерацыя ключоў шыфравання...", - ), - "howItWorks": MessageLookupByLibrary.simpleMessage("Як гэта працуе"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Iгнараваць"), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Няправільны пароль", - ), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "Вы ўвялі памылковы ключ аднаўлення", - ), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Няправільны ключ аднаўлення", - ), - "insecureDevice": MessageLookupByLibrary.simpleMessage( - "Небяспечная прылада", - ), - "installManually": MessageLookupByLibrary.simpleMessage( - "Усталяваць уручную", - ), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "Памылковы адрас электроннай пошты", - ), - "invalidKey": MessageLookupByLibrary.simpleMessage("Няправільны ключ"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Калі ласка, дапамажыце нам з гэтай інфармацыяй", - ), - "lightTheme": MessageLookupByLibrary.simpleMessage("Светлая"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Пратэрмінавана"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Ніколі"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Замкнуць"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Экран блакіроўкі"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Увайсці"), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Націскаючы ўвайсці, я пагаджаюся з умовамі абслугоўвання і палітыкай прыватнасці", - ), - "logout": MessageLookupByLibrary.simpleMessage("Выйсці"), - "lostDevice": MessageLookupByLibrary.simpleMessage("Згубілі прыладу?"), - "magicSearch": MessageLookupByLibrary.simpleMessage("Магічны пошук"), - "manage": MessageLookupByLibrary.simpleMessage("Кіраванне"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Кіраванне"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Умераны"), - "never": MessageLookupByLibrary.simpleMessage("Ніколі"), - "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Няма дублікатаў"), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Няма ключа аднаўлення?", - ), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Вашы даныя не могуць быць расшыфраваны без пароля або ключа аднаўлення па прычыне архітэктуры наша пратакола скразнога шыфравання", - ), - "notifications": MessageLookupByLibrary.simpleMessage("Апавяшчэнні"), - "ok": MessageLookupByLibrary.simpleMessage("Добра"), - "oops": MessageLookupByLibrary.simpleMessage("Вой"), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Штосьці пайшло не так", - ), - "password": MessageLookupByLibrary.simpleMessage("Пароль"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Пароль паспяхова зменены", - ), - "passwordStrength": m57, - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Мы не захоўваем гэты пароль і мы не зможам расшыфраваць вашы даныя, калі вы забудзеце яго", - ), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("фота"), - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Паспрабуйце яшчэ раз", - ), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Пачакайце..."), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( - "Палітыка прыватнасці", - ), - "rateUs": MessageLookupByLibrary.simpleMessage("Ацаніце нас"), - "recover": MessageLookupByLibrary.simpleMessage("Аднавіць"), - "recoverAccount": MessageLookupByLibrary.simpleMessage( - "Аднавіць уліковы запіс", - ), - "recoverButton": MessageLookupByLibrary.simpleMessage("Аднавіць"), - "recoveryKey": MessageLookupByLibrary.simpleMessage("Ключ аднаўлення"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Ключ аднаўлення скапіяваны ў буфер абмену", - ), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Адзіным спосабам аднавіць вашы даныя з\'яўляецца гэты ключ, калі вы забылі свой пароль.", - ), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Захавайце гэты ключ, які складаецца з 24 слоў, у наедзеным месцы. Ён не захоўваецца на нашым серверы.", - ), - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "Паспяховае аднаўленне!", - ), - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "У бягучай прылады недастаткова вылічальнай здольнасці для праверкі вашага паролю, але мы можам регенерыраваць яго, бо гэта працуе з усімі прыладамі.\n\nУвайдзіце, выкарыстоўваючы свой ключа аднаўлення і регенерыруйце свой пароль (калі хочаце, то можаце выбраць папярэдні пароль).", - ), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Стварыць пароль паўторна", - ), - "remove": MessageLookupByLibrary.simpleMessage("Выдаліць"), - "removeDuplicates": MessageLookupByLibrary.simpleMessage( - "Выдаліць дублікаты", - ), - "removeParticipant": MessageLookupByLibrary.simpleMessage( - "Выдаліць удзельніка", - ), - "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Выдаліць?"), - "resendEmail": MessageLookupByLibrary.simpleMessage( - "Адправіць ліст яшчэ раз", - ), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Скінуць пароль", - ), - "retry": MessageLookupByLibrary.simpleMessage("Паўтарыць"), - "saveKey": MessageLookupByLibrary.simpleMessage("Захаваць ключ"), - "scanCode": MessageLookupByLibrary.simpleMessage("Сканіраваць код"), - "security": MessageLookupByLibrary.simpleMessage("Бяспека"), - "selectAll": MessageLookupByLibrary.simpleMessage("Абраць усё"), - "selectReason": MessageLookupByLibrary.simpleMessage("Выберыце прычыну"), - "sendEmail": MessageLookupByLibrary.simpleMessage("Адправіць ліст"), - "sendLink": MessageLookupByLibrary.simpleMessage("Адправіць спасылку"), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage("Задаць пароль"), - "setupComplete": MessageLookupByLibrary.simpleMessage( - "Наладжванне завершана", - ), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Я пагаджаюся з умовамі абслугоўвання і палітыкай прыватнасці", - ), - "skip": MessageLookupByLibrary.simpleMessage("Прапусціць"), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Нешта пайшло не так. Паспрабуйце яшчэ раз", - ), - "sorry": MessageLookupByLibrary.simpleMessage("Прабачце"), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Немагчыма згенерыраваць ключы бяспекі на гэтай прыладзе.\n\nЗарэгіструйцеся з іншай прылады.", - ), - "status": MessageLookupByLibrary.simpleMessage("Стан"), - "storageInGB": m93, - "strongStrength": MessageLookupByLibrary.simpleMessage("Надзейны"), - "support": MessageLookupByLibrary.simpleMessage("Падтрымка"), - "systemTheme": MessageLookupByLibrary.simpleMessage("Сістэма"), - "tapToCopy": MessageLookupByLibrary.simpleMessage( - "націсніце, каб скапіяваць", - ), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage( - "Націсніце, каб увесці код", - ), - "terminate": MessageLookupByLibrary.simpleMessage("Перарваць"), - "terminateSession": MessageLookupByLibrary.simpleMessage( - "Перарваць сеанс?", - ), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Умовы"), - "theme": MessageLookupByLibrary.simpleMessage("Тема"), - "thisDevice": MessageLookupByLibrary.simpleMessage("Гэта прылада"), - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Гэта дзеянне завяршыць сеанс на наступнай прыладзе:", - ), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Гэта дзеянне завяршыць сеанс на вашай прыладзе!", - ), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Праверце электронную пошту, каб скінуць свой пароль.", - ), - "trash": MessageLookupByLibrary.simpleMessage("Сметніца"), - "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( - "Двухфактарная аўтэнтыфікацыя", - ), - "uncategorized": MessageLookupByLibrary.simpleMessage("Без катэгорыі"), - "update": MessageLookupByLibrary.simpleMessage("Абнавіць"), - "updateAvailable": MessageLookupByLibrary.simpleMessage( - "Даступна абнаўленне", - ), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Выкарыстоўваць ключ аднаўлення", - ), - "verify": MessageLookupByLibrary.simpleMessage("Праверыць"), - "verifyEmail": MessageLookupByLibrary.simpleMessage( - "Праверыць электронную пошту", - ), - "verifyPassword": MessageLookupByLibrary.simpleMessage("Праверыць пароль"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("відэа"), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Вялікія файлы"), - "viewer": MessageLookupByLibrary.simpleMessage("Праглядальнік"), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Ненадзейны"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("З вяртаннем!"), - "yesDelete": MessageLookupByLibrary.simpleMessage("Так, выдаліць"), - "yesLogout": MessageLookupByLibrary.simpleMessage("Так, выйсці"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Так, выдаліць"), - "you": MessageLookupByLibrary.simpleMessage("Вы"), - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "Ваш уліковы запіс быў выдалены", - ), - }; + "about": MessageLookupByLibrary.simpleMessage("Пра праграму"), + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("З вяртаннем!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Я ўсведамляю, што калі я страчу свой пароль, то я магу згубіць свае даныя, бо мае даныя абаронены скразным шыфраваннем."), + "activeSessions": + MessageLookupByLibrary.simpleMessage("Актыўныя сеансы"), + "addMore": MessageLookupByLibrary.simpleMessage("Дадаць яшчэ"), + "addViewer": MessageLookupByLibrary.simpleMessage("Дадаць гледача"), + "after1Day": MessageLookupByLibrary.simpleMessage("Праз 1 дзень"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Праз 1 гадзіну"), + "after1Month": MessageLookupByLibrary.simpleMessage("Праз 1 месяц"), + "after1Week": MessageLookupByLibrary.simpleMessage("Праз 1 тыдзень"), + "after1Year": MessageLookupByLibrary.simpleMessage("Праз 1 год"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Уладальнік"), + "apply": MessageLookupByLibrary.simpleMessage("Ужыць"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Якая асноўная прычына выдалення вашага ўліковага запісу?"), + "backup": MessageLookupByLibrary.simpleMessage("Рэзервовая копія"), + "cancel": MessageLookupByLibrary.simpleMessage("Скасаваць"), + "change": MessageLookupByLibrary.simpleMessage("Змяніць"), + "changeEmail": MessageLookupByLibrary.simpleMessage( + "Змяніць адрас электроннай пошты"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("Змяніць пароль"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Праверце свае ўваходныя лісты (і спам) для завяршэння праверкі"), + "codeAppliedPageTitle": + MessageLookupByLibrary.simpleMessage("Код ужыты"), + "confirm": MessageLookupByLibrary.simpleMessage("Пацвердзіць"), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Пацвердзіць выдаленне ўліковага запісу"), + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Так. Я хачу незваротна выдаліць гэты ўліковы запіс і яго даныя ва ўсіх праграмах."), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("Пацвердзіць пароль"), + "contactSupport": MessageLookupByLibrary.simpleMessage( + "Звярніцеся ў службу падтрымкі"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Працягнуць"), + "copyLink": MessageLookupByLibrary.simpleMessage("Скапіяваць спасылку"), + "createAccount": + MessageLookupByLibrary.simpleMessage("Стварыць уліковы запіс"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("Стварыць новы ўліковы запіс"), + "darkTheme": MessageLookupByLibrary.simpleMessage("Цёмная"), + "decrypting": MessageLookupByLibrary.simpleMessage("Расшыфроўка..."), + "deleteAccount": + MessageLookupByLibrary.simpleMessage("Выдаліць уліковы запіс"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Нам шкада, што вы выдаляеце свой уліковы запіс. Абагуліце з намі водгук, каб дапамагчы нам палепшыць сэрвіс."), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Незваротна выдаліць уліковы запіс"), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Выдаліць альбом"), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Адпраўце ліст на account-deletion@ente.io з вашага зарэгістраванага адраса электроннай пошты."), + "deleteFromEnte": + MessageLookupByLibrary.simpleMessage("Выдаліць з Ente"), + "deletePhotos": MessageLookupByLibrary.simpleMessage("Выдаліць фота"), + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "У вас адсутнічае важная функцыя, якая мне неабходна"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "Праграма або пэўная функцыя не паводзіць сябе так, як павінна"), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Я знайшоў больш прывабны сэрвіс"), + "deleteReason4": + MessageLookupByLibrary.simpleMessage("Прычына адсутнічае ў спісе"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Ваш запыт будзе апрацаваны цягам 72 гадзін."), + "details": MessageLookupByLibrary.simpleMessage("Падрабязнасці"), + "discover_food": MessageLookupByLibrary.simpleMessage("Ежа"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Нататкі"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Хатнія жывёлы"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Чэкі"), + "discover_screenshots": + MessageLookupByLibrary.simpleMessage("Скрыншоты"), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Сэлфi"), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Шпалеры"), + "doThisLater": + MessageLookupByLibrary.simpleMessage("Зрабіць гэта пазней"), + "done": MessageLookupByLibrary.simpleMessage("Гатова"), + "email": MessageLookupByLibrary.simpleMessage("Электронная пошта"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "Электронная пошта ўжо зарэгістравана."), + "encryption": MessageLookupByLibrary.simpleMessage("Шыфраванне"), + "encryptionKeys": + MessageLookupByLibrary.simpleMessage("Ключы шыфравання"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Праграме неабходны доступ для захавання вашых фатаграфій"), + "enterCode": MessageLookupByLibrary.simpleMessage("Увядзіце код"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Увядзіце новы пароль, каб мы маглі выкарыстаць яго для расшыфроўкі вашых даных"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Увядзіце пароль, каб мы маглі выкарыстаць яго для расшыфроўкі вашых даных"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Увядзіце сапраўдны адрас электронная пошты."), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Увядзіце свой адрас электроннай пошты"), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Увядзіце ваш новы адрас электроннай пошты"), + "enterYourPassword": + MessageLookupByLibrary.simpleMessage("Увядзіце свой пароль"), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Увядзіце свой ключ аднаўлення"), + "familyPlans": + MessageLookupByLibrary.simpleMessage("Сямейныя тарыфныя планы"), + "faq": MessageLookupByLibrary.simpleMessage("Частыя пытанні"), + "faqs": MessageLookupByLibrary.simpleMessage("Частыя пытанні"), + "feedback": MessageLookupByLibrary.simpleMessage("Водгук"), + "forgotPassword": + MessageLookupByLibrary.simpleMessage("Забыліся пароль"), + "freeTrial": + MessageLookupByLibrary.simpleMessage("Бясплатная пробная версія"), + "general": MessageLookupByLibrary.simpleMessage("Асноўныя"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Генерацыя ключоў шыфравання..."), + "howItWorks": MessageLookupByLibrary.simpleMessage("Як гэта працуе"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Iгнараваць"), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("Няправільны пароль"), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Вы ўвялі памылковы ключ аднаўлення"), + "incorrectRecoveryKeyTitle": + MessageLookupByLibrary.simpleMessage("Няправільны ключ аднаўлення"), + "insecureDevice": + MessageLookupByLibrary.simpleMessage("Небяспечная прылада"), + "installManually": + MessageLookupByLibrary.simpleMessage("Усталяваць уручную"), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "Памылковы адрас электроннай пошты"), + "invalidKey": MessageLookupByLibrary.simpleMessage("Няправільны ключ"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Калі ласка, дапамажыце нам з гэтай інфармацыяй"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Светлая"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Пратэрмінавана"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Ніколі"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Замкнуць"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Экран блакіроўкі"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Увайсці"), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Націскаючы ўвайсці, я пагаджаюся з умовамі абслугоўвання і палітыкай прыватнасці"), + "logout": MessageLookupByLibrary.simpleMessage("Выйсці"), + "lostDevice": MessageLookupByLibrary.simpleMessage("Згубілі прыладу?"), + "magicSearch": MessageLookupByLibrary.simpleMessage("Магічны пошук"), + "manage": MessageLookupByLibrary.simpleMessage("Кіраванне"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Кіраванне"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Умераны"), + "never": MessageLookupByLibrary.simpleMessage("Ніколі"), + "noDuplicates": + MessageLookupByLibrary.simpleMessage("✨ Няма дублікатаў"), + "noRecoveryKey": + MessageLookupByLibrary.simpleMessage("Няма ключа аднаўлення?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Вашы даныя не могуць быць расшыфраваны без пароля або ключа аднаўлення па прычыне архітэктуры наша пратакола скразнога шыфравання"), + "notifications": MessageLookupByLibrary.simpleMessage("Апавяшчэнні"), + "ok": MessageLookupByLibrary.simpleMessage("Добра"), + "oops": MessageLookupByLibrary.simpleMessage("Вой"), + "oopsSomethingWentWrong": + MessageLookupByLibrary.simpleMessage("Штосьці пайшло не так"), + "password": MessageLookupByLibrary.simpleMessage("Пароль"), + "passwordChangedSuccessfully": + MessageLookupByLibrary.simpleMessage("Пароль паспяхова зменены"), + "passwordStrength": m57, + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Мы не захоўваем гэты пароль і мы не зможам расшыфраваць вашы даныя, калі вы забудзеце яго"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("фота"), + "pleaseTryAgain": + MessageLookupByLibrary.simpleMessage("Паспрабуйце яшчэ раз"), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Пачакайце..."), + "privacyPolicyTitle": + MessageLookupByLibrary.simpleMessage("Палітыка прыватнасці"), + "rateUs": MessageLookupByLibrary.simpleMessage("Ацаніце нас"), + "recover": MessageLookupByLibrary.simpleMessage("Аднавіць"), + "recoverAccount": + MessageLookupByLibrary.simpleMessage("Аднавіць уліковы запіс"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Аднавіць"), + "recoveryKey": MessageLookupByLibrary.simpleMessage("Ключ аднаўлення"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Ключ аднаўлення скапіяваны ў буфер абмену"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Адзіным спосабам аднавіць вашы даныя з\'яўляецца гэты ключ, калі вы забылі свой пароль."), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Захавайце гэты ключ, які складаецца з 24 слоў, у наедзеным месцы. Ён не захоўваецца на нашым серверы."), + "recoverySuccessful": + MessageLookupByLibrary.simpleMessage("Паспяховае аднаўленне!"), + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "У бягучай прылады недастаткова вылічальнай здольнасці для праверкі вашага паролю, але мы можам регенерыраваць яго, бо гэта працуе з усімі прыладамі.\n\nУвайдзіце, выкарыстоўваючы свой ключа аднаўлення і регенерыруйце свой пароль (калі хочаце, то можаце выбраць папярэдні пароль)."), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("Стварыць пароль паўторна"), + "remove": MessageLookupByLibrary.simpleMessage("Выдаліць"), + "removeDuplicates": + MessageLookupByLibrary.simpleMessage("Выдаліць дублікаты"), + "removeParticipant": + MessageLookupByLibrary.simpleMessage("Выдаліць удзельніка"), + "removeWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Выдаліць?"), + "resendEmail": + MessageLookupByLibrary.simpleMessage("Адправіць ліст яшчэ раз"), + "resetPasswordTitle": + MessageLookupByLibrary.simpleMessage("Скінуць пароль"), + "retry": MessageLookupByLibrary.simpleMessage("Паўтарыць"), + "saveKey": MessageLookupByLibrary.simpleMessage("Захаваць ключ"), + "scanCode": MessageLookupByLibrary.simpleMessage("Сканіраваць код"), + "security": MessageLookupByLibrary.simpleMessage("Бяспека"), + "selectAll": MessageLookupByLibrary.simpleMessage("Абраць усё"), + "selectReason": + MessageLookupByLibrary.simpleMessage("Выберыце прычыну"), + "sendEmail": MessageLookupByLibrary.simpleMessage("Адправіць ліст"), + "sendLink": MessageLookupByLibrary.simpleMessage("Адправіць спасылку"), + "setPasswordTitle": + MessageLookupByLibrary.simpleMessage("Задаць пароль"), + "setupComplete": + MessageLookupByLibrary.simpleMessage("Наладжванне завершана"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Я пагаджаюся з умовамі абслугоўвання і палітыкай прыватнасці"), + "skip": MessageLookupByLibrary.simpleMessage("Прапусціць"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Нешта пайшло не так. Паспрабуйце яшчэ раз"), + "sorry": MessageLookupByLibrary.simpleMessage("Прабачце"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Немагчыма згенерыраваць ключы бяспекі на гэтай прыладзе.\n\nЗарэгіструйцеся з іншай прылады."), + "status": MessageLookupByLibrary.simpleMessage("Стан"), + "storageInGB": m93, + "strongStrength": MessageLookupByLibrary.simpleMessage("Надзейны"), + "support": MessageLookupByLibrary.simpleMessage("Падтрымка"), + "systemTheme": MessageLookupByLibrary.simpleMessage("Сістэма"), + "tapToCopy": + MessageLookupByLibrary.simpleMessage("націсніце, каб скапіяваць"), + "tapToEnterCode": + MessageLookupByLibrary.simpleMessage("Націсніце, каб увесці код"), + "terminate": MessageLookupByLibrary.simpleMessage("Перарваць"), + "terminateSession": + MessageLookupByLibrary.simpleMessage("Перарваць сеанс?"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Умовы"), + "theme": MessageLookupByLibrary.simpleMessage("Тема"), + "thisDevice": MessageLookupByLibrary.simpleMessage("Гэта прылада"), + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Гэта дзеянне завяршыць сеанс на наступнай прыладзе:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Гэта дзеянне завяршыць сеанс на вашай прыладзе!"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Праверце электронную пошту, каб скінуць свой пароль."), + "trash": MessageLookupByLibrary.simpleMessage("Сметніца"), + "twofactorAuthenticationPageTitle": + MessageLookupByLibrary.simpleMessage( + "Двухфактарная аўтэнтыфікацыя"), + "uncategorized": MessageLookupByLibrary.simpleMessage("Без катэгорыі"), + "update": MessageLookupByLibrary.simpleMessage("Абнавіць"), + "updateAvailable": + MessageLookupByLibrary.simpleMessage("Даступна абнаўленне"), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Выкарыстоўваць ключ аднаўлення"), + "verify": MessageLookupByLibrary.simpleMessage("Праверыць"), + "verifyEmail": + MessageLookupByLibrary.simpleMessage("Праверыць электронную пошту"), + "verifyPassword": + MessageLookupByLibrary.simpleMessage("Праверыць пароль"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("відэа"), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Вялікія файлы"), + "viewer": MessageLookupByLibrary.simpleMessage("Праглядальнік"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Ненадзейны"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("З вяртаннем!"), + "yesDelete": MessageLookupByLibrary.simpleMessage("Так, выдаліць"), + "yesLogout": MessageLookupByLibrary.simpleMessage("Так, выйсці"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Так, выдаліць"), + "you": MessageLookupByLibrary.simpleMessage("Вы"), + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "Ваш уліковы запіс быў выдалены") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_cs.dart b/mobile/apps/photos/lib/generated/intl/messages_cs.dart index d5a4aa3690..18276d61ee 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_cs.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_cs.dart @@ -45,674 +45,601 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Je dostupná nová verze Ente.", - ), - "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( - "Přijmout pozvání", - ), - "account": MessageLookupByLibrary.simpleMessage("Účet"), - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage("Vítejte zpět!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Rozumím, že pokud zapomenu své heslo, mohu přijít o data, jelikož má data jsou koncově šifrována.", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage("Aktivní relace"), - "add": MessageLookupByLibrary.simpleMessage("Přidat"), - "addFiles": MessageLookupByLibrary.simpleMessage("Přidat soubory"), - "addLocation": MessageLookupByLibrary.simpleMessage("Přidat polohu"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Přidat"), - "addMore": MessageLookupByLibrary.simpleMessage("Přidat další"), - "addName": MessageLookupByLibrary.simpleMessage("Přidat název"), - "addNew": MessageLookupByLibrary.simpleMessage("Přidat nový"), - "addNewPerson": MessageLookupByLibrary.simpleMessage("Přidat novou osobu"), - "addPhotos": MessageLookupByLibrary.simpleMessage("Přidat fotky"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("Přidat do alba"), - "addedSuccessfullyTo": m6, - "advancedSettings": MessageLookupByLibrary.simpleMessage("Pokročilé"), - "after1Day": MessageLookupByLibrary.simpleMessage("Po 1 dni"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Po 1 hodině"), - "after1Month": MessageLookupByLibrary.simpleMessage("Po 1 měsíci"), - "after1Week": MessageLookupByLibrary.simpleMessage("Po 1 týdnu"), - "after1Year": MessageLookupByLibrary.simpleMessage("Po 1 roce"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Vlastník"), - "albumUpdated": MessageLookupByLibrary.simpleMessage( - "Album bylo aktualizováno", - ), - "albums": MessageLookupByLibrary.simpleMessage("Alba"), - "allow": MessageLookupByLibrary.simpleMessage("Povolit"), - "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( - "Je požadováno biometrické ověření", - ), - "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage( - "Úspěšně dokončeno", - ), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Zrušit"), - "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), - "apply": MessageLookupByLibrary.simpleMessage("Použít"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("Archivovat album"), - "archiving": MessageLookupByLibrary.simpleMessage("Archivování..."), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Opravdu se chcete odhlásit?", - ), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Jaký je váš hlavní důvod, proč mažete svůj účet?", - ), - "autoLock": MessageLookupByLibrary.simpleMessage("Automatické zamykání"), - "backedUpFolders": MessageLookupByLibrary.simpleMessage( - "Zálohované složky", - ), - "backup": MessageLookupByLibrary.simpleMessage("Zálohovat"), - "backupFile": MessageLookupByLibrary.simpleMessage("Zálohovat soubor"), - "backupStatus": MessageLookupByLibrary.simpleMessage("Stav zálohování"), - "birthday": MessageLookupByLibrary.simpleMessage("Narozeniny"), - "blog": MessageLookupByLibrary.simpleMessage("Blog"), - "cachedData": MessageLookupByLibrary.simpleMessage( - "Data uložená v mezipaměti", - ), - "calculating": MessageLookupByLibrary.simpleMessage("Probíhá výpočet..."), - "cancel": MessageLookupByLibrary.simpleMessage("Zrušit"), - "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( - "Zrušit obnovení", - ), - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Sdílené soubory nelze odstranit", - ), - "changeEmail": MessageLookupByLibrary.simpleMessage("Změnit e-mail"), - "changePassword": MessageLookupByLibrary.simpleMessage("Změnit heslo"), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage("Změnit heslo"), - "checkForUpdates": MessageLookupByLibrary.simpleMessage( - "Zkontrolovat aktualizace", - ), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Zkontrolujte prosím svou doručenou poštu (a spam) pro dokončení ověření", - ), - "checkStatus": MessageLookupByLibrary.simpleMessage("Zkontrolovat stav"), - "checking": MessageLookupByLibrary.simpleMessage("Probíhá kontrola..."), - "clearCaches": MessageLookupByLibrary.simpleMessage("Vymazat mezipaměť"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Smazat indexy"), - "close": MessageLookupByLibrary.simpleMessage("Zavřít"), - "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( - "Kód byl použit", - ), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Kód zkopírován do schránky", - ), - "collaborator": MessageLookupByLibrary.simpleMessage("Spolupracovník"), - "collageLayout": MessageLookupByLibrary.simpleMessage("Rozvržení"), - "color": MessageLookupByLibrary.simpleMessage("Barva"), - "configuration": MessageLookupByLibrary.simpleMessage("Nastavení"), - "confirm": MessageLookupByLibrary.simpleMessage("Potvrdit"), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Potvrdit odstranění účtu", - ), - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Ano, chci trvale smazat tento účet a jeho data napříč všemi aplikacemi.", - ), - "confirmPassword": MessageLookupByLibrary.simpleMessage("Potvrdte heslo"), - "contactSupport": MessageLookupByLibrary.simpleMessage( - "Kontaktovat podporu", - ), - "contacts": MessageLookupByLibrary.simpleMessage("Kontakty"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Pokračovat"), - "count": MessageLookupByLibrary.simpleMessage("Počet"), - "crashReporting": MessageLookupByLibrary.simpleMessage("Hlášení o pádu"), - "create": MessageLookupByLibrary.simpleMessage("Vytvořit"), - "createAccount": MessageLookupByLibrary.simpleMessage("Vytvořit účet"), - "createNewAccount": MessageLookupByLibrary.simpleMessage( - "Vytvořit nový účet", - ), - "crop": MessageLookupByLibrary.simpleMessage("Oříznout"), - "darkTheme": MessageLookupByLibrary.simpleMessage("Tmavý"), - "dayToday": MessageLookupByLibrary.simpleMessage("Dnes"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Včera"), - "declineTrustInvite": MessageLookupByLibrary.simpleMessage( - "Odmítnout pozvání", - ), - "decrypting": MessageLookupByLibrary.simpleMessage("Dešifrování..."), - "decryptingVideo": MessageLookupByLibrary.simpleMessage( - "Dešifrování videa...", - ), - "delete": MessageLookupByLibrary.simpleMessage("Smazat"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Smazat účet"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Je nám líto, že nás opouštíte. Prosím, dejte nám zpětnou vazbu, ať se můžeme zlepšit.", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Trvale smazat účet", - ), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Odstranit album"), - "deleteAll": MessageLookupByLibrary.simpleMessage("Smazat vše"), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Prosím, zašlete e-mail na account-deletion@ente.io ze schránky, se kterou jste se registrovali.", - ), - "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( - "Smazat prázdná alba", - ), - "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( - "Smazat prázdná alba?", - ), - "deleteFromBoth": MessageLookupByLibrary.simpleMessage("Odstranit z obou"), - "deleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Odstranit ze zařízení", - ), - "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Odstranit z Ente"), - "deleteLocation": MessageLookupByLibrary.simpleMessage("Odstranit polohu"), - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Chybí klíčová funkce, kterou potřebuji", - ), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "Aplikace nebo určitá funkce se nechová tak, jak si myslím, že by měla", - ), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Našel jsem jinou službu, která se mi líbí více", - ), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "Můj důvod není uveden", - ), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Váš požadavek bude zpracován do 72 hodin.", - ), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Opustit sdílené album?", - ), - "deselectAll": MessageLookupByLibrary.simpleMessage("Zrušte výběr všech"), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Zadejte kód"), - "deviceLock": MessageLookupByLibrary.simpleMessage("Zámek zařízení"), - "deviceNotFound": MessageLookupByLibrary.simpleMessage( - "Zařízení nebylo nalezeno", - ), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Věděli jste?"), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover_food": MessageLookupByLibrary.simpleMessage("Jídlo"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Domácí mazlíčci"), - "discover_screenshots": MessageLookupByLibrary.simpleMessage( - "Snímky obrazovky", - ), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfie"), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Pozadí"), - "dismiss": MessageLookupByLibrary.simpleMessage("Zrušit"), - "doThisLater": MessageLookupByLibrary.simpleMessage("Udělat později"), - "done": MessageLookupByLibrary.simpleMessage("Hotovo"), - "doubleYourStorage": MessageLookupByLibrary.simpleMessage( - "Zdvojnásobte své úložiště", - ), - "download": MessageLookupByLibrary.simpleMessage("Stáhnout"), - "downloadFailed": MessageLookupByLibrary.simpleMessage("Stahování selhalo"), - "downloading": MessageLookupByLibrary.simpleMessage("Stahuji..."), - "dropSupportEmail": m25, - "edit": MessageLookupByLibrary.simpleMessage("Upravit"), - "editLocation": MessageLookupByLibrary.simpleMessage("Upravit polohu"), - "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( - "Upravit lokalitu", - ), - "editPerson": MessageLookupByLibrary.simpleMessage("Upravit osobu"), - "editTime": MessageLookupByLibrary.simpleMessage("Upravit čas"), - "email": MessageLookupByLibrary.simpleMessage("E-mail"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "E-mail je již zaregistrován.", - ), - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "E-mail není registrován.", - ), - "empty": MessageLookupByLibrary.simpleMessage("Vyprázdnit"), - "emptyTrash": MessageLookupByLibrary.simpleMessage("Vyprázdnit koš?"), - "enable": MessageLookupByLibrary.simpleMessage("Povolit"), - "enabled": MessageLookupByLibrary.simpleMessage("Zapnuto"), - "encryption": MessageLookupByLibrary.simpleMessage("Šifrování"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage("Šifrovací klíče"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente potřebuje oprávnění k uchovávání vašich fotek", - ), - "enterAlbumName": MessageLookupByLibrary.simpleMessage( - "Zadejte název alba", - ), - "enterCode": MessageLookupByLibrary.simpleMessage("Zadat kód"), - "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( - "Narozeniny (volitelné)", - ), - "enterFileName": MessageLookupByLibrary.simpleMessage( - "Zadejte název souboru", - ), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Zadejte nové heslo, které můžeme použít k šifrování vašich dat", - ), - "enterPassword": MessageLookupByLibrary.simpleMessage("Zadejte heslo"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Zadejte heslo, které můžeme použít k šifrování vašich dat", - ), - "enterPin": MessageLookupByLibrary.simpleMessage("Zadejte PIN"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Prosím, zadejte platnou e-mailovou adresu.", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Zadejte svou e-mailovou adresu", - ), - "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( - "Zadejte novou e-mailovou adresu", - ), - "enterYourPassword": MessageLookupByLibrary.simpleMessage( - "Zadejte své heslo", - ), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Zadejte svůj obnovovací klíč", - ), - "everywhere": MessageLookupByLibrary.simpleMessage("všude"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "exportLogs": MessageLookupByLibrary.simpleMessage("Exportovat logy"), - "exportYourData": MessageLookupByLibrary.simpleMessage( - "Exportujte svá data", - ), - "faces": MessageLookupByLibrary.simpleMessage("Obličeje"), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( - "Stahování videa se nezdařilo", - ), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "Nepodařilo se načíst alba", - ), - "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Přehrávání videa se nezdařilo", - ), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Rodina"), - "faq": MessageLookupByLibrary.simpleMessage("Často kladené dotazy"), - "faqs": MessageLookupByLibrary.simpleMessage("Často kladené dotazy"), - "favorite": MessageLookupByLibrary.simpleMessage("Oblíbené"), - "feedback": MessageLookupByLibrary.simpleMessage("Zpětná vazba"), - "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( - "Přidat popis...", - ), - "fileTypes": MessageLookupByLibrary.simpleMessage("Typy souboru"), - "filesDeleted": MessageLookupByLibrary.simpleMessage("Soubory odstraněny"), - "flip": MessageLookupByLibrary.simpleMessage("Překlopit"), - "forgotPassword": MessageLookupByLibrary.simpleMessage("Zapomenuté heslo"), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("Uvolnit místo"), - "gallery": MessageLookupByLibrary.simpleMessage("Galerie"), - "general": MessageLookupByLibrary.simpleMessage("Obecné"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Generování šifrovacích klíčů...", - ), - "goToSettings": MessageLookupByLibrary.simpleMessage("Jít do nastavení"), - "hidden": MessageLookupByLibrary.simpleMessage("Skryté"), - "hide": MessageLookupByLibrary.simpleMessage("Skrýt"), - "howItWorks": MessageLookupByLibrary.simpleMessage("Jak to funguje"), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorovat"), - "immediately": MessageLookupByLibrary.simpleMessage("Ihned"), - "importing": MessageLookupByLibrary.simpleMessage("Importování…"), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Nesprávné heslo", - ), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage(""), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Nesprávný obnovovací klíč", - ), - "info": MessageLookupByLibrary.simpleMessage("Informace"), - "insecureDevice": MessageLookupByLibrary.simpleMessage( - "Nezabezpečené zařízení", - ), - "installManually": MessageLookupByLibrary.simpleMessage( - "Instalovat manuálně", - ), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "Neplatná e-mailová adresa", - ), - "invalidKey": MessageLookupByLibrary.simpleMessage("Neplatný klíč"), - "invite": MessageLookupByLibrary.simpleMessage("Pozvat"), - "inviteToEnte": MessageLookupByLibrary.simpleMessage("Pozvat do Ente"), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "Pozvěte své přátelé do Ente", - ), - "join": MessageLookupByLibrary.simpleMessage("Připojit se"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Pomozte nám s těmito informacemi", - ), - "language": MessageLookupByLibrary.simpleMessage("Jazyk"), - "leave": MessageLookupByLibrary.simpleMessage("Odejít"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Opustit album"), - "left": MessageLookupByLibrary.simpleMessage("Doleva"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Světlý"), - "linkExpiresOn": m47, - "linkHasExpired": MessageLookupByLibrary.simpleMessage( - "Platnost odkazu vypršela", - ), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Nikdy"), - "loadingGallery": MessageLookupByLibrary.simpleMessage( - "Načítání galerie...", - ), - "location": MessageLookupByLibrary.simpleMessage("Poloha"), - "locations": MessageLookupByLibrary.simpleMessage("Lokality"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Uzamknout"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Přihlásit se"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Odhlašování..."), - "loginSessionExpired": MessageLookupByLibrary.simpleMessage( - "Relace vypršela", - ), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Kliknutím na přihlášení souhlasím s podmínkami služby a zásadami ochrany osobních údajů", - ), - "loginWithTOTP": MessageLookupByLibrary.simpleMessage( - "Přihlášení pomocí TOTP", - ), - "logout": MessageLookupByLibrary.simpleMessage("Odhlásit se"), - "lostDevice": MessageLookupByLibrary.simpleMessage( - "Ztratili jste zařízení?", - ), - "manage": MessageLookupByLibrary.simpleMessage("Spravovat"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Spravovat"), - "manageSubscription": MessageLookupByLibrary.simpleMessage( - "Spravovat předplatné", - ), - "map": MessageLookupByLibrary.simpleMessage("Mapa"), - "maps": MessageLookupByLibrary.simpleMessage("Mapy"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("Já"), - "merchandise": MessageLookupByLibrary.simpleMessage("E-shop"), - "mergedPhotos": MessageLookupByLibrary.simpleMessage("Sloučené fotografie"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Střední"), - "moments": MessageLookupByLibrary.simpleMessage("Momenty"), - "monthly": MessageLookupByLibrary.simpleMessage("Měsíčně"), - "moreDetails": MessageLookupByLibrary.simpleMessage("Další podrobnosti"), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("Přesunout do alba"), - "movedToTrash": MessageLookupByLibrary.simpleMessage("Přesunuto do koše"), - "never": MessageLookupByLibrary.simpleMessage("Nikdy"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Nové album"), - "newPerson": MessageLookupByLibrary.simpleMessage("Nová osoba"), - "newRange": MessageLookupByLibrary.simpleMessage("Nový rozsah"), - "newest": MessageLookupByLibrary.simpleMessage("Nejnovější"), - "next": MessageLookupByLibrary.simpleMessage("Další"), - "no": MessageLookupByLibrary.simpleMessage("Ne"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Zatím nemáte žádná sdílená alba", - ), - "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Žádné duplicity"), - "noInternetConnection": MessageLookupByLibrary.simpleMessage( - "Žádné připojení k internetu", - ), - "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( - "Zde nebyly nalezeny žádné fotky", - ), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Nemáte obnovovací klíč?", - ), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Vzhledem k povaze našeho protokolu koncového šifrování nemohou být vaše data dešifrována bez vašeho hesla nebo obnovovacího klíče", - ), - "noResultsFound": MessageLookupByLibrary.simpleMessage( - "Nebyly nalezeny žádné výsledky", - ), - "notifications": MessageLookupByLibrary.simpleMessage("Notifikace"), - "ok": MessageLookupByLibrary.simpleMessage("Ok"), - "onDevice": MessageLookupByLibrary.simpleMessage("V zařízení"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "Na ente", - ), - "oops": MessageLookupByLibrary.simpleMessage("Jejda"), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Jejda, něco se pokazilo", - ), - "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( - "Otevřít album v prohlížeči", - ), - "openFile": MessageLookupByLibrary.simpleMessage("Otevřít soubor"), - "openSettings": MessageLookupByLibrary.simpleMessage("Otevřít Nastavení"), - "pair": MessageLookupByLibrary.simpleMessage("Spárovat"), - "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), - "password": MessageLookupByLibrary.simpleMessage("Heslo"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Heslo úspěšně změněno", - ), - "passwordStrength": m57, - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Toto heslo neukládáme, takže pokud jej zapomenete, nemůžeme dešifrovat vaše data", - ), - "paymentDetails": MessageLookupByLibrary.simpleMessage("Platební údaje"), - "people": MessageLookupByLibrary.simpleMessage("Lidé"), - "permanentlyDelete": MessageLookupByLibrary.simpleMessage( - "Trvale odstranit", - ), - "personName": MessageLookupByLibrary.simpleMessage("Jméno osoby"), - "photos": MessageLookupByLibrary.simpleMessage("Fotky"), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Připnout album"), - "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( - "Přihlaste se, prosím, znovu", - ), - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Zkuste to prosím znovu", - ), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Čekejte prosím..."), - "previous": MessageLookupByLibrary.simpleMessage("Předchozí"), - "privacy": MessageLookupByLibrary.simpleMessage("Soukromí"), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( - "Zásady ochrany osobních údajů", - ), - "processing": MessageLookupByLibrary.simpleMessage("Zpracovává se"), - "publicLinkCreated": MessageLookupByLibrary.simpleMessage( - "Veřejný odkaz vytvořen", - ), - "queued": MessageLookupByLibrary.simpleMessage("Ve frontě"), - "radius": MessageLookupByLibrary.simpleMessage("Rádius"), - "rateUs": MessageLookupByLibrary.simpleMessage("Ohodnoť nás"), - "rateUsOnStore": m68, - "recover": MessageLookupByLibrary.simpleMessage("Obnovit"), - "recoverAccount": MessageLookupByLibrary.simpleMessage("Obnovit účet"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Obnovit"), - "recoveryKey": MessageLookupByLibrary.simpleMessage("Obnovovací klíč"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Obnovovací klíč zkopírován do schránky", - ), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Tento klíč je jedinou cestou pro obnovení Vašich dat, pokud zapomenete heslo.", - ), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Tento 24-slovný klíč neuchováváme, uschovejte ho, prosím, na bezpečném místě.", - ), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Obnovovací klíč byl ověřen", - ), - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "Úspěšně obnoveno!", - ), - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "Aktuální zařízení není dostatečně silné k ověření vašeho hesla, ale můžeme ho regenerovat způsobem, které funguje na všech zařízeních.\n\nProsím, přihlašte se pomocí vašeho obnovovacího klíče a regenerujte své heslo (můžete klidně znovu použít své aktuální heslo).", - ), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Znovu vytvořit heslo", - ), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPin": MessageLookupByLibrary.simpleMessage("Zadejte PIN znovu"), - "remove": MessageLookupByLibrary.simpleMessage("Odstranit"), - "removeDuplicates": MessageLookupByLibrary.simpleMessage( - "Odstranit duplicity", - ), - "removeFromAlbum": MessageLookupByLibrary.simpleMessage("Odstranit z alba"), - "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( - "Odstranit z alba?", - ), - "removeInvite": MessageLookupByLibrary.simpleMessage("Odstranit pozvání"), - "removeLink": MessageLookupByLibrary.simpleMessage("Odstranit odkaz"), - "removeParticipant": MessageLookupByLibrary.simpleMessage( - "Odebrat účastníka", - ), - "removePublicLink": MessageLookupByLibrary.simpleMessage( - "Odstranit veřejný odkaz", - ), - "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage( - "Odstranit?", - ), - "rename": MessageLookupByLibrary.simpleMessage("Přejmenovat"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("Přejmenovat album"), - "renameFile": MessageLookupByLibrary.simpleMessage("Přejmenovat soubor"), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Nahlásit chybu"), - "reportBug": MessageLookupByLibrary.simpleMessage("Nahlásit chybu"), - "resendEmail": MessageLookupByLibrary.simpleMessage("Znovu odeslat e-mail"), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage("Obnovit heslo"), - "resetPerson": MessageLookupByLibrary.simpleMessage("Odstranit"), - "restore": MessageLookupByLibrary.simpleMessage("Obnovit"), - "restoringFiles": MessageLookupByLibrary.simpleMessage( - "Obnovuji soubory...", - ), - "retry": MessageLookupByLibrary.simpleMessage("Opakovat"), - "right": MessageLookupByLibrary.simpleMessage("Doprava"), - "rotate": MessageLookupByLibrary.simpleMessage("Otočit"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Otočit doleva"), - "rotateRight": MessageLookupByLibrary.simpleMessage("Otočit doprava"), - "safelyStored": MessageLookupByLibrary.simpleMessage("Bezpečně uloženo"), - "save": MessageLookupByLibrary.simpleMessage("Uložit"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Uložit kopii"), - "saveKey": MessageLookupByLibrary.simpleMessage("Uložit klíč"), - "savePerson": MessageLookupByLibrary.simpleMessage("Uložit osobu"), - "scanCode": MessageLookupByLibrary.simpleMessage("Skenovat kód"), - "search": MessageLookupByLibrary.simpleMessage("Hledat"), - "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Alba"), - "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage("Název alba"), - "security": MessageLookupByLibrary.simpleMessage("Zabezpečení"), - "selectALocation": MessageLookupByLibrary.simpleMessage("Vybrat polohu"), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage( - "Nejprve vyberte polohu", - ), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Vybrat album"), - "selectAll": MessageLookupByLibrary.simpleMessage("Vybrat vše"), - "selectDate": MessageLookupByLibrary.simpleMessage("Vybrat datum"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Vyberte složky pro zálohování", - ), - "selectLanguage": MessageLookupByLibrary.simpleMessage("Vybrat jazyk"), - "selectReason": MessageLookupByLibrary.simpleMessage("Vyberte důvod"), - "selectTime": MessageLookupByLibrary.simpleMessage("Vybrat čas"), - "selectYourPlan": MessageLookupByLibrary.simpleMessage("Vyberte svůj plán"), - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("Odeslat"), - "sendEmail": MessageLookupByLibrary.simpleMessage("Odeslat e-mail"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Odeslat pozvánku"), - "sendLink": MessageLookupByLibrary.simpleMessage("Odeslat odkaz"), - "sessionExpired": MessageLookupByLibrary.simpleMessage("Relace vypršela"), - "setAPassword": MessageLookupByLibrary.simpleMessage("Nastavit heslo"), - "setLabel": MessageLookupByLibrary.simpleMessage("Nastavit"), - "setNewPassword": MessageLookupByLibrary.simpleMessage( - "Nastavit nové heslo", - ), - "setNewPin": MessageLookupByLibrary.simpleMessage("Nastavit nový PIN"), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage("Nastavit heslo"), - "share": MessageLookupByLibrary.simpleMessage("Sdílet"), - "shareLink": MessageLookupByLibrary.simpleMessage("Sdílet odkaz"), - "sharedByMe": MessageLookupByLibrary.simpleMessage("Sdíleno mnou"), - "sharedByYou": MessageLookupByLibrary.simpleMessage("Sdíleno vámi"), - "sharedWithMe": MessageLookupByLibrary.simpleMessage("Sdíleno se mnou"), - "sharedWithYou": MessageLookupByLibrary.simpleMessage("Sdíleno s vámi"), - "sharing": MessageLookupByLibrary.simpleMessage("Sdílení..."), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Souhlasím s podmínkami služby a zásadami ochrany osobních údajů", - ), - "skip": MessageLookupByLibrary.simpleMessage("Přeskočit"), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Něco se pokazilo. Zkuste to, prosím, znovu", - ), - "sorry": MessageLookupByLibrary.simpleMessage("Omlouváme se"), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Omlouváme se, nemohli jsme vygenerovat bezpečné klíče na tomto zařízení.\n\nProsíme, zaregistrujte se z jiného zařízení.", - ), - "sort": MessageLookupByLibrary.simpleMessage("Seřadit"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Seřadit podle"), - "sortNewestFirst": MessageLookupByLibrary.simpleMessage("Od nejnovějších"), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Od nejstarších"), - "stopCastingTitle": MessageLookupByLibrary.simpleMessage("Zastavit přenos"), - "storage": MessageLookupByLibrary.simpleMessage("Úložiště"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Rodina"), - "strongStrength": MessageLookupByLibrary.simpleMessage("Silné"), - "subscribe": MessageLookupByLibrary.simpleMessage("Odebírat"), - "subscription": MessageLookupByLibrary.simpleMessage("Předplatné"), - "suggestFeatures": MessageLookupByLibrary.simpleMessage("Navrhnout funkce"), - "support": MessageLookupByLibrary.simpleMessage("Podpora"), - "syncStopped": MessageLookupByLibrary.simpleMessage( - "Synchronizace zastavena", - ), - "syncing": MessageLookupByLibrary.simpleMessage("Synchronizace..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("Systém"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage( - "Klepněte pro zadání kódu", - ), - "terminate": MessageLookupByLibrary.simpleMessage("Ukončit"), - "terminateSession": MessageLookupByLibrary.simpleMessage("Ukončit relaci?"), - "terms": MessageLookupByLibrary.simpleMessage("Podmínky"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage( - "Podmínky služby", - ), - "thankYou": MessageLookupByLibrary.simpleMessage("Děkujeme"), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "Stahování nebylo možné dokončit", - ), - "theme": MessageLookupByLibrary.simpleMessage("Motiv"), - "thisDevice": MessageLookupByLibrary.simpleMessage("Toto zařízení"), - "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("To jsem já!"), - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Toto vás odhlásí z následujícího zařízení:", - ), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Toto vás odhlásí z tohoto zařízení!", - ), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Pro reset vašeho hesla nejprve vyplňte vaší e-mailovou adresu prosím.", - ), - "totalSize": MessageLookupByLibrary.simpleMessage("Celková velikost"), - "trash": MessageLookupByLibrary.simpleMessage("Koš"), - "tryAgain": MessageLookupByLibrary.simpleMessage("Zkusit znovu"), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Nastavení dvoufaktorového ověřování", - ), - "unlock": MessageLookupByLibrary.simpleMessage("Odemknout"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("Odepnout album"), - "unselectAll": MessageLookupByLibrary.simpleMessage("Zrušit výběr"), - "update": MessageLookupByLibrary.simpleMessage("Aktualizovat"), - "updateAvailable": MessageLookupByLibrary.simpleMessage( - "Je k dispozici aktualizace", - ), - "upgrade": MessageLookupByLibrary.simpleMessage("Upgradovat"), - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Nahrávání souborů do alba...", - ), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Použít obnovovací klíč", - ), - "usedSpace": MessageLookupByLibrary.simpleMessage("Využité místo"), - "verify": MessageLookupByLibrary.simpleMessage("Ověřit"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("Ověřit e-mail"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Ověřit"), - "verifyPassword": MessageLookupByLibrary.simpleMessage("Ověřit heslo"), - "verifying": MessageLookupByLibrary.simpleMessage("Ověřování..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Ověřování obnovovacího klíče...", - ), - "videos": MessageLookupByLibrary.simpleMessage("Videa"), - "viewAll": MessageLookupByLibrary.simpleMessage("Zobrazit vše"), - "viewer": MessageLookupByLibrary.simpleMessage("Prohlížející"), - "warning": MessageLookupByLibrary.simpleMessage("Varování"), - "weAreOpenSource": MessageLookupByLibrary.simpleMessage( - "Jsme open source!", - ), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Slabé"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("Vítejte zpět!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("Co je nového"), - "yearly": MessageLookupByLibrary.simpleMessage("Ročně"), - "yes": MessageLookupByLibrary.simpleMessage("Ano"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Ano, zrušit"), - "yesDelete": MessageLookupByLibrary.simpleMessage("Ano, smazat"), - "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( - "Ano, zahodit změny", - ), - "yesLogout": MessageLookupByLibrary.simpleMessage("Ano, odhlásit se"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Ano, odstranit"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Ano, obnovit"), - "you": MessageLookupByLibrary.simpleMessage("Vy"), - "youAndThem": m117, - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "Váš účet byl smazán", - ), - "yourMap": MessageLookupByLibrary.simpleMessage("Vaše mapa"), - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Je dostupná nová verze Ente."), + "acceptTrustInvite": + MessageLookupByLibrary.simpleMessage("Přijmout pozvání"), + "account": MessageLookupByLibrary.simpleMessage("Účet"), + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("Vítejte zpět!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Rozumím, že pokud zapomenu své heslo, mohu přijít o data, jelikož má data jsou koncově šifrována."), + "activeSessions": + MessageLookupByLibrary.simpleMessage("Aktivní relace"), + "add": MessageLookupByLibrary.simpleMessage("Přidat"), + "addFiles": MessageLookupByLibrary.simpleMessage("Přidat soubory"), + "addLocation": MessageLookupByLibrary.simpleMessage("Přidat polohu"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Přidat"), + "addMore": MessageLookupByLibrary.simpleMessage("Přidat další"), + "addName": MessageLookupByLibrary.simpleMessage("Přidat název"), + "addNew": MessageLookupByLibrary.simpleMessage("Přidat nový"), + "addNewPerson": + MessageLookupByLibrary.simpleMessage("Přidat novou osobu"), + "addPhotos": MessageLookupByLibrary.simpleMessage("Přidat fotky"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("Přidat do alba"), + "addedSuccessfullyTo": m6, + "advancedSettings": MessageLookupByLibrary.simpleMessage("Pokročilé"), + "after1Day": MessageLookupByLibrary.simpleMessage("Po 1 dni"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Po 1 hodině"), + "after1Month": MessageLookupByLibrary.simpleMessage("Po 1 měsíci"), + "after1Week": MessageLookupByLibrary.simpleMessage("Po 1 týdnu"), + "after1Year": MessageLookupByLibrary.simpleMessage("Po 1 roce"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Vlastník"), + "albumUpdated": + MessageLookupByLibrary.simpleMessage("Album bylo aktualizováno"), + "albums": MessageLookupByLibrary.simpleMessage("Alba"), + "allow": MessageLookupByLibrary.simpleMessage("Povolit"), + "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( + "Je požadováno biometrické ověření"), + "androidBiometricSuccess": + MessageLookupByLibrary.simpleMessage("Úspěšně dokončeno"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Zrušit"), + "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), + "apply": MessageLookupByLibrary.simpleMessage("Použít"), + "archiveAlbum": + MessageLookupByLibrary.simpleMessage("Archivovat album"), + "archiving": MessageLookupByLibrary.simpleMessage("Archivování..."), + "areYouSureYouWantToLogout": + MessageLookupByLibrary.simpleMessage("Opravdu se chcete odhlásit?"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Jaký je váš hlavní důvod, proč mažete svůj účet?"), + "autoLock": + MessageLookupByLibrary.simpleMessage("Automatické zamykání"), + "backedUpFolders": + MessageLookupByLibrary.simpleMessage("Zálohované složky"), + "backup": MessageLookupByLibrary.simpleMessage("Zálohovat"), + "backupFile": MessageLookupByLibrary.simpleMessage("Zálohovat soubor"), + "backupStatus": MessageLookupByLibrary.simpleMessage("Stav zálohování"), + "birthday": MessageLookupByLibrary.simpleMessage("Narozeniny"), + "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cachedData": + MessageLookupByLibrary.simpleMessage("Data uložená v mezipaměti"), + "calculating": + MessageLookupByLibrary.simpleMessage("Probíhá výpočet..."), + "cancel": MessageLookupByLibrary.simpleMessage("Zrušit"), + "cancelAccountRecovery": + MessageLookupByLibrary.simpleMessage("Zrušit obnovení"), + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Sdílené soubory nelze odstranit"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Změnit e-mail"), + "changePassword": MessageLookupByLibrary.simpleMessage("Změnit heslo"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("Změnit heslo"), + "checkForUpdates": + MessageLookupByLibrary.simpleMessage("Zkontrolovat aktualizace"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Zkontrolujte prosím svou doručenou poštu (a spam) pro dokončení ověření"), + "checkStatus": + MessageLookupByLibrary.simpleMessage("Zkontrolovat stav"), + "checking": MessageLookupByLibrary.simpleMessage("Probíhá kontrola..."), + "clearCaches": + MessageLookupByLibrary.simpleMessage("Vymazat mezipaměť"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Smazat indexy"), + "close": MessageLookupByLibrary.simpleMessage("Zavřít"), + "codeAppliedPageTitle": + MessageLookupByLibrary.simpleMessage("Kód byl použit"), + "codeCopiedToClipboard": + MessageLookupByLibrary.simpleMessage("Kód zkopírován do schránky"), + "collaborator": MessageLookupByLibrary.simpleMessage("Spolupracovník"), + "collageLayout": MessageLookupByLibrary.simpleMessage("Rozvržení"), + "color": MessageLookupByLibrary.simpleMessage("Barva"), + "configuration": MessageLookupByLibrary.simpleMessage("Nastavení"), + "confirm": MessageLookupByLibrary.simpleMessage("Potvrdit"), + "confirmAccountDeletion": + MessageLookupByLibrary.simpleMessage("Potvrdit odstranění účtu"), + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Ano, chci trvale smazat tento účet a jeho data napříč všemi aplikacemi."), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("Potvrdte heslo"), + "contactSupport": + MessageLookupByLibrary.simpleMessage("Kontaktovat podporu"), + "contacts": MessageLookupByLibrary.simpleMessage("Kontakty"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Pokračovat"), + "count": MessageLookupByLibrary.simpleMessage("Počet"), + "crashReporting": + MessageLookupByLibrary.simpleMessage("Hlášení o pádu"), + "create": MessageLookupByLibrary.simpleMessage("Vytvořit"), + "createAccount": MessageLookupByLibrary.simpleMessage("Vytvořit účet"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("Vytvořit nový účet"), + "crop": MessageLookupByLibrary.simpleMessage("Oříznout"), + "darkTheme": MessageLookupByLibrary.simpleMessage("Tmavý"), + "dayToday": MessageLookupByLibrary.simpleMessage("Dnes"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Včera"), + "declineTrustInvite": + MessageLookupByLibrary.simpleMessage("Odmítnout pozvání"), + "decrypting": MessageLookupByLibrary.simpleMessage("Dešifrování..."), + "decryptingVideo": + MessageLookupByLibrary.simpleMessage("Dešifrování videa..."), + "delete": MessageLookupByLibrary.simpleMessage("Smazat"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Smazat účet"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Je nám líto, že nás opouštíte. Prosím, dejte nám zpětnou vazbu, ať se můžeme zlepšit."), + "deleteAccountPermanentlyButton": + MessageLookupByLibrary.simpleMessage("Trvale smazat účet"), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Odstranit album"), + "deleteAll": MessageLookupByLibrary.simpleMessage("Smazat vše"), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Prosím, zašlete e-mail na account-deletion@ente.io ze schránky, se kterou jste se registrovali."), + "deleteEmptyAlbums": + MessageLookupByLibrary.simpleMessage("Smazat prázdná alba"), + "deleteEmptyAlbumsWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Smazat prázdná alba?"), + "deleteFromBoth": + MessageLookupByLibrary.simpleMessage("Odstranit z obou"), + "deleteFromDevice": + MessageLookupByLibrary.simpleMessage("Odstranit ze zařízení"), + "deleteFromEnte": + MessageLookupByLibrary.simpleMessage("Odstranit z Ente"), + "deleteLocation": + MessageLookupByLibrary.simpleMessage("Odstranit polohu"), + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Chybí klíčová funkce, kterou potřebuji"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "Aplikace nebo určitá funkce se nechová tak, jak si myslím, že by měla"), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Našel jsem jinou službu, která se mi líbí více"), + "deleteReason4": + MessageLookupByLibrary.simpleMessage("Můj důvod není uveden"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Váš požadavek bude zpracován do 72 hodin."), + "deleteSharedAlbum": + MessageLookupByLibrary.simpleMessage("Opustit sdílené album?"), + "deselectAll": + MessageLookupByLibrary.simpleMessage("Zrušte výběr všech"), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Zadejte kód"), + "deviceLock": MessageLookupByLibrary.simpleMessage("Zámek zařízení"), + "deviceNotFound": + MessageLookupByLibrary.simpleMessage("Zařízení nebylo nalezeno"), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Věděli jste?"), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover_food": MessageLookupByLibrary.simpleMessage("Jídlo"), + "discover_pets": + MessageLookupByLibrary.simpleMessage("Domácí mazlíčci"), + "discover_screenshots": + MessageLookupByLibrary.simpleMessage("Snímky obrazovky"), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfie"), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Pozadí"), + "dismiss": MessageLookupByLibrary.simpleMessage("Zrušit"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Udělat později"), + "done": MessageLookupByLibrary.simpleMessage("Hotovo"), + "doubleYourStorage": + MessageLookupByLibrary.simpleMessage("Zdvojnásobte své úložiště"), + "download": MessageLookupByLibrary.simpleMessage("Stáhnout"), + "downloadFailed": + MessageLookupByLibrary.simpleMessage("Stahování selhalo"), + "downloading": MessageLookupByLibrary.simpleMessage("Stahuji..."), + "dropSupportEmail": m25, + "edit": MessageLookupByLibrary.simpleMessage("Upravit"), + "editLocation": MessageLookupByLibrary.simpleMessage("Upravit polohu"), + "editLocationTagTitle": + MessageLookupByLibrary.simpleMessage("Upravit lokalitu"), + "editPerson": MessageLookupByLibrary.simpleMessage("Upravit osobu"), + "editTime": MessageLookupByLibrary.simpleMessage("Upravit čas"), + "email": MessageLookupByLibrary.simpleMessage("E-mail"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "E-mail je již zaregistrován."), + "emailNotRegistered": + MessageLookupByLibrary.simpleMessage("E-mail není registrován."), + "empty": MessageLookupByLibrary.simpleMessage("Vyprázdnit"), + "emptyTrash": MessageLookupByLibrary.simpleMessage("Vyprázdnit koš?"), + "enable": MessageLookupByLibrary.simpleMessage("Povolit"), + "enabled": MessageLookupByLibrary.simpleMessage("Zapnuto"), + "encryption": MessageLookupByLibrary.simpleMessage("Šifrování"), + "encryptionKeys": + MessageLookupByLibrary.simpleMessage("Šifrovací klíče"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente potřebuje oprávnění k uchovávání vašich fotek"), + "enterAlbumName": + MessageLookupByLibrary.simpleMessage("Zadejte název alba"), + "enterCode": MessageLookupByLibrary.simpleMessage("Zadat kód"), + "enterDateOfBirth": + MessageLookupByLibrary.simpleMessage("Narozeniny (volitelné)"), + "enterFileName": + MessageLookupByLibrary.simpleMessage("Zadejte název souboru"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Zadejte nové heslo, které můžeme použít k šifrování vašich dat"), + "enterPassword": MessageLookupByLibrary.simpleMessage("Zadejte heslo"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Zadejte heslo, které můžeme použít k šifrování vašich dat"), + "enterPin": MessageLookupByLibrary.simpleMessage("Zadejte PIN"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Prosím, zadejte platnou e-mailovou adresu."), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Zadejte svou e-mailovou adresu"), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Zadejte novou e-mailovou adresu"), + "enterYourPassword": + MessageLookupByLibrary.simpleMessage("Zadejte své heslo"), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Zadejte svůj obnovovací klíč"), + "everywhere": MessageLookupByLibrary.simpleMessage("všude"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "exportLogs": MessageLookupByLibrary.simpleMessage("Exportovat logy"), + "exportYourData": + MessageLookupByLibrary.simpleMessage("Exportujte svá data"), + "faces": MessageLookupByLibrary.simpleMessage("Obličeje"), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( + "Stahování videa se nezdařilo"), + "failedToLoadAlbums": + MessageLookupByLibrary.simpleMessage("Nepodařilo se načíst alba"), + "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Přehrávání videa se nezdařilo"), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Rodina"), + "faq": MessageLookupByLibrary.simpleMessage("Často kladené dotazy"), + "faqs": MessageLookupByLibrary.simpleMessage("Často kladené dotazy"), + "favorite": MessageLookupByLibrary.simpleMessage("Oblíbené"), + "feedback": MessageLookupByLibrary.simpleMessage("Zpětná vazba"), + "fileInfoAddDescHint": + MessageLookupByLibrary.simpleMessage("Přidat popis..."), + "fileTypes": MessageLookupByLibrary.simpleMessage("Typy souboru"), + "filesDeleted": + MessageLookupByLibrary.simpleMessage("Soubory odstraněny"), + "flip": MessageLookupByLibrary.simpleMessage("Překlopit"), + "forgotPassword": + MessageLookupByLibrary.simpleMessage("Zapomenuté heslo"), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("Uvolnit místo"), + "gallery": MessageLookupByLibrary.simpleMessage("Galerie"), + "general": MessageLookupByLibrary.simpleMessage("Obecné"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Generování šifrovacích klíčů..."), + "goToSettings": + MessageLookupByLibrary.simpleMessage("Jít do nastavení"), + "hidden": MessageLookupByLibrary.simpleMessage("Skryté"), + "hide": MessageLookupByLibrary.simpleMessage("Skrýt"), + "howItWorks": MessageLookupByLibrary.simpleMessage("Jak to funguje"), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorovat"), + "immediately": MessageLookupByLibrary.simpleMessage("Ihned"), + "importing": MessageLookupByLibrary.simpleMessage("Importování…"), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("Nesprávné heslo"), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage(""), + "incorrectRecoveryKeyTitle": + MessageLookupByLibrary.simpleMessage("Nesprávný obnovovací klíč"), + "info": MessageLookupByLibrary.simpleMessage("Informace"), + "insecureDevice": + MessageLookupByLibrary.simpleMessage("Nezabezpečené zařízení"), + "installManually": + MessageLookupByLibrary.simpleMessage("Instalovat manuálně"), + "invalidEmailAddress": + MessageLookupByLibrary.simpleMessage("Neplatná e-mailová adresa"), + "invalidKey": MessageLookupByLibrary.simpleMessage("Neplatný klíč"), + "invite": MessageLookupByLibrary.simpleMessage("Pozvat"), + "inviteToEnte": MessageLookupByLibrary.simpleMessage("Pozvat do Ente"), + "inviteYourFriendsToEnte": + MessageLookupByLibrary.simpleMessage("Pozvěte své přátelé do Ente"), + "join": MessageLookupByLibrary.simpleMessage("Připojit se"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Pomozte nám s těmito informacemi"), + "language": MessageLookupByLibrary.simpleMessage("Jazyk"), + "leave": MessageLookupByLibrary.simpleMessage("Odejít"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Opustit album"), + "left": MessageLookupByLibrary.simpleMessage("Doleva"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Světlý"), + "linkExpiresOn": m47, + "linkHasExpired": + MessageLookupByLibrary.simpleMessage("Platnost odkazu vypršela"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Nikdy"), + "loadingGallery": + MessageLookupByLibrary.simpleMessage("Načítání galerie..."), + "location": MessageLookupByLibrary.simpleMessage("Poloha"), + "locations": MessageLookupByLibrary.simpleMessage("Lokality"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Uzamknout"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Přihlásit se"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Odhlašování..."), + "loginSessionExpired": + MessageLookupByLibrary.simpleMessage("Relace vypršela"), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Kliknutím na přihlášení souhlasím s podmínkami služby a zásadami ochrany osobních údajů"), + "loginWithTOTP": + MessageLookupByLibrary.simpleMessage("Přihlášení pomocí TOTP"), + "logout": MessageLookupByLibrary.simpleMessage("Odhlásit se"), + "lostDevice": + MessageLookupByLibrary.simpleMessage("Ztratili jste zařízení?"), + "manage": MessageLookupByLibrary.simpleMessage("Spravovat"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Spravovat"), + "manageSubscription": + MessageLookupByLibrary.simpleMessage("Spravovat předplatné"), + "map": MessageLookupByLibrary.simpleMessage("Mapa"), + "maps": MessageLookupByLibrary.simpleMessage("Mapy"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("Já"), + "merchandise": MessageLookupByLibrary.simpleMessage("E-shop"), + "mergedPhotos": + MessageLookupByLibrary.simpleMessage("Sloučené fotografie"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Střední"), + "moments": MessageLookupByLibrary.simpleMessage("Momenty"), + "monthly": MessageLookupByLibrary.simpleMessage("Měsíčně"), + "moreDetails": + MessageLookupByLibrary.simpleMessage("Další podrobnosti"), + "moveToAlbum": + MessageLookupByLibrary.simpleMessage("Přesunout do alba"), + "movedToTrash": + MessageLookupByLibrary.simpleMessage("Přesunuto do koše"), + "never": MessageLookupByLibrary.simpleMessage("Nikdy"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Nové album"), + "newPerson": MessageLookupByLibrary.simpleMessage("Nová osoba"), + "newRange": MessageLookupByLibrary.simpleMessage("Nový rozsah"), + "newest": MessageLookupByLibrary.simpleMessage("Nejnovější"), + "next": MessageLookupByLibrary.simpleMessage("Další"), + "no": MessageLookupByLibrary.simpleMessage("Ne"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Zatím nemáte žádná sdílená alba"), + "noDuplicates": + MessageLookupByLibrary.simpleMessage("✨ Žádné duplicity"), + "noInternetConnection": + MessageLookupByLibrary.simpleMessage("Žádné připojení k internetu"), + "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( + "Zde nebyly nalezeny žádné fotky"), + "noRecoveryKey": + MessageLookupByLibrary.simpleMessage("Nemáte obnovovací klíč?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Vzhledem k povaze našeho protokolu koncového šifrování nemohou být vaše data dešifrována bez vašeho hesla nebo obnovovacího klíče"), + "noResultsFound": MessageLookupByLibrary.simpleMessage( + "Nebyly nalezeny žádné výsledky"), + "notifications": MessageLookupByLibrary.simpleMessage("Notifikace"), + "ok": MessageLookupByLibrary.simpleMessage("Ok"), + "onDevice": MessageLookupByLibrary.simpleMessage("V zařízení"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "Na ente"), + "oops": MessageLookupByLibrary.simpleMessage("Jejda"), + "oopsSomethingWentWrong": + MessageLookupByLibrary.simpleMessage("Jejda, něco se pokazilo"), + "openAlbumInBrowser": + MessageLookupByLibrary.simpleMessage("Otevřít album v prohlížeči"), + "openFile": MessageLookupByLibrary.simpleMessage("Otevřít soubor"), + "openSettings": + MessageLookupByLibrary.simpleMessage("Otevřít Nastavení"), + "pair": MessageLookupByLibrary.simpleMessage("Spárovat"), + "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), + "password": MessageLookupByLibrary.simpleMessage("Heslo"), + "passwordChangedSuccessfully": + MessageLookupByLibrary.simpleMessage("Heslo úspěšně změněno"), + "passwordStrength": m57, + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Toto heslo neukládáme, takže pokud jej zapomenete, nemůžeme dešifrovat vaše data"), + "paymentDetails": + MessageLookupByLibrary.simpleMessage("Platební údaje"), + "people": MessageLookupByLibrary.simpleMessage("Lidé"), + "permanentlyDelete": + MessageLookupByLibrary.simpleMessage("Trvale odstranit"), + "personName": MessageLookupByLibrary.simpleMessage("Jméno osoby"), + "photos": MessageLookupByLibrary.simpleMessage("Fotky"), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Připnout album"), + "pleaseLoginAgain": + MessageLookupByLibrary.simpleMessage("Přihlaste se, prosím, znovu"), + "pleaseTryAgain": + MessageLookupByLibrary.simpleMessage("Zkuste to prosím znovu"), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Čekejte prosím..."), + "previous": MessageLookupByLibrary.simpleMessage("Předchozí"), + "privacy": MessageLookupByLibrary.simpleMessage("Soukromí"), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "Zásady ochrany osobních údajů"), + "processing": MessageLookupByLibrary.simpleMessage("Zpracovává se"), + "publicLinkCreated": + MessageLookupByLibrary.simpleMessage("Veřejný odkaz vytvořen"), + "queued": MessageLookupByLibrary.simpleMessage("Ve frontě"), + "radius": MessageLookupByLibrary.simpleMessage("Rádius"), + "rateUs": MessageLookupByLibrary.simpleMessage("Ohodnoť nás"), + "rateUsOnStore": m68, + "recover": MessageLookupByLibrary.simpleMessage("Obnovit"), + "recoverAccount": MessageLookupByLibrary.simpleMessage("Obnovit účet"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Obnovit"), + "recoveryKey": MessageLookupByLibrary.simpleMessage("Obnovovací klíč"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Obnovovací klíč zkopírován do schránky"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Tento klíč je jedinou cestou pro obnovení Vašich dat, pokud zapomenete heslo."), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Tento 24-slovný klíč neuchováváme, uschovejte ho, prosím, na bezpečném místě."), + "recoveryKeyVerified": + MessageLookupByLibrary.simpleMessage("Obnovovací klíč byl ověřen"), + "recoverySuccessful": + MessageLookupByLibrary.simpleMessage("Úspěšně obnoveno!"), + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Aktuální zařízení není dostatečně silné k ověření vašeho hesla, ale můžeme ho regenerovat způsobem, které funguje na všech zařízeních.\n\nProsím, přihlašte se pomocí vašeho obnovovacího klíče a regenerujte své heslo (můžete klidně znovu použít své aktuální heslo)."), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("Znovu vytvořit heslo"), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPin": MessageLookupByLibrary.simpleMessage("Zadejte PIN znovu"), + "remove": MessageLookupByLibrary.simpleMessage("Odstranit"), + "removeDuplicates": + MessageLookupByLibrary.simpleMessage("Odstranit duplicity"), + "removeFromAlbum": + MessageLookupByLibrary.simpleMessage("Odstranit z alba"), + "removeFromAlbumTitle": + MessageLookupByLibrary.simpleMessage("Odstranit z alba?"), + "removeInvite": + MessageLookupByLibrary.simpleMessage("Odstranit pozvání"), + "removeLink": MessageLookupByLibrary.simpleMessage("Odstranit odkaz"), + "removeParticipant": + MessageLookupByLibrary.simpleMessage("Odebrat účastníka"), + "removePublicLink": + MessageLookupByLibrary.simpleMessage("Odstranit veřejný odkaz"), + "removeWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Odstranit?"), + "rename": MessageLookupByLibrary.simpleMessage("Přejmenovat"), + "renameAlbum": + MessageLookupByLibrary.simpleMessage("Přejmenovat album"), + "renameFile": + MessageLookupByLibrary.simpleMessage("Přejmenovat soubor"), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Nahlásit chybu"), + "reportBug": MessageLookupByLibrary.simpleMessage("Nahlásit chybu"), + "resendEmail": + MessageLookupByLibrary.simpleMessage("Znovu odeslat e-mail"), + "resetPasswordTitle": + MessageLookupByLibrary.simpleMessage("Obnovit heslo"), + "resetPerson": MessageLookupByLibrary.simpleMessage("Odstranit"), + "restore": MessageLookupByLibrary.simpleMessage("Obnovit"), + "restoringFiles": + MessageLookupByLibrary.simpleMessage("Obnovuji soubory..."), + "retry": MessageLookupByLibrary.simpleMessage("Opakovat"), + "right": MessageLookupByLibrary.simpleMessage("Doprava"), + "rotate": MessageLookupByLibrary.simpleMessage("Otočit"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Otočit doleva"), + "rotateRight": MessageLookupByLibrary.simpleMessage("Otočit doprava"), + "safelyStored": + MessageLookupByLibrary.simpleMessage("Bezpečně uloženo"), + "save": MessageLookupByLibrary.simpleMessage("Uložit"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Uložit kopii"), + "saveKey": MessageLookupByLibrary.simpleMessage("Uložit klíč"), + "savePerson": MessageLookupByLibrary.simpleMessage("Uložit osobu"), + "scanCode": MessageLookupByLibrary.simpleMessage("Skenovat kód"), + "search": MessageLookupByLibrary.simpleMessage("Hledat"), + "searchAlbumsEmptySection": + MessageLookupByLibrary.simpleMessage("Alba"), + "searchByAlbumNameHint": + MessageLookupByLibrary.simpleMessage("Název alba"), + "security": MessageLookupByLibrary.simpleMessage("Zabezpečení"), + "selectALocation": + MessageLookupByLibrary.simpleMessage("Vybrat polohu"), + "selectALocationFirst": + MessageLookupByLibrary.simpleMessage("Nejprve vyberte polohu"), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Vybrat album"), + "selectAll": MessageLookupByLibrary.simpleMessage("Vybrat vše"), + "selectDate": MessageLookupByLibrary.simpleMessage("Vybrat datum"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Vyberte složky pro zálohování"), + "selectLanguage": MessageLookupByLibrary.simpleMessage("Vybrat jazyk"), + "selectReason": MessageLookupByLibrary.simpleMessage("Vyberte důvod"), + "selectTime": MessageLookupByLibrary.simpleMessage("Vybrat čas"), + "selectYourPlan": + MessageLookupByLibrary.simpleMessage("Vyberte svůj plán"), + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("Odeslat"), + "sendEmail": MessageLookupByLibrary.simpleMessage("Odeslat e-mail"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Odeslat pozvánku"), + "sendLink": MessageLookupByLibrary.simpleMessage("Odeslat odkaz"), + "sessionExpired": + MessageLookupByLibrary.simpleMessage("Relace vypršela"), + "setAPassword": MessageLookupByLibrary.simpleMessage("Nastavit heslo"), + "setLabel": MessageLookupByLibrary.simpleMessage("Nastavit"), + "setNewPassword": + MessageLookupByLibrary.simpleMessage("Nastavit nové heslo"), + "setNewPin": MessageLookupByLibrary.simpleMessage("Nastavit nový PIN"), + "setPasswordTitle": + MessageLookupByLibrary.simpleMessage("Nastavit heslo"), + "share": MessageLookupByLibrary.simpleMessage("Sdílet"), + "shareLink": MessageLookupByLibrary.simpleMessage("Sdílet odkaz"), + "sharedByMe": MessageLookupByLibrary.simpleMessage("Sdíleno mnou"), + "sharedByYou": MessageLookupByLibrary.simpleMessage("Sdíleno vámi"), + "sharedWithMe": MessageLookupByLibrary.simpleMessage("Sdíleno se mnou"), + "sharedWithYou": MessageLookupByLibrary.simpleMessage("Sdíleno s vámi"), + "sharing": MessageLookupByLibrary.simpleMessage("Sdílení..."), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Souhlasím s podmínkami služby a zásadami ochrany osobních údajů"), + "skip": MessageLookupByLibrary.simpleMessage("Přeskočit"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Něco se pokazilo. Zkuste to, prosím, znovu"), + "sorry": MessageLookupByLibrary.simpleMessage("Omlouváme se"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Omlouváme se, nemohli jsme vygenerovat bezpečné klíče na tomto zařízení.\n\nProsíme, zaregistrujte se z jiného zařízení."), + "sort": MessageLookupByLibrary.simpleMessage("Seřadit"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Seřadit podle"), + "sortNewestFirst": + MessageLookupByLibrary.simpleMessage("Od nejnovějších"), + "sortOldestFirst": + MessageLookupByLibrary.simpleMessage("Od nejstarších"), + "stopCastingTitle": + MessageLookupByLibrary.simpleMessage("Zastavit přenos"), + "storage": MessageLookupByLibrary.simpleMessage("Úložiště"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Rodina"), + "strongStrength": MessageLookupByLibrary.simpleMessage("Silné"), + "subscribe": MessageLookupByLibrary.simpleMessage("Odebírat"), + "subscription": MessageLookupByLibrary.simpleMessage("Předplatné"), + "suggestFeatures": + MessageLookupByLibrary.simpleMessage("Navrhnout funkce"), + "support": MessageLookupByLibrary.simpleMessage("Podpora"), + "syncStopped": + MessageLookupByLibrary.simpleMessage("Synchronizace zastavena"), + "syncing": MessageLookupByLibrary.simpleMessage("Synchronizace..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("Systém"), + "tapToEnterCode": + MessageLookupByLibrary.simpleMessage("Klepněte pro zadání kódu"), + "terminate": MessageLookupByLibrary.simpleMessage("Ukončit"), + "terminateSession": + MessageLookupByLibrary.simpleMessage("Ukončit relaci?"), + "terms": MessageLookupByLibrary.simpleMessage("Podmínky"), + "termsOfServicesTitle": + MessageLookupByLibrary.simpleMessage("Podmínky služby"), + "thankYou": MessageLookupByLibrary.simpleMessage("Děkujeme"), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "Stahování nebylo možné dokončit"), + "theme": MessageLookupByLibrary.simpleMessage("Motiv"), + "thisDevice": MessageLookupByLibrary.simpleMessage("Toto zařízení"), + "thisIsMeExclamation": + MessageLookupByLibrary.simpleMessage("To jsem já!"), + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Toto vás odhlásí z následujícího zařízení:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Toto vás odhlásí z tohoto zařízení!"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Pro reset vašeho hesla nejprve vyplňte vaší e-mailovou adresu prosím."), + "totalSize": MessageLookupByLibrary.simpleMessage("Celková velikost"), + "trash": MessageLookupByLibrary.simpleMessage("Koš"), + "tryAgain": MessageLookupByLibrary.simpleMessage("Zkusit znovu"), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Nastavení dvoufaktorového ověřování"), + "unlock": MessageLookupByLibrary.simpleMessage("Odemknout"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("Odepnout album"), + "unselectAll": MessageLookupByLibrary.simpleMessage("Zrušit výběr"), + "update": MessageLookupByLibrary.simpleMessage("Aktualizovat"), + "updateAvailable": + MessageLookupByLibrary.simpleMessage("Je k dispozici aktualizace"), + "upgrade": MessageLookupByLibrary.simpleMessage("Upgradovat"), + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Nahrávání souborů do alba..."), + "useRecoveryKey": + MessageLookupByLibrary.simpleMessage("Použít obnovovací klíč"), + "usedSpace": MessageLookupByLibrary.simpleMessage("Využité místo"), + "verify": MessageLookupByLibrary.simpleMessage("Ověřit"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("Ověřit e-mail"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Ověřit"), + "verifyPassword": MessageLookupByLibrary.simpleMessage("Ověřit heslo"), + "verifying": MessageLookupByLibrary.simpleMessage("Ověřování..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Ověřování obnovovacího klíče..."), + "videos": MessageLookupByLibrary.simpleMessage("Videa"), + "viewAll": MessageLookupByLibrary.simpleMessage("Zobrazit vše"), + "viewer": MessageLookupByLibrary.simpleMessage("Prohlížející"), + "warning": MessageLookupByLibrary.simpleMessage("Varování"), + "weAreOpenSource": + MessageLookupByLibrary.simpleMessage("Jsme open source!"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Slabé"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("Vítejte zpět!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("Co je nového"), + "yearly": MessageLookupByLibrary.simpleMessage("Ročně"), + "yes": MessageLookupByLibrary.simpleMessage("Ano"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Ano, zrušit"), + "yesDelete": MessageLookupByLibrary.simpleMessage("Ano, smazat"), + "yesDiscardChanges": + MessageLookupByLibrary.simpleMessage("Ano, zahodit změny"), + "yesLogout": MessageLookupByLibrary.simpleMessage("Ano, odhlásit se"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Ano, odstranit"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Ano, obnovit"), + "you": MessageLookupByLibrary.simpleMessage("Vy"), + "youAndThem": m117, + "yourAccountHasBeenDeleted": + MessageLookupByLibrary.simpleMessage("Váš účet byl smazán"), + "yourMap": MessageLookupByLibrary.simpleMessage("Vaše mapa") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_da.dart b/mobile/apps/photos/lib/generated/intl/messages_da.dart index b19ca36626..ba3d4075a5 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_da.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_da.dart @@ -51,511 +51,420 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( - "Velkommen tilbage!", - ), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Jeg forstår at hvis jeg mister min adgangskode kan jeg miste mine data, da mine data er end-to-end krypteret.", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage("Aktive sessioner"), - "addANewEmail": MessageLookupByLibrary.simpleMessage("Tilføj en ny e-mail"), - "addCollaborator": MessageLookupByLibrary.simpleMessage( - "Tilføj samarbejdspartner", - ), - "addMore": MessageLookupByLibrary.simpleMessage("Tilføj flere"), - "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( - "Oplysninger om tilføjelser", - ), - "addViewer": MessageLookupByLibrary.simpleMessage("Tilføj seer"), - "addedAs": MessageLookupByLibrary.simpleMessage("Tilføjet som"), - "addingToFavorites": MessageLookupByLibrary.simpleMessage( - "Tilføjer til favoritter...", - ), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Avanceret"), - "after1Day": MessageLookupByLibrary.simpleMessage("Efter 1 dag"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Efter 1 time"), - "after1Month": MessageLookupByLibrary.simpleMessage("Efter 1 måned"), - "after1Week": MessageLookupByLibrary.simpleMessage("Efter 1 uge"), - "after1Year": MessageLookupByLibrary.simpleMessage("Efter 1 år"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Ejer"), - "albumParticipantsCount": m8, - "albumUpdated": MessageLookupByLibrary.simpleMessage("Album er opdateret"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Tillad personer med linket også at tilføje billeder til det delte album.", - ), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( - "Tillad tilføjelse af fotos", - ), - "allowDownloads": MessageLookupByLibrary.simpleMessage("Tillad downloads"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Hvad er hovedårsagen til, at du sletter din konto?", - ), - "backedUpFolders": MessageLookupByLibrary.simpleMessage( - "Sikkerhedskopierede mapper", - ), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Elementer, der er blevet sikkerhedskopieret, vil blive vist her", - ), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Beklager, dette album kan ikke åbnes i appen.", - ), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Kan kun fjerne filer ejet af dig", - ), - "cancel": MessageLookupByLibrary.simpleMessage("Annuller"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Kan ikke slette delte filer", - ), - "changeEmail": MessageLookupByLibrary.simpleMessage("Skift email adresse"), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Skift adgangskode", - ), - "changePermissions": MessageLookupByLibrary.simpleMessage( - "Rediger rettigheder?", - ), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Tjek venligst din indbakke (og spam) for at færdiggøre verificeringen", - ), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Ryd indekser"), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Kode kopieret til udklipsholder", - ), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Opret et link, så folk kan tilføje og se fotos i dit delte album uden at behøve en Ente-app eller konto. Fantastisk til at indsamle event fotos.", - ), - "collaborativeLink": MessageLookupByLibrary.simpleMessage( - "Kollaborativt link", - ), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Indsaml billeder"), - "confirm": MessageLookupByLibrary.simpleMessage("Bekræft"), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Bekræft Sletning Af Konto", - ), - "confirmPassword": MessageLookupByLibrary.simpleMessage( - "Bekræft adgangskode", - ), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Bekræft gendannelsesnøgle", - ), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Bekræft din gendannelsesnøgle", - ), - "contactSupport": MessageLookupByLibrary.simpleMessage("Kontakt support"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Fortsæt"), - "copyLink": MessageLookupByLibrary.simpleMessage("Kopiér link"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Kopiér denne kode\ntil din autentificeringsapp", - ), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Abonnementet kunne ikke opdateres.", - ), - "createAccount": MessageLookupByLibrary.simpleMessage("Opret konto"), - "createNewAccount": MessageLookupByLibrary.simpleMessage( - "Opret en ny konto", - ), - "createPublicLink": MessageLookupByLibrary.simpleMessage( - "Opret et offentligt link", - ), - "creatingLink": MessageLookupByLibrary.simpleMessage("Opretter link..."), - "custom": MessageLookupByLibrary.simpleMessage("Tilpasset"), - "decrypting": MessageLookupByLibrary.simpleMessage("Dekrypterer..."), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Slet konto"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Vi er kede af at du forlader os. Forklar venligst hvorfor, så vi kan forbedre os.", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Slet konto permanent", - ), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Slet album"), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Send venligst en email til account-deletion@ente.io fra din registrerede email adresse.", - ), - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Der mangler en vigtig funktion, som jeg har brug for", - ), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "App\'en eller en bestemt funktion virker ikke som den skal", - ), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Jeg fandt en anden tjeneste, som jeg syntes bedre om", - ), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "Min grund er ikke angivet", - ), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Din anmodning vil blive behandlet inden for 72 timer.", - ), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Slet delt album?", - ), - "details": MessageLookupByLibrary.simpleMessage("Detaljer"), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Er du sikker på, at du vil ændre udviklerindstillingerne?", - ), - "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( - "Bemærk venligst", - ), - "discover_food": MessageLookupByLibrary.simpleMessage("Mad"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Identitet"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Noter"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Kæledyr"), - "discover_screenshots": MessageLookupByLibrary.simpleMessage( - "Skærmbilleder", - ), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfier"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Solnedgang"), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage( - "Baggrundsbilleder", - ), - "doThisLater": MessageLookupByLibrary.simpleMessage("Gør det senere"), - "dropSupportEmail": m25, - "eligible": MessageLookupByLibrary.simpleMessage("kvalificeret"), - "email": MessageLookupByLibrary.simpleMessage("Email"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "E-mail er allerede registreret.", - ), - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "E-mail er ikke registreret.", - ), - "encryption": MessageLookupByLibrary.simpleMessage("Kryptering"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage("Krypteringsnøgler"), - "enterCode": MessageLookupByLibrary.simpleMessage("Indtast kode"), - "enterEmail": MessageLookupByLibrary.simpleMessage("Indtast email adresse"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Indtast en ny adgangskode vi kan bruge til at kryptere dine data", - ), - "enterPassword": MessageLookupByLibrary.simpleMessage( - "Indtast adgangskode", - ), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Indtast en adgangskode vi kan bruge til at kryptere dine data", - ), - "enterPin": MessageLookupByLibrary.simpleMessage("Indtast PIN"), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Indtast den 6-cifrede kode fra din autentificeringsapp", - ), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Indtast venligst en gyldig email adresse.", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Indtast din email adresse", - ), - "enterYourPassword": MessageLookupByLibrary.simpleMessage( - "Indtast adgangskode", - ), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Indtast din gendannelsesnøgle", - ), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Familie"), - "feedback": MessageLookupByLibrary.simpleMessage("Feedback"), - "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Fil gemt i galleri", - ), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Find folk hurtigt ved navn", - ), - "forgotPassword": MessageLookupByLibrary.simpleMessage("Glemt adgangskode"), - "freeStorageOnReferralSuccess": m37, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( - "Frigør enhedsplads", - ), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Spar plads på din enhed ved at rydde filer, der allerede er sikkerhedskopieret.", - ), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Genererer krypteringsnøgler...", - ), - "help": MessageLookupByLibrary.simpleMessage("Hjælp"), - "howItWorks": MessageLookupByLibrary.simpleMessage("Sådan fungerer det"), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Forkert adgangskode", - ), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "Den gendannelsesnøgle du indtastede er forkert", - ), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Forkert gendannelsesnøgle", - ), - "indexedItems": MessageLookupByLibrary.simpleMessage( - "Indekserede elementer", - ), - "insecureDevice": MessageLookupByLibrary.simpleMessage("Usikker enhed"), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "Ugyldig email adresse", - ), - "invalidKey": MessageLookupByLibrary.simpleMessage("Ugyldig nøgle"), - "invite": MessageLookupByLibrary.simpleMessage("Inviter"), - "inviteYourFriends": MessageLookupByLibrary.simpleMessage( - "Inviter dine venner", - ), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Valgte elementer vil blive fjernet fra dette album", - ), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Behold billeder"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Hjælp os venligst med disse oplysninger", - ), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Enheds grænse"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Aktiveret"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Udløbet"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Udløb af link"), - "linkHasExpired": MessageLookupByLibrary.simpleMessage("Linket er udløbet"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Aldrig"), - "loadingModel": MessageLookupByLibrary.simpleMessage( - "Downloader modeller...", - ), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Lås"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Log ind"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Logger ud..."), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Ved at klikke på log ind accepterer jeg vilkårene for service og privatlivspolitik", - ), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Langt tryk på en e-mail for at bekræfte slutningen af krypteringen.", - ), - "lostDevice": MessageLookupByLibrary.simpleMessage("Har du mistet enhed?"), - "machineLearning": MessageLookupByLibrary.simpleMessage("Maskinlæring"), - "magicSearch": MessageLookupByLibrary.simpleMessage("Magisk søgning"), - "manage": MessageLookupByLibrary.simpleMessage("Administrér"), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Gennemgå og ryd lokal cache-lagring.", - ), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Administrer"), - "mlConsent": MessageLookupByLibrary.simpleMessage("Aktiver maskinlæring"), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Klik her for flere detaljer om denne funktion i vores privatlivspolitik", - ), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "Aktiver maskinlæring?", - ), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Bemærk venligst, at maskinindlæring vil resultere i en højere båndbredde og batteriforbrug, indtil alle elementer er indekseret. Overvej at bruge desktop app til hurtigere indeksering, vil alle resultater blive synkroniseret automatisk.", - ), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Moderat"), - "moments": MessageLookupByLibrary.simpleMessage("Øjeblikke"), - "never": MessageLookupByLibrary.simpleMessage("Aldrig"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Nyt album"), - "next": MessageLookupByLibrary.simpleMessage("Næste"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Ingen"), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Ingen gendannelsesnøgle?", - ), - "ok": MessageLookupByLibrary.simpleMessage("Ok"), - "oops": MessageLookupByLibrary.simpleMessage("Ups"), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Ups, noget gik galt", - ), - "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( - "Eller vælg en eksisterende", - ), - "password": MessageLookupByLibrary.simpleMessage("Adgangskode"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Adgangskoden er blevet ændret", - ), - "passwordLock": MessageLookupByLibrary.simpleMessage("Adgangskodelås"), - "passwordStrength": m57, - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Vi gemmer ikke denne adgangskode, så hvis du glemmer den kan vi ikke dekryptere dine data", - ), - "pendingItems": MessageLookupByLibrary.simpleMessage( - "Afventende elementer", - ), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Personer, der bruger din kode", - ), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Kontakt support@ente.io og vi vil være glade for at hjælpe!", - ), - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Prøv venligst igen", - ), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Vent venligst..."), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( - "Privatlivspolitik", - ), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( - "Offentligt link aktiveret", - ), - "recover": MessageLookupByLibrary.simpleMessage("Gendan"), - "recoverAccount": MessageLookupByLibrary.simpleMessage("Gendan konto"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Gendan"), - "recoveryKey": MessageLookupByLibrary.simpleMessage("Gendannelse nøgle"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Gendannelsesnøgle kopieret til udklipsholder", - ), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Hvis du glemmer din adgangskode, den eneste måde, du kan gendanne dine data er med denne nøgle.", - ), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Vi gemmer ikke denne nøgle, gem venligst denne 24 ord nøgle på et sikkert sted.", - ), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Super! Din gendannelsesnøgle er gyldig. Tak fordi du verificerer.\n\nHusk at holde din gendannelsesnøgle sikker sikkerhedskopieret.", - ), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Gendannelsesnøgle bekræftet", - ), - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "Gendannelse lykkedes!", - ), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Genskab adgangskode", - ), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. De tilmelder sig en betalt plan", - ), - "remove": MessageLookupByLibrary.simpleMessage("Fjern"), - "removeFromAlbum": MessageLookupByLibrary.simpleMessage("Fjern fra album"), - "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( - "Fjern fra album?", - ), - "removeLink": MessageLookupByLibrary.simpleMessage("Fjern link"), - "removeParticipant": MessageLookupByLibrary.simpleMessage("Fjern deltager"), - "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Fjern?"), - "removingFromFavorites": MessageLookupByLibrary.simpleMessage( - "Fjerner fra favoritter...", - ), - "renameFile": MessageLookupByLibrary.simpleMessage("Omdøb fil"), - "resendEmail": MessageLookupByLibrary.simpleMessage("Send email igen"), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Nulstil adgangskode", - ), - "retry": MessageLookupByLibrary.simpleMessage("Prøv igen"), - "saveKey": MessageLookupByLibrary.simpleMessage("Gem nøgle"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Gem din gendannelsesnøgle, hvis du ikke allerede har", - ), - "scanCode": MessageLookupByLibrary.simpleMessage("Skan kode"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Skan denne QR-kode med godkendelses-appen", - ), - "searchHint1": MessageLookupByLibrary.simpleMessage( - "Hurtig, søgning på enheden", - ), - "selectAll": MessageLookupByLibrary.simpleMessage("Vælg alle"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Vælg mapper til sikkerhedskopiering", - ), - "selectReason": MessageLookupByLibrary.simpleMessage("Vælg årsag"), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Valgte mapper vil blive krypteret og sikkerhedskopieret", - ), - "selectedPhotos": m80, - "sendEmail": MessageLookupByLibrary.simpleMessage("Send email"), - "sendLink": MessageLookupByLibrary.simpleMessage("Send link"), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Angiv adgangskode", - ), - "setupComplete": MessageLookupByLibrary.simpleMessage("Opsætning fuldført"), - "shareALink": MessageLookupByLibrary.simpleMessage("Del et link"), - "shareTextConfirmOthersVerificationID": m84, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Del med ikke Ente brugere", - ), - "showMemories": MessageLookupByLibrary.simpleMessage("Vis minder"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Jeg er enig i betingelser for brug og privatlivspolitik", - ), - "skip": MessageLookupByLibrary.simpleMessage("Spring over"), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Noget gik galt, prøv venligst igen", - ), - "sorry": MessageLookupByLibrary.simpleMessage("Beklager"), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Beklager, kunne ikke føje til favoritter!", - ), - "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( - "Beklager, kunne ikke fjernes fra favoritter!", - ), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Beklager, vi kunne ikke generere sikre krypteringsnøgler på denne enhed.\n\nForsøg venligst at oprette en konto fra en anden enhed.", - ), - "status": MessageLookupByLibrary.simpleMessage("Status"), - "storageInGB": m93, - "strongStrength": MessageLookupByLibrary.simpleMessage("Stærkt"), - "subscribe": MessageLookupByLibrary.simpleMessage("Abonner"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Du skal have et aktivt betalt abonnement for at aktivere deling.", - ), - "tapToCopy": MessageLookupByLibrary.simpleMessage("tryk for at kopiere"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage( - "Tryk for at indtaste kode", - ), - "terminate": MessageLookupByLibrary.simpleMessage("Afbryd"), - "terminateSession": MessageLookupByLibrary.simpleMessage("Afslut session?"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Betingelser"), - "theyAlsoGetXGb": m99, - "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( - "Dette kan bruges til at gendanne din konto, hvis du mister din anden faktor", - ), - "thisDevice": MessageLookupByLibrary.simpleMessage("Denne enhed"), - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Dette er dit bekræftelses-ID", - ), - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Dette vil logge dig ud af følgende enhed:", - ), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Dette vil logge dig ud af denne enhed!", - ), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "For at nulstille din adgangskode, bekræft venligst din email adresse.", - ), - "tryAgain": MessageLookupByLibrary.simpleMessage("Prøv igen"), - "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( - "To-faktor-godkendelse", - ), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "To-faktor opsætning", - ), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Beklager, denne kode er ikke tilgængelig.", - ), - "unselectAll": MessageLookupByLibrary.simpleMessage("Fravælg alle"), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Opdaterer mappevalg...", - ), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Brug gendannelsesnøgle", - ), - "verify": MessageLookupByLibrary.simpleMessage("Bekræft"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("Bekræft e-mail"), - "verifyPassword": MessageLookupByLibrary.simpleMessage( - "Bekræft adgangskode", - ), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Verificerer gendannelsesnøgle...", - ), - "viewAddOnButton": MessageLookupByLibrary.simpleMessage("Vis tilføjelser"), - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Vis gendannelsesnøgle", - ), - "viewer": MessageLookupByLibrary.simpleMessage("Seer"), - "waitingForWifi": MessageLookupByLibrary.simpleMessage( - "Venter på Wi-fi...", - ), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Svagt"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("Velkommen tilbage!"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "Ja, konverter til præsentation", - ), - "yesRemove": MessageLookupByLibrary.simpleMessage("Ja, fjern"), - "you": MessageLookupByLibrary.simpleMessage("Dig"), - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "Din konto er blevet slettet", - ), - }; + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("Velkommen tilbage!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Jeg forstår at hvis jeg mister min adgangskode kan jeg miste mine data, da mine data er end-to-end krypteret."), + "activeSessions": + MessageLookupByLibrary.simpleMessage("Aktive sessioner"), + "addANewEmail": + MessageLookupByLibrary.simpleMessage("Tilføj en ny e-mail"), + "addCollaborator": + MessageLookupByLibrary.simpleMessage("Tilføj samarbejdspartner"), + "addMore": MessageLookupByLibrary.simpleMessage("Tilføj flere"), + "addOnPageSubtitle": + MessageLookupByLibrary.simpleMessage("Oplysninger om tilføjelser"), + "addViewer": MessageLookupByLibrary.simpleMessage("Tilføj seer"), + "addedAs": MessageLookupByLibrary.simpleMessage("Tilføjet som"), + "addingToFavorites": + MessageLookupByLibrary.simpleMessage("Tilføjer til favoritter..."), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Avanceret"), + "after1Day": MessageLookupByLibrary.simpleMessage("Efter 1 dag"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Efter 1 time"), + "after1Month": MessageLookupByLibrary.simpleMessage("Efter 1 måned"), + "after1Week": MessageLookupByLibrary.simpleMessage("Efter 1 uge"), + "after1Year": MessageLookupByLibrary.simpleMessage("Efter 1 år"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Ejer"), + "albumParticipantsCount": m8, + "albumUpdated": + MessageLookupByLibrary.simpleMessage("Album er opdateret"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Tillad personer med linket også at tilføje billeder til det delte album."), + "allowAddingPhotos": + MessageLookupByLibrary.simpleMessage("Tillad tilføjelse af fotos"), + "allowDownloads": + MessageLookupByLibrary.simpleMessage("Tillad downloads"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Hvad er hovedårsagen til, at du sletter din konto?"), + "backedUpFolders": + MessageLookupByLibrary.simpleMessage("Sikkerhedskopierede mapper"), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Elementer, der er blevet sikkerhedskopieret, vil blive vist her"), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Beklager, dette album kan ikke åbnes i appen."), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Kan kun fjerne filer ejet af dig"), + "cancel": MessageLookupByLibrary.simpleMessage("Annuller"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": + MessageLookupByLibrary.simpleMessage("Kan ikke slette delte filer"), + "changeEmail": + MessageLookupByLibrary.simpleMessage("Skift email adresse"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("Skift adgangskode"), + "changePermissions": + MessageLookupByLibrary.simpleMessage("Rediger rettigheder?"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Tjek venligst din indbakke (og spam) for at færdiggøre verificeringen"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Ryd indekser"), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Kode kopieret til udklipsholder"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Opret et link, så folk kan tilføje og se fotos i dit delte album uden at behøve en Ente-app eller konto. Fantastisk til at indsamle event fotos."), + "collaborativeLink": + MessageLookupByLibrary.simpleMessage("Kollaborativt link"), + "collectPhotos": + MessageLookupByLibrary.simpleMessage("Indsaml billeder"), + "confirm": MessageLookupByLibrary.simpleMessage("Bekræft"), + "confirmAccountDeletion": + MessageLookupByLibrary.simpleMessage("Bekræft Sletning Af Konto"), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("Bekræft adgangskode"), + "confirmRecoveryKey": + MessageLookupByLibrary.simpleMessage("Bekræft gendannelsesnøgle"), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Bekræft din gendannelsesnøgle"), + "contactSupport": + MessageLookupByLibrary.simpleMessage("Kontakt support"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Fortsæt"), + "copyLink": MessageLookupByLibrary.simpleMessage("Kopiér link"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Kopiér denne kode\ntil din autentificeringsapp"), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Abonnementet kunne ikke opdateres."), + "createAccount": MessageLookupByLibrary.simpleMessage("Opret konto"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("Opret en ny konto"), + "createPublicLink": + MessageLookupByLibrary.simpleMessage("Opret et offentligt link"), + "creatingLink": + MessageLookupByLibrary.simpleMessage("Opretter link..."), + "custom": MessageLookupByLibrary.simpleMessage("Tilpasset"), + "decrypting": MessageLookupByLibrary.simpleMessage("Dekrypterer..."), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Slet konto"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Vi er kede af at du forlader os. Forklar venligst hvorfor, så vi kan forbedre os."), + "deleteAccountPermanentlyButton": + MessageLookupByLibrary.simpleMessage("Slet konto permanent"), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Slet album"), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Send venligst en email til account-deletion@ente.io fra din registrerede email adresse."), + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Der mangler en vigtig funktion, som jeg har brug for"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "App\'en eller en bestemt funktion virker ikke som den skal"), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Jeg fandt en anden tjeneste, som jeg syntes bedre om"), + "deleteReason4": + MessageLookupByLibrary.simpleMessage("Min grund er ikke angivet"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Din anmodning vil blive behandlet inden for 72 timer."), + "deleteSharedAlbum": + MessageLookupByLibrary.simpleMessage("Slet delt album?"), + "details": MessageLookupByLibrary.simpleMessage("Detaljer"), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Er du sikker på, at du vil ændre udviklerindstillingerne?"), + "disableDownloadWarningTitle": + MessageLookupByLibrary.simpleMessage("Bemærk venligst"), + "discover_food": MessageLookupByLibrary.simpleMessage("Mad"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Identitet"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Noter"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Kæledyr"), + "discover_screenshots": + MessageLookupByLibrary.simpleMessage("Skærmbilleder"), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfier"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Solnedgang"), + "discover_wallpapers": + MessageLookupByLibrary.simpleMessage("Baggrundsbilleder"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Gør det senere"), + "dropSupportEmail": m25, + "eligible": MessageLookupByLibrary.simpleMessage("kvalificeret"), + "email": MessageLookupByLibrary.simpleMessage("Email"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "E-mail er allerede registreret."), + "emailNotRegistered": + MessageLookupByLibrary.simpleMessage("E-mail er ikke registreret."), + "encryption": MessageLookupByLibrary.simpleMessage("Kryptering"), + "encryptionKeys": + MessageLookupByLibrary.simpleMessage("Krypteringsnøgler"), + "enterCode": MessageLookupByLibrary.simpleMessage("Indtast kode"), + "enterEmail": + MessageLookupByLibrary.simpleMessage("Indtast email adresse"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Indtast en ny adgangskode vi kan bruge til at kryptere dine data"), + "enterPassword": + MessageLookupByLibrary.simpleMessage("Indtast adgangskode"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Indtast en adgangskode vi kan bruge til at kryptere dine data"), + "enterPin": MessageLookupByLibrary.simpleMessage("Indtast PIN"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Indtast den 6-cifrede kode fra din autentificeringsapp"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Indtast venligst en gyldig email adresse."), + "enterYourEmailAddress": + MessageLookupByLibrary.simpleMessage("Indtast din email adresse"), + "enterYourPassword": + MessageLookupByLibrary.simpleMessage("Indtast adgangskode"), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Indtast din gendannelsesnøgle"), + "familyPlanPortalTitle": + MessageLookupByLibrary.simpleMessage("Familie"), + "feedback": MessageLookupByLibrary.simpleMessage("Feedback"), + "fileSavedToGallery": + MessageLookupByLibrary.simpleMessage("Fil gemt i galleri"), + "findPeopleByName": + MessageLookupByLibrary.simpleMessage("Find folk hurtigt ved navn"), + "forgotPassword": + MessageLookupByLibrary.simpleMessage("Glemt adgangskode"), + "freeStorageOnReferralSuccess": m37, + "freeUpDeviceSpace": + MessageLookupByLibrary.simpleMessage("Frigør enhedsplads"), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Spar plads på din enhed ved at rydde filer, der allerede er sikkerhedskopieret."), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Genererer krypteringsnøgler..."), + "help": MessageLookupByLibrary.simpleMessage("Hjælp"), + "howItWorks": + MessageLookupByLibrary.simpleMessage("Sådan fungerer det"), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("Forkert adgangskode"), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Den gendannelsesnøgle du indtastede er forkert"), + "incorrectRecoveryKeyTitle": + MessageLookupByLibrary.simpleMessage("Forkert gendannelsesnøgle"), + "indexedItems": + MessageLookupByLibrary.simpleMessage("Indekserede elementer"), + "insecureDevice": MessageLookupByLibrary.simpleMessage("Usikker enhed"), + "invalidEmailAddress": + MessageLookupByLibrary.simpleMessage("Ugyldig email adresse"), + "invalidKey": MessageLookupByLibrary.simpleMessage("Ugyldig nøgle"), + "invite": MessageLookupByLibrary.simpleMessage("Inviter"), + "inviteYourFriends": + MessageLookupByLibrary.simpleMessage("Inviter dine venner"), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Valgte elementer vil blive fjernet fra dette album"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Behold billeder"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Hjælp os venligst med disse oplysninger"), + "linkDeviceLimit": + MessageLookupByLibrary.simpleMessage("Enheds grænse"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Aktiveret"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Udløbet"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Udløb af link"), + "linkHasExpired": + MessageLookupByLibrary.simpleMessage("Linket er udløbet"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Aldrig"), + "loadingModel": + MessageLookupByLibrary.simpleMessage("Downloader modeller..."), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Lås"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Log ind"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Logger ud..."), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Ved at klikke på log ind accepterer jeg vilkårene for service og privatlivspolitik"), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Langt tryk på en e-mail for at bekræfte slutningen af krypteringen."), + "lostDevice": + MessageLookupByLibrary.simpleMessage("Har du mistet enhed?"), + "machineLearning": MessageLookupByLibrary.simpleMessage("Maskinlæring"), + "magicSearch": MessageLookupByLibrary.simpleMessage("Magisk søgning"), + "manage": MessageLookupByLibrary.simpleMessage("Administrér"), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Gennemgå og ryd lokal cache-lagring."), + "manageParticipants": + MessageLookupByLibrary.simpleMessage("Administrer"), + "mlConsent": + MessageLookupByLibrary.simpleMessage("Aktiver maskinlæring"), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Klik her for flere detaljer om denne funktion i vores privatlivspolitik"), + "mlConsentTitle": + MessageLookupByLibrary.simpleMessage("Aktiver maskinlæring?"), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Bemærk venligst, at maskinindlæring vil resultere i en højere båndbredde og batteriforbrug, indtil alle elementer er indekseret. Overvej at bruge desktop app til hurtigere indeksering, vil alle resultater blive synkroniseret automatisk."), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Moderat"), + "moments": MessageLookupByLibrary.simpleMessage("Øjeblikke"), + "never": MessageLookupByLibrary.simpleMessage("Aldrig"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Nyt album"), + "next": MessageLookupByLibrary.simpleMessage("Næste"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Ingen"), + "noRecoveryKey": + MessageLookupByLibrary.simpleMessage("Ingen gendannelsesnøgle?"), + "ok": MessageLookupByLibrary.simpleMessage("Ok"), + "oops": MessageLookupByLibrary.simpleMessage("Ups"), + "oopsSomethingWentWrong": + MessageLookupByLibrary.simpleMessage("Ups, noget gik galt"), + "orPickAnExistingOne": + MessageLookupByLibrary.simpleMessage("Eller vælg en eksisterende"), + "password": MessageLookupByLibrary.simpleMessage("Adgangskode"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Adgangskoden er blevet ændret"), + "passwordLock": MessageLookupByLibrary.simpleMessage("Adgangskodelås"), + "passwordStrength": m57, + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Vi gemmer ikke denne adgangskode, så hvis du glemmer den kan vi ikke dekryptere dine data"), + "pendingItems": + MessageLookupByLibrary.simpleMessage("Afventende elementer"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Personer, der bruger din kode"), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Kontakt support@ente.io og vi vil være glade for at hjælpe!"), + "pleaseTryAgain": + MessageLookupByLibrary.simpleMessage("Prøv venligst igen"), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Vent venligst..."), + "privacyPolicyTitle": + MessageLookupByLibrary.simpleMessage("Privatlivspolitik"), + "publicLinkEnabled": + MessageLookupByLibrary.simpleMessage("Offentligt link aktiveret"), + "recover": MessageLookupByLibrary.simpleMessage("Gendan"), + "recoverAccount": MessageLookupByLibrary.simpleMessage("Gendan konto"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Gendan"), + "recoveryKey": + MessageLookupByLibrary.simpleMessage("Gendannelse nøgle"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Gendannelsesnøgle kopieret til udklipsholder"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Hvis du glemmer din adgangskode, den eneste måde, du kan gendanne dine data er med denne nøgle."), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Vi gemmer ikke denne nøgle, gem venligst denne 24 ord nøgle på et sikkert sted."), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Super! Din gendannelsesnøgle er gyldig. Tak fordi du verificerer.\n\nHusk at holde din gendannelsesnøgle sikker sikkerhedskopieret."), + "recoveryKeyVerified": + MessageLookupByLibrary.simpleMessage("Gendannelsesnøgle bekræftet"), + "recoverySuccessful": + MessageLookupByLibrary.simpleMessage("Gendannelse lykkedes!"), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("Genskab adgangskode"), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. De tilmelder sig en betalt plan"), + "remove": MessageLookupByLibrary.simpleMessage("Fjern"), + "removeFromAlbum": + MessageLookupByLibrary.simpleMessage("Fjern fra album"), + "removeFromAlbumTitle": + MessageLookupByLibrary.simpleMessage("Fjern fra album?"), + "removeLink": MessageLookupByLibrary.simpleMessage("Fjern link"), + "removeParticipant": + MessageLookupByLibrary.simpleMessage("Fjern deltager"), + "removeWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Fjern?"), + "removingFromFavorites": + MessageLookupByLibrary.simpleMessage("Fjerner fra favoritter..."), + "renameFile": MessageLookupByLibrary.simpleMessage("Omdøb fil"), + "resendEmail": MessageLookupByLibrary.simpleMessage("Send email igen"), + "resetPasswordTitle": + MessageLookupByLibrary.simpleMessage("Nulstil adgangskode"), + "retry": MessageLookupByLibrary.simpleMessage("Prøv igen"), + "saveKey": MessageLookupByLibrary.simpleMessage("Gem nøgle"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Gem din gendannelsesnøgle, hvis du ikke allerede har"), + "scanCode": MessageLookupByLibrary.simpleMessage("Skan kode"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Skan denne QR-kode med godkendelses-appen"), + "searchHint1": + MessageLookupByLibrary.simpleMessage("Hurtig, søgning på enheden"), + "selectAll": MessageLookupByLibrary.simpleMessage("Vælg alle"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Vælg mapper til sikkerhedskopiering"), + "selectReason": MessageLookupByLibrary.simpleMessage("Vælg årsag"), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Valgte mapper vil blive krypteret og sikkerhedskopieret"), + "selectedPhotos": m80, + "sendEmail": MessageLookupByLibrary.simpleMessage("Send email"), + "sendLink": MessageLookupByLibrary.simpleMessage("Send link"), + "setPasswordTitle": + MessageLookupByLibrary.simpleMessage("Angiv adgangskode"), + "setupComplete": + MessageLookupByLibrary.simpleMessage("Opsætning fuldført"), + "shareALink": MessageLookupByLibrary.simpleMessage("Del et link"), + "shareTextConfirmOthersVerificationID": m84, + "shareWithNonenteUsers": + MessageLookupByLibrary.simpleMessage("Del med ikke Ente brugere"), + "showMemories": MessageLookupByLibrary.simpleMessage("Vis minder"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Jeg er enig i betingelser for brug og privatlivspolitik"), + "skip": MessageLookupByLibrary.simpleMessage("Spring over"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Noget gik galt, prøv venligst igen"), + "sorry": MessageLookupByLibrary.simpleMessage("Beklager"), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Beklager, kunne ikke føje til favoritter!"), + "sorryCouldNotRemoveFromFavorites": + MessageLookupByLibrary.simpleMessage( + "Beklager, kunne ikke fjernes fra favoritter!"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Beklager, vi kunne ikke generere sikre krypteringsnøgler på denne enhed.\n\nForsøg venligst at oprette en konto fra en anden enhed."), + "status": MessageLookupByLibrary.simpleMessage("Status"), + "storageInGB": m93, + "strongStrength": MessageLookupByLibrary.simpleMessage("Stærkt"), + "subscribe": MessageLookupByLibrary.simpleMessage("Abonner"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Du skal have et aktivt betalt abonnement for at aktivere deling."), + "tapToCopy": + MessageLookupByLibrary.simpleMessage("tryk for at kopiere"), + "tapToEnterCode": + MessageLookupByLibrary.simpleMessage("Tryk for at indtaste kode"), + "terminate": MessageLookupByLibrary.simpleMessage("Afbryd"), + "terminateSession": + MessageLookupByLibrary.simpleMessage("Afslut session?"), + "termsOfServicesTitle": + MessageLookupByLibrary.simpleMessage("Betingelser"), + "theyAlsoGetXGb": m99, + "thisCanBeUsedToRecoverYourAccountIfYou": + MessageLookupByLibrary.simpleMessage( + "Dette kan bruges til at gendanne din konto, hvis du mister din anden faktor"), + "thisDevice": MessageLookupByLibrary.simpleMessage("Denne enhed"), + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Dette er dit bekræftelses-ID"), + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Dette vil logge dig ud af følgende enhed:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Dette vil logge dig ud af denne enhed!"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "For at nulstille din adgangskode, bekræft venligst din email adresse."), + "tryAgain": MessageLookupByLibrary.simpleMessage("Prøv igen"), + "twofactorAuthenticationPageTitle": + MessageLookupByLibrary.simpleMessage("To-faktor-godkendelse"), + "twofactorSetup": + MessageLookupByLibrary.simpleMessage("To-faktor opsætning"), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Beklager, denne kode er ikke tilgængelig."), + "unselectAll": MessageLookupByLibrary.simpleMessage("Fravælg alle"), + "updatingFolderSelection": + MessageLookupByLibrary.simpleMessage("Opdaterer mappevalg..."), + "useRecoveryKey": + MessageLookupByLibrary.simpleMessage("Brug gendannelsesnøgle"), + "verify": MessageLookupByLibrary.simpleMessage("Bekræft"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("Bekræft e-mail"), + "verifyPassword": + MessageLookupByLibrary.simpleMessage("Bekræft adgangskode"), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Verificerer gendannelsesnøgle..."), + "viewAddOnButton": + MessageLookupByLibrary.simpleMessage("Vis tilføjelser"), + "viewRecoveryKey": + MessageLookupByLibrary.simpleMessage("Vis gendannelsesnøgle"), + "viewer": MessageLookupByLibrary.simpleMessage("Seer"), + "waitingForWifi": + MessageLookupByLibrary.simpleMessage("Venter på Wi-fi..."), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Svagt"), + "welcomeBack": + MessageLookupByLibrary.simpleMessage("Velkommen tilbage!"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "Ja, konverter til præsentation"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Ja, fjern"), + "you": MessageLookupByLibrary.simpleMessage("Dig"), + "yourAccountHasBeenDeleted": + MessageLookupByLibrary.simpleMessage("Din konto er blevet slettet") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_de.dart b/mobile/apps/photos/lib/generated/intl/messages_de.dart index 10eacb7e5e..98319b5de3 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_de.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_de.dart @@ -57,7 +57,12 @@ class MessageLookup extends MessageLookupByLibrary { "Der Nutzer \"${user}\" wird keine weiteren Fotos zum Album hinzufügen können.\n\nJedoch kann er weiterhin vorhandene Bilder, welche durch ihn hinzugefügt worden sind, wieder entfernen"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, {'true': 'Deine Familiengruppe hat bereits ${storageAmountInGb} GB erhalten', 'false': 'Du hast bereits ${storageAmountInGb} GB erhalten', 'other': 'Du hast bereits ${storageAmountInGb} GB erhalten!'})}"; + "${Intl.select(isFamilyMember, { + 'true': + 'Deine Familiengruppe hat bereits ${storageAmountInGb} GB erhalten', + 'false': 'Du hast bereits ${storageAmountInGb} GB erhalten', + 'other': 'Du hast bereits ${storageAmountInGb} GB erhalten!', + })}"; static String m15(albumName) => "Kollaborativer Link für ${albumName} erstellt"; @@ -262,11 +267,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, - usedStorageUnit, - totalAmount, - totalStorageUnit, - ) => + usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => "${usedAmount} ${usedStorageUnit} von ${totalAmount} ${totalStorageUnit} verwendet"; static String m95(id) => @@ -332,2554 +333,2023 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Eine neue Version von Ente ist verfügbar.", - ), - "about": MessageLookupByLibrary.simpleMessage("Allgemeine Informationen"), - "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( - "Einladung annehmen", - ), - "account": MessageLookupByLibrary.simpleMessage("Konto"), - "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( - "Das Konto ist bereits konfiguriert.", - ), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( - "Willkommen zurück!", - ), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Ich verstehe, dass ich meine Daten verlieren kann, wenn ich mein Passwort vergesse, da meine Daten Ende-zu-Ende-verschlüsselt sind.", - ), - "actionNotSupportedOnFavouritesAlbum": MessageLookupByLibrary.simpleMessage( - "Aktion für das Favoritenalbum nicht unterstützt", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage("Aktive Sitzungen"), - "add": MessageLookupByLibrary.simpleMessage("Hinzufügen"), - "addAName": MessageLookupByLibrary.simpleMessage("Füge einen Namen hinzu"), - "addANewEmail": MessageLookupByLibrary.simpleMessage( - "Neue E-Mail-Adresse hinzufügen", - ), - "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Füge ein Alben-Widget zu deiner Startseite hinzu und komm hierher zurück, um es anzupassen.", - ), - "addCollaborator": MessageLookupByLibrary.simpleMessage( - "Bearbeiter hinzufügen", - ), - "addCollaborators": m1, - "addFiles": MessageLookupByLibrary.simpleMessage("Dateien hinzufügen"), - "addFromDevice": MessageLookupByLibrary.simpleMessage( - "Vom Gerät hinzufügen", - ), - "addItem": m2, - "addLocation": MessageLookupByLibrary.simpleMessage("Ort hinzufügen"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Hinzufügen"), - "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Füge ein Erinnerungs-Widget zu deiner Startseite hinzu und komm hierher zurück, um es anzupassen.", - ), - "addMore": MessageLookupByLibrary.simpleMessage("Mehr hinzufügen"), - "addName": MessageLookupByLibrary.simpleMessage("Name hinzufügen"), - "addNameOrMerge": MessageLookupByLibrary.simpleMessage( - "Name hinzufügen oder zusammenführen", - ), - "addNew": MessageLookupByLibrary.simpleMessage("Hinzufügen"), - "addNewPerson": MessageLookupByLibrary.simpleMessage( - "Neue Person hinzufügen", - ), - "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( - "Details der Add-ons", - ), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("Add-ons"), - "addParticipants": MessageLookupByLibrary.simpleMessage( - "Teilnehmer hinzufügen", - ), - "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Füge ein Personen-Widget zu deiner Startseite hinzu und komm hierher zurück, um es anzupassen.", - ), - "addPhotos": MessageLookupByLibrary.simpleMessage("Fotos hinzufügen"), - "addSelected": MessageLookupByLibrary.simpleMessage("Auswahl hinzufügen"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("Zum Album hinzufügen"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Zu Ente hinzufügen"), - "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Zum versteckten Album hinzufügen", - ), - "addTrustedContact": MessageLookupByLibrary.simpleMessage( - "Vertrauenswürdigen Kontakt hinzufügen", - ), - "addViewer": MessageLookupByLibrary.simpleMessage("Album teilen"), - "addViewers": m4, - "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( - "Füge deine Foto jetzt hinzu", - ), - "addedAs": MessageLookupByLibrary.simpleMessage("Hinzugefügt als"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": MessageLookupByLibrary.simpleMessage( - "Wird zu Favoriten hinzugefügt...", - ), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("Erweitert"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Erweitert"), - "after1Day": MessageLookupByLibrary.simpleMessage("Nach einem Tag"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Nach 1 Stunde"), - "after1Month": MessageLookupByLibrary.simpleMessage("Nach 1 Monat"), - "after1Week": MessageLookupByLibrary.simpleMessage("Nach 1 Woche"), - "after1Year": MessageLookupByLibrary.simpleMessage("Nach 1 Jahr"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Besitzer"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Albumtitel"), - "albumUpdated": MessageLookupByLibrary.simpleMessage("Album aktualisiert"), - "albums": MessageLookupByLibrary.simpleMessage("Alben"), - "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Wähle die Alben, die du auf der Startseite sehen möchtest.", - ), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Alles klar"), - "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( - "Alle Erinnerungsstücke gesichert", - ), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "Alle Gruppierungen für diese Person werden zurückgesetzt und du wirst alle Vorschläge für diese Person verlieren", - ), - "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": - MessageLookupByLibrary.simpleMessage( - "Alle unbenannten Gruppen werden zur ausgewählten Person zusammengeführt. Dies kann im Verlauf der Vorschläge für diese Person rückgängig gemacht werden.", - ), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "Dies ist die erste in der Gruppe. Andere ausgewählte Fotos werden automatisch nach diesem neuen Datum verschoben", - ), - "allow": MessageLookupByLibrary.simpleMessage("Erlauben"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Erlaube Nutzern, mit diesem Link ebenfalls Fotos zu diesem geteilten Album hinzuzufügen.", - ), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( - "Hinzufügen von Fotos erlauben", - ), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "Erlaube der App, geteilte Album-Links zu öffnen", - ), - "allowDownloads": MessageLookupByLibrary.simpleMessage( - "Downloads erlauben", - ), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Erlaube anderen das Hinzufügen von Fotos", - ), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Bitte erlaube den Zugriff auf Deine Fotos in den Einstellungen, damit Ente sie anzeigen und sichern kann.", - ), - "allowPermTitle": MessageLookupByLibrary.simpleMessage( - "Zugriff auf Fotos erlauben", - ), - "androidBiometricHint": MessageLookupByLibrary.simpleMessage( - "Identität verifizieren", - ), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "Nicht erkannt. Versuchen Sie es erneut.", - ), - "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( - "Biometrie erforderlich", - ), - "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage( - "Erfolgreich", - ), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Abbrechen"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage( - "Geräteanmeldeinformationen erforderlich", - ), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage( - "Geräteanmeldeinformationen erforderlich", - ), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Auf Ihrem Gerät ist keine biometrische Authentifizierung eingerichtet. Gehen Sie „Einstellungen“ > „Sicherheit“, um die biometrische Authentifizierung hinzuzufügen.", - ), - "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( - "Android, iOS, Web, Desktop", - ), - "androidSignInTitle": MessageLookupByLibrary.simpleMessage( - "Authentifizierung erforderlich", - ), - "appIcon": MessageLookupByLibrary.simpleMessage("App-Symbol"), - "appLock": MessageLookupByLibrary.simpleMessage("App-Sperre"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Wähle zwischen dem Standard-Sperrbildschirm deines Gerätes und einem eigenen Sperrbildschirm mit PIN oder Passwort.", - ), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), - "apply": MessageLookupByLibrary.simpleMessage("Anwenden"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Code nutzen"), - "appstoreSubscription": MessageLookupByLibrary.simpleMessage( - "AppStore Abo", - ), - "archive": MessageLookupByLibrary.simpleMessage("Archiv"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("Album archivieren"), - "archiving": MessageLookupByLibrary.simpleMessage("Archiviere …"), - "areThey": MessageLookupByLibrary.simpleMessage("Ist das "), - "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( - "Bist du sicher, dass du dieses Gesicht von dieser Person entfernen möchtest?", - ), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Bist du sicher, dass du den Familien-Tarif verlassen möchtest?", - ), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "Bist du sicher, dass du kündigen willst?", - ), - "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( - "Bist du sicher, dass du deinen Tarif ändern möchtest?", - ), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "Möchtest du Vorgang wirklich abbrechen?", - ), - "areYouSureYouWantToIgnoreThesePersons": - MessageLookupByLibrary.simpleMessage( - "Bist du sicher, dass du diese Personen ignorieren willst?", - ), - "areYouSureYouWantToIgnoreThisPerson": MessageLookupByLibrary.simpleMessage( - "Bist du sicher, dass du diese Person ignorieren willst?", - ), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Bist Du sicher, dass du dich abmelden möchtest?", - ), - "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( - "Bist du sicher, dass du sie zusammenführen willst?", - ), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "Bist du sicher, dass du verlängern möchtest?", - ), - "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( - "Bist du sicher, dass du diese Person zurücksetzen möchtest?", - ), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "Dein Abonnement wurde gekündigt. Möchtest du uns den Grund mitteilen?", - ), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Was ist der Hauptgrund für die Löschung deines Kontos?", - ), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Bitte deine Liebsten ums Teilen", - ), - "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( - "in einem ehemaligen Luftschutzbunker", - ), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Bitte authentifizieren, um die E-Mail-Bestätigung zu ändern", - ), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Bitte authentifizieren, um die Sperrbildschirm-Einstellung zu ändern", - ), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Bitte authentifizieren, um deine E-Mail-Adresse zu ändern", - ), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Bitte authentifizieren, um das Passwort zu ändern", - ), - "authToConfigureTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( - "Bitte authentifizieren, um Zwei-Faktor-Authentifizierung zu konfigurieren", - ), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Bitte authentifizieren, um die Löschung des Kontos einzuleiten", - ), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Bitte authentifiziere dich, um deine vertrauenswürdigen Kontakte zu verwalten", - ), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Bitte authentifizieren, um deinen Passkey zu sehen", - ), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Bitte authentifizieren, um die gelöschten Dateien anzuzeigen", - ), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Bitte authentifizieren, um die aktiven Sitzungen anzusehen", - ), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Bitte authentifizieren, um die versteckten Dateien anzusehen", - ), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Bitte authentifizieren, um deine Erinnerungsstücke anzusehen", - ), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Bitte authentifizieren, um deinen Wiederherstellungs-Schlüssel anzusehen", - ), - "authenticating": MessageLookupByLibrary.simpleMessage("Authentifiziere …"), - "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Authentifizierung fehlgeschlagen, versuchen Sie es bitte erneut", - ), - "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( - "Authentifizierung erfogreich!", - ), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Verfügbare Cast-Geräte werden hier angezeigt.", - ), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Stelle sicher, dass die Ente-App auf das lokale Netzwerk zugreifen darf. Das kannst du in den Einstellungen unter \"Datenschutz\".", - ), - "autoLock": MessageLookupByLibrary.simpleMessage("Automatisches Sperren"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Zeit, nach der die App gesperrt wird, nachdem sie in den Hintergrund verschoben wurde", - ), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "Du wurdest aufgrund technischer Störungen abgemeldet. Wir entschuldigen uns für die Unannehmlichkeiten.", - ), - "autoPair": MessageLookupByLibrary.simpleMessage("Automatisch verbinden"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "Automatisches Verbinden funktioniert nur mit Geräten, die Chromecast unterstützen.", - ), - "available": MessageLookupByLibrary.simpleMessage("Verfügbar"), - "availableStorageSpace": m10, - "backedUpFolders": MessageLookupByLibrary.simpleMessage( - "Gesicherte Ordner", - ), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("Backup"), - "backupFailed": MessageLookupByLibrary.simpleMessage( - "Sicherung fehlgeschlagen", - ), - "backupFile": MessageLookupByLibrary.simpleMessage("Datei sichern"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Über mobile Daten sichern", - ), - "backupSettings": MessageLookupByLibrary.simpleMessage( - "Backup-Einstellungen", - ), - "backupStatus": MessageLookupByLibrary.simpleMessage("Sicherungsstatus"), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Gesicherte Elemente werden hier angezeigt", - ), - "backupVideos": MessageLookupByLibrary.simpleMessage("Videos sichern"), - "beach": MessageLookupByLibrary.simpleMessage("Am Strand"), - "birthday": MessageLookupByLibrary.simpleMessage("Geburtstag"), - "birthdayNotifications": MessageLookupByLibrary.simpleMessage( - "Geburtstagsbenachrichtigungen", - ), - "birthdays": MessageLookupByLibrary.simpleMessage("Geburtstage"), - "blackFridaySale": MessageLookupByLibrary.simpleMessage( - "Black-Friday-Aktion", - ), - "blog": MessageLookupByLibrary.simpleMessage("Blog"), - "cLDesc1": MessageLookupByLibrary.simpleMessage( - "Zusammen mit der Beta-Version des Video-Streamings und der Arbeit an wiederaufnehmbarem Hoch- und Herunterladen haben wir jetzt das Limit für das Hochladen von Dateien auf 10 GB erhöht. Dies ist ab sofort sowohl in den Desktop- als auch Mobil-Apps verfügbar.", - ), - "cLDesc2": MessageLookupByLibrary.simpleMessage( - "Das Hochladen im Hintergrund wird jetzt auch unter iOS unterstützt, zusätzlich zu Android-Geräten. Es ist nicht mehr notwendig, die App zu öffnen, um die letzten Fotos und Videos zu sichern.", - ), - "cLDesc3": MessageLookupByLibrary.simpleMessage( - "Wir haben deutliche Verbesserungen an der Darstellung von Erinnerungen vorgenommen, u.a. automatische Wiedergabe, Wischen zur nächsten Erinnerung und vieles mehr.", - ), - "cLDesc4": MessageLookupByLibrary.simpleMessage( - "Zusammen mit einer Reihe von Verbesserungen unter der Haube ist es jetzt viel einfacher, alle erkannten Gesichter zu sehen, Feedback zu ähnlichen Gesichtern geben und Gesichter für ein einzelnes Foto hinzuzufügen oder zu entfernen.", - ), - "cLDesc5": MessageLookupByLibrary.simpleMessage( - "Du erhältst jetzt eine Opt-Out-Benachrichtigung für alle Geburtstage, die du bei Ente gespeichert hast, zusammen mit einer Sammlung der besten Fotos.", - ), - "cLDesc6": MessageLookupByLibrary.simpleMessage( - "Kein Warten mehr auf das Hoch- oder Herunterladen, bevor du die App schließen kannst. Alle Übertragungen können jetzt mittendrin pausiert und fortgesetzt werden, wo du aufgehört hast.", - ), - "cLTitle1": MessageLookupByLibrary.simpleMessage( - "Lade große Videodateien hoch", - ), - "cLTitle2": MessageLookupByLibrary.simpleMessage( - "Hochladen im Hintergrund", - ), - "cLTitle3": MessageLookupByLibrary.simpleMessage( - "Automatische Wiedergabe von Erinnerungen", - ), - "cLTitle4": MessageLookupByLibrary.simpleMessage( - "Verbesserte Gesichtserkennung", - ), - "cLTitle5": MessageLookupByLibrary.simpleMessage( - "Geburtstags-Benachrichtigungen", - ), - "cLTitle6": MessageLookupByLibrary.simpleMessage( - "Wiederaufnehmbares Hoch- und Herunterladen", - ), - "cachedData": MessageLookupByLibrary.simpleMessage("Daten im Cache"), - "calculating": MessageLookupByLibrary.simpleMessage("Wird berechnet..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Leider kann dieses Album nicht in der App geöffnet werden.", - ), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( - "Album kann nicht geöffnet werden", - ), - "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( - "Kann nicht auf Alben anderer Personen hochladen", - ), - "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Sie können nur Links für Dateien erstellen, die Ihnen gehören", - ), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Du kannst nur Dateien entfernen, die dir gehören", - ), - "cancel": MessageLookupByLibrary.simpleMessage("Abbrechen"), - "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( - "Wiederherstellung abbrechen", - ), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "Bist du sicher, dass du die Wiederherstellung abbrechen möchtest?", - ), - "cancelOtherSubscription": m12, - "cancelSubscription": MessageLookupByLibrary.simpleMessage( - "Abonnement kündigen", - ), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Konnte geteilte Dateien nicht löschen", - ), - "castAlbum": MessageLookupByLibrary.simpleMessage("Album übertragen"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Stelle sicher, dass du im selben Netzwerk bist wie der Fernseher.", - ), - "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( - "Album konnte nicht auf den Bildschirm übertragen werden", - ), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Besuche cast.ente.io auf dem Gerät, das du verbinden möchtest.\n\nGib den unten angegebenen Code ein, um das Album auf deinem Fernseher abzuspielen.", - ), - "centerPoint": MessageLookupByLibrary.simpleMessage("Mittelpunkt"), - "change": MessageLookupByLibrary.simpleMessage("Ändern"), - "changeEmail": MessageLookupByLibrary.simpleMessage( - "E-Mail-Adresse ändern", - ), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Standort der gewählten Elemente ändern?", - ), - "changePassword": MessageLookupByLibrary.simpleMessage("Passwort ändern"), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Passwort ändern", - ), - "changePermissions": MessageLookupByLibrary.simpleMessage( - "Berechtigungen ändern?", - ), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Empfehlungscode ändern", - ), - "checkForUpdates": MessageLookupByLibrary.simpleMessage( - "Nach Aktualisierungen suchen", - ), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Bitte überprüfe deinen E-Mail-Posteingang (und Spam), um die Verifizierung abzuschließen", - ), - "checkStatus": MessageLookupByLibrary.simpleMessage("Status überprüfen"), - "checking": MessageLookupByLibrary.simpleMessage("Wird geprüft..."), - "checkingModels": MessageLookupByLibrary.simpleMessage("Prüfe Modelle..."), - "city": MessageLookupByLibrary.simpleMessage("In der Stadt"), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage( - "Freien Speicher einlösen", - ), - "claimMore": MessageLookupByLibrary.simpleMessage("Mehr einlösen!"), - "claimed": MessageLookupByLibrary.simpleMessage("Eingelöst"), - "claimedStorageSoFar": m14, - "cleanUncategorized": MessageLookupByLibrary.simpleMessage( - "Unkategorisiert leeren", - ), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Entferne alle Dateien von \"Unkategorisiert\" die in anderen Alben vorhanden sind", - ), - "clearCaches": MessageLookupByLibrary.simpleMessage("Cache löschen"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Indexe löschen"), - "click": MessageLookupByLibrary.simpleMessage("• Klick"), - "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( - "• Klicken Sie auf das Überlaufmenü", - ), - "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( - "Klicke, um unsere bisher beste Version zu installieren", - ), - "close": MessageLookupByLibrary.simpleMessage("Schließen"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( - "Nach Aufnahmezeit gruppieren", - ), - "clubByFileName": MessageLookupByLibrary.simpleMessage( - "Nach Dateiname gruppieren", - ), - "clusteringProgress": MessageLookupByLibrary.simpleMessage( - "Fortschritt beim Clustering", - ), - "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( - "Code eingelöst", - ), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Entschuldigung, du hast das Limit der Code-Änderungen erreicht.", - ), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Code in Zwischenablage kopiert", - ), - "codeUsedByYou": MessageLookupByLibrary.simpleMessage( - "Von dir benutzter Code", - ), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Erstelle einen Link, mit dem andere Fotos in dem geteilten Album sehen und selbst welche hinzufügen können - ohne dass sie die ein Ente-Konto oder die App benötigen. Ideal um gemeinsam Fotos von Events zu sammeln.", - ), - "collaborativeLink": MessageLookupByLibrary.simpleMessage( - "Gemeinschaftlicher Link", - ), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Bearbeiter"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Bearbeiter können Fotos & Videos zu dem geteilten Album hinzufügen.", - ), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("Layout"), - "collageSaved": MessageLookupByLibrary.simpleMessage( - "Collage in Galerie gespeichert", - ), - "collect": MessageLookupByLibrary.simpleMessage("Sammeln"), - "collectEventPhotos": MessageLookupByLibrary.simpleMessage( - "Gemeinsam Event-Fotos sammeln", - ), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Fotos sammeln"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Erstelle einen Link, mit dem deine Freunde Fotos in Originalqualität hochladen können.", - ), - "color": MessageLookupByLibrary.simpleMessage("Farbe"), - "configuration": MessageLookupByLibrary.simpleMessage("Konfiguration"), - "confirm": MessageLookupByLibrary.simpleMessage("Bestätigen"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Bist du sicher, dass du die Zwei-Faktor-Authentifizierung (2FA) deaktivieren willst?", - ), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Kontolöschung bestätigen", - ), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Ja, ich möchte dieses Konto und alle enthaltenen Daten über alle Apps hinweg endgültig löschen.", - ), - "confirmPassword": MessageLookupByLibrary.simpleMessage( - "Passwort wiederholen", - ), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage( - "Aboänderungen bestätigen", - ), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Wiederherstellungsschlüssel bestätigen", - ), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Bestätige deinen Wiederherstellungsschlüssel", - ), - "connectToDevice": MessageLookupByLibrary.simpleMessage( - "Mit Gerät verbinden", - ), - "contactFamilyAdmin": m18, - "contactSupport": MessageLookupByLibrary.simpleMessage( - "Support kontaktieren", - ), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Kontakte"), - "contents": MessageLookupByLibrary.simpleMessage("Inhalte"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Weiter"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "Mit kostenloser Testversion fortfahren", - ), - "convertToAlbum": MessageLookupByLibrary.simpleMessage( - "Konvertiere zum Album", - ), - "copyEmailAddress": MessageLookupByLibrary.simpleMessage( - "E-Mail-Adresse kopieren", - ), - "copyLink": MessageLookupByLibrary.simpleMessage("Link kopieren"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Kopiere diesen Code\nin deine Authentifizierungs-App", - ), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "Deine Daten konnten nicht gesichert werden.\nWir versuchen es später erneut.", - ), - "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( - "Konnte Speicherplatz nicht freigeben", - ), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Abo konnte nicht aktualisiert werden", - ), - "count": MessageLookupByLibrary.simpleMessage("Anzahl"), - "crashReporting": MessageLookupByLibrary.simpleMessage("Absturzbericht"), - "create": MessageLookupByLibrary.simpleMessage("Erstellen"), - "createAccount": MessageLookupByLibrary.simpleMessage("Konto erstellen"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Drücke lange um Fotos auszuwählen und klicke + um ein Album zu erstellen", - ), - "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( - "Gemeinschaftlichen Link erstellen", - ), - "createCollage": MessageLookupByLibrary.simpleMessage("Collage erstellen"), - "createNewAccount": MessageLookupByLibrary.simpleMessage( - "Neues Konto erstellen", - ), - "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( - "Album erstellen oder auswählen", - ), - "createPublicLink": MessageLookupByLibrary.simpleMessage( - "Öffentlichen Link erstellen", - ), - "creatingLink": MessageLookupByLibrary.simpleMessage("Erstelle Link..."), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "Kritisches Update ist verfügbar!", - ), - "crop": MessageLookupByLibrary.simpleMessage("Zuschneiden"), - "curatedMemories": MessageLookupByLibrary.simpleMessage( - "Ausgewählte Erinnerungen", - ), - "currentUsageIs": MessageLookupByLibrary.simpleMessage( - "Aktuell genutzt werden ", - ), - "currentlyRunning": MessageLookupByLibrary.simpleMessage("läuft gerade"), - "custom": MessageLookupByLibrary.simpleMessage("Benutzerdefiniert"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Dunkel"), - "dayToday": MessageLookupByLibrary.simpleMessage("Heute"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Gestern"), - "declineTrustInvite": MessageLookupByLibrary.simpleMessage( - "Einladung ablehnen", - ), - "decrypting": MessageLookupByLibrary.simpleMessage("Wird entschlüsselt..."), - "decryptingVideo": MessageLookupByLibrary.simpleMessage( - "Entschlüssele Video …", - ), - "deduplicateFiles": MessageLookupByLibrary.simpleMessage( - "Dateien duplizieren", - ), - "delete": MessageLookupByLibrary.simpleMessage("Löschen"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Konto löschen"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Wir bedauern sehr, dass du dein Konto löschen möchtest. Du würdest uns sehr helfen, wenn du uns kurz einige Gründe hierfür nennen könntest.", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Konto unwiderruflich löschen", - ), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Album löschen"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Auch die Fotos (und Videos) in diesem Album aus allen anderen Alben löschen, die sie enthalten?", - ), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "Damit werden alle leeren Alben gelöscht. Dies ist nützlich, wenn du das Durcheinander in deiner Albenliste verringern möchtest.", - ), - "deleteAll": MessageLookupByLibrary.simpleMessage("Alle löschen"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "Dieses Konto ist mit anderen Ente-Apps verknüpft, falls du welche verwendest. Deine hochgeladenen Daten werden in allen Ente-Apps zur Löschung vorgemerkt und dein Konto wird endgültig gelöscht.", - ), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Bitte sende eine E-Mail an account-deletion@ente.io von Ihrer bei uns hinterlegten E-Mail-Adresse.", - ), - "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( - "Leere Alben löschen", - ), - "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( - "Leere Alben löschen?", - ), - "deleteFromBoth": MessageLookupByLibrary.simpleMessage( - "Aus beidem löschen", - ), - "deleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Vom Gerät löschen", - ), - "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Von Ente löschen"), - "deleteItemCount": m21, - "deleteLocation": MessageLookupByLibrary.simpleMessage("Standort löschen"), - "deleteMultipleAlbumDialog": m22, - "deletePhotos": MessageLookupByLibrary.simpleMessage("Fotos löschen"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Es fehlt eine zentrale Funktion, die ich benötige", - ), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "Die App oder eine bestimmte Funktion verhält sich nicht so wie gedacht", - ), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Ich habe einen anderen Dienst gefunden, der mir mehr zusagt", - ), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "Mein Grund ist nicht aufgeführt", - ), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Deine Anfrage wird innerhalb von 72 Stunden bearbeitet.", - ), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Geteiltes Album löschen?", - ), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "Dieses Album wird für alle gelöscht\n\nDu wirst den Zugriff auf geteilte Fotos in diesem Album, die anderen gehören, verlieren", - ), - "deselectAll": MessageLookupByLibrary.simpleMessage("Alle abwählen"), - "designedToOutlive": MessageLookupByLibrary.simpleMessage( - "Entwickelt um zu bewahren", - ), - "details": MessageLookupByLibrary.simpleMessage("Details"), - "developerSettings": MessageLookupByLibrary.simpleMessage( - "Entwicklereinstellungen", - ), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Bist du sicher, dass du Entwicklereinstellungen bearbeiten willst?", - ), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Code eingeben"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "Dateien, die zu diesem Album hinzugefügt werden, werden automatisch zu Ente hochgeladen.", - ), - "deviceLock": MessageLookupByLibrary.simpleMessage("Gerätsperre"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Verhindern, dass der Bildschirm gesperrt wird, während die App im Vordergrund ist und eine Sicherung läuft. Das ist normalerweise nicht notwendig, kann aber dabei helfen, große Uploads wie einen Erstimport schneller abzuschließen.", - ), - "deviceNotFound": MessageLookupByLibrary.simpleMessage( - "Gerät nicht gefunden", - ), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Schon gewusst?"), - "different": MessageLookupByLibrary.simpleMessage("Verschieden"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage( - "Automatische Sperre deaktivieren", - ), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Zuschauer können weiterhin Screenshots oder mit anderen externen Programmen Kopien der Bilder machen.", - ), - "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( - "Bitte beachten Sie:", - ), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "Zweiten Faktor (2FA) deaktivieren", - ), - "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( - "Zwei-Faktor-Authentifizierung (2FA) wird deaktiviert...", - ), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Entdecken"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Babys"), - "discover_celebrations": MessageLookupByLibrary.simpleMessage("Feiern"), - "discover_food": MessageLookupByLibrary.simpleMessage("Essen"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Grün"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Berge"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Identität"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Notizen"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Haustiere"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Belege"), - "discover_screenshots": MessageLookupByLibrary.simpleMessage( - "Bildschirmfotos", - ), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfies"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Sonnenuntergang"), - "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( - "Visitenkarten", - ), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Hintergründe"), - "dismiss": MessageLookupByLibrary.simpleMessage("Verwerfen"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage("Melde dich nicht ab"), - "doThisLater": MessageLookupByLibrary.simpleMessage("Später erledigen"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Möchtest du deine Änderungen verwerfen?", - ), - "done": MessageLookupByLibrary.simpleMessage("Fertig"), - "dontSave": MessageLookupByLibrary.simpleMessage("Nicht speichern"), - "doubleYourStorage": MessageLookupByLibrary.simpleMessage( - "Speicherplatz verdoppeln", - ), - "download": MessageLookupByLibrary.simpleMessage("Herunterladen"), - "downloadFailed": MessageLookupByLibrary.simpleMessage( - "Herunterladen fehlgeschlagen", - ), - "downloading": MessageLookupByLibrary.simpleMessage( - "Wird heruntergeladen...", - ), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Bearbeiten"), - "editEmailAlreadyLinked": m28, - "editLocation": MessageLookupByLibrary.simpleMessage("Standort bearbeiten"), - "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( - "Standort bearbeiten", - ), - "editPerson": MessageLookupByLibrary.simpleMessage("Person bearbeiten"), - "editTime": MessageLookupByLibrary.simpleMessage("Uhrzeit ändern"), - "editsSaved": MessageLookupByLibrary.simpleMessage( - "Änderungen gespeichert", - ), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Edits to location will only be seen within Ente", - ), - "eligible": MessageLookupByLibrary.simpleMessage("zulässig"), - "email": MessageLookupByLibrary.simpleMessage("E-Mail"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "E-Mail ist bereits registriert.", - ), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "E-Mail nicht registriert.", - ), - "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( - "E-Mail-Verifizierung", - ), - "emailYourLogs": MessageLookupByLibrary.simpleMessage( - "Protokolle per E-Mail senden", - ), - "embracingThem": m32, - "emergencyContacts": MessageLookupByLibrary.simpleMessage( - "Notfallkontakte", - ), - "empty": MessageLookupByLibrary.simpleMessage("Leeren"), - "emptyTrash": MessageLookupByLibrary.simpleMessage("Papierkorb leeren?"), - "enable": MessageLookupByLibrary.simpleMessage("Aktivieren"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "Ente unterstützt maschinelles Lernen für Gesichtserkennung, magische Suche und andere erweiterte Suchfunktionen auf dem Gerät", - ), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Aktiviere maschinelles Lernen für die magische Suche und Gesichtserkennung", - ), - "enableMaps": MessageLookupByLibrary.simpleMessage("Karten aktivieren"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "Dies zeigt Ihre Fotos auf einer Weltkarte.\n\nDiese Karte wird von OpenStreetMap gehostet und die genauen Standorte Ihrer Fotos werden niemals geteilt.\n\nSie können diese Funktion jederzeit in den Einstellungen deaktivieren.", - ), - "enabled": MessageLookupByLibrary.simpleMessage("Aktiviert"), - "encryptingBackup": MessageLookupByLibrary.simpleMessage( - "Verschlüssele Sicherung …", - ), - "encryption": MessageLookupByLibrary.simpleMessage("Verschlüsselung"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage( - "Verschlüsselungscode", - ), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Endpunkt erfolgreich geändert", - ), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Automatisch Ende-zu-Ende-verschlüsselt", - ), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente kann Dateien nur verschlüsseln und sichern, wenn du den Zugriff darauf gewährst", - ), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente benötigt Berechtigung, um Ihre Fotos zu sichern", - ), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "Ente sichert deine Erinnerungen, sodass sie dir nie verloren gehen, selbst wenn du dein Gerät verlierst.", - ), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Deine Familie kann zu deinem Abo hinzugefügt werden.", - ), - "enterAlbumName": MessageLookupByLibrary.simpleMessage( - "Albumname eingeben", - ), - "enterCode": MessageLookupByLibrary.simpleMessage("Code eingeben"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Gib den Code deines Freundes ein, damit sie beide kostenlosen Speicherplatz erhalten", - ), - "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( - "Geburtstag (optional)", - ), - "enterEmail": MessageLookupByLibrary.simpleMessage("E-Mail eingeben"), - "enterFileName": MessageLookupByLibrary.simpleMessage( - "Dateinamen eingeben", - ), - "enterName": MessageLookupByLibrary.simpleMessage("Name eingeben"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Gib ein neues Passwort ein, mit dem wir deine Daten verschlüsseln können", - ), - "enterPassword": MessageLookupByLibrary.simpleMessage("Passwort eingeben"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Gib ein Passwort ein, mit dem wir deine Daten verschlüsseln können", - ), - "enterPersonName": MessageLookupByLibrary.simpleMessage( - "Namen der Person eingeben", - ), - "enterPin": MessageLookupByLibrary.simpleMessage("PIN eingeben"), - "enterReferralCode": MessageLookupByLibrary.simpleMessage( - "Gib den Weiterempfehlungs-Code ein", - ), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Gib den 6-stelligen Code aus\ndeiner Authentifizierungs-App ein", - ), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Bitte gib eine gültige E-Mail-Adresse ein.", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Gib deine E-Mail-Adresse ein", - ), - "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( - "Gib Deine neue E-Mail-Adresse ein", - ), - "enterYourPassword": MessageLookupByLibrary.simpleMessage( - "Passwort eingeben", - ), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Gib deinen Wiederherstellungs-Schlüssel ein", - ), - "error": MessageLookupByLibrary.simpleMessage("Fehler"), - "everywhere": MessageLookupByLibrary.simpleMessage("überall"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": MessageLookupByLibrary.simpleMessage( - "Existierender Benutzer", - ), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Dieser Link ist abgelaufen. Bitte wähle ein neues Ablaufdatum oder deaktiviere das Ablaufdatum des Links.", - ), - "exportLogs": MessageLookupByLibrary.simpleMessage( - "Protokolle exportieren", - ), - "exportYourData": MessageLookupByLibrary.simpleMessage("Daten exportieren"), - "extraPhotosFound": MessageLookupByLibrary.simpleMessage( - "Zusätzliche Fotos gefunden", - ), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Gesicht ist noch nicht gruppiert, bitte komm später zurück", - ), - "faceRecognition": MessageLookupByLibrary.simpleMessage( - "Gesichtserkennung", - ), - "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( - "Vorschaubilder konnten nicht erstellt werden", - ), - "faces": MessageLookupByLibrary.simpleMessage("Gesichter"), - "failed": MessageLookupByLibrary.simpleMessage("Fehlgeschlagen"), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage( - "Der Code konnte nicht aktiviert werden", - ), - "failedToCancel": MessageLookupByLibrary.simpleMessage( - "Kündigung fehlgeschlagen", - ), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( - "Herunterladen des Videos fehlgeschlagen", - ), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Fehler beim Abrufen der aktiven Sitzungen", - ), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Fehler beim Abrufen des Originals zur Bearbeitung", - ), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Die Weiterempfehlungs-Details können nicht abgerufen werden. Bitte versuche es später erneut.", - ), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "Laden der Alben fehlgeschlagen", - ), - "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Fehler beim Abspielen des Videos", - ), - "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( - "Abonnement konnte nicht erneuert werden", - ), - "failedToRenew": MessageLookupByLibrary.simpleMessage( - "Erneuern fehlgeschlagen", - ), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Überprüfung des Zahlungsstatus fehlgeschlagen", - ), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Füge kostenlos 5 Familienmitglieder zu deinem bestehenden Abo hinzu.\n\nJedes Mitglied bekommt seinen eigenen privaten Bereich und kann die Dateien der anderen nur sehen, wenn sie geteilt werden.\n\nFamilien-Abos stehen Nutzern mit einem Bezahltarif zur Verfügung.\n\nMelde dich jetzt an, um loszulegen!", - ), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Familie"), - "familyPlans": MessageLookupByLibrary.simpleMessage("Familientarif"), - "faq": MessageLookupByLibrary.simpleMessage("Häufig gestellte Fragen"), - "faqs": MessageLookupByLibrary.simpleMessage("FAQs"), - "favorite": MessageLookupByLibrary.simpleMessage("Favorit"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("Rückmeldung"), - "file": MessageLookupByLibrary.simpleMessage("Datei"), - "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage( - "Datei konnte nicht analysiert werden", - ), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Fehler beim Speichern der Datei in der Galerie", - ), - "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( - "Beschreibung hinzufügen …", - ), - "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( - "Datei wurde noch nicht hochgeladen", - ), - "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Datei in Galerie gespeichert", - ), - "fileTypes": MessageLookupByLibrary.simpleMessage("Dateitypen"), - "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( - "Dateitypen und -namen", - ), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage("Dateien gelöscht"), - "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Dateien in Galerie gespeichert", - ), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Finde Personen schnell nach Namen", - ), - "findThemQuickly": MessageLookupByLibrary.simpleMessage( - "Finde sie schnell", - ), - "flip": MessageLookupByLibrary.simpleMessage("Spiegeln"), - "food": MessageLookupByLibrary.simpleMessage("Kulinarische Genüsse"), - "forYourMemories": MessageLookupByLibrary.simpleMessage("Als Erinnerung"), - "forgotPassword": MessageLookupByLibrary.simpleMessage( - "Passwort vergessen", - ), - "foundFaces": MessageLookupByLibrary.simpleMessage("Gesichter gefunden"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( - "Kostenlos hinzugefügter Speicherplatz", - ), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Freier Speicherplatz nutzbar", - ), - "freeTrial": MessageLookupByLibrary.simpleMessage("Kostenlose Testphase"), - "freeTrialValidTill": m38, - "freeUpAccessPostDelete": m39, - "freeUpAmount": m40, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( - "Gerätespeicher freiräumen", - ), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Spare Speicherplatz auf deinem Gerät, indem du Dateien löschst, die bereits gesichert wurden.", - ), - "freeUpSpace": MessageLookupByLibrary.simpleMessage( - "Speicherplatz freigeben", - ), - "freeUpSpaceSaving": m41, - "gallery": MessageLookupByLibrary.simpleMessage("Galerie"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "Bis zu 1000 Erinnerungsstücke angezeigt in der Galerie", - ), - "general": MessageLookupByLibrary.simpleMessage("Allgemein"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Generierung von Verschlüsselungscodes...", - ), - "genericProgress": m42, - "goToSettings": MessageLookupByLibrary.simpleMessage( - "Zu den Einstellungen", - ), - "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Bitte gewähre Zugang zu allen Fotos in der Einstellungen App", - ), - "grantPermission": MessageLookupByLibrary.simpleMessage("Zugriff gewähren"), - "greenery": MessageLookupByLibrary.simpleMessage("Im Grünen"), - "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( - "Fotos in der Nähe gruppieren", - ), - "guestView": MessageLookupByLibrary.simpleMessage("Gastansicht"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "Bitte richte einen Gerätepasscode oder eine Bildschirmsperre ein, um die Gastansicht zu nutzen.", - ), - "happyBirthday": MessageLookupByLibrary.simpleMessage( - "Herzlichen Glückwunsch zum Geburtstag! 🥳", - ), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "Wir tracken keine App-Installationen. Es würde uns jedoch helfen, wenn du uns mitteilst, wie du von uns erfahren hast!", - ), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Wie hast du von Ente erfahren? (optional)", - ), - "help": MessageLookupByLibrary.simpleMessage("Hilfe"), - "hidden": MessageLookupByLibrary.simpleMessage("Versteckt"), - "hide": MessageLookupByLibrary.simpleMessage("Ausblenden"), - "hideContent": MessageLookupByLibrary.simpleMessage("Inhalte verstecken"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Versteckt Inhalte der App beim Wechseln zwischen Apps und deaktiviert Screenshots", - ), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Versteckt Inhalte der App beim Wechseln zwischen Apps", - ), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "Geteilte Elemente in der Home-Galerie ausblenden", - ), - "hiding": MessageLookupByLibrary.simpleMessage("Verstecken..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( - "Gehostet bei OSM France", - ), - "howItWorks": MessageLookupByLibrary.simpleMessage("So funktioniert\'s"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Bitte sie, auf den Einstellungs Bildschirm ihre E-Mail-Adresse lange anzuklicken und zu überprüfen, dass die IDs auf beiden Geräten übereinstimmen.", - ), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Auf Ihrem Gerät ist keine biometrische Authentifizierung eingerichtet. Bitte aktivieren Sie entweder Touch ID oder Face ID auf Ihrem Telefon.", - ), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "Die biometrische Authentifizierung ist deaktiviert. Bitte sperren und entsperren Sie Ihren Bildschirm, um sie zu aktivieren.", - ), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), - "ignore": MessageLookupByLibrary.simpleMessage("Ignorieren"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorieren"), - "ignored": MessageLookupByLibrary.simpleMessage("ignoriert"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Ein paar Dateien in diesem Album werden nicht hochgeladen, weil sie in der Vergangenheit schonmal aus Ente gelöscht wurden.", - ), - "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( - "Bild nicht analysiert", - ), - "immediately": MessageLookupByLibrary.simpleMessage("Sofort"), - "importing": MessageLookupByLibrary.simpleMessage("Importiert...."), - "incorrectCode": MessageLookupByLibrary.simpleMessage("Falscher Code"), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Falsches Passwort", - ), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Falscher Wiederherstellungs-Schlüssel", - ), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "Der eingegebene Schlüssel ist ungültig", - ), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Falscher Wiederherstellungs-Schlüssel", - ), - "indexedItems": MessageLookupByLibrary.simpleMessage("Indizierte Elemente"), - "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( - "Die Indizierung ist pausiert. Sie wird automatisch fortgesetzt, wenn das Gerät bereit ist. Das Gerät wird als bereit angesehen, wenn sich der Akkustand, die Akkugesundheit und der thermische Zustand in einem gesunden Bereich befinden.", - ), - "ineligible": MessageLookupByLibrary.simpleMessage("Unzulässig"), - "info": MessageLookupByLibrary.simpleMessage("Info"), - "insecureDevice": MessageLookupByLibrary.simpleMessage("Unsicheres Gerät"), - "installManually": MessageLookupByLibrary.simpleMessage( - "Manuell installieren", - ), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "Ungültige E-Mail-Adresse", - ), - "invalidEndpoint": MessageLookupByLibrary.simpleMessage( - "Ungültiger Endpunkt", - ), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Der eingegebene Endpunkt ist ungültig. Gib einen gültigen Endpunkt ein und versuch es nochmal.", - ), - "invalidKey": MessageLookupByLibrary.simpleMessage("Ungültiger Schlüssel"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Der eingegebene Wiederherstellungsschlüssel ist nicht gültig. Bitte stelle sicher, dass er aus 24 Wörtern zusammengesetzt ist und jedes dieser Worte richtig geschrieben wurde.\n\nSolltest du den Wiederherstellungscode eingegeben haben, stelle bitte sicher, dass dieser 64 Zeichen lang ist und ebenfalls richtig geschrieben wurde.", - ), - "invite": MessageLookupByLibrary.simpleMessage("Einladen"), - "inviteToEnte": MessageLookupByLibrary.simpleMessage("Zu Ente einladen"), - "inviteYourFriends": MessageLookupByLibrary.simpleMessage( - "Lade deine Freunde ein", - ), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "Lade deine Freunde zu Ente ein", - ), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Etwas ist schiefgelaufen. Bitte versuche es später noch einmal. Sollte der Fehler weiter bestehen, kontaktiere unser Supportteam.", - ), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "Elemente zeigen die Anzahl der Tage bis zum dauerhaften Löschen an", - ), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Ausgewählte Elemente werden aus diesem Album entfernt", - ), - "join": MessageLookupByLibrary.simpleMessage("Beitreten"), - "joinAlbum": MessageLookupByLibrary.simpleMessage("Album beitreten"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "Wenn du einem Album beitrittst, wird deine E-Mail-Adresse für seine Teilnehmer sichtbar.", - ), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( - "um deine Fotos anzuzeigen und hinzuzufügen", - ), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "um dies zu geteilten Alben hinzuzufügen", - ), - "joinDiscord": MessageLookupByLibrary.simpleMessage("Discord beitreten"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Fotos behalten"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Bitte gib diese Daten ein", - ), - "language": MessageLookupByLibrary.simpleMessage("Sprache"), - "lastTimeWithThem": m45, - "lastUpdated": MessageLookupByLibrary.simpleMessage("Zuletzt aktualisiert"), - "lastYearsTrip": MessageLookupByLibrary.simpleMessage( - "Reise im letzten Jahr", - ), - "leave": MessageLookupByLibrary.simpleMessage("Verlassen"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Album verlassen"), - "leaveFamily": MessageLookupByLibrary.simpleMessage( - "Familienabo verlassen", - ), - "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Geteiltes Album verlassen?", - ), - "left": MessageLookupByLibrary.simpleMessage("Links"), - "legacy": MessageLookupByLibrary.simpleMessage("Digitales Erbe"), - "legacyAccounts": MessageLookupByLibrary.simpleMessage( - "Digital geerbte Konten", - ), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "Das digitale Erbe erlaubt vertrauenswürdigen Kontakten den Zugriff auf dein Konto in deiner Abwesenheit.", - ), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "Vertrauenswürdige Kontakte können eine Kontowiederherstellung einleiten und, wenn dies nicht innerhalb von 30 Tagen blockiert wird, dein Passwort und den Kontozugriff zurücksetzen.", - ), - "light": MessageLookupByLibrary.simpleMessage("Hell"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Hell"), - "link": MessageLookupByLibrary.simpleMessage("Verknüpfen"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Link in Zwischenablage kopiert", - ), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Geräte-Limit"), - "linkEmail": MessageLookupByLibrary.simpleMessage( - "E-Mail-Adresse verknüpfen", - ), - "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( - "für schnelleres Teilen", - ), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Aktiviert"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Abgelaufen"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Ablaufdatum des Links"), - "linkHasExpired": MessageLookupByLibrary.simpleMessage( - "Link ist abgelaufen", - ), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Niemals"), - "linkPerson": MessageLookupByLibrary.simpleMessage("Person verknüpfen"), - "linkPersonCaption": MessageLookupByLibrary.simpleMessage( - "um besseres Teilen zu ermöglichen", - ), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("Live-Fotos"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "Du kannst dein Abonnement mit deiner Familie teilen", - ), - "loadMessage2": MessageLookupByLibrary.simpleMessage( - "Wir haben bereits über 200 Millionen Erinnerungen bewahrt", - ), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "Wir behalten 3 Kopien Ihrer Daten, eine in einem unterirdischen Schutzbunker", - ), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "Alle unsere Apps sind Open-Source", - ), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Unser Quellcode und unsere Kryptografie wurden extern geprüft", - ), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "Du kannst Links zu deinen Alben mit deinen Geliebten teilen", - ), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Unsere mobilen Apps laufen im Hintergrund, um neue Fotos zu verschlüsseln und zu sichern", - ), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io hat einen Spitzen-Uploader", - ), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Wir verwenden Xchacha20Poly1305, um Ihre Daten sicher zu verschlüsseln", - ), - "loadingExifData": MessageLookupByLibrary.simpleMessage( - "Lade Exif-Daten...", - ), - "loadingGallery": MessageLookupByLibrary.simpleMessage("Lade Galerie …"), - "loadingMessage": MessageLookupByLibrary.simpleMessage( - "Fotos werden geladen...", - ), - "loadingModel": MessageLookupByLibrary.simpleMessage( - "Lade Modelle herunter...", - ), - "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( - "Lade deine Fotos...", - ), - "localGallery": MessageLookupByLibrary.simpleMessage("Lokale Galerie"), - "localIndexing": MessageLookupByLibrary.simpleMessage("Lokale Indizierung"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Es sieht so aus, als ob etwas schiefgelaufen ist, da die lokale Foto-Synchronisierung länger dauert als erwartet. Bitte kontaktiere unser Support-Team", - ), - "location": MessageLookupByLibrary.simpleMessage("Standort"), - "locationName": MessageLookupByLibrary.simpleMessage("Standortname"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Ein Standort-Tag gruppiert alle Fotos, die in einem Radius eines Fotos aufgenommen wurden", - ), - "locations": MessageLookupByLibrary.simpleMessage("Orte"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Sperren"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Sperrbildschirm"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Anmelden"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Abmeldung..."), - "loginSessionExpired": MessageLookupByLibrary.simpleMessage( - "Sitzung abgelaufen", - ), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "Deine Sitzung ist abgelaufen. Bitte melde Dich erneut an.", - ), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Mit dem Klick auf \"Anmelden\" stimme ich den Nutzungsbedingungen und der Datenschutzerklärung zu", - ), - "loginWithTOTP": MessageLookupByLibrary.simpleMessage("Mit TOTP anmelden"), - "logout": MessageLookupByLibrary.simpleMessage("Ausloggen"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Dies wird über Logs gesendet, um uns zu helfen, Ihr Problem zu beheben. Bitte beachten Sie, dass Dateinamen aufgenommen werden, um Probleme mit bestimmten Dateien zu beheben.", - ), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Lange auf eine E-Mail drücken, um die Ende-zu-Ende-Verschlüsselung zu überprüfen.", - ), - "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( - "Drücken Sie lange auf ein Element, um es im Vollbildmodus anzuzeigen", - ), - "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( - "Schau zurück auf deine Erinnerungen 🌄", - ), - "loopVideoOff": MessageLookupByLibrary.simpleMessage("Videoschleife aus"), - "loopVideoOn": MessageLookupByLibrary.simpleMessage("Videoschleife an"), - "lostDevice": MessageLookupByLibrary.simpleMessage("Gerät verloren?"), - "machineLearning": MessageLookupByLibrary.simpleMessage( - "Maschinelles Lernen", - ), - "magicSearch": MessageLookupByLibrary.simpleMessage("Magische Suche"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "Die magische Suche erlaubt das Durchsuchen von Fotos nach ihrem Inhalt, z.B. \'Blumen\', \'rotes Auto\', \'Ausweisdokumente\'", - ), - "manage": MessageLookupByLibrary.simpleMessage("Verwalten"), - "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( - "Geräte-Cache verwalten", - ), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Lokalen Cache-Speicher überprüfen und löschen.", - ), - "manageFamily": MessageLookupByLibrary.simpleMessage( - "Familiengruppe verwalten", - ), - "manageLink": MessageLookupByLibrary.simpleMessage("Link verwalten"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Verwalten"), - "manageSubscription": MessageLookupByLibrary.simpleMessage( - "Abonnement verwalten", - ), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "\"Mit PIN verbinden\" funktioniert mit jedem Bildschirm, auf dem du dein Album sehen möchtest.", - ), - "map": MessageLookupByLibrary.simpleMessage("Karte"), - "maps": MessageLookupByLibrary.simpleMessage("Karten"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("Ich"), - "memories": MessageLookupByLibrary.simpleMessage("Erinnerungen"), - "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Wähle die Arten von Erinnerungen, die du auf der Startseite sehen möchtest.", - ), - "memoryCount": m50, - "merchandise": MessageLookupByLibrary.simpleMessage("Merchandise"), - "merge": MessageLookupByLibrary.simpleMessage("Zusammenführen"), - "mergeWithExisting": MessageLookupByLibrary.simpleMessage( - "Mit vorhandenem zusammenführen", - ), - "mergedPhotos": MessageLookupByLibrary.simpleMessage( - "Zusammengeführte Fotos", - ), - "mlConsent": MessageLookupByLibrary.simpleMessage( - "Maschinelles Lernen aktivieren", - ), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Ich verstehe und möchte das maschinelle Lernen aktivieren", - ), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Wenn du das maschinelle Lernen aktivierst, wird Ente Informationen wie etwa Gesichtsgeometrie aus Dateien extrahieren, einschließlich derjenigen, die mit dir geteilt werden.\n\nDies geschieht auf deinem Gerät und alle erzeugten biometrischen Informationen werden Ende-zu-Ende-verschlüsselt.", - ), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Bitte klicke hier für weitere Details zu dieser Funktion in unserer Datenschutzerklärung", - ), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "Maschinelles Lernen aktivieren?", - ), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Bitte beachte, dass das maschinelle Lernen zu einem höheren Daten- und Akkuverbrauch führen wird, bis alle Elemente indiziert sind. Du kannst die Desktop-App für eine schnellere Indizierung verwenden, alle Ergebnisse werden automatisch synchronisiert.", - ), - "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( - "Mobil, Web, Desktop", - ), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Mittel"), - "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( - "Ändere deine Suchanfrage oder suche nach", - ), - "moments": MessageLookupByLibrary.simpleMessage("Momente"), - "month": MessageLookupByLibrary.simpleMessage("Monat"), - "monthly": MessageLookupByLibrary.simpleMessage("Monatlich"), - "moon": MessageLookupByLibrary.simpleMessage("Bei Mondschein"), - "moreDetails": MessageLookupByLibrary.simpleMessage("Weitere Details"), - "mostRecent": MessageLookupByLibrary.simpleMessage("Neuste"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("Nach Relevanz"), - "mountains": MessageLookupByLibrary.simpleMessage("Über den Bergen"), - "moveItem": m51, - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "Ausgewählte Fotos auf ein Datum verschieben", - ), - "moveToAlbum": MessageLookupByLibrary.simpleMessage( - "Zum Album verschieben", - ), - "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Zu verstecktem Album verschieben", - ), - "movedSuccessfullyTo": m52, - "movedToTrash": MessageLookupByLibrary.simpleMessage( - "In den Papierkorb verschoben", - ), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Verschiebe Dateien in Album...", - ), - "name": MessageLookupByLibrary.simpleMessage("Name"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Album benennen"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Ente ist im Moment nicht erreichbar. Bitte versuchen Sie es später erneut. Sollte das Problem bestehen bleiben, wenden Sie sich bitte an den Support.", - ), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Ente ist im Moment nicht erreichbar. Bitte überprüfen Sie Ihre Netzwerkeinstellungen. Sollte das Problem bestehen bleiben, wenden Sie sich bitte an den Support.", - ), - "never": MessageLookupByLibrary.simpleMessage("Niemals"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Neues Album"), - "newLocation": MessageLookupByLibrary.simpleMessage("Neuer Ort"), - "newPerson": MessageLookupByLibrary.simpleMessage("Neue Person"), - "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" neue 📸"), - "newRange": MessageLookupByLibrary.simpleMessage("Neue Auswahl"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Neu bei Ente"), - "newest": MessageLookupByLibrary.simpleMessage("Zuletzt"), - "next": MessageLookupByLibrary.simpleMessage("Weiter"), - "no": MessageLookupByLibrary.simpleMessage("Nein"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Noch keine Alben von dir geteilt", - ), - "noDeviceFound": MessageLookupByLibrary.simpleMessage( - "Kein Gerät gefunden", - ), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Keins"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "Du hast keine Dateien auf diesem Gerät, die gelöscht werden können", - ), - "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Keine Duplikate"), - "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( - "Kein Ente-Konto!", - ), - "noExifData": MessageLookupByLibrary.simpleMessage("Keine Exif-Daten"), - "noFacesFound": MessageLookupByLibrary.simpleMessage( - "Keine Gesichter gefunden", - ), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "Keine versteckten Fotos oder Videos", - ), - "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( - "Keine Bilder mit Standort", - ), - "noInternetConnection": MessageLookupByLibrary.simpleMessage( - "Keine Internetverbindung", - ), - "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( - "Momentan werden keine Fotos gesichert", - ), - "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( - "Keine Fotos gefunden", - ), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( - "Keine schnellen Links ausgewählt", - ), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Kein Wiederherstellungs-Schlüssel?", - ), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Aufgrund unseres Ende-zu-Ende-Verschlüsselungsprotokolls können deine Daten nicht ohne dein Passwort oder deinen Wiederherstellungs-Schlüssel entschlüsselt werden", - ), - "noResults": MessageLookupByLibrary.simpleMessage("Keine Ergebnisse"), - "noResultsFound": MessageLookupByLibrary.simpleMessage( - "Keine Ergebnisse gefunden", - ), - "noSuggestionsForPerson": m53, - "noSystemLockFound": MessageLookupByLibrary.simpleMessage( - "Keine Systemsperre gefunden", - ), - "notPersonLabel": m54, - "notThisPerson": MessageLookupByLibrary.simpleMessage( - "Nicht diese Person?", - ), - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "Noch nichts mit Dir geteilt", - ), - "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( - "Hier gibt es nichts zu sehen! 👀", - ), - "notifications": MessageLookupByLibrary.simpleMessage("Benachrichtigungen"), - "ok": MessageLookupByLibrary.simpleMessage("Ok"), - "onDevice": MessageLookupByLibrary.simpleMessage("Auf dem Gerät"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "Auf ente", - ), - "onTheRoad": MessageLookupByLibrary.simpleMessage("Wieder unterwegs"), - "onThisDay": MessageLookupByLibrary.simpleMessage("An diesem Tag"), - "onThisDayMemories": MessageLookupByLibrary.simpleMessage( - "Erinnerungen an diesem Tag", - ), - "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( - "Erhalte Erinnerungen von diesem Tag in den vergangenen Jahren.", - ), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Nur diese"), - "oops": MessageLookupByLibrary.simpleMessage("Hoppla"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Hoppla, die Änderungen konnten nicht gespeichert werden", - ), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Ups. Leider ist ein Fehler aufgetreten", - ), - "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( - "Album im Browser öffnen", - ), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Bitte nutze die Web-App, um Fotos zu diesem Album hinzuzufügen", - ), - "openFile": MessageLookupByLibrary.simpleMessage("Datei öffnen"), - "openSettings": MessageLookupByLibrary.simpleMessage("Öffne Einstellungen"), - "openTheItem": MessageLookupByLibrary.simpleMessage("• Element öffnen"), - "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( - "OpenStreetMap-Beitragende", - ), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Bei Bedarf auch so kurz wie du willst...", - ), - "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( - "Oder mit existierenden zusammenführen", - ), - "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( - "Oder eine vorherige auswählen", - ), - "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( - "oder wähle aus deinen Kontakten", - ), - "otherDetectedFaces": MessageLookupByLibrary.simpleMessage( - "Andere erkannte Gesichter", - ), - "pair": MessageLookupByLibrary.simpleMessage("Koppeln"), - "pairWithPin": MessageLookupByLibrary.simpleMessage("Mit PIN verbinden"), - "pairingComplete": MessageLookupByLibrary.simpleMessage("Verbunden"), - "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), - "partyWithThem": m56, - "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( - "Verifizierung steht noch aus", - ), - "passkey": MessageLookupByLibrary.simpleMessage("Passkey"), - "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( - "Passkey-Verifizierung", - ), - "password": MessageLookupByLibrary.simpleMessage("Passwort"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Passwort erfolgreich geändert", - ), - "passwordLock": MessageLookupByLibrary.simpleMessage("Passwort Sperre"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "Die Berechnung der Stärke des Passworts basiert auf dessen Länge, den verwendeten Zeichen, und ob es in den 10.000 am häufigsten verwendeten Passwörtern vorkommt", - ), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Wir speichern dieses Passwort nicht. Wenn du es vergisst, können wir deine Daten nicht entschlüsseln", - ), - "pastYearsMemories": MessageLookupByLibrary.simpleMessage( - "Erinnerungen der letzten Jahre", - ), - "paymentDetails": MessageLookupByLibrary.simpleMessage("Zahlungsdetails"), - "paymentFailed": MessageLookupByLibrary.simpleMessage( - "Zahlung fehlgeschlagen", - ), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "Leider ist deine Zahlung fehlgeschlagen. Wende dich an unseren Support und wir helfen dir weiter!", - ), - "paymentFailedTalkToProvider": m58, - "pendingItems": MessageLookupByLibrary.simpleMessage( - "Ausstehende Elemente", - ), - "pendingSync": MessageLookupByLibrary.simpleMessage( - "Synchronisation anstehend", - ), - "people": MessageLookupByLibrary.simpleMessage("Personen"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Leute, die deinen Code verwenden", - ), - "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Wähle die Personen, die du auf der Startseite sehen möchtest.", - ), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Alle Elemente im Papierkorb werden dauerhaft gelöscht\n\nDiese Aktion kann nicht rückgängig gemacht werden", - ), - "permanentlyDelete": MessageLookupByLibrary.simpleMessage( - "Dauerhaft löschen", - ), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Endgültig vom Gerät löschen?", - ), - "personIsAge": m59, - "personName": MessageLookupByLibrary.simpleMessage("Name der Person"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("Pelzige Begleiter"), - "photoDescriptions": MessageLookupByLibrary.simpleMessage( - "Foto Beschreibungen", - ), - "photoGridSize": MessageLookupByLibrary.simpleMessage("Fotorastergröße"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("Foto"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("Fotos"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "Von dir hinzugefügte Fotos werden vom Album entfernt", - ), - "photosCount": m62, - "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( - "Fotos behalten relativen Zeitunterschied", - ), - "pickCenterPoint": MessageLookupByLibrary.simpleMessage( - "Mittelpunkt auswählen", - ), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Album anheften"), - "pinLock": MessageLookupByLibrary.simpleMessage("PIN-Sperre"), - "playOnTv": MessageLookupByLibrary.simpleMessage( - "Album auf dem Fernseher wiedergeben", - ), - "playOriginal": MessageLookupByLibrary.simpleMessage("Original abspielen"), - "playStoreFreeTrialValidTill": m63, - "playStream": MessageLookupByLibrary.simpleMessage("Stream abspielen"), - "playstoreSubscription": MessageLookupByLibrary.simpleMessage( - "PlayStore Abo", - ), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Bitte überprüfe deine Internetverbindung und versuche es erneut.", - ), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Bitte kontaktieren Sie uns über support@ente.io wo wir Ihnen gerne weiterhelfen.", - ), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Bitte wenden Sie sich an den Support, falls das Problem weiterhin besteht", - ), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( - "Bitte erteile die nötigen Berechtigungen", - ), - "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( - "Bitte logge dich erneut ein", - ), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Bitte wähle die zu entfernenden schnellen Links", - ), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Bitte versuche es erneut", - ), - "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( - "Bitte bestätigen Sie den eingegebenen Code", - ), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Bitte warten..."), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Bitte warten, Album wird gelöscht", - ), - "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( - "Bitte warte kurz, bevor du es erneut versuchst", - ), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "Bitte warten, dies wird eine Weile dauern.", - ), - "posingWithThem": m66, - "preparingLogs": MessageLookupByLibrary.simpleMessage( - "Protokolle werden vorbereitet...", - ), - "preserveMore": MessageLookupByLibrary.simpleMessage("Mehr Daten sichern"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Gedrückt halten, um Video abzuspielen", - ), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Drücke und halte aufs Foto gedrückt um Video abzuspielen", - ), - "previous": MessageLookupByLibrary.simpleMessage("Zurück"), - "privacy": MessageLookupByLibrary.simpleMessage("Datenschutz"), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( - "Datenschutzerklärung", - ), - "privateBackups": MessageLookupByLibrary.simpleMessage( - "Private Sicherungen", - ), - "privateSharing": MessageLookupByLibrary.simpleMessage("Privates Teilen"), - "proceed": MessageLookupByLibrary.simpleMessage("Fortfahren"), - "processed": MessageLookupByLibrary.simpleMessage("Verarbeitet"), - "processing": MessageLookupByLibrary.simpleMessage("In Bearbeitung"), - "processingImport": m67, - "processingVideos": MessageLookupByLibrary.simpleMessage( - "Verarbeite Videos", - ), - "publicLinkCreated": MessageLookupByLibrary.simpleMessage( - "Öffentlicher Link erstellt", - ), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( - "Öffentlicher Link aktiviert", - ), - "questionmark": MessageLookupByLibrary.simpleMessage("?"), - "queued": MessageLookupByLibrary.simpleMessage("In der Warteschlange"), - "quickLinks": MessageLookupByLibrary.simpleMessage("Quick Links"), - "radius": MessageLookupByLibrary.simpleMessage("Umkreis"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Ticket erstellen"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("App bewerten"), - "rateUs": MessageLookupByLibrary.simpleMessage("Bewerte uns"), - "rateUsOnStore": m68, - "reassignMe": MessageLookupByLibrary.simpleMessage("\"Ich\" neu zuweisen"), - "reassignedToName": m69, - "reassigningLoading": MessageLookupByLibrary.simpleMessage( - "Ordne neu zu...", - ), - "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( - "Erhalte Erinnerungen, wenn jemand Geburtstag hat. Ein Klick auf die Benachrichtigung bringt dich zu den Fotos der Person, die Geburtstag hat.", - ), - "recover": MessageLookupByLibrary.simpleMessage("Wiederherstellen"), - "recoverAccount": MessageLookupByLibrary.simpleMessage( - "Konto wiederherstellen", - ), - "recoverButton": MessageLookupByLibrary.simpleMessage("Wiederherstellen"), - "recoveryAccount": MessageLookupByLibrary.simpleMessage( - "Konto wiederherstellen", - ), - "recoveryInitiated": MessageLookupByLibrary.simpleMessage( - "Wiederherstellung gestartet", - ), - "recoveryInitiatedDesc": m70, - "recoveryKey": MessageLookupByLibrary.simpleMessage( - "Wiederherstellungs-Schlüssel", - ), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Wiederherstellungs-Schlüssel in die Zwischenablage kopiert", - ), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Falls du dein Passwort vergisst, kannst du deine Daten allein mit diesem Schlüssel wiederherstellen.", - ), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Wir speichern diesen Schlüssel nicht. Bitte speichere diese Schlüssel aus 24 Wörtern an einem sicheren Ort.", - ), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Sehr gut! Dein Wiederherstellungsschlüssel ist gültig. Vielen Dank für die Verifizierung.\n\nBitte vergiss nicht eine Kopie des Wiederherstellungsschlüssels sicher aufzubewahren.", - ), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Wiederherstellungs-Schlüssel überprüft", - ), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Dein Wiederherstellungsschlüssel ist die einzige Möglichkeit, auf deine Fotos zuzugreifen, solltest du dein Passwort vergessen. Du findest ihn unter Einstellungen > Konto.\n\nBitte gib deinen Wiederherstellungsschlüssel hier ein, um sicherzugehen, dass du ihn korrekt gesichert hast.", - ), - "recoveryReady": m71, - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "Wiederherstellung erfolgreich!", - ), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "Ein vertrauenswürdiger Kontakt versucht, auf dein Konto zuzugreifen", - ), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "Das aktuelle Gerät ist nicht leistungsfähig genug, um dein Passwort zu verifizieren, aber wir können es neu erstellen, damit es auf allen Geräten funktioniert.\n\nBitte melde dich mit deinem Wiederherstellungs-Schlüssel an und erstelle dein Passwort neu (Wenn du willst, kannst du dasselbe erneut verwenden).", - ), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Passwort wiederherstellen", - ), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": MessageLookupByLibrary.simpleMessage( - "Passwort erneut eingeben", - ), - "reenterPin": MessageLookupByLibrary.simpleMessage("PIN erneut eingeben"), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Begeistere Freunde für uns und verdopple deinen Speicher", - ), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Gib diesen Code an deine Freunde", - ), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Sie schließen ein bezahltes Abo ab", - ), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Weiterempfehlungen"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "Einlösungen sind derzeit pausiert", - ), - "rejectRecovery": MessageLookupByLibrary.simpleMessage( - "Wiederherstellung ablehnen", - ), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "Lösche auch Dateien aus \"Kürzlich gelöscht\" unter \"Einstellungen\" -> \"Speicher\" um freien Speicher zu erhalten", - ), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Leere auch deinen \"Papierkorb\", um freien Platz zu erhalten", - ), - "remoteImages": MessageLookupByLibrary.simpleMessage( - "Grafiken aus externen Quellen", - ), - "remoteThumbnails": MessageLookupByLibrary.simpleMessage( - "Vorschaubilder aus externen Quellen", - ), - "remoteVideos": MessageLookupByLibrary.simpleMessage( - "Videos aus externen Quellen", - ), - "remove": MessageLookupByLibrary.simpleMessage("Entfernen"), - "removeDuplicates": MessageLookupByLibrary.simpleMessage( - "Duplikate entfernen", - ), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Überprüfe und lösche Dateien, die exakte Duplikate sind.", - ), - "removeFromAlbum": MessageLookupByLibrary.simpleMessage( - "Aus Album entfernen", - ), - "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( - "Aus Album entfernen?", - ), - "removeFromFavorite": MessageLookupByLibrary.simpleMessage( - "Aus Favoriten entfernen", - ), - "removeInvite": MessageLookupByLibrary.simpleMessage("Einladung entfernen"), - "removeLink": MessageLookupByLibrary.simpleMessage("Link entfernen"), - "removeParticipant": MessageLookupByLibrary.simpleMessage( - "Teilnehmer entfernen", - ), - "removeParticipantBody": m74, - "removePersonLabel": MessageLookupByLibrary.simpleMessage( - "Personenetikett entfernen", - ), - "removePublicLink": MessageLookupByLibrary.simpleMessage( - "Öffentlichen Link entfernen", - ), - "removePublicLinks": MessageLookupByLibrary.simpleMessage( - "Öffentliche Links entfernen", - ), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Einige der Elemente, die du entfernst, wurden von anderen Nutzern hinzugefügt und du wirst den Zugriff auf sie verlieren", - ), - "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage( - "Entfernen?", - ), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Entferne dich als vertrauenswürdigen Kontakt", - ), - "removingFromFavorites": MessageLookupByLibrary.simpleMessage( - "Wird aus Favoriten entfernt...", - ), - "rename": MessageLookupByLibrary.simpleMessage("Umbenennen"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("Album umbenennen"), - "renameFile": MessageLookupByLibrary.simpleMessage("Datei umbenennen"), - "renewSubscription": MessageLookupByLibrary.simpleMessage( - "Abonnement erneuern", - ), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Fehler melden"), - "reportBug": MessageLookupByLibrary.simpleMessage("Fehler melden"), - "resendEmail": MessageLookupByLibrary.simpleMessage("E-Mail erneut senden"), - "reset": MessageLookupByLibrary.simpleMessage("Zurücksetzen"), - "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( - "Ignorierte Dateien zurücksetzen", - ), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Passwort zurücksetzen", - ), - "resetPerson": MessageLookupByLibrary.simpleMessage("Entfernen"), - "resetToDefault": MessageLookupByLibrary.simpleMessage( - "Standardwerte zurücksetzen", - ), - "restore": MessageLookupByLibrary.simpleMessage("Wiederherstellen"), - "restoreToAlbum": MessageLookupByLibrary.simpleMessage( - "Album wiederherstellen", - ), - "restoringFiles": MessageLookupByLibrary.simpleMessage( - "Dateien werden wiederhergestellt...", - ), - "resumableUploads": MessageLookupByLibrary.simpleMessage( - "Fortsetzbares Hochladen", - ), - "retry": MessageLookupByLibrary.simpleMessage("Erneut versuchen"), - "review": MessageLookupByLibrary.simpleMessage("Überprüfen"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Bitte überprüfe und lösche die Elemente, die du für Duplikate hältst.", - ), - "reviewSuggestions": MessageLookupByLibrary.simpleMessage( - "Vorschläge überprüfen", - ), - "right": MessageLookupByLibrary.simpleMessage("Rechts"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("Drehen"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Nach links drehen"), - "rotateRight": MessageLookupByLibrary.simpleMessage("Nach rechts drehen"), - "safelyStored": MessageLookupByLibrary.simpleMessage("Gesichert"), - "same": MessageLookupByLibrary.simpleMessage("Gleich"), - "sameperson": MessageLookupByLibrary.simpleMessage("Dieselbe Person?"), - "save": MessageLookupByLibrary.simpleMessage("Speichern"), - "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage( - "Als andere Person speichern", - ), - "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( - "Änderungen vor dem Verlassen speichern?", - ), - "saveCollage": MessageLookupByLibrary.simpleMessage("Collage speichern"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Kopie speichern"), - "saveKey": MessageLookupByLibrary.simpleMessage("Schlüssel speichern"), - "savePerson": MessageLookupByLibrary.simpleMessage("Person speichern"), - "saveYourRecoveryKeyIfYouHaventAlready": MessageLookupByLibrary.simpleMessage( - "Sichere deinen Wiederherstellungs-Schlüssel, falls noch nicht geschehen", - ), - "saving": MessageLookupByLibrary.simpleMessage("Speichern..."), - "savingEdits": MessageLookupByLibrary.simpleMessage( - "Speichere Änderungen...", - ), - "scanCode": MessageLookupByLibrary.simpleMessage("Code scannen"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Scanne diesen Code mit \ndeiner Authentifizierungs-App", - ), - "search": MessageLookupByLibrary.simpleMessage("Suche"), - "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Alben"), - "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage( - "Name des Albums", - ), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Albumnamen (z.B. \"Kamera\")\n• Dateitypen (z.B. \"Videos\", \".gif\")\n• Jahre und Monate (z.B. \"2022\", \"Januar\")\n• Feiertage (z.B. \"Weihnachten\")\n• Fotobeschreibungen (z.B. \"#fun\")", - ), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Füge Beschreibungen wie \"#trip\" in der Fotoinfo hinzu um diese schnell hier wiederzufinden", - ), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Suche nach Datum, Monat oder Jahr", - ), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "Bilder werden hier angezeigt, sobald Verarbeitung und Synchronisation abgeschlossen sind", - ), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "Personen werden hier angezeigt, sobald die Indizierung abgeschlossen ist", - ), - "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( - "Dateitypen und -namen", - ), - "searchHint1": MessageLookupByLibrary.simpleMessage( - "Schnell auf dem Gerät suchen", - ), - "searchHint2": MessageLookupByLibrary.simpleMessage( - "Fotodaten, Beschreibungen", - ), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "Alben, Dateinamen und -typen", - ), - "searchHint4": MessageLookupByLibrary.simpleMessage("Ort"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "Demnächst: Gesichter & magische Suche ✨", - ), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Gruppiere Fotos, die innerhalb des Radius eines bestimmten Fotos aufgenommen wurden", - ), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "Laden Sie Personen ein, damit Sie geteilte Fotos hier einsehen können", - ), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "Personen werden hier angezeigt, sobald Verarbeitung und Synchronisierung abgeschlossen sind", - ), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Sicherheit"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "Öffentliche Album-Links in der App ansehen", - ), - "selectALocation": MessageLookupByLibrary.simpleMessage( - "Standort auswählen", - ), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage( - "Wähle zuerst einen Standort", - ), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Album auswählen"), - "selectAll": MessageLookupByLibrary.simpleMessage("Alle markieren"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("Alle"), - "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( - "Titelbild auswählen", - ), - "selectDate": MessageLookupByLibrary.simpleMessage("Datum wählen"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Ordner für Sicherung auswählen", - ), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "Elemente zum Hinzufügen auswählen", - ), - "selectLanguage": MessageLookupByLibrary.simpleMessage("Sprache auswählen"), - "selectMailApp": MessageLookupByLibrary.simpleMessage( - "E-Mail-App auswählen", - ), - "selectMorePhotos": MessageLookupByLibrary.simpleMessage( - "Mehr Fotos auswählen", - ), - "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( - "Wähle ein Datum und eine Uhrzeit", - ), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "Wähle ein Datum und eine Uhrzeit für alle", - ), - "selectPersonToLink": MessageLookupByLibrary.simpleMessage( - "Person zum Verknüpfen auswählen", - ), - "selectReason": MessageLookupByLibrary.simpleMessage("Grund auswählen"), - "selectStartOfRange": MessageLookupByLibrary.simpleMessage( - "Anfang des Bereichs auswählen", - ), - "selectTime": MessageLookupByLibrary.simpleMessage("Uhrzeit wählen"), - "selectYourFace": MessageLookupByLibrary.simpleMessage( - "Wähle dein Gesicht", - ), - "selectYourPlan": MessageLookupByLibrary.simpleMessage( - "Wähle dein Abo aus", - ), - "selectedAlbums": m79, - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Ausgewählte Dateien sind nicht auf Ente", - ), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Ausgewählte Ordner werden verschlüsselt und gesichert", - ), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Ausgewählte Elemente werden aus allen Alben gelöscht und in den Papierkorb verschoben.", - ), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "Ausgewählte Elemente werden von dieser Person entfernt, aber nicht aus deiner Bibliothek gelöscht.", - ), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("Absenden"), - "sendEmail": MessageLookupByLibrary.simpleMessage("E-Mail senden"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Einladung senden"), - "sendLink": MessageLookupByLibrary.simpleMessage("Link senden"), - "serverEndpoint": MessageLookupByLibrary.simpleMessage("Server Endpunkt"), - "sessionExpired": MessageLookupByLibrary.simpleMessage( - "Sitzung abgelaufen", - ), - "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( - "Sitzungs-ID stimmt nicht überein", - ), - "setAPassword": MessageLookupByLibrary.simpleMessage("Passwort setzen"), - "setAs": MessageLookupByLibrary.simpleMessage("Festlegen als"), - "setCover": MessageLookupByLibrary.simpleMessage("Titelbild festlegen"), - "setLabel": MessageLookupByLibrary.simpleMessage("Festlegen"), - "setNewPassword": MessageLookupByLibrary.simpleMessage( - "Neues Passwort festlegen", - ), - "setNewPin": MessageLookupByLibrary.simpleMessage("Neue PIN festlegen"), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Passwort festlegen", - ), - "setRadius": MessageLookupByLibrary.simpleMessage("Radius festlegen"), - "setupComplete": MessageLookupByLibrary.simpleMessage( - "Einrichtung abgeschlossen", - ), - "share": MessageLookupByLibrary.simpleMessage("Teilen"), - "shareALink": MessageLookupByLibrary.simpleMessage("Einen Link teilen"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Öffne ein Album und tippe auf den Teilen-Button oben rechts, um zu teilen.", - ), - "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( - "Teile jetzt ein Album", - ), - "shareLink": MessageLookupByLibrary.simpleMessage("Link teilen"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Teile mit ausgewählten Personen", - ), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Hol dir Ente, damit wir ganz einfach Fotos und Videos in Originalqualität teilen können\n\nhttps://ente.io", - ), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Mit Nicht-Ente-Benutzern teilen", - ), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( - "Teile dein erstes Album", - ), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Erstelle gemeinsam mit anderen Ente-Nutzern geteilte Alben, inkl. Nutzern ohne Bezahltarif.", - ), - "sharedByMe": MessageLookupByLibrary.simpleMessage("Von mir geteilt"), - "sharedByYou": MessageLookupByLibrary.simpleMessage("Von dir geteilt"), - "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( - "Neue geteilte Fotos", - ), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Erhalte Benachrichtigungen, wenn jemand ein Foto zu einem gemeinsam genutzten Album hinzufügt, dem du angehörst", - ), - "sharedWith": m87, - "sharedWithMe": MessageLookupByLibrary.simpleMessage("Mit mir geteilt"), - "sharedWithYou": MessageLookupByLibrary.simpleMessage("Mit dir geteilt"), - "sharing": MessageLookupByLibrary.simpleMessage("Teilt..."), - "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( - "Datum und Uhrzeit verschieben", - ), - "showLessFaces": MessageLookupByLibrary.simpleMessage( - "Weniger Gesichter zeigen", - ), - "showMemories": MessageLookupByLibrary.simpleMessage( - "Erinnerungen anschauen", - ), - "showMoreFaces": MessageLookupByLibrary.simpleMessage( - "Mehr Gesichter zeigen", - ), - "showPerson": MessageLookupByLibrary.simpleMessage("Person anzeigen"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "Von anderen Geräten abmelden", - ), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Falls du denkst, dass jemand dein Passwort kennen könnte, kannst du alle anderen Geräte von deinem Account abmelden.", - ), - "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( - "Andere Geräte abmelden", - ), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Ich stimme den Nutzungsbedingungen und der Datenschutzerklärung zu", - ), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Es wird aus allen Alben gelöscht.", - ), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Überspringen"), - "smartMemories": MessageLookupByLibrary.simpleMessage( - "Smarte Erinnerungen", - ), - "social": MessageLookupByLibrary.simpleMessage("Social Media"), - "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( - "Einige Elemente sind sowohl auf Ente als auch auf deinem Gerät.", - ), - "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( - "Einige der Dateien, die Sie löschen möchten, sind nur auf Ihrem Gerät verfügbar und können nicht wiederhergestellt werden, wenn sie gelöscht wurden", - ), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Jemand, der Alben mit dir teilt, sollte die gleiche ID auf seinem Gerät sehen.", - ), - "somethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Irgendetwas ging schief", - ), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Ein Fehler ist aufgetreten, bitte versuche es erneut", - ), - "sorry": MessageLookupByLibrary.simpleMessage("Entschuldigung"), - "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( - "Leider konnten wir diese Datei momentan nicht sichern, wir werden es später erneut versuchen.", - ), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Konnte leider nicht zu den Favoriten hinzugefügt werden!", - ), - "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( - "Konnte leider nicht aus den Favoriten entfernt werden!", - ), - "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "Leider ist der eingegebene Code falsch", - ), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Es tut uns leid, wir konnten keine sicheren Schlüssel auf diesem Gerät generieren.\n\nBitte starte die Registrierung auf einem anderen Gerät.", - ), - "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( - "Entschuldigung, wir mussten deine Sicherungen pausieren", - ), - "sort": MessageLookupByLibrary.simpleMessage("Sortierung"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sortieren nach"), - "sortNewestFirst": MessageLookupByLibrary.simpleMessage("Neueste zuerst"), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Älteste zuerst"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Abgeschlossen"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": MessageLookupByLibrary.simpleMessage( - "Spot auf dich selbst", - ), - "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( - "Wiederherstellung starten", - ), - "startBackup": MessageLookupByLibrary.simpleMessage("Sicherung starten"), - "status": MessageLookupByLibrary.simpleMessage("Status"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "Möchtest du die Übertragung beenden?", - ), - "stopCastingTitle": MessageLookupByLibrary.simpleMessage( - "Übertragung beenden", - ), - "storage": MessageLookupByLibrary.simpleMessage("Speicherplatz"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Familie"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Sie"), - "storageInGB": m93, - "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( - "Speichergrenze überschritten", - ), - "storageUsageInfo": m94, - "streamDetails": MessageLookupByLibrary.simpleMessage("Stream-Details"), - "strongStrength": MessageLookupByLibrary.simpleMessage("Stark"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Abonnieren"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Du benötigst ein aktives, bezahltes Abonnement, um das Teilen zu aktivieren.", - ), - "subscription": MessageLookupByLibrary.simpleMessage("Abonnement"), - "success": MessageLookupByLibrary.simpleMessage("Abgeschlossen"), - "successfullyArchived": MessageLookupByLibrary.simpleMessage( - "Erfolgreich archiviert", - ), - "successfullyHid": MessageLookupByLibrary.simpleMessage( - "Erfolgreich versteckt", - ), - "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( - "Erfolgreich dearchiviert", - ), - "successfullyUnhid": MessageLookupByLibrary.simpleMessage( - "Erfolgreich eingeblendet", - ), - "suggestFeatures": MessageLookupByLibrary.simpleMessage( - "Verbesserung vorschlagen", - ), - "sunrise": MessageLookupByLibrary.simpleMessage("Am Horizont"), - "support": MessageLookupByLibrary.simpleMessage("Support"), - "syncProgress": m97, - "syncStopped": MessageLookupByLibrary.simpleMessage( - "Synchronisierung angehalten", - ), - "syncing": MessageLookupByLibrary.simpleMessage("Synchronisiere …"), - "systemTheme": MessageLookupByLibrary.simpleMessage("System"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("zum Kopieren antippen"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage( - "Antippen, um den Code einzugeben", - ), - "tapToUnlock": MessageLookupByLibrary.simpleMessage( - "Zum Entsperren antippen", - ), - "tapToUpload": MessageLookupByLibrary.simpleMessage( - "Zum Hochladen antippen", - ), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Etwas ist schiefgelaufen. Bitte versuche es später noch einmal. Sollte der Fehler weiter bestehen, kontaktiere unser Supportteam.", - ), - "terminate": MessageLookupByLibrary.simpleMessage("Beenden"), - "terminateSession": MessageLookupByLibrary.simpleMessage( - "Sitzungen beenden?", - ), - "terms": MessageLookupByLibrary.simpleMessage("Nutzungsbedingungen"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage( - "Nutzungsbedingungen", - ), - "thankYou": MessageLookupByLibrary.simpleMessage("Vielen Dank"), - "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( - "Danke fürs Abonnieren!", - ), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "Der Download konnte nicht abgeschlossen werden", - ), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "Der Link, den du aufrufen möchtest, ist abgelaufen.", - ), - "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "Diese Personengruppen werden im Personen-Abschnitt nicht mehr angezeigt. Die Fotos bleiben unverändert.", - ), - "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "Diese Person wird im Personen-Abschnitt nicht mehr angezeigt. Die Fotos bleiben unverändert.", - ), - "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "Der eingegebene Schlüssel ist ungültig", - ), - "theme": MessageLookupByLibrary.simpleMessage("Theme"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Diese Elemente werden von deinem Gerät gelöscht.", - ), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "Sie werden aus allen Alben gelöscht.", - ), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Diese Aktion kann nicht rückgängig gemacht werden", - ), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "Dieses Album hat bereits einen kollaborativen Link", - ), - "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( - "Dies kann verwendet werden, um dein Konto wiederherzustellen, wenn du deinen zweiten Faktor (2FA) verlierst", - ), - "thisDevice": MessageLookupByLibrary.simpleMessage("Dieses Gerät"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "Diese E-Mail-Adresse wird bereits verwendet", - ), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Dieses Bild hat keine Exif-Daten", - ), - "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("Das bin ich!"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Dies ist deine Verifizierungs-ID", - ), - "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( - "Diese Woche über die Jahre", - ), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Dadurch wirst du von folgendem Gerät abgemeldet:", - ), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Dadurch wirst du von diesem Gerät abgemeldet!", - ), - "thisWillMakeTheDateAndTimeOfAllSelected": - MessageLookupByLibrary.simpleMessage( - "Dadurch werden Datum und Uhrzeit aller ausgewählten Fotos gleich.", - ), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "Hiermit werden die öffentlichen Links aller ausgewählten schnellen Links entfernt.", - ), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "Um die App-Sperre zu aktivieren, konfiguriere bitte den Gerätepasscode oder die Bildschirmsperre in den Systemeinstellungen.", - ), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( - "Foto oder Video verstecken", - ), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Um dein Passwort zurückzusetzen, verifiziere bitte zuerst deine E-Mail-Adresse.", - ), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Heutiges Protokoll"), - "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( - "Zu viele fehlerhafte Versuche", - ), - "total": MessageLookupByLibrary.simpleMessage("Gesamt"), - "totalSize": MessageLookupByLibrary.simpleMessage("Gesamtgröße"), - "trash": MessageLookupByLibrary.simpleMessage("Papierkorb"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Schneiden"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": MessageLookupByLibrary.simpleMessage( - "Vertrauenswürdige Kontakte", - ), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Erneut versuchen"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Aktiviere die Sicherung, um neue Dateien in diesem Ordner automatisch zu Ente hochzuladen.", - ), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "2 Monate kostenlos beim jährlichen Bezahlen", - ), - "twofactor": MessageLookupByLibrary.simpleMessage("Zwei-Faktor"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "Zwei-Faktor-Authentifizierung (2FA) wurde deaktiviert", - ), - "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( - "Zwei-Faktor-Authentifizierung", - ), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "Zwei-Faktor-Authentifizierung (2FA) erfolgreich zurückgesetzt", - ), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Zweiten Faktor (2FA) einrichten", - ), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("Dearchivieren"), - "unarchiveAlbum": MessageLookupByLibrary.simpleMessage( - "Album dearchivieren", - ), - "unarchiving": MessageLookupByLibrary.simpleMessage("Dearchiviere …"), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Entschuldigung, dieser Code ist nicht verfügbar.", - ), - "uncategorized": MessageLookupByLibrary.simpleMessage("Unkategorisiert"), - "unhide": MessageLookupByLibrary.simpleMessage("Einblenden"), - "unhideToAlbum": MessageLookupByLibrary.simpleMessage("Im Album anzeigen"), - "unhiding": MessageLookupByLibrary.simpleMessage("Einblenden..."), - "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Dateien im Album anzeigen", - ), - "unlock": MessageLookupByLibrary.simpleMessage("Jetzt freischalten"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("Album lösen"), - "unselectAll": MessageLookupByLibrary.simpleMessage("Alle demarkieren"), - "update": MessageLookupByLibrary.simpleMessage("Updaten"), - "updateAvailable": MessageLookupByLibrary.simpleMessage("Update verfügbar"), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Ordnerauswahl wird aktualisiert...", - ), - "upgrade": MessageLookupByLibrary.simpleMessage("Upgrade"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Dateien werden ins Album hochgeladen...", - ), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( - "Sichere ein Erinnerungsstück...", - ), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "Bis zu 50% Rabatt bis zum 4. Dezember.", - ), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "Der verwendbare Speicherplatz ist von deinem aktuellen Abonnement eingeschränkt. Überschüssiger, beanspruchter Speicherplatz wird automatisch verwendbar werden, wenn du ein höheres Abonnement buchst.", - ), - "useAsCover": MessageLookupByLibrary.simpleMessage( - "Als Titelbild festlegen", - ), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "Hast du Probleme beim Abspielen dieses Videos? Halte hier gedrückt, um einen anderen Player auszuprobieren.", - ), - "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Verwende öffentliche Links für Personen, die kein Ente-Konto haben", - ), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Wiederherstellungs-Schlüssel verwenden", - ), - "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( - "Ausgewähltes Foto verwenden", - ), - "usedSpace": MessageLookupByLibrary.simpleMessage("Belegter Speicherplatz"), - "validTill": m110, - "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Verifizierung fehlgeschlagen, bitte versuchen Sie es erneut", - ), - "verificationId": MessageLookupByLibrary.simpleMessage("Verifizierungs-ID"), - "verify": MessageLookupByLibrary.simpleMessage("Überprüfen"), - "verifyEmail": MessageLookupByLibrary.simpleMessage( - "E-Mail-Adresse verifizieren", - ), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Überprüfen"), - "verifyPasskey": MessageLookupByLibrary.simpleMessage( - "Passkey verifizieren", - ), - "verifyPassword": MessageLookupByLibrary.simpleMessage( - "Passwort überprüfen", - ), - "verifying": MessageLookupByLibrary.simpleMessage("Verifiziere …"), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Wiederherstellungs-Schlüssel wird überprüft...", - ), - "videoInfo": MessageLookupByLibrary.simpleMessage("Video-Informationen"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("Video"), - "videoStreaming": MessageLookupByLibrary.simpleMessage("Streambare Videos"), - "videos": MessageLookupByLibrary.simpleMessage("Videos"), - "viewActiveSessions": MessageLookupByLibrary.simpleMessage( - "Aktive Sitzungen anzeigen", - ), - "viewAddOnButton": MessageLookupByLibrary.simpleMessage("Zeige Add-ons"), - "viewAll": MessageLookupByLibrary.simpleMessage("Alle anzeigen"), - "viewAllExifData": MessageLookupByLibrary.simpleMessage( - "Alle Exif-Daten anzeigen", - ), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Große Dateien"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Dateien anzeigen, die den meisten Speicherplatz belegen.", - ), - "viewLogs": MessageLookupByLibrary.simpleMessage("Protokolle anzeigen"), - "viewPersonToUnlink": m112, - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Wiederherstellungsschlüssel anzeigen", - ), - "viewer": MessageLookupByLibrary.simpleMessage("Zuschauer"), - "viewersSuccessfullyAdded": m113, - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Bitte rufe \"web.ente.io\" auf, um dein Abo zu verwalten", - ), - "waitingForVerification": MessageLookupByLibrary.simpleMessage( - "Warte auf Bestätigung...", - ), - "waitingForWifi": MessageLookupByLibrary.simpleMessage("Warte auf WLAN..."), - "warning": MessageLookupByLibrary.simpleMessage("Warnung"), - "weAreOpenSource": MessageLookupByLibrary.simpleMessage( - "Unser Quellcode ist offen einsehbar!", - ), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "Wir unterstützen keine Bearbeitung von Fotos und Alben, die du noch nicht besitzt", - ), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Schwach"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("Willkommen zurück!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("Neue Funktionen"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "Ein vertrauenswürdiger Kontakt kann helfen, deine Daten wiederherzustellen.", - ), - "widgets": MessageLookupByLibrary.simpleMessage("Widgets"), - "wishThemAHappyBirthday": m115, - "yearShort": MessageLookupByLibrary.simpleMessage("Jahr"), - "yearly": MessageLookupByLibrary.simpleMessage("Jährlich"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Ja"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Ja, kündigen"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "Ja, zu \"Beobachter\" ändern", - ), - "yesDelete": MessageLookupByLibrary.simpleMessage("Ja, löschen"), - "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( - "Ja, Änderungen verwerfen", - ), - "yesIgnore": MessageLookupByLibrary.simpleMessage("Ja, ignorieren"), - "yesLogout": MessageLookupByLibrary.simpleMessage("Ja, ausloggen"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Ja, entfernen"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Ja, erneuern"), - "yesResetPerson": MessageLookupByLibrary.simpleMessage( - "Ja, Person zurücksetzen", - ), - "you": MessageLookupByLibrary.simpleMessage("Du"), - "youAndThem": m117, - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( - "Du bist im Familien-Tarif!", - ), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Du bist auf der neuesten Version", - ), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Du kannst deinen Speicher maximal verdoppeln", - ), - "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( - "Du kannst deine Links im \"Teilen\"-Tab verwalten.", - ), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "Sie können versuchen, nach einer anderen Abfrage suchen.", - ), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "Du kannst nicht auf diesen Tarif wechseln", - ), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Du kannst nicht mit dir selbst teilen", - ), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "Du hast keine archivierten Elemente.", - ), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "Dein Benutzerkonto wurde gelöscht", - ), - "yourMap": MessageLookupByLibrary.simpleMessage("Deine Karte"), - "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( - "Dein Tarif wurde erfolgreich heruntergestuft", - ), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "Dein Abo wurde erfolgreich hochgestuft", - ), - "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( - "Dein Einkauf war erfolgreich", - ), - "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( - "Details zum Speicherplatz konnten nicht abgerufen werden", - ), - "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( - "Dein Abonnement ist abgelaufen", - ), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "Dein Abonnement wurde erfolgreich aktualisiert.", - ), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "Ihr Bestätigungscode ist abgelaufen", - ), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage( - "Du hast keine Duplikate, die gelöscht werden können", - ), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "Du hast keine Dateien in diesem Album, die gelöscht werden können", - ), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( - "Verkleinern, um Fotos zu sehen", - ), - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Eine neue Version von Ente ist verfügbar."), + "about": + MessageLookupByLibrary.simpleMessage("Allgemeine Informationen"), + "acceptTrustInvite": + MessageLookupByLibrary.simpleMessage("Einladung annehmen"), + "account": MessageLookupByLibrary.simpleMessage("Konto"), + "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( + "Das Konto ist bereits konfiguriert."), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("Willkommen zurück!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Ich verstehe, dass ich meine Daten verlieren kann, wenn ich mein Passwort vergesse, da meine Daten Ende-zu-Ende-verschlüsselt sind."), + "actionNotSupportedOnFavouritesAlbum": + MessageLookupByLibrary.simpleMessage( + "Aktion für das Favoritenalbum nicht unterstützt"), + "activeSessions": + MessageLookupByLibrary.simpleMessage("Aktive Sitzungen"), + "add": MessageLookupByLibrary.simpleMessage("Hinzufügen"), + "addAName": + MessageLookupByLibrary.simpleMessage("Füge einen Namen hinzu"), + "addANewEmail": MessageLookupByLibrary.simpleMessage( + "Neue E-Mail-Adresse hinzufügen"), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Füge ein Alben-Widget zu deiner Startseite hinzu und komm hierher zurück, um es anzupassen."), + "addCollaborator": + MessageLookupByLibrary.simpleMessage("Bearbeiter hinzufügen"), + "addCollaborators": m1, + "addFiles": MessageLookupByLibrary.simpleMessage("Dateien hinzufügen"), + "addFromDevice": + MessageLookupByLibrary.simpleMessage("Vom Gerät hinzufügen"), + "addItem": m2, + "addLocation": MessageLookupByLibrary.simpleMessage("Ort hinzufügen"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Hinzufügen"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Füge ein Erinnerungs-Widget zu deiner Startseite hinzu und komm hierher zurück, um es anzupassen."), + "addMore": MessageLookupByLibrary.simpleMessage("Mehr hinzufügen"), + "addName": MessageLookupByLibrary.simpleMessage("Name hinzufügen"), + "addNameOrMerge": MessageLookupByLibrary.simpleMessage( + "Name hinzufügen oder zusammenführen"), + "addNew": MessageLookupByLibrary.simpleMessage("Hinzufügen"), + "addNewPerson": + MessageLookupByLibrary.simpleMessage("Neue Person hinzufügen"), + "addOnPageSubtitle": + MessageLookupByLibrary.simpleMessage("Details der Add-ons"), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("Add-ons"), + "addParticipants": + MessageLookupByLibrary.simpleMessage("Teilnehmer hinzufügen"), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Füge ein Personen-Widget zu deiner Startseite hinzu und komm hierher zurück, um es anzupassen."), + "addPhotos": MessageLookupByLibrary.simpleMessage("Fotos hinzufügen"), + "addSelected": + MessageLookupByLibrary.simpleMessage("Auswahl hinzufügen"), + "addToAlbum": + MessageLookupByLibrary.simpleMessage("Zum Album hinzufügen"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Zu Ente hinzufügen"), + "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Zum versteckten Album hinzufügen"), + "addTrustedContact": MessageLookupByLibrary.simpleMessage( + "Vertrauenswürdigen Kontakt hinzufügen"), + "addViewer": MessageLookupByLibrary.simpleMessage("Album teilen"), + "addViewers": m4, + "addYourPhotosNow": + MessageLookupByLibrary.simpleMessage("Füge deine Foto jetzt hinzu"), + "addedAs": MessageLookupByLibrary.simpleMessage("Hinzugefügt als"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": MessageLookupByLibrary.simpleMessage( + "Wird zu Favoriten hinzugefügt..."), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("Erweitert"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Erweitert"), + "after1Day": MessageLookupByLibrary.simpleMessage("Nach einem Tag"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Nach 1 Stunde"), + "after1Month": MessageLookupByLibrary.simpleMessage("Nach 1 Monat"), + "after1Week": MessageLookupByLibrary.simpleMessage("Nach 1 Woche"), + "after1Year": MessageLookupByLibrary.simpleMessage("Nach 1 Jahr"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Besitzer"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Albumtitel"), + "albumUpdated": + MessageLookupByLibrary.simpleMessage("Album aktualisiert"), + "albums": MessageLookupByLibrary.simpleMessage("Alben"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Wähle die Alben, die du auf der Startseite sehen möchtest."), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Alles klar"), + "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( + "Alle Erinnerungsstücke gesichert"), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "Alle Gruppierungen für diese Person werden zurückgesetzt und du wirst alle Vorschläge für diese Person verlieren"), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "Alle unbenannten Gruppen werden zur ausgewählten Person zusammengeführt. Dies kann im Verlauf der Vorschläge für diese Person rückgängig gemacht werden."), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "Dies ist die erste in der Gruppe. Andere ausgewählte Fotos werden automatisch nach diesem neuen Datum verschoben"), + "allow": MessageLookupByLibrary.simpleMessage("Erlauben"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Erlaube Nutzern, mit diesem Link ebenfalls Fotos zu diesem geteilten Album hinzuzufügen."), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( + "Hinzufügen von Fotos erlauben"), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "Erlaube der App, geteilte Album-Links zu öffnen"), + "allowDownloads": + MessageLookupByLibrary.simpleMessage("Downloads erlauben"), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Erlaube anderen das Hinzufügen von Fotos"), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Bitte erlaube den Zugriff auf Deine Fotos in den Einstellungen, damit Ente sie anzeigen und sichern kann."), + "allowPermTitle": + MessageLookupByLibrary.simpleMessage("Zugriff auf Fotos erlauben"), + "androidBiometricHint": + MessageLookupByLibrary.simpleMessage("Identität verifizieren"), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "Nicht erkannt. Versuchen Sie es erneut."), + "androidBiometricRequiredTitle": + MessageLookupByLibrary.simpleMessage("Biometrie erforderlich"), + "androidBiometricSuccess": + MessageLookupByLibrary.simpleMessage("Erfolgreich"), + "androidCancelButton": + MessageLookupByLibrary.simpleMessage("Abbrechen"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage( + "Geräteanmeldeinformationen erforderlich"), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage( + "Geräteanmeldeinformationen erforderlich"), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Auf Ihrem Gerät ist keine biometrische Authentifizierung eingerichtet. Gehen Sie „Einstellungen“ > „Sicherheit“, um die biometrische Authentifizierung hinzuzufügen."), + "androidIosWebDesktop": + MessageLookupByLibrary.simpleMessage("Android, iOS, Web, Desktop"), + "androidSignInTitle": MessageLookupByLibrary.simpleMessage( + "Authentifizierung erforderlich"), + "appIcon": MessageLookupByLibrary.simpleMessage("App-Symbol"), + "appLock": MessageLookupByLibrary.simpleMessage("App-Sperre"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Wähle zwischen dem Standard-Sperrbildschirm deines Gerätes und einem eigenen Sperrbildschirm mit PIN oder Passwort."), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), + "apply": MessageLookupByLibrary.simpleMessage("Anwenden"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Code nutzen"), + "appstoreSubscription": + MessageLookupByLibrary.simpleMessage("AppStore Abo"), + "archive": MessageLookupByLibrary.simpleMessage("Archiv"), + "archiveAlbum": + MessageLookupByLibrary.simpleMessage("Album archivieren"), + "archiving": MessageLookupByLibrary.simpleMessage("Archiviere …"), + "areThey": MessageLookupByLibrary.simpleMessage("Ist das "), + "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( + "Bist du sicher, dass du dieses Gesicht von dieser Person entfernen möchtest?"), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Bist du sicher, dass du den Familien-Tarif verlassen möchtest?"), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "Bist du sicher, dass du kündigen willst?"), + "areYouSureYouWantToChangeYourPlan": + MessageLookupByLibrary.simpleMessage( + "Bist du sicher, dass du deinen Tarif ändern möchtest?"), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "Möchtest du Vorgang wirklich abbrechen?"), + "areYouSureYouWantToIgnoreThesePersons": + MessageLookupByLibrary.simpleMessage( + "Bist du sicher, dass du diese Personen ignorieren willst?"), + "areYouSureYouWantToIgnoreThisPerson": + MessageLookupByLibrary.simpleMessage( + "Bist du sicher, dass du diese Person ignorieren willst?"), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Bist Du sicher, dass du dich abmelden möchtest?"), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "Bist du sicher, dass du sie zusammenführen willst?"), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "Bist du sicher, dass du verlängern möchtest?"), + "areYouSureYouWantToResetThisPerson": + MessageLookupByLibrary.simpleMessage( + "Bist du sicher, dass du diese Person zurücksetzen möchtest?"), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "Dein Abonnement wurde gekündigt. Möchtest du uns den Grund mitteilen?"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Was ist der Hauptgrund für die Löschung deines Kontos?"), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Bitte deine Liebsten ums Teilen"), + "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( + "in einem ehemaligen Luftschutzbunker"), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Bitte authentifizieren, um die E-Mail-Bestätigung zu ändern"), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Bitte authentifizieren, um die Sperrbildschirm-Einstellung zu ändern"), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Bitte authentifizieren, um deine E-Mail-Adresse zu ändern"), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Bitte authentifizieren, um das Passwort zu ändern"), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Bitte authentifizieren, um Zwei-Faktor-Authentifizierung zu konfigurieren"), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Bitte authentifizieren, um die Löschung des Kontos einzuleiten"), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Bitte authentifiziere dich, um deine vertrauenswürdigen Kontakte zu verwalten"), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Bitte authentifizieren, um deinen Passkey zu sehen"), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Bitte authentifizieren, um die gelöschten Dateien anzuzeigen"), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Bitte authentifizieren, um die aktiven Sitzungen anzusehen"), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Bitte authentifizieren, um die versteckten Dateien anzusehen"), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Bitte authentifizieren, um deine Erinnerungsstücke anzusehen"), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Bitte authentifizieren, um deinen Wiederherstellungs-Schlüssel anzusehen"), + "authenticating": + MessageLookupByLibrary.simpleMessage("Authentifiziere …"), + "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Authentifizierung fehlgeschlagen, versuchen Sie es bitte erneut"), + "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( + "Authentifizierung erfogreich!"), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Verfügbare Cast-Geräte werden hier angezeigt."), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Stelle sicher, dass die Ente-App auf das lokale Netzwerk zugreifen darf. Das kannst du in den Einstellungen unter \"Datenschutz\"."), + "autoLock": + MessageLookupByLibrary.simpleMessage("Automatisches Sperren"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Zeit, nach der die App gesperrt wird, nachdem sie in den Hintergrund verschoben wurde"), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "Du wurdest aufgrund technischer Störungen abgemeldet. Wir entschuldigen uns für die Unannehmlichkeiten."), + "autoPair": + MessageLookupByLibrary.simpleMessage("Automatisch verbinden"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "Automatisches Verbinden funktioniert nur mit Geräten, die Chromecast unterstützen."), + "available": MessageLookupByLibrary.simpleMessage("Verfügbar"), + "availableStorageSpace": m10, + "backedUpFolders": + MessageLookupByLibrary.simpleMessage("Gesicherte Ordner"), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("Backup"), + "backupFailed": + MessageLookupByLibrary.simpleMessage("Sicherung fehlgeschlagen"), + "backupFile": MessageLookupByLibrary.simpleMessage("Datei sichern"), + "backupOverMobileData": + MessageLookupByLibrary.simpleMessage("Über mobile Daten sichern"), + "backupSettings": + MessageLookupByLibrary.simpleMessage("Backup-Einstellungen"), + "backupStatus": + MessageLookupByLibrary.simpleMessage("Sicherungsstatus"), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Gesicherte Elemente werden hier angezeigt"), + "backupVideos": MessageLookupByLibrary.simpleMessage("Videos sichern"), + "beach": MessageLookupByLibrary.simpleMessage("Am Strand"), + "birthday": MessageLookupByLibrary.simpleMessage("Geburtstag"), + "birthdayNotifications": MessageLookupByLibrary.simpleMessage( + "Geburtstagsbenachrichtigungen"), + "birthdays": MessageLookupByLibrary.simpleMessage("Geburtstage"), + "blackFridaySale": + MessageLookupByLibrary.simpleMessage("Black-Friday-Aktion"), + "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cLDesc1": MessageLookupByLibrary.simpleMessage( + "Zusammen mit der Beta-Version des Video-Streamings und der Arbeit an wiederaufnehmbarem Hoch- und Herunterladen haben wir jetzt das Limit für das Hochladen von Dateien auf 10 GB erhöht. Dies ist ab sofort sowohl in den Desktop- als auch Mobil-Apps verfügbar."), + "cLDesc2": MessageLookupByLibrary.simpleMessage( + "Das Hochladen im Hintergrund wird jetzt auch unter iOS unterstützt, zusätzlich zu Android-Geräten. Es ist nicht mehr notwendig, die App zu öffnen, um die letzten Fotos und Videos zu sichern."), + "cLDesc3": MessageLookupByLibrary.simpleMessage( + "Wir haben deutliche Verbesserungen an der Darstellung von Erinnerungen vorgenommen, u.a. automatische Wiedergabe, Wischen zur nächsten Erinnerung und vieles mehr."), + "cLDesc4": MessageLookupByLibrary.simpleMessage( + "Zusammen mit einer Reihe von Verbesserungen unter der Haube ist es jetzt viel einfacher, alle erkannten Gesichter zu sehen, Feedback zu ähnlichen Gesichtern geben und Gesichter für ein einzelnes Foto hinzuzufügen oder zu entfernen."), + "cLDesc5": MessageLookupByLibrary.simpleMessage( + "Du erhältst jetzt eine Opt-Out-Benachrichtigung für alle Geburtstage, die du bei Ente gespeichert hast, zusammen mit einer Sammlung der besten Fotos."), + "cLDesc6": MessageLookupByLibrary.simpleMessage( + "Kein Warten mehr auf das Hoch- oder Herunterladen, bevor du die App schließen kannst. Alle Übertragungen können jetzt mittendrin pausiert und fortgesetzt werden, wo du aufgehört hast."), + "cLTitle1": MessageLookupByLibrary.simpleMessage( + "Lade große Videodateien hoch"), + "cLTitle2": + MessageLookupByLibrary.simpleMessage("Hochladen im Hintergrund"), + "cLTitle3": MessageLookupByLibrary.simpleMessage( + "Automatische Wiedergabe von Erinnerungen"), + "cLTitle4": MessageLookupByLibrary.simpleMessage( + "Verbesserte Gesichtserkennung"), + "cLTitle5": MessageLookupByLibrary.simpleMessage( + "Geburtstags-Benachrichtigungen"), + "cLTitle6": MessageLookupByLibrary.simpleMessage( + "Wiederaufnehmbares Hoch- und Herunterladen"), + "cachedData": MessageLookupByLibrary.simpleMessage("Daten im Cache"), + "calculating": + MessageLookupByLibrary.simpleMessage("Wird berechnet..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Leider kann dieses Album nicht in der App geöffnet werden."), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( + "Album kann nicht geöffnet werden"), + "canNotUploadToAlbumsOwnedByOthers": + MessageLookupByLibrary.simpleMessage( + "Kann nicht auf Alben anderer Personen hochladen"), + "canOnlyCreateLinkForFilesOwnedByYou": + MessageLookupByLibrary.simpleMessage( + "Sie können nur Links für Dateien erstellen, die Ihnen gehören"), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Du kannst nur Dateien entfernen, die dir gehören"), + "cancel": MessageLookupByLibrary.simpleMessage("Abbrechen"), + "cancelAccountRecovery": + MessageLookupByLibrary.simpleMessage("Wiederherstellung abbrechen"), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "Bist du sicher, dass du die Wiederherstellung abbrechen möchtest?"), + "cancelOtherSubscription": m12, + "cancelSubscription": + MessageLookupByLibrary.simpleMessage("Abonnement kündigen"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Konnte geteilte Dateien nicht löschen"), + "castAlbum": MessageLookupByLibrary.simpleMessage("Album übertragen"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Stelle sicher, dass du im selben Netzwerk bist wie der Fernseher."), + "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( + "Album konnte nicht auf den Bildschirm übertragen werden"), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Besuche cast.ente.io auf dem Gerät, das du verbinden möchtest.\n\nGib den unten angegebenen Code ein, um das Album auf deinem Fernseher abzuspielen."), + "centerPoint": MessageLookupByLibrary.simpleMessage("Mittelpunkt"), + "change": MessageLookupByLibrary.simpleMessage("Ändern"), + "changeEmail": + MessageLookupByLibrary.simpleMessage("E-Mail-Adresse ändern"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Standort der gewählten Elemente ändern?"), + "changePassword": + MessageLookupByLibrary.simpleMessage("Passwort ändern"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("Passwort ändern"), + "changePermissions": + MessageLookupByLibrary.simpleMessage("Berechtigungen ändern?"), + "changeYourReferralCode": + MessageLookupByLibrary.simpleMessage("Empfehlungscode ändern"), + "checkForUpdates": MessageLookupByLibrary.simpleMessage( + "Nach Aktualisierungen suchen"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Bitte überprüfe deinen E-Mail-Posteingang (und Spam), um die Verifizierung abzuschließen"), + "checkStatus": + MessageLookupByLibrary.simpleMessage("Status überprüfen"), + "checking": MessageLookupByLibrary.simpleMessage("Wird geprüft..."), + "checkingModels": + MessageLookupByLibrary.simpleMessage("Prüfe Modelle..."), + "city": MessageLookupByLibrary.simpleMessage("In der Stadt"), + "claimFreeStorage": + MessageLookupByLibrary.simpleMessage("Freien Speicher einlösen"), + "claimMore": MessageLookupByLibrary.simpleMessage("Mehr einlösen!"), + "claimed": MessageLookupByLibrary.simpleMessage("Eingelöst"), + "claimedStorageSoFar": m14, + "cleanUncategorized": + MessageLookupByLibrary.simpleMessage("Unkategorisiert leeren"), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Entferne alle Dateien von \"Unkategorisiert\" die in anderen Alben vorhanden sind"), + "clearCaches": MessageLookupByLibrary.simpleMessage("Cache löschen"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Indexe löschen"), + "click": MessageLookupByLibrary.simpleMessage("• Klick"), + "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( + "• Klicken Sie auf das Überlaufmenü"), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Klicke, um unsere bisher beste Version zu installieren"), + "close": MessageLookupByLibrary.simpleMessage("Schließen"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( + "Nach Aufnahmezeit gruppieren"), + "clubByFileName": + MessageLookupByLibrary.simpleMessage("Nach Dateiname gruppieren"), + "clusteringProgress": + MessageLookupByLibrary.simpleMessage("Fortschritt beim Clustering"), + "codeAppliedPageTitle": + MessageLookupByLibrary.simpleMessage("Code eingelöst"), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Entschuldigung, du hast das Limit der Code-Änderungen erreicht."), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Code in Zwischenablage kopiert"), + "codeUsedByYou": + MessageLookupByLibrary.simpleMessage("Von dir benutzter Code"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Erstelle einen Link, mit dem andere Fotos in dem geteilten Album sehen und selbst welche hinzufügen können - ohne dass sie die ein Ente-Konto oder die App benötigen. Ideal um gemeinsam Fotos von Events zu sammeln."), + "collaborativeLink": + MessageLookupByLibrary.simpleMessage("Gemeinschaftlicher Link"), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Bearbeiter"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Bearbeiter können Fotos & Videos zu dem geteilten Album hinzufügen."), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("Layout"), + "collageSaved": MessageLookupByLibrary.simpleMessage( + "Collage in Galerie gespeichert"), + "collect": MessageLookupByLibrary.simpleMessage("Sammeln"), + "collectEventPhotos": MessageLookupByLibrary.simpleMessage( + "Gemeinsam Event-Fotos sammeln"), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Fotos sammeln"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Erstelle einen Link, mit dem deine Freunde Fotos in Originalqualität hochladen können."), + "color": MessageLookupByLibrary.simpleMessage("Farbe"), + "configuration": MessageLookupByLibrary.simpleMessage("Konfiguration"), + "confirm": MessageLookupByLibrary.simpleMessage("Bestätigen"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Bist du sicher, dass du die Zwei-Faktor-Authentifizierung (2FA) deaktivieren willst?"), + "confirmAccountDeletion": + MessageLookupByLibrary.simpleMessage("Kontolöschung bestätigen"), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Ja, ich möchte dieses Konto und alle enthaltenen Daten über alle Apps hinweg endgültig löschen."), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("Passwort wiederholen"), + "confirmPlanChange": + MessageLookupByLibrary.simpleMessage("Aboänderungen bestätigen"), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Wiederherstellungsschlüssel bestätigen"), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Bestätige deinen Wiederherstellungsschlüssel"), + "connectToDevice": + MessageLookupByLibrary.simpleMessage("Mit Gerät verbinden"), + "contactFamilyAdmin": m18, + "contactSupport": + MessageLookupByLibrary.simpleMessage("Support kontaktieren"), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Kontakte"), + "contents": MessageLookupByLibrary.simpleMessage("Inhalte"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Weiter"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "Mit kostenloser Testversion fortfahren"), + "convertToAlbum": + MessageLookupByLibrary.simpleMessage("Konvertiere zum Album"), + "copyEmailAddress": + MessageLookupByLibrary.simpleMessage("E-Mail-Adresse kopieren"), + "copyLink": MessageLookupByLibrary.simpleMessage("Link kopieren"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Kopiere diesen Code\nin deine Authentifizierungs-App"), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "Deine Daten konnten nicht gesichert werden.\nWir versuchen es später erneut."), + "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( + "Konnte Speicherplatz nicht freigeben"), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Abo konnte nicht aktualisiert werden"), + "count": MessageLookupByLibrary.simpleMessage("Anzahl"), + "crashReporting": + MessageLookupByLibrary.simpleMessage("Absturzbericht"), + "create": MessageLookupByLibrary.simpleMessage("Erstellen"), + "createAccount": + MessageLookupByLibrary.simpleMessage("Konto erstellen"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Drücke lange um Fotos auszuwählen und klicke + um ein Album zu erstellen"), + "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( + "Gemeinschaftlichen Link erstellen"), + "createCollage": + MessageLookupByLibrary.simpleMessage("Collage erstellen"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("Neues Konto erstellen"), + "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( + "Album erstellen oder auswählen"), + "createPublicLink": + MessageLookupByLibrary.simpleMessage("Öffentlichen Link erstellen"), + "creatingLink": + MessageLookupByLibrary.simpleMessage("Erstelle Link..."), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "Kritisches Update ist verfügbar!"), + "crop": MessageLookupByLibrary.simpleMessage("Zuschneiden"), + "curatedMemories": + MessageLookupByLibrary.simpleMessage("Ausgewählte Erinnerungen"), + "currentUsageIs": + MessageLookupByLibrary.simpleMessage("Aktuell genutzt werden "), + "currentlyRunning": + MessageLookupByLibrary.simpleMessage("läuft gerade"), + "custom": MessageLookupByLibrary.simpleMessage("Benutzerdefiniert"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Dunkel"), + "dayToday": MessageLookupByLibrary.simpleMessage("Heute"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Gestern"), + "declineTrustInvite": + MessageLookupByLibrary.simpleMessage("Einladung ablehnen"), + "decrypting": + MessageLookupByLibrary.simpleMessage("Wird entschlüsselt..."), + "decryptingVideo": + MessageLookupByLibrary.simpleMessage("Entschlüssele Video …"), + "deduplicateFiles": + MessageLookupByLibrary.simpleMessage("Dateien duplizieren"), + "delete": MessageLookupByLibrary.simpleMessage("Löschen"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Konto löschen"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Wir bedauern sehr, dass du dein Konto löschen möchtest. Du würdest uns sehr helfen, wenn du uns kurz einige Gründe hierfür nennen könntest."), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Konto unwiderruflich löschen"), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Album löschen"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Auch die Fotos (und Videos) in diesem Album aus allen anderen Alben löschen, die sie enthalten?"), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "Damit werden alle leeren Alben gelöscht. Dies ist nützlich, wenn du das Durcheinander in deiner Albenliste verringern möchtest."), + "deleteAll": MessageLookupByLibrary.simpleMessage("Alle löschen"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "Dieses Konto ist mit anderen Ente-Apps verknüpft, falls du welche verwendest. Deine hochgeladenen Daten werden in allen Ente-Apps zur Löschung vorgemerkt und dein Konto wird endgültig gelöscht."), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Bitte sende eine E-Mail an account-deletion@ente.io von Ihrer bei uns hinterlegten E-Mail-Adresse."), + "deleteEmptyAlbums": + MessageLookupByLibrary.simpleMessage("Leere Alben löschen"), + "deleteEmptyAlbumsWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Leere Alben löschen?"), + "deleteFromBoth": + MessageLookupByLibrary.simpleMessage("Aus beidem löschen"), + "deleteFromDevice": + MessageLookupByLibrary.simpleMessage("Vom Gerät löschen"), + "deleteFromEnte": + MessageLookupByLibrary.simpleMessage("Von Ente löschen"), + "deleteItemCount": m21, + "deleteLocation": + MessageLookupByLibrary.simpleMessage("Standort löschen"), + "deleteMultipleAlbumDialog": m22, + "deletePhotos": MessageLookupByLibrary.simpleMessage("Fotos löschen"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Es fehlt eine zentrale Funktion, die ich benötige"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "Die App oder eine bestimmte Funktion verhält sich nicht so wie gedacht"), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Ich habe einen anderen Dienst gefunden, der mir mehr zusagt"), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "Mein Grund ist nicht aufgeführt"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Deine Anfrage wird innerhalb von 72 Stunden bearbeitet."), + "deleteSharedAlbum": + MessageLookupByLibrary.simpleMessage("Geteiltes Album löschen?"), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "Dieses Album wird für alle gelöscht\n\nDu wirst den Zugriff auf geteilte Fotos in diesem Album, die anderen gehören, verlieren"), + "deselectAll": MessageLookupByLibrary.simpleMessage("Alle abwählen"), + "designedToOutlive": + MessageLookupByLibrary.simpleMessage("Entwickelt um zu bewahren"), + "details": MessageLookupByLibrary.simpleMessage("Details"), + "developerSettings": + MessageLookupByLibrary.simpleMessage("Entwicklereinstellungen"), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Bist du sicher, dass du Entwicklereinstellungen bearbeiten willst?"), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Code eingeben"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "Dateien, die zu diesem Album hinzugefügt werden, werden automatisch zu Ente hochgeladen."), + "deviceLock": MessageLookupByLibrary.simpleMessage("Gerätsperre"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Verhindern, dass der Bildschirm gesperrt wird, während die App im Vordergrund ist und eine Sicherung läuft. Das ist normalerweise nicht notwendig, kann aber dabei helfen, große Uploads wie einen Erstimport schneller abzuschließen."), + "deviceNotFound": + MessageLookupByLibrary.simpleMessage("Gerät nicht gefunden"), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Schon gewusst?"), + "different": MessageLookupByLibrary.simpleMessage("Verschieden"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage( + "Automatische Sperre deaktivieren"), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Zuschauer können weiterhin Screenshots oder mit anderen externen Programmen Kopien der Bilder machen."), + "disableDownloadWarningTitle": + MessageLookupByLibrary.simpleMessage("Bitte beachten Sie:"), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "Zweiten Faktor (2FA) deaktivieren"), + "disablingTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Zwei-Faktor-Authentifizierung (2FA) wird deaktiviert..."), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Entdecken"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Babys"), + "discover_celebrations": MessageLookupByLibrary.simpleMessage("Feiern"), + "discover_food": MessageLookupByLibrary.simpleMessage("Essen"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Grün"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Berge"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Identität"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Notizen"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Haustiere"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Belege"), + "discover_screenshots": + MessageLookupByLibrary.simpleMessage("Bildschirmfotos"), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfies"), + "discover_sunset": + MessageLookupByLibrary.simpleMessage("Sonnenuntergang"), + "discover_visiting_cards": + MessageLookupByLibrary.simpleMessage("Visitenkarten"), + "discover_wallpapers": + MessageLookupByLibrary.simpleMessage("Hintergründe"), + "dismiss": MessageLookupByLibrary.simpleMessage("Verwerfen"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": + MessageLookupByLibrary.simpleMessage("Melde dich nicht ab"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Später erledigen"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Möchtest du deine Änderungen verwerfen?"), + "done": MessageLookupByLibrary.simpleMessage("Fertig"), + "dontSave": MessageLookupByLibrary.simpleMessage("Nicht speichern"), + "doubleYourStorage": + MessageLookupByLibrary.simpleMessage("Speicherplatz verdoppeln"), + "download": MessageLookupByLibrary.simpleMessage("Herunterladen"), + "downloadFailed": MessageLookupByLibrary.simpleMessage( + "Herunterladen fehlgeschlagen"), + "downloading": + MessageLookupByLibrary.simpleMessage("Wird heruntergeladen..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Bearbeiten"), + "editEmailAlreadyLinked": m28, + "editLocation": + MessageLookupByLibrary.simpleMessage("Standort bearbeiten"), + "editLocationTagTitle": + MessageLookupByLibrary.simpleMessage("Standort bearbeiten"), + "editPerson": MessageLookupByLibrary.simpleMessage("Person bearbeiten"), + "editTime": MessageLookupByLibrary.simpleMessage("Uhrzeit ändern"), + "editsSaved": + MessageLookupByLibrary.simpleMessage("Änderungen gespeichert"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Edits to location will only be seen within Ente"), + "eligible": MessageLookupByLibrary.simpleMessage("zulässig"), + "email": MessageLookupByLibrary.simpleMessage("E-Mail"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "E-Mail ist bereits registriert."), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": + MessageLookupByLibrary.simpleMessage("E-Mail nicht registriert."), + "emailVerificationToggle": + MessageLookupByLibrary.simpleMessage("E-Mail-Verifizierung"), + "emailYourLogs": MessageLookupByLibrary.simpleMessage( + "Protokolle per E-Mail senden"), + "embracingThem": m32, + "emergencyContacts": + MessageLookupByLibrary.simpleMessage("Notfallkontakte"), + "empty": MessageLookupByLibrary.simpleMessage("Leeren"), + "emptyTrash": + MessageLookupByLibrary.simpleMessage("Papierkorb leeren?"), + "enable": MessageLookupByLibrary.simpleMessage("Aktivieren"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "Ente unterstützt maschinelles Lernen für Gesichtserkennung, magische Suche und andere erweiterte Suchfunktionen auf dem Gerät"), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Aktiviere maschinelles Lernen für die magische Suche und Gesichtserkennung"), + "enableMaps": MessageLookupByLibrary.simpleMessage("Karten aktivieren"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "Dies zeigt Ihre Fotos auf einer Weltkarte.\n\nDiese Karte wird von OpenStreetMap gehostet und die genauen Standorte Ihrer Fotos werden niemals geteilt.\n\nSie können diese Funktion jederzeit in den Einstellungen deaktivieren."), + "enabled": MessageLookupByLibrary.simpleMessage("Aktiviert"), + "encryptingBackup": + MessageLookupByLibrary.simpleMessage("Verschlüssele Sicherung …"), + "encryption": MessageLookupByLibrary.simpleMessage("Verschlüsselung"), + "encryptionKeys": + MessageLookupByLibrary.simpleMessage("Verschlüsselungscode"), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Endpunkt erfolgreich geändert"), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Automatisch Ende-zu-Ende-verschlüsselt"), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente kann Dateien nur verschlüsseln und sichern, wenn du den Zugriff darauf gewährst"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente benötigt Berechtigung, um Ihre Fotos zu sichern"), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "Ente sichert deine Erinnerungen, sodass sie dir nie verloren gehen, selbst wenn du dein Gerät verlierst."), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Deine Familie kann zu deinem Abo hinzugefügt werden."), + "enterAlbumName": + MessageLookupByLibrary.simpleMessage("Albumname eingeben"), + "enterCode": MessageLookupByLibrary.simpleMessage("Code eingeben"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Gib den Code deines Freundes ein, damit sie beide kostenlosen Speicherplatz erhalten"), + "enterDateOfBirth": + MessageLookupByLibrary.simpleMessage("Geburtstag (optional)"), + "enterEmail": MessageLookupByLibrary.simpleMessage("E-Mail eingeben"), + "enterFileName": + MessageLookupByLibrary.simpleMessage("Dateinamen eingeben"), + "enterName": MessageLookupByLibrary.simpleMessage("Name eingeben"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Gib ein neues Passwort ein, mit dem wir deine Daten verschlüsseln können"), + "enterPassword": + MessageLookupByLibrary.simpleMessage("Passwort eingeben"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Gib ein Passwort ein, mit dem wir deine Daten verschlüsseln können"), + "enterPersonName": + MessageLookupByLibrary.simpleMessage("Namen der Person eingeben"), + "enterPin": MessageLookupByLibrary.simpleMessage("PIN eingeben"), + "enterReferralCode": MessageLookupByLibrary.simpleMessage( + "Gib den Weiterempfehlungs-Code ein"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Gib den 6-stelligen Code aus\ndeiner Authentifizierungs-App ein"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Bitte gib eine gültige E-Mail-Adresse ein."), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Gib deine E-Mail-Adresse ein"), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Gib Deine neue E-Mail-Adresse ein"), + "enterYourPassword": + MessageLookupByLibrary.simpleMessage("Passwort eingeben"), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Gib deinen Wiederherstellungs-Schlüssel ein"), + "error": MessageLookupByLibrary.simpleMessage("Fehler"), + "everywhere": MessageLookupByLibrary.simpleMessage("überall"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": + MessageLookupByLibrary.simpleMessage("Existierender Benutzer"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Dieser Link ist abgelaufen. Bitte wähle ein neues Ablaufdatum oder deaktiviere das Ablaufdatum des Links."), + "exportLogs": + MessageLookupByLibrary.simpleMessage("Protokolle exportieren"), + "exportYourData": + MessageLookupByLibrary.simpleMessage("Daten exportieren"), + "extraPhotosFound": + MessageLookupByLibrary.simpleMessage("Zusätzliche Fotos gefunden"), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Gesicht ist noch nicht gruppiert, bitte komm später zurück"), + "faceRecognition": + MessageLookupByLibrary.simpleMessage("Gesichtserkennung"), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "Vorschaubilder konnten nicht erstellt werden"), + "faces": MessageLookupByLibrary.simpleMessage("Gesichter"), + "failed": MessageLookupByLibrary.simpleMessage("Fehlgeschlagen"), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage( + "Der Code konnte nicht aktiviert werden"), + "failedToCancel": + MessageLookupByLibrary.simpleMessage("Kündigung fehlgeschlagen"), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( + "Herunterladen des Videos fehlgeschlagen"), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Fehler beim Abrufen der aktiven Sitzungen"), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Fehler beim Abrufen des Originals zur Bearbeitung"), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Die Weiterempfehlungs-Details können nicht abgerufen werden. Bitte versuche es später erneut."), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "Laden der Alben fehlgeschlagen"), + "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Fehler beim Abspielen des Videos"), + "failedToRefreshStripeSubscription": + MessageLookupByLibrary.simpleMessage( + "Abonnement konnte nicht erneuert werden"), + "failedToRenew": + MessageLookupByLibrary.simpleMessage("Erneuern fehlgeschlagen"), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Überprüfung des Zahlungsstatus fehlgeschlagen"), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Füge kostenlos 5 Familienmitglieder zu deinem bestehenden Abo hinzu.\n\nJedes Mitglied bekommt seinen eigenen privaten Bereich und kann die Dateien der anderen nur sehen, wenn sie geteilt werden.\n\nFamilien-Abos stehen Nutzern mit einem Bezahltarif zur Verfügung.\n\nMelde dich jetzt an, um loszulegen!"), + "familyPlanPortalTitle": + MessageLookupByLibrary.simpleMessage("Familie"), + "familyPlans": MessageLookupByLibrary.simpleMessage("Familientarif"), + "faq": MessageLookupByLibrary.simpleMessage("Häufig gestellte Fragen"), + "faqs": MessageLookupByLibrary.simpleMessage("FAQs"), + "favorite": MessageLookupByLibrary.simpleMessage("Favorit"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("Rückmeldung"), + "file": MessageLookupByLibrary.simpleMessage("Datei"), + "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage( + "Datei konnte nicht analysiert werden"), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Fehler beim Speichern der Datei in der Galerie"), + "fileInfoAddDescHint": + MessageLookupByLibrary.simpleMessage("Beschreibung hinzufügen …"), + "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( + "Datei wurde noch nicht hochgeladen"), + "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Datei in Galerie gespeichert"), + "fileTypes": MessageLookupByLibrary.simpleMessage("Dateitypen"), + "fileTypesAndNames": + MessageLookupByLibrary.simpleMessage("Dateitypen und -namen"), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": + MessageLookupByLibrary.simpleMessage("Dateien gelöscht"), + "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Dateien in Galerie gespeichert"), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "Finde Personen schnell nach Namen"), + "findThemQuickly": + MessageLookupByLibrary.simpleMessage("Finde sie schnell"), + "flip": MessageLookupByLibrary.simpleMessage("Spiegeln"), + "food": MessageLookupByLibrary.simpleMessage("Kulinarische Genüsse"), + "forYourMemories": + MessageLookupByLibrary.simpleMessage("Als Erinnerung"), + "forgotPassword": + MessageLookupByLibrary.simpleMessage("Passwort vergessen"), + "foundFaces": + MessageLookupByLibrary.simpleMessage("Gesichter gefunden"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( + "Kostenlos hinzugefügter Speicherplatz"), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Freier Speicherplatz nutzbar"), + "freeTrial": + MessageLookupByLibrary.simpleMessage("Kostenlose Testphase"), + "freeTrialValidTill": m38, + "freeUpAccessPostDelete": m39, + "freeUpAmount": m40, + "freeUpDeviceSpace": + MessageLookupByLibrary.simpleMessage("Gerätespeicher freiräumen"), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Spare Speicherplatz auf deinem Gerät, indem du Dateien löschst, die bereits gesichert wurden."), + "freeUpSpace": + MessageLookupByLibrary.simpleMessage("Speicherplatz freigeben"), + "freeUpSpaceSaving": m41, + "gallery": MessageLookupByLibrary.simpleMessage("Galerie"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "Bis zu 1000 Erinnerungsstücke angezeigt in der Galerie"), + "general": MessageLookupByLibrary.simpleMessage("Allgemein"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Generierung von Verschlüsselungscodes..."), + "genericProgress": m42, + "goToSettings": + MessageLookupByLibrary.simpleMessage("Zu den Einstellungen"), + "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Bitte gewähre Zugang zu allen Fotos in der Einstellungen App"), + "grantPermission": + MessageLookupByLibrary.simpleMessage("Zugriff gewähren"), + "greenery": MessageLookupByLibrary.simpleMessage("Im Grünen"), + "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( + "Fotos in der Nähe gruppieren"), + "guestView": MessageLookupByLibrary.simpleMessage("Gastansicht"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "Bitte richte einen Gerätepasscode oder eine Bildschirmsperre ein, um die Gastansicht zu nutzen."), + "happyBirthday": MessageLookupByLibrary.simpleMessage( + "Herzlichen Glückwunsch zum Geburtstag! 🥳"), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "Wir tracken keine App-Installationen. Es würde uns jedoch helfen, wenn du uns mitteilst, wie du von uns erfahren hast!"), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Wie hast du von Ente erfahren? (optional)"), + "help": MessageLookupByLibrary.simpleMessage("Hilfe"), + "hidden": MessageLookupByLibrary.simpleMessage("Versteckt"), + "hide": MessageLookupByLibrary.simpleMessage("Ausblenden"), + "hideContent": + MessageLookupByLibrary.simpleMessage("Inhalte verstecken"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Versteckt Inhalte der App beim Wechseln zwischen Apps und deaktiviert Screenshots"), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Versteckt Inhalte der App beim Wechseln zwischen Apps"), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Geteilte Elemente in der Home-Galerie ausblenden"), + "hiding": MessageLookupByLibrary.simpleMessage("Verstecken..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": + MessageLookupByLibrary.simpleMessage("Gehostet bei OSM France"), + "howItWorks": + MessageLookupByLibrary.simpleMessage("So funktioniert\'s"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Bitte sie, auf den Einstellungs Bildschirm ihre E-Mail-Adresse lange anzuklicken und zu überprüfen, dass die IDs auf beiden Geräten übereinstimmen."), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Auf Ihrem Gerät ist keine biometrische Authentifizierung eingerichtet. Bitte aktivieren Sie entweder Touch ID oder Face ID auf Ihrem Telefon."), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "Die biometrische Authentifizierung ist deaktiviert. Bitte sperren und entsperren Sie Ihren Bildschirm, um sie zu aktivieren."), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), + "ignore": MessageLookupByLibrary.simpleMessage("Ignorieren"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorieren"), + "ignored": MessageLookupByLibrary.simpleMessage("ignoriert"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Ein paar Dateien in diesem Album werden nicht hochgeladen, weil sie in der Vergangenheit schonmal aus Ente gelöscht wurden."), + "imageNotAnalyzed": + MessageLookupByLibrary.simpleMessage("Bild nicht analysiert"), + "immediately": MessageLookupByLibrary.simpleMessage("Sofort"), + "importing": MessageLookupByLibrary.simpleMessage("Importiert...."), + "incorrectCode": MessageLookupByLibrary.simpleMessage("Falscher Code"), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("Falsches Passwort"), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Falscher Wiederherstellungs-Schlüssel"), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Der eingegebene Schlüssel ist ungültig"), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Falscher Wiederherstellungs-Schlüssel"), + "indexedItems": + MessageLookupByLibrary.simpleMessage("Indizierte Elemente"), + "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( + "Die Indizierung ist pausiert. Sie wird automatisch fortgesetzt, wenn das Gerät bereit ist. Das Gerät wird als bereit angesehen, wenn sich der Akkustand, die Akkugesundheit und der thermische Zustand in einem gesunden Bereich befinden."), + "ineligible": MessageLookupByLibrary.simpleMessage("Unzulässig"), + "info": MessageLookupByLibrary.simpleMessage("Info"), + "insecureDevice": + MessageLookupByLibrary.simpleMessage("Unsicheres Gerät"), + "installManually": + MessageLookupByLibrary.simpleMessage("Manuell installieren"), + "invalidEmailAddress": + MessageLookupByLibrary.simpleMessage("Ungültige E-Mail-Adresse"), + "invalidEndpoint": + MessageLookupByLibrary.simpleMessage("Ungültiger Endpunkt"), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Der eingegebene Endpunkt ist ungültig. Gib einen gültigen Endpunkt ein und versuch es nochmal."), + "invalidKey": + MessageLookupByLibrary.simpleMessage("Ungültiger Schlüssel"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Der eingegebene Wiederherstellungsschlüssel ist nicht gültig. Bitte stelle sicher, dass er aus 24 Wörtern zusammengesetzt ist und jedes dieser Worte richtig geschrieben wurde.\n\nSolltest du den Wiederherstellungscode eingegeben haben, stelle bitte sicher, dass dieser 64 Zeichen lang ist und ebenfalls richtig geschrieben wurde."), + "invite": MessageLookupByLibrary.simpleMessage("Einladen"), + "inviteToEnte": + MessageLookupByLibrary.simpleMessage("Zu Ente einladen"), + "inviteYourFriends": + MessageLookupByLibrary.simpleMessage("Lade deine Freunde ein"), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "Lade deine Freunde zu Ente ein"), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Etwas ist schiefgelaufen. Bitte versuche es später noch einmal. Sollte der Fehler weiter bestehen, kontaktiere unser Supportteam."), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "Elemente zeigen die Anzahl der Tage bis zum dauerhaften Löschen an"), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Ausgewählte Elemente werden aus diesem Album entfernt"), + "join": MessageLookupByLibrary.simpleMessage("Beitreten"), + "joinAlbum": MessageLookupByLibrary.simpleMessage("Album beitreten"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "Wenn du einem Album beitrittst, wird deine E-Mail-Adresse für seine Teilnehmer sichtbar."), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( + "um deine Fotos anzuzeigen und hinzuzufügen"), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "um dies zu geteilten Alben hinzuzufügen"), + "joinDiscord": + MessageLookupByLibrary.simpleMessage("Discord beitreten"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Fotos behalten"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": + MessageLookupByLibrary.simpleMessage("Bitte gib diese Daten ein"), + "language": MessageLookupByLibrary.simpleMessage("Sprache"), + "lastTimeWithThem": m45, + "lastUpdated": + MessageLookupByLibrary.simpleMessage("Zuletzt aktualisiert"), + "lastYearsTrip": + MessageLookupByLibrary.simpleMessage("Reise im letzten Jahr"), + "leave": MessageLookupByLibrary.simpleMessage("Verlassen"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Album verlassen"), + "leaveFamily": + MessageLookupByLibrary.simpleMessage("Familienabo verlassen"), + "leaveSharedAlbum": + MessageLookupByLibrary.simpleMessage("Geteiltes Album verlassen?"), + "left": MessageLookupByLibrary.simpleMessage("Links"), + "legacy": MessageLookupByLibrary.simpleMessage("Digitales Erbe"), + "legacyAccounts": + MessageLookupByLibrary.simpleMessage("Digital geerbte Konten"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "Das digitale Erbe erlaubt vertrauenswürdigen Kontakten den Zugriff auf dein Konto in deiner Abwesenheit."), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "Vertrauenswürdige Kontakte können eine Kontowiederherstellung einleiten und, wenn dies nicht innerhalb von 30 Tagen blockiert wird, dein Passwort und den Kontozugriff zurücksetzen."), + "light": MessageLookupByLibrary.simpleMessage("Hell"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Hell"), + "link": MessageLookupByLibrary.simpleMessage("Verknüpfen"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Link in Zwischenablage kopiert"), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Geräte-Limit"), + "linkEmail": + MessageLookupByLibrary.simpleMessage("E-Mail-Adresse verknüpfen"), + "linkEmailToContactBannerCaption": + MessageLookupByLibrary.simpleMessage("für schnelleres Teilen"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Aktiviert"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Abgelaufen"), + "linkExpiresOn": m47, + "linkExpiry": + MessageLookupByLibrary.simpleMessage("Ablaufdatum des Links"), + "linkHasExpired": + MessageLookupByLibrary.simpleMessage("Link ist abgelaufen"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Niemals"), + "linkPerson": MessageLookupByLibrary.simpleMessage("Person verknüpfen"), + "linkPersonCaption": MessageLookupByLibrary.simpleMessage( + "um besseres Teilen zu ermöglichen"), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("Live-Fotos"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "Du kannst dein Abonnement mit deiner Familie teilen"), + "loadMessage2": MessageLookupByLibrary.simpleMessage( + "Wir haben bereits über 200 Millionen Erinnerungen bewahrt"), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "Wir behalten 3 Kopien Ihrer Daten, eine in einem unterirdischen Schutzbunker"), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "Alle unsere Apps sind Open-Source"), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Unser Quellcode und unsere Kryptografie wurden extern geprüft"), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "Du kannst Links zu deinen Alben mit deinen Geliebten teilen"), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Unsere mobilen Apps laufen im Hintergrund, um neue Fotos zu verschlüsseln und zu sichern"), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io hat einen Spitzen-Uploader"), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Wir verwenden Xchacha20Poly1305, um Ihre Daten sicher zu verschlüsseln"), + "loadingExifData": + MessageLookupByLibrary.simpleMessage("Lade Exif-Daten..."), + "loadingGallery": + MessageLookupByLibrary.simpleMessage("Lade Galerie …"), + "loadingMessage": + MessageLookupByLibrary.simpleMessage("Fotos werden geladen..."), + "loadingModel": + MessageLookupByLibrary.simpleMessage("Lade Modelle herunter..."), + "loadingYourPhotos": + MessageLookupByLibrary.simpleMessage("Lade deine Fotos..."), + "localGallery": MessageLookupByLibrary.simpleMessage("Lokale Galerie"), + "localIndexing": + MessageLookupByLibrary.simpleMessage("Lokale Indizierung"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Es sieht so aus, als ob etwas schiefgelaufen ist, da die lokale Foto-Synchronisierung länger dauert als erwartet. Bitte kontaktiere unser Support-Team"), + "location": MessageLookupByLibrary.simpleMessage("Standort"), + "locationName": MessageLookupByLibrary.simpleMessage("Standortname"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Ein Standort-Tag gruppiert alle Fotos, die in einem Radius eines Fotos aufgenommen wurden"), + "locations": MessageLookupByLibrary.simpleMessage("Orte"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Sperren"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Sperrbildschirm"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Anmelden"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Abmeldung..."), + "loginSessionExpired": + MessageLookupByLibrary.simpleMessage("Sitzung abgelaufen"), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "Deine Sitzung ist abgelaufen. Bitte melde Dich erneut an."), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Mit dem Klick auf \"Anmelden\" stimme ich den Nutzungsbedingungen und der Datenschutzerklärung zu"), + "loginWithTOTP": + MessageLookupByLibrary.simpleMessage("Mit TOTP anmelden"), + "logout": MessageLookupByLibrary.simpleMessage("Ausloggen"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "Dies wird über Logs gesendet, um uns zu helfen, Ihr Problem zu beheben. Bitte beachten Sie, dass Dateinamen aufgenommen werden, um Probleme mit bestimmten Dateien zu beheben."), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Lange auf eine E-Mail drücken, um die Ende-zu-Ende-Verschlüsselung zu überprüfen."), + "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( + "Drücken Sie lange auf ein Element, um es im Vollbildmodus anzuzeigen"), + "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( + "Schau zurück auf deine Erinnerungen 🌄"), + "loopVideoOff": + MessageLookupByLibrary.simpleMessage("Videoschleife aus"), + "loopVideoOn": MessageLookupByLibrary.simpleMessage("Videoschleife an"), + "lostDevice": MessageLookupByLibrary.simpleMessage("Gerät verloren?"), + "machineLearning": + MessageLookupByLibrary.simpleMessage("Maschinelles Lernen"), + "magicSearch": MessageLookupByLibrary.simpleMessage("Magische Suche"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "Die magische Suche erlaubt das Durchsuchen von Fotos nach ihrem Inhalt, z.B. \'Blumen\', \'rotes Auto\', \'Ausweisdokumente\'"), + "manage": MessageLookupByLibrary.simpleMessage("Verwalten"), + "manageDeviceStorage": + MessageLookupByLibrary.simpleMessage("Geräte-Cache verwalten"), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Lokalen Cache-Speicher überprüfen und löschen."), + "manageFamily": + MessageLookupByLibrary.simpleMessage("Familiengruppe verwalten"), + "manageLink": MessageLookupByLibrary.simpleMessage("Link verwalten"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Verwalten"), + "manageSubscription": + MessageLookupByLibrary.simpleMessage("Abonnement verwalten"), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "\"Mit PIN verbinden\" funktioniert mit jedem Bildschirm, auf dem du dein Album sehen möchtest."), + "map": MessageLookupByLibrary.simpleMessage("Karte"), + "maps": MessageLookupByLibrary.simpleMessage("Karten"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("Ich"), + "memories": MessageLookupByLibrary.simpleMessage("Erinnerungen"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Wähle die Arten von Erinnerungen, die du auf der Startseite sehen möchtest."), + "memoryCount": m50, + "merchandise": MessageLookupByLibrary.simpleMessage("Merchandise"), + "merge": MessageLookupByLibrary.simpleMessage("Zusammenführen"), + "mergeWithExisting": MessageLookupByLibrary.simpleMessage( + "Mit vorhandenem zusammenführen"), + "mergedPhotos": + MessageLookupByLibrary.simpleMessage("Zusammengeführte Fotos"), + "mlConsent": MessageLookupByLibrary.simpleMessage( + "Maschinelles Lernen aktivieren"), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Ich verstehe und möchte das maschinelle Lernen aktivieren"), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Wenn du das maschinelle Lernen aktivierst, wird Ente Informationen wie etwa Gesichtsgeometrie aus Dateien extrahieren, einschließlich derjenigen, die mit dir geteilt werden.\n\nDies geschieht auf deinem Gerät und alle erzeugten biometrischen Informationen werden Ende-zu-Ende-verschlüsselt."), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Bitte klicke hier für weitere Details zu dieser Funktion in unserer Datenschutzerklärung"), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "Maschinelles Lernen aktivieren?"), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Bitte beachte, dass das maschinelle Lernen zu einem höheren Daten- und Akkuverbrauch führen wird, bis alle Elemente indiziert sind. Du kannst die Desktop-App für eine schnellere Indizierung verwenden, alle Ergebnisse werden automatisch synchronisiert."), + "mobileWebDesktop": + MessageLookupByLibrary.simpleMessage("Mobil, Web, Desktop"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Mittel"), + "modifyYourQueryOrTrySearchingFor": + MessageLookupByLibrary.simpleMessage( + "Ändere deine Suchanfrage oder suche nach"), + "moments": MessageLookupByLibrary.simpleMessage("Momente"), + "month": MessageLookupByLibrary.simpleMessage("Monat"), + "monthly": MessageLookupByLibrary.simpleMessage("Monatlich"), + "moon": MessageLookupByLibrary.simpleMessage("Bei Mondschein"), + "moreDetails": MessageLookupByLibrary.simpleMessage("Weitere Details"), + "mostRecent": MessageLookupByLibrary.simpleMessage("Neuste"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("Nach Relevanz"), + "mountains": MessageLookupByLibrary.simpleMessage("Über den Bergen"), + "moveItem": m51, + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "Ausgewählte Fotos auf ein Datum verschieben"), + "moveToAlbum": + MessageLookupByLibrary.simpleMessage("Zum Album verschieben"), + "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Zu verstecktem Album verschieben"), + "movedSuccessfullyTo": m52, + "movedToTrash": MessageLookupByLibrary.simpleMessage( + "In den Papierkorb verschoben"), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Verschiebe Dateien in Album..."), + "name": MessageLookupByLibrary.simpleMessage("Name"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Album benennen"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Ente ist im Moment nicht erreichbar. Bitte versuchen Sie es später erneut. Sollte das Problem bestehen bleiben, wenden Sie sich bitte an den Support."), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Ente ist im Moment nicht erreichbar. Bitte überprüfen Sie Ihre Netzwerkeinstellungen. Sollte das Problem bestehen bleiben, wenden Sie sich bitte an den Support."), + "never": MessageLookupByLibrary.simpleMessage("Niemals"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Neues Album"), + "newLocation": MessageLookupByLibrary.simpleMessage("Neuer Ort"), + "newPerson": MessageLookupByLibrary.simpleMessage("Neue Person"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" neue 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("Neue Auswahl"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Neu bei Ente"), + "newest": MessageLookupByLibrary.simpleMessage("Zuletzt"), + "next": MessageLookupByLibrary.simpleMessage("Weiter"), + "no": MessageLookupByLibrary.simpleMessage("Nein"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Noch keine Alben von dir geteilt"), + "noDeviceFound": + MessageLookupByLibrary.simpleMessage("Kein Gerät gefunden"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Keins"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "Du hast keine Dateien auf diesem Gerät, die gelöscht werden können"), + "noDuplicates": + MessageLookupByLibrary.simpleMessage("✨ Keine Duplikate"), + "noEnteAccountExclamation": + MessageLookupByLibrary.simpleMessage("Kein Ente-Konto!"), + "noExifData": MessageLookupByLibrary.simpleMessage("Keine Exif-Daten"), + "noFacesFound": + MessageLookupByLibrary.simpleMessage("Keine Gesichter gefunden"), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "Keine versteckten Fotos oder Videos"), + "noImagesWithLocation": + MessageLookupByLibrary.simpleMessage("Keine Bilder mit Standort"), + "noInternetConnection": + MessageLookupByLibrary.simpleMessage("Keine Internetverbindung"), + "noPhotosAreBeingBackedUpRightNow": + MessageLookupByLibrary.simpleMessage( + "Momentan werden keine Fotos gesichert"), + "noPhotosFoundHere": + MessageLookupByLibrary.simpleMessage("Keine Fotos gefunden"), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( + "Keine schnellen Links ausgewählt"), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Kein Wiederherstellungs-Schlüssel?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Aufgrund unseres Ende-zu-Ende-Verschlüsselungsprotokolls können deine Daten nicht ohne dein Passwort oder deinen Wiederherstellungs-Schlüssel entschlüsselt werden"), + "noResults": MessageLookupByLibrary.simpleMessage("Keine Ergebnisse"), + "noResultsFound": + MessageLookupByLibrary.simpleMessage("Keine Ergebnisse gefunden"), + "noSuggestionsForPerson": m53, + "noSystemLockFound": + MessageLookupByLibrary.simpleMessage("Keine Systemsperre gefunden"), + "notPersonLabel": m54, + "notThisPerson": + MessageLookupByLibrary.simpleMessage("Nicht diese Person?"), + "nothingSharedWithYouYet": + MessageLookupByLibrary.simpleMessage("Noch nichts mit Dir geteilt"), + "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( + "Hier gibt es nichts zu sehen! 👀"), + "notifications": + MessageLookupByLibrary.simpleMessage("Benachrichtigungen"), + "ok": MessageLookupByLibrary.simpleMessage("Ok"), + "onDevice": MessageLookupByLibrary.simpleMessage("Auf dem Gerät"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "Auf ente"), + "onTheRoad": MessageLookupByLibrary.simpleMessage("Wieder unterwegs"), + "onThisDay": MessageLookupByLibrary.simpleMessage("An diesem Tag"), + "onThisDayMemories": + MessageLookupByLibrary.simpleMessage("Erinnerungen an diesem Tag"), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "Erhalte Erinnerungen von diesem Tag in den vergangenen Jahren."), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Nur diese"), + "oops": MessageLookupByLibrary.simpleMessage("Hoppla"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Hoppla, die Änderungen konnten nicht gespeichert werden"), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Ups. Leider ist ein Fehler aufgetreten"), + "openAlbumInBrowser": + MessageLookupByLibrary.simpleMessage("Album im Browser öffnen"), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Bitte nutze die Web-App, um Fotos zu diesem Album hinzuzufügen"), + "openFile": MessageLookupByLibrary.simpleMessage("Datei öffnen"), + "openSettings": + MessageLookupByLibrary.simpleMessage("Öffne Einstellungen"), + "openTheItem": MessageLookupByLibrary.simpleMessage("• Element öffnen"), + "openstreetmapContributors": + MessageLookupByLibrary.simpleMessage("OpenStreetMap-Beitragende"), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Bei Bedarf auch so kurz wie du willst..."), + "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( + "Oder mit existierenden zusammenführen"), + "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( + "Oder eine vorherige auswählen"), + "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( + "oder wähle aus deinen Kontakten"), + "otherDetectedFaces": + MessageLookupByLibrary.simpleMessage("Andere erkannte Gesichter"), + "pair": MessageLookupByLibrary.simpleMessage("Koppeln"), + "pairWithPin": + MessageLookupByLibrary.simpleMessage("Mit PIN verbinden"), + "pairingComplete": MessageLookupByLibrary.simpleMessage("Verbunden"), + "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), + "partyWithThem": m56, + "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( + "Verifizierung steht noch aus"), + "passkey": MessageLookupByLibrary.simpleMessage("Passkey"), + "passkeyAuthTitle": + MessageLookupByLibrary.simpleMessage("Passkey-Verifizierung"), + "password": MessageLookupByLibrary.simpleMessage("Passwort"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Passwort erfolgreich geändert"), + "passwordLock": MessageLookupByLibrary.simpleMessage("Passwort Sperre"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "Die Berechnung der Stärke des Passworts basiert auf dessen Länge, den verwendeten Zeichen, und ob es in den 10.000 am häufigsten verwendeten Passwörtern vorkommt"), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Wir speichern dieses Passwort nicht. Wenn du es vergisst, können wir deine Daten nicht entschlüsseln"), + "pastYearsMemories": MessageLookupByLibrary.simpleMessage( + "Erinnerungen der letzten Jahre"), + "paymentDetails": + MessageLookupByLibrary.simpleMessage("Zahlungsdetails"), + "paymentFailed": + MessageLookupByLibrary.simpleMessage("Zahlung fehlgeschlagen"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "Leider ist deine Zahlung fehlgeschlagen. Wende dich an unseren Support und wir helfen dir weiter!"), + "paymentFailedTalkToProvider": m58, + "pendingItems": + MessageLookupByLibrary.simpleMessage("Ausstehende Elemente"), + "pendingSync": + MessageLookupByLibrary.simpleMessage("Synchronisation anstehend"), + "people": MessageLookupByLibrary.simpleMessage("Personen"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Leute, die deinen Code verwenden"), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Wähle die Personen, die du auf der Startseite sehen möchtest."), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Alle Elemente im Papierkorb werden dauerhaft gelöscht\n\nDiese Aktion kann nicht rückgängig gemacht werden"), + "permanentlyDelete": + MessageLookupByLibrary.simpleMessage("Dauerhaft löschen"), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Endgültig vom Gerät löschen?"), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("Name der Person"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("Pelzige Begleiter"), + "photoDescriptions": + MessageLookupByLibrary.simpleMessage("Foto Beschreibungen"), + "photoGridSize": + MessageLookupByLibrary.simpleMessage("Fotorastergröße"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("Foto"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("Fotos"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "Von dir hinzugefügte Fotos werden vom Album entfernt"), + "photosCount": m62, + "photosKeepRelativeTimeDifference": + MessageLookupByLibrary.simpleMessage( + "Fotos behalten relativen Zeitunterschied"), + "pickCenterPoint": + MessageLookupByLibrary.simpleMessage("Mittelpunkt auswählen"), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Album anheften"), + "pinLock": MessageLookupByLibrary.simpleMessage("PIN-Sperre"), + "playOnTv": MessageLookupByLibrary.simpleMessage( + "Album auf dem Fernseher wiedergeben"), + "playOriginal": + MessageLookupByLibrary.simpleMessage("Original abspielen"), + "playStoreFreeTrialValidTill": m63, + "playStream": MessageLookupByLibrary.simpleMessage("Stream abspielen"), + "playstoreSubscription": + MessageLookupByLibrary.simpleMessage("PlayStore Abo"), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Bitte überprüfe deine Internetverbindung und versuche es erneut."), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Bitte kontaktieren Sie uns über support@ente.io wo wir Ihnen gerne weiterhelfen."), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Bitte wenden Sie sich an den Support, falls das Problem weiterhin besteht"), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( + "Bitte erteile die nötigen Berechtigungen"), + "pleaseLoginAgain": + MessageLookupByLibrary.simpleMessage("Bitte logge dich erneut ein"), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Bitte wähle die zu entfernenden schnellen Links"), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": + MessageLookupByLibrary.simpleMessage("Bitte versuche es erneut"), + "pleaseVerifyTheCodeYouHaveEntered": + MessageLookupByLibrary.simpleMessage( + "Bitte bestätigen Sie den eingegebenen Code"), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Bitte warten..."), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Bitte warten, Album wird gelöscht"), + "pleaseWaitForSometimeBeforeRetrying": + MessageLookupByLibrary.simpleMessage( + "Bitte warte kurz, bevor du es erneut versuchst"), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "Bitte warten, dies wird eine Weile dauern."), + "posingWithThem": m66, + "preparingLogs": MessageLookupByLibrary.simpleMessage( + "Protokolle werden vorbereitet..."), + "preserveMore": + MessageLookupByLibrary.simpleMessage("Mehr Daten sichern"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Gedrückt halten, um Video abzuspielen"), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Drücke und halte aufs Foto gedrückt um Video abzuspielen"), + "previous": MessageLookupByLibrary.simpleMessage("Zurück"), + "privacy": MessageLookupByLibrary.simpleMessage("Datenschutz"), + "privacyPolicyTitle": + MessageLookupByLibrary.simpleMessage("Datenschutzerklärung"), + "privateBackups": + MessageLookupByLibrary.simpleMessage("Private Sicherungen"), + "privateSharing": + MessageLookupByLibrary.simpleMessage("Privates Teilen"), + "proceed": MessageLookupByLibrary.simpleMessage("Fortfahren"), + "processed": MessageLookupByLibrary.simpleMessage("Verarbeitet"), + "processing": MessageLookupByLibrary.simpleMessage("In Bearbeitung"), + "processingImport": m67, + "processingVideos": + MessageLookupByLibrary.simpleMessage("Verarbeite Videos"), + "publicLinkCreated": + MessageLookupByLibrary.simpleMessage("Öffentlicher Link erstellt"), + "publicLinkEnabled": + MessageLookupByLibrary.simpleMessage("Öffentlicher Link aktiviert"), + "questionmark": MessageLookupByLibrary.simpleMessage("?"), + "queued": MessageLookupByLibrary.simpleMessage("In der Warteschlange"), + "quickLinks": MessageLookupByLibrary.simpleMessage("Quick Links"), + "radius": MessageLookupByLibrary.simpleMessage("Umkreis"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Ticket erstellen"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("App bewerten"), + "rateUs": MessageLookupByLibrary.simpleMessage("Bewerte uns"), + "rateUsOnStore": m68, + "reassignMe": + MessageLookupByLibrary.simpleMessage("\"Ich\" neu zuweisen"), + "reassignedToName": m69, + "reassigningLoading": + MessageLookupByLibrary.simpleMessage("Ordne neu zu..."), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Erhalte Erinnerungen, wenn jemand Geburtstag hat. Ein Klick auf die Benachrichtigung bringt dich zu den Fotos der Person, die Geburtstag hat."), + "recover": MessageLookupByLibrary.simpleMessage("Wiederherstellen"), + "recoverAccount": + MessageLookupByLibrary.simpleMessage("Konto wiederherstellen"), + "recoverButton": + MessageLookupByLibrary.simpleMessage("Wiederherstellen"), + "recoveryAccount": + MessageLookupByLibrary.simpleMessage("Konto wiederherstellen"), + "recoveryInitiated": + MessageLookupByLibrary.simpleMessage("Wiederherstellung gestartet"), + "recoveryInitiatedDesc": m70, + "recoveryKey": MessageLookupByLibrary.simpleMessage( + "Wiederherstellungs-Schlüssel"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Wiederherstellungs-Schlüssel in die Zwischenablage kopiert"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Falls du dein Passwort vergisst, kannst du deine Daten allein mit diesem Schlüssel wiederherstellen."), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Wir speichern diesen Schlüssel nicht. Bitte speichere diese Schlüssel aus 24 Wörtern an einem sicheren Ort."), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Sehr gut! Dein Wiederherstellungsschlüssel ist gültig. Vielen Dank für die Verifizierung.\n\nBitte vergiss nicht eine Kopie des Wiederherstellungsschlüssels sicher aufzubewahren."), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Wiederherstellungs-Schlüssel überprüft"), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Dein Wiederherstellungsschlüssel ist die einzige Möglichkeit, auf deine Fotos zuzugreifen, solltest du dein Passwort vergessen. Du findest ihn unter Einstellungen > Konto.\n\nBitte gib deinen Wiederherstellungsschlüssel hier ein, um sicherzugehen, dass du ihn korrekt gesichert hast."), + "recoveryReady": m71, + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "Wiederherstellung erfolgreich!"), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "Ein vertrauenswürdiger Kontakt versucht, auf dein Konto zuzugreifen"), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Das aktuelle Gerät ist nicht leistungsfähig genug, um dein Passwort zu verifizieren, aber wir können es neu erstellen, damit es auf allen Geräten funktioniert.\n\nBitte melde dich mit deinem Wiederherstellungs-Schlüssel an und erstelle dein Passwort neu (Wenn du willst, kannst du dasselbe erneut verwenden)."), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("Passwort wiederherstellen"), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": + MessageLookupByLibrary.simpleMessage("Passwort erneut eingeben"), + "reenterPin": + MessageLookupByLibrary.simpleMessage("PIN erneut eingeben"), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Begeistere Freunde für uns und verdopple deinen Speicher"), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Gib diesen Code an deine Freunde"), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Sie schließen ein bezahltes Abo ab"), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Weiterempfehlungen"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "Einlösungen sind derzeit pausiert"), + "rejectRecovery": + MessageLookupByLibrary.simpleMessage("Wiederherstellung ablehnen"), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "Lösche auch Dateien aus \"Kürzlich gelöscht\" unter \"Einstellungen\" -> \"Speicher\" um freien Speicher zu erhalten"), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Leere auch deinen \"Papierkorb\", um freien Platz zu erhalten"), + "remoteImages": MessageLookupByLibrary.simpleMessage( + "Grafiken aus externen Quellen"), + "remoteThumbnails": MessageLookupByLibrary.simpleMessage( + "Vorschaubilder aus externen Quellen"), + "remoteVideos": + MessageLookupByLibrary.simpleMessage("Videos aus externen Quellen"), + "remove": MessageLookupByLibrary.simpleMessage("Entfernen"), + "removeDuplicates": + MessageLookupByLibrary.simpleMessage("Duplikate entfernen"), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Überprüfe und lösche Dateien, die exakte Duplikate sind."), + "removeFromAlbum": + MessageLookupByLibrary.simpleMessage("Aus Album entfernen"), + "removeFromAlbumTitle": + MessageLookupByLibrary.simpleMessage("Aus Album entfernen?"), + "removeFromFavorite": + MessageLookupByLibrary.simpleMessage("Aus Favoriten entfernen"), + "removeInvite": + MessageLookupByLibrary.simpleMessage("Einladung entfernen"), + "removeLink": MessageLookupByLibrary.simpleMessage("Link entfernen"), + "removeParticipant": + MessageLookupByLibrary.simpleMessage("Teilnehmer entfernen"), + "removeParticipantBody": m74, + "removePersonLabel": + MessageLookupByLibrary.simpleMessage("Personenetikett entfernen"), + "removePublicLink": + MessageLookupByLibrary.simpleMessage("Öffentlichen Link entfernen"), + "removePublicLinks": + MessageLookupByLibrary.simpleMessage("Öffentliche Links entfernen"), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Einige der Elemente, die du entfernst, wurden von anderen Nutzern hinzugefügt und du wirst den Zugriff auf sie verlieren"), + "removeWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Entfernen?"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Entferne dich als vertrauenswürdigen Kontakt"), + "removingFromFavorites": MessageLookupByLibrary.simpleMessage( + "Wird aus Favoriten entfernt..."), + "rename": MessageLookupByLibrary.simpleMessage("Umbenennen"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("Album umbenennen"), + "renameFile": MessageLookupByLibrary.simpleMessage("Datei umbenennen"), + "renewSubscription": + MessageLookupByLibrary.simpleMessage("Abonnement erneuern"), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Fehler melden"), + "reportBug": MessageLookupByLibrary.simpleMessage("Fehler melden"), + "resendEmail": + MessageLookupByLibrary.simpleMessage("E-Mail erneut senden"), + "reset": MessageLookupByLibrary.simpleMessage("Zurücksetzen"), + "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( + "Ignorierte Dateien zurücksetzen"), + "resetPasswordTitle": + MessageLookupByLibrary.simpleMessage("Passwort zurücksetzen"), + "resetPerson": MessageLookupByLibrary.simpleMessage("Entfernen"), + "resetToDefault": + MessageLookupByLibrary.simpleMessage("Standardwerte zurücksetzen"), + "restore": MessageLookupByLibrary.simpleMessage("Wiederherstellen"), + "restoreToAlbum": + MessageLookupByLibrary.simpleMessage("Album wiederherstellen"), + "restoringFiles": MessageLookupByLibrary.simpleMessage( + "Dateien werden wiederhergestellt..."), + "resumableUploads": + MessageLookupByLibrary.simpleMessage("Fortsetzbares Hochladen"), + "retry": MessageLookupByLibrary.simpleMessage("Erneut versuchen"), + "review": MessageLookupByLibrary.simpleMessage("Überprüfen"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Bitte überprüfe und lösche die Elemente, die du für Duplikate hältst."), + "reviewSuggestions": + MessageLookupByLibrary.simpleMessage("Vorschläge überprüfen"), + "right": MessageLookupByLibrary.simpleMessage("Rechts"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("Drehen"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Nach links drehen"), + "rotateRight": + MessageLookupByLibrary.simpleMessage("Nach rechts drehen"), + "safelyStored": MessageLookupByLibrary.simpleMessage("Gesichert"), + "same": MessageLookupByLibrary.simpleMessage("Gleich"), + "sameperson": MessageLookupByLibrary.simpleMessage("Dieselbe Person?"), + "save": MessageLookupByLibrary.simpleMessage("Speichern"), + "saveAsAnotherPerson": + MessageLookupByLibrary.simpleMessage("Als andere Person speichern"), + "saveChangesBeforeLeavingQuestion": + MessageLookupByLibrary.simpleMessage( + "Änderungen vor dem Verlassen speichern?"), + "saveCollage": + MessageLookupByLibrary.simpleMessage("Collage speichern"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Kopie speichern"), + "saveKey": MessageLookupByLibrary.simpleMessage("Schlüssel speichern"), + "savePerson": MessageLookupByLibrary.simpleMessage("Person speichern"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Sichere deinen Wiederherstellungs-Schlüssel, falls noch nicht geschehen"), + "saving": MessageLookupByLibrary.simpleMessage("Speichern..."), + "savingEdits": + MessageLookupByLibrary.simpleMessage("Speichere Änderungen..."), + "scanCode": MessageLookupByLibrary.simpleMessage("Code scannen"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Scanne diesen Code mit \ndeiner Authentifizierungs-App"), + "search": MessageLookupByLibrary.simpleMessage("Suche"), + "searchAlbumsEmptySection": + MessageLookupByLibrary.simpleMessage("Alben"), + "searchByAlbumNameHint": + MessageLookupByLibrary.simpleMessage("Name des Albums"), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Albumnamen (z.B. \"Kamera\")\n• Dateitypen (z.B. \"Videos\", \".gif\")\n• Jahre und Monate (z.B. \"2022\", \"Januar\")\n• Feiertage (z.B. \"Weihnachten\")\n• Fotobeschreibungen (z.B. \"#fun\")"), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Füge Beschreibungen wie \"#trip\" in der Fotoinfo hinzu um diese schnell hier wiederzufinden"), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Suche nach Datum, Monat oder Jahr"), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "Bilder werden hier angezeigt, sobald Verarbeitung und Synchronisation abgeschlossen sind"), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "Personen werden hier angezeigt, sobald die Indizierung abgeschlossen ist"), + "searchFileTypesAndNamesEmptySection": + MessageLookupByLibrary.simpleMessage("Dateitypen und -namen"), + "searchHint1": MessageLookupByLibrary.simpleMessage( + "Schnell auf dem Gerät suchen"), + "searchHint2": + MessageLookupByLibrary.simpleMessage("Fotodaten, Beschreibungen"), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "Alben, Dateinamen und -typen"), + "searchHint4": MessageLookupByLibrary.simpleMessage("Ort"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "Demnächst: Gesichter & magische Suche ✨"), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Gruppiere Fotos, die innerhalb des Radius eines bestimmten Fotos aufgenommen wurden"), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "Laden Sie Personen ein, damit Sie geteilte Fotos hier einsehen können"), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "Personen werden hier angezeigt, sobald Verarbeitung und Synchronisierung abgeschlossen sind"), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Sicherheit"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "Öffentliche Album-Links in der App ansehen"), + "selectALocation": + MessageLookupByLibrary.simpleMessage("Standort auswählen"), + "selectALocationFirst": + MessageLookupByLibrary.simpleMessage("Wähle zuerst einen Standort"), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Album auswählen"), + "selectAll": MessageLookupByLibrary.simpleMessage("Alle markieren"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("Alle"), + "selectCoverPhoto": + MessageLookupByLibrary.simpleMessage("Titelbild auswählen"), + "selectDate": MessageLookupByLibrary.simpleMessage("Datum wählen"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Ordner für Sicherung auswählen"), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "Elemente zum Hinzufügen auswählen"), + "selectLanguage": + MessageLookupByLibrary.simpleMessage("Sprache auswählen"), + "selectMailApp": + MessageLookupByLibrary.simpleMessage("E-Mail-App auswählen"), + "selectMorePhotos": + MessageLookupByLibrary.simpleMessage("Mehr Fotos auswählen"), + "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( + "Wähle ein Datum und eine Uhrzeit"), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "Wähle ein Datum und eine Uhrzeit für alle"), + "selectPersonToLink": MessageLookupByLibrary.simpleMessage( + "Person zum Verknüpfen auswählen"), + "selectReason": MessageLookupByLibrary.simpleMessage("Grund auswählen"), + "selectStartOfRange": MessageLookupByLibrary.simpleMessage( + "Anfang des Bereichs auswählen"), + "selectTime": MessageLookupByLibrary.simpleMessage("Uhrzeit wählen"), + "selectYourFace": + MessageLookupByLibrary.simpleMessage("Wähle dein Gesicht"), + "selectYourPlan": + MessageLookupByLibrary.simpleMessage("Wähle dein Abo aus"), + "selectedAlbums": m79, + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Ausgewählte Dateien sind nicht auf Ente"), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Ausgewählte Ordner werden verschlüsselt und gesichert"), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Ausgewählte Elemente werden aus allen Alben gelöscht und in den Papierkorb verschoben."), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "Ausgewählte Elemente werden von dieser Person entfernt, aber nicht aus deiner Bibliothek gelöscht."), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("Absenden"), + "sendEmail": MessageLookupByLibrary.simpleMessage("E-Mail senden"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Einladung senden"), + "sendLink": MessageLookupByLibrary.simpleMessage("Link senden"), + "serverEndpoint": + MessageLookupByLibrary.simpleMessage("Server Endpunkt"), + "sessionExpired": + MessageLookupByLibrary.simpleMessage("Sitzung abgelaufen"), + "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( + "Sitzungs-ID stimmt nicht überein"), + "setAPassword": MessageLookupByLibrary.simpleMessage("Passwort setzen"), + "setAs": MessageLookupByLibrary.simpleMessage("Festlegen als"), + "setCover": MessageLookupByLibrary.simpleMessage("Titelbild festlegen"), + "setLabel": MessageLookupByLibrary.simpleMessage("Festlegen"), + "setNewPassword": + MessageLookupByLibrary.simpleMessage("Neues Passwort festlegen"), + "setNewPin": MessageLookupByLibrary.simpleMessage("Neue PIN festlegen"), + "setPasswordTitle": + MessageLookupByLibrary.simpleMessage("Passwort festlegen"), + "setRadius": MessageLookupByLibrary.simpleMessage("Radius festlegen"), + "setupComplete": + MessageLookupByLibrary.simpleMessage("Einrichtung abgeschlossen"), + "share": MessageLookupByLibrary.simpleMessage("Teilen"), + "shareALink": MessageLookupByLibrary.simpleMessage("Einen Link teilen"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Öffne ein Album und tippe auf den Teilen-Button oben rechts, um zu teilen."), + "shareAnAlbumNow": + MessageLookupByLibrary.simpleMessage("Teile jetzt ein Album"), + "shareLink": MessageLookupByLibrary.simpleMessage("Link teilen"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Teile mit ausgewählten Personen"), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Hol dir Ente, damit wir ganz einfach Fotos und Videos in Originalqualität teilen können\n\nhttps://ente.io"), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Mit Nicht-Ente-Benutzern teilen"), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": + MessageLookupByLibrary.simpleMessage("Teile dein erstes Album"), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Erstelle gemeinsam mit anderen Ente-Nutzern geteilte Alben, inkl. Nutzern ohne Bezahltarif."), + "sharedByMe": MessageLookupByLibrary.simpleMessage("Von mir geteilt"), + "sharedByYou": MessageLookupByLibrary.simpleMessage("Von dir geteilt"), + "sharedPhotoNotifications": + MessageLookupByLibrary.simpleMessage("Neue geteilte Fotos"), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Erhalte Benachrichtigungen, wenn jemand ein Foto zu einem gemeinsam genutzten Album hinzufügt, dem du angehörst"), + "sharedWith": m87, + "sharedWithMe": MessageLookupByLibrary.simpleMessage("Mit mir geteilt"), + "sharedWithYou": + MessageLookupByLibrary.simpleMessage("Mit dir geteilt"), + "sharing": MessageLookupByLibrary.simpleMessage("Teilt..."), + "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( + "Datum und Uhrzeit verschieben"), + "showLessFaces": + MessageLookupByLibrary.simpleMessage("Weniger Gesichter zeigen"), + "showMemories": + MessageLookupByLibrary.simpleMessage("Erinnerungen anschauen"), + "showMoreFaces": + MessageLookupByLibrary.simpleMessage("Mehr Gesichter zeigen"), + "showPerson": MessageLookupByLibrary.simpleMessage("Person anzeigen"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "Von anderen Geräten abmelden"), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Falls du denkst, dass jemand dein Passwort kennen könnte, kannst du alle anderen Geräte von deinem Account abmelden."), + "signOutOtherDevices": + MessageLookupByLibrary.simpleMessage("Andere Geräte abmelden"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Ich stimme den Nutzungsbedingungen und der Datenschutzerklärung zu"), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Es wird aus allen Alben gelöscht."), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Überspringen"), + "smartMemories": + MessageLookupByLibrary.simpleMessage("Smarte Erinnerungen"), + "social": MessageLookupByLibrary.simpleMessage("Social Media"), + "someItemsAreInBothEnteAndYourDevice": + MessageLookupByLibrary.simpleMessage( + "Einige Elemente sind sowohl auf Ente als auch auf deinem Gerät."), + "someOfTheFilesYouAreTryingToDeleteAre": + MessageLookupByLibrary.simpleMessage( + "Einige der Dateien, die Sie löschen möchten, sind nur auf Ihrem Gerät verfügbar und können nicht wiederhergestellt werden, wenn sie gelöscht wurden"), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Jemand, der Alben mit dir teilt, sollte die gleiche ID auf seinem Gerät sehen."), + "somethingWentWrong": + MessageLookupByLibrary.simpleMessage("Irgendetwas ging schief"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Ein Fehler ist aufgetreten, bitte versuche es erneut"), + "sorry": MessageLookupByLibrary.simpleMessage("Entschuldigung"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "Leider konnten wir diese Datei momentan nicht sichern, wir werden es später erneut versuchen."), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Konnte leider nicht zu den Favoriten hinzugefügt werden!"), + "sorryCouldNotRemoveFromFavorites": + MessageLookupByLibrary.simpleMessage( + "Konnte leider nicht aus den Favoriten entfernt werden!"), + "sorryTheCodeYouveEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "Leider ist der eingegebene Code falsch"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Es tut uns leid, wir konnten keine sicheren Schlüssel auf diesem Gerät generieren.\n\nBitte starte die Registrierung auf einem anderen Gerät."), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Entschuldigung, wir mussten deine Sicherungen pausieren"), + "sort": MessageLookupByLibrary.simpleMessage("Sortierung"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sortieren nach"), + "sortNewestFirst": + MessageLookupByLibrary.simpleMessage("Neueste zuerst"), + "sortOldestFirst": + MessageLookupByLibrary.simpleMessage("Älteste zuerst"), + "sparkleSuccess": + MessageLookupByLibrary.simpleMessage("✨ Abgeschlossen"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": + MessageLookupByLibrary.simpleMessage("Spot auf dich selbst"), + "startAccountRecoveryTitle": + MessageLookupByLibrary.simpleMessage("Wiederherstellung starten"), + "startBackup": + MessageLookupByLibrary.simpleMessage("Sicherung starten"), + "status": MessageLookupByLibrary.simpleMessage("Status"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "Möchtest du die Übertragung beenden?"), + "stopCastingTitle": + MessageLookupByLibrary.simpleMessage("Übertragung beenden"), + "storage": MessageLookupByLibrary.simpleMessage("Speicherplatz"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Familie"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Sie"), + "storageInGB": m93, + "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( + "Speichergrenze überschritten"), + "storageUsageInfo": m94, + "streamDetails": MessageLookupByLibrary.simpleMessage("Stream-Details"), + "strongStrength": MessageLookupByLibrary.simpleMessage("Stark"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Abonnieren"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Du benötigst ein aktives, bezahltes Abonnement, um das Teilen zu aktivieren."), + "subscription": MessageLookupByLibrary.simpleMessage("Abonnement"), + "success": MessageLookupByLibrary.simpleMessage("Abgeschlossen"), + "successfullyArchived": + MessageLookupByLibrary.simpleMessage("Erfolgreich archiviert"), + "successfullyHid": + MessageLookupByLibrary.simpleMessage("Erfolgreich versteckt"), + "successfullyUnarchived": + MessageLookupByLibrary.simpleMessage("Erfolgreich dearchiviert"), + "successfullyUnhid": + MessageLookupByLibrary.simpleMessage("Erfolgreich eingeblendet"), + "suggestFeatures": + MessageLookupByLibrary.simpleMessage("Verbesserung vorschlagen"), + "sunrise": MessageLookupByLibrary.simpleMessage("Am Horizont"), + "support": MessageLookupByLibrary.simpleMessage("Support"), + "syncProgress": m97, + "syncStopped": + MessageLookupByLibrary.simpleMessage("Synchronisierung angehalten"), + "syncing": MessageLookupByLibrary.simpleMessage("Synchronisiere …"), + "systemTheme": MessageLookupByLibrary.simpleMessage("System"), + "tapToCopy": + MessageLookupByLibrary.simpleMessage("zum Kopieren antippen"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage( + "Antippen, um den Code einzugeben"), + "tapToUnlock": + MessageLookupByLibrary.simpleMessage("Zum Entsperren antippen"), + "tapToUpload": + MessageLookupByLibrary.simpleMessage("Zum Hochladen antippen"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Etwas ist schiefgelaufen. Bitte versuche es später noch einmal. Sollte der Fehler weiter bestehen, kontaktiere unser Supportteam."), + "terminate": MessageLookupByLibrary.simpleMessage("Beenden"), + "terminateSession": + MessageLookupByLibrary.simpleMessage("Sitzungen beenden?"), + "terms": MessageLookupByLibrary.simpleMessage("Nutzungsbedingungen"), + "termsOfServicesTitle": + MessageLookupByLibrary.simpleMessage("Nutzungsbedingungen"), + "thankYou": MessageLookupByLibrary.simpleMessage("Vielen Dank"), + "thankYouForSubscribing": + MessageLookupByLibrary.simpleMessage("Danke fürs Abonnieren!"), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "Der Download konnte nicht abgeschlossen werden"), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "Der Link, den du aufrufen möchtest, ist abgelaufen."), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Diese Personengruppen werden im Personen-Abschnitt nicht mehr angezeigt. Die Fotos bleiben unverändert."), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Diese Person wird im Personen-Abschnitt nicht mehr angezeigt. Die Fotos bleiben unverändert."), + "theRecoveryKeyYouEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "Der eingegebene Schlüssel ist ungültig"), + "theme": MessageLookupByLibrary.simpleMessage("Theme"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Diese Elemente werden von deinem Gerät gelöscht."), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "Sie werden aus allen Alben gelöscht."), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Diese Aktion kann nicht rückgängig gemacht werden"), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "Dieses Album hat bereits einen kollaborativen Link"), + "thisCanBeUsedToRecoverYourAccountIfYou": + MessageLookupByLibrary.simpleMessage( + "Dies kann verwendet werden, um dein Konto wiederherzustellen, wenn du deinen zweiten Faktor (2FA) verlierst"), + "thisDevice": MessageLookupByLibrary.simpleMessage("Dieses Gerät"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "Diese E-Mail-Adresse wird bereits verwendet"), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Dieses Bild hat keine Exif-Daten"), + "thisIsMeExclamation": + MessageLookupByLibrary.simpleMessage("Das bin ich!"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Dies ist deine Verifizierungs-ID"), + "thisWeekThroughTheYears": + MessageLookupByLibrary.simpleMessage("Diese Woche über die Jahre"), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Dadurch wirst du von folgendem Gerät abgemeldet:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Dadurch wirst du von diesem Gerät abgemeldet!"), + "thisWillMakeTheDateAndTimeOfAllSelected": + MessageLookupByLibrary.simpleMessage( + "Dadurch werden Datum und Uhrzeit aller ausgewählten Fotos gleich."), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "Hiermit werden die öffentlichen Links aller ausgewählten schnellen Links entfernt."), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "Um die App-Sperre zu aktivieren, konfiguriere bitte den Gerätepasscode oder die Bildschirmsperre in den Systemeinstellungen."), + "toHideAPhotoOrVideo": + MessageLookupByLibrary.simpleMessage("Foto oder Video verstecken"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Um dein Passwort zurückzusetzen, verifiziere bitte zuerst deine E-Mail-Adresse."), + "todaysLogs": + MessageLookupByLibrary.simpleMessage("Heutiges Protokoll"), + "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( + "Zu viele fehlerhafte Versuche"), + "total": MessageLookupByLibrary.simpleMessage("Gesamt"), + "totalSize": MessageLookupByLibrary.simpleMessage("Gesamtgröße"), + "trash": MessageLookupByLibrary.simpleMessage("Papierkorb"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Schneiden"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": + MessageLookupByLibrary.simpleMessage("Vertrauenswürdige Kontakte"), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Erneut versuchen"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Aktiviere die Sicherung, um neue Dateien in diesem Ordner automatisch zu Ente hochzuladen."), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "2 Monate kostenlos beim jährlichen Bezahlen"), + "twofactor": MessageLookupByLibrary.simpleMessage("Zwei-Faktor"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "Zwei-Faktor-Authentifizierung (2FA) wurde deaktiviert"), + "twofactorAuthenticationPageTitle": + MessageLookupByLibrary.simpleMessage( + "Zwei-Faktor-Authentifizierung"), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "Zwei-Faktor-Authentifizierung (2FA) erfolgreich zurückgesetzt"), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Zweiten Faktor (2FA) einrichten"), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("Dearchivieren"), + "unarchiveAlbum": + MessageLookupByLibrary.simpleMessage("Album dearchivieren"), + "unarchiving": MessageLookupByLibrary.simpleMessage("Dearchiviere …"), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Entschuldigung, dieser Code ist nicht verfügbar."), + "uncategorized": + MessageLookupByLibrary.simpleMessage("Unkategorisiert"), + "unhide": MessageLookupByLibrary.simpleMessage("Einblenden"), + "unhideToAlbum": + MessageLookupByLibrary.simpleMessage("Im Album anzeigen"), + "unhiding": MessageLookupByLibrary.simpleMessage("Einblenden..."), + "unhidingFilesToAlbum": + MessageLookupByLibrary.simpleMessage("Dateien im Album anzeigen"), + "unlock": MessageLookupByLibrary.simpleMessage("Jetzt freischalten"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("Album lösen"), + "unselectAll": MessageLookupByLibrary.simpleMessage("Alle demarkieren"), + "update": MessageLookupByLibrary.simpleMessage("Updaten"), + "updateAvailable": + MessageLookupByLibrary.simpleMessage("Update verfügbar"), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Ordnerauswahl wird aktualisiert..."), + "upgrade": MessageLookupByLibrary.simpleMessage("Upgrade"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Dateien werden ins Album hochgeladen..."), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( + "Sichere ein Erinnerungsstück..."), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "Bis zu 50% Rabatt bis zum 4. Dezember."), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "Der verwendbare Speicherplatz ist von deinem aktuellen Abonnement eingeschränkt. Überschüssiger, beanspruchter Speicherplatz wird automatisch verwendbar werden, wenn du ein höheres Abonnement buchst."), + "useAsCover": + MessageLookupByLibrary.simpleMessage("Als Titelbild festlegen"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "Hast du Probleme beim Abspielen dieses Videos? Halte hier gedrückt, um einen anderen Player auszuprobieren."), + "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Verwende öffentliche Links für Personen, die kein Ente-Konto haben"), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Wiederherstellungs-Schlüssel verwenden"), + "useSelectedPhoto": + MessageLookupByLibrary.simpleMessage("Ausgewähltes Foto verwenden"), + "usedSpace": + MessageLookupByLibrary.simpleMessage("Belegter Speicherplatz"), + "validTill": m110, + "verificationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Verifizierung fehlgeschlagen, bitte versuchen Sie es erneut"), + "verificationId": + MessageLookupByLibrary.simpleMessage("Verifizierungs-ID"), + "verify": MessageLookupByLibrary.simpleMessage("Überprüfen"), + "verifyEmail": + MessageLookupByLibrary.simpleMessage("E-Mail-Adresse verifizieren"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Überprüfen"), + "verifyPasskey": + MessageLookupByLibrary.simpleMessage("Passkey verifizieren"), + "verifyPassword": + MessageLookupByLibrary.simpleMessage("Passwort überprüfen"), + "verifying": MessageLookupByLibrary.simpleMessage("Verifiziere …"), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Wiederherstellungs-Schlüssel wird überprüft..."), + "videoInfo": + MessageLookupByLibrary.simpleMessage("Video-Informationen"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("Video"), + "videoStreaming": + MessageLookupByLibrary.simpleMessage("Streambare Videos"), + "videos": MessageLookupByLibrary.simpleMessage("Videos"), + "viewActiveSessions": + MessageLookupByLibrary.simpleMessage("Aktive Sitzungen anzeigen"), + "viewAddOnButton": + MessageLookupByLibrary.simpleMessage("Zeige Add-ons"), + "viewAll": MessageLookupByLibrary.simpleMessage("Alle anzeigen"), + "viewAllExifData": + MessageLookupByLibrary.simpleMessage("Alle Exif-Daten anzeigen"), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Große Dateien"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Dateien anzeigen, die den meisten Speicherplatz belegen."), + "viewLogs": MessageLookupByLibrary.simpleMessage("Protokolle anzeigen"), + "viewPersonToUnlink": m112, + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Wiederherstellungsschlüssel anzeigen"), + "viewer": MessageLookupByLibrary.simpleMessage("Zuschauer"), + "viewersSuccessfullyAdded": m113, + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Bitte rufe \"web.ente.io\" auf, um dein Abo zu verwalten"), + "waitingForVerification": + MessageLookupByLibrary.simpleMessage("Warte auf Bestätigung..."), + "waitingForWifi": + MessageLookupByLibrary.simpleMessage("Warte auf WLAN..."), + "warning": MessageLookupByLibrary.simpleMessage("Warnung"), + "weAreOpenSource": MessageLookupByLibrary.simpleMessage( + "Unser Quellcode ist offen einsehbar!"), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "Wir unterstützen keine Bearbeitung von Fotos und Alben, die du noch nicht besitzt"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Schwach"), + "welcomeBack": + MessageLookupByLibrary.simpleMessage("Willkommen zurück!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("Neue Funktionen"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "Ein vertrauenswürdiger Kontakt kann helfen, deine Daten wiederherzustellen."), + "widgets": MessageLookupByLibrary.simpleMessage("Widgets"), + "wishThemAHappyBirthday": m115, + "yearShort": MessageLookupByLibrary.simpleMessage("Jahr"), + "yearly": MessageLookupByLibrary.simpleMessage("Jährlich"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Ja"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Ja, kündigen"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "Ja, zu \"Beobachter\" ändern"), + "yesDelete": MessageLookupByLibrary.simpleMessage("Ja, löschen"), + "yesDiscardChanges": + MessageLookupByLibrary.simpleMessage("Ja, Änderungen verwerfen"), + "yesIgnore": MessageLookupByLibrary.simpleMessage("Ja, ignorieren"), + "yesLogout": MessageLookupByLibrary.simpleMessage("Ja, ausloggen"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Ja, entfernen"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Ja, erneuern"), + "yesResetPerson": + MessageLookupByLibrary.simpleMessage("Ja, Person zurücksetzen"), + "you": MessageLookupByLibrary.simpleMessage("Du"), + "youAndThem": m117, + "youAreOnAFamilyPlan": + MessageLookupByLibrary.simpleMessage("Du bist im Familien-Tarif!"), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Du bist auf der neuesten Version"), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Du kannst deinen Speicher maximal verdoppeln"), + "youCanManageYourLinksInTheShareTab": + MessageLookupByLibrary.simpleMessage( + "Du kannst deine Links im \"Teilen\"-Tab verwalten."), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "Sie können versuchen, nach einer anderen Abfrage suchen."), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "Du kannst nicht auf diesen Tarif wechseln"), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Du kannst nicht mit dir selbst teilen"), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "Du hast keine archivierten Elemente."), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "Dein Benutzerkonto wurde gelöscht"), + "yourMap": MessageLookupByLibrary.simpleMessage("Deine Karte"), + "yourPlanWasSuccessfullyDowngraded": + MessageLookupByLibrary.simpleMessage( + "Dein Tarif wurde erfolgreich heruntergestuft"), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "Dein Abo wurde erfolgreich hochgestuft"), + "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( + "Dein Einkauf war erfolgreich"), + "yourStorageDetailsCouldNotBeFetched": + MessageLookupByLibrary.simpleMessage( + "Details zum Speicherplatz konnten nicht abgerufen werden"), + "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( + "Dein Abonnement ist abgelaufen"), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "Dein Abonnement wurde erfolgreich aktualisiert."), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "Ihr Bestätigungscode ist abgelaufen"), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "Du hast keine Duplikate, die gelöscht werden können"), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "Du hast keine Dateien in diesem Album, die gelöscht werden können"), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( + "Verkleinern, um Fotos zu sehen") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_el.dart b/mobile/apps/photos/lib/generated/intl/messages_el.dart index 9af5b19ed4..79c0433b27 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_el.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_el.dart @@ -22,8 +22,7 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Εισάγετε την διεύθυνση ηλ. ταχυδρομείου σας", - ), - }; + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Εισάγετε την διεύθυνση ηλ. ταχυδρομείου σας") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_en.dart b/mobile/apps/photos/lib/generated/intl/messages_en.dart index 2711001c14..1a56b5f196 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_en.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_en.dart @@ -57,7 +57,11 @@ class MessageLookup extends MessageLookupByLibrary { "${user} will not be able to add more photos to this album\n\nThey will still be able to remove existing photos added by them"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, {'true': 'Your family has claimed ${storageAmountInGb} GB so far', 'false': 'You have claimed ${storageAmountInGb} GB so far', 'other': 'You have claimed ${storageAmountInGb} GB so far!'})}"; + "${Intl.select(isFamilyMember, { + 'true': 'Your family has claimed ${storageAmountInGb} GB so far', + 'false': 'You have claimed ${storageAmountInGb} GB so far', + 'other': 'You have claimed ${storageAmountInGb} GB so far!', + })}"; static String m15(albumName) => "Collaborative link created for ${albumName}"; @@ -260,11 +264,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, - usedStorageUnit, - totalAmount, - totalStorageUnit, - ) => + usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => "${usedAmount} ${usedStorageUnit} of ${totalAmount} ${totalStorageUnit} used"; static String m95(id) => @@ -330,2361 +330,1940 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "A new version of Ente is available.", - ), - "about": MessageLookupByLibrary.simpleMessage("About"), - "acceptTrustInvite": MessageLookupByLibrary.simpleMessage("Accept Invite"), - "account": MessageLookupByLibrary.simpleMessage("Account"), - "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( - "Account is already configured.", - ), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage("Welcome back!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "I understand that if I lose my password, I may lose my data since my data is end-to-end encrypted.", - ), - "actionNotSupportedOnFavouritesAlbum": MessageLookupByLibrary.simpleMessage( - "Action not supported on Favourites album", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage("Active sessions"), - "add": MessageLookupByLibrary.simpleMessage("Add"), - "addAName": MessageLookupByLibrary.simpleMessage("Add a name"), - "addANewEmail": MessageLookupByLibrary.simpleMessage("Add a new email"), - "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Add an album widget to your homescreen and come back here to customize.", - ), - "addCollaborator": MessageLookupByLibrary.simpleMessage("Add collaborator"), - "addCollaborators": m1, - "addFiles": MessageLookupByLibrary.simpleMessage("Add Files"), - "addFromDevice": MessageLookupByLibrary.simpleMessage("Add from device"), - "addItem": m2, - "addLocation": MessageLookupByLibrary.simpleMessage("Add location"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Add"), - "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Add a memories widget to your homescreen and come back here to customize.", - ), - "addMore": MessageLookupByLibrary.simpleMessage("Add more"), - "addName": MessageLookupByLibrary.simpleMessage("Add name"), - "addNameOrMerge": MessageLookupByLibrary.simpleMessage("Add name or merge"), - "addNew": MessageLookupByLibrary.simpleMessage("Add new"), - "addNewPerson": MessageLookupByLibrary.simpleMessage("Add new person"), - "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( - "Details of add-ons", - ), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("Add-ons"), - "addParticipants": MessageLookupByLibrary.simpleMessage("Add participants"), - "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Add a people widget to your homescreen and come back here to customize.", - ), - "addPhotos": MessageLookupByLibrary.simpleMessage("Add photos"), - "addSelected": MessageLookupByLibrary.simpleMessage("Add selected"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("Add to album"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Add to Ente"), - "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Add to hidden album", - ), - "addTrustedContact": MessageLookupByLibrary.simpleMessage( - "Add Trusted Contact", - ), - "addViewer": MessageLookupByLibrary.simpleMessage("Add viewer"), - "addViewers": m4, - "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( - "Add your photos now", - ), - "addedAs": MessageLookupByLibrary.simpleMessage("Added as"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": MessageLookupByLibrary.simpleMessage( - "Adding to favorites...", - ), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("Advanced"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Advanced"), - "after1Day": MessageLookupByLibrary.simpleMessage("After 1 day"), - "after1Hour": MessageLookupByLibrary.simpleMessage("After 1 hour"), - "after1Month": MessageLookupByLibrary.simpleMessage("After 1 month"), - "after1Week": MessageLookupByLibrary.simpleMessage("After 1 week"), - "after1Year": MessageLookupByLibrary.simpleMessage("After 1 year"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Owner"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Album title"), - "albumUpdated": MessageLookupByLibrary.simpleMessage("Album updated"), - "albums": MessageLookupByLibrary.simpleMessage("Albums"), - "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Select the albums you wish to see on your homescreen.", - ), - "allClear": MessageLookupByLibrary.simpleMessage("✨ All clear"), - "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( - "All memories preserved", - ), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "All groupings for this person will be reset, and you will lose all suggestions made for this person", - ), - "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": - MessageLookupByLibrary.simpleMessage( - "All unnamed groups will be merged into the selected person. This can still be undone from the suggestions history overview of the person.", - ), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "This is the first in the group. Other selected photos will automatically shift based on this new date", - ), - "allow": MessageLookupByLibrary.simpleMessage("Allow"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Allow people with the link to also add photos to the shared album.", - ), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( - "Allow adding photos", - ), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "Allow app to open shared album links", - ), - "allowDownloads": MessageLookupByLibrary.simpleMessage("Allow downloads"), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Allow people to add photos", - ), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Please allow access to your photos from Settings so Ente can display and backup your library.", - ), - "allowPermTitle": MessageLookupByLibrary.simpleMessage( - "Allow access to photos", - ), - "androidBiometricHint": MessageLookupByLibrary.simpleMessage( - "Verify identity", - ), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "Not recognized. Try again.", - ), - "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( - "Biometric required", - ), - "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("Success"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Cancel"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage("Device credentials required"), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage("Device credentials required"), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Biometric authentication is not set up on your device. Go to \'Settings > Security\' to add biometric authentication.", - ), - "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( - "Android, iOS, Web, Desktop", - ), - "androidSignInTitle": MessageLookupByLibrary.simpleMessage( - "Authentication required", - ), - "appIcon": MessageLookupByLibrary.simpleMessage("App icon"), - "appLock": MessageLookupByLibrary.simpleMessage("App lock"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Choose between your device\'s default lock screen and a custom lock screen with a PIN or password.", - ), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), - "apply": MessageLookupByLibrary.simpleMessage("Apply"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Apply code"), - "appstoreSubscription": MessageLookupByLibrary.simpleMessage( - "AppStore subscription", - ), - "archive": MessageLookupByLibrary.simpleMessage("Archive"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("Archive album"), - "archiving": MessageLookupByLibrary.simpleMessage("Archiving..."), - "areThey": MessageLookupByLibrary.simpleMessage("Are they "), - "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( - "Are you sure you want to remove this face from this person?", - ), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Are you sure that you want to leave the family plan?", - ), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "Are you sure you want to cancel?", - ), - "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( - "Are you sure you want to change your plan?", - ), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "Are you sure you want to exit?", - ), - "areYouSureYouWantToIgnoreThesePersons": - MessageLookupByLibrary.simpleMessage( - "Are you sure you want to ignore these persons?", - ), - "areYouSureYouWantToIgnoreThisPerson": MessageLookupByLibrary.simpleMessage( - "Are you sure you want to ignore this person?", - ), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Are you sure you want to logout?", - ), - "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( - "Are you sure you want to merge them?", - ), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "Are you sure you want to renew?", - ), - "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( - "Are you sure you want to reset this person?", - ), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "Your subscription was cancelled. Would you like to share the reason?", - ), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "What is the main reason you are deleting your account?", - ), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Ask your loved ones to share", - ), - "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( - "at a fallout shelter", - ), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Please authenticate to change email verification", - ), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Please authenticate to change lockscreen setting", - ), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Please authenticate to change your email", - ), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Please authenticate to change your password", - ), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Please authenticate to configure two-factor authentication", - ), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Please authenticate to initiate account deletion", - ), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Please authenticate to manage your trusted contacts", - ), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Please authenticate to view your passkey", - ), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Please authenticate to view your trashed files", - ), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Please authenticate to view your active sessions", - ), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Please authenticate to view your hidden files", - ), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Please authenticate to view your memories", - ), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Please authenticate to view your recovery key", - ), - "authenticating": MessageLookupByLibrary.simpleMessage("Authenticating..."), - "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Authentication failed, please try again", - ), - "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( - "Authentication successful!", - ), - "autoAddPeople": MessageLookupByLibrary.simpleMessage("Auto-add people"), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "You\'ll see available Cast devices here.", - ), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Make sure Local Network permissions are turned on for the Ente Photos app, in Settings.", - ), - "autoLock": MessageLookupByLibrary.simpleMessage("Auto lock"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Time after which the app locks after being put in the background", - ), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "Due to technical glitch, you have been logged out. Our apologies for the inconvenience.", - ), - "autoPair": MessageLookupByLibrary.simpleMessage("Auto pair"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "Auto pair works only with devices that support Chromecast.", - ), - "available": MessageLookupByLibrary.simpleMessage("Available"), - "availableStorageSpace": m10, - "backedUpFolders": MessageLookupByLibrary.simpleMessage( - "Backed up folders", - ), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("Backup"), - "backupFailed": MessageLookupByLibrary.simpleMessage("Backup failed"), - "backupFile": MessageLookupByLibrary.simpleMessage("Backup file"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Backup over mobile data", - ), - "backupSettings": MessageLookupByLibrary.simpleMessage("Backup settings"), - "backupStatus": MessageLookupByLibrary.simpleMessage("Backup status"), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Items that have been backed up will show up here", - ), - "backupVideos": MessageLookupByLibrary.simpleMessage("Backup videos"), - "beach": MessageLookupByLibrary.simpleMessage("Sand and sea"), - "birthday": MessageLookupByLibrary.simpleMessage("Birthday"), - "birthdayNotifications": MessageLookupByLibrary.simpleMessage( - "Birthday notifications", - ), - "birthdays": MessageLookupByLibrary.simpleMessage("Birthdays"), - "blackFridaySale": MessageLookupByLibrary.simpleMessage( - "Black Friday Sale", - ), - "blog": MessageLookupByLibrary.simpleMessage("Blog"), - "cLDesc1": MessageLookupByLibrary.simpleMessage( - "On the back of video streaming beta, and work on resumable uploads and downloads, we have now increased the file upload limit to 10GB. This is now available in both desktop and mobile apps.", - ), - "cLDesc2": MessageLookupByLibrary.simpleMessage( - "Background uploads are now supported on iOS as well, in addition to Android devices. No need to open the app to backup your latest photos and videos.", - ), - "cLDesc3": MessageLookupByLibrary.simpleMessage( - "We have made significant improvements to our memories experience, including autoplay, swipe to next memory and a lot more.", - ), - "cLDesc4": MessageLookupByLibrary.simpleMessage( - "Along with a bunch of under the hood improvements, now its much easier to see all detected faces, provide feedback on similar faces, and add/remove faces from a single photo.", - ), - "cLDesc5": MessageLookupByLibrary.simpleMessage( - "You will now receive an opt-out notification for all the birthdays your have saved on Ente, along with a collection of their best photos.", - ), - "cLDesc6": MessageLookupByLibrary.simpleMessage( - "No more waiting for uploads/downloads to complete before you can close the app. All uploads and downloads now have the ability to be paused midway, and resume from where you left off.", - ), - "cLTitle1": MessageLookupByLibrary.simpleMessage( - "Uploading Large Video Files", - ), - "cLTitle2": MessageLookupByLibrary.simpleMessage("Background Upload"), - "cLTitle3": MessageLookupByLibrary.simpleMessage("Autoplay Memories"), - "cLTitle4": MessageLookupByLibrary.simpleMessage( - "Improved Face Recognition", - ), - "cLTitle5": MessageLookupByLibrary.simpleMessage("Birthday Notifications"), - "cLTitle6": MessageLookupByLibrary.simpleMessage( - "Resumable Uploads and Downloads", - ), - "cachedData": MessageLookupByLibrary.simpleMessage("Cached data"), - "calculating": MessageLookupByLibrary.simpleMessage("Calculating..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Sorry, this album cannot be opened in the app.", - ), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( - "Cannot open this album", - ), - "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( - "Can not upload to albums owned by others", - ), - "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Can only create link for files owned by you", - ), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Can only remove files owned by you", - ), - "cancel": MessageLookupByLibrary.simpleMessage("Cancel"), - "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( - "Cancel recovery", - ), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "Are you sure you want to cancel recovery?", - ), - "cancelOtherSubscription": m12, - "cancelSubscription": MessageLookupByLibrary.simpleMessage( - "Cancel subscription", - ), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Cannot delete shared files", - ), - "castAlbum": MessageLookupByLibrary.simpleMessage("Cast album"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Please make sure you are on the same network as the TV.", - ), - "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( - "Failed to cast album", - ), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Visit cast.ente.io on the device you want to pair.\n\nEnter the code below to play the album on your TV.", - ), - "centerPoint": MessageLookupByLibrary.simpleMessage("Center point"), - "change": MessageLookupByLibrary.simpleMessage("Change"), - "changeEmail": MessageLookupByLibrary.simpleMessage("Change email"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Change location of selected items?", - ), - "changePassword": MessageLookupByLibrary.simpleMessage("Change password"), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Change password", - ), - "changePermissions": MessageLookupByLibrary.simpleMessage( - "Change permissions?", - ), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Change your referral code", - ), - "checkForUpdates": MessageLookupByLibrary.simpleMessage( - "Check for updates", - ), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Please check your inbox (and spam) to complete verification", - ), - "checkStatus": MessageLookupByLibrary.simpleMessage("Check status"), - "checking": MessageLookupByLibrary.simpleMessage("Checking..."), - "checkingModels": MessageLookupByLibrary.simpleMessage( - "Checking models...", - ), - "city": MessageLookupByLibrary.simpleMessage("In the city"), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage( - "Claim free storage", - ), - "claimMore": MessageLookupByLibrary.simpleMessage("Claim more!"), - "claimed": MessageLookupByLibrary.simpleMessage("Claimed"), - "claimedStorageSoFar": m14, - "cleanUncategorized": MessageLookupByLibrary.simpleMessage( - "Clean Uncategorized", - ), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Remove all files from Uncategorized that are present in other albums", - ), - "clearCaches": MessageLookupByLibrary.simpleMessage("Clear caches"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Clear indexes"), - "click": MessageLookupByLibrary.simpleMessage("• Click"), - "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( - "• Click on the overflow menu", - ), - "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( - "Click to install our best version yet", - ), - "close": MessageLookupByLibrary.simpleMessage("Close"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( - "Club by capture time", - ), - "clubByFileName": MessageLookupByLibrary.simpleMessage("Club by file name"), - "clusteringProgress": MessageLookupByLibrary.simpleMessage( - "Clustering progress", - ), - "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( - "Code applied", - ), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Sorry, you\'ve reached the limit of code changes.", - ), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Code copied to clipboard", - ), - "codeUsedByYou": MessageLookupByLibrary.simpleMessage("Code used by you"), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Create a link to allow people to add and view photos in your shared album without needing an Ente app or account. Great for collecting event photos.", - ), - "collaborativeLink": MessageLookupByLibrary.simpleMessage( - "Collaborative link", - ), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Collaborator"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Collaborators can add photos and videos to the shared album.", - ), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("Layout"), - "collageSaved": MessageLookupByLibrary.simpleMessage( - "Collage saved to gallery", - ), - "collect": MessageLookupByLibrary.simpleMessage("Collect"), - "collectEventPhotos": MessageLookupByLibrary.simpleMessage( - "Collect event photos", - ), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Collect photos"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Create a link where your friends can upload photos in original quality.", - ), - "color": MessageLookupByLibrary.simpleMessage("Color"), - "configuration": MessageLookupByLibrary.simpleMessage("Configuration"), - "confirm": MessageLookupByLibrary.simpleMessage("Confirm"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Are you sure you want to disable two-factor authentication?", - ), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Confirm Account Deletion", - ), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Yes, I want to permanently delete this account and its data across all apps.", - ), - "confirmPassword": MessageLookupByLibrary.simpleMessage("Confirm password"), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage( - "Confirm plan change", - ), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Confirm recovery key", - ), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Confirm your recovery key", - ), - "connectToDevice": MessageLookupByLibrary.simpleMessage( - "Connect to device", - ), - "contactFamilyAdmin": m18, - "contactSupport": MessageLookupByLibrary.simpleMessage("Contact support"), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Contacts"), - "contents": MessageLookupByLibrary.simpleMessage("Contents"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Continue"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "Continue on free trial", - ), - "convertToAlbum": MessageLookupByLibrary.simpleMessage("Convert to album"), - "copyEmailAddress": MessageLookupByLibrary.simpleMessage( - "Copy email address", - ), - "copyLink": MessageLookupByLibrary.simpleMessage("Copy link"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Copy-paste this code\nto your authenticator app", - ), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "We could not backup your data.\nWe will retry later.", - ), - "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( - "Could not free up space", - ), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Could not update subscription", - ), - "count": MessageLookupByLibrary.simpleMessage("Count"), - "crashReporting": MessageLookupByLibrary.simpleMessage("Crash reporting"), - "create": MessageLookupByLibrary.simpleMessage("Create"), - "createAccount": MessageLookupByLibrary.simpleMessage("Create account"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Long press to select photos and click + to create an album", - ), - "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( - "Create collaborative link", - ), - "createCollage": MessageLookupByLibrary.simpleMessage("Create collage"), - "createNewAccount": MessageLookupByLibrary.simpleMessage( - "Create new account", - ), - "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( - "Create or select album", - ), - "createPublicLink": MessageLookupByLibrary.simpleMessage( - "Create public link", - ), - "creatingLink": MessageLookupByLibrary.simpleMessage("Creating link..."), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "Critical update available", - ), - "crop": MessageLookupByLibrary.simpleMessage("Crop"), - "curatedMemories": MessageLookupByLibrary.simpleMessage("Curated memories"), - "currentUsageIs": MessageLookupByLibrary.simpleMessage("Current usage is "), - "currentlyRunning": MessageLookupByLibrary.simpleMessage( - "currently running", - ), - "custom": MessageLookupByLibrary.simpleMessage("Custom"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Dark"), - "dayToday": MessageLookupByLibrary.simpleMessage("Today"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Yesterday"), - "declineTrustInvite": MessageLookupByLibrary.simpleMessage( - "Decline Invite", - ), - "decrypting": MessageLookupByLibrary.simpleMessage("Decrypting..."), - "decryptingVideo": MessageLookupByLibrary.simpleMessage( - "Decrypting video...", - ), - "deduplicateFiles": MessageLookupByLibrary.simpleMessage( - "Deduplicate Files", - ), - "delete": MessageLookupByLibrary.simpleMessage("Delete"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Delete account"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "We are sorry to see you go. Please share your feedback to help us improve.", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Delete Account Permanently", - ), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Delete album"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Also delete the photos (and videos) present in this album from all other albums they are part of?", - ), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "This will delete all empty albums. This is useful when you want to reduce the clutter in your album list.", - ), - "deleteAll": MessageLookupByLibrary.simpleMessage("Delete All"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "This account is linked to other Ente apps, if you use any. Your uploaded data, across all Ente apps, will be scheduled for deletion, and your account will be permanently deleted.", - ), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Please send an email to account-deletion@ente.io from your registered email address.", - ), - "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( - "Delete empty albums", - ), - "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( - "Delete empty albums?", - ), - "deleteFromBoth": MessageLookupByLibrary.simpleMessage("Delete from both"), - "deleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Delete from device", - ), - "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Delete from Ente"), - "deleteItemCount": m21, - "deleteLocation": MessageLookupByLibrary.simpleMessage("Delete location"), - "deleteMultipleAlbumDialog": m22, - "deletePhotos": MessageLookupByLibrary.simpleMessage("Delete photos"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "It’s missing a key feature that I need", - ), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "The app or a certain feature does not behave as I think it should", - ), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "I found another service that I like better", - ), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "My reason isn’t listed", - ), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Your request will be processed within 72 hours.", - ), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Delete shared album?", - ), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "The album will be deleted for everyone\n\nYou will lose access to shared photos in this album that are owned by others", - ), - "deselectAll": MessageLookupByLibrary.simpleMessage("Deselect all"), - "designedToOutlive": MessageLookupByLibrary.simpleMessage( - "Designed to outlive", - ), - "details": MessageLookupByLibrary.simpleMessage("Details"), - "developerSettings": MessageLookupByLibrary.simpleMessage( - "Developer settings", - ), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Are you sure that you want to modify Developer settings?", - ), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Enter the code"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "Files added to this device album will automatically get uploaded to Ente.", - ), - "deviceLock": MessageLookupByLibrary.simpleMessage("Device lock"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Disable the device screen lock when Ente is in the foreground and there is a backup in progress. This is normally not needed, but may help big uploads and initial imports of large libraries complete faster.", - ), - "deviceNotFound": MessageLookupByLibrary.simpleMessage("Device not found"), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Did you know?"), - "different": MessageLookupByLibrary.simpleMessage("Different"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage( - "Disable auto lock", - ), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Viewers can still take screenshots or save a copy of your photos using external tools", - ), - "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( - "Please note", - ), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "Disable two-factor", - ), - "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( - "Disabling two-factor authentication...", - ), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Discover"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Babies"), - "discover_celebrations": MessageLookupByLibrary.simpleMessage( - "Celebrations", - ), - "discover_food": MessageLookupByLibrary.simpleMessage("Food"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Greenery"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Hills"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Identity"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Notes"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Pets"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Receipts"), - "discover_screenshots": MessageLookupByLibrary.simpleMessage("Screenshots"), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfies"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Sunset"), - "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( - "Visiting Cards", - ), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Wallpapers"), - "dismiss": MessageLookupByLibrary.simpleMessage("Dismiss"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage("Do not sign out"), - "doThisLater": MessageLookupByLibrary.simpleMessage("Do this later"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Do you want to discard the edits you have made?", - ), - "done": MessageLookupByLibrary.simpleMessage("Done"), - "dontSave": MessageLookupByLibrary.simpleMessage("Don\'t save"), - "doubleYourStorage": MessageLookupByLibrary.simpleMessage( - "Double your storage", - ), - "download": MessageLookupByLibrary.simpleMessage("Download"), - "downloadFailed": MessageLookupByLibrary.simpleMessage("Download failed"), - "downloading": MessageLookupByLibrary.simpleMessage("Downloading..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Edit"), - "editAutoAddPeople": MessageLookupByLibrary.simpleMessage( - "Edit auto-add people", - ), - "editEmailAlreadyLinked": m28, - "editLocation": MessageLookupByLibrary.simpleMessage("Edit location"), - "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( - "Edit location", - ), - "editPerson": MessageLookupByLibrary.simpleMessage("Edit person"), - "editTime": MessageLookupByLibrary.simpleMessage("Edit time"), - "editsSaved": MessageLookupByLibrary.simpleMessage("Edits saved"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Edits to location will only be seen within Ente", - ), - "eligible": MessageLookupByLibrary.simpleMessage("eligible"), - "email": MessageLookupByLibrary.simpleMessage("Email"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "Email already registered.", - ), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "Email not registered.", - ), - "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( - "Email verification", - ), - "emailYourLogs": MessageLookupByLibrary.simpleMessage("Email your logs"), - "embracingThem": m32, - "emergencyContacts": MessageLookupByLibrary.simpleMessage( - "Emergency Contacts", - ), - "empty": MessageLookupByLibrary.simpleMessage("Empty"), - "emptyTrash": MessageLookupByLibrary.simpleMessage("Empty trash?"), - "enable": MessageLookupByLibrary.simpleMessage("Enable"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "Ente supports on-device machine learning for face recognition, magic search and other advanced search features", - ), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Enable machine learning for magic search and face recognition", - ), - "enableMaps": MessageLookupByLibrary.simpleMessage("Enable Maps"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "This will show your photos on a world map.\n\nThis map is hosted by Open Street Map, and the exact locations of your photos are never shared.\n\nYou can disable this feature anytime from Settings.", - ), - "enabled": MessageLookupByLibrary.simpleMessage("Enabled"), - "encryptingBackup": MessageLookupByLibrary.simpleMessage( - "Encrypting backup...", - ), - "encryption": MessageLookupByLibrary.simpleMessage("Encryption"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage("Encryption keys"), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Endpoint updated successfully", - ), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "End-to-end encrypted by default", - ), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente can encrypt and preserve files only if you grant access to them", - ), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente needs permission to preserve your photos", - ), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "Ente preserves your memories, so they\'re always available to you, even if you lose your device.", - ), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Your family can be added to your plan as well.", - ), - "enterAlbumName": MessageLookupByLibrary.simpleMessage("Enter album name"), - "enterCode": MessageLookupByLibrary.simpleMessage("Enter code"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Enter the code provided by your friend to claim free storage for both of you", - ), - "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( - "Birthday (optional)", - ), - "enterEmail": MessageLookupByLibrary.simpleMessage("Enter email"), - "enterFileName": MessageLookupByLibrary.simpleMessage("Enter file name"), - "enterName": MessageLookupByLibrary.simpleMessage("Enter name"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Enter a new password we can use to encrypt your data", - ), - "enterPassword": MessageLookupByLibrary.simpleMessage("Enter password"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Enter a password we can use to encrypt your data", - ), - "enterPersonName": MessageLookupByLibrary.simpleMessage( - "Enter person name", - ), - "enterPin": MessageLookupByLibrary.simpleMessage("Enter PIN"), - "enterReferralCode": MessageLookupByLibrary.simpleMessage( - "Enter referral code", - ), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Enter the 6-digit code from\nyour authenticator app", - ), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Please enter a valid email address.", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Enter your email address", - ), - "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( - "Enter your new email address", - ), - "enterYourPassword": MessageLookupByLibrary.simpleMessage( - "Enter your password", - ), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Enter your recovery key", - ), - "error": MessageLookupByLibrary.simpleMessage("Error"), - "everywhere": MessageLookupByLibrary.simpleMessage("everywhere"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": MessageLookupByLibrary.simpleMessage("Existing user"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "This link has expired. Please select a new expiry time or disable link expiry.", - ), - "exportLogs": MessageLookupByLibrary.simpleMessage("Export logs"), - "exportYourData": MessageLookupByLibrary.simpleMessage("Export your data"), - "extraPhotosFound": MessageLookupByLibrary.simpleMessage( - "Extra photos found", - ), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Face not clustered yet, please come back later", - ), - "faceRecognition": MessageLookupByLibrary.simpleMessage("Face recognition"), - "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( - "Unable to generate face thumbnails", - ), - "faces": MessageLookupByLibrary.simpleMessage("Faces"), - "failed": MessageLookupByLibrary.simpleMessage("Failed"), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage( - "Failed to apply code", - ), - "failedToCancel": MessageLookupByLibrary.simpleMessage("Failed to cancel"), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( - "Failed to download video", - ), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Failed to fetch active sessions", - ), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Failed to fetch original for edit", - ), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Unable to fetch referral details. Please try again later.", - ), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "Failed to load albums", - ), - "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Failed to play video", - ), - "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( - "Failed to refresh subscription", - ), - "failedToRenew": MessageLookupByLibrary.simpleMessage("Failed to renew"), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Failed to verify payment status", - ), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Add 5 family members to your existing plan without paying extra.\n\nEach member gets their own private space, and cannot see each other\'s files unless they\'re shared.\n\nFamily plans are available to customers who have a paid Ente subscription.\n\nSubscribe now to get started!", - ), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Family"), - "familyPlans": MessageLookupByLibrary.simpleMessage("Family plans"), - "faq": MessageLookupByLibrary.simpleMessage("FAQ"), - "faqs": MessageLookupByLibrary.simpleMessage("FAQs"), - "favorite": MessageLookupByLibrary.simpleMessage("Favorite"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("Feedback"), - "file": MessageLookupByLibrary.simpleMessage("File"), - "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage( - "Unable to analyze file", - ), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Failed to save file to gallery", - ), - "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( - "Add a description...", - ), - "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( - "File not uploaded yet", - ), - "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( - "File saved to gallery", - ), - "fileTypes": MessageLookupByLibrary.simpleMessage("File types"), - "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( - "File types and names", - ), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage("Files deleted"), - "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Files saved to gallery", - ), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Find people quickly by name", - ), - "findThemQuickly": MessageLookupByLibrary.simpleMessage( - "Find them quickly", - ), - "flip": MessageLookupByLibrary.simpleMessage("Flip"), - "food": MessageLookupByLibrary.simpleMessage("Culinary delight"), - "forYourMemories": MessageLookupByLibrary.simpleMessage( - "for your memories", - ), - "forgotPassword": MessageLookupByLibrary.simpleMessage("Forgot password"), - "foundFaces": MessageLookupByLibrary.simpleMessage("Found faces"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( - "Free storage claimed", - ), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Free storage usable", - ), - "freeTrial": MessageLookupByLibrary.simpleMessage("Free trial"), - "freeTrialValidTill": m38, - "freeUpAccessPostDelete": m39, - "freeUpAmount": m40, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( - "Free up device space", - ), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Save space on your device by clearing files that have been already backed up.", - ), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("Free up space"), - "freeUpSpaceSaving": m41, - "gallery": MessageLookupByLibrary.simpleMessage("Gallery"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "Up to 1000 memories shown in gallery", - ), - "general": MessageLookupByLibrary.simpleMessage("General"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Generating encryption keys...", - ), - "genericProgress": m42, - "goToSettings": MessageLookupByLibrary.simpleMessage("Go to settings"), - "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Please allow access to all photos in the Settings app", - ), - "grantPermission": MessageLookupByLibrary.simpleMessage("Grant permission"), - "greenery": MessageLookupByLibrary.simpleMessage("The green life"), - "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( - "Group nearby photos", - ), - "guestView": MessageLookupByLibrary.simpleMessage("Guest view"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "To enable guest view, please setup device passcode or screen lock in your system settings.", - ), - "happyBirthday": MessageLookupByLibrary.simpleMessage("Happy birthday! 🥳"), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "We don\'t track app installs. It\'d help if you told us where you found us!", - ), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "How did you hear about Ente? (optional)", - ), - "help": MessageLookupByLibrary.simpleMessage("Help"), - "hidden": MessageLookupByLibrary.simpleMessage("Hidden"), - "hide": MessageLookupByLibrary.simpleMessage("Hide"), - "hideContent": MessageLookupByLibrary.simpleMessage("Hide content"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Hides app content in the app switcher and disables screenshots", - ), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Hides app content in the app switcher", - ), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "Hide shared items from home gallery", - ), - "hiding": MessageLookupByLibrary.simpleMessage("Hiding..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( - "Hosted at OSM France", - ), - "howItWorks": MessageLookupByLibrary.simpleMessage("How it works"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Please ask them to long-press their email address on the settings screen, and verify that the IDs on both devices match.", - ), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Biometric authentication is not set up on your device. Please either enable Touch ID or Face ID on your phone.", - ), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "Biometric authentication is disabled. Please lock and unlock your screen to enable it.", - ), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), - "ignore": MessageLookupByLibrary.simpleMessage("Ignore"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignore"), - "ignored": MessageLookupByLibrary.simpleMessage("ignored"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Some files in this album are ignored from upload because they had previously been deleted from Ente.", - ), - "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( - "Image not analyzed", - ), - "immediately": MessageLookupByLibrary.simpleMessage("Immediately"), - "importing": MessageLookupByLibrary.simpleMessage("Importing...."), - "incorrectCode": MessageLookupByLibrary.simpleMessage("Incorrect code"), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Incorrect password", - ), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Incorrect recovery key", - ), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "The recovery key you entered is incorrect", - ), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Incorrect recovery key", - ), - "indexedItems": MessageLookupByLibrary.simpleMessage("Indexed items"), - "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( - "Indexing is paused. It will automatically resume when the device is ready. The device is considered ready when its battery level, battery health, and thermal status are within a healthy range.", - ), - "ineligible": MessageLookupByLibrary.simpleMessage("Ineligible"), - "info": MessageLookupByLibrary.simpleMessage("Info"), - "insecureDevice": MessageLookupByLibrary.simpleMessage("Insecure device"), - "installManually": MessageLookupByLibrary.simpleMessage("Install manually"), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "Invalid email address", - ), - "invalidEndpoint": MessageLookupByLibrary.simpleMessage("Invalid endpoint"), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Sorry, the endpoint you entered is invalid. Please enter a valid endpoint and try again.", - ), - "invalidKey": MessageLookupByLibrary.simpleMessage("Invalid key"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "The recovery key you entered is not valid. Please make sure it contains 24 words, and check the spelling of each.\n\nIf you entered an older recovery code, make sure it is 64 characters long, and check each of them.", - ), - "invite": MessageLookupByLibrary.simpleMessage("Invite"), - "inviteToEnte": MessageLookupByLibrary.simpleMessage("Invite to Ente"), - "inviteYourFriends": MessageLookupByLibrary.simpleMessage( - "Invite your friends", - ), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "Invite your friends to Ente", - ), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "It looks like something went wrong. Please retry after some time. If the error persists, please contact our support team.", - ), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "Items show the number of days remaining before permanent deletion", - ), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Selected items will be removed from this album", - ), - "join": MessageLookupByLibrary.simpleMessage("Join"), - "joinAlbum": MessageLookupByLibrary.simpleMessage("Join album"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "Joining an album will make your email visible to its participants.", - ), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( - "to view and add your photos", - ), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "to add this to shared albums", - ), - "joinDiscord": MessageLookupByLibrary.simpleMessage("Join Discord"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Keep Photos"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Kindly help us with this information", - ), - "language": MessageLookupByLibrary.simpleMessage("Language"), - "lastTimeWithThem": m45, - "lastUpdated": MessageLookupByLibrary.simpleMessage("Last updated"), - "lastYearsTrip": MessageLookupByLibrary.simpleMessage("Last year\'s trip"), - "leave": MessageLookupByLibrary.simpleMessage("Leave"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Leave album"), - "leaveFamily": MessageLookupByLibrary.simpleMessage("Leave family"), - "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Leave shared album?", - ), - "left": MessageLookupByLibrary.simpleMessage("Left"), - "legacy": MessageLookupByLibrary.simpleMessage("Legacy"), - "legacyAccounts": MessageLookupByLibrary.simpleMessage("Legacy accounts"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "Legacy allows trusted contacts to access your account in your absence.", - ), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "Trusted contacts can initiate account recovery, and if not blocked within 30 days, reset your password and access your account.", - ), - "light": MessageLookupByLibrary.simpleMessage("Light"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Light"), - "link": MessageLookupByLibrary.simpleMessage("Link"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Link copied to clipboard", - ), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Device limit"), - "linkEmail": MessageLookupByLibrary.simpleMessage("Link email"), - "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( - "for faster sharing", - ), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Enabled"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Expired"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Link expiry"), - "linkHasExpired": MessageLookupByLibrary.simpleMessage("Link has expired"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Never"), - "linkPerson": MessageLookupByLibrary.simpleMessage("Link person"), - "linkPersonCaption": MessageLookupByLibrary.simpleMessage( - "for better sharing experience", - ), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("Live Photos"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "You can share your subscription with your family", - ), - "loadMessage2": MessageLookupByLibrary.simpleMessage( - "We have preserved over 200 million memories so far", - ), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "We keep 3 copies of your data, one in an underground fallout shelter", - ), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "All our apps are open source", - ), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Our source code and cryptography have been externally audited", - ), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "You can share links to your albums with your loved ones", - ), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Our mobile apps run in the background to encrypt and backup any new photos you click", - ), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io has a slick uploader", - ), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "We use Xchacha20Poly1305 to safely encrypt your data", - ), - "loadingExifData": MessageLookupByLibrary.simpleMessage( - "Loading EXIF data...", - ), - "loadingGallery": MessageLookupByLibrary.simpleMessage( - "Loading gallery...", - ), - "loadingMessage": MessageLookupByLibrary.simpleMessage( - "Loading your photos...", - ), - "loadingModel": MessageLookupByLibrary.simpleMessage( - "Downloading models...", - ), - "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( - "Loading your photos...", - ), - "localGallery": MessageLookupByLibrary.simpleMessage("Local gallery"), - "localIndexing": MessageLookupByLibrary.simpleMessage("Local indexing"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Looks like something went wrong since local photos sync is taking more time than expected. Please reach out to our support team", - ), - "location": MessageLookupByLibrary.simpleMessage("Location"), - "locationName": MessageLookupByLibrary.simpleMessage("Location name"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "A location tag groups all photos that were taken within some radius of a photo", - ), - "locations": MessageLookupByLibrary.simpleMessage("Locations"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Lock"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Lockscreen"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Log in"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Logging out..."), - "loginSessionExpired": MessageLookupByLibrary.simpleMessage( - "Session expired", - ), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "Your session has expired. Please login again.", - ), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "By clicking log in, I agree to the terms of service and privacy policy", - ), - "loginWithTOTP": MessageLookupByLibrary.simpleMessage("Login with TOTP"), - "logout": MessageLookupByLibrary.simpleMessage("Logout"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "This will send across logs to help us debug your issue. Please note that file names will be included to help track issues with specific files.", - ), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Long press an email to verify end to end encryption.", - ), - "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( - "Long-press on an item to view in full-screen", - ), - "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( - "Look back on your memories 🌄", - ), - "loopVideoOff": MessageLookupByLibrary.simpleMessage("Loop video off"), - "loopVideoOn": MessageLookupByLibrary.simpleMessage("Loop video on"), - "lostDevice": MessageLookupByLibrary.simpleMessage("Lost device?"), - "machineLearning": MessageLookupByLibrary.simpleMessage("Machine learning"), - "magicSearch": MessageLookupByLibrary.simpleMessage("Magic search"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "Magic search allows to search photos by their contents, e.g. \'flower\', \'red car\', \'identity documents\'", - ), - "manage": MessageLookupByLibrary.simpleMessage("Manage"), - "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( - "Manage device cache", - ), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Review and clear local cache storage.", - ), - "manageFamily": MessageLookupByLibrary.simpleMessage("Manage Family"), - "manageLink": MessageLookupByLibrary.simpleMessage("Manage link"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Manage"), - "manageSubscription": MessageLookupByLibrary.simpleMessage( - "Manage subscription", - ), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "Pair with PIN works with any screen you wish to view your album on.", - ), - "map": MessageLookupByLibrary.simpleMessage("Map"), - "maps": MessageLookupByLibrary.simpleMessage("Maps"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("Me"), - "memories": MessageLookupByLibrary.simpleMessage("Memories"), - "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Select the kind of memories you wish to see on your homescreen.", - ), - "memoryCount": m50, - "merchandise": MessageLookupByLibrary.simpleMessage("Merchandise"), - "merge": MessageLookupByLibrary.simpleMessage("Merge"), - "mergeWithExisting": MessageLookupByLibrary.simpleMessage( - "Merge with existing", - ), - "mergedPhotos": MessageLookupByLibrary.simpleMessage("Merged photos"), - "mlConsent": MessageLookupByLibrary.simpleMessage( - "Enable machine learning", - ), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "I understand, and wish to enable machine learning", - ), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "If you enable machine learning, Ente will extract information like face geometry from files, including those shared with you.\n\nThis will happen on your device, and any generated biometric information will be end-to-end encrypted.", - ), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Please click here for more details about this feature in our privacy policy", - ), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "Enable machine learning?", - ), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Please note that machine learning will result in a higher bandwidth and battery usage until all items are indexed. Consider using the desktop app for faster indexing, all results will be synced automatically.", - ), - "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( - "Mobile, Web, Desktop", - ), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Moderate"), - "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( - "Modify your query, or try searching for", - ), - "moments": MessageLookupByLibrary.simpleMessage("Moments"), - "month": MessageLookupByLibrary.simpleMessage("month"), - "monthly": MessageLookupByLibrary.simpleMessage("Monthly"), - "moon": MessageLookupByLibrary.simpleMessage("In the moonlight"), - "moreDetails": MessageLookupByLibrary.simpleMessage("More details"), - "mostRecent": MessageLookupByLibrary.simpleMessage("Most recent"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("Most relevant"), - "mountains": MessageLookupByLibrary.simpleMessage("Over the hills"), - "moveItem": m51, - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "Move selected photos to one date", - ), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("Move to album"), - "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Move to hidden album", - ), - "movedSuccessfullyTo": m52, - "movedToTrash": MessageLookupByLibrary.simpleMessage("Moved to trash"), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Moving files to album...", - ), - "name": MessageLookupByLibrary.simpleMessage("Name"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Name the album"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Unable to connect to Ente, please retry after sometime. If the error persists, please contact support.", - ), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Unable to connect to Ente, please check your network settings and contact support if the error persists.", - ), - "never": MessageLookupByLibrary.simpleMessage("Never"), - "newAlbum": MessageLookupByLibrary.simpleMessage("New album"), - "newLocation": MessageLookupByLibrary.simpleMessage("New location"), - "newPerson": MessageLookupByLibrary.simpleMessage("New person"), - "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" new 📸"), - "newRange": MessageLookupByLibrary.simpleMessage("New range"), - "newToEnte": MessageLookupByLibrary.simpleMessage("New to Ente"), - "newest": MessageLookupByLibrary.simpleMessage("Newest"), - "next": MessageLookupByLibrary.simpleMessage("Next"), - "no": MessageLookupByLibrary.simpleMessage("No"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "No albums shared by you yet", - ), - "noDeviceFound": MessageLookupByLibrary.simpleMessage("No device found"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("None"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "You\'ve no files on this device that can be deleted", - ), - "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ No duplicates"), - "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( - "No Ente account!", - ), - "noExifData": MessageLookupByLibrary.simpleMessage("No EXIF data"), - "noFacesFound": MessageLookupByLibrary.simpleMessage("No faces found"), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "No hidden photos or videos", - ), - "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( - "No images with location", - ), - "noInternetConnection": MessageLookupByLibrary.simpleMessage( - "No internet connection", - ), - "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( - "No photos are being backed up right now", - ), - "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( - "No photos found here", - ), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( - "No quick links selected", - ), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage("No recovery key?"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Due to the nature of our end-to-end encryption protocol, your data cannot be decrypted without your password or recovery key", - ), - "noResults": MessageLookupByLibrary.simpleMessage("No results"), - "noResultsFound": MessageLookupByLibrary.simpleMessage("No results found"), - "noSuggestionsForPerson": m53, - "noSystemLockFound": MessageLookupByLibrary.simpleMessage( - "No system lock found", - ), - "notPersonLabel": m54, - "notThisPerson": MessageLookupByLibrary.simpleMessage("Not this person?"), - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "Nothing shared with you yet", - ), - "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( - "Nothing to see here! 👀", - ), - "notifications": MessageLookupByLibrary.simpleMessage("Notifications"), - "ok": MessageLookupByLibrary.simpleMessage("Ok"), - "onDevice": MessageLookupByLibrary.simpleMessage("On device"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "On ente", - ), - "onTheRoad": MessageLookupByLibrary.simpleMessage("On the road again"), - "onThisDay": MessageLookupByLibrary.simpleMessage("On this day"), - "onThisDayMemories": MessageLookupByLibrary.simpleMessage( - "On this day memories", - ), - "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( - "Receive reminders about memories from this day in previous years.", - ), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Only them"), - "oops": MessageLookupByLibrary.simpleMessage("Oops"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Oops, could not save edits", - ), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Oops, something went wrong", - ), - "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( - "Open album in browser", - ), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Please use the web app to add photos to this album", - ), - "openFile": MessageLookupByLibrary.simpleMessage("Open file"), - "openSettings": MessageLookupByLibrary.simpleMessage("Open Settings"), - "openTheItem": MessageLookupByLibrary.simpleMessage("• Open the item"), - "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( - "OpenStreetMap contributors", - ), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Optional, as short as you like...", - ), - "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( - "Or merge with existing", - ), - "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( - "Or pick an existing one", - ), - "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( - "or pick from your contacts", - ), - "otherDetectedFaces": MessageLookupByLibrary.simpleMessage( - "Other detected faces", - ), - "pair": MessageLookupByLibrary.simpleMessage("Pair"), - "pairWithPin": MessageLookupByLibrary.simpleMessage("Pair with PIN"), - "pairingComplete": MessageLookupByLibrary.simpleMessage("Pairing complete"), - "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), - "partyWithThem": m56, - "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( - "Verification is still pending", - ), - "passkey": MessageLookupByLibrary.simpleMessage("Passkey"), - "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( - "Passkey verification", - ), - "password": MessageLookupByLibrary.simpleMessage("Password"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Password changed successfully", - ), - "passwordLock": MessageLookupByLibrary.simpleMessage("Password lock"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "Password strength is calculated considering the length of the password, used characters, and whether or not the password appears in the top 10,000 most used passwords", - ), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "We don\'t store this password, so if you forget, we cannot decrypt your data", - ), - "pastYearsMemories": MessageLookupByLibrary.simpleMessage( - "Past years\' memories", - ), - "paymentDetails": MessageLookupByLibrary.simpleMessage("Payment details"), - "paymentFailed": MessageLookupByLibrary.simpleMessage("Payment failed"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "Unfortunately your payment failed. Please contact support and we\'ll help you out!", - ), - "paymentFailedTalkToProvider": m58, - "pendingItems": MessageLookupByLibrary.simpleMessage("Pending items"), - "pendingSync": MessageLookupByLibrary.simpleMessage("Pending sync"), - "people": MessageLookupByLibrary.simpleMessage("People"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "People using your code", - ), - "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Select the people you wish to see on your homescreen.", - ), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "All items in trash will be permanently deleted\n\nThis action cannot be undone", - ), - "permanentlyDelete": MessageLookupByLibrary.simpleMessage( - "Permanently delete", - ), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Permanently delete from device?", - ), - "personIsAge": m59, - "personName": MessageLookupByLibrary.simpleMessage("Person name"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("Furry companions"), - "photoDescriptions": MessageLookupByLibrary.simpleMessage( - "Photo descriptions", - ), - "photoGridSize": MessageLookupByLibrary.simpleMessage("Photo grid size"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("photo"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("Photos"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "Photos added by you will be removed from the album", - ), - "photosCount": m62, - "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( - "Photos keep relative time difference", - ), - "pickCenterPoint": MessageLookupByLibrary.simpleMessage( - "Pick center point", - ), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Pin album"), - "pinLock": MessageLookupByLibrary.simpleMessage("PIN lock"), - "playOnTv": MessageLookupByLibrary.simpleMessage("Play album on TV"), - "playOriginal": MessageLookupByLibrary.simpleMessage("Play original"), - "playStoreFreeTrialValidTill": m63, - "playStream": MessageLookupByLibrary.simpleMessage("Play stream"), - "playstoreSubscription": MessageLookupByLibrary.simpleMessage( - "PlayStore subscription", - ), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Please check your internet connection and try again.", - ), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Please contact support@ente.io and we will be happy to help!", - ), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Please contact support if the problem persists", - ), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( - "Please grant permissions", - ), - "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( - "Please login again", - ), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Please select quick links to remove", - ), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("Please try again"), - "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( - "Please verify the code you have entered", - ), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Please wait..."), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Please wait, deleting album", - ), - "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( - "Please wait for sometime before retrying", - ), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "Please wait, this will take a while.", - ), - "posingWithThem": m66, - "preparingLogs": MessageLookupByLibrary.simpleMessage("Preparing logs..."), - "preserveMore": MessageLookupByLibrary.simpleMessage("Preserve more"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Press and hold to play video", - ), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Press and hold on the image to play video", - ), - "previous": MessageLookupByLibrary.simpleMessage("Previous"), - "privacy": MessageLookupByLibrary.simpleMessage("Privacy"), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( - "Privacy Policy", - ), - "privateBackups": MessageLookupByLibrary.simpleMessage("Private backups"), - "privateSharing": MessageLookupByLibrary.simpleMessage("Private sharing"), - "proceed": MessageLookupByLibrary.simpleMessage("Proceed"), - "processed": MessageLookupByLibrary.simpleMessage("Processed"), - "processing": MessageLookupByLibrary.simpleMessage("Processing"), - "processingImport": m67, - "processingVideos": MessageLookupByLibrary.simpleMessage( - "Processing videos", - ), - "publicLinkCreated": MessageLookupByLibrary.simpleMessage( - "Public link created", - ), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( - "Public link enabled", - ), - "questionmark": MessageLookupByLibrary.simpleMessage("?"), - "queued": MessageLookupByLibrary.simpleMessage("Queued"), - "quickLinks": MessageLookupByLibrary.simpleMessage("Quick links"), - "radius": MessageLookupByLibrary.simpleMessage("Radius"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Raise ticket"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("Rate the app"), - "rateUs": MessageLookupByLibrary.simpleMessage("Rate us"), - "rateUsOnStore": m68, - "reassignMe": MessageLookupByLibrary.simpleMessage("Reassign \"Me\""), - "reassignedToName": m69, - "reassigningLoading": MessageLookupByLibrary.simpleMessage( - "Reassigning...", - ), - "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( - "Receive reminders when it\'s someone\'s birthday. Tapping on the notification will take you to photos of the birthday person.", - ), - "recover": MessageLookupByLibrary.simpleMessage("Recover"), - "recoverAccount": MessageLookupByLibrary.simpleMessage("Recover account"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Recover"), - "recoveryAccount": MessageLookupByLibrary.simpleMessage("Recover account"), - "recoveryInitiated": MessageLookupByLibrary.simpleMessage( - "Recovery initiated", - ), - "recoveryInitiatedDesc": m70, - "recoveryKey": MessageLookupByLibrary.simpleMessage("Recovery key"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Recovery key copied to clipboard", - ), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "If you forget your password, the only way you can recover your data is with this key.", - ), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "We don\'t store this key, please save this 24 word key in a safe place.", - ), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Great! Your recovery key is valid. Thank you for verifying.\n\nPlease remember to keep your recovery key safely backed up.", - ), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Recovery key verified", - ), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Your recovery key is the only way to recover your photos if you forget your password. You can find your recovery key in Settings > Account.\n\nPlease enter your recovery key here to verify that you have saved it correctly.", - ), - "recoveryReady": m71, - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "Recovery successful!", - ), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "A trusted contact is trying to access your account", - ), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "The current device is not powerful enough to verify your password, but we can regenerate in a way that works with all devices.\n\nPlease login using your recovery key and regenerate your password (you can use the same one again if you wish).", - ), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Recreate password", - ), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": MessageLookupByLibrary.simpleMessage( - "Re-enter password", - ), - "reenterPin": MessageLookupByLibrary.simpleMessage("Re-enter PIN"), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Refer friends and 2x your plan", - ), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Give this code to your friends", - ), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. They sign up for a paid plan", - ), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Referrals"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "Referrals are currently paused", - ), - "rejectRecovery": MessageLookupByLibrary.simpleMessage("Reject recovery"), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "Also empty \"Recently Deleted\" from \"Settings\" -> \"Storage\" to claim the freed space", - ), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Also empty your \"Trash\" to claim the freed up space", - ), - "remoteImages": MessageLookupByLibrary.simpleMessage("Remote images"), - "remoteThumbnails": MessageLookupByLibrary.simpleMessage( - "Remote thumbnails", - ), - "remoteVideos": MessageLookupByLibrary.simpleMessage("Remote videos"), - "remove": MessageLookupByLibrary.simpleMessage("Remove"), - "removeDuplicates": MessageLookupByLibrary.simpleMessage( - "Remove duplicates", - ), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Review and remove files that are exact duplicates.", - ), - "removeFromAlbum": MessageLookupByLibrary.simpleMessage( - "Remove from album", - ), - "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( - "Remove from album?", - ), - "removeFromFavorite": MessageLookupByLibrary.simpleMessage( - "Remove from favorites", - ), - "removeInvite": MessageLookupByLibrary.simpleMessage("Remove invite"), - "removeLink": MessageLookupByLibrary.simpleMessage("Remove link"), - "removeParticipant": MessageLookupByLibrary.simpleMessage( - "Remove participant", - ), - "removeParticipantBody": m74, - "removePersonLabel": MessageLookupByLibrary.simpleMessage( - "Remove person label", - ), - "removePublicLink": MessageLookupByLibrary.simpleMessage( - "Remove public link", - ), - "removePublicLinks": MessageLookupByLibrary.simpleMessage( - "Remove public links", - ), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Some of the items you are removing were added by other people, and you will lose access to them", - ), - "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Remove?"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Remove yourself as trusted contact", - ), - "removingFromFavorites": MessageLookupByLibrary.simpleMessage( - "Removing from favorites...", - ), - "rename": MessageLookupByLibrary.simpleMessage("Rename"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("Rename album"), - "renameFile": MessageLookupByLibrary.simpleMessage("Rename file"), - "renewSubscription": MessageLookupByLibrary.simpleMessage( - "Renew subscription", - ), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Report a bug"), - "reportBug": MessageLookupByLibrary.simpleMessage("Report bug"), - "resendEmail": MessageLookupByLibrary.simpleMessage("Resend email"), - "reset": MessageLookupByLibrary.simpleMessage("Reset"), - "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( - "Reset ignored files", - ), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Reset password", - ), - "resetPerson": MessageLookupByLibrary.simpleMessage("Remove"), - "resetToDefault": MessageLookupByLibrary.simpleMessage("Reset to default"), - "restore": MessageLookupByLibrary.simpleMessage("Restore"), - "restoreToAlbum": MessageLookupByLibrary.simpleMessage("Restore to album"), - "restoringFiles": MessageLookupByLibrary.simpleMessage( - "Restoring files...", - ), - "resumableUploads": MessageLookupByLibrary.simpleMessage( - "Resumable uploads", - ), - "retry": MessageLookupByLibrary.simpleMessage("Retry"), - "review": MessageLookupByLibrary.simpleMessage("Review"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Please review and delete the items you believe are duplicates.", - ), - "reviewSuggestions": MessageLookupByLibrary.simpleMessage( - "Review suggestions", - ), - "right": MessageLookupByLibrary.simpleMessage("Right"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("Rotate"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Rotate left"), - "rotateRight": MessageLookupByLibrary.simpleMessage("Rotate right"), - "safelyStored": MessageLookupByLibrary.simpleMessage("Safely stored"), - "same": MessageLookupByLibrary.simpleMessage("Same"), - "sameperson": MessageLookupByLibrary.simpleMessage("Same person?"), - "save": MessageLookupByLibrary.simpleMessage("Save"), - "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage( - "Save as another person", - ), - "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( - "Save changes before leaving?", - ), - "saveCollage": MessageLookupByLibrary.simpleMessage("Save collage"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Save copy"), - "saveKey": MessageLookupByLibrary.simpleMessage("Save key"), - "savePerson": MessageLookupByLibrary.simpleMessage("Save person"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Save your recovery key if you haven\'t already", - ), - "saving": MessageLookupByLibrary.simpleMessage("Saving..."), - "savingEdits": MessageLookupByLibrary.simpleMessage("Saving edits..."), - "scanCode": MessageLookupByLibrary.simpleMessage("Scan code"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Scan this barcode with\nyour authenticator app", - ), - "search": MessageLookupByLibrary.simpleMessage("Search"), - "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Albums"), - "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage("Album name"), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Album names (e.g. \"Camera\")\n• Types of files (e.g. \"Videos\", \".gif\")\n• Years and months (e.g. \"2022\", \"January\")\n• Holidays (e.g. \"Christmas\")\n• Photo descriptions (e.g. “#fun”)", - ), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Add descriptions like \"#trip\" in photo info to quickly find them here", - ), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Search by a date, month or year", - ), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "Images will be shown here once processing and syncing is complete", - ), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "People will be shown here once indexing is done", - ), - "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( - "File types and names", - ), - "searchHint1": MessageLookupByLibrary.simpleMessage( - "Fast, on-device search", - ), - "searchHint2": MessageLookupByLibrary.simpleMessage( - "Photo dates, descriptions", - ), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "Albums, file names, and types", - ), - "searchHint4": MessageLookupByLibrary.simpleMessage("Location"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "Coming soon: Faces & magic search ✨", - ), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Group photos that are taken within some radius of a photo", - ), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "Invite people, and you\'ll see all photos shared by them here", - ), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "People will be shown here once processing and syncing is complete", - ), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Security"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "See public album links in app", - ), - "selectALocation": MessageLookupByLibrary.simpleMessage( - "Select a location", - ), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage( - "Select a location first", - ), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Select album"), - "selectAll": MessageLookupByLibrary.simpleMessage("Select all"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("All"), - "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( - "Select cover photo", - ), - "selectDate": MessageLookupByLibrary.simpleMessage("Select date"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Select folders for backup", - ), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "Select items to add", - ), - "selectLanguage": MessageLookupByLibrary.simpleMessage("Select Language"), - "selectMailApp": MessageLookupByLibrary.simpleMessage("Select mail app"), - "selectMorePhotos": MessageLookupByLibrary.simpleMessage( - "Select more photos", - ), - "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( - "Select one date and time", - ), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "Select one date and time for all", - ), - "selectPersonToLink": MessageLookupByLibrary.simpleMessage( - "Select person to link", - ), - "selectReason": MessageLookupByLibrary.simpleMessage("Select reason"), - "selectStartOfRange": MessageLookupByLibrary.simpleMessage( - "Select start of range", - ), - "selectTime": MessageLookupByLibrary.simpleMessage("Select time"), - "selectYourFace": MessageLookupByLibrary.simpleMessage("Select your face"), - "selectYourPlan": MessageLookupByLibrary.simpleMessage("Select your plan"), - "selectedAlbums": m79, - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Selected files are not on Ente", - ), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Selected folders will be encrypted and backed up", - ), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Selected items will be deleted from all albums and moved to trash.", - ), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "Selected items will be removed from this person, but not deleted from your library.", - ), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("Send"), - "sendEmail": MessageLookupByLibrary.simpleMessage("Send email"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Send invite"), - "sendLink": MessageLookupByLibrary.simpleMessage("Send link"), - "serverEndpoint": MessageLookupByLibrary.simpleMessage("Server endpoint"), - "sessionExpired": MessageLookupByLibrary.simpleMessage("Session expired"), - "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( - "Session ID mismatch", - ), - "setAPassword": MessageLookupByLibrary.simpleMessage("Set a password"), - "setAs": MessageLookupByLibrary.simpleMessage("Set as"), - "setCover": MessageLookupByLibrary.simpleMessage("Set cover"), - "setLabel": MessageLookupByLibrary.simpleMessage("Set"), - "setNewPassword": MessageLookupByLibrary.simpleMessage("Set new password"), - "setNewPin": MessageLookupByLibrary.simpleMessage("Set new PIN"), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage("Set password"), - "setRadius": MessageLookupByLibrary.simpleMessage("Set radius"), - "setupComplete": MessageLookupByLibrary.simpleMessage("Setup complete"), - "share": MessageLookupByLibrary.simpleMessage("Share"), - "shareALink": MessageLookupByLibrary.simpleMessage("Share a link"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Open an album and tap the share button on the top right to share.", - ), - "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( - "Share an album now", - ), - "shareLink": MessageLookupByLibrary.simpleMessage("Share link"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Share only with the people you want", - ), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Download Ente so we can easily share original quality photos and videos\n\nhttps://ente.io", - ), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Share with non-Ente users", - ), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( - "Share your first album", - ), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Create shared and collaborative albums with other Ente users, including users on free plans.", - ), - "sharedByMe": MessageLookupByLibrary.simpleMessage("Shared by me"), - "sharedByYou": MessageLookupByLibrary.simpleMessage("Shared by you"), - "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( - "New shared photos", - ), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Receive notifications when someone adds a photo to a shared album that you\'re a part of", - ), - "sharedWith": m87, - "sharedWithMe": MessageLookupByLibrary.simpleMessage("Shared with me"), - "sharedWithYou": MessageLookupByLibrary.simpleMessage("Shared with you"), - "sharing": MessageLookupByLibrary.simpleMessage("Sharing..."), - "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( - "Shift dates and time", - ), - "shouldRemoveFilesSmartAlbumsDesc": MessageLookupByLibrary.simpleMessage( - "Should the files related to the person that were previously selected in smart albums be removed?", - ), - "showLessFaces": MessageLookupByLibrary.simpleMessage("Show less faces"), - "showMemories": MessageLookupByLibrary.simpleMessage("Show memories"), - "showMoreFaces": MessageLookupByLibrary.simpleMessage("Show more faces"), - "showPerson": MessageLookupByLibrary.simpleMessage("Show person"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "Sign out from other devices", - ), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "If you think someone might know your password, you can force all other devices using your account to sign out.", - ), - "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( - "Sign out other devices", - ), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "I agree to the terms of service and privacy policy", - ), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "It will be deleted from all albums.", - ), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Skip"), - "smartMemories": MessageLookupByLibrary.simpleMessage("Smart memories"), - "social": MessageLookupByLibrary.simpleMessage("Social"), - "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( - "Some items are in both Ente and your device.", - ), - "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( - "Some of the files you are trying to delete are only available on your device and cannot be recovered if deleted", - ), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Someone sharing albums with you should see the same ID on their device.", - ), - "somethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Something went wrong", - ), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Something went wrong, please try again", - ), - "sorry": MessageLookupByLibrary.simpleMessage("Sorry"), - "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( - "Sorry, we could not backup this file right now, we will retry later.", - ), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Sorry, could not add to favorites!", - ), - "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( - "Sorry, could not remove from favorites!", - ), - "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "Sorry, the code you\'ve entered is incorrect", - ), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Sorry, we could not generate secure keys on this device.\n\nplease sign up from a different device.", - ), - "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( - "Sorry, we had to pause your backups", - ), - "sort": MessageLookupByLibrary.simpleMessage("Sort"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sort by"), - "sortNewestFirst": MessageLookupByLibrary.simpleMessage("Newest first"), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Oldest first"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Success"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": MessageLookupByLibrary.simpleMessage( - "Spotlight on yourself", - ), - "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( - "Start recovery", - ), - "startBackup": MessageLookupByLibrary.simpleMessage("Start backup"), - "status": MessageLookupByLibrary.simpleMessage("Status"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "Do you want to stop casting?", - ), - "stopCastingTitle": MessageLookupByLibrary.simpleMessage("Stop casting"), - "storage": MessageLookupByLibrary.simpleMessage("Storage"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Family"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("You"), - "storageInGB": m93, - "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( - "Storage limit exceeded", - ), - "storageUsageInfo": m94, - "streamDetails": MessageLookupByLibrary.simpleMessage("Stream details"), - "strongStrength": MessageLookupByLibrary.simpleMessage("Strong"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Subscribe"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "You need an active paid subscription to enable sharing.", - ), - "subscription": MessageLookupByLibrary.simpleMessage("Subscription"), - "success": MessageLookupByLibrary.simpleMessage("Success"), - "successfullyArchived": MessageLookupByLibrary.simpleMessage( - "Successfully archived", - ), - "successfullyHid": MessageLookupByLibrary.simpleMessage("Successfully hid"), - "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( - "Successfully unarchived", - ), - "successfullyUnhid": MessageLookupByLibrary.simpleMessage( - "Successfully unhid", - ), - "suggestFeatures": MessageLookupByLibrary.simpleMessage("Suggest features"), - "sunrise": MessageLookupByLibrary.simpleMessage("On the horizon"), - "support": MessageLookupByLibrary.simpleMessage("Support"), - "syncProgress": m97, - "syncStopped": MessageLookupByLibrary.simpleMessage("Sync stopped"), - "syncing": MessageLookupByLibrary.simpleMessage("Syncing..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("System"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("tap to copy"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage("Tap to enter code"), - "tapToUnlock": MessageLookupByLibrary.simpleMessage("Tap to unlock"), - "tapToUpload": MessageLookupByLibrary.simpleMessage("Tap to upload"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "It looks like something went wrong. Please retry after some time. If the error persists, please contact our support team.", - ), - "terminate": MessageLookupByLibrary.simpleMessage("Terminate"), - "terminateSession": MessageLookupByLibrary.simpleMessage( - "Terminate session?", - ), - "terms": MessageLookupByLibrary.simpleMessage("Terms"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Terms"), - "thankYou": MessageLookupByLibrary.simpleMessage("Thank you"), - "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( - "Thank you for subscribing!", - ), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "The download could not be completed", - ), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "The link you are trying to access has expired.", - ), - "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "The person groups will not be displayed in the people section anymore. Photos will remain untouched.", - ), - "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "The person will not be displayed in the people section anymore. Photos will remain untouched.", - ), - "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "The recovery key you entered is incorrect", - ), - "theme": MessageLookupByLibrary.simpleMessage("Theme"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "These items will be deleted from your device.", - ), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "They will be deleted from all albums.", - ), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "This action cannot be undone", - ), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "This album already has a collaborative link", - ), - "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( - "This can be used to recover your account if you lose your second factor", - ), - "thisDevice": MessageLookupByLibrary.simpleMessage("This device"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "This email is already in use", - ), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "This image has no exif data", - ), - "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("This is me!"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "This is your Verification ID", - ), - "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( - "This week through the years", - ), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "This will log you out of the following device:", - ), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "This will log you out of this device!", - ), - "thisWillMakeTheDateAndTimeOfAllSelected": - MessageLookupByLibrary.simpleMessage( - "This will make the date and time of all selected photos the same.", - ), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "This will remove public links of all selected quick links.", - ), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "To enable app lock, please setup device passcode or screen lock in your system settings.", - ), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( - "To hide a photo or video", - ), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "To reset your password, please verify your email first.", - ), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Today\'s logs"), - "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( - "Too many incorrect attempts", - ), - "total": MessageLookupByLibrary.simpleMessage("total"), - "totalSize": MessageLookupByLibrary.simpleMessage("Total size"), - "trash": MessageLookupByLibrary.simpleMessage("Trash"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Trim"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": MessageLookupByLibrary.simpleMessage("Trusted contacts"), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Try again"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Turn on backup to automatically upload files added to this device folder to Ente.", - ), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "2 months free on yearly plans", - ), - "twofactor": MessageLookupByLibrary.simpleMessage("Two-factor"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "Two-factor authentication has been disabled", - ), - "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( - "Two-factor authentication", - ), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "Two-factor authentication successfully reset", - ), - "twofactorSetup": MessageLookupByLibrary.simpleMessage("Two-factor setup"), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("Unarchive"), - "unarchiveAlbum": MessageLookupByLibrary.simpleMessage("Unarchive album"), - "unarchiving": MessageLookupByLibrary.simpleMessage("Unarchiving..."), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Sorry, this code is unavailable.", - ), - "uncategorized": MessageLookupByLibrary.simpleMessage("Uncategorized"), - "unhide": MessageLookupByLibrary.simpleMessage("Unhide"), - "unhideToAlbum": MessageLookupByLibrary.simpleMessage("Unhide to album"), - "unhiding": MessageLookupByLibrary.simpleMessage("Unhiding..."), - "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Unhiding files to album", - ), - "unlock": MessageLookupByLibrary.simpleMessage("Unlock"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("Unpin album"), - "unselectAll": MessageLookupByLibrary.simpleMessage("Unselect all"), - "update": MessageLookupByLibrary.simpleMessage("Update"), - "updateAvailable": MessageLookupByLibrary.simpleMessage("Update available"), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Updating folder selection...", - ), - "upgrade": MessageLookupByLibrary.simpleMessage("Upgrade"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Uploading files to album...", - ), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( - "Preserving 1 memory...", - ), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "Upto 50% off, until 4th Dec.", - ), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "Usable storage is limited by your current plan. Excess claimed storage will automatically become usable when you upgrade your plan.", - ), - "useAsCover": MessageLookupByLibrary.simpleMessage("Use as cover"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "Having trouble playing this video? Long press here to try a different player.", - ), - "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Use public links for people not on Ente", - ), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage("Use recovery key"), - "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( - "Use selected photo", - ), - "usedSpace": MessageLookupByLibrary.simpleMessage("Used space"), - "validTill": m110, - "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Verification failed, please try again", - ), - "verificationId": MessageLookupByLibrary.simpleMessage("Verification ID"), - "verify": MessageLookupByLibrary.simpleMessage("Verify"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("Verify email"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Verify"), - "verifyPasskey": MessageLookupByLibrary.simpleMessage("Verify passkey"), - "verifyPassword": MessageLookupByLibrary.simpleMessage("Verify password"), - "verifying": MessageLookupByLibrary.simpleMessage("Verifying..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Verifying recovery key...", - ), - "videoInfo": MessageLookupByLibrary.simpleMessage("Video Info"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), - "videoStreaming": MessageLookupByLibrary.simpleMessage("Streamable videos"), - "videos": MessageLookupByLibrary.simpleMessage("Videos"), - "viewActiveSessions": MessageLookupByLibrary.simpleMessage( - "View active sessions", - ), - "viewAddOnButton": MessageLookupByLibrary.simpleMessage("View add-ons"), - "viewAll": MessageLookupByLibrary.simpleMessage("View all"), - "viewAllExifData": MessageLookupByLibrary.simpleMessage( - "View all EXIF data", - ), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Large files"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "View files that are consuming the most amount of storage.", - ), - "viewLogs": MessageLookupByLibrary.simpleMessage("View logs"), - "viewPersonToUnlink": m112, - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( - "View recovery key", - ), - "viewer": MessageLookupByLibrary.simpleMessage("Viewer"), - "viewersSuccessfullyAdded": m113, - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Please visit web.ente.io to manage your subscription", - ), - "waitingForVerification": MessageLookupByLibrary.simpleMessage( - "Waiting for verification...", - ), - "waitingForWifi": MessageLookupByLibrary.simpleMessage( - "Waiting for WiFi...", - ), - "warning": MessageLookupByLibrary.simpleMessage("Warning"), - "weAreOpenSource": MessageLookupByLibrary.simpleMessage( - "We are open source!", - ), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "We don\'t support editing photos and albums that you don\'t own yet", - ), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Weak"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("Welcome back!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("What\'s new"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "Trusted contact can help in recovering your data.", - ), - "widgets": MessageLookupByLibrary.simpleMessage("Widgets"), - "wishThemAHappyBirthday": m115, - "yearShort": MessageLookupByLibrary.simpleMessage("yr"), - "yearly": MessageLookupByLibrary.simpleMessage("Yearly"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Yes"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Yes, cancel"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "Yes, convert to viewer", - ), - "yesDelete": MessageLookupByLibrary.simpleMessage("Yes, delete"), - "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( - "Yes, discard changes", - ), - "yesIgnore": MessageLookupByLibrary.simpleMessage("Yes, ignore"), - "yesLogout": MessageLookupByLibrary.simpleMessage("Yes, logout"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Yes, remove"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Yes, Renew"), - "yesResetPerson": MessageLookupByLibrary.simpleMessage("Yes, reset person"), - "you": MessageLookupByLibrary.simpleMessage("You"), - "youAndThem": m117, - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( - "You are on a family plan!", - ), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "You are on the latest version", - ), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* You can at max double your storage", - ), - "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( - "You can manage your links in the share tab.", - ), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "You can try searching for a different query.", - ), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "You cannot downgrade to this plan", - ), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "You cannot share with yourself", - ), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "You don\'t have any archived items.", - ), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "Your account has been deleted", - ), - "yourMap": MessageLookupByLibrary.simpleMessage("Your map"), - "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( - "Your plan was successfully downgraded", - ), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "Your plan was successfully upgraded", - ), - "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( - "Your purchase was successful", - ), - "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( - "Your storage details could not be fetched", - ), - "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( - "Your subscription has expired", - ), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "Your subscription was updated successfully", - ), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "Your verification code has expired", - ), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage( - "You don\'t have any duplicate files that can be cleared", - ), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "You\'ve no files in this album that can be deleted", - ), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( - "Zoom out to see photos", - ), - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "A new version of Ente is available."), + "about": MessageLookupByLibrary.simpleMessage("About"), + "acceptTrustInvite": + MessageLookupByLibrary.simpleMessage("Accept Invite"), + "account": MessageLookupByLibrary.simpleMessage("Account"), + "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( + "Account is already configured."), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("Welcome back!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "I understand that if I lose my password, I may lose my data since my data is end-to-end encrypted."), + "actionNotSupportedOnFavouritesAlbum": + MessageLookupByLibrary.simpleMessage( + "Action not supported on Favourites album"), + "activeSessions": + MessageLookupByLibrary.simpleMessage("Active sessions"), + "add": MessageLookupByLibrary.simpleMessage("Add"), + "addAName": MessageLookupByLibrary.simpleMessage("Add a name"), + "addANewEmail": MessageLookupByLibrary.simpleMessage("Add a new email"), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Add an album widget to your homescreen and come back here to customize."), + "addCollaborator": + MessageLookupByLibrary.simpleMessage("Add collaborator"), + "addCollaborators": m1, + "addFiles": MessageLookupByLibrary.simpleMessage("Add Files"), + "addFromDevice": + MessageLookupByLibrary.simpleMessage("Add from device"), + "addItem": m2, + "addLocation": MessageLookupByLibrary.simpleMessage("Add location"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Add"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Add a memories widget to your homescreen and come back here to customize."), + "addMore": MessageLookupByLibrary.simpleMessage("Add more"), + "addName": MessageLookupByLibrary.simpleMessage("Add name"), + "addNameOrMerge": + MessageLookupByLibrary.simpleMessage("Add name or merge"), + "addNew": MessageLookupByLibrary.simpleMessage("Add new"), + "addNewPerson": MessageLookupByLibrary.simpleMessage("Add new person"), + "addOnPageSubtitle": + MessageLookupByLibrary.simpleMessage("Details of add-ons"), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("Add-ons"), + "addParticipants": + MessageLookupByLibrary.simpleMessage("Add participants"), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Add a people widget to your homescreen and come back here to customize."), + "addPhotos": MessageLookupByLibrary.simpleMessage("Add photos"), + "addSelected": MessageLookupByLibrary.simpleMessage("Add selected"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("Add to album"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Add to Ente"), + "addToHiddenAlbum": + MessageLookupByLibrary.simpleMessage("Add to hidden album"), + "addTrustedContact": + MessageLookupByLibrary.simpleMessage("Add Trusted Contact"), + "addViewer": MessageLookupByLibrary.simpleMessage("Add viewer"), + "addViewers": m4, + "addYourPhotosNow": + MessageLookupByLibrary.simpleMessage("Add your photos now"), + "addedAs": MessageLookupByLibrary.simpleMessage("Added as"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingPhotos": MessageLookupByLibrary.simpleMessage("Adding photos"), + "addingToFavorites": + MessageLookupByLibrary.simpleMessage("Adding to favorites..."), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("Advanced"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Advanced"), + "after1Day": MessageLookupByLibrary.simpleMessage("After 1 day"), + "after1Hour": MessageLookupByLibrary.simpleMessage("After 1 hour"), + "after1Month": MessageLookupByLibrary.simpleMessage("After 1 month"), + "after1Week": MessageLookupByLibrary.simpleMessage("After 1 week"), + "after1Year": MessageLookupByLibrary.simpleMessage("After 1 year"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Owner"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Album title"), + "albumUpdated": MessageLookupByLibrary.simpleMessage("Album updated"), + "albums": MessageLookupByLibrary.simpleMessage("Albums"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Select the albums you wish to see on your homescreen."), + "allClear": MessageLookupByLibrary.simpleMessage("✨ All clear"), + "allMemoriesPreserved": + MessageLookupByLibrary.simpleMessage("All memories preserved"), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "All groupings for this person will be reset, and you will lose all suggestions made for this person"), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "All unnamed groups will be merged into the selected person. This can still be undone from the suggestions history overview of the person."), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "This is the first in the group. Other selected photos will automatically shift based on this new date"), + "allow": MessageLookupByLibrary.simpleMessage("Allow"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Allow people with the link to also add photos to the shared album."), + "allowAddingPhotos": + MessageLookupByLibrary.simpleMessage("Allow adding photos"), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "Allow app to open shared album links"), + "allowDownloads": + MessageLookupByLibrary.simpleMessage("Allow downloads"), + "allowPeopleToAddPhotos": + MessageLookupByLibrary.simpleMessage("Allow people to add photos"), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Please allow access to your photos from Settings so Ente can display and backup your library."), + "allowPermTitle": + MessageLookupByLibrary.simpleMessage("Allow access to photos"), + "androidBiometricHint": + MessageLookupByLibrary.simpleMessage("Verify identity"), + "androidBiometricNotRecognized": + MessageLookupByLibrary.simpleMessage("Not recognized. Try again."), + "androidBiometricRequiredTitle": + MessageLookupByLibrary.simpleMessage("Biometric required"), + "androidBiometricSuccess": + MessageLookupByLibrary.simpleMessage("Success"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Cancel"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage("Device credentials required"), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage("Device credentials required"), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Biometric authentication is not set up on your device. Go to \'Settings > Security\' to add biometric authentication."), + "androidIosWebDesktop": + MessageLookupByLibrary.simpleMessage("Android, iOS, Web, Desktop"), + "androidSignInTitle": + MessageLookupByLibrary.simpleMessage("Authentication required"), + "appIcon": MessageLookupByLibrary.simpleMessage("App icon"), + "appLock": MessageLookupByLibrary.simpleMessage("App lock"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Choose between your device\'s default lock screen and a custom lock screen with a PIN or password."), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), + "apply": MessageLookupByLibrary.simpleMessage("Apply"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Apply code"), + "appstoreSubscription": + MessageLookupByLibrary.simpleMessage("AppStore subscription"), + "archive": MessageLookupByLibrary.simpleMessage("Archive"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("Archive album"), + "archiving": MessageLookupByLibrary.simpleMessage("Archiving..."), + "areThey": MessageLookupByLibrary.simpleMessage("Are they "), + "areYouSureRemoveThisFaceFromPerson": + MessageLookupByLibrary.simpleMessage( + "Are you sure you want to remove this face from this person?"), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Are you sure that you want to leave the family plan?"), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "Are you sure you want to cancel?"), + "areYouSureYouWantToChangeYourPlan": + MessageLookupByLibrary.simpleMessage( + "Are you sure you want to change your plan?"), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "Are you sure you want to exit?"), + "areYouSureYouWantToIgnoreThesePersons": + MessageLookupByLibrary.simpleMessage( + "Are you sure you want to ignore these persons?"), + "areYouSureYouWantToIgnoreThisPerson": + MessageLookupByLibrary.simpleMessage( + "Are you sure you want to ignore this person?"), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Are you sure you want to logout?"), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "Are you sure you want to merge them?"), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "Are you sure you want to renew?"), + "areYouSureYouWantToResetThisPerson": + MessageLookupByLibrary.simpleMessage( + "Are you sure you want to reset this person?"), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "Your subscription was cancelled. Would you like to share the reason?"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "What is the main reason you are deleting your account?"), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Ask your loved ones to share"), + "atAFalloutShelter": + MessageLookupByLibrary.simpleMessage("at a fallout shelter"), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Please authenticate to change email verification"), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Please authenticate to change lockscreen setting"), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Please authenticate to change your email"), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Please authenticate to change your password"), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Please authenticate to configure two-factor authentication"), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Please authenticate to initiate account deletion"), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Please authenticate to manage your trusted contacts"), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Please authenticate to view your passkey"), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Please authenticate to view your trashed files"), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Please authenticate to view your active sessions"), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Please authenticate to view your hidden files"), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Please authenticate to view your memories"), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Please authenticate to view your recovery key"), + "authenticating": + MessageLookupByLibrary.simpleMessage("Authenticating..."), + "authenticationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Authentication failed, please try again"), + "authenticationSuccessful": + MessageLookupByLibrary.simpleMessage("Authentication successful!"), + "autoAddPeople": + MessageLookupByLibrary.simpleMessage("Auto-add people"), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "You\'ll see available Cast devices here."), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Make sure Local Network permissions are turned on for the Ente Photos app, in Settings."), + "autoLock": MessageLookupByLibrary.simpleMessage("Auto lock"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Time after which the app locks after being put in the background"), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "Due to technical glitch, you have been logged out. Our apologies for the inconvenience."), + "autoPair": MessageLookupByLibrary.simpleMessage("Auto pair"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "Auto pair works only with devices that support Chromecast."), + "available": MessageLookupByLibrary.simpleMessage("Available"), + "availableStorageSpace": m10, + "backedUpFolders": + MessageLookupByLibrary.simpleMessage("Backed up folders"), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("Backup"), + "backupFailed": MessageLookupByLibrary.simpleMessage("Backup failed"), + "backupFile": MessageLookupByLibrary.simpleMessage("Backup file"), + "backupOverMobileData": + MessageLookupByLibrary.simpleMessage("Backup over mobile data"), + "backupSettings": + MessageLookupByLibrary.simpleMessage("Backup settings"), + "backupStatus": MessageLookupByLibrary.simpleMessage("Backup status"), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Items that have been backed up will show up here"), + "backupVideos": MessageLookupByLibrary.simpleMessage("Backup videos"), + "beach": MessageLookupByLibrary.simpleMessage("Sand and sea"), + "birthday": MessageLookupByLibrary.simpleMessage("Birthday"), + "birthdayNotifications": + MessageLookupByLibrary.simpleMessage("Birthday notifications"), + "birthdays": MessageLookupByLibrary.simpleMessage("Birthdays"), + "blackFridaySale": + MessageLookupByLibrary.simpleMessage("Black Friday Sale"), + "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cLDesc1": MessageLookupByLibrary.simpleMessage( + "On the back of video streaming beta, and work on resumable uploads and downloads, we have now increased the file upload limit to 10GB. This is now available in both desktop and mobile apps."), + "cLDesc2": MessageLookupByLibrary.simpleMessage( + "Background uploads are now supported on iOS as well, in addition to Android devices. No need to open the app to backup your latest photos and videos."), + "cLDesc3": MessageLookupByLibrary.simpleMessage( + "We have made significant improvements to our memories experience, including autoplay, swipe to next memory and a lot more."), + "cLDesc4": MessageLookupByLibrary.simpleMessage( + "Along with a bunch of under the hood improvements, now its much easier to see all detected faces, provide feedback on similar faces, and add/remove faces from a single photo."), + "cLDesc5": MessageLookupByLibrary.simpleMessage( + "You will now receive an opt-out notification for all the birthdays your have saved on Ente, along with a collection of their best photos."), + "cLDesc6": MessageLookupByLibrary.simpleMessage( + "No more waiting for uploads/downloads to complete before you can close the app. All uploads and downloads now have the ability to be paused midway, and resume from where you left off."), + "cLTitle1": + MessageLookupByLibrary.simpleMessage("Uploading Large Video Files"), + "cLTitle2": MessageLookupByLibrary.simpleMessage("Background Upload"), + "cLTitle3": MessageLookupByLibrary.simpleMessage("Autoplay Memories"), + "cLTitle4": + MessageLookupByLibrary.simpleMessage("Improved Face Recognition"), + "cLTitle5": + MessageLookupByLibrary.simpleMessage("Birthday Notifications"), + "cLTitle6": MessageLookupByLibrary.simpleMessage( + "Resumable Uploads and Downloads"), + "cachedData": MessageLookupByLibrary.simpleMessage("Cached data"), + "calculating": MessageLookupByLibrary.simpleMessage("Calculating..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Sorry, this album cannot be opened in the app."), + "canNotOpenTitle": + MessageLookupByLibrary.simpleMessage("Cannot open this album"), + "canNotUploadToAlbumsOwnedByOthers": + MessageLookupByLibrary.simpleMessage( + "Can not upload to albums owned by others"), + "canOnlyCreateLinkForFilesOwnedByYou": + MessageLookupByLibrary.simpleMessage( + "Can only create link for files owned by you"), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Can only remove files owned by you"), + "cancel": MessageLookupByLibrary.simpleMessage("Cancel"), + "cancelAccountRecovery": + MessageLookupByLibrary.simpleMessage("Cancel recovery"), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "Are you sure you want to cancel recovery?"), + "cancelOtherSubscription": m12, + "cancelSubscription": + MessageLookupByLibrary.simpleMessage("Cancel subscription"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": + MessageLookupByLibrary.simpleMessage("Cannot delete shared files"), + "castAlbum": MessageLookupByLibrary.simpleMessage("Cast album"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Please make sure you are on the same network as the TV."), + "castIPMismatchTitle": + MessageLookupByLibrary.simpleMessage("Failed to cast album"), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Visit cast.ente.io on the device you want to pair.\n\nEnter the code below to play the album on your TV."), + "centerPoint": MessageLookupByLibrary.simpleMessage("Center point"), + "change": MessageLookupByLibrary.simpleMessage("Change"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Change email"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Change location of selected items?"), + "changePassword": + MessageLookupByLibrary.simpleMessage("Change password"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("Change password"), + "changePermissions": + MessageLookupByLibrary.simpleMessage("Change permissions?"), + "changeYourReferralCode": + MessageLookupByLibrary.simpleMessage("Change your referral code"), + "checkForUpdates": + MessageLookupByLibrary.simpleMessage("Check for updates"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Please check your inbox (and spam) to complete verification"), + "checkStatus": MessageLookupByLibrary.simpleMessage("Check status"), + "checking": MessageLookupByLibrary.simpleMessage("Checking..."), + "checkingModels": + MessageLookupByLibrary.simpleMessage("Checking models..."), + "city": MessageLookupByLibrary.simpleMessage("In the city"), + "claimFreeStorage": + MessageLookupByLibrary.simpleMessage("Claim free storage"), + "claimMore": MessageLookupByLibrary.simpleMessage("Claim more!"), + "claimed": MessageLookupByLibrary.simpleMessage("Claimed"), + "claimedStorageSoFar": m14, + "cleanUncategorized": + MessageLookupByLibrary.simpleMessage("Clean Uncategorized"), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Remove all files from Uncategorized that are present in other albums"), + "clearCaches": MessageLookupByLibrary.simpleMessage("Clear caches"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Clear indexes"), + "click": MessageLookupByLibrary.simpleMessage("• Click"), + "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( + "• Click on the overflow menu"), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Click to install our best version yet"), + "close": MessageLookupByLibrary.simpleMessage("Close"), + "clubByCaptureTime": + MessageLookupByLibrary.simpleMessage("Club by capture time"), + "clubByFileName": + MessageLookupByLibrary.simpleMessage("Club by file name"), + "clusteringProgress": + MessageLookupByLibrary.simpleMessage("Clustering progress"), + "codeAppliedPageTitle": + MessageLookupByLibrary.simpleMessage("Code applied"), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Sorry, you\'ve reached the limit of code changes."), + "codeCopiedToClipboard": + MessageLookupByLibrary.simpleMessage("Code copied to clipboard"), + "codeUsedByYou": + MessageLookupByLibrary.simpleMessage("Code used by you"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Create a link to allow people to add and view photos in your shared album without needing an Ente app or account. Great for collecting event photos."), + "collaborativeLink": + MessageLookupByLibrary.simpleMessage("Collaborative link"), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Collaborator"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Collaborators can add photos and videos to the shared album."), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("Layout"), + "collageSaved": + MessageLookupByLibrary.simpleMessage("Collage saved to gallery"), + "collect": MessageLookupByLibrary.simpleMessage("Collect"), + "collectEventPhotos": + MessageLookupByLibrary.simpleMessage("Collect event photos"), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Collect photos"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Create a link where your friends can upload photos in original quality."), + "color": MessageLookupByLibrary.simpleMessage("Color"), + "configuration": MessageLookupByLibrary.simpleMessage("Configuration"), + "confirm": MessageLookupByLibrary.simpleMessage("Confirm"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Are you sure you want to disable two-factor authentication?"), + "confirmAccountDeletion": + MessageLookupByLibrary.simpleMessage("Confirm Account Deletion"), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Yes, I want to permanently delete this account and its data across all apps."), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("Confirm password"), + "confirmPlanChange": + MessageLookupByLibrary.simpleMessage("Confirm plan change"), + "confirmRecoveryKey": + MessageLookupByLibrary.simpleMessage("Confirm recovery key"), + "confirmYourRecoveryKey": + MessageLookupByLibrary.simpleMessage("Confirm your recovery key"), + "connectToDevice": + MessageLookupByLibrary.simpleMessage("Connect to device"), + "contactFamilyAdmin": m18, + "contactSupport": + MessageLookupByLibrary.simpleMessage("Contact support"), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Contacts"), + "contents": MessageLookupByLibrary.simpleMessage("Contents"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Continue"), + "continueOnFreeTrial": + MessageLookupByLibrary.simpleMessage("Continue on free trial"), + "convertToAlbum": + MessageLookupByLibrary.simpleMessage("Convert to album"), + "copyEmailAddress": + MessageLookupByLibrary.simpleMessage("Copy email address"), + "copyLink": MessageLookupByLibrary.simpleMessage("Copy link"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Copy-paste this code\nto your authenticator app"), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "We could not backup your data.\nWe will retry later."), + "couldNotFreeUpSpace": + MessageLookupByLibrary.simpleMessage("Could not free up space"), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Could not update subscription"), + "count": MessageLookupByLibrary.simpleMessage("Count"), + "crashReporting": + MessageLookupByLibrary.simpleMessage("Crash reporting"), + "create": MessageLookupByLibrary.simpleMessage("Create"), + "createAccount": MessageLookupByLibrary.simpleMessage("Create account"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Long press to select photos and click + to create an album"), + "createCollaborativeLink": + MessageLookupByLibrary.simpleMessage("Create collaborative link"), + "createCollage": MessageLookupByLibrary.simpleMessage("Create collage"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("Create new account"), + "createOrSelectAlbum": + MessageLookupByLibrary.simpleMessage("Create or select album"), + "createPublicLink": + MessageLookupByLibrary.simpleMessage("Create public link"), + "creatingLink": + MessageLookupByLibrary.simpleMessage("Creating link..."), + "criticalUpdateAvailable": + MessageLookupByLibrary.simpleMessage("Critical update available"), + "crop": MessageLookupByLibrary.simpleMessage("Crop"), + "curatedMemories": + MessageLookupByLibrary.simpleMessage("Curated memories"), + "currentUsageIs": + MessageLookupByLibrary.simpleMessage("Current usage is "), + "currentlyRunning": + MessageLookupByLibrary.simpleMessage("currently running"), + "custom": MessageLookupByLibrary.simpleMessage("Custom"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Dark"), + "dayToday": MessageLookupByLibrary.simpleMessage("Today"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Yesterday"), + "declineTrustInvite": + MessageLookupByLibrary.simpleMessage("Decline Invite"), + "decrypting": MessageLookupByLibrary.simpleMessage("Decrypting..."), + "decryptingVideo": + MessageLookupByLibrary.simpleMessage("Decrypting video..."), + "deduplicateFiles": + MessageLookupByLibrary.simpleMessage("Deduplicate Files"), + "delete": MessageLookupByLibrary.simpleMessage("Delete"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Delete account"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "We are sorry to see you go. Please share your feedback to help us improve."), + "deleteAccountPermanentlyButton": + MessageLookupByLibrary.simpleMessage("Delete Account Permanently"), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Delete album"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Also delete the photos (and videos) present in this album from all other albums they are part of?"), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "This will delete all empty albums. This is useful when you want to reduce the clutter in your album list."), + "deleteAll": MessageLookupByLibrary.simpleMessage("Delete All"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "This account is linked to other Ente apps, if you use any. Your uploaded data, across all Ente apps, will be scheduled for deletion, and your account will be permanently deleted."), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Please send an email to account-deletion@ente.io from your registered email address."), + "deleteEmptyAlbums": + MessageLookupByLibrary.simpleMessage("Delete empty albums"), + "deleteEmptyAlbumsWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Delete empty albums?"), + "deleteFromBoth": + MessageLookupByLibrary.simpleMessage("Delete from both"), + "deleteFromDevice": + MessageLookupByLibrary.simpleMessage("Delete from device"), + "deleteFromEnte": + MessageLookupByLibrary.simpleMessage("Delete from Ente"), + "deleteItemCount": m21, + "deleteLocation": + MessageLookupByLibrary.simpleMessage("Delete location"), + "deleteMultipleAlbumDialog": m22, + "deletePhotos": MessageLookupByLibrary.simpleMessage("Delete photos"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "It’s missing a key feature that I need"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "The app or a certain feature does not behave as I think it should"), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "I found another service that I like better"), + "deleteReason4": + MessageLookupByLibrary.simpleMessage("My reason isn’t listed"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Your request will be processed within 72 hours."), + "deleteSharedAlbum": + MessageLookupByLibrary.simpleMessage("Delete shared album?"), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "The album will be deleted for everyone\n\nYou will lose access to shared photos in this album that are owned by others"), + "deselectAll": MessageLookupByLibrary.simpleMessage("Deselect all"), + "designedToOutlive": + MessageLookupByLibrary.simpleMessage("Designed to outlive"), + "details": MessageLookupByLibrary.simpleMessage("Details"), + "developerSettings": + MessageLookupByLibrary.simpleMessage("Developer settings"), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Are you sure that you want to modify Developer settings?"), + "deviceCodeHint": + MessageLookupByLibrary.simpleMessage("Enter the code"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "Files added to this device album will automatically get uploaded to Ente."), + "deviceLock": MessageLookupByLibrary.simpleMessage("Device lock"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Disable the device screen lock when Ente is in the foreground and there is a backup in progress. This is normally not needed, but may help big uploads and initial imports of large libraries complete faster."), + "deviceNotFound": + MessageLookupByLibrary.simpleMessage("Device not found"), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Did you know?"), + "different": MessageLookupByLibrary.simpleMessage("Different"), + "disableAutoLock": + MessageLookupByLibrary.simpleMessage("Disable auto lock"), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Viewers can still take screenshots or save a copy of your photos using external tools"), + "disableDownloadWarningTitle": + MessageLookupByLibrary.simpleMessage("Please note"), + "disableLinkMessage": m24, + "disableTwofactor": + MessageLookupByLibrary.simpleMessage("Disable two-factor"), + "disablingTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Disabling two-factor authentication..."), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Discover"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Babies"), + "discover_celebrations": + MessageLookupByLibrary.simpleMessage("Celebrations"), + "discover_food": MessageLookupByLibrary.simpleMessage("Food"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Greenery"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Hills"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Identity"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Notes"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Pets"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Receipts"), + "discover_screenshots": + MessageLookupByLibrary.simpleMessage("Screenshots"), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfies"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Sunset"), + "discover_visiting_cards": + MessageLookupByLibrary.simpleMessage("Visiting Cards"), + "discover_wallpapers": + MessageLookupByLibrary.simpleMessage("Wallpapers"), + "dismiss": MessageLookupByLibrary.simpleMessage("Dismiss"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage("Do not sign out"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Do this later"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Do you want to discard the edits you have made?"), + "done": MessageLookupByLibrary.simpleMessage("Done"), + "dontSave": MessageLookupByLibrary.simpleMessage("Don\'t save"), + "doubleYourStorage": + MessageLookupByLibrary.simpleMessage("Double your storage"), + "download": MessageLookupByLibrary.simpleMessage("Download"), + "downloadFailed": + MessageLookupByLibrary.simpleMessage("Download failed"), + "downloading": MessageLookupByLibrary.simpleMessage("Downloading..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Edit"), + "editAutoAddPeople": + MessageLookupByLibrary.simpleMessage("Edit auto-add people"), + "editEmailAlreadyLinked": m28, + "editLocation": MessageLookupByLibrary.simpleMessage("Edit location"), + "editLocationTagTitle": + MessageLookupByLibrary.simpleMessage("Edit location"), + "editPerson": MessageLookupByLibrary.simpleMessage("Edit person"), + "editTime": MessageLookupByLibrary.simpleMessage("Edit time"), + "editsSaved": MessageLookupByLibrary.simpleMessage("Edits saved"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Edits to location will only be seen within Ente"), + "eligible": MessageLookupByLibrary.simpleMessage("eligible"), + "email": MessageLookupByLibrary.simpleMessage("Email"), + "emailAlreadyRegistered": + MessageLookupByLibrary.simpleMessage("Email already registered."), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": + MessageLookupByLibrary.simpleMessage("Email not registered."), + "emailVerificationToggle": + MessageLookupByLibrary.simpleMessage("Email verification"), + "emailYourLogs": + MessageLookupByLibrary.simpleMessage("Email your logs"), + "embracingThem": m32, + "emergencyContacts": + MessageLookupByLibrary.simpleMessage("Emergency Contacts"), + "empty": MessageLookupByLibrary.simpleMessage("Empty"), + "emptyTrash": MessageLookupByLibrary.simpleMessage("Empty trash?"), + "enable": MessageLookupByLibrary.simpleMessage("Enable"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "Ente supports on-device machine learning for face recognition, magic search and other advanced search features"), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Enable machine learning for magic search and face recognition"), + "enableMaps": MessageLookupByLibrary.simpleMessage("Enable Maps"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "This will show your photos on a world map.\n\nThis map is hosted by Open Street Map, and the exact locations of your photos are never shared.\n\nYou can disable this feature anytime from Settings."), + "enabled": MessageLookupByLibrary.simpleMessage("Enabled"), + "encryptingBackup": + MessageLookupByLibrary.simpleMessage("Encrypting backup..."), + "encryption": MessageLookupByLibrary.simpleMessage("Encryption"), + "encryptionKeys": + MessageLookupByLibrary.simpleMessage("Encryption keys"), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Endpoint updated successfully"), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "End-to-end encrypted by default"), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente can encrypt and preserve files only if you grant access to them"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente needs permission to preserve your photos"), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "Ente preserves your memories, so they\'re always available to you, even if you lose your device."), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Your family can be added to your plan as well."), + "enterAlbumName": + MessageLookupByLibrary.simpleMessage("Enter album name"), + "enterCode": MessageLookupByLibrary.simpleMessage("Enter code"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Enter the code provided by your friend to claim free storage for both of you"), + "enterDateOfBirth": + MessageLookupByLibrary.simpleMessage("Birthday (optional)"), + "enterEmail": MessageLookupByLibrary.simpleMessage("Enter email"), + "enterFileName": + MessageLookupByLibrary.simpleMessage("Enter file name"), + "enterName": MessageLookupByLibrary.simpleMessage("Enter name"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Enter a new password we can use to encrypt your data"), + "enterPassword": MessageLookupByLibrary.simpleMessage("Enter password"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Enter a password we can use to encrypt your data"), + "enterPersonName": + MessageLookupByLibrary.simpleMessage("Enter person name"), + "enterPin": MessageLookupByLibrary.simpleMessage("Enter PIN"), + "enterReferralCode": + MessageLookupByLibrary.simpleMessage("Enter referral code"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Enter the 6-digit code from\nyour authenticator app"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Please enter a valid email address."), + "enterYourEmailAddress": + MessageLookupByLibrary.simpleMessage("Enter your email address"), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Enter your new email address"), + "enterYourPassword": + MessageLookupByLibrary.simpleMessage("Enter your password"), + "enterYourRecoveryKey": + MessageLookupByLibrary.simpleMessage("Enter your recovery key"), + "error": MessageLookupByLibrary.simpleMessage("Error"), + "everywhere": MessageLookupByLibrary.simpleMessage("everywhere"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": MessageLookupByLibrary.simpleMessage("Existing user"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "This link has expired. Please select a new expiry time or disable link expiry."), + "exportLogs": MessageLookupByLibrary.simpleMessage("Export logs"), + "exportYourData": + MessageLookupByLibrary.simpleMessage("Export your data"), + "extraPhotosFound": + MessageLookupByLibrary.simpleMessage("Extra photos found"), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Face not clustered yet, please come back later"), + "faceRecognition": + MessageLookupByLibrary.simpleMessage("Face recognition"), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "Unable to generate face thumbnails"), + "faces": MessageLookupByLibrary.simpleMessage("Faces"), + "failed": MessageLookupByLibrary.simpleMessage("Failed"), + "failedToApplyCode": + MessageLookupByLibrary.simpleMessage("Failed to apply code"), + "failedToCancel": + MessageLookupByLibrary.simpleMessage("Failed to cancel"), + "failedToDownloadVideo": + MessageLookupByLibrary.simpleMessage("Failed to download video"), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Failed to fetch active sessions"), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Failed to fetch original for edit"), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Unable to fetch referral details. Please try again later."), + "failedToLoadAlbums": + MessageLookupByLibrary.simpleMessage("Failed to load albums"), + "failedToPlayVideo": + MessageLookupByLibrary.simpleMessage("Failed to play video"), + "failedToRefreshStripeSubscription": + MessageLookupByLibrary.simpleMessage( + "Failed to refresh subscription"), + "failedToRenew": + MessageLookupByLibrary.simpleMessage("Failed to renew"), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Failed to verify payment status"), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Add 5 family members to your existing plan without paying extra.\n\nEach member gets their own private space, and cannot see each other\'s files unless they\'re shared.\n\nFamily plans are available to customers who have a paid Ente subscription.\n\nSubscribe now to get started!"), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Family"), + "familyPlans": MessageLookupByLibrary.simpleMessage("Family plans"), + "faq": MessageLookupByLibrary.simpleMessage("FAQ"), + "faqs": MessageLookupByLibrary.simpleMessage("FAQs"), + "favorite": MessageLookupByLibrary.simpleMessage("Favorite"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("Feedback"), + "file": MessageLookupByLibrary.simpleMessage("File"), + "fileAnalysisFailed": + MessageLookupByLibrary.simpleMessage("Unable to analyze file"), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Failed to save file to gallery"), + "fileInfoAddDescHint": + MessageLookupByLibrary.simpleMessage("Add a description..."), + "fileNotUploadedYet": + MessageLookupByLibrary.simpleMessage("File not uploaded yet"), + "fileSavedToGallery": + MessageLookupByLibrary.simpleMessage("File saved to gallery"), + "fileTypes": MessageLookupByLibrary.simpleMessage("File types"), + "fileTypesAndNames": + MessageLookupByLibrary.simpleMessage("File types and names"), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage("Files deleted"), + "filesSavedToGallery": + MessageLookupByLibrary.simpleMessage("Files saved to gallery"), + "findPeopleByName": + MessageLookupByLibrary.simpleMessage("Find people quickly by name"), + "findThemQuickly": + MessageLookupByLibrary.simpleMessage("Find them quickly"), + "flip": MessageLookupByLibrary.simpleMessage("Flip"), + "food": MessageLookupByLibrary.simpleMessage("Culinary delight"), + "forYourMemories": + MessageLookupByLibrary.simpleMessage("for your memories"), + "forgotPassword": + MessageLookupByLibrary.simpleMessage("Forgot password"), + "foundFaces": MessageLookupByLibrary.simpleMessage("Found faces"), + "freeStorageClaimed": + MessageLookupByLibrary.simpleMessage("Free storage claimed"), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": + MessageLookupByLibrary.simpleMessage("Free storage usable"), + "freeTrial": MessageLookupByLibrary.simpleMessage("Free trial"), + "freeTrialValidTill": m38, + "freeUpAccessPostDelete": m39, + "freeUpAmount": m40, + "freeUpDeviceSpace": + MessageLookupByLibrary.simpleMessage("Free up device space"), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Save space on your device by clearing files that have been already backed up."), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("Free up space"), + "freeUpSpaceSaving": m41, + "gallery": MessageLookupByLibrary.simpleMessage("Gallery"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "Up to 1000 memories shown in gallery"), + "general": MessageLookupByLibrary.simpleMessage("General"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Generating encryption keys..."), + "genericProgress": m42, + "gettingReady": MessageLookupByLibrary.simpleMessage("Getting ready"), + "goToSettings": MessageLookupByLibrary.simpleMessage("Go to settings"), + "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Please allow access to all photos in the Settings app"), + "grantPermission": + MessageLookupByLibrary.simpleMessage("Grant permission"), + "greenery": MessageLookupByLibrary.simpleMessage("The green life"), + "groupNearbyPhotos": + MessageLookupByLibrary.simpleMessage("Group nearby photos"), + "guestView": MessageLookupByLibrary.simpleMessage("Guest view"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "To enable guest view, please setup device passcode or screen lock in your system settings."), + "happyBirthday": + MessageLookupByLibrary.simpleMessage("Happy birthday! 🥳"), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "We don\'t track app installs. It\'d help if you told us where you found us!"), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "How did you hear about Ente? (optional)"), + "help": MessageLookupByLibrary.simpleMessage("Help"), + "hidden": MessageLookupByLibrary.simpleMessage("Hidden"), + "hide": MessageLookupByLibrary.simpleMessage("Hide"), + "hideContent": MessageLookupByLibrary.simpleMessage("Hide content"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Hides app content in the app switcher and disables screenshots"), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Hides app content in the app switcher"), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Hide shared items from home gallery"), + "hiding": MessageLookupByLibrary.simpleMessage("Hiding..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": + MessageLookupByLibrary.simpleMessage("Hosted at OSM France"), + "howItWorks": MessageLookupByLibrary.simpleMessage("How it works"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Please ask them to long-press their email address on the settings screen, and verify that the IDs on both devices match."), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Biometric authentication is not set up on your device. Please either enable Touch ID or Face ID on your phone."), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "Biometric authentication is disabled. Please lock and unlock your screen to enable it."), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), + "ignore": MessageLookupByLibrary.simpleMessage("Ignore"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignore"), + "ignored": MessageLookupByLibrary.simpleMessage("ignored"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Some files in this album are ignored from upload because they had previously been deleted from Ente."), + "imageNotAnalyzed": + MessageLookupByLibrary.simpleMessage("Image not analyzed"), + "immediately": MessageLookupByLibrary.simpleMessage("Immediately"), + "importing": MessageLookupByLibrary.simpleMessage("Importing...."), + "incorrectCode": MessageLookupByLibrary.simpleMessage("Incorrect code"), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("Incorrect password"), + "incorrectRecoveryKey": + MessageLookupByLibrary.simpleMessage("Incorrect recovery key"), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "The recovery key you entered is incorrect"), + "incorrectRecoveryKeyTitle": + MessageLookupByLibrary.simpleMessage("Incorrect recovery key"), + "indexedItems": MessageLookupByLibrary.simpleMessage("Indexed items"), + "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( + "Indexing is paused. It will automatically resume when the device is ready. The device is considered ready when its battery level, battery health, and thermal status are within a healthy range."), + "ineligible": MessageLookupByLibrary.simpleMessage("Ineligible"), + "info": MessageLookupByLibrary.simpleMessage("Info"), + "insecureDevice": + MessageLookupByLibrary.simpleMessage("Insecure device"), + "installManually": + MessageLookupByLibrary.simpleMessage("Install manually"), + "invalidEmailAddress": + MessageLookupByLibrary.simpleMessage("Invalid email address"), + "invalidEndpoint": + MessageLookupByLibrary.simpleMessage("Invalid endpoint"), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Sorry, the endpoint you entered is invalid. Please enter a valid endpoint and try again."), + "invalidKey": MessageLookupByLibrary.simpleMessage("Invalid key"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "The recovery key you entered is not valid. Please make sure it contains 24 words, and check the spelling of each.\n\nIf you entered an older recovery code, make sure it is 64 characters long, and check each of them."), + "invite": MessageLookupByLibrary.simpleMessage("Invite"), + "inviteToEnte": MessageLookupByLibrary.simpleMessage("Invite to Ente"), + "inviteYourFriends": + MessageLookupByLibrary.simpleMessage("Invite your friends"), + "inviteYourFriendsToEnte": + MessageLookupByLibrary.simpleMessage("Invite your friends to Ente"), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "It looks like something went wrong. Please retry after some time. If the error persists, please contact our support team."), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "Items show the number of days remaining before permanent deletion"), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Selected items will be removed from this album"), + "join": MessageLookupByLibrary.simpleMessage("Join"), + "joinAlbum": MessageLookupByLibrary.simpleMessage("Join album"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "Joining an album will make your email visible to its participants."), + "joinAlbumSubtext": + MessageLookupByLibrary.simpleMessage("to view and add your photos"), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "to add this to shared albums"), + "joinDiscord": MessageLookupByLibrary.simpleMessage("Join Discord"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Keep Photos"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Kindly help us with this information"), + "language": MessageLookupByLibrary.simpleMessage("Language"), + "lastTimeWithThem": m45, + "lastUpdated": MessageLookupByLibrary.simpleMessage("Last updated"), + "lastYearsTrip": + MessageLookupByLibrary.simpleMessage("Last year\'s trip"), + "leave": MessageLookupByLibrary.simpleMessage("Leave"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Leave album"), + "leaveFamily": MessageLookupByLibrary.simpleMessage("Leave family"), + "leaveSharedAlbum": + MessageLookupByLibrary.simpleMessage("Leave shared album?"), + "left": MessageLookupByLibrary.simpleMessage("Left"), + "legacy": MessageLookupByLibrary.simpleMessage("Legacy"), + "legacyAccounts": + MessageLookupByLibrary.simpleMessage("Legacy accounts"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "Legacy allows trusted contacts to access your account in your absence."), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "Trusted contacts can initiate account recovery, and if not blocked within 30 days, reset your password and access your account."), + "light": MessageLookupByLibrary.simpleMessage("Light"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Light"), + "link": MessageLookupByLibrary.simpleMessage("Link"), + "linkCopiedToClipboard": + MessageLookupByLibrary.simpleMessage("Link copied to clipboard"), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Device limit"), + "linkEmail": MessageLookupByLibrary.simpleMessage("Link email"), + "linkEmailToContactBannerCaption": + MessageLookupByLibrary.simpleMessage("for faster sharing"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Enabled"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Expired"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Link expiry"), + "linkHasExpired": + MessageLookupByLibrary.simpleMessage("Link has expired"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Never"), + "linkPerson": MessageLookupByLibrary.simpleMessage("Link person"), + "linkPersonCaption": MessageLookupByLibrary.simpleMessage( + "for better sharing experience"), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("Live Photos"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "You can share your subscription with your family"), + "loadMessage2": MessageLookupByLibrary.simpleMessage( + "We have preserved over 200 million memories so far"), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "We keep 3 copies of your data, one in an underground fallout shelter"), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "All our apps are open source"), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Our source code and cryptography have been externally audited"), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "You can share links to your albums with your loved ones"), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Our mobile apps run in the background to encrypt and backup any new photos you click"), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io has a slick uploader"), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "We use Xchacha20Poly1305 to safely encrypt your data"), + "loadingExifData": + MessageLookupByLibrary.simpleMessage("Loading EXIF data..."), + "loadingGallery": + MessageLookupByLibrary.simpleMessage("Loading gallery..."), + "loadingMessage": + MessageLookupByLibrary.simpleMessage("Loading your photos..."), + "loadingModel": + MessageLookupByLibrary.simpleMessage("Downloading models..."), + "loadingYourPhotos": + MessageLookupByLibrary.simpleMessage("Loading your photos..."), + "localGallery": MessageLookupByLibrary.simpleMessage("Local gallery"), + "localIndexing": MessageLookupByLibrary.simpleMessage("Local indexing"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Looks like something went wrong since local photos sync is taking more time than expected. Please reach out to our support team"), + "location": MessageLookupByLibrary.simpleMessage("Location"), + "locationName": MessageLookupByLibrary.simpleMessage("Location name"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "A location tag groups all photos that were taken within some radius of a photo"), + "locations": MessageLookupByLibrary.simpleMessage("Locations"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Lock"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Lockscreen"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Log in"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Logging out..."), + "loginSessionExpired": + MessageLookupByLibrary.simpleMessage("Session expired"), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "Your session has expired. Please login again."), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "By clicking log in, I agree to the terms of service and privacy policy"), + "loginWithTOTP": + MessageLookupByLibrary.simpleMessage("Login with TOTP"), + "logout": MessageLookupByLibrary.simpleMessage("Logout"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "This will send across logs to help us debug your issue. Please note that file names will be included to help track issues with specific files."), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Long press an email to verify end to end encryption."), + "longpressOnAnItemToViewInFullscreen": + MessageLookupByLibrary.simpleMessage( + "Long-press on an item to view in full-screen"), + "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( + "Look back on your memories 🌄"), + "loopVideoOff": MessageLookupByLibrary.simpleMessage("Loop video off"), + "loopVideoOn": MessageLookupByLibrary.simpleMessage("Loop video on"), + "lostDevice": MessageLookupByLibrary.simpleMessage("Lost device?"), + "machineLearning": + MessageLookupByLibrary.simpleMessage("Machine learning"), + "magicSearch": MessageLookupByLibrary.simpleMessage("Magic search"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "Magic search allows to search photos by their contents, e.g. \'flower\', \'red car\', \'identity documents\'"), + "manage": MessageLookupByLibrary.simpleMessage("Manage"), + "manageDeviceStorage": + MessageLookupByLibrary.simpleMessage("Manage device cache"), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Review and clear local cache storage."), + "manageFamily": MessageLookupByLibrary.simpleMessage("Manage Family"), + "manageLink": MessageLookupByLibrary.simpleMessage("Manage link"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Manage"), + "manageSubscription": + MessageLookupByLibrary.simpleMessage("Manage subscription"), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "Pair with PIN works with any screen you wish to view your album on."), + "map": MessageLookupByLibrary.simpleMessage("Map"), + "maps": MessageLookupByLibrary.simpleMessage("Maps"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("Me"), + "memories": MessageLookupByLibrary.simpleMessage("Memories"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Select the kind of memories you wish to see on your homescreen."), + "memoryCount": m50, + "merchandise": MessageLookupByLibrary.simpleMessage("Merchandise"), + "merge": MessageLookupByLibrary.simpleMessage("Merge"), + "mergeWithExisting": + MessageLookupByLibrary.simpleMessage("Merge with existing"), + "mergedPhotos": MessageLookupByLibrary.simpleMessage("Merged photos"), + "mlConsent": + MessageLookupByLibrary.simpleMessage("Enable machine learning"), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "I understand, and wish to enable machine learning"), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "If you enable machine learning, Ente will extract information like face geometry from files, including those shared with you.\n\nThis will happen on your device, and any generated biometric information will be end-to-end encrypted."), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Please click here for more details about this feature in our privacy policy"), + "mlConsentTitle": + MessageLookupByLibrary.simpleMessage("Enable machine learning?"), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Please note that machine learning will result in a higher bandwidth and battery usage until all items are indexed. Consider using the desktop app for faster indexing, all results will be synced automatically."), + "mobileWebDesktop": + MessageLookupByLibrary.simpleMessage("Mobile, Web, Desktop"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Moderate"), + "modifyYourQueryOrTrySearchingFor": + MessageLookupByLibrary.simpleMessage( + "Modify your query, or try searching for"), + "moments": MessageLookupByLibrary.simpleMessage("Moments"), + "month": MessageLookupByLibrary.simpleMessage("month"), + "monthly": MessageLookupByLibrary.simpleMessage("Monthly"), + "moon": MessageLookupByLibrary.simpleMessage("In the moonlight"), + "moreDetails": MessageLookupByLibrary.simpleMessage("More details"), + "mostRecent": MessageLookupByLibrary.simpleMessage("Most recent"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("Most relevant"), + "mountains": MessageLookupByLibrary.simpleMessage("Over the hills"), + "moveItem": m51, + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "Move selected photos to one date"), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("Move to album"), + "moveToHiddenAlbum": + MessageLookupByLibrary.simpleMessage("Move to hidden album"), + "movedSuccessfullyTo": m52, + "movedToTrash": MessageLookupByLibrary.simpleMessage("Moved to trash"), + "movingFilesToAlbum": + MessageLookupByLibrary.simpleMessage("Moving files to album..."), + "name": MessageLookupByLibrary.simpleMessage("Name"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Name the album"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Unable to connect to Ente, please retry after sometime. If the error persists, please contact support."), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Unable to connect to Ente, please check your network settings and contact support if the error persists."), + "never": MessageLookupByLibrary.simpleMessage("Never"), + "newAlbum": MessageLookupByLibrary.simpleMessage("New album"), + "newLocation": MessageLookupByLibrary.simpleMessage("New location"), + "newPerson": MessageLookupByLibrary.simpleMessage("New person"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" new 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("New range"), + "newToEnte": MessageLookupByLibrary.simpleMessage("New to Ente"), + "newest": MessageLookupByLibrary.simpleMessage("Newest"), + "next": MessageLookupByLibrary.simpleMessage("Next"), + "no": MessageLookupByLibrary.simpleMessage("No"), + "noAlbumsSharedByYouYet": + MessageLookupByLibrary.simpleMessage("No albums shared by you yet"), + "noDeviceFound": + MessageLookupByLibrary.simpleMessage("No device found"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("None"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "You\'ve no files on this device that can be deleted"), + "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ No duplicates"), + "noEnteAccountExclamation": + MessageLookupByLibrary.simpleMessage("No Ente account!"), + "noExifData": MessageLookupByLibrary.simpleMessage("No EXIF data"), + "noFacesFound": MessageLookupByLibrary.simpleMessage("No faces found"), + "noHiddenPhotosOrVideos": + MessageLookupByLibrary.simpleMessage("No hidden photos or videos"), + "noImagesWithLocation": + MessageLookupByLibrary.simpleMessage("No images with location"), + "noInternetConnection": + MessageLookupByLibrary.simpleMessage("No internet connection"), + "noPhotosAreBeingBackedUpRightNow": + MessageLookupByLibrary.simpleMessage( + "No photos are being backed up right now"), + "noPhotosFoundHere": + MessageLookupByLibrary.simpleMessage("No photos found here"), + "noQuickLinksSelected": + MessageLookupByLibrary.simpleMessage("No quick links selected"), + "noRecoveryKey": + MessageLookupByLibrary.simpleMessage("No recovery key?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Due to the nature of our end-to-end encryption protocol, your data cannot be decrypted without your password or recovery key"), + "noResults": MessageLookupByLibrary.simpleMessage("No results"), + "noResultsFound": + MessageLookupByLibrary.simpleMessage("No results found"), + "noSuggestionsForPerson": m53, + "noSystemLockFound": + MessageLookupByLibrary.simpleMessage("No system lock found"), + "notPersonLabel": m54, + "notThisPerson": + MessageLookupByLibrary.simpleMessage("Not this person?"), + "nothingSharedWithYouYet": + MessageLookupByLibrary.simpleMessage("Nothing shared with you yet"), + "nothingToSeeHere": + MessageLookupByLibrary.simpleMessage("Nothing to see here! 👀"), + "notifications": MessageLookupByLibrary.simpleMessage("Notifications"), + "ok": MessageLookupByLibrary.simpleMessage("Ok"), + "onDevice": MessageLookupByLibrary.simpleMessage("On device"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "On ente"), + "onTheRoad": MessageLookupByLibrary.simpleMessage("On the road again"), + "onThisDay": MessageLookupByLibrary.simpleMessage("On this day"), + "onThisDayMemories": + MessageLookupByLibrary.simpleMessage("On this day memories"), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "Receive reminders about memories from this day in previous years."), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Only them"), + "oops": MessageLookupByLibrary.simpleMessage("Oops"), + "oopsCouldNotSaveEdits": + MessageLookupByLibrary.simpleMessage("Oops, could not save edits"), + "oopsSomethingWentWrong": + MessageLookupByLibrary.simpleMessage("Oops, something went wrong"), + "openAlbumInBrowser": + MessageLookupByLibrary.simpleMessage("Open album in browser"), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Please use the web app to add photos to this album"), + "openFile": MessageLookupByLibrary.simpleMessage("Open file"), + "openSettings": MessageLookupByLibrary.simpleMessage("Open Settings"), + "openTheItem": MessageLookupByLibrary.simpleMessage("• Open the item"), + "openstreetmapContributors": + MessageLookupByLibrary.simpleMessage("OpenStreetMap contributors"), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Optional, as short as you like..."), + "orMergeWithExistingPerson": + MessageLookupByLibrary.simpleMessage("Or merge with existing"), + "orPickAnExistingOne": + MessageLookupByLibrary.simpleMessage("Or pick an existing one"), + "orPickFromYourContacts": + MessageLookupByLibrary.simpleMessage("or pick from your contacts"), + "otherDetectedFaces": + MessageLookupByLibrary.simpleMessage("Other detected faces"), + "pair": MessageLookupByLibrary.simpleMessage("Pair"), + "pairWithPin": MessageLookupByLibrary.simpleMessage("Pair with PIN"), + "pairingComplete": + MessageLookupByLibrary.simpleMessage("Pairing complete"), + "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), + "partyWithThem": m56, + "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( + "Verification is still pending"), + "passkey": MessageLookupByLibrary.simpleMessage("Passkey"), + "passkeyAuthTitle": + MessageLookupByLibrary.simpleMessage("Passkey verification"), + "password": MessageLookupByLibrary.simpleMessage("Password"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Password changed successfully"), + "passwordLock": MessageLookupByLibrary.simpleMessage("Password lock"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "Password strength is calculated considering the length of the password, used characters, and whether or not the password appears in the top 10,000 most used passwords"), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "We don\'t store this password, so if you forget, we cannot decrypt your data"), + "pastYearsMemories": + MessageLookupByLibrary.simpleMessage("Past years\' memories"), + "paymentDetails": + MessageLookupByLibrary.simpleMessage("Payment details"), + "paymentFailed": MessageLookupByLibrary.simpleMessage("Payment failed"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "Unfortunately your payment failed. Please contact support and we\'ll help you out!"), + "paymentFailedTalkToProvider": m58, + "pendingItems": MessageLookupByLibrary.simpleMessage("Pending items"), + "pendingSync": MessageLookupByLibrary.simpleMessage("Pending sync"), + "people": MessageLookupByLibrary.simpleMessage("People"), + "peopleUsingYourCode": + MessageLookupByLibrary.simpleMessage("People using your code"), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Select the people you wish to see on your homescreen."), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "All items in trash will be permanently deleted\n\nThis action cannot be undone"), + "permanentlyDelete": + MessageLookupByLibrary.simpleMessage("Permanently delete"), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Permanently delete from device?"), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("Person name"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("Furry companions"), + "photoDescriptions": + MessageLookupByLibrary.simpleMessage("Photo descriptions"), + "photoGridSize": + MessageLookupByLibrary.simpleMessage("Photo grid size"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("photo"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("Photos"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "Photos added by you will be removed from the album"), + "photosCount": m62, + "photosKeepRelativeTimeDifference": + MessageLookupByLibrary.simpleMessage( + "Photos keep relative time difference"), + "pickCenterPoint": + MessageLookupByLibrary.simpleMessage("Pick center point"), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Pin album"), + "pinLock": MessageLookupByLibrary.simpleMessage("PIN lock"), + "playOnTv": MessageLookupByLibrary.simpleMessage("Play album on TV"), + "playOriginal": MessageLookupByLibrary.simpleMessage("Play original"), + "playStoreFreeTrialValidTill": m63, + "playStream": MessageLookupByLibrary.simpleMessage("Play stream"), + "playstoreSubscription": + MessageLookupByLibrary.simpleMessage("PlayStore subscription"), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Please check your internet connection and try again."), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Please contact support@ente.io and we will be happy to help!"), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Please contact support if the problem persists"), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": + MessageLookupByLibrary.simpleMessage("Please grant permissions"), + "pleaseLoginAgain": + MessageLookupByLibrary.simpleMessage("Please login again"), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Please select quick links to remove"), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": + MessageLookupByLibrary.simpleMessage("Please try again"), + "pleaseVerifyTheCodeYouHaveEntered": + MessageLookupByLibrary.simpleMessage( + "Please verify the code you have entered"), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Please wait..."), + "pleaseWaitDeletingAlbum": + MessageLookupByLibrary.simpleMessage("Please wait, deleting album"), + "pleaseWaitForSometimeBeforeRetrying": + MessageLookupByLibrary.simpleMessage( + "Please wait for sometime before retrying"), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "Please wait, this will take a while."), + "posingWithThem": m66, + "preparingLogs": + MessageLookupByLibrary.simpleMessage("Preparing logs..."), + "preserveMore": MessageLookupByLibrary.simpleMessage("Preserve more"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Press and hold to play video"), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Press and hold on the image to play video"), + "previous": MessageLookupByLibrary.simpleMessage("Previous"), + "privacy": MessageLookupByLibrary.simpleMessage("Privacy"), + "privacyPolicyTitle": + MessageLookupByLibrary.simpleMessage("Privacy Policy"), + "privateBackups": + MessageLookupByLibrary.simpleMessage("Private backups"), + "privateSharing": + MessageLookupByLibrary.simpleMessage("Private sharing"), + "proceed": MessageLookupByLibrary.simpleMessage("Proceed"), + "processed": MessageLookupByLibrary.simpleMessage("Processed"), + "processing": MessageLookupByLibrary.simpleMessage("Processing"), + "processingImport": m67, + "processingVideos": + MessageLookupByLibrary.simpleMessage("Processing videos"), + "publicLinkCreated": + MessageLookupByLibrary.simpleMessage("Public link created"), + "publicLinkEnabled": + MessageLookupByLibrary.simpleMessage("Public link enabled"), + "questionmark": MessageLookupByLibrary.simpleMessage("?"), + "queued": MessageLookupByLibrary.simpleMessage("Queued"), + "quickLinks": MessageLookupByLibrary.simpleMessage("Quick links"), + "radius": MessageLookupByLibrary.simpleMessage("Radius"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Raise ticket"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("Rate the app"), + "rateUs": MessageLookupByLibrary.simpleMessage("Rate us"), + "rateUsOnStore": m68, + "reassignMe": MessageLookupByLibrary.simpleMessage("Reassign \"Me\""), + "reassignedToName": m69, + "reassigningLoading": + MessageLookupByLibrary.simpleMessage("Reassigning..."), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Receive reminders when it\'s someone\'s birthday. Tapping on the notification will take you to photos of the birthday person."), + "recover": MessageLookupByLibrary.simpleMessage("Recover"), + "recoverAccount": + MessageLookupByLibrary.simpleMessage("Recover account"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Recover"), + "recoveryAccount": + MessageLookupByLibrary.simpleMessage("Recover account"), + "recoveryInitiated": + MessageLookupByLibrary.simpleMessage("Recovery initiated"), + "recoveryInitiatedDesc": m70, + "recoveryKey": MessageLookupByLibrary.simpleMessage("Recovery key"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Recovery key copied to clipboard"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "If you forget your password, the only way you can recover your data is with this key."), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "We don\'t store this key, please save this 24 word key in a safe place."), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Great! Your recovery key is valid. Thank you for verifying.\n\nPlease remember to keep your recovery key safely backed up."), + "recoveryKeyVerified": + MessageLookupByLibrary.simpleMessage("Recovery key verified"), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Your recovery key is the only way to recover your photos if you forget your password. You can find your recovery key in Settings > Account.\n\nPlease enter your recovery key here to verify that you have saved it correctly."), + "recoveryReady": m71, + "recoverySuccessful": + MessageLookupByLibrary.simpleMessage("Recovery successful!"), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "A trusted contact is trying to access your account"), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "The current device is not powerful enough to verify your password, but we can regenerate in a way that works with all devices.\n\nPlease login using your recovery key and regenerate your password (you can use the same one again if you wish)."), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("Recreate password"), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": + MessageLookupByLibrary.simpleMessage("Re-enter password"), + "reenterPin": MessageLookupByLibrary.simpleMessage("Re-enter PIN"), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Refer friends and 2x your plan"), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Give this code to your friends"), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. They sign up for a paid plan"), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Referrals"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "Referrals are currently paused"), + "rejectRecovery": + MessageLookupByLibrary.simpleMessage("Reject recovery"), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "Also empty \"Recently Deleted\" from \"Settings\" -> \"Storage\" to claim the freed space"), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Also empty your \"Trash\" to claim the freed up space"), + "remoteImages": MessageLookupByLibrary.simpleMessage("Remote images"), + "remoteThumbnails": + MessageLookupByLibrary.simpleMessage("Remote thumbnails"), + "remoteVideos": MessageLookupByLibrary.simpleMessage("Remote videos"), + "remove": MessageLookupByLibrary.simpleMessage("Remove"), + "removeDuplicates": + MessageLookupByLibrary.simpleMessage("Remove duplicates"), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Review and remove files that are exact duplicates."), + "removeFromAlbum": + MessageLookupByLibrary.simpleMessage("Remove from album"), + "removeFromAlbumTitle": + MessageLookupByLibrary.simpleMessage("Remove from album?"), + "removeFromFavorite": + MessageLookupByLibrary.simpleMessage("Remove from favorites"), + "removeInvite": MessageLookupByLibrary.simpleMessage("Remove invite"), + "removeLink": MessageLookupByLibrary.simpleMessage("Remove link"), + "removeParticipant": + MessageLookupByLibrary.simpleMessage("Remove participant"), + "removeParticipantBody": m74, + "removePersonLabel": + MessageLookupByLibrary.simpleMessage("Remove person label"), + "removePublicLink": + MessageLookupByLibrary.simpleMessage("Remove public link"), + "removePublicLinks": + MessageLookupByLibrary.simpleMessage("Remove public links"), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Some of the items you are removing were added by other people, and you will lose access to them"), + "removeWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Remove?"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Remove yourself as trusted contact"), + "removingFromFavorites": + MessageLookupByLibrary.simpleMessage("Removing from favorites..."), + "rename": MessageLookupByLibrary.simpleMessage("Rename"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("Rename album"), + "renameFile": MessageLookupByLibrary.simpleMessage("Rename file"), + "renewSubscription": + MessageLookupByLibrary.simpleMessage("Renew subscription"), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Report a bug"), + "reportBug": MessageLookupByLibrary.simpleMessage("Report bug"), + "resendEmail": MessageLookupByLibrary.simpleMessage("Resend email"), + "reset": MessageLookupByLibrary.simpleMessage("Reset"), + "resetIgnoredFiles": + MessageLookupByLibrary.simpleMessage("Reset ignored files"), + "resetPasswordTitle": + MessageLookupByLibrary.simpleMessage("Reset password"), + "resetPerson": MessageLookupByLibrary.simpleMessage("Remove"), + "resetToDefault": + MessageLookupByLibrary.simpleMessage("Reset to default"), + "restore": MessageLookupByLibrary.simpleMessage("Restore"), + "restoreToAlbum": + MessageLookupByLibrary.simpleMessage("Restore to album"), + "restoringFiles": + MessageLookupByLibrary.simpleMessage("Restoring files..."), + "resumableUploads": + MessageLookupByLibrary.simpleMessage("Resumable uploads"), + "retry": MessageLookupByLibrary.simpleMessage("Retry"), + "review": MessageLookupByLibrary.simpleMessage("Review"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Please review and delete the items you believe are duplicates."), + "reviewSuggestions": + MessageLookupByLibrary.simpleMessage("Review suggestions"), + "right": MessageLookupByLibrary.simpleMessage("Right"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("Rotate"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Rotate left"), + "rotateRight": MessageLookupByLibrary.simpleMessage("Rotate right"), + "safelyStored": MessageLookupByLibrary.simpleMessage("Safely stored"), + "same": MessageLookupByLibrary.simpleMessage("Same"), + "sameperson": MessageLookupByLibrary.simpleMessage("Same person?"), + "save": MessageLookupByLibrary.simpleMessage("Save"), + "saveAsAnotherPerson": + MessageLookupByLibrary.simpleMessage("Save as another person"), + "saveChangesBeforeLeavingQuestion": + MessageLookupByLibrary.simpleMessage( + "Save changes before leaving?"), + "saveCollage": MessageLookupByLibrary.simpleMessage("Save collage"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Save copy"), + "saveKey": MessageLookupByLibrary.simpleMessage("Save key"), + "savePerson": MessageLookupByLibrary.simpleMessage("Save person"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Save your recovery key if you haven\'t already"), + "saving": MessageLookupByLibrary.simpleMessage("Saving..."), + "savingEdits": MessageLookupByLibrary.simpleMessage("Saving edits..."), + "scanCode": MessageLookupByLibrary.simpleMessage("Scan code"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Scan this barcode with\nyour authenticator app"), + "search": MessageLookupByLibrary.simpleMessage("Search"), + "searchAlbumsEmptySection": + MessageLookupByLibrary.simpleMessage("Albums"), + "searchByAlbumNameHint": + MessageLookupByLibrary.simpleMessage("Album name"), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Album names (e.g. \"Camera\")\n• Types of files (e.g. \"Videos\", \".gif\")\n• Years and months (e.g. \"2022\", \"January\")\n• Holidays (e.g. \"Christmas\")\n• Photo descriptions (e.g. “#fun”)"), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Add descriptions like \"#trip\" in photo info to quickly find them here"), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Search by a date, month or year"), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "Images will be shown here once processing and syncing is complete"), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "People will be shown here once indexing is done"), + "searchFileTypesAndNamesEmptySection": + MessageLookupByLibrary.simpleMessage("File types and names"), + "searchHint1": + MessageLookupByLibrary.simpleMessage("Fast, on-device search"), + "searchHint2": + MessageLookupByLibrary.simpleMessage("Photo dates, descriptions"), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "Albums, file names, and types"), + "searchHint4": MessageLookupByLibrary.simpleMessage("Location"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "Coming soon: Faces & magic search ✨"), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Group photos that are taken within some radius of a photo"), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "Invite people, and you\'ll see all photos shared by them here"), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "People will be shown here once processing and syncing is complete"), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Security"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "See public album links in app"), + "selectALocation": + MessageLookupByLibrary.simpleMessage("Select a location"), + "selectALocationFirst": + MessageLookupByLibrary.simpleMessage("Select a location first"), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Select album"), + "selectAll": MessageLookupByLibrary.simpleMessage("Select all"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("All"), + "selectCoverPhoto": + MessageLookupByLibrary.simpleMessage("Select cover photo"), + "selectDate": MessageLookupByLibrary.simpleMessage("Select date"), + "selectFoldersForBackup": + MessageLookupByLibrary.simpleMessage("Select folders for backup"), + "selectItemsToAdd": + MessageLookupByLibrary.simpleMessage("Select items to add"), + "selectLanguage": + MessageLookupByLibrary.simpleMessage("Select Language"), + "selectMailApp": + MessageLookupByLibrary.simpleMessage("Select mail app"), + "selectMorePhotos": + MessageLookupByLibrary.simpleMessage("Select more photos"), + "selectOneDateAndTime": + MessageLookupByLibrary.simpleMessage("Select one date and time"), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "Select one date and time for all"), + "selectPersonToLink": + MessageLookupByLibrary.simpleMessage("Select person to link"), + "selectReason": MessageLookupByLibrary.simpleMessage("Select reason"), + "selectStartOfRange": + MessageLookupByLibrary.simpleMessage("Select start of range"), + "selectTime": MessageLookupByLibrary.simpleMessage("Select time"), + "selectYourFace": + MessageLookupByLibrary.simpleMessage("Select your face"), + "selectYourPlan": + MessageLookupByLibrary.simpleMessage("Select your plan"), + "selectedAlbums": m79, + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Selected files are not on Ente"), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Selected folders will be encrypted and backed up"), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Selected items will be deleted from all albums and moved to trash."), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "Selected items will be removed from this person, but not deleted from your library."), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("Send"), + "sendEmail": MessageLookupByLibrary.simpleMessage("Send email"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Send invite"), + "sendLink": MessageLookupByLibrary.simpleMessage("Send link"), + "serverEndpoint": + MessageLookupByLibrary.simpleMessage("Server endpoint"), + "sessionExpired": + MessageLookupByLibrary.simpleMessage("Session expired"), + "sessionIdMismatch": + MessageLookupByLibrary.simpleMessage("Session ID mismatch"), + "setAPassword": MessageLookupByLibrary.simpleMessage("Set a password"), + "setAs": MessageLookupByLibrary.simpleMessage("Set as"), + "setCover": MessageLookupByLibrary.simpleMessage("Set cover"), + "setLabel": MessageLookupByLibrary.simpleMessage("Set"), + "setNewPassword": + MessageLookupByLibrary.simpleMessage("Set new password"), + "setNewPin": MessageLookupByLibrary.simpleMessage("Set new PIN"), + "setPasswordTitle": + MessageLookupByLibrary.simpleMessage("Set password"), + "setRadius": MessageLookupByLibrary.simpleMessage("Set radius"), + "setupComplete": MessageLookupByLibrary.simpleMessage("Setup complete"), + "share": MessageLookupByLibrary.simpleMessage("Share"), + "shareALink": MessageLookupByLibrary.simpleMessage("Share a link"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Open an album and tap the share button on the top right to share."), + "shareAnAlbumNow": + MessageLookupByLibrary.simpleMessage("Share an album now"), + "shareLink": MessageLookupByLibrary.simpleMessage("Share link"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Share only with the people you want"), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Download Ente so we can easily share original quality photos and videos\n\nhttps://ente.io"), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": + MessageLookupByLibrary.simpleMessage("Share with non-Ente users"), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": + MessageLookupByLibrary.simpleMessage("Share your first album"), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Create shared and collaborative albums with other Ente users, including users on free plans."), + "sharedByMe": MessageLookupByLibrary.simpleMessage("Shared by me"), + "sharedByYou": MessageLookupByLibrary.simpleMessage("Shared by you"), + "sharedPhotoNotifications": + MessageLookupByLibrary.simpleMessage("New shared photos"), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Receive notifications when someone adds a photo to a shared album that you\'re a part of"), + "sharedWith": m87, + "sharedWithMe": MessageLookupByLibrary.simpleMessage("Shared with me"), + "sharedWithYou": + MessageLookupByLibrary.simpleMessage("Shared with you"), + "sharing": MessageLookupByLibrary.simpleMessage("Sharing..."), + "shiftDatesAndTime": + MessageLookupByLibrary.simpleMessage("Shift dates and time"), + "shouldRemoveFilesSmartAlbumsDesc": MessageLookupByLibrary.simpleMessage( + "Should the files related to the person that were previously selected in smart albums be removed?"), + "showLessFaces": + MessageLookupByLibrary.simpleMessage("Show less faces"), + "showMemories": MessageLookupByLibrary.simpleMessage("Show memories"), + "showMoreFaces": + MessageLookupByLibrary.simpleMessage("Show more faces"), + "showPerson": MessageLookupByLibrary.simpleMessage("Show person"), + "signOutFromOtherDevices": + MessageLookupByLibrary.simpleMessage("Sign out from other devices"), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "If you think someone might know your password, you can force all other devices using your account to sign out."), + "signOutOtherDevices": + MessageLookupByLibrary.simpleMessage("Sign out other devices"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "I agree to the terms of service and privacy policy"), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "It will be deleted from all albums."), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Skip"), + "smartMemories": MessageLookupByLibrary.simpleMessage("Smart memories"), + "social": MessageLookupByLibrary.simpleMessage("Social"), + "someItemsAreInBothEnteAndYourDevice": + MessageLookupByLibrary.simpleMessage( + "Some items are in both Ente and your device."), + "someOfTheFilesYouAreTryingToDeleteAre": + MessageLookupByLibrary.simpleMessage( + "Some of the files you are trying to delete are only available on your device and cannot be recovered if deleted"), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Someone sharing albums with you should see the same ID on their device."), + "somethingWentWrong": + MessageLookupByLibrary.simpleMessage("Something went wrong"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Something went wrong, please try again"), + "sorry": MessageLookupByLibrary.simpleMessage("Sorry"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "Sorry, we could not backup this file right now, we will retry later."), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Sorry, could not add to favorites!"), + "sorryCouldNotRemoveFromFavorites": + MessageLookupByLibrary.simpleMessage( + "Sorry, could not remove from favorites!"), + "sorryTheCodeYouveEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "Sorry, the code you\'ve entered is incorrect"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Sorry, we could not generate secure keys on this device.\n\nplease sign up from a different device."), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Sorry, we had to pause your backups"), + "sort": MessageLookupByLibrary.simpleMessage("Sort"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sort by"), + "sortNewestFirst": MessageLookupByLibrary.simpleMessage("Newest first"), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Oldest first"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Success"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": + MessageLookupByLibrary.simpleMessage("Spotlight on yourself"), + "startAccountRecoveryTitle": + MessageLookupByLibrary.simpleMessage("Start recovery"), + "startBackup": MessageLookupByLibrary.simpleMessage("Start backup"), + "status": MessageLookupByLibrary.simpleMessage("Status"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "Do you want to stop casting?"), + "stopCastingTitle": + MessageLookupByLibrary.simpleMessage("Stop casting"), + "storage": MessageLookupByLibrary.simpleMessage("Storage"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Family"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("You"), + "storageInGB": m93, + "storageLimitExceeded": + MessageLookupByLibrary.simpleMessage("Storage limit exceeded"), + "storageUsageInfo": m94, + "streamDetails": MessageLookupByLibrary.simpleMessage("Stream details"), + "strongStrength": MessageLookupByLibrary.simpleMessage("Strong"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Subscribe"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "You need an active paid subscription to enable sharing."), + "subscription": MessageLookupByLibrary.simpleMessage("Subscription"), + "success": MessageLookupByLibrary.simpleMessage("Success"), + "successfullyArchived": + MessageLookupByLibrary.simpleMessage("Successfully archived"), + "successfullyHid": + MessageLookupByLibrary.simpleMessage("Successfully hid"), + "successfullyUnarchived": + MessageLookupByLibrary.simpleMessage("Successfully unarchived"), + "successfullyUnhid": + MessageLookupByLibrary.simpleMessage("Successfully unhid"), + "suggestFeatures": + MessageLookupByLibrary.simpleMessage("Suggest features"), + "sunrise": MessageLookupByLibrary.simpleMessage("On the horizon"), + "support": MessageLookupByLibrary.simpleMessage("Support"), + "syncProgress": m97, + "syncStopped": MessageLookupByLibrary.simpleMessage("Sync stopped"), + "syncing": MessageLookupByLibrary.simpleMessage("Syncing..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("System"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("tap to copy"), + "tapToEnterCode": + MessageLookupByLibrary.simpleMessage("Tap to enter code"), + "tapToUnlock": MessageLookupByLibrary.simpleMessage("Tap to unlock"), + "tapToUpload": MessageLookupByLibrary.simpleMessage("Tap to upload"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "It looks like something went wrong. Please retry after some time. If the error persists, please contact our support team."), + "terminate": MessageLookupByLibrary.simpleMessage("Terminate"), + "terminateSession": + MessageLookupByLibrary.simpleMessage("Terminate session?"), + "terms": MessageLookupByLibrary.simpleMessage("Terms"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Terms"), + "thankYou": MessageLookupByLibrary.simpleMessage("Thank you"), + "thankYouForSubscribing": + MessageLookupByLibrary.simpleMessage("Thank you for subscribing!"), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "The download could not be completed"), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "The link you are trying to access has expired."), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "The person groups will not be displayed in the people section anymore. Photos will remain untouched."), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "The person will not be displayed in the people section anymore. Photos will remain untouched."), + "theRecoveryKeyYouEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "The recovery key you entered is incorrect"), + "theme": MessageLookupByLibrary.simpleMessage("Theme"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "These items will be deleted from your device."), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "They will be deleted from all albums."), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "This action cannot be undone"), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "This album already has a collaborative link"), + "thisCanBeUsedToRecoverYourAccountIfYou": + MessageLookupByLibrary.simpleMessage( + "This can be used to recover your account if you lose your second factor"), + "thisDevice": MessageLookupByLibrary.simpleMessage("This device"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "This email is already in use"), + "thisImageHasNoExifData": + MessageLookupByLibrary.simpleMessage("This image has no exif data"), + "thisIsMeExclamation": + MessageLookupByLibrary.simpleMessage("This is me!"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "This is your Verification ID"), + "thisWeekThroughTheYears": + MessageLookupByLibrary.simpleMessage("This week through the years"), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "This will log you out of the following device:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "This will log you out of this device!"), + "thisWillMakeTheDateAndTimeOfAllSelected": + MessageLookupByLibrary.simpleMessage( + "This will make the date and time of all selected photos the same."), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "This will remove public links of all selected quick links."), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "To enable app lock, please setup device passcode or screen lock in your system settings."), + "toHideAPhotoOrVideo": + MessageLookupByLibrary.simpleMessage("To hide a photo or video"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "To reset your password, please verify your email first."), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Today\'s logs"), + "tooManyIncorrectAttempts": + MessageLookupByLibrary.simpleMessage("Too many incorrect attempts"), + "total": MessageLookupByLibrary.simpleMessage("total"), + "totalSize": MessageLookupByLibrary.simpleMessage("Total size"), + "trash": MessageLookupByLibrary.simpleMessage("Trash"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Trim"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": + MessageLookupByLibrary.simpleMessage("Trusted contacts"), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Try again"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Turn on backup to automatically upload files added to this device folder to Ente."), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "2 months free on yearly plans"), + "twofactor": MessageLookupByLibrary.simpleMessage("Two-factor"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "Two-factor authentication has been disabled"), + "twofactorAuthenticationPageTitle": + MessageLookupByLibrary.simpleMessage("Two-factor authentication"), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "Two-factor authentication successfully reset"), + "twofactorSetup": + MessageLookupByLibrary.simpleMessage("Two-factor setup"), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("Unarchive"), + "unarchiveAlbum": + MessageLookupByLibrary.simpleMessage("Unarchive album"), + "unarchiving": MessageLookupByLibrary.simpleMessage("Unarchiving..."), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Sorry, this code is unavailable."), + "uncategorized": MessageLookupByLibrary.simpleMessage("Uncategorized"), + "unhide": MessageLookupByLibrary.simpleMessage("Unhide"), + "unhideToAlbum": + MessageLookupByLibrary.simpleMessage("Unhide to album"), + "unhiding": MessageLookupByLibrary.simpleMessage("Unhiding..."), + "unhidingFilesToAlbum": + MessageLookupByLibrary.simpleMessage("Unhiding files to album"), + "unlock": MessageLookupByLibrary.simpleMessage("Unlock"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("Unpin album"), + "unselectAll": MessageLookupByLibrary.simpleMessage("Unselect all"), + "update": MessageLookupByLibrary.simpleMessage("Update"), + "updateAvailable": + MessageLookupByLibrary.simpleMessage("Update available"), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Updating folder selection..."), + "upgrade": MessageLookupByLibrary.simpleMessage("Upgrade"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": + MessageLookupByLibrary.simpleMessage("Uploading files to album..."), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": + MessageLookupByLibrary.simpleMessage("Preserving 1 memory..."), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "Upto 50% off, until 4th Dec."), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "Usable storage is limited by your current plan. Excess claimed storage will automatically become usable when you upgrade your plan."), + "useAsCover": MessageLookupByLibrary.simpleMessage("Use as cover"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "Having trouble playing this video? Long press here to try a different player."), + "usePublicLinksForPeopleNotOnEnte": + MessageLookupByLibrary.simpleMessage( + "Use public links for people not on Ente"), + "useRecoveryKey": + MessageLookupByLibrary.simpleMessage("Use recovery key"), + "useSelectedPhoto": + MessageLookupByLibrary.simpleMessage("Use selected photo"), + "usedSpace": MessageLookupByLibrary.simpleMessage("Used space"), + "validTill": m110, + "verificationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Verification failed, please try again"), + "verificationId": + MessageLookupByLibrary.simpleMessage("Verification ID"), + "verify": MessageLookupByLibrary.simpleMessage("Verify"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("Verify email"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Verify"), + "verifyPasskey": MessageLookupByLibrary.simpleMessage("Verify passkey"), + "verifyPassword": + MessageLookupByLibrary.simpleMessage("Verify password"), + "verifying": MessageLookupByLibrary.simpleMessage("Verifying..."), + "verifyingRecoveryKey": + MessageLookupByLibrary.simpleMessage("Verifying recovery key..."), + "videoInfo": MessageLookupByLibrary.simpleMessage("Video Info"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), + "videoStreaming": + MessageLookupByLibrary.simpleMessage("Streamable videos"), + "videos": MessageLookupByLibrary.simpleMessage("Videos"), + "viewActiveSessions": + MessageLookupByLibrary.simpleMessage("View active sessions"), + "viewAddOnButton": MessageLookupByLibrary.simpleMessage("View add-ons"), + "viewAll": MessageLookupByLibrary.simpleMessage("View all"), + "viewAllExifData": + MessageLookupByLibrary.simpleMessage("View all EXIF data"), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Large files"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "View files that are consuming the most amount of storage."), + "viewLogs": MessageLookupByLibrary.simpleMessage("View logs"), + "viewPersonToUnlink": m112, + "viewRecoveryKey": + MessageLookupByLibrary.simpleMessage("View recovery key"), + "viewer": MessageLookupByLibrary.simpleMessage("Viewer"), + "viewersSuccessfullyAdded": m113, + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Please visit web.ente.io to manage your subscription"), + "waitingForVerification": + MessageLookupByLibrary.simpleMessage("Waiting for verification..."), + "waitingForWifi": + MessageLookupByLibrary.simpleMessage("Waiting for WiFi..."), + "warning": MessageLookupByLibrary.simpleMessage("Warning"), + "weAreOpenSource": + MessageLookupByLibrary.simpleMessage("We are open source!"), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "We don\'t support editing photos and albums that you don\'t own yet"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Weak"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("Welcome back!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("What\'s new"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "Trusted contact can help in recovering your data."), + "widgets": MessageLookupByLibrary.simpleMessage("Widgets"), + "wishThemAHappyBirthday": m115, + "yearShort": MessageLookupByLibrary.simpleMessage("yr"), + "yearly": MessageLookupByLibrary.simpleMessage("Yearly"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Yes"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Yes, cancel"), + "yesConvertToViewer": + MessageLookupByLibrary.simpleMessage("Yes, convert to viewer"), + "yesDelete": MessageLookupByLibrary.simpleMessage("Yes, delete"), + "yesDiscardChanges": + MessageLookupByLibrary.simpleMessage("Yes, discard changes"), + "yesIgnore": MessageLookupByLibrary.simpleMessage("Yes, ignore"), + "yesLogout": MessageLookupByLibrary.simpleMessage("Yes, logout"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Yes, remove"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Yes, Renew"), + "yesResetPerson": + MessageLookupByLibrary.simpleMessage("Yes, reset person"), + "you": MessageLookupByLibrary.simpleMessage("You"), + "youAndThem": m117, + "youAreOnAFamilyPlan": + MessageLookupByLibrary.simpleMessage("You are on a family plan!"), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "You are on the latest version"), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* You can at max double your storage"), + "youCanManageYourLinksInTheShareTab": + MessageLookupByLibrary.simpleMessage( + "You can manage your links in the share tab."), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "You can try searching for a different query."), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "You cannot downgrade to this plan"), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "You cannot share with yourself"), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "You don\'t have any archived items."), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "Your account has been deleted"), + "yourMap": MessageLookupByLibrary.simpleMessage("Your map"), + "yourPlanWasSuccessfullyDowngraded": + MessageLookupByLibrary.simpleMessage( + "Your plan was successfully downgraded"), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "Your plan was successfully upgraded"), + "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( + "Your purchase was successful"), + "yourStorageDetailsCouldNotBeFetched": + MessageLookupByLibrary.simpleMessage( + "Your storage details could not be fetched"), + "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( + "Your subscription has expired"), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "Your subscription was updated successfully"), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "Your verification code has expired"), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "You don\'t have any duplicate files that can be cleared"), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "You\'ve no files in this album that can be deleted"), + "zoomOutToSeePhotos": + MessageLookupByLibrary.simpleMessage("Zoom out to see photos") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_es.dart b/mobile/apps/photos/lib/generated/intl/messages_es.dart index 1d28be08c2..ccf7609a73 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_es.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_es.dart @@ -57,7 +57,13 @@ class MessageLookup extends MessageLookupByLibrary { "${user} no podrá añadir más fotos a este álbum\n\nTodavía podrán eliminar las fotos ya añadidas por ellos"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, {'true': 'Tu familia ha obtenido ${storageAmountInGb} GB hasta el momento', 'false': 'Tú has obtenido ${storageAmountInGb} GB hasta el momento', 'other': '¡Tú has obtenido ${storageAmountInGb} GB hasta el momento!'})}"; + "${Intl.select(isFamilyMember, { + 'true': + 'Tu familia ha obtenido ${storageAmountInGb} GB hasta el momento', + 'false': 'Tú has obtenido ${storageAmountInGb} GB hasta el momento', + 'other': + '¡Tú has obtenido ${storageAmountInGb} GB hasta el momento!', + })}"; static String m15(albumName) => "Enlace colaborativo creado para ${albumName}"; @@ -263,11 +269,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, - usedStorageUnit, - totalAmount, - totalStorageUnit, - ) => + usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => "${usedAmount} ${usedStorageUnit} de ${totalAmount} ${totalStorageUnit} usados"; static String m95(id) => @@ -333,2579 +335,2034 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Hay una nueva versión de Ente disponible.", - ), - "about": MessageLookupByLibrary.simpleMessage("Acerca de"), - "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( - "Aceptar invitación", - ), - "account": MessageLookupByLibrary.simpleMessage("Cuenta"), - "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( - "La cuenta ya está configurada.", - ), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( - "¡Bienvenido de nuevo!", - ), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Entiendo que si pierdo mi contraseña podría perder mis datos, ya que mis datos están cifrados de extremo a extremo.", - ), - "actionNotSupportedOnFavouritesAlbum": MessageLookupByLibrary.simpleMessage( - "Acción no compatible con el álbum de Favoritos", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage("Sesiones activas"), - "add": MessageLookupByLibrary.simpleMessage("Añadir"), - "addAName": MessageLookupByLibrary.simpleMessage("Añade un nombre"), - "addANewEmail": MessageLookupByLibrary.simpleMessage( - "Agregar nuevo correo electrónico", - ), - "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Añade un widget de álbum a tu pantalla de inicio y vuelve aquí para personalizarlo.", - ), - "addCollaborator": MessageLookupByLibrary.simpleMessage( - "Agregar colaborador", - ), - "addCollaborators": m1, - "addFiles": MessageLookupByLibrary.simpleMessage("Añadir archivos"), - "addFromDevice": MessageLookupByLibrary.simpleMessage( - "Agregar desde el dispositivo", - ), - "addItem": m2, - "addLocation": MessageLookupByLibrary.simpleMessage("Agregar ubicación"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Añadir"), - "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Añade un widget de recuerdos a tu pantalla de inicio y vuelve aquí para personalizarlo.", - ), - "addMore": MessageLookupByLibrary.simpleMessage("Añadir más"), - "addName": MessageLookupByLibrary.simpleMessage("Añadir nombre"), - "addNameOrMerge": MessageLookupByLibrary.simpleMessage( - "Añadir nombre o combinar", - ), - "addNew": MessageLookupByLibrary.simpleMessage("Añadir nuevo"), - "addNewPerson": MessageLookupByLibrary.simpleMessage( - "Añadir nueva persona", - ), - "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( - "Detalles de los complementos", - ), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("Complementos"), - "addParticipants": MessageLookupByLibrary.simpleMessage( - "Añadir participantes", - ), - "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Añade un widget de personas a tu pantalla de inicio y vuelve aquí para personalizarlo.", - ), - "addPhotos": MessageLookupByLibrary.simpleMessage("Agregar fotos"), - "addSelected": MessageLookupByLibrary.simpleMessage("Agregar selección"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("Añadir al álbum"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Añadir a Ente"), - "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Añadir al álbum oculto", - ), - "addTrustedContact": MessageLookupByLibrary.simpleMessage( - "Añadir contacto de confianza", - ), - "addViewer": MessageLookupByLibrary.simpleMessage("Añadir espectador"), - "addViewers": m4, - "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( - "Añade tus fotos ahora", - ), - "addedAs": MessageLookupByLibrary.simpleMessage("Agregado como"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": MessageLookupByLibrary.simpleMessage( - "Añadiendo a favoritos...", - ), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("Avanzado"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Avanzado"), - "after1Day": MessageLookupByLibrary.simpleMessage("Después de un día"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Después de 1 hora"), - "after1Month": MessageLookupByLibrary.simpleMessage("Después de un mes"), - "after1Week": MessageLookupByLibrary.simpleMessage("Después de una semana"), - "after1Year": MessageLookupByLibrary.simpleMessage("Después de un año"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Propietario"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Título del álbum"), - "albumUpdated": MessageLookupByLibrary.simpleMessage("Álbum actualizado"), - "albums": MessageLookupByLibrary.simpleMessage("Álbumes"), - "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Seleccione los álbumes que desea ver en su pantalla de inicio.", - ), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Todo limpio"), - "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( - "Todos los recuerdos preservados", - ), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "Se eliminarán todas las agrupaciones para esta persona, y se eliminarán todas sus sugerencias", - ), - "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": - MessageLookupByLibrary.simpleMessage( - "Todos los grupos sin nombre se combinarán en la persona seleccionada. Esto puede deshacerse desde el historial de sugerencias de la persona.", - ), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "Este es el primero en el grupo. Otras fotos seleccionadas cambiarán automáticamente basándose en esta nueva fecha", - ), - "allow": MessageLookupByLibrary.simpleMessage("Permitir"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Permitir a las personas con el enlace añadir fotos al álbum compartido.", - ), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( - "Permitir añadir fotos", - ), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "Permitir a la aplicación abrir enlaces de álbum compartidos", - ), - "allowDownloads": MessageLookupByLibrary.simpleMessage( - "Permitir descargas", - ), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Permitir que la gente añada fotos", - ), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Por favor, permite el acceso a tus fotos desde Ajustes para que Ente pueda mostrar y hacer una copia de seguridad de tu biblioteca.", - ), - "allowPermTitle": MessageLookupByLibrary.simpleMessage( - "Permitir el acceso a las fotos", - ), - "androidBiometricHint": MessageLookupByLibrary.simpleMessage( - "Verificar identidad", - ), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "No reconocido. Inténtelo nuevamente.", - ), - "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( - "Autenticación biométrica necesaria", - ), - "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("Listo"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Cancelar"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage( - "Se necesitan credenciales de dispositivo", - ), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage( - "Se necesitan credenciales de dispositivo", - ), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "La autenticación biométrica no está configurada en su dispositivo. \'Ve a Ajustes > Seguridad\' para añadir autenticación biométrica.", - ), - "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( - "Android, iOS, Web, Computadora", - ), - "androidSignInTitle": MessageLookupByLibrary.simpleMessage( - "Se necesita autenticación biométrica", - ), - "appIcon": MessageLookupByLibrary.simpleMessage("Ícono"), - "appLock": MessageLookupByLibrary.simpleMessage("Bloqueo de aplicación"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Escoge entre la pantalla de bloqueo por defecto de tu dispositivo y una pantalla de bloqueo personalizada con un PIN o contraseña.", - ), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("ID de Apple"), - "apply": MessageLookupByLibrary.simpleMessage("Aplicar"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Usar código"), - "appstoreSubscription": MessageLookupByLibrary.simpleMessage( - "Suscripción en la AppStore", - ), - "archive": MessageLookupByLibrary.simpleMessage("Archivo"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("Archivar álbum"), - "archiving": MessageLookupByLibrary.simpleMessage("Archivando..."), - "areThey": MessageLookupByLibrary.simpleMessage("¿Son ellos"), - "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( - "¿Estás seguro de que quieres eliminar esta cara de esta persona?", - ), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "¿Está seguro de que desea abandonar el plan familiar?", - ), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "¿Estás seguro de que quieres cancelar?", - ), - "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( - "¿Estás seguro de que quieres cambiar tu plan?", - ), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "¿Estás seguro de que deseas salir?", - ), - "areYouSureYouWantToIgnoreThesePersons": - MessageLookupByLibrary.simpleMessage( - "¿Estás seguro de que quieres ignorar a estas personas?", - ), - "areYouSureYouWantToIgnoreThisPerson": MessageLookupByLibrary.simpleMessage( - "¿Estás seguro de que quieres ignorar a esta persona?", - ), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "¿Estás seguro de que quieres cerrar la sesión?", - ), - "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( - "¿Estás seguro de que quieres combinarlas?", - ), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "¿Estás seguro de que quieres renovar?", - ), - "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( - "¿Seguro que desea eliminar esta persona?", - ), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "Tu suscripción ha sido cancelada. ¿Quieres compartir el motivo?", - ), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "¿Cuál es la razón principal por la que eliminas tu cuenta?", - ), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Pide a tus seres queridos que compartan", - ), - "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( - "en un refugio blindado", - ), - "authToChangeEmailVerificationSetting": MessageLookupByLibrary.simpleMessage( - "Por favor, autentícate para cambiar la verificación por correo electrónico", - ), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Por favor, autentícate para cambiar la configuración de la pantalla de bloqueo", - ), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Por favor, autentícate para cambiar tu correo electrónico", - ), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Por favor, autentícate para cambiar tu contraseña", - ), - "authToConfigureTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( - "Por favor, autentícate para configurar la autenticación de dos factores", - ), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Por favor, autentícate para iniciar la eliminación de la cuenta", - ), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Por favor, autentícate para administrar tus contactos de confianza", - ), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Por favor, autentícate para ver tu clave de acceso", - ), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Por favor, autentícate para ver los archivos enviados a la papelera", - ), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Por favor, autentícate para ver tus sesiones activas", - ), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Por favor, autentícate para ver tus archivos ocultos", - ), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Por favor, autentícate para ver tus recuerdos", - ), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Por favor, autentícate para ver tu clave de recuperación", - ), - "authenticating": MessageLookupByLibrary.simpleMessage("Autenticando..."), - "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Error de autenticación, por favor inténtalo de nuevo", - ), - "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( - "¡Autenticación exitosa!", - ), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Aquí verás los dispositivos de transmisión disponibles.", - ), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Asegúrate de que los permisos de la red local están activados para la aplicación Ente Fotos, en Configuración.", - ), - "autoLock": MessageLookupByLibrary.simpleMessage("Bloqueo automático"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Tiempo después de que la aplicación esté en segundo plano", - ), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "Debido a un fallo técnico, has sido desconectado. Nuestras disculpas por las molestias.", - ), - "autoPair": MessageLookupByLibrary.simpleMessage( - "Emparejamiento automático", - ), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "El emparejamiento automático funciona sólo con dispositivos compatibles con Chromecast.", - ), - "available": MessageLookupByLibrary.simpleMessage("Disponible"), - "availableStorageSpace": m10, - "backedUpFolders": MessageLookupByLibrary.simpleMessage( - "Carpetas con copia de seguridad", - ), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("Copia de seguridad"), - "backupFailed": MessageLookupByLibrary.simpleMessage( - "La copia de seguridad ha fallado", - ), - "backupFile": MessageLookupByLibrary.simpleMessage( - "Archivo de copia de seguridad", - ), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Copia de seguridad usando datos móviles", - ), - "backupSettings": MessageLookupByLibrary.simpleMessage( - "Ajustes de copia de seguridad", - ), - "backupStatus": MessageLookupByLibrary.simpleMessage( - "Estado de la copia de seguridad", - ), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Los elementos con copia seguridad aparecerán aquí", - ), - "backupVideos": MessageLookupByLibrary.simpleMessage( - "Copia de seguridad de vídeos", - ), - "beach": MessageLookupByLibrary.simpleMessage("Arena y mar "), - "birthday": MessageLookupByLibrary.simpleMessage("Cumpleaños"), - "birthdayNotifications": MessageLookupByLibrary.simpleMessage( - "Notificaciones de cumpleaños", - ), - "birthdays": MessageLookupByLibrary.simpleMessage("Cumpleaños"), - "blackFridaySale": MessageLookupByLibrary.simpleMessage( - "Oferta del Black Friday", - ), - "blog": MessageLookupByLibrary.simpleMessage("Blog"), - "cLDesc1": MessageLookupByLibrary.simpleMessage( - "Dado el trabajo que hemos hecho en la versión beta de vídeos en streaming y en las cargas y descargas reanudables, hemos aumentado el límite de subida de archivos a 10 GB. Esto ya está disponible tanto en la aplicación de escritorio como en la móvil.", - ), - "cLDesc2": MessageLookupByLibrary.simpleMessage( - "Las subidas en segundo plano ya están también soportadas en iOS, además de los dispositivos Android. No es necesario abrir la aplicación para hacer una copia de seguridad de tus fotos y vídeos más recientes.", - ), - "cLDesc3": MessageLookupByLibrary.simpleMessage( - "Hemos hecho mejoras significativas en nuestra experiencia de recuerdos, incluyendo la reproducción automática, el deslizado a la memoria siguiente y mucho más.", - ), - "cLDesc4": MessageLookupByLibrary.simpleMessage( - "Junto con un montón de mejoras adicionales, ahora es mucho más fácil ver todas las caras detectadas, proporcionar comentarios sobre caras similares, y añadir o quitar caras de una sola foto.", - ), - "cLDesc5": MessageLookupByLibrary.simpleMessage( - "Ahora recibirás una notificación de exclusión voluntaria para todos los cumpleaños que hayas guardado en Ente, junto con una colección de sus mejores fotos.", - ), - "cLDesc6": MessageLookupByLibrary.simpleMessage( - "Ya no tienes que esperar a que las subidas o descargas se completen para cerrar la aplicación. Ahora, todas las subidas y descargas se pueden pausar a mitad de proceso y reanudarse justo donde lo dejaste.", - ), - "cLTitle1": MessageLookupByLibrary.simpleMessage( - "Subiendo archivos de vídeo grandes", - ), - "cLTitle2": MessageLookupByLibrary.simpleMessage("Subida en segundo plano"), - "cLTitle3": MessageLookupByLibrary.simpleMessage( - "Reproducción automática de recuerdos", - ), - "cLTitle4": MessageLookupByLibrary.simpleMessage( - "Reconocimiento facial mejorado", - ), - "cLTitle5": MessageLookupByLibrary.simpleMessage( - "Notificación de cumpleaños", - ), - "cLTitle6": MessageLookupByLibrary.simpleMessage( - "Subidas y Descargas reanudables", - ), - "cachedData": MessageLookupByLibrary.simpleMessage( - "Datos almacenados en caché", - ), - "calculating": MessageLookupByLibrary.simpleMessage("Calculando..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Lo sentimos, este álbum no se puede abrir en la aplicación.", - ), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( - "No es posible abrir este álbum", - ), - "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( - "No se puede subir a álbumes que sean propiedad de otros", - ), - "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Sólo puedes crear un enlace para archivos de tu propiedad", - ), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Sólo puede eliminar archivos de tu propiedad", - ), - "cancel": MessageLookupByLibrary.simpleMessage("Cancelar"), - "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( - "Cancelar la recuperación", - ), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "¿Estás seguro de que quieres cancelar la recuperación?", - ), - "cancelOtherSubscription": m12, - "cancelSubscription": MessageLookupByLibrary.simpleMessage( - "Cancelar suscripción", - ), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "No se pueden eliminar los archivos compartidos", - ), - "castAlbum": MessageLookupByLibrary.simpleMessage("Enviar álbum"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Por favor, asegúrate de estar en la misma red que el televisor.", - ), - "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( - "Error al transmitir álbum", - ), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Visita cast.ente.io en el dispositivo que quieres emparejar.\n\nIntroduce el código de abajo para reproducir el álbum en tu TV.", - ), - "centerPoint": MessageLookupByLibrary.simpleMessage("Punto central"), - "change": MessageLookupByLibrary.simpleMessage("Cambiar"), - "changeEmail": MessageLookupByLibrary.simpleMessage( - "Cambiar correo electrónico", - ), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "¿Cambiar la ubicación de los elementos seleccionados?", - ), - "changePassword": MessageLookupByLibrary.simpleMessage( - "Cambiar contraseña", - ), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Cambiar contraseña", - ), - "changePermissions": MessageLookupByLibrary.simpleMessage( - "¿Cambiar permisos?", - ), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Cambiar tu código de referido", - ), - "checkForUpdates": MessageLookupByLibrary.simpleMessage( - "Comprobar actualizaciones", - ), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Revisa tu bandeja de entrada (y spam) para completar la verificación", - ), - "checkStatus": MessageLookupByLibrary.simpleMessage("Comprobar estado"), - "checking": MessageLookupByLibrary.simpleMessage("Comprobando..."), - "checkingModels": MessageLookupByLibrary.simpleMessage( - "Comprobando modelos...", - ), - "city": MessageLookupByLibrary.simpleMessage("En la ciudad"), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage( - "Obtén almacenamiento gratuito", - ), - "claimMore": MessageLookupByLibrary.simpleMessage("¡Obtén más!"), - "claimed": MessageLookupByLibrary.simpleMessage("Obtenido"), - "claimedStorageSoFar": m14, - "cleanUncategorized": MessageLookupByLibrary.simpleMessage( - "Limpiar sin categorizar", - ), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Elimina todos los archivos de Sin categorizar que están presentes en otros álbumes", - ), - "clearCaches": MessageLookupByLibrary.simpleMessage("Limpiar cachés"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Limpiar índices"), - "click": MessageLookupByLibrary.simpleMessage("• Clic"), - "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( - "• Haga clic en el menú desbordante", - ), - "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( - "Haz clic para instalar nuestra mejor versión hasta la fecha", - ), - "close": MessageLookupByLibrary.simpleMessage("Cerrar"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( - "Agrupar por tiempo de captura", - ), - "clubByFileName": MessageLookupByLibrary.simpleMessage( - "Club por nombre de archivo", - ), - "clusteringProgress": MessageLookupByLibrary.simpleMessage( - "Proceso de agrupación", - ), - "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( - "Código aplicado", - ), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Lo sentimos, has alcanzado el límite de cambios de códigos.", - ), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Código copiado al portapapeles", - ), - "codeUsedByYou": MessageLookupByLibrary.simpleMessage( - "Código usado por ti", - ), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Crea un enlace para permitir que otros pueda añadir y ver fotos en tu álbum compartido sin necesitar la aplicación Ente o una cuenta. Genial para recolectar fotos de eventos.", - ), - "collaborativeLink": MessageLookupByLibrary.simpleMessage( - "Enlace colaborativo", - ), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Colaborador"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Colaboradores pueden añadir fotos y videos al álbum compartido.", - ), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("Disposición"), - "collageSaved": MessageLookupByLibrary.simpleMessage( - "Collage guardado en la galería", - ), - "collect": MessageLookupByLibrary.simpleMessage("Recolectar"), - "collectEventPhotos": MessageLookupByLibrary.simpleMessage( - "Recopilar fotos del evento", - ), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Recolectar fotos"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Crea un enlace donde tus amigos pueden subir fotos en su calidad original.", - ), - "color": MessageLookupByLibrary.simpleMessage("Color"), - "configuration": MessageLookupByLibrary.simpleMessage("Configuración"), - "confirm": MessageLookupByLibrary.simpleMessage("Confirmar"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "¿Estás seguro de que deseas deshabilitar la autenticación de doble factor?", - ), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Confirmar eliminación de cuenta", - ), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Sí, quiero eliminar permanentemente esta cuenta y todos sus datos en todas las aplicaciones.", - ), - "confirmPassword": MessageLookupByLibrary.simpleMessage( - "Confirmar contraseña", - ), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage( - "Confirmar los cambios en el plan", - ), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Confirmar clave de recuperación", - ), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Confirma tu clave de recuperación", - ), - "connectToDevice": MessageLookupByLibrary.simpleMessage( - "Conectar a dispositivo", - ), - "contactFamilyAdmin": m18, - "contactSupport": MessageLookupByLibrary.simpleMessage( - "Contactar con soporte", - ), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Contactos"), - "contents": MessageLookupByLibrary.simpleMessage("Contenidos"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Continuar"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "Continuar con el plan gratuito", - ), - "convertToAlbum": MessageLookupByLibrary.simpleMessage("Convertir a álbum"), - "copyEmailAddress": MessageLookupByLibrary.simpleMessage( - "Copiar dirección de correo electrónico", - ), - "copyLink": MessageLookupByLibrary.simpleMessage("Copiar enlace"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Copia y pega este código\na tu aplicación de autenticador", - ), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "No pudimos hacer una copia de seguridad de tus datos.\nVolveremos a intentarlo más tarde.", - ), - "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( - "No se pudo liberar espacio", - ), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "No se pudo actualizar la suscripción", - ), - "count": MessageLookupByLibrary.simpleMessage("Cuenta"), - "crashReporting": MessageLookupByLibrary.simpleMessage( - "Reporte de errores", - ), - "create": MessageLookupByLibrary.simpleMessage("Crear"), - "createAccount": MessageLookupByLibrary.simpleMessage("Crear cuenta"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Manten presionado para seleccionar fotos y haz clic en + para crear un álbum", - ), - "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( - "Crear enlace colaborativo", - ), - "createCollage": MessageLookupByLibrary.simpleMessage("Crear un collage"), - "createNewAccount": MessageLookupByLibrary.simpleMessage( - "Crear nueva cuenta", - ), - "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( - "Crear o seleccionar álbum", - ), - "createPublicLink": MessageLookupByLibrary.simpleMessage( - "Crear enlace público", - ), - "creatingLink": MessageLookupByLibrary.simpleMessage("Creando enlace..."), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "Actualización crítica disponible", - ), - "crop": MessageLookupByLibrary.simpleMessage("Ajustar encuadre"), - "curatedMemories": MessageLookupByLibrary.simpleMessage( - "Memorias revisadas", - ), - "currentUsageIs": MessageLookupByLibrary.simpleMessage( - "El uso actual es de ", - ), - "currentlyRunning": MessageLookupByLibrary.simpleMessage("ejecutando"), - "custom": MessageLookupByLibrary.simpleMessage("Personalizado"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Oscuro"), - "dayToday": MessageLookupByLibrary.simpleMessage("Hoy"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Ayer"), - "declineTrustInvite": MessageLookupByLibrary.simpleMessage( - "Rechazar invitación", - ), - "decrypting": MessageLookupByLibrary.simpleMessage("Descifrando..."), - "decryptingVideo": MessageLookupByLibrary.simpleMessage( - "Descifrando video...", - ), - "deduplicateFiles": MessageLookupByLibrary.simpleMessage( - "Deduplicar archivos", - ), - "delete": MessageLookupByLibrary.simpleMessage("Eliminar"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Eliminar cuenta"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Lamentamos que te vayas. Por favor, explícanos el motivo para ayudarnos a mejorar.", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Eliminar cuenta permanentemente", - ), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Borrar álbum"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "¿También eliminar las fotos (y los vídeos) presentes en este álbum de todos los otros álbumes de los que forman parte?", - ), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "Esto eliminará todos los álbumes vacíos. Esto es útil cuando quieres reducir el desorden en tu lista de álbumes.", - ), - "deleteAll": MessageLookupByLibrary.simpleMessage("Borrar Todo"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "Esta cuenta está vinculada a otras aplicaciones de Ente, si utilizas alguna. Se programará la eliminación de los datos cargados en todas las aplicaciones de Ente, y tu cuenta se eliminará permanentemente.", - ), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Por favor, envía un correo electrónico a account-deletion@ente.io desde la dirección de correo electrónico que usó para registrarse.", - ), - "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( - "Eliminar álbumes vacíos", - ), - "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( - "¿Eliminar álbumes vacíos?", - ), - "deleteFromBoth": MessageLookupByLibrary.simpleMessage("Eliminar de ambos"), - "deleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Eliminar del dispositivo", - ), - "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Eliminar de Ente"), - "deleteItemCount": m21, - "deleteLocation": MessageLookupByLibrary.simpleMessage( - "Borrar la ubicación", - ), - "deleteMultipleAlbumDialog": m22, - "deletePhotos": MessageLookupByLibrary.simpleMessage("Borrar las fotos"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Falta una función clave que necesito", - ), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "La aplicación o una característica determinada no se comporta como creo que debería", - ), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "He encontrado otro servicio que me gusta más", - ), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "Mi motivo no se encuentra en la lista", - ), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Tu solicitud será procesada dentro de las siguientes 72 horas.", - ), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "¿Borrar álbum compartido?", - ), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "El álbum se eliminará para todos\n\nPerderás el acceso a las fotos compartidas en este álbum que son propiedad de otros", - ), - "deselectAll": MessageLookupByLibrary.simpleMessage("Deseleccionar todo"), - "designedToOutlive": MessageLookupByLibrary.simpleMessage( - "Diseñado para sobrevivir", - ), - "details": MessageLookupByLibrary.simpleMessage("Detalles"), - "developerSettings": MessageLookupByLibrary.simpleMessage( - "Ajustes de desarrollador", - ), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "¿Estás seguro de que quieres modificar los ajustes de desarrollador?", - ), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage( - "Introduce el código", - ), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "Los archivos añadidos a este álbum de dispositivo se subirán automáticamente a Ente.", - ), - "deviceLock": MessageLookupByLibrary.simpleMessage( - "Bloqueo del dispositivo", - ), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Deshabilita el bloqueo de pantalla del dispositivo cuando Ente está en primer plano y haya una copia de seguridad en curso. Normalmente esto no es necesario, pero puede ayudar a que las grandes cargas y las importaciones iniciales de grandes bibliotecas se completen más rápido.", - ), - "deviceNotFound": MessageLookupByLibrary.simpleMessage( - "Dispositivo no encontrado", - ), - "didYouKnow": MessageLookupByLibrary.simpleMessage("¿Sabías que?"), - "different": MessageLookupByLibrary.simpleMessage("Diferente"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage( - "Desactivar bloqueo automático", - ), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Los espectadores todavía pueden tomar capturas de pantalla o guardar una copia de tus fotos usando herramientas externas", - ), - "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( - "Por favor, ten en cuenta", - ), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "Deshabilitar dos factores", - ), - "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( - "Deshabilitando la autenticación de dos factores...", - ), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Descubrir"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Bebés"), - "discover_celebrations": MessageLookupByLibrary.simpleMessage( - "Celebraciones", - ), - "discover_food": MessageLookupByLibrary.simpleMessage("Comida"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Verdor"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Colinas"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Identidad"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Notas"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Mascotas"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Recibos"), - "discover_screenshots": MessageLookupByLibrary.simpleMessage( - "Capturas de pantalla", - ), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfies"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Atardecer"), - "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( - "Tarjetas de visita", - ), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage( - "Fondos de pantalla", - ), - "dismiss": MessageLookupByLibrary.simpleMessage("Descartar"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage("No cerrar la sesión"), - "doThisLater": MessageLookupByLibrary.simpleMessage("Hacerlo más tarde"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "¿Quieres descartar las ediciones que has hecho?", - ), - "done": MessageLookupByLibrary.simpleMessage("Hecho"), - "dontSave": MessageLookupByLibrary.simpleMessage("No guardar"), - "doubleYourStorage": MessageLookupByLibrary.simpleMessage( - "Duplica tu almacenamiento", - ), - "download": MessageLookupByLibrary.simpleMessage("Descargar"), - "downloadFailed": MessageLookupByLibrary.simpleMessage("Descarga fallida"), - "downloading": MessageLookupByLibrary.simpleMessage("Descargando..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Editar"), - "editEmailAlreadyLinked": m28, - "editLocation": MessageLookupByLibrary.simpleMessage("Editar la ubicación"), - "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( - "Editar la ubicación", - ), - "editPerson": MessageLookupByLibrary.simpleMessage("Editar persona"), - "editTime": MessageLookupByLibrary.simpleMessage("Editar hora"), - "editsSaved": MessageLookupByLibrary.simpleMessage("Ediciones guardadas"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Las ediciones a la ubicación sólo se verán dentro de Ente", - ), - "eligible": MessageLookupByLibrary.simpleMessage("elegible"), - "email": MessageLookupByLibrary.simpleMessage("Correo electrónico"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "Correo electrónico ya registrado.", - ), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "Correo electrónico no registrado.", - ), - "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( - "Verificación por correo electrónico", - ), - "emailYourLogs": MessageLookupByLibrary.simpleMessage( - "Envía tus registros por correo electrónico", - ), - "embracingThem": m32, - "emergencyContacts": MessageLookupByLibrary.simpleMessage( - "Contactos de emergencia", - ), - "empty": MessageLookupByLibrary.simpleMessage("Vaciar"), - "emptyTrash": MessageLookupByLibrary.simpleMessage("¿Vaciar la papelera?"), - "enable": MessageLookupByLibrary.simpleMessage("Habilitar"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "Ente soporta aprendizaje automático en el dispositivo para la detección de caras, búsqueda mágica y otras características de búsqueda avanzada", - ), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Activar aprendizaje automático para búsqueda mágica y reconocimiento facial", - ), - "enableMaps": MessageLookupByLibrary.simpleMessage("Activar Mapas"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "Esto mostrará tus fotos en el mapa mundial.\n\nEste mapa está gestionado por Open Street Map, y la ubicación exacta de tus fotos nunca se comparte.\n\nPuedes deshabilitar esta función en cualquier momento en Ajustes.", - ), - "enabled": MessageLookupByLibrary.simpleMessage("Habilitado"), - "encryptingBackup": MessageLookupByLibrary.simpleMessage( - "Cifrando copia de seguridad...", - ), - "encryption": MessageLookupByLibrary.simpleMessage("Cifrado"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage("Claves de cifrado"), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Punto final actualizado con éxito", - ), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Encriptado de extremo a extremo por defecto", - ), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente puede cifrar y preservar archivos solo si concedes acceso a ellos", - ), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente necesita permiso para preservar tus fotos", - ), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "Ente conserva tus recuerdos, así que siempre están disponibles para ti, incluso si pierdes tu dispositivo.", - ), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Tu familia también puede ser agregada a tu plan.", - ), - "enterAlbumName": MessageLookupByLibrary.simpleMessage( - "Introduce el nombre del álbum", - ), - "enterCode": MessageLookupByLibrary.simpleMessage("Introduce el código"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Introduce el código proporcionado por tu amigo para reclamar almacenamiento gratuito para ambos", - ), - "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( - "Cumpleaños (opcional)", - ), - "enterEmail": MessageLookupByLibrary.simpleMessage( - "Ingresar correo electrónico ", - ), - "enterFileName": MessageLookupByLibrary.simpleMessage( - "Introduce el nombre del archivo", - ), - "enterName": MessageLookupByLibrary.simpleMessage("Introducir nombre"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Introduce una nueva contraseña que podamos usar para cifrar tus datos", - ), - "enterPassword": MessageLookupByLibrary.simpleMessage( - "Introduzca contraseña", - ), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Introduce una contraseña que podamos usar para cifrar tus datos", - ), - "enterPersonName": MessageLookupByLibrary.simpleMessage( - "Ingresar el nombre de una persona", - ), - "enterPin": MessageLookupByLibrary.simpleMessage("Ingresa tu contraseña"), - "enterReferralCode": MessageLookupByLibrary.simpleMessage( - "Introduce el código de referido", - ), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Ingresa el código de seis dígitos de tu aplicación de autenticación", - ), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Por favor, introduce una dirección de correo electrónico válida.", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Escribe tu correo electrónico", - ), - "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( - "Introduce tu nueva dirección de correo electrónico", - ), - "enterYourPassword": MessageLookupByLibrary.simpleMessage( - "Ingresa tu contraseña", - ), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Introduce tu clave de recuperación", - ), - "error": MessageLookupByLibrary.simpleMessage("Error"), - "everywhere": MessageLookupByLibrary.simpleMessage("todas partes"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": MessageLookupByLibrary.simpleMessage("Usuario existente"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Este enlace ha caducado. Por favor, selecciona una nueva fecha de caducidad o deshabilita la fecha de caducidad.", - ), - "exportLogs": MessageLookupByLibrary.simpleMessage("Exportar registros"), - "exportYourData": MessageLookupByLibrary.simpleMessage( - "Exportar tus datos", - ), - "extraPhotosFound": MessageLookupByLibrary.simpleMessage( - "Fotos adicionales encontradas", - ), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Cara no agrupada todavía, por favor vuelve más tarde", - ), - "faceRecognition": MessageLookupByLibrary.simpleMessage( - "Reconocimiento facial", - ), - "faces": MessageLookupByLibrary.simpleMessage("Caras"), - "failed": MessageLookupByLibrary.simpleMessage("Fallido"), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage( - "Error al aplicar el código", - ), - "failedToCancel": MessageLookupByLibrary.simpleMessage("Error al cancelar"), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( - "Error al descargar el vídeo", - ), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Error al recuperar las sesiones activas", - ), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "No se pudo obtener el original para editar", - ), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "No se pueden obtener los detalles de la referencia. Por favor, inténtalo de nuevo más tarde.", - ), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "Error al cargar álbumes", - ), - "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Error al reproducir el video", - ), - "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( - "Error al actualizar la suscripción", - ), - "failedToRenew": MessageLookupByLibrary.simpleMessage("Renovación fallida"), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Error al verificar el estado de tu pago", - ), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Añade 5 familiares a tu plan existente sin pagar más.\n\nCada miembro tiene su propio espacio privado y no puede ver los archivos del otro a menos que sean compartidos.\n\nLos planes familiares están disponibles para los clientes que tienen una suscripción de Ente pagada.\n\n¡Suscríbete ahora para empezar!", - ), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Familia"), - "familyPlans": MessageLookupByLibrary.simpleMessage("Planes familiares"), - "faq": MessageLookupByLibrary.simpleMessage("Preguntas Frecuentes"), - "faqs": MessageLookupByLibrary.simpleMessage("Preguntas frecuentes"), - "favorite": MessageLookupByLibrary.simpleMessage("Favorito"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("Sugerencias"), - "file": MessageLookupByLibrary.simpleMessage("Archivo"), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "No se pudo guardar el archivo en la galería", - ), - "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( - "Añadir descripción...", - ), - "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( - "El archivo aún no se ha subido", - ), - "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Archivo guardado en la galería", - ), - "fileTypes": MessageLookupByLibrary.simpleMessage("Tipos de archivos"), - "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( - "Tipos de archivo y nombres", - ), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage("Archivos eliminados"), - "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Archivo guardado en la galería", - ), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Encuentra gente rápidamente por su nombre", - ), - "findThemQuickly": MessageLookupByLibrary.simpleMessage( - "Encuéntralos rápidamente", - ), - "flip": MessageLookupByLibrary.simpleMessage("Voltear"), - "food": MessageLookupByLibrary.simpleMessage("Delicia culinaria"), - "forYourMemories": MessageLookupByLibrary.simpleMessage( - "para tus recuerdos", - ), - "forgotPassword": MessageLookupByLibrary.simpleMessage( - "Olvidé mi contraseña", - ), - "foundFaces": MessageLookupByLibrary.simpleMessage("Caras encontradas"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( - "Almacenamiento gratuito obtenido", - ), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Almacenamiento libre disponible", - ), - "freeTrial": MessageLookupByLibrary.simpleMessage("Prueba gratuita"), - "freeTrialValidTill": m38, - "freeUpAccessPostDelete": m39, - "freeUpAmount": m40, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( - "Liberar espacio del dispositivo", - ), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Ahorra espacio en tu dispositivo limpiando archivos que tienen copia de seguridad.", - ), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("Liberar espacio"), - "freeUpSpaceSaving": m41, - "gallery": MessageLookupByLibrary.simpleMessage("Galería"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "Hasta 1000 memorias mostradas en la galería", - ), - "general": MessageLookupByLibrary.simpleMessage("General"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Generando claves de cifrado...", - ), - "genericProgress": m42, - "goToSettings": MessageLookupByLibrary.simpleMessage("Ir a Ajustes"), - "googlePlayId": MessageLookupByLibrary.simpleMessage("ID de Google Play"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Por favor, permite el acceso a todas las fotos en Ajustes", - ), - "grantPermission": MessageLookupByLibrary.simpleMessage("Conceder permiso"), - "greenery": MessageLookupByLibrary.simpleMessage("La vida verde"), - "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( - "Agrupar fotos cercanas", - ), - "guestView": MessageLookupByLibrary.simpleMessage("Vista de invitado"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "Para habilitar la vista de invitados, por favor configure el código de acceso del dispositivo o el bloqueo de pantalla en los ajustes de su sistema.", - ), - "happyBirthday": MessageLookupByLibrary.simpleMessage( - "¡Feliz cumpleaños! 🥳", - ), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "No rastreamos las aplicaciones instaladas. ¡Nos ayudarías si nos dijeras dónde nos encontraste!", - ), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "¿Cómo escuchaste acerca de Ente? (opcional)", - ), - "help": MessageLookupByLibrary.simpleMessage("Ayuda"), - "hidden": MessageLookupByLibrary.simpleMessage("Oculto"), - "hide": MessageLookupByLibrary.simpleMessage("Ocultar"), - "hideContent": MessageLookupByLibrary.simpleMessage("Ocultar contenido"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Oculta el contenido de la aplicación en el selector de aplicaciones y desactivar capturas de pantalla", - ), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Ocultar el contenido de la aplicación en el selector de aplicaciones", - ), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "Ocultar elementos compartidos de la galería de inicio", - ), - "hiding": MessageLookupByLibrary.simpleMessage("Ocultando..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( - "Alojado en OSM France", - ), - "howItWorks": MessageLookupByLibrary.simpleMessage("Cómo funciona"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Por favor, pídeles que mantengan presionada su dirección de correo electrónico en la pantalla de ajustes, y verifica que los identificadores de ambos dispositivos coincidan.", - ), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "La autenticación biométrica no está configurada en tu dispositivo. Por favor, activa Touch ID o Face ID en tu teléfono.", - ), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "La autenticación biométrica está deshabilitada. Por favor, bloquea y desbloquea la pantalla para habilitarla.", - ), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("Aceptar"), - "ignore": MessageLookupByLibrary.simpleMessage("Ignorar"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorar"), - "ignored": MessageLookupByLibrary.simpleMessage("ignorado"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Algunos archivos de este álbum son ignorados de la carga porque previamente habían sido borrados de Ente.", - ), - "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( - "Imagen no analizada", - ), - "immediately": MessageLookupByLibrary.simpleMessage("Inmediatamente"), - "importing": MessageLookupByLibrary.simpleMessage("Importando...."), - "incorrectCode": MessageLookupByLibrary.simpleMessage("Código incorrecto"), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Contraseña incorrecta", - ), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Clave de recuperación incorrecta", - ), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "La clave de recuperación introducida es incorrecta", - ), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Clave de recuperación incorrecta", - ), - "indexedItems": MessageLookupByLibrary.simpleMessage("Elementos indexados"), - "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( - "La indexación está pausada. Se reanudará automáticamente cuando el dispositivo esté listo. El dispositivo se considera listo cuando su nivel de batería, la salud de la batería y temperatura están en un rango saludable.", - ), - "ineligible": MessageLookupByLibrary.simpleMessage("Inelegible"), - "info": MessageLookupByLibrary.simpleMessage("Info"), - "insecureDevice": MessageLookupByLibrary.simpleMessage( - "Dispositivo inseguro", - ), - "installManually": MessageLookupByLibrary.simpleMessage( - "Instalar manualmente", - ), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "Dirección de correo electrónico no válida", - ), - "invalidEndpoint": MessageLookupByLibrary.simpleMessage( - "Punto final no válido", - ), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Lo sentimos, el punto final introducido no es válido. Por favor, introduce un punto final válido y vuelve a intentarlo.", - ), - "invalidKey": MessageLookupByLibrary.simpleMessage("Clave inválida"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "La clave de recuperación introducida no es válida. Por favor, asegúrate de que contenga 24 palabras y comprueba la ortografía de cada una.\n\nSi has introducido un código de recuperación antiguo, asegúrate de que tiene 64 caracteres de largo y comprueba cada uno de ellos.", - ), - "invite": MessageLookupByLibrary.simpleMessage("Invitar"), - "inviteToEnte": MessageLookupByLibrary.simpleMessage("Invitar a Ente"), - "inviteYourFriends": MessageLookupByLibrary.simpleMessage( - "Invita a tus amigos", - ), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "Invita a tus amigos a Ente", - ), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Parece que algo salió mal. Por favor, vuelve a intentarlo después de algún tiempo. Si el error persiste, ponte en contacto con nuestro equipo de soporte.", - ), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "Los artículos muestran el número de días restantes antes de ser borrados permanente", - ), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Los elementos seleccionados serán eliminados de este álbum", - ), - "join": MessageLookupByLibrary.simpleMessage("Unir"), - "joinAlbum": MessageLookupByLibrary.simpleMessage("Unir álbum"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "Unirse a un álbum hará visible tu correo electrónico a sus participantes.", - ), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( - "para ver y añadir tus fotos", - ), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "para añadir esto a los álbumes compartidos", - ), - "joinDiscord": MessageLookupByLibrary.simpleMessage("Únete al Discord"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Conservar las fotos"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Por favor ayúdanos con esta información", - ), - "language": MessageLookupByLibrary.simpleMessage("Idioma"), - "lastTimeWithThem": m45, - "lastUpdated": MessageLookupByLibrary.simpleMessage("Última actualización"), - "lastYearsTrip": MessageLookupByLibrary.simpleMessage( - "Viaje del año pasado", - ), - "leave": MessageLookupByLibrary.simpleMessage("Abandonar"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Abandonar álbum"), - "leaveFamily": MessageLookupByLibrary.simpleMessage( - "Abandonar plan familiar", - ), - "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( - "¿Dejar álbum compartido?", - ), - "left": MessageLookupByLibrary.simpleMessage("Izquierda"), - "legacy": MessageLookupByLibrary.simpleMessage("Legado"), - "legacyAccounts": MessageLookupByLibrary.simpleMessage("Cuentas legadas"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "Legado permite a los contactos de confianza acceder a su cuenta en su ausencia.", - ), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "Los contactos de confianza pueden iniciar la recuperación de la cuenta, y si no están bloqueados en un plazo de 30 días, restablecer su contraseña y acceder a su cuenta.", - ), - "light": MessageLookupByLibrary.simpleMessage("Brillo"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Claro"), - "link": MessageLookupByLibrary.simpleMessage("Enlace"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Enlace copiado al portapapeles", - ), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage( - "Límite del dispositivo", - ), - "linkEmail": MessageLookupByLibrary.simpleMessage( - "Vincular correo electrónico", - ), - "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( - "para compartir más rápido", - ), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Habilitado"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Vencido"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Enlace vence"), - "linkHasExpired": MessageLookupByLibrary.simpleMessage( - "El enlace ha caducado", - ), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Nunca"), - "linkPerson": MessageLookupByLibrary.simpleMessage("Vincular persona"), - "linkPersonCaption": MessageLookupByLibrary.simpleMessage( - "para una mejor experiencia compartida", - ), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("Foto en vivo"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "Puedes compartir tu suscripción con tu familia", - ), - "loadMessage2": MessageLookupByLibrary.simpleMessage( - "Hasta ahora hemos conservado más de 200 millones de recuerdos", - ), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "Guardamos 3 copias de tus datos, una en un refugio subterráneo", - ), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "Todas nuestras aplicaciones son de código abierto", - ), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Nuestro código fuente y criptografía han sido auditados externamente", - ), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "Puedes compartir enlaces a tus álbumes con tus seres queridos", - ), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Nuestras aplicaciones móviles se ejecutan en segundo plano para cifrar y hacer copias de seguridad de las nuevas fotos que hagas clic", - ), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io tiene un cargador sofisticado", - ), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Utilizamos Xchacha20Poly1305 para cifrar tus datos de forma segura", - ), - "loadingExifData": MessageLookupByLibrary.simpleMessage( - "Cargando datos EXIF...", - ), - "loadingGallery": MessageLookupByLibrary.simpleMessage( - "Cargando galería...", - ), - "loadingMessage": MessageLookupByLibrary.simpleMessage( - "Cargando tus fotos...", - ), - "loadingModel": MessageLookupByLibrary.simpleMessage( - "Descargando modelos...", - ), - "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( - "Cargando tus fotos...", - ), - "localGallery": MessageLookupByLibrary.simpleMessage("Galería local"), - "localIndexing": MessageLookupByLibrary.simpleMessage("Indexado local"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Parece que algo salió mal ya que la sincronización de fotos locales está tomando más tiempo del esperado. Por favor contacta con nuestro equipo de soporte", - ), - "location": MessageLookupByLibrary.simpleMessage("Ubicación"), - "locationName": MessageLookupByLibrary.simpleMessage( - "Nombre de la ubicación", - ), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Una etiqueta de ubicación agrupa todas las fotos que fueron tomadas dentro de un radio de una foto", - ), - "locations": MessageLookupByLibrary.simpleMessage("Ubicaciones"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Bloquear"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Pantalla de bloqueo"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Iniciar sesión"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Cerrando sesión..."), - "loginSessionExpired": MessageLookupByLibrary.simpleMessage( - "La sesión ha expirado", - ), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "Tu sesión ha expirado. Por favor, vuelve a iniciar sesión.", - ), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Al hacer clic en iniciar sesión, acepto los términos de servicio y la política de privacidad", - ), - "loginWithTOTP": MessageLookupByLibrary.simpleMessage( - "Iniciar sesión con TOTP", - ), - "logout": MessageLookupByLibrary.simpleMessage("Cerrar sesión"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Esto enviará registros para ayudarnos a depurar su problema. Ten en cuenta que los nombres de los archivos se incluirán para ayudar a rastrear problemas con archivos específicos.", - ), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Mantén pulsado un correo electrónico para verificar el cifrado de extremo a extremo.", - ), - "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( - "Manten presionado un elemento para ver en pantalla completa", - ), - "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( - "Revisa tus recuerdos 🌄", - ), - "loopVideoOff": MessageLookupByLibrary.simpleMessage( - "Vídeo en bucle desactivado", - ), - "loopVideoOn": MessageLookupByLibrary.simpleMessage( - "Vídeo en bucle activado", - ), - "lostDevice": MessageLookupByLibrary.simpleMessage( - "¿Perdiste tu dispositivo?", - ), - "machineLearning": MessageLookupByLibrary.simpleMessage( - "Aprendizaje automático", - ), - "magicSearch": MessageLookupByLibrary.simpleMessage("Búsqueda mágica"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "La búsqueda mágica permite buscar fotos por su contenido. Por ejemplo, \"flor\", \"coche rojo\", \"documentos de identidad\"", - ), - "manage": MessageLookupByLibrary.simpleMessage("Administrar"), - "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( - "Gestionar almacenamiento caché del dispositivo", - ), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Revisar y borrar almacenamiento caché local.", - ), - "manageFamily": MessageLookupByLibrary.simpleMessage("Administrar familia"), - "manageLink": MessageLookupByLibrary.simpleMessage("Administrar enlace"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Administrar"), - "manageSubscription": MessageLookupByLibrary.simpleMessage( - "Administrar tu suscripción", - ), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "El emparejamiento con PIN funciona con cualquier pantalla en la que desees ver tu álbum.", - ), - "map": MessageLookupByLibrary.simpleMessage("Mapa"), - "maps": MessageLookupByLibrary.simpleMessage("Mapas"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("Yo"), - "memories": MessageLookupByLibrary.simpleMessage("Recuerdos"), - "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Seleccione el tipo de recuerdos que desea ver en su pantalla de inicio.", - ), - "memoryCount": m50, - "merchandise": MessageLookupByLibrary.simpleMessage("Mercancías"), - "merge": MessageLookupByLibrary.simpleMessage("Combinar"), - "mergeWithExisting": MessageLookupByLibrary.simpleMessage( - "Combinar con existente", - ), - "mergedPhotos": MessageLookupByLibrary.simpleMessage("Fotos combinadas"), - "mlConsent": MessageLookupByLibrary.simpleMessage( - "Habilitar aprendizaje automático", - ), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Entiendo y deseo habilitar el aprendizaje automático", - ), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Si habilitas el aprendizaje automático, Ente extraerá información como la geometría de la cara de los archivos, incluyendo aquellos compartidos contigo.\n\nEsto sucederá en tu dispositivo, y cualquier información biométrica generada será encriptada de extremo a extremo.", - ), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Por favor, haz clic aquí para más detalles sobre esta característica en nuestra política de privacidad", - ), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "¿Habilitar aprendizaje automático?", - ), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Por favor ten en cuenta que el aprendizaje automático dará como resultado un mayor consumo de ancho de banda y de batería hasta que todos los elementos estén indexados. Considera usar la aplicación de escritorio para una indexación más rápida. Todos los resultados se sincronizarán automáticamente.", - ), - "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( - "Celular, Web, Computadora", - ), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Moderada"), - "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( - "Modifica tu consulta o intenta buscar", - ), - "moments": MessageLookupByLibrary.simpleMessage("Momentos"), - "month": MessageLookupByLibrary.simpleMessage("mes"), - "monthly": MessageLookupByLibrary.simpleMessage("Mensualmente"), - "moon": MessageLookupByLibrary.simpleMessage("A la luz de la luna"), - "moreDetails": MessageLookupByLibrary.simpleMessage("Más detalles"), - "mostRecent": MessageLookupByLibrary.simpleMessage("Más reciente"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("Más relevante"), - "mountains": MessageLookupByLibrary.simpleMessage("Sobre las colinas"), - "moveItem": m51, - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "Mover las fotos seleccionadas a una fecha", - ), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("Mover al álbum"), - "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Mover al álbum oculto", - ), - "movedSuccessfullyTo": m52, - "movedToTrash": MessageLookupByLibrary.simpleMessage( - "Movido a la papelera", - ), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Moviendo archivos al álbum...", - ), - "name": MessageLookupByLibrary.simpleMessage("Nombre"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Nombre el álbum"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "No se puede conectar a Ente. Por favor, vuelve a intentarlo pasado un tiempo. Si el error persiste, ponte en contacto con el soporte técnico.", - ), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "No se puede conectar a Ente. Por favor, comprueba tu configuración de red y ponte en contacto con el soporte técnico si el error persiste.", - ), - "never": MessageLookupByLibrary.simpleMessage("Nunca"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Nuevo álbum"), - "newLocation": MessageLookupByLibrary.simpleMessage("Nueva localización"), - "newPerson": MessageLookupByLibrary.simpleMessage("Nueva persona"), - "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" nuevo 📸"), - "newRange": MessageLookupByLibrary.simpleMessage("Nuevo rango"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Nuevo en Ente"), - "newest": MessageLookupByLibrary.simpleMessage("Más reciente"), - "next": MessageLookupByLibrary.simpleMessage("Siguiente"), - "no": MessageLookupByLibrary.simpleMessage("No"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Aún no has compartido ningún álbum", - ), - "noDeviceFound": MessageLookupByLibrary.simpleMessage( - "No se encontró ningún dispositivo", - ), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Ninguno"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "No tienes archivos en este dispositivo que puedan ser borrados", - ), - "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Sin duplicados"), - "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( - "¡No existe una cuenta de Ente!", - ), - "noExifData": MessageLookupByLibrary.simpleMessage("No hay datos EXIF"), - "noFacesFound": MessageLookupByLibrary.simpleMessage( - "No se han encontrado caras", - ), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "No hay fotos ni vídeos ocultos", - ), - "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( - "No hay imágenes con ubicación", - ), - "noInternetConnection": MessageLookupByLibrary.simpleMessage( - "No hay conexión al Internet", - ), - "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( - "No se están realizando copias de seguridad de ninguna foto en este momento", - ), - "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( - "No se encontró ninguna foto aquí", - ), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( - "No se han seleccionado enlaces rápidos", - ), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "¿Sin clave de recuperación?", - ), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Debido a la naturaleza de nuestro protocolo de cifrado de extremo a extremo, tus datos no pueden ser descifrados sin tu contraseña o clave de recuperación", - ), - "noResults": MessageLookupByLibrary.simpleMessage("Sin resultados"), - "noResultsFound": MessageLookupByLibrary.simpleMessage( - "No se han encontrado resultados", - ), - "noSuggestionsForPerson": m53, - "noSystemLockFound": MessageLookupByLibrary.simpleMessage( - "Bloqueo de sistema no encontrado", - ), - "notPersonLabel": m54, - "notThisPerson": MessageLookupByLibrary.simpleMessage( - "¿No es esta persona?", - ), - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "Aún no hay nada compartido contigo", - ), - "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( - "¡No hay nada que ver aquí! 👀", - ), - "notifications": MessageLookupByLibrary.simpleMessage("Notificaciones"), - "ok": MessageLookupByLibrary.simpleMessage("Aceptar"), - "onDevice": MessageLookupByLibrary.simpleMessage("En el dispositivo"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "En ente", - ), - "onTheRoad": MessageLookupByLibrary.simpleMessage( - "De nuevo en la carretera", - ), - "onThisDay": MessageLookupByLibrary.simpleMessage("Un día como hoy"), - "onThisDayMemories": MessageLookupByLibrary.simpleMessage( - "Recuerdos de un día como hoy", - ), - "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( - "Recibe recordatorios sobre recuerdos de este día en años anteriores.", - ), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Solo ellos"), - "oops": MessageLookupByLibrary.simpleMessage("Ups"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Ups, no se pudieron guardar las ediciónes", - ), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Ups, algo salió mal", - ), - "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( - "Abrir álbum en el navegador", - ), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Por favor, utiliza la aplicación web para añadir fotos a este álbum", - ), - "openFile": MessageLookupByLibrary.simpleMessage("Abrir archivo"), - "openSettings": MessageLookupByLibrary.simpleMessage("Abrir Ajustes"), - "openTheItem": MessageLookupByLibrary.simpleMessage("• Abrir el elemento"), - "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( - "Contribuidores de OpenStreetMap", - ), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Opcional, tan corto como quieras...", - ), - "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( - "O combinar con persona existente", - ), - "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( - "O elige uno existente", - ), - "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( - "o elige de entre tus contactos", - ), - "otherDetectedFaces": MessageLookupByLibrary.simpleMessage( - "Otras caras detectadas", - ), - "pair": MessageLookupByLibrary.simpleMessage("Emparejar"), - "pairWithPin": MessageLookupByLibrary.simpleMessage("Emparejar con PIN"), - "pairingComplete": MessageLookupByLibrary.simpleMessage( - "Emparejamiento completo", - ), - "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), - "partyWithThem": m56, - "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( - "La verificación aún está pendiente", - ), - "passkey": MessageLookupByLibrary.simpleMessage("Clave de acceso"), - "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( - "Verificación de clave de acceso", - ), - "password": MessageLookupByLibrary.simpleMessage("Contraseña"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Contraseña cambiada correctamente", - ), - "passwordLock": MessageLookupByLibrary.simpleMessage( - "Bloqueo con contraseña", - ), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "La fortaleza de la contraseña se calcula teniendo en cuenta la longitud de la contraseña, los caracteres utilizados, y si la contraseña aparece o no en el top 10.000 de contraseñas más usadas", - ), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "No almacenamos esta contraseña, así que si la olvidas, no podremos descifrar tus datos", - ), - "pastYearsMemories": MessageLookupByLibrary.simpleMessage( - "Recuerdos de los últimos años", - ), - "paymentDetails": MessageLookupByLibrary.simpleMessage("Detalles de pago"), - "paymentFailed": MessageLookupByLibrary.simpleMessage("Pago fallido"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "Lamentablemente tu pago falló. Por favor, ¡contacta con el soporte técnico y te ayudaremos!", - ), - "paymentFailedTalkToProvider": m58, - "pendingItems": MessageLookupByLibrary.simpleMessage( - "Elementos pendientes", - ), - "pendingSync": MessageLookupByLibrary.simpleMessage( - "Sincronización pendiente", - ), - "people": MessageLookupByLibrary.simpleMessage("Personas"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Personas usando tu código", - ), - "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Selecciona las personas que deseas ver en tu pantalla de inicio.", - ), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Todos los elementos de la papelera serán eliminados permanentemente\n\nEsta acción no se puede deshacer", - ), - "permanentlyDelete": MessageLookupByLibrary.simpleMessage( - "Borrar permanentemente", - ), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "¿Eliminar permanentemente del dispositivo?", - ), - "personIsAge": m59, - "personName": MessageLookupByLibrary.simpleMessage("Nombre de la persona"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("Compañeros peludos"), - "photoDescriptions": MessageLookupByLibrary.simpleMessage( - "Descripciones de fotos", - ), - "photoGridSize": MessageLookupByLibrary.simpleMessage( - "Tamaño de la cuadrícula de fotos", - ), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("Fotos"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "Las fotos añadidas por ti serán removidas del álbum", - ), - "photosCount": m62, - "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( - "Las fotos mantienen una diferencia de tiempo relativa", - ), - "pickCenterPoint": MessageLookupByLibrary.simpleMessage( - "Elegir punto central", - ), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Fijar álbum"), - "pinLock": MessageLookupByLibrary.simpleMessage("Bloqueo con Pin"), - "playOnTv": MessageLookupByLibrary.simpleMessage("Reproducir álbum en TV"), - "playOriginal": MessageLookupByLibrary.simpleMessage("Reproducir original"), - "playStoreFreeTrialValidTill": m63, - "playStream": MessageLookupByLibrary.simpleMessage( - "Reproducir transmisión", - ), - "playstoreSubscription": MessageLookupByLibrary.simpleMessage( - "Suscripción en la PlayStore", - ), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Por favor, revisa tu conexión a Internet e inténtalo otra vez.", - ), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "¡Por favor, contacta con support@ente.io y estaremos encantados de ayudar!", - ), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Por favor, contacta a soporte técnico si el problema persiste", - ), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( - "Por favor, concede permiso", - ), - "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( - "Por favor, vuelve a iniciar sesión", - ), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Por favor, selecciona enlaces rápidos para eliminar", - ), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Por favor, inténtalo nuevamente", - ), - "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( - "Por favor, verifica el código que has introducido", - ), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Por favor, espera..."), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Por favor espera. Borrando el álbum", - ), - "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( - "Por favor, espera un momento antes de volver a intentarlo", - ), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "Espera. Esto tardará un poco.", - ), - "posingWithThem": m66, - "preparingLogs": MessageLookupByLibrary.simpleMessage( - "Preparando registros...", - ), - "preserveMore": MessageLookupByLibrary.simpleMessage("Preservar más"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Presiona y mantén presionado para reproducir el video", - ), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Mantén pulsada la imagen para reproducir el video", - ), - "previous": MessageLookupByLibrary.simpleMessage("Anterior"), - "privacy": MessageLookupByLibrary.simpleMessage("Privacidad"), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( - "Política de Privacidad", - ), - "privateBackups": MessageLookupByLibrary.simpleMessage( - "Copias de seguridad privadas", - ), - "privateSharing": MessageLookupByLibrary.simpleMessage( - "Compartir en privado", - ), - "proceed": MessageLookupByLibrary.simpleMessage("Continuar"), - "processed": MessageLookupByLibrary.simpleMessage("Procesado"), - "processing": MessageLookupByLibrary.simpleMessage("Procesando"), - "processingImport": m67, - "processingVideos": MessageLookupByLibrary.simpleMessage( - "Procesando vídeos", - ), - "publicLinkCreated": MessageLookupByLibrary.simpleMessage( - "Enlace público creado", - ), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( - "Enlace público habilitado", - ), - "questionmark": MessageLookupByLibrary.simpleMessage("?"), - "queued": MessageLookupByLibrary.simpleMessage("En cola"), - "quickLinks": MessageLookupByLibrary.simpleMessage("Acceso rápido"), - "radius": MessageLookupByLibrary.simpleMessage("Radio"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Generar ticket"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("Evalúa la aplicación"), - "rateUs": MessageLookupByLibrary.simpleMessage("Califícanos"), - "rateUsOnStore": m68, - "reassignMe": MessageLookupByLibrary.simpleMessage("Reasignar \"Yo\""), - "reassignedToName": m69, - "reassigningLoading": MessageLookupByLibrary.simpleMessage( - "Reasignando...", - ), - "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( - "Recibe recordatorios cuando es el cumpleaños de alguien. Pulsar en la notificación te llevará a las fotos de la persona que cumple años.", - ), - "recover": MessageLookupByLibrary.simpleMessage("Recuperar"), - "recoverAccount": MessageLookupByLibrary.simpleMessage("Recuperar cuenta"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Recuperar"), - "recoveryAccount": MessageLookupByLibrary.simpleMessage("Recuperar cuenta"), - "recoveryInitiated": MessageLookupByLibrary.simpleMessage( - "Recuperación iniciada", - ), - "recoveryInitiatedDesc": m70, - "recoveryKey": MessageLookupByLibrary.simpleMessage( - "Clave de recuperación", - ), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Clave de recuperación copiada al portapapeles", - ), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Si olvidas tu contraseña, la única forma de recuperar tus datos es con esta clave.", - ), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Nosotros no almacenamos esta clave. Por favor, guarda esta clave de 24 palabras en un lugar seguro.", - ), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "¡Genial! Tu clave de recuperación es válida. Gracias por verificar.\n\nPor favor, recuerda mantener tu clave de recuperación segura.", - ), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Clave de recuperación verificada", - ), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Tu clave de recuperación es la única forma de recuperar tus fotos si olvidas tu contraseña. Puedes encontrar tu clave de recuperación en Ajustes > Cuenta.\n\nPor favor, introduce tu clave de recuperación aquí para verificar que la has guardado correctamente.", - ), - "recoveryReady": m71, - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "¡Recuperación exitosa!", - ), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "Un contacto de confianza está intentando acceder a tu cuenta", - ), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "El dispositivo actual no es lo suficientemente potente para verificar su contraseña, pero podemos regenerarla de una manera que funcione con todos los dispositivos.\n\nPor favor inicie sesión usando su clave de recuperación y regenere su contraseña (puede volver a utilizar la misma si lo desea).", - ), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Recrear contraseña", - ), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": MessageLookupByLibrary.simpleMessage( - "Rescribe tu contraseña", - ), - "reenterPin": MessageLookupByLibrary.simpleMessage("Rescribe tu PIN"), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Refiere a amigos y 2x su plan", - ), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Dale este código a tus amigos", - ), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Se suscriben a un plan de pago", - ), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Referidos"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "Las referencias están actualmente en pausa", - ), - "rejectRecovery": MessageLookupByLibrary.simpleMessage( - "Rechazar la recuperación", - ), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "También vacía \"Eliminado Recientemente\" de \"Configuración\" -> \"Almacenamiento\" para reclamar el espacio libre", - ), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "También vacía tu \"Papelera\" para reclamar el espacio liberado", - ), - "remoteImages": MessageLookupByLibrary.simpleMessage("Imágenes remotas"), - "remoteThumbnails": MessageLookupByLibrary.simpleMessage( - "Miniaturas remotas", - ), - "remoteVideos": MessageLookupByLibrary.simpleMessage("Videos remotos"), - "remove": MessageLookupByLibrary.simpleMessage("Quitar"), - "removeDuplicates": MessageLookupByLibrary.simpleMessage( - "Eliminar duplicados", - ), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Revisar y eliminar archivos que son duplicados exactos.", - ), - "removeFromAlbum": MessageLookupByLibrary.simpleMessage( - "Eliminar del álbum", - ), - "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( - "¿Eliminar del álbum?", - ), - "removeFromFavorite": MessageLookupByLibrary.simpleMessage( - "Remover desde favoritos", - ), - "removeInvite": MessageLookupByLibrary.simpleMessage("Eliminar invitación"), - "removeLink": MessageLookupByLibrary.simpleMessage("Eliminar enlace"), - "removeParticipant": MessageLookupByLibrary.simpleMessage( - "Quitar participante", - ), - "removeParticipantBody": m74, - "removePersonLabel": MessageLookupByLibrary.simpleMessage( - "Eliminar etiqueta de persona", - ), - "removePublicLink": MessageLookupByLibrary.simpleMessage( - "Quitar enlace público", - ), - "removePublicLinks": MessageLookupByLibrary.simpleMessage( - "Eliminar enlaces públicos", - ), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Algunos de los elementos que estás eliminando fueron añadidos por otras personas, y perderás el acceso a ellos", - ), - "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Quitar?"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Quitarse como contacto de confianza", - ), - "removingFromFavorites": MessageLookupByLibrary.simpleMessage( - "Quitando de favoritos...", - ), - "rename": MessageLookupByLibrary.simpleMessage("Renombrar"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("Renombrar álbum"), - "renameFile": MessageLookupByLibrary.simpleMessage("Renombrar archivo"), - "renewSubscription": MessageLookupByLibrary.simpleMessage( - "Renovar suscripción", - ), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Reportar un error"), - "reportBug": MessageLookupByLibrary.simpleMessage("Reportar error"), - "resendEmail": MessageLookupByLibrary.simpleMessage( - "Reenviar correo electrónico", - ), - "reset": MessageLookupByLibrary.simpleMessage("Restablecer"), - "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( - "Restablecer archivos ignorados", - ), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Restablecer contraseña", - ), - "resetPerson": MessageLookupByLibrary.simpleMessage("Eliminar"), - "resetToDefault": MessageLookupByLibrary.simpleMessage( - "Restablecer valores predeterminados", - ), - "restore": MessageLookupByLibrary.simpleMessage("Restaurar"), - "restoreToAlbum": MessageLookupByLibrary.simpleMessage( - "Restaurar al álbum", - ), - "restoringFiles": MessageLookupByLibrary.simpleMessage( - "Restaurando los archivos...", - ), - "resumableUploads": MessageLookupByLibrary.simpleMessage( - "Subidas reanudables", - ), - "retry": MessageLookupByLibrary.simpleMessage("Reintentar"), - "review": MessageLookupByLibrary.simpleMessage("Revisar"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Por favor, revisa y elimina los elementos que crees que están duplicados.", - ), - "reviewSuggestions": MessageLookupByLibrary.simpleMessage( - "Revisar sugerencias", - ), - "right": MessageLookupByLibrary.simpleMessage("Derecha"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("Girar"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Girar a la izquierda"), - "rotateRight": MessageLookupByLibrary.simpleMessage("Girar a la derecha"), - "safelyStored": MessageLookupByLibrary.simpleMessage( - "Almacenado con seguridad", - ), - "same": MessageLookupByLibrary.simpleMessage("Igual"), - "sameperson": MessageLookupByLibrary.simpleMessage("la misma persona?"), - "save": MessageLookupByLibrary.simpleMessage("Guardar"), - "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage( - "Guardar como otra persona", - ), - "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( - "¿Guardar cambios antes de salir?", - ), - "saveCollage": MessageLookupByLibrary.simpleMessage("Guardar collage"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Guardar copia"), - "saveKey": MessageLookupByLibrary.simpleMessage("Guardar Clave"), - "savePerson": MessageLookupByLibrary.simpleMessage("Guardar persona"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Guarda tu clave de recuperación si aún no lo has hecho", - ), - "saving": MessageLookupByLibrary.simpleMessage("Saving..."), - "savingEdits": MessageLookupByLibrary.simpleMessage( - "Guardando las ediciones...", - ), - "scanCode": MessageLookupByLibrary.simpleMessage("Escanear código"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Escanea este código QR con tu aplicación de autenticación", - ), - "search": MessageLookupByLibrary.simpleMessage("Buscar"), - "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Álbumes"), - "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage( - "Nombre del álbum", - ), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Nombres de álbumes (por ejemplo, \"Cámara\")\n• Tipos de archivos (por ejemplo, \"Videos\", \".gif\")\n• Años y meses (por ejemplo, \"2022\", \"Enero\")\n• Vacaciones (por ejemplo, \"Navidad\")\n• Descripciones fotográficas (por ejemplo, \"#diversión\")", - ), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Agrega descripciones como \"#viaje\" en la información de la foto para encontrarlas aquí rápidamente", - ), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Buscar por fecha, mes o año", - ), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "Las imágenes se mostrarán aquí cuando se complete el procesado y la sincronización", - ), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "Las personas se mostrarán aquí una vez que se haya hecho la indexación", - ), - "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( - "Tipos y nombres de archivo", - ), - "searchHint1": MessageLookupByLibrary.simpleMessage( - "Búsqueda rápida en el dispositivo", - ), - "searchHint2": MessageLookupByLibrary.simpleMessage( - "Fechas de fotos, descripciones", - ), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "Álbumes, nombres de archivos y tipos", - ), - "searchHint4": MessageLookupByLibrary.simpleMessage("Ubicación"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "Próximamente: Caras y búsqueda mágica ✨", - ), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Agrupar las fotos que se tomaron cerca de la localización de una foto", - ), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "Invita a gente y verás todas las fotos compartidas aquí", - ), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "Las personas se mostrarán aquí cuando se complete el procesado y la sincronización", - ), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Seguridad"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "Ver enlaces del álbum público en la aplicación", - ), - "selectALocation": MessageLookupByLibrary.simpleMessage( - "Seleccionar una ubicación", - ), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage( - "Primero, selecciona una ubicación", - ), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Seleccionar álbum"), - "selectAll": MessageLookupByLibrary.simpleMessage("Seleccionar todos"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("Todas"), - "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( - "Seleccionar foto de portada", - ), - "selectDate": MessageLookupByLibrary.simpleMessage("Seleccionar fecha"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Seleccionar carpetas para la copia de seguridad", - ), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "Selecciona elementos para agregar", - ), - "selectLanguage": MessageLookupByLibrary.simpleMessage( - "Seleccionar idioma", - ), - "selectMailApp": MessageLookupByLibrary.simpleMessage( - "Seleccionar app de correo", - ), - "selectMorePhotos": MessageLookupByLibrary.simpleMessage( - "Seleccionar más fotos", - ), - "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( - "Seleccionar fecha y hora", - ), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "Seleccione una fecha y hora para todas", - ), - "selectPersonToLink": MessageLookupByLibrary.simpleMessage( - "Selecciona persona a vincular", - ), - "selectReason": MessageLookupByLibrary.simpleMessage("Seleccionar motivo"), - "selectStartOfRange": MessageLookupByLibrary.simpleMessage( - "Seleccionar inicio del rango", - ), - "selectTime": MessageLookupByLibrary.simpleMessage("Seleccionar hora"), - "selectYourFace": MessageLookupByLibrary.simpleMessage( - "Selecciona tu cara", - ), - "selectYourPlan": MessageLookupByLibrary.simpleMessage( - "Elegir tu suscripción", - ), - "selectedAlbums": m79, - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Los archivos seleccionados no están en Ente", - ), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Las carpetas seleccionadas se cifrarán y se realizará una copia de seguridad", - ), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Los archivos seleccionados serán eliminados de todos los álbumes y movidos a la papelera.", - ), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "Los elementos seleccionados se eliminarán de esta persona, pero no se eliminarán de tu biblioteca.", - ), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("Enviar"), - "sendEmail": MessageLookupByLibrary.simpleMessage( - "Enviar correo electrónico", - ), - "sendInvite": MessageLookupByLibrary.simpleMessage("Enviar invitación"), - "sendLink": MessageLookupByLibrary.simpleMessage("Enviar enlace"), - "serverEndpoint": MessageLookupByLibrary.simpleMessage( - "Punto final del servidor", - ), - "sessionExpired": MessageLookupByLibrary.simpleMessage( - "La sesión ha expirado", - ), - "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( - "El ID de sesión no coincide", - ), - "setAPassword": MessageLookupByLibrary.simpleMessage( - "Establecer una contraseña", - ), - "setAs": MessageLookupByLibrary.simpleMessage("Establecer como"), - "setCover": MessageLookupByLibrary.simpleMessage("Definir portada"), - "setLabel": MessageLookupByLibrary.simpleMessage("Establecer"), - "setNewPassword": MessageLookupByLibrary.simpleMessage( - "Ingresa tu nueva contraseña", - ), - "setNewPin": MessageLookupByLibrary.simpleMessage("Ingresa tu nuevo PIN"), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Establecer contraseña", - ), - "setRadius": MessageLookupByLibrary.simpleMessage("Establecer radio"), - "setupComplete": MessageLookupByLibrary.simpleMessage( - "Configuración completa", - ), - "share": MessageLookupByLibrary.simpleMessage("Compartir"), - "shareALink": MessageLookupByLibrary.simpleMessage("Compartir un enlace"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Abre un álbum y pulsa el botón compartir en la parte superior derecha para compartir.", - ), - "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( - "Compartir un álbum ahora", - ), - "shareLink": MessageLookupByLibrary.simpleMessage("Compartir enlace"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Comparte sólo con la gente que quieres", - ), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Descarga Ente para que podamos compartir fácilmente fotos y videos en calidad original.\n\nhttps://ente.io", - ), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Compartir con usuarios fuera de Ente", - ), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( - "Comparte tu primer álbum", - ), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Crea álbumes compartidos y colaborativos con otros usuarios de Ente, incluyendo usuarios de planes gratuitos.", - ), - "sharedByMe": MessageLookupByLibrary.simpleMessage("Compartido por mí"), - "sharedByYou": MessageLookupByLibrary.simpleMessage("Compartido por ti"), - "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( - "Nuevas fotos compartidas", - ), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Recibir notificaciones cuando alguien agrega una foto a un álbum compartido contigo", - ), - "sharedWith": m87, - "sharedWithMe": MessageLookupByLibrary.simpleMessage("Compartido conmigo"), - "sharedWithYou": MessageLookupByLibrary.simpleMessage("Compartido contigo"), - "sharing": MessageLookupByLibrary.simpleMessage("Compartiendo..."), - "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( - "Cambiar fechas y hora", - ), - "showLessFaces": MessageLookupByLibrary.simpleMessage( - "Mostrar menos caras", - ), - "showMemories": MessageLookupByLibrary.simpleMessage("Mostrar recuerdos"), - "showMoreFaces": MessageLookupByLibrary.simpleMessage("Mostrar más caras"), - "showPerson": MessageLookupByLibrary.simpleMessage("Mostrar persona"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "Cerrar sesión de otros dispositivos", - ), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Si crees que alguien puede conocer tu contraseña, puedes forzar a todos los demás dispositivos que usan tu cuenta a cerrar la sesión.", - ), - "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( - "Cerrar la sesión de otros dispositivos", - ), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Estoy de acuerdo con los términos del servicio y la política de privacidad", - ), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Se borrará de todos los álbumes.", - ), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Omitir"), - "smartMemories": MessageLookupByLibrary.simpleMessage( - "Recuerdos inteligentes", - ), - "social": MessageLookupByLibrary.simpleMessage("Social"), - "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( - "Algunos elementos están tanto en Ente como en tu dispositivo.", - ), - "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( - "Algunos de los archivos que estás intentando eliminar sólo están disponibles en tu dispositivo y no pueden ser recuperados si se eliminan", - ), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Alguien que comparta álbumes contigo debería ver el mismo ID en su dispositivo.", - ), - "somethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Algo salió mal", - ), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Algo salió mal, por favor inténtalo de nuevo", - ), - "sorry": MessageLookupByLibrary.simpleMessage("Lo sentimos"), - "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( - "Lo sentimos, no hemos podido hacer una copia de seguridad de este archivo, lo intentaremos más tarde.", - ), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "¡Lo sentimos, no se pudo añadir a favoritos!", - ), - "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( - "¡Lo sentimos, no se pudo quitar de favoritos!", - ), - "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "Lo sentimos, el código que has introducido es incorrecto", - ), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Lo sentimos, no hemos podido generar claves seguras en este dispositivo.\n\nPor favor, regístrate desde un dispositivo diferente.", - ), - "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( - "Lo sentimos, tuvimos que pausar tus copias de seguridad", - ), - "sort": MessageLookupByLibrary.simpleMessage("Ordenar"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Ordenar por"), - "sortNewestFirst": MessageLookupByLibrary.simpleMessage( - "Más recientes primero", - ), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage( - "Más antiguos primero", - ), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Éxito"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": MessageLookupByLibrary.simpleMessage( - "Enfócate a ti mismo", - ), - "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( - "Iniciar la recuperación", - ), - "startBackup": MessageLookupByLibrary.simpleMessage( - "Iniciar copia de seguridad", - ), - "status": MessageLookupByLibrary.simpleMessage("Estado"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "¿Quieres dejar de transmitir?", - ), - "stopCastingTitle": MessageLookupByLibrary.simpleMessage( - "Detener la transmisión", - ), - "storage": MessageLookupByLibrary.simpleMessage("Almacenamiento"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Familia"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Usted"), - "storageInGB": m93, - "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( - "Límite de datos excedido", - ), - "storageUsageInfo": m94, - "streamDetails": MessageLookupByLibrary.simpleMessage( - "Detalles de la transmisión", - ), - "strongStrength": MessageLookupByLibrary.simpleMessage("Segura"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Suscribirse"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Necesitas una suscripción activa de pago para habilitar el compartir.", - ), - "subscription": MessageLookupByLibrary.simpleMessage("Suscripción"), - "success": MessageLookupByLibrary.simpleMessage("Éxito"), - "successfullyArchived": MessageLookupByLibrary.simpleMessage( - "Archivado correctamente", - ), - "successfullyHid": MessageLookupByLibrary.simpleMessage( - "Ocultado con éxito", - ), - "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( - "Desarchivado correctamente", - ), - "successfullyUnhid": MessageLookupByLibrary.simpleMessage( - "Desocultado con éxito", - ), - "suggestFeatures": MessageLookupByLibrary.simpleMessage( - "Sugerir una característica", - ), - "sunrise": MessageLookupByLibrary.simpleMessage("Sobre el horizonte"), - "support": MessageLookupByLibrary.simpleMessage("Soporte"), - "syncProgress": m97, - "syncStopped": MessageLookupByLibrary.simpleMessage( - "Sincronización detenida", - ), - "syncing": MessageLookupByLibrary.simpleMessage("Sincronizando..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("Sistema"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("toca para copiar"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage( - "Toca para introducir el código", - ), - "tapToUnlock": MessageLookupByLibrary.simpleMessage( - "Toca para desbloquear", - ), - "tapToUpload": MessageLookupByLibrary.simpleMessage("Toca para subir"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Parece que algo salió mal. Por favor, vuelve a intentarlo después de algún tiempo. Si el error persiste, ponte en contacto con nuestro equipo de soporte.", - ), - "terminate": MessageLookupByLibrary.simpleMessage("Terminar"), - "terminateSession": MessageLookupByLibrary.simpleMessage( - "¿Terminar sesión?", - ), - "terms": MessageLookupByLibrary.simpleMessage("Términos"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Términos"), - "thankYou": MessageLookupByLibrary.simpleMessage("Gracias"), - "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( - "¡Gracias por suscribirte!", - ), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "No se ha podido completar la descarga", - ), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "El enlace al que intenta acceder ha caducado.", - ), - "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "Los grupos de personas ya no se mostrarán en la sección de personas. Las fotos permanecerán intactas.", - ), - "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "La persona ya no se mostrará en la sección de personas. Las fotos permanecerán intactas.", - ), - "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "La clave de recuperación introducida es incorrecta", - ), - "theme": MessageLookupByLibrary.simpleMessage("Tema"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Estos elementos se eliminarán de tu dispositivo.", - ), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "Se borrarán de todos los álbumes.", - ), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Esta acción no se puede deshacer", - ), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "Este álbum ya tiene un enlace de colaboración", - ), - "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( - "Esto puede utilizarse para recuperar tu cuenta si pierdes tu segundo factor", - ), - "thisDevice": MessageLookupByLibrary.simpleMessage("Este dispositivo"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "Este correo electrónico ya está en uso", - ), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Esta imagen no tiene datos exif", - ), - "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage( - "¡Este soy yo!", - ), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Esta es tu ID de verificación", - ), - "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( - "Esta semana a través de los años", - ), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Esto cerrará la sesión del siguiente dispositivo:", - ), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "¡Esto cerrará la sesión de este dispositivo!", - ), - "thisWillMakeTheDateAndTimeOfAllSelected": MessageLookupByLibrary.simpleMessage( - "Esto hará que la fecha y la hora de todas las fotos seleccionadas sean las mismas.", - ), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "Esto eliminará los enlaces públicos de todos los enlaces rápidos seleccionados.", - ), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "Para habilitar el bloqueo de la aplicación, por favor configura el código de acceso del dispositivo o el bloqueo de pantalla en los ajustes del sistema.", - ), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( - "Para ocultar una foto o video", - ), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Para restablecer tu contraseña, por favor verifica tu correo electrónico primero.", - ), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Registros de hoy"), - "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( - "Demasiados intentos incorrectos", - ), - "total": MessageLookupByLibrary.simpleMessage("total"), - "totalSize": MessageLookupByLibrary.simpleMessage("Tamaño total"), - "trash": MessageLookupByLibrary.simpleMessage("Papelera"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Ajustar duración"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": MessageLookupByLibrary.simpleMessage( - "Contactos de confianza", - ), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Inténtalo de nuevo"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Activar la copia de seguridad para subir automáticamente archivos añadidos a la carpeta de este dispositivo a Ente.", - ), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "2 meses gratis en planes anuales", - ), - "twofactor": MessageLookupByLibrary.simpleMessage("Dos factores"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "La autenticación de dos factores fue deshabilitada", - ), - "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( - "Autenticación en dos pasos", - ), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "Autenticación de doble factor restablecida con éxito", - ), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Configuración de dos pasos", - ), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("Desarchivar"), - "unarchiveAlbum": MessageLookupByLibrary.simpleMessage("Desarchivar álbum"), - "unarchiving": MessageLookupByLibrary.simpleMessage("Desarchivando..."), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Lo sentimos, este código no está disponible.", - ), - "uncategorized": MessageLookupByLibrary.simpleMessage("Sin categorizar"), - "unhide": MessageLookupByLibrary.simpleMessage("Dejar de ocultar"), - "unhideToAlbum": MessageLookupByLibrary.simpleMessage( - "Hacer visible al álbum", - ), - "unhiding": MessageLookupByLibrary.simpleMessage("Desocultando..."), - "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Desocultando archivos del álbum", - ), - "unlock": MessageLookupByLibrary.simpleMessage("Desbloquear"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("Dejar de fijar álbum"), - "unselectAll": MessageLookupByLibrary.simpleMessage("Desmarcar todos"), - "update": MessageLookupByLibrary.simpleMessage("Actualizar"), - "updateAvailable": MessageLookupByLibrary.simpleMessage( - "Actualizacion disponible", - ), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Actualizando la selección de carpeta...", - ), - "upgrade": MessageLookupByLibrary.simpleMessage("Mejorar"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Subiendo archivos al álbum...", - ), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( - "Preservando 1 memoria...", - ), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "Hasta el 50% de descuento, hasta el 4 de diciembre.", - ), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "El almacenamiento utilizable está limitado por tu plan actual. El exceso de almacenamiento que obtengas se volverá automáticamente utilizable cuando actualices tu plan.", - ), - "useAsCover": MessageLookupByLibrary.simpleMessage("Usar como cubierta"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "¿Tienes problemas para reproducir este video? Mantén pulsado aquí para probar un reproductor diferente.", - ), - "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Usar enlaces públicos para personas que no están en Ente", - ), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Usar clave de recuperación", - ), - "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( - "Usar foto seleccionada", - ), - "usedSpace": MessageLookupByLibrary.simpleMessage("Espacio usado"), - "validTill": m110, - "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Verificación fallida, por favor inténtalo de nuevo", - ), - "verificationId": MessageLookupByLibrary.simpleMessage( - "ID de verificación", - ), - "verify": MessageLookupByLibrary.simpleMessage("Verificar"), - "verifyEmail": MessageLookupByLibrary.simpleMessage( - "Verificar correo electrónico", - ), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Verificar"), - "verifyPasskey": MessageLookupByLibrary.simpleMessage( - "Verificar clave de acceso", - ), - "verifyPassword": MessageLookupByLibrary.simpleMessage( - "Verificar contraseña", - ), - "verifying": MessageLookupByLibrary.simpleMessage("Verificando..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Verificando clave de recuperación...", - ), - "videoInfo": MessageLookupByLibrary.simpleMessage("Información de video"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("vídeo"), - "videoStreaming": MessageLookupByLibrary.simpleMessage( - "Vídeos en streaming", - ), - "videos": MessageLookupByLibrary.simpleMessage("Vídeos"), - "viewActiveSessions": MessageLookupByLibrary.simpleMessage( - "Ver sesiones activas", - ), - "viewAddOnButton": MessageLookupByLibrary.simpleMessage("Ver complementos"), - "viewAll": MessageLookupByLibrary.simpleMessage("Ver todo"), - "viewAllExifData": MessageLookupByLibrary.simpleMessage( - "Ver todos los datos EXIF", - ), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Archivos grandes"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Ver los archivos que consumen la mayor cantidad de almacenamiento.", - ), - "viewLogs": MessageLookupByLibrary.simpleMessage("Ver Registros"), - "viewPersonToUnlink": m112, - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Ver código de recuperación", - ), - "viewer": MessageLookupByLibrary.simpleMessage("Espectador"), - "viewersSuccessfullyAdded": m113, - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Por favor, visita web.ente.io para administrar tu suscripción", - ), - "waitingForVerification": MessageLookupByLibrary.simpleMessage( - "Esperando verificación...", - ), - "waitingForWifi": MessageLookupByLibrary.simpleMessage("Esperando WiFi..."), - "warning": MessageLookupByLibrary.simpleMessage("Advertencia"), - "weAreOpenSource": MessageLookupByLibrary.simpleMessage( - "¡Somos de código abierto!", - ), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "No admitimos la edición de fotos y álbumes que aún no son tuyos", - ), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Poco segura"), - "welcomeBack": MessageLookupByLibrary.simpleMessage( - "¡Bienvenido de nuevo!", - ), - "whatsNew": MessageLookupByLibrary.simpleMessage("Qué hay de nuevo"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "Un contacto de confianza puede ayudar a recuperar sus datos.", - ), - "widgets": MessageLookupByLibrary.simpleMessage("Widgets"), - "wishThemAHappyBirthday": m115, - "yearShort": MessageLookupByLibrary.simpleMessage("año"), - "yearly": MessageLookupByLibrary.simpleMessage("Anualmente"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Sí"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Sí, cancelar"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "Sí, convertir a espectador", - ), - "yesDelete": MessageLookupByLibrary.simpleMessage("Sí, eliminar"), - "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( - "Sí, descartar cambios", - ), - "yesIgnore": MessageLookupByLibrary.simpleMessage("Sí, ignorar"), - "yesLogout": MessageLookupByLibrary.simpleMessage("Sí, cerrar sesión"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Sí, quitar"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Sí, renovar"), - "yesResetPerson": MessageLookupByLibrary.simpleMessage( - "Si, eliminar persona", - ), - "you": MessageLookupByLibrary.simpleMessage("Tu"), - "youAndThem": m117, - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( - "¡Estás en un plan familiar!", - ), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Estás usando la última versión", - ), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Como máximo puedes duplicar tu almacenamiento", - ), - "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( - "Puedes administrar tus enlaces en la pestaña compartir.", - ), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "Puedes intentar buscar una consulta diferente.", - ), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "No puedes bajar a este plan", - ), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "No puedes compartir contigo mismo", - ), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "No tienes ningún elemento archivado.", - ), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "Tu cuenta ha sido eliminada", - ), - "yourMap": MessageLookupByLibrary.simpleMessage("Tu mapa"), - "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( - "Tu plan ha sido degradado con éxito", - ), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "Tu plan se ha actualizado correctamente", - ), - "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( - "Tu compra ha sido exitosa", - ), - "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( - "Tus datos de almacenamiento no se han podido obtener", - ), - "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( - "Tu suscripción ha caducado", - ), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "Tu suscripción se ha actualizado con éxito", - ), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "Tu código de verificación ha expirado", - ), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage( - "No tienes archivos duplicados que se puedan borrar", - ), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "No tienes archivos en este álbum que puedan ser borrados", - ), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( - "Alejar para ver las fotos", - ), - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Hay una nueva versión de Ente disponible."), + "about": MessageLookupByLibrary.simpleMessage("Acerca de"), + "acceptTrustInvite": + MessageLookupByLibrary.simpleMessage("Aceptar invitación"), + "account": MessageLookupByLibrary.simpleMessage("Cuenta"), + "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( + "La cuenta ya está configurada."), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("¡Bienvenido de nuevo!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Entiendo que si pierdo mi contraseña podría perder mis datos, ya que mis datos están cifrados de extremo a extremo."), + "actionNotSupportedOnFavouritesAlbum": + MessageLookupByLibrary.simpleMessage( + "Acción no compatible con el álbum de Favoritos"), + "activeSessions": + MessageLookupByLibrary.simpleMessage("Sesiones activas"), + "add": MessageLookupByLibrary.simpleMessage("Añadir"), + "addAName": MessageLookupByLibrary.simpleMessage("Añade un nombre"), + "addANewEmail": MessageLookupByLibrary.simpleMessage( + "Agregar nuevo correo electrónico"), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Añade un widget de álbum a tu pantalla de inicio y vuelve aquí para personalizarlo."), + "addCollaborator": + MessageLookupByLibrary.simpleMessage("Agregar colaborador"), + "addCollaborators": m1, + "addFiles": MessageLookupByLibrary.simpleMessage("Añadir archivos"), + "addFromDevice": MessageLookupByLibrary.simpleMessage( + "Agregar desde el dispositivo"), + "addItem": m2, + "addLocation": + MessageLookupByLibrary.simpleMessage("Agregar ubicación"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Añadir"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Añade un widget de recuerdos a tu pantalla de inicio y vuelve aquí para personalizarlo."), + "addMore": MessageLookupByLibrary.simpleMessage("Añadir más"), + "addName": MessageLookupByLibrary.simpleMessage("Añadir nombre"), + "addNameOrMerge": + MessageLookupByLibrary.simpleMessage("Añadir nombre o combinar"), + "addNew": MessageLookupByLibrary.simpleMessage("Añadir nuevo"), + "addNewPerson": + MessageLookupByLibrary.simpleMessage("Añadir nueva persona"), + "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( + "Detalles de los complementos"), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("Complementos"), + "addParticipants": + MessageLookupByLibrary.simpleMessage("Añadir participantes"), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Añade un widget de personas a tu pantalla de inicio y vuelve aquí para personalizarlo."), + "addPhotos": MessageLookupByLibrary.simpleMessage("Agregar fotos"), + "addSelected": + MessageLookupByLibrary.simpleMessage("Agregar selección"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("Añadir al álbum"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Añadir a Ente"), + "addToHiddenAlbum": + MessageLookupByLibrary.simpleMessage("Añadir al álbum oculto"), + "addTrustedContact": MessageLookupByLibrary.simpleMessage( + "Añadir contacto de confianza"), + "addViewer": MessageLookupByLibrary.simpleMessage("Añadir espectador"), + "addViewers": m4, + "addYourPhotosNow": + MessageLookupByLibrary.simpleMessage("Añade tus fotos ahora"), + "addedAs": MessageLookupByLibrary.simpleMessage("Agregado como"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": + MessageLookupByLibrary.simpleMessage("Añadiendo a favoritos..."), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("Avanzado"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Avanzado"), + "after1Day": MessageLookupByLibrary.simpleMessage("Después de un día"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Después de 1 hora"), + "after1Month": + MessageLookupByLibrary.simpleMessage("Después de un mes"), + "after1Week": + MessageLookupByLibrary.simpleMessage("Después de una semana"), + "after1Year": MessageLookupByLibrary.simpleMessage("Después de un año"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Propietario"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Título del álbum"), + "albumUpdated": + MessageLookupByLibrary.simpleMessage("Álbum actualizado"), + "albums": MessageLookupByLibrary.simpleMessage("Álbumes"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Seleccione los álbumes que desea ver en su pantalla de inicio."), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Todo limpio"), + "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( + "Todos los recuerdos preservados"), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "Se eliminarán todas las agrupaciones para esta persona, y se eliminarán todas sus sugerencias"), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "Todos los grupos sin nombre se combinarán en la persona seleccionada. Esto puede deshacerse desde el historial de sugerencias de la persona."), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "Este es el primero en el grupo. Otras fotos seleccionadas cambiarán automáticamente basándose en esta nueva fecha"), + "allow": MessageLookupByLibrary.simpleMessage("Permitir"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Permitir a las personas con el enlace añadir fotos al álbum compartido."), + "allowAddingPhotos": + MessageLookupByLibrary.simpleMessage("Permitir añadir fotos"), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "Permitir a la aplicación abrir enlaces de álbum compartidos"), + "allowDownloads": + MessageLookupByLibrary.simpleMessage("Permitir descargas"), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Permitir que la gente añada fotos"), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Por favor, permite el acceso a tus fotos desde Ajustes para que Ente pueda mostrar y hacer una copia de seguridad de tu biblioteca."), + "allowPermTitle": MessageLookupByLibrary.simpleMessage( + "Permitir el acceso a las fotos"), + "androidBiometricHint": + MessageLookupByLibrary.simpleMessage("Verificar identidad"), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "No reconocido. Inténtelo nuevamente."), + "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( + "Autenticación biométrica necesaria"), + "androidBiometricSuccess": + MessageLookupByLibrary.simpleMessage("Listo"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Cancelar"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage( + "Se necesitan credenciales de dispositivo"), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage( + "Se necesitan credenciales de dispositivo"), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "La autenticación biométrica no está configurada en su dispositivo. \'Ve a Ajustes > Seguridad\' para añadir autenticación biométrica."), + "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( + "Android, iOS, Web, Computadora"), + "androidSignInTitle": MessageLookupByLibrary.simpleMessage( + "Se necesita autenticación biométrica"), + "appIcon": MessageLookupByLibrary.simpleMessage("Ícono"), + "appLock": + MessageLookupByLibrary.simpleMessage("Bloqueo de aplicación"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Escoge entre la pantalla de bloqueo por defecto de tu dispositivo y una pantalla de bloqueo personalizada con un PIN o contraseña."), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("ID de Apple"), + "apply": MessageLookupByLibrary.simpleMessage("Aplicar"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Usar código"), + "appstoreSubscription": + MessageLookupByLibrary.simpleMessage("Suscripción en la AppStore"), + "archive": MessageLookupByLibrary.simpleMessage("Archivo"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("Archivar álbum"), + "archiving": MessageLookupByLibrary.simpleMessage("Archivando..."), + "areThey": MessageLookupByLibrary.simpleMessage("¿Son ellos"), + "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( + "¿Estás seguro de que quieres eliminar esta cara de esta persona?"), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "¿Está seguro de que desea abandonar el plan familiar?"), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "¿Estás seguro de que quieres cancelar?"), + "areYouSureYouWantToChangeYourPlan": + MessageLookupByLibrary.simpleMessage( + "¿Estás seguro de que quieres cambiar tu plan?"), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "¿Estás seguro de que deseas salir?"), + "areYouSureYouWantToIgnoreThesePersons": + MessageLookupByLibrary.simpleMessage( + "¿Estás seguro de que quieres ignorar a estas personas?"), + "areYouSureYouWantToIgnoreThisPerson": + MessageLookupByLibrary.simpleMessage( + "¿Estás seguro de que quieres ignorar a esta persona?"), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "¿Estás seguro de que quieres cerrar la sesión?"), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "¿Estás seguro de que quieres combinarlas?"), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "¿Estás seguro de que quieres renovar?"), + "areYouSureYouWantToResetThisPerson": + MessageLookupByLibrary.simpleMessage( + "¿Seguro que desea eliminar esta persona?"), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "Tu suscripción ha sido cancelada. ¿Quieres compartir el motivo?"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "¿Cuál es la razón principal por la que eliminas tu cuenta?"), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Pide a tus seres queridos que compartan"), + "atAFalloutShelter": + MessageLookupByLibrary.simpleMessage("en un refugio blindado"), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Por favor, autentícate para cambiar la verificación por correo electrónico"), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Por favor, autentícate para cambiar la configuración de la pantalla de bloqueo"), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Por favor, autentícate para cambiar tu correo electrónico"), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Por favor, autentícate para cambiar tu contraseña"), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Por favor, autentícate para configurar la autenticación de dos factores"), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Por favor, autentícate para iniciar la eliminación de la cuenta"), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Por favor, autentícate para administrar tus contactos de confianza"), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Por favor, autentícate para ver tu clave de acceso"), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Por favor, autentícate para ver los archivos enviados a la papelera"), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Por favor, autentícate para ver tus sesiones activas"), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Por favor, autentícate para ver tus archivos ocultos"), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Por favor, autentícate para ver tus recuerdos"), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Por favor, autentícate para ver tu clave de recuperación"), + "authenticating": + MessageLookupByLibrary.simpleMessage("Autenticando..."), + "authenticationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Error de autenticación, por favor inténtalo de nuevo"), + "authenticationSuccessful": + MessageLookupByLibrary.simpleMessage("¡Autenticación exitosa!"), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Aquí verás los dispositivos de transmisión disponibles."), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Asegúrate de que los permisos de la red local están activados para la aplicación Ente Fotos, en Configuración."), + "autoLock": MessageLookupByLibrary.simpleMessage("Bloqueo automático"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Tiempo después de que la aplicación esté en segundo plano"), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "Debido a un fallo técnico, has sido desconectado. Nuestras disculpas por las molestias."), + "autoPair": + MessageLookupByLibrary.simpleMessage("Emparejamiento automático"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "El emparejamiento automático funciona sólo con dispositivos compatibles con Chromecast."), + "available": MessageLookupByLibrary.simpleMessage("Disponible"), + "availableStorageSpace": m10, + "backedUpFolders": MessageLookupByLibrary.simpleMessage( + "Carpetas con copia de seguridad"), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("Copia de seguridad"), + "backupFailed": MessageLookupByLibrary.simpleMessage( + "La copia de seguridad ha fallado"), + "backupFile": MessageLookupByLibrary.simpleMessage( + "Archivo de copia de seguridad"), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Copia de seguridad usando datos móviles"), + "backupSettings": MessageLookupByLibrary.simpleMessage( + "Ajustes de copia de seguridad"), + "backupStatus": MessageLookupByLibrary.simpleMessage( + "Estado de la copia de seguridad"), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Los elementos con copia seguridad aparecerán aquí"), + "backupVideos": MessageLookupByLibrary.simpleMessage( + "Copia de seguridad de vídeos"), + "beach": MessageLookupByLibrary.simpleMessage("Arena y mar "), + "birthday": MessageLookupByLibrary.simpleMessage("Cumpleaños"), + "birthdayNotifications": MessageLookupByLibrary.simpleMessage( + "Notificaciones de cumpleaños"), + "birthdays": MessageLookupByLibrary.simpleMessage("Cumpleaños"), + "blackFridaySale": + MessageLookupByLibrary.simpleMessage("Oferta del Black Friday"), + "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cLDesc1": MessageLookupByLibrary.simpleMessage( + "Dado el trabajo que hemos hecho en la versión beta de vídeos en streaming y en las cargas y descargas reanudables, hemos aumentado el límite de subida de archivos a 10 GB. Esto ya está disponible tanto en la aplicación de escritorio como en la móvil."), + "cLDesc2": MessageLookupByLibrary.simpleMessage( + "Las subidas en segundo plano ya están también soportadas en iOS, además de los dispositivos Android. No es necesario abrir la aplicación para hacer una copia de seguridad de tus fotos y vídeos más recientes."), + "cLDesc3": MessageLookupByLibrary.simpleMessage( + "Hemos hecho mejoras significativas en nuestra experiencia de recuerdos, incluyendo la reproducción automática, el deslizado a la memoria siguiente y mucho más."), + "cLDesc4": MessageLookupByLibrary.simpleMessage( + "Junto con un montón de mejoras adicionales, ahora es mucho más fácil ver todas las caras detectadas, proporcionar comentarios sobre caras similares, y añadir o quitar caras de una sola foto."), + "cLDesc5": MessageLookupByLibrary.simpleMessage( + "Ahora recibirás una notificación de exclusión voluntaria para todos los cumpleaños que hayas guardado en Ente, junto con una colección de sus mejores fotos."), + "cLDesc6": MessageLookupByLibrary.simpleMessage( + "Ya no tienes que esperar a que las subidas o descargas se completen para cerrar la aplicación. Ahora, todas las subidas y descargas se pueden pausar a mitad de proceso y reanudarse justo donde lo dejaste."), + "cLTitle1": MessageLookupByLibrary.simpleMessage( + "Subiendo archivos de vídeo grandes"), + "cLTitle2": + MessageLookupByLibrary.simpleMessage("Subida en segundo plano"), + "cLTitle3": MessageLookupByLibrary.simpleMessage( + "Reproducción automática de recuerdos"), + "cLTitle4": MessageLookupByLibrary.simpleMessage( + "Reconocimiento facial mejorado"), + "cLTitle5": + MessageLookupByLibrary.simpleMessage("Notificación de cumpleaños"), + "cLTitle6": MessageLookupByLibrary.simpleMessage( + "Subidas y Descargas reanudables"), + "cachedData": + MessageLookupByLibrary.simpleMessage("Datos almacenados en caché"), + "calculating": MessageLookupByLibrary.simpleMessage("Calculando..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Lo sentimos, este álbum no se puede abrir en la aplicación."), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( + "No es posible abrir este álbum"), + "canNotUploadToAlbumsOwnedByOthers": + MessageLookupByLibrary.simpleMessage( + "No se puede subir a álbumes que sean propiedad de otros"), + "canOnlyCreateLinkForFilesOwnedByYou": + MessageLookupByLibrary.simpleMessage( + "Sólo puedes crear un enlace para archivos de tu propiedad"), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Sólo puede eliminar archivos de tu propiedad"), + "cancel": MessageLookupByLibrary.simpleMessage("Cancelar"), + "cancelAccountRecovery": + MessageLookupByLibrary.simpleMessage("Cancelar la recuperación"), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "¿Estás seguro de que quieres cancelar la recuperación?"), + "cancelOtherSubscription": m12, + "cancelSubscription": + MessageLookupByLibrary.simpleMessage("Cancelar suscripción"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "No se pueden eliminar los archivos compartidos"), + "castAlbum": MessageLookupByLibrary.simpleMessage("Enviar álbum"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Por favor, asegúrate de estar en la misma red que el televisor."), + "castIPMismatchTitle": + MessageLookupByLibrary.simpleMessage("Error al transmitir álbum"), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Visita cast.ente.io en el dispositivo que quieres emparejar.\n\nIntroduce el código de abajo para reproducir el álbum en tu TV."), + "centerPoint": MessageLookupByLibrary.simpleMessage("Punto central"), + "change": MessageLookupByLibrary.simpleMessage("Cambiar"), + "changeEmail": + MessageLookupByLibrary.simpleMessage("Cambiar correo electrónico"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "¿Cambiar la ubicación de los elementos seleccionados?"), + "changePassword": + MessageLookupByLibrary.simpleMessage("Cambiar contraseña"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("Cambiar contraseña"), + "changePermissions": + MessageLookupByLibrary.simpleMessage("¿Cambiar permisos?"), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Cambiar tu código de referido"), + "checkForUpdates": + MessageLookupByLibrary.simpleMessage("Comprobar actualizaciones"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Revisa tu bandeja de entrada (y spam) para completar la verificación"), + "checkStatus": MessageLookupByLibrary.simpleMessage("Comprobar estado"), + "checking": MessageLookupByLibrary.simpleMessage("Comprobando..."), + "checkingModels": + MessageLookupByLibrary.simpleMessage("Comprobando modelos..."), + "city": MessageLookupByLibrary.simpleMessage("En la ciudad"), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage( + "Obtén almacenamiento gratuito"), + "claimMore": MessageLookupByLibrary.simpleMessage("¡Obtén más!"), + "claimed": MessageLookupByLibrary.simpleMessage("Obtenido"), + "claimedStorageSoFar": m14, + "cleanUncategorized": + MessageLookupByLibrary.simpleMessage("Limpiar sin categorizar"), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Elimina todos los archivos de Sin categorizar que están presentes en otros álbumes"), + "clearCaches": MessageLookupByLibrary.simpleMessage("Limpiar cachés"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Limpiar índices"), + "click": MessageLookupByLibrary.simpleMessage("• Clic"), + "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( + "• Haga clic en el menú desbordante"), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Haz clic para instalar nuestra mejor versión hasta la fecha"), + "close": MessageLookupByLibrary.simpleMessage("Cerrar"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( + "Agrupar por tiempo de captura"), + "clubByFileName": + MessageLookupByLibrary.simpleMessage("Club por nombre de archivo"), + "clusteringProgress": + MessageLookupByLibrary.simpleMessage("Proceso de agrupación"), + "codeAppliedPageTitle": + MessageLookupByLibrary.simpleMessage("Código aplicado"), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Lo sentimos, has alcanzado el límite de cambios de códigos."), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Código copiado al portapapeles"), + "codeUsedByYou": + MessageLookupByLibrary.simpleMessage("Código usado por ti"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Crea un enlace para permitir que otros pueda añadir y ver fotos en tu álbum compartido sin necesitar la aplicación Ente o una cuenta. Genial para recolectar fotos de eventos."), + "collaborativeLink": + MessageLookupByLibrary.simpleMessage("Enlace colaborativo"), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Colaborador"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Colaboradores pueden añadir fotos y videos al álbum compartido."), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("Disposición"), + "collageSaved": MessageLookupByLibrary.simpleMessage( + "Collage guardado en la galería"), + "collect": MessageLookupByLibrary.simpleMessage("Recolectar"), + "collectEventPhotos": + MessageLookupByLibrary.simpleMessage("Recopilar fotos del evento"), + "collectPhotos": + MessageLookupByLibrary.simpleMessage("Recolectar fotos"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Crea un enlace donde tus amigos pueden subir fotos en su calidad original."), + "color": MessageLookupByLibrary.simpleMessage("Color"), + "configuration": MessageLookupByLibrary.simpleMessage("Configuración"), + "confirm": MessageLookupByLibrary.simpleMessage("Confirmar"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "¿Estás seguro de que deseas deshabilitar la autenticación de doble factor?"), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Confirmar eliminación de cuenta"), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Sí, quiero eliminar permanentemente esta cuenta y todos sus datos en todas las aplicaciones."), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("Confirmar contraseña"), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage( + "Confirmar los cambios en el plan"), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Confirmar clave de recuperación"), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Confirma tu clave de recuperación"), + "connectToDevice": + MessageLookupByLibrary.simpleMessage("Conectar a dispositivo"), + "contactFamilyAdmin": m18, + "contactSupport": + MessageLookupByLibrary.simpleMessage("Contactar con soporte"), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Contactos"), + "contents": MessageLookupByLibrary.simpleMessage("Contenidos"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Continuar"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "Continuar con el plan gratuito"), + "convertToAlbum": + MessageLookupByLibrary.simpleMessage("Convertir a álbum"), + "copyEmailAddress": MessageLookupByLibrary.simpleMessage( + "Copiar dirección de correo electrónico"), + "copyLink": MessageLookupByLibrary.simpleMessage("Copiar enlace"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Copia y pega este código\na tu aplicación de autenticador"), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "No pudimos hacer una copia de seguridad de tus datos.\nVolveremos a intentarlo más tarde."), + "couldNotFreeUpSpace": + MessageLookupByLibrary.simpleMessage("No se pudo liberar espacio"), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "No se pudo actualizar la suscripción"), + "count": MessageLookupByLibrary.simpleMessage("Cuenta"), + "crashReporting": + MessageLookupByLibrary.simpleMessage("Reporte de errores"), + "create": MessageLookupByLibrary.simpleMessage("Crear"), + "createAccount": MessageLookupByLibrary.simpleMessage("Crear cuenta"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Manten presionado para seleccionar fotos y haz clic en + para crear un álbum"), + "createCollaborativeLink": + MessageLookupByLibrary.simpleMessage("Crear enlace colaborativo"), + "createCollage": + MessageLookupByLibrary.simpleMessage("Crear un collage"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("Crear nueva cuenta"), + "createOrSelectAlbum": + MessageLookupByLibrary.simpleMessage("Crear o seleccionar álbum"), + "createPublicLink": + MessageLookupByLibrary.simpleMessage("Crear enlace público"), + "creatingLink": + MessageLookupByLibrary.simpleMessage("Creando enlace..."), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "Actualización crítica disponible"), + "crop": MessageLookupByLibrary.simpleMessage("Ajustar encuadre"), + "curatedMemories": + MessageLookupByLibrary.simpleMessage("Memorias revisadas"), + "currentUsageIs": + MessageLookupByLibrary.simpleMessage("El uso actual es de "), + "currentlyRunning": MessageLookupByLibrary.simpleMessage("ejecutando"), + "custom": MessageLookupByLibrary.simpleMessage("Personalizado"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Oscuro"), + "dayToday": MessageLookupByLibrary.simpleMessage("Hoy"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Ayer"), + "declineTrustInvite": + MessageLookupByLibrary.simpleMessage("Rechazar invitación"), + "decrypting": MessageLookupByLibrary.simpleMessage("Descifrando..."), + "decryptingVideo": + MessageLookupByLibrary.simpleMessage("Descifrando video..."), + "deduplicateFiles": + MessageLookupByLibrary.simpleMessage("Deduplicar archivos"), + "delete": MessageLookupByLibrary.simpleMessage("Eliminar"), + "deleteAccount": + MessageLookupByLibrary.simpleMessage("Eliminar cuenta"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Lamentamos que te vayas. Por favor, explícanos el motivo para ayudarnos a mejorar."), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Eliminar cuenta permanentemente"), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Borrar álbum"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "¿También eliminar las fotos (y los vídeos) presentes en este álbum de todos los otros álbumes de los que forman parte?"), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "Esto eliminará todos los álbumes vacíos. Esto es útil cuando quieres reducir el desorden en tu lista de álbumes."), + "deleteAll": MessageLookupByLibrary.simpleMessage("Borrar Todo"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "Esta cuenta está vinculada a otras aplicaciones de Ente, si utilizas alguna. Se programará la eliminación de los datos cargados en todas las aplicaciones de Ente, y tu cuenta se eliminará permanentemente."), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Por favor, envía un correo electrónico a account-deletion@ente.io desde la dirección de correo electrónico que usó para registrarse."), + "deleteEmptyAlbums": + MessageLookupByLibrary.simpleMessage("Eliminar álbumes vacíos"), + "deleteEmptyAlbumsWithQuestionMark": + MessageLookupByLibrary.simpleMessage("¿Eliminar álbumes vacíos?"), + "deleteFromBoth": + MessageLookupByLibrary.simpleMessage("Eliminar de ambos"), + "deleteFromDevice": + MessageLookupByLibrary.simpleMessage("Eliminar del dispositivo"), + "deleteFromEnte": + MessageLookupByLibrary.simpleMessage("Eliminar de Ente"), + "deleteItemCount": m21, + "deleteLocation": + MessageLookupByLibrary.simpleMessage("Borrar la ubicación"), + "deleteMultipleAlbumDialog": m22, + "deletePhotos": + MessageLookupByLibrary.simpleMessage("Borrar las fotos"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Falta una función clave que necesito"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "La aplicación o una característica determinada no se comporta como creo que debería"), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "He encontrado otro servicio que me gusta más"), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "Mi motivo no se encuentra en la lista"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Tu solicitud será procesada dentro de las siguientes 72 horas."), + "deleteSharedAlbum": + MessageLookupByLibrary.simpleMessage("¿Borrar álbum compartido?"), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "El álbum se eliminará para todos\n\nPerderás el acceso a las fotos compartidas en este álbum que son propiedad de otros"), + "deselectAll": + MessageLookupByLibrary.simpleMessage("Deseleccionar todo"), + "designedToOutlive": + MessageLookupByLibrary.simpleMessage("Diseñado para sobrevivir"), + "details": MessageLookupByLibrary.simpleMessage("Detalles"), + "developerSettings": + MessageLookupByLibrary.simpleMessage("Ajustes de desarrollador"), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "¿Estás seguro de que quieres modificar los ajustes de desarrollador?"), + "deviceCodeHint": + MessageLookupByLibrary.simpleMessage("Introduce el código"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "Los archivos añadidos a este álbum de dispositivo se subirán automáticamente a Ente."), + "deviceLock": + MessageLookupByLibrary.simpleMessage("Bloqueo del dispositivo"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Deshabilita el bloqueo de pantalla del dispositivo cuando Ente está en primer plano y haya una copia de seguridad en curso. Normalmente esto no es necesario, pero puede ayudar a que las grandes cargas y las importaciones iniciales de grandes bibliotecas se completen más rápido."), + "deviceNotFound": + MessageLookupByLibrary.simpleMessage("Dispositivo no encontrado"), + "didYouKnow": MessageLookupByLibrary.simpleMessage("¿Sabías que?"), + "different": MessageLookupByLibrary.simpleMessage("Diferente"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage( + "Desactivar bloqueo automático"), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Los espectadores todavía pueden tomar capturas de pantalla o guardar una copia de tus fotos usando herramientas externas"), + "disableDownloadWarningTitle": + MessageLookupByLibrary.simpleMessage("Por favor, ten en cuenta"), + "disableLinkMessage": m24, + "disableTwofactor": + MessageLookupByLibrary.simpleMessage("Deshabilitar dos factores"), + "disablingTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Deshabilitando la autenticación de dos factores..."), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Descubrir"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Bebés"), + "discover_celebrations": + MessageLookupByLibrary.simpleMessage("Celebraciones"), + "discover_food": MessageLookupByLibrary.simpleMessage("Comida"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Verdor"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Colinas"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Identidad"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Notas"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Mascotas"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Recibos"), + "discover_screenshots": + MessageLookupByLibrary.simpleMessage("Capturas de pantalla"), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfies"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Atardecer"), + "discover_visiting_cards": + MessageLookupByLibrary.simpleMessage("Tarjetas de visita"), + "discover_wallpapers": + MessageLookupByLibrary.simpleMessage("Fondos de pantalla"), + "dismiss": MessageLookupByLibrary.simpleMessage("Descartar"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": + MessageLookupByLibrary.simpleMessage("No cerrar la sesión"), + "doThisLater": + MessageLookupByLibrary.simpleMessage("Hacerlo más tarde"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "¿Quieres descartar las ediciones que has hecho?"), + "done": MessageLookupByLibrary.simpleMessage("Hecho"), + "dontSave": MessageLookupByLibrary.simpleMessage("No guardar"), + "doubleYourStorage": + MessageLookupByLibrary.simpleMessage("Duplica tu almacenamiento"), + "download": MessageLookupByLibrary.simpleMessage("Descargar"), + "downloadFailed": + MessageLookupByLibrary.simpleMessage("Descarga fallida"), + "downloading": MessageLookupByLibrary.simpleMessage("Descargando..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Editar"), + "editEmailAlreadyLinked": m28, + "editLocation": + MessageLookupByLibrary.simpleMessage("Editar la ubicación"), + "editLocationTagTitle": + MessageLookupByLibrary.simpleMessage("Editar la ubicación"), + "editPerson": MessageLookupByLibrary.simpleMessage("Editar persona"), + "editTime": MessageLookupByLibrary.simpleMessage("Editar hora"), + "editsSaved": + MessageLookupByLibrary.simpleMessage("Ediciones guardadas"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Las ediciones a la ubicación sólo se verán dentro de Ente"), + "eligible": MessageLookupByLibrary.simpleMessage("elegible"), + "email": MessageLookupByLibrary.simpleMessage("Correo electrónico"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "Correo electrónico ya registrado."), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "Correo electrónico no registrado."), + "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( + "Verificación por correo electrónico"), + "emailYourLogs": MessageLookupByLibrary.simpleMessage( + "Envía tus registros por correo electrónico"), + "embracingThem": m32, + "emergencyContacts": + MessageLookupByLibrary.simpleMessage("Contactos de emergencia"), + "empty": MessageLookupByLibrary.simpleMessage("Vaciar"), + "emptyTrash": + MessageLookupByLibrary.simpleMessage("¿Vaciar la papelera?"), + "enable": MessageLookupByLibrary.simpleMessage("Habilitar"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "Ente soporta aprendizaje automático en el dispositivo para la detección de caras, búsqueda mágica y otras características de búsqueda avanzada"), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Activar aprendizaje automático para búsqueda mágica y reconocimiento facial"), + "enableMaps": MessageLookupByLibrary.simpleMessage("Activar Mapas"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "Esto mostrará tus fotos en el mapa mundial.\n\nEste mapa está gestionado por Open Street Map, y la ubicación exacta de tus fotos nunca se comparte.\n\nPuedes deshabilitar esta función en cualquier momento en Ajustes."), + "enabled": MessageLookupByLibrary.simpleMessage("Habilitado"), + "encryptingBackup": MessageLookupByLibrary.simpleMessage( + "Cifrando copia de seguridad..."), + "encryption": MessageLookupByLibrary.simpleMessage("Cifrado"), + "encryptionKeys": + MessageLookupByLibrary.simpleMessage("Claves de cifrado"), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Punto final actualizado con éxito"), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Encriptado de extremo a extremo por defecto"), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente puede cifrar y preservar archivos solo si concedes acceso a ellos"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente necesita permiso para preservar tus fotos"), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "Ente conserva tus recuerdos, así que siempre están disponibles para ti, incluso si pierdes tu dispositivo."), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Tu familia también puede ser agregada a tu plan."), + "enterAlbumName": MessageLookupByLibrary.simpleMessage( + "Introduce el nombre del álbum"), + "enterCode": + MessageLookupByLibrary.simpleMessage("Introduce el código"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Introduce el código proporcionado por tu amigo para reclamar almacenamiento gratuito para ambos"), + "enterDateOfBirth": + MessageLookupByLibrary.simpleMessage("Cumpleaños (opcional)"), + "enterEmail": MessageLookupByLibrary.simpleMessage( + "Ingresar correo electrónico "), + "enterFileName": MessageLookupByLibrary.simpleMessage( + "Introduce el nombre del archivo"), + "enterName": MessageLookupByLibrary.simpleMessage("Introducir nombre"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Introduce una nueva contraseña que podamos usar para cifrar tus datos"), + "enterPassword": + MessageLookupByLibrary.simpleMessage("Introduzca contraseña"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Introduce una contraseña que podamos usar para cifrar tus datos"), + "enterPersonName": MessageLookupByLibrary.simpleMessage( + "Ingresar el nombre de una persona"), + "enterPin": + MessageLookupByLibrary.simpleMessage("Ingresa tu contraseña"), + "enterReferralCode": MessageLookupByLibrary.simpleMessage( + "Introduce el código de referido"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Ingresa el código de seis dígitos de tu aplicación de autenticación"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Por favor, introduce una dirección de correo electrónico válida."), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Escribe tu correo electrónico"), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Introduce tu nueva dirección de correo electrónico"), + "enterYourPassword": + MessageLookupByLibrary.simpleMessage("Ingresa tu contraseña"), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Introduce tu clave de recuperación"), + "error": MessageLookupByLibrary.simpleMessage("Error"), + "everywhere": MessageLookupByLibrary.simpleMessage("todas partes"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": + MessageLookupByLibrary.simpleMessage("Usuario existente"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Este enlace ha caducado. Por favor, selecciona una nueva fecha de caducidad o deshabilita la fecha de caducidad."), + "exportLogs": + MessageLookupByLibrary.simpleMessage("Exportar registros"), + "exportYourData": + MessageLookupByLibrary.simpleMessage("Exportar tus datos"), + "extraPhotosFound": MessageLookupByLibrary.simpleMessage( + "Fotos adicionales encontradas"), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Cara no agrupada todavía, por favor vuelve más tarde"), + "faceRecognition": + MessageLookupByLibrary.simpleMessage("Reconocimiento facial"), + "faces": MessageLookupByLibrary.simpleMessage("Caras"), + "failed": MessageLookupByLibrary.simpleMessage("Fallido"), + "failedToApplyCode": + MessageLookupByLibrary.simpleMessage("Error al aplicar el código"), + "failedToCancel": + MessageLookupByLibrary.simpleMessage("Error al cancelar"), + "failedToDownloadVideo": + MessageLookupByLibrary.simpleMessage("Error al descargar el vídeo"), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Error al recuperar las sesiones activas"), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "No se pudo obtener el original para editar"), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "No se pueden obtener los detalles de la referencia. Por favor, inténtalo de nuevo más tarde."), + "failedToLoadAlbums": + MessageLookupByLibrary.simpleMessage("Error al cargar álbumes"), + "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Error al reproducir el video"), + "failedToRefreshStripeSubscription": + MessageLookupByLibrary.simpleMessage( + "Error al actualizar la suscripción"), + "failedToRenew": + MessageLookupByLibrary.simpleMessage("Renovación fallida"), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Error al verificar el estado de tu pago"), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Añade 5 familiares a tu plan existente sin pagar más.\n\nCada miembro tiene su propio espacio privado y no puede ver los archivos del otro a menos que sean compartidos.\n\nLos planes familiares están disponibles para los clientes que tienen una suscripción de Ente pagada.\n\n¡Suscríbete ahora para empezar!"), + "familyPlanPortalTitle": + MessageLookupByLibrary.simpleMessage("Familia"), + "familyPlans": + MessageLookupByLibrary.simpleMessage("Planes familiares"), + "faq": MessageLookupByLibrary.simpleMessage("Preguntas Frecuentes"), + "faqs": MessageLookupByLibrary.simpleMessage("Preguntas frecuentes"), + "favorite": MessageLookupByLibrary.simpleMessage("Favorito"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("Sugerencias"), + "file": MessageLookupByLibrary.simpleMessage("Archivo"), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "No se pudo guardar el archivo en la galería"), + "fileInfoAddDescHint": + MessageLookupByLibrary.simpleMessage("Añadir descripción..."), + "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( + "El archivo aún no se ha subido"), + "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Archivo guardado en la galería"), + "fileTypes": MessageLookupByLibrary.simpleMessage("Tipos de archivos"), + "fileTypesAndNames": + MessageLookupByLibrary.simpleMessage("Tipos de archivo y nombres"), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": + MessageLookupByLibrary.simpleMessage("Archivos eliminados"), + "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Archivo guardado en la galería"), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "Encuentra gente rápidamente por su nombre"), + "findThemQuickly": + MessageLookupByLibrary.simpleMessage("Encuéntralos rápidamente"), + "flip": MessageLookupByLibrary.simpleMessage("Voltear"), + "food": MessageLookupByLibrary.simpleMessage("Delicia culinaria"), + "forYourMemories": + MessageLookupByLibrary.simpleMessage("para tus recuerdos"), + "forgotPassword": + MessageLookupByLibrary.simpleMessage("Olvidé mi contraseña"), + "foundFaces": MessageLookupByLibrary.simpleMessage("Caras encontradas"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( + "Almacenamiento gratuito obtenido"), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Almacenamiento libre disponible"), + "freeTrial": MessageLookupByLibrary.simpleMessage("Prueba gratuita"), + "freeTrialValidTill": m38, + "freeUpAccessPostDelete": m39, + "freeUpAmount": m40, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( + "Liberar espacio del dispositivo"), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Ahorra espacio en tu dispositivo limpiando archivos que tienen copia de seguridad."), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("Liberar espacio"), + "freeUpSpaceSaving": m41, + "gallery": MessageLookupByLibrary.simpleMessage("Galería"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "Hasta 1000 memorias mostradas en la galería"), + "general": MessageLookupByLibrary.simpleMessage("General"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Generando claves de cifrado..."), + "genericProgress": m42, + "goToSettings": MessageLookupByLibrary.simpleMessage("Ir a Ajustes"), + "googlePlayId": + MessageLookupByLibrary.simpleMessage("ID de Google Play"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Por favor, permite el acceso a todas las fotos en Ajustes"), + "grantPermission": + MessageLookupByLibrary.simpleMessage("Conceder permiso"), + "greenery": MessageLookupByLibrary.simpleMessage("La vida verde"), + "groupNearbyPhotos": + MessageLookupByLibrary.simpleMessage("Agrupar fotos cercanas"), + "guestView": MessageLookupByLibrary.simpleMessage("Vista de invitado"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "Para habilitar la vista de invitados, por favor configure el código de acceso del dispositivo o el bloqueo de pantalla en los ajustes de su sistema."), + "happyBirthday": + MessageLookupByLibrary.simpleMessage("¡Feliz cumpleaños! 🥳"), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "No rastreamos las aplicaciones instaladas. ¡Nos ayudarías si nos dijeras dónde nos encontraste!"), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "¿Cómo escuchaste acerca de Ente? (opcional)"), + "help": MessageLookupByLibrary.simpleMessage("Ayuda"), + "hidden": MessageLookupByLibrary.simpleMessage("Oculto"), + "hide": MessageLookupByLibrary.simpleMessage("Ocultar"), + "hideContent": + MessageLookupByLibrary.simpleMessage("Ocultar contenido"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Oculta el contenido de la aplicación en el selector de aplicaciones y desactivar capturas de pantalla"), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Ocultar el contenido de la aplicación en el selector de aplicaciones"), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Ocultar elementos compartidos de la galería de inicio"), + "hiding": MessageLookupByLibrary.simpleMessage("Ocultando..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": + MessageLookupByLibrary.simpleMessage("Alojado en OSM France"), + "howItWorks": MessageLookupByLibrary.simpleMessage("Cómo funciona"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Por favor, pídeles que mantengan presionada su dirección de correo electrónico en la pantalla de ajustes, y verifica que los identificadores de ambos dispositivos coincidan."), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "La autenticación biométrica no está configurada en tu dispositivo. Por favor, activa Touch ID o Face ID en tu teléfono."), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "La autenticación biométrica está deshabilitada. Por favor, bloquea y desbloquea la pantalla para habilitarla."), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("Aceptar"), + "ignore": MessageLookupByLibrary.simpleMessage("Ignorar"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorar"), + "ignored": MessageLookupByLibrary.simpleMessage("ignorado"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Algunos archivos de este álbum son ignorados de la carga porque previamente habían sido borrados de Ente."), + "imageNotAnalyzed": + MessageLookupByLibrary.simpleMessage("Imagen no analizada"), + "immediately": MessageLookupByLibrary.simpleMessage("Inmediatamente"), + "importing": MessageLookupByLibrary.simpleMessage("Importando...."), + "incorrectCode": + MessageLookupByLibrary.simpleMessage("Código incorrecto"), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("Contraseña incorrecta"), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Clave de recuperación incorrecta"), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "La clave de recuperación introducida es incorrecta"), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Clave de recuperación incorrecta"), + "indexedItems": + MessageLookupByLibrary.simpleMessage("Elementos indexados"), + "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( + "La indexación está pausada. Se reanudará automáticamente cuando el dispositivo esté listo. El dispositivo se considera listo cuando su nivel de batería, la salud de la batería y temperatura están en un rango saludable."), + "ineligible": MessageLookupByLibrary.simpleMessage("Inelegible"), + "info": MessageLookupByLibrary.simpleMessage("Info"), + "insecureDevice": + MessageLookupByLibrary.simpleMessage("Dispositivo inseguro"), + "installManually": + MessageLookupByLibrary.simpleMessage("Instalar manualmente"), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "Dirección de correo electrónico no válida"), + "invalidEndpoint": + MessageLookupByLibrary.simpleMessage("Punto final no válido"), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Lo sentimos, el punto final introducido no es válido. Por favor, introduce un punto final válido y vuelve a intentarlo."), + "invalidKey": MessageLookupByLibrary.simpleMessage("Clave inválida"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "La clave de recuperación introducida no es válida. Por favor, asegúrate de que contenga 24 palabras y comprueba la ortografía de cada una.\n\nSi has introducido un código de recuperación antiguo, asegúrate de que tiene 64 caracteres de largo y comprueba cada uno de ellos."), + "invite": MessageLookupByLibrary.simpleMessage("Invitar"), + "inviteToEnte": MessageLookupByLibrary.simpleMessage("Invitar a Ente"), + "inviteYourFriends": + MessageLookupByLibrary.simpleMessage("Invita a tus amigos"), + "inviteYourFriendsToEnte": + MessageLookupByLibrary.simpleMessage("Invita a tus amigos a Ente"), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Parece que algo salió mal. Por favor, vuelve a intentarlo después de algún tiempo. Si el error persiste, ponte en contacto con nuestro equipo de soporte."), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "Los artículos muestran el número de días restantes antes de ser borrados permanente"), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Los elementos seleccionados serán eliminados de este álbum"), + "join": MessageLookupByLibrary.simpleMessage("Unir"), + "joinAlbum": MessageLookupByLibrary.simpleMessage("Unir álbum"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "Unirse a un álbum hará visible tu correo electrónico a sus participantes."), + "joinAlbumSubtext": + MessageLookupByLibrary.simpleMessage("para ver y añadir tus fotos"), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "para añadir esto a los álbumes compartidos"), + "joinDiscord": MessageLookupByLibrary.simpleMessage("Únete al Discord"), + "keepPhotos": + MessageLookupByLibrary.simpleMessage("Conservar las fotos"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Por favor ayúdanos con esta información"), + "language": MessageLookupByLibrary.simpleMessage("Idioma"), + "lastTimeWithThem": m45, + "lastUpdated": + MessageLookupByLibrary.simpleMessage("Última actualización"), + "lastYearsTrip": + MessageLookupByLibrary.simpleMessage("Viaje del año pasado"), + "leave": MessageLookupByLibrary.simpleMessage("Abandonar"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Abandonar álbum"), + "leaveFamily": + MessageLookupByLibrary.simpleMessage("Abandonar plan familiar"), + "leaveSharedAlbum": + MessageLookupByLibrary.simpleMessage("¿Dejar álbum compartido?"), + "left": MessageLookupByLibrary.simpleMessage("Izquierda"), + "legacy": MessageLookupByLibrary.simpleMessage("Legado"), + "legacyAccounts": + MessageLookupByLibrary.simpleMessage("Cuentas legadas"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "Legado permite a los contactos de confianza acceder a su cuenta en su ausencia."), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "Los contactos de confianza pueden iniciar la recuperación de la cuenta, y si no están bloqueados en un plazo de 30 días, restablecer su contraseña y acceder a su cuenta."), + "light": MessageLookupByLibrary.simpleMessage("Brillo"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Claro"), + "link": MessageLookupByLibrary.simpleMessage("Enlace"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Enlace copiado al portapapeles"), + "linkDeviceLimit": + MessageLookupByLibrary.simpleMessage("Límite del dispositivo"), + "linkEmail": + MessageLookupByLibrary.simpleMessage("Vincular correo electrónico"), + "linkEmailToContactBannerCaption": + MessageLookupByLibrary.simpleMessage("para compartir más rápido"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Habilitado"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Vencido"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Enlace vence"), + "linkHasExpired": + MessageLookupByLibrary.simpleMessage("El enlace ha caducado"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Nunca"), + "linkPerson": MessageLookupByLibrary.simpleMessage("Vincular persona"), + "linkPersonCaption": MessageLookupByLibrary.simpleMessage( + "para una mejor experiencia compartida"), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("Foto en vivo"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "Puedes compartir tu suscripción con tu familia"), + "loadMessage2": MessageLookupByLibrary.simpleMessage( + "Hasta ahora hemos conservado más de 200 millones de recuerdos"), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "Guardamos 3 copias de tus datos, una en un refugio subterráneo"), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "Todas nuestras aplicaciones son de código abierto"), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Nuestro código fuente y criptografía han sido auditados externamente"), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "Puedes compartir enlaces a tus álbumes con tus seres queridos"), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Nuestras aplicaciones móviles se ejecutan en segundo plano para cifrar y hacer copias de seguridad de las nuevas fotos que hagas clic"), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io tiene un cargador sofisticado"), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Utilizamos Xchacha20Poly1305 para cifrar tus datos de forma segura"), + "loadingExifData": + MessageLookupByLibrary.simpleMessage("Cargando datos EXIF..."), + "loadingGallery": + MessageLookupByLibrary.simpleMessage("Cargando galería..."), + "loadingMessage": + MessageLookupByLibrary.simpleMessage("Cargando tus fotos..."), + "loadingModel": + MessageLookupByLibrary.simpleMessage("Descargando modelos..."), + "loadingYourPhotos": + MessageLookupByLibrary.simpleMessage("Cargando tus fotos..."), + "localGallery": MessageLookupByLibrary.simpleMessage("Galería local"), + "localIndexing": MessageLookupByLibrary.simpleMessage("Indexado local"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Parece que algo salió mal ya que la sincronización de fotos locales está tomando más tiempo del esperado. Por favor contacta con nuestro equipo de soporte"), + "location": MessageLookupByLibrary.simpleMessage("Ubicación"), + "locationName": + MessageLookupByLibrary.simpleMessage("Nombre de la ubicación"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Una etiqueta de ubicación agrupa todas las fotos que fueron tomadas dentro de un radio de una foto"), + "locations": MessageLookupByLibrary.simpleMessage("Ubicaciones"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Bloquear"), + "lockscreen": + MessageLookupByLibrary.simpleMessage("Pantalla de bloqueo"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Iniciar sesión"), + "loggingOut": + MessageLookupByLibrary.simpleMessage("Cerrando sesión..."), + "loginSessionExpired": + MessageLookupByLibrary.simpleMessage("La sesión ha expirado"), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "Tu sesión ha expirado. Por favor, vuelve a iniciar sesión."), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Al hacer clic en iniciar sesión, acepto los términos de servicio y la política de privacidad"), + "loginWithTOTP": + MessageLookupByLibrary.simpleMessage("Iniciar sesión con TOTP"), + "logout": MessageLookupByLibrary.simpleMessage("Cerrar sesión"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "Esto enviará registros para ayudarnos a depurar su problema. Ten en cuenta que los nombres de los archivos se incluirán para ayudar a rastrear problemas con archivos específicos."), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Mantén pulsado un correo electrónico para verificar el cifrado de extremo a extremo."), + "longpressOnAnItemToViewInFullscreen": + MessageLookupByLibrary.simpleMessage( + "Manten presionado un elemento para ver en pantalla completa"), + "lookBackOnYourMemories": + MessageLookupByLibrary.simpleMessage("Revisa tus recuerdos 🌄"), + "loopVideoOff": + MessageLookupByLibrary.simpleMessage("Vídeo en bucle desactivado"), + "loopVideoOn": + MessageLookupByLibrary.simpleMessage("Vídeo en bucle activado"), + "lostDevice": + MessageLookupByLibrary.simpleMessage("¿Perdiste tu dispositivo?"), + "machineLearning": + MessageLookupByLibrary.simpleMessage("Aprendizaje automático"), + "magicSearch": MessageLookupByLibrary.simpleMessage("Búsqueda mágica"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "La búsqueda mágica permite buscar fotos por su contenido. Por ejemplo, \"flor\", \"coche rojo\", \"documentos de identidad\""), + "manage": MessageLookupByLibrary.simpleMessage("Administrar"), + "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( + "Gestionar almacenamiento caché del dispositivo"), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Revisar y borrar almacenamiento caché local."), + "manageFamily": + MessageLookupByLibrary.simpleMessage("Administrar familia"), + "manageLink": + MessageLookupByLibrary.simpleMessage("Administrar enlace"), + "manageParticipants": + MessageLookupByLibrary.simpleMessage("Administrar"), + "manageSubscription": + MessageLookupByLibrary.simpleMessage("Administrar tu suscripción"), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "El emparejamiento con PIN funciona con cualquier pantalla en la que desees ver tu álbum."), + "map": MessageLookupByLibrary.simpleMessage("Mapa"), + "maps": MessageLookupByLibrary.simpleMessage("Mapas"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("Yo"), + "memories": MessageLookupByLibrary.simpleMessage("Recuerdos"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Seleccione el tipo de recuerdos que desea ver en su pantalla de inicio."), + "memoryCount": m50, + "merchandise": MessageLookupByLibrary.simpleMessage("Mercancías"), + "merge": MessageLookupByLibrary.simpleMessage("Combinar"), + "mergeWithExisting": + MessageLookupByLibrary.simpleMessage("Combinar con existente"), + "mergedPhotos": + MessageLookupByLibrary.simpleMessage("Fotos combinadas"), + "mlConsent": MessageLookupByLibrary.simpleMessage( + "Habilitar aprendizaje automático"), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Entiendo y deseo habilitar el aprendizaje automático"), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Si habilitas el aprendizaje automático, Ente extraerá información como la geometría de la cara de los archivos, incluyendo aquellos compartidos contigo.\n\nEsto sucederá en tu dispositivo, y cualquier información biométrica generada será encriptada de extremo a extremo."), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Por favor, haz clic aquí para más detalles sobre esta característica en nuestra política de privacidad"), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "¿Habilitar aprendizaje automático?"), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Por favor ten en cuenta que el aprendizaje automático dará como resultado un mayor consumo de ancho de banda y de batería hasta que todos los elementos estén indexados. Considera usar la aplicación de escritorio para una indexación más rápida. Todos los resultados se sincronizarán automáticamente."), + "mobileWebDesktop": + MessageLookupByLibrary.simpleMessage("Celular, Web, Computadora"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Moderada"), + "modifyYourQueryOrTrySearchingFor": + MessageLookupByLibrary.simpleMessage( + "Modifica tu consulta o intenta buscar"), + "moments": MessageLookupByLibrary.simpleMessage("Momentos"), + "month": MessageLookupByLibrary.simpleMessage("mes"), + "monthly": MessageLookupByLibrary.simpleMessage("Mensualmente"), + "moon": MessageLookupByLibrary.simpleMessage("A la luz de la luna"), + "moreDetails": MessageLookupByLibrary.simpleMessage("Más detalles"), + "mostRecent": MessageLookupByLibrary.simpleMessage("Más reciente"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("Más relevante"), + "mountains": MessageLookupByLibrary.simpleMessage("Sobre las colinas"), + "moveItem": m51, + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "Mover las fotos seleccionadas a una fecha"), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("Mover al álbum"), + "moveToHiddenAlbum": + MessageLookupByLibrary.simpleMessage("Mover al álbum oculto"), + "movedSuccessfullyTo": m52, + "movedToTrash": + MessageLookupByLibrary.simpleMessage("Movido a la papelera"), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Moviendo archivos al álbum..."), + "name": MessageLookupByLibrary.simpleMessage("Nombre"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Nombre el álbum"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "No se puede conectar a Ente. Por favor, vuelve a intentarlo pasado un tiempo. Si el error persiste, ponte en contacto con el soporte técnico."), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "No se puede conectar a Ente. Por favor, comprueba tu configuración de red y ponte en contacto con el soporte técnico si el error persiste."), + "never": MessageLookupByLibrary.simpleMessage("Nunca"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Nuevo álbum"), + "newLocation": + MessageLookupByLibrary.simpleMessage("Nueva localización"), + "newPerson": MessageLookupByLibrary.simpleMessage("Nueva persona"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" nuevo 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("Nuevo rango"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Nuevo en Ente"), + "newest": MessageLookupByLibrary.simpleMessage("Más reciente"), + "next": MessageLookupByLibrary.simpleMessage("Siguiente"), + "no": MessageLookupByLibrary.simpleMessage("No"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Aún no has compartido ningún álbum"), + "noDeviceFound": MessageLookupByLibrary.simpleMessage( + "No se encontró ningún dispositivo"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Ninguno"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "No tienes archivos en este dispositivo que puedan ser borrados"), + "noDuplicates": + MessageLookupByLibrary.simpleMessage("✨ Sin duplicados"), + "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( + "¡No existe una cuenta de Ente!"), + "noExifData": MessageLookupByLibrary.simpleMessage("No hay datos EXIF"), + "noFacesFound": + MessageLookupByLibrary.simpleMessage("No se han encontrado caras"), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "No hay fotos ni vídeos ocultos"), + "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( + "No hay imágenes con ubicación"), + "noInternetConnection": + MessageLookupByLibrary.simpleMessage("No hay conexión al Internet"), + "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( + "No se están realizando copias de seguridad de ninguna foto en este momento"), + "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( + "No se encontró ninguna foto aquí"), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( + "No se han seleccionado enlaces rápidos"), + "noRecoveryKey": + MessageLookupByLibrary.simpleMessage("¿Sin clave de recuperación?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Debido a la naturaleza de nuestro protocolo de cifrado de extremo a extremo, tus datos no pueden ser descifrados sin tu contraseña o clave de recuperación"), + "noResults": MessageLookupByLibrary.simpleMessage("Sin resultados"), + "noResultsFound": MessageLookupByLibrary.simpleMessage( + "No se han encontrado resultados"), + "noSuggestionsForPerson": m53, + "noSystemLockFound": MessageLookupByLibrary.simpleMessage( + "Bloqueo de sistema no encontrado"), + "notPersonLabel": m54, + "notThisPerson": + MessageLookupByLibrary.simpleMessage("¿No es esta persona?"), + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "Aún no hay nada compartido contigo"), + "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( + "¡No hay nada que ver aquí! 👀"), + "notifications": MessageLookupByLibrary.simpleMessage("Notificaciones"), + "ok": MessageLookupByLibrary.simpleMessage("Aceptar"), + "onDevice": MessageLookupByLibrary.simpleMessage("En el dispositivo"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "En ente"), + "onTheRoad": + MessageLookupByLibrary.simpleMessage("De nuevo en la carretera"), + "onThisDay": MessageLookupByLibrary.simpleMessage("Un día como hoy"), + "onThisDayMemories": MessageLookupByLibrary.simpleMessage( + "Recuerdos de un día como hoy"), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "Recibe recordatorios sobre recuerdos de este día en años anteriores."), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Solo ellos"), + "oops": MessageLookupByLibrary.simpleMessage("Ups"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Ups, no se pudieron guardar las ediciónes"), + "oopsSomethingWentWrong": + MessageLookupByLibrary.simpleMessage("Ups, algo salió mal"), + "openAlbumInBrowser": + MessageLookupByLibrary.simpleMessage("Abrir álbum en el navegador"), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Por favor, utiliza la aplicación web para añadir fotos a este álbum"), + "openFile": MessageLookupByLibrary.simpleMessage("Abrir archivo"), + "openSettings": MessageLookupByLibrary.simpleMessage("Abrir Ajustes"), + "openTheItem": + MessageLookupByLibrary.simpleMessage("• Abrir el elemento"), + "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( + "Contribuidores de OpenStreetMap"), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Opcional, tan corto como quieras..."), + "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( + "O combinar con persona existente"), + "orPickAnExistingOne": + MessageLookupByLibrary.simpleMessage("O elige uno existente"), + "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( + "o elige de entre tus contactos"), + "otherDetectedFaces": + MessageLookupByLibrary.simpleMessage("Otras caras detectadas"), + "pair": MessageLookupByLibrary.simpleMessage("Emparejar"), + "pairWithPin": + MessageLookupByLibrary.simpleMessage("Emparejar con PIN"), + "pairingComplete": + MessageLookupByLibrary.simpleMessage("Emparejamiento completo"), + "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), + "partyWithThem": m56, + "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( + "La verificación aún está pendiente"), + "passkey": MessageLookupByLibrary.simpleMessage("Clave de acceso"), + "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( + "Verificación de clave de acceso"), + "password": MessageLookupByLibrary.simpleMessage("Contraseña"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Contraseña cambiada correctamente"), + "passwordLock": + MessageLookupByLibrary.simpleMessage("Bloqueo con contraseña"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "La fortaleza de la contraseña se calcula teniendo en cuenta la longitud de la contraseña, los caracteres utilizados, y si la contraseña aparece o no en el top 10.000 de contraseñas más usadas"), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "No almacenamos esta contraseña, así que si la olvidas, no podremos descifrar tus datos"), + "pastYearsMemories": MessageLookupByLibrary.simpleMessage( + "Recuerdos de los últimos años"), + "paymentDetails": + MessageLookupByLibrary.simpleMessage("Detalles de pago"), + "paymentFailed": MessageLookupByLibrary.simpleMessage("Pago fallido"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "Lamentablemente tu pago falló. Por favor, ¡contacta con el soporte técnico y te ayudaremos!"), + "paymentFailedTalkToProvider": m58, + "pendingItems": + MessageLookupByLibrary.simpleMessage("Elementos pendientes"), + "pendingSync": + MessageLookupByLibrary.simpleMessage("Sincronización pendiente"), + "people": MessageLookupByLibrary.simpleMessage("Personas"), + "peopleUsingYourCode": + MessageLookupByLibrary.simpleMessage("Personas usando tu código"), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Selecciona las personas que deseas ver en tu pantalla de inicio."), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Todos los elementos de la papelera serán eliminados permanentemente\n\nEsta acción no se puede deshacer"), + "permanentlyDelete": + MessageLookupByLibrary.simpleMessage("Borrar permanentemente"), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "¿Eliminar permanentemente del dispositivo?"), + "personIsAge": m59, + "personName": + MessageLookupByLibrary.simpleMessage("Nombre de la persona"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("Compañeros peludos"), + "photoDescriptions": + MessageLookupByLibrary.simpleMessage("Descripciones de fotos"), + "photoGridSize": MessageLookupByLibrary.simpleMessage( + "Tamaño de la cuadrícula de fotos"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("Fotos"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "Las fotos añadidas por ti serán removidas del álbum"), + "photosCount": m62, + "photosKeepRelativeTimeDifference": + MessageLookupByLibrary.simpleMessage( + "Las fotos mantienen una diferencia de tiempo relativa"), + "pickCenterPoint": + MessageLookupByLibrary.simpleMessage("Elegir punto central"), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Fijar álbum"), + "pinLock": MessageLookupByLibrary.simpleMessage("Bloqueo con Pin"), + "playOnTv": + MessageLookupByLibrary.simpleMessage("Reproducir álbum en TV"), + "playOriginal": + MessageLookupByLibrary.simpleMessage("Reproducir original"), + "playStoreFreeTrialValidTill": m63, + "playStream": + MessageLookupByLibrary.simpleMessage("Reproducir transmisión"), + "playstoreSubscription": + MessageLookupByLibrary.simpleMessage("Suscripción en la PlayStore"), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Por favor, revisa tu conexión a Internet e inténtalo otra vez."), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "¡Por favor, contacta con support@ente.io y estaremos encantados de ayudar!"), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Por favor, contacta a soporte técnico si el problema persiste"), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": + MessageLookupByLibrary.simpleMessage("Por favor, concede permiso"), + "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( + "Por favor, vuelve a iniciar sesión"), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Por favor, selecciona enlaces rápidos para eliminar"), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Por favor, inténtalo nuevamente"), + "pleaseVerifyTheCodeYouHaveEntered": + MessageLookupByLibrary.simpleMessage( + "Por favor, verifica el código que has introducido"), + "pleaseWait": + MessageLookupByLibrary.simpleMessage("Por favor, espera..."), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Por favor espera. Borrando el álbum"), + "pleaseWaitForSometimeBeforeRetrying": + MessageLookupByLibrary.simpleMessage( + "Por favor, espera un momento antes de volver a intentarlo"), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "Espera. Esto tardará un poco."), + "posingWithThem": m66, + "preparingLogs": + MessageLookupByLibrary.simpleMessage("Preparando registros..."), + "preserveMore": MessageLookupByLibrary.simpleMessage("Preservar más"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Presiona y mantén presionado para reproducir el video"), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Mantén pulsada la imagen para reproducir el video"), + "previous": MessageLookupByLibrary.simpleMessage("Anterior"), + "privacy": MessageLookupByLibrary.simpleMessage("Privacidad"), + "privacyPolicyTitle": + MessageLookupByLibrary.simpleMessage("Política de Privacidad"), + "privateBackups": MessageLookupByLibrary.simpleMessage( + "Copias de seguridad privadas"), + "privateSharing": + MessageLookupByLibrary.simpleMessage("Compartir en privado"), + "proceed": MessageLookupByLibrary.simpleMessage("Continuar"), + "processed": MessageLookupByLibrary.simpleMessage("Procesado"), + "processing": MessageLookupByLibrary.simpleMessage("Procesando"), + "processingImport": m67, + "processingVideos": + MessageLookupByLibrary.simpleMessage("Procesando vídeos"), + "publicLinkCreated": + MessageLookupByLibrary.simpleMessage("Enlace público creado"), + "publicLinkEnabled": + MessageLookupByLibrary.simpleMessage("Enlace público habilitado"), + "questionmark": MessageLookupByLibrary.simpleMessage("?"), + "queued": MessageLookupByLibrary.simpleMessage("En cola"), + "quickLinks": MessageLookupByLibrary.simpleMessage("Acceso rápido"), + "radius": MessageLookupByLibrary.simpleMessage("Radio"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Generar ticket"), + "rateTheApp": + MessageLookupByLibrary.simpleMessage("Evalúa la aplicación"), + "rateUs": MessageLookupByLibrary.simpleMessage("Califícanos"), + "rateUsOnStore": m68, + "reassignMe": MessageLookupByLibrary.simpleMessage("Reasignar \"Yo\""), + "reassignedToName": m69, + "reassigningLoading": + MessageLookupByLibrary.simpleMessage("Reasignando..."), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Recibe recordatorios cuando es el cumpleaños de alguien. Pulsar en la notificación te llevará a las fotos de la persona que cumple años."), + "recover": MessageLookupByLibrary.simpleMessage("Recuperar"), + "recoverAccount": + MessageLookupByLibrary.simpleMessage("Recuperar cuenta"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Recuperar"), + "recoveryAccount": + MessageLookupByLibrary.simpleMessage("Recuperar cuenta"), + "recoveryInitiated": + MessageLookupByLibrary.simpleMessage("Recuperación iniciada"), + "recoveryInitiatedDesc": m70, + "recoveryKey": + MessageLookupByLibrary.simpleMessage("Clave de recuperación"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Clave de recuperación copiada al portapapeles"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Si olvidas tu contraseña, la única forma de recuperar tus datos es con esta clave."), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Nosotros no almacenamos esta clave. Por favor, guarda esta clave de 24 palabras en un lugar seguro."), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "¡Genial! Tu clave de recuperación es válida. Gracias por verificar.\n\nPor favor, recuerda mantener tu clave de recuperación segura."), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Clave de recuperación verificada"), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Tu clave de recuperación es la única forma de recuperar tus fotos si olvidas tu contraseña. Puedes encontrar tu clave de recuperación en Ajustes > Cuenta.\n\nPor favor, introduce tu clave de recuperación aquí para verificar que la has guardado correctamente."), + "recoveryReady": m71, + "recoverySuccessful": + MessageLookupByLibrary.simpleMessage("¡Recuperación exitosa!"), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "Un contacto de confianza está intentando acceder a tu cuenta"), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "El dispositivo actual no es lo suficientemente potente para verificar su contraseña, pero podemos regenerarla de una manera que funcione con todos los dispositivos.\n\nPor favor inicie sesión usando su clave de recuperación y regenere su contraseña (puede volver a utilizar la misma si lo desea)."), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("Recrear contraseña"), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": + MessageLookupByLibrary.simpleMessage("Rescribe tu contraseña"), + "reenterPin": MessageLookupByLibrary.simpleMessage("Rescribe tu PIN"), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Refiere a amigos y 2x su plan"), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Dale este código a tus amigos"), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Se suscriben a un plan de pago"), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Referidos"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "Las referencias están actualmente en pausa"), + "rejectRecovery": + MessageLookupByLibrary.simpleMessage("Rechazar la recuperación"), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "También vacía \"Eliminado Recientemente\" de \"Configuración\" -> \"Almacenamiento\" para reclamar el espacio libre"), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "También vacía tu \"Papelera\" para reclamar el espacio liberado"), + "remoteImages": + MessageLookupByLibrary.simpleMessage("Imágenes remotas"), + "remoteThumbnails": + MessageLookupByLibrary.simpleMessage("Miniaturas remotas"), + "remoteVideos": MessageLookupByLibrary.simpleMessage("Videos remotos"), + "remove": MessageLookupByLibrary.simpleMessage("Quitar"), + "removeDuplicates": + MessageLookupByLibrary.simpleMessage("Eliminar duplicados"), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Revisar y eliminar archivos que son duplicados exactos."), + "removeFromAlbum": + MessageLookupByLibrary.simpleMessage("Eliminar del álbum"), + "removeFromAlbumTitle": + MessageLookupByLibrary.simpleMessage("¿Eliminar del álbum?"), + "removeFromFavorite": + MessageLookupByLibrary.simpleMessage("Remover desde favoritos"), + "removeInvite": + MessageLookupByLibrary.simpleMessage("Eliminar invitación"), + "removeLink": MessageLookupByLibrary.simpleMessage("Eliminar enlace"), + "removeParticipant": + MessageLookupByLibrary.simpleMessage("Quitar participante"), + "removeParticipantBody": m74, + "removePersonLabel": MessageLookupByLibrary.simpleMessage( + "Eliminar etiqueta de persona"), + "removePublicLink": + MessageLookupByLibrary.simpleMessage("Quitar enlace público"), + "removePublicLinks": + MessageLookupByLibrary.simpleMessage("Eliminar enlaces públicos"), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Algunos de los elementos que estás eliminando fueron añadidos por otras personas, y perderás el acceso a ellos"), + "removeWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Quitar?"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Quitarse como contacto de confianza"), + "removingFromFavorites": + MessageLookupByLibrary.simpleMessage("Quitando de favoritos..."), + "rename": MessageLookupByLibrary.simpleMessage("Renombrar"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("Renombrar álbum"), + "renameFile": MessageLookupByLibrary.simpleMessage("Renombrar archivo"), + "renewSubscription": + MessageLookupByLibrary.simpleMessage("Renovar suscripción"), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Reportar un error"), + "reportBug": MessageLookupByLibrary.simpleMessage("Reportar error"), + "resendEmail": + MessageLookupByLibrary.simpleMessage("Reenviar correo electrónico"), + "reset": MessageLookupByLibrary.simpleMessage("Restablecer"), + "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( + "Restablecer archivos ignorados"), + "resetPasswordTitle": + MessageLookupByLibrary.simpleMessage("Restablecer contraseña"), + "resetPerson": MessageLookupByLibrary.simpleMessage("Eliminar"), + "resetToDefault": MessageLookupByLibrary.simpleMessage( + "Restablecer valores predeterminados"), + "restore": MessageLookupByLibrary.simpleMessage("Restaurar"), + "restoreToAlbum": + MessageLookupByLibrary.simpleMessage("Restaurar al álbum"), + "restoringFiles": + MessageLookupByLibrary.simpleMessage("Restaurando los archivos..."), + "resumableUploads": + MessageLookupByLibrary.simpleMessage("Subidas reanudables"), + "retry": MessageLookupByLibrary.simpleMessage("Reintentar"), + "review": MessageLookupByLibrary.simpleMessage("Revisar"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Por favor, revisa y elimina los elementos que crees que están duplicados."), + "reviewSuggestions": + MessageLookupByLibrary.simpleMessage("Revisar sugerencias"), + "right": MessageLookupByLibrary.simpleMessage("Derecha"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("Girar"), + "rotateLeft": + MessageLookupByLibrary.simpleMessage("Girar a la izquierda"), + "rotateRight": + MessageLookupByLibrary.simpleMessage("Girar a la derecha"), + "safelyStored": + MessageLookupByLibrary.simpleMessage("Almacenado con seguridad"), + "same": MessageLookupByLibrary.simpleMessage("Igual"), + "sameperson": MessageLookupByLibrary.simpleMessage("la misma persona?"), + "save": MessageLookupByLibrary.simpleMessage("Guardar"), + "saveAsAnotherPerson": + MessageLookupByLibrary.simpleMessage("Guardar como otra persona"), + "saveChangesBeforeLeavingQuestion": + MessageLookupByLibrary.simpleMessage( + "¿Guardar cambios antes de salir?"), + "saveCollage": MessageLookupByLibrary.simpleMessage("Guardar collage"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Guardar copia"), + "saveKey": MessageLookupByLibrary.simpleMessage("Guardar Clave"), + "savePerson": MessageLookupByLibrary.simpleMessage("Guardar persona"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Guarda tu clave de recuperación si aún no lo has hecho"), + "saving": MessageLookupByLibrary.simpleMessage("Saving..."), + "savingEdits": + MessageLookupByLibrary.simpleMessage("Guardando las ediciones..."), + "scanCode": MessageLookupByLibrary.simpleMessage("Escanear código"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Escanea este código QR con tu aplicación de autenticación"), + "search": MessageLookupByLibrary.simpleMessage("Buscar"), + "searchAlbumsEmptySection": + MessageLookupByLibrary.simpleMessage("Álbumes"), + "searchByAlbumNameHint": + MessageLookupByLibrary.simpleMessage("Nombre del álbum"), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Nombres de álbumes (por ejemplo, \"Cámara\")\n• Tipos de archivos (por ejemplo, \"Videos\", \".gif\")\n• Años y meses (por ejemplo, \"2022\", \"Enero\")\n• Vacaciones (por ejemplo, \"Navidad\")\n• Descripciones fotográficas (por ejemplo, \"#diversión\")"), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Agrega descripciones como \"#viaje\" en la información de la foto para encontrarlas aquí rápidamente"), + "searchDatesEmptySection": + MessageLookupByLibrary.simpleMessage("Buscar por fecha, mes o año"), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "Las imágenes se mostrarán aquí cuando se complete el procesado y la sincronización"), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "Las personas se mostrarán aquí una vez que se haya hecho la indexación"), + "searchFileTypesAndNamesEmptySection": + MessageLookupByLibrary.simpleMessage("Tipos y nombres de archivo"), + "searchHint1": MessageLookupByLibrary.simpleMessage( + "Búsqueda rápida en el dispositivo"), + "searchHint2": MessageLookupByLibrary.simpleMessage( + "Fechas de fotos, descripciones"), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "Álbumes, nombres de archivos y tipos"), + "searchHint4": MessageLookupByLibrary.simpleMessage("Ubicación"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "Próximamente: Caras y búsqueda mágica ✨"), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Agrupar las fotos que se tomaron cerca de la localización de una foto"), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "Invita a gente y verás todas las fotos compartidas aquí"), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "Las personas se mostrarán aquí cuando se complete el procesado y la sincronización"), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Seguridad"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "Ver enlaces del álbum público en la aplicación"), + "selectALocation": + MessageLookupByLibrary.simpleMessage("Seleccionar una ubicación"), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage( + "Primero, selecciona una ubicación"), + "selectAlbum": + MessageLookupByLibrary.simpleMessage("Seleccionar álbum"), + "selectAll": MessageLookupByLibrary.simpleMessage("Seleccionar todos"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("Todas"), + "selectCoverPhoto": + MessageLookupByLibrary.simpleMessage("Seleccionar foto de portada"), + "selectDate": MessageLookupByLibrary.simpleMessage("Seleccionar fecha"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Seleccionar carpetas para la copia de seguridad"), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "Selecciona elementos para agregar"), + "selectLanguage": + MessageLookupByLibrary.simpleMessage("Seleccionar idioma"), + "selectMailApp": + MessageLookupByLibrary.simpleMessage("Seleccionar app de correo"), + "selectMorePhotos": + MessageLookupByLibrary.simpleMessage("Seleccionar más fotos"), + "selectOneDateAndTime": + MessageLookupByLibrary.simpleMessage("Seleccionar fecha y hora"), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "Seleccione una fecha y hora para todas"), + "selectPersonToLink": MessageLookupByLibrary.simpleMessage( + "Selecciona persona a vincular"), + "selectReason": + MessageLookupByLibrary.simpleMessage("Seleccionar motivo"), + "selectStartOfRange": MessageLookupByLibrary.simpleMessage( + "Seleccionar inicio del rango"), + "selectTime": MessageLookupByLibrary.simpleMessage("Seleccionar hora"), + "selectYourFace": + MessageLookupByLibrary.simpleMessage("Selecciona tu cara"), + "selectYourPlan": + MessageLookupByLibrary.simpleMessage("Elegir tu suscripción"), + "selectedAlbums": m79, + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Los archivos seleccionados no están en Ente"), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Las carpetas seleccionadas se cifrarán y se realizará una copia de seguridad"), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Los archivos seleccionados serán eliminados de todos los álbumes y movidos a la papelera."), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "Los elementos seleccionados se eliminarán de esta persona, pero no se eliminarán de tu biblioteca."), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("Enviar"), + "sendEmail": + MessageLookupByLibrary.simpleMessage("Enviar correo electrónico"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Enviar invitación"), + "sendLink": MessageLookupByLibrary.simpleMessage("Enviar enlace"), + "serverEndpoint": + MessageLookupByLibrary.simpleMessage("Punto final del servidor"), + "sessionExpired": + MessageLookupByLibrary.simpleMessage("La sesión ha expirado"), + "sessionIdMismatch": + MessageLookupByLibrary.simpleMessage("El ID de sesión no coincide"), + "setAPassword": + MessageLookupByLibrary.simpleMessage("Establecer una contraseña"), + "setAs": MessageLookupByLibrary.simpleMessage("Establecer como"), + "setCover": MessageLookupByLibrary.simpleMessage("Definir portada"), + "setLabel": MessageLookupByLibrary.simpleMessage("Establecer"), + "setNewPassword": + MessageLookupByLibrary.simpleMessage("Ingresa tu nueva contraseña"), + "setNewPin": + MessageLookupByLibrary.simpleMessage("Ingresa tu nuevo PIN"), + "setPasswordTitle": + MessageLookupByLibrary.simpleMessage("Establecer contraseña"), + "setRadius": MessageLookupByLibrary.simpleMessage("Establecer radio"), + "setupComplete": + MessageLookupByLibrary.simpleMessage("Configuración completa"), + "share": MessageLookupByLibrary.simpleMessage("Compartir"), + "shareALink": + MessageLookupByLibrary.simpleMessage("Compartir un enlace"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Abre un álbum y pulsa el botón compartir en la parte superior derecha para compartir."), + "shareAnAlbumNow": + MessageLookupByLibrary.simpleMessage("Compartir un álbum ahora"), + "shareLink": MessageLookupByLibrary.simpleMessage("Compartir enlace"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Comparte sólo con la gente que quieres"), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Descarga Ente para que podamos compartir fácilmente fotos y videos en calidad original.\n\nhttps://ente.io"), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Compartir con usuarios fuera de Ente"), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": + MessageLookupByLibrary.simpleMessage("Comparte tu primer álbum"), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Crea álbumes compartidos y colaborativos con otros usuarios de Ente, incluyendo usuarios de planes gratuitos."), + "sharedByMe": MessageLookupByLibrary.simpleMessage("Compartido por mí"), + "sharedByYou": + MessageLookupByLibrary.simpleMessage("Compartido por ti"), + "sharedPhotoNotifications": + MessageLookupByLibrary.simpleMessage("Nuevas fotos compartidas"), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Recibir notificaciones cuando alguien agrega una foto a un álbum compartido contigo"), + "sharedWith": m87, + "sharedWithMe": + MessageLookupByLibrary.simpleMessage("Compartido conmigo"), + "sharedWithYou": + MessageLookupByLibrary.simpleMessage("Compartido contigo"), + "sharing": MessageLookupByLibrary.simpleMessage("Compartiendo..."), + "shiftDatesAndTime": + MessageLookupByLibrary.simpleMessage("Cambiar fechas y hora"), + "showLessFaces": + MessageLookupByLibrary.simpleMessage("Mostrar menos caras"), + "showMemories": + MessageLookupByLibrary.simpleMessage("Mostrar recuerdos"), + "showMoreFaces": + MessageLookupByLibrary.simpleMessage("Mostrar más caras"), + "showPerson": MessageLookupByLibrary.simpleMessage("Mostrar persona"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "Cerrar sesión de otros dispositivos"), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Si crees que alguien puede conocer tu contraseña, puedes forzar a todos los demás dispositivos que usan tu cuenta a cerrar la sesión."), + "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( + "Cerrar la sesión de otros dispositivos"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Estoy de acuerdo con los términos del servicio y la política de privacidad"), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Se borrará de todos los álbumes."), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Omitir"), + "smartMemories": + MessageLookupByLibrary.simpleMessage("Recuerdos inteligentes"), + "social": MessageLookupByLibrary.simpleMessage("Social"), + "someItemsAreInBothEnteAndYourDevice": + MessageLookupByLibrary.simpleMessage( + "Algunos elementos están tanto en Ente como en tu dispositivo."), + "someOfTheFilesYouAreTryingToDeleteAre": + MessageLookupByLibrary.simpleMessage( + "Algunos de los archivos que estás intentando eliminar sólo están disponibles en tu dispositivo y no pueden ser recuperados si se eliminan"), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Alguien que comparta álbumes contigo debería ver el mismo ID en su dispositivo."), + "somethingWentWrong": + MessageLookupByLibrary.simpleMessage("Algo salió mal"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Algo salió mal, por favor inténtalo de nuevo"), + "sorry": MessageLookupByLibrary.simpleMessage("Lo sentimos"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "Lo sentimos, no hemos podido hacer una copia de seguridad de este archivo, lo intentaremos más tarde."), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "¡Lo sentimos, no se pudo añadir a favoritos!"), + "sorryCouldNotRemoveFromFavorites": + MessageLookupByLibrary.simpleMessage( + "¡Lo sentimos, no se pudo quitar de favoritos!"), + "sorryTheCodeYouveEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "Lo sentimos, el código que has introducido es incorrecto"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Lo sentimos, no hemos podido generar claves seguras en este dispositivo.\n\nPor favor, regístrate desde un dispositivo diferente."), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Lo sentimos, tuvimos que pausar tus copias de seguridad"), + "sort": MessageLookupByLibrary.simpleMessage("Ordenar"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Ordenar por"), + "sortNewestFirst": + MessageLookupByLibrary.simpleMessage("Más recientes primero"), + "sortOldestFirst": + MessageLookupByLibrary.simpleMessage("Más antiguos primero"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Éxito"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": + MessageLookupByLibrary.simpleMessage("Enfócate a ti mismo"), + "startAccountRecoveryTitle": + MessageLookupByLibrary.simpleMessage("Iniciar la recuperación"), + "startBackup": + MessageLookupByLibrary.simpleMessage("Iniciar copia de seguridad"), + "status": MessageLookupByLibrary.simpleMessage("Estado"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "¿Quieres dejar de transmitir?"), + "stopCastingTitle": + MessageLookupByLibrary.simpleMessage("Detener la transmisión"), + "storage": MessageLookupByLibrary.simpleMessage("Almacenamiento"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Familia"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Usted"), + "storageInGB": m93, + "storageLimitExceeded": + MessageLookupByLibrary.simpleMessage("Límite de datos excedido"), + "storageUsageInfo": m94, + "streamDetails": + MessageLookupByLibrary.simpleMessage("Detalles de la transmisión"), + "strongStrength": MessageLookupByLibrary.simpleMessage("Segura"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Suscribirse"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Necesitas una suscripción activa de pago para habilitar el compartir."), + "subscription": MessageLookupByLibrary.simpleMessage("Suscripción"), + "success": MessageLookupByLibrary.simpleMessage("Éxito"), + "successfullyArchived": + MessageLookupByLibrary.simpleMessage("Archivado correctamente"), + "successfullyHid": + MessageLookupByLibrary.simpleMessage("Ocultado con éxito"), + "successfullyUnarchived": + MessageLookupByLibrary.simpleMessage("Desarchivado correctamente"), + "successfullyUnhid": + MessageLookupByLibrary.simpleMessage("Desocultado con éxito"), + "suggestFeatures": + MessageLookupByLibrary.simpleMessage("Sugerir una característica"), + "sunrise": MessageLookupByLibrary.simpleMessage("Sobre el horizonte"), + "support": MessageLookupByLibrary.simpleMessage("Soporte"), + "syncProgress": m97, + "syncStopped": + MessageLookupByLibrary.simpleMessage("Sincronización detenida"), + "syncing": MessageLookupByLibrary.simpleMessage("Sincronizando..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("Sistema"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("toca para copiar"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage( + "Toca para introducir el código"), + "tapToUnlock": + MessageLookupByLibrary.simpleMessage("Toca para desbloquear"), + "tapToUpload": MessageLookupByLibrary.simpleMessage("Toca para subir"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Parece que algo salió mal. Por favor, vuelve a intentarlo después de algún tiempo. Si el error persiste, ponte en contacto con nuestro equipo de soporte."), + "terminate": MessageLookupByLibrary.simpleMessage("Terminar"), + "terminateSession": + MessageLookupByLibrary.simpleMessage("¿Terminar sesión?"), + "terms": MessageLookupByLibrary.simpleMessage("Términos"), + "termsOfServicesTitle": + MessageLookupByLibrary.simpleMessage("Términos"), + "thankYou": MessageLookupByLibrary.simpleMessage("Gracias"), + "thankYouForSubscribing": + MessageLookupByLibrary.simpleMessage("¡Gracias por suscribirte!"), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "No se ha podido completar la descarga"), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "El enlace al que intenta acceder ha caducado."), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Los grupos de personas ya no se mostrarán en la sección de personas. Las fotos permanecerán intactas."), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "La persona ya no se mostrará en la sección de personas. Las fotos permanecerán intactas."), + "theRecoveryKeyYouEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "La clave de recuperación introducida es incorrecta"), + "theme": MessageLookupByLibrary.simpleMessage("Tema"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Estos elementos se eliminarán de tu dispositivo."), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "Se borrarán de todos los álbumes."), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Esta acción no se puede deshacer"), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "Este álbum ya tiene un enlace de colaboración"), + "thisCanBeUsedToRecoverYourAccountIfYou": + MessageLookupByLibrary.simpleMessage( + "Esto puede utilizarse para recuperar tu cuenta si pierdes tu segundo factor"), + "thisDevice": MessageLookupByLibrary.simpleMessage("Este dispositivo"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "Este correo electrónico ya está en uso"), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Esta imagen no tiene datos exif"), + "thisIsMeExclamation": + MessageLookupByLibrary.simpleMessage("¡Este soy yo!"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Esta es tu ID de verificación"), + "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( + "Esta semana a través de los años"), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Esto cerrará la sesión del siguiente dispositivo:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "¡Esto cerrará la sesión de este dispositivo!"), + "thisWillMakeTheDateAndTimeOfAllSelected": + MessageLookupByLibrary.simpleMessage( + "Esto hará que la fecha y la hora de todas las fotos seleccionadas sean las mismas."), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "Esto eliminará los enlaces públicos de todos los enlaces rápidos seleccionados."), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "Para habilitar el bloqueo de la aplicación, por favor configura el código de acceso del dispositivo o el bloqueo de pantalla en los ajustes del sistema."), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( + "Para ocultar una foto o video"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Para restablecer tu contraseña, por favor verifica tu correo electrónico primero."), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Registros de hoy"), + "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( + "Demasiados intentos incorrectos"), + "total": MessageLookupByLibrary.simpleMessage("total"), + "totalSize": MessageLookupByLibrary.simpleMessage("Tamaño total"), + "trash": MessageLookupByLibrary.simpleMessage("Papelera"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Ajustar duración"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": + MessageLookupByLibrary.simpleMessage("Contactos de confianza"), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Inténtalo de nuevo"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Activar la copia de seguridad para subir automáticamente archivos añadidos a la carpeta de este dispositivo a Ente."), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "2 meses gratis en planes anuales"), + "twofactor": MessageLookupByLibrary.simpleMessage("Dos factores"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "La autenticación de dos factores fue deshabilitada"), + "twofactorAuthenticationPageTitle": + MessageLookupByLibrary.simpleMessage("Autenticación en dos pasos"), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "Autenticación de doble factor restablecida con éxito"), + "twofactorSetup": + MessageLookupByLibrary.simpleMessage("Configuración de dos pasos"), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("Desarchivar"), + "unarchiveAlbum": + MessageLookupByLibrary.simpleMessage("Desarchivar álbum"), + "unarchiving": MessageLookupByLibrary.simpleMessage("Desarchivando..."), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Lo sentimos, este código no está disponible."), + "uncategorized": + MessageLookupByLibrary.simpleMessage("Sin categorizar"), + "unhide": MessageLookupByLibrary.simpleMessage("Dejar de ocultar"), + "unhideToAlbum": + MessageLookupByLibrary.simpleMessage("Hacer visible al álbum"), + "unhiding": MessageLookupByLibrary.simpleMessage("Desocultando..."), + "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Desocultando archivos del álbum"), + "unlock": MessageLookupByLibrary.simpleMessage("Desbloquear"), + "unpinAlbum": + MessageLookupByLibrary.simpleMessage("Dejar de fijar álbum"), + "unselectAll": MessageLookupByLibrary.simpleMessage("Desmarcar todos"), + "update": MessageLookupByLibrary.simpleMessage("Actualizar"), + "updateAvailable": + MessageLookupByLibrary.simpleMessage("Actualizacion disponible"), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Actualizando la selección de carpeta..."), + "upgrade": MessageLookupByLibrary.simpleMessage("Mejorar"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Subiendo archivos al álbum..."), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": + MessageLookupByLibrary.simpleMessage("Preservando 1 memoria..."), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "Hasta el 50% de descuento, hasta el 4 de diciembre."), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "El almacenamiento utilizable está limitado por tu plan actual. El exceso de almacenamiento que obtengas se volverá automáticamente utilizable cuando actualices tu plan."), + "useAsCover": + MessageLookupByLibrary.simpleMessage("Usar como cubierta"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "¿Tienes problemas para reproducir este video? Mantén pulsado aquí para probar un reproductor diferente."), + "usePublicLinksForPeopleNotOnEnte": + MessageLookupByLibrary.simpleMessage( + "Usar enlaces públicos para personas que no están en Ente"), + "useRecoveryKey": + MessageLookupByLibrary.simpleMessage("Usar clave de recuperación"), + "useSelectedPhoto": + MessageLookupByLibrary.simpleMessage("Usar foto seleccionada"), + "usedSpace": MessageLookupByLibrary.simpleMessage("Espacio usado"), + "validTill": m110, + "verificationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Verificación fallida, por favor inténtalo de nuevo"), + "verificationId": + MessageLookupByLibrary.simpleMessage("ID de verificación"), + "verify": MessageLookupByLibrary.simpleMessage("Verificar"), + "verifyEmail": MessageLookupByLibrary.simpleMessage( + "Verificar correo electrónico"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Verificar"), + "verifyPasskey": + MessageLookupByLibrary.simpleMessage("Verificar clave de acceso"), + "verifyPassword": + MessageLookupByLibrary.simpleMessage("Verificar contraseña"), + "verifying": MessageLookupByLibrary.simpleMessage("Verificando..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Verificando clave de recuperación..."), + "videoInfo": + MessageLookupByLibrary.simpleMessage("Información de video"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("vídeo"), + "videoStreaming": + MessageLookupByLibrary.simpleMessage("Vídeos en streaming"), + "videos": MessageLookupByLibrary.simpleMessage("Vídeos"), + "viewActiveSessions": + MessageLookupByLibrary.simpleMessage("Ver sesiones activas"), + "viewAddOnButton": + MessageLookupByLibrary.simpleMessage("Ver complementos"), + "viewAll": MessageLookupByLibrary.simpleMessage("Ver todo"), + "viewAllExifData": + MessageLookupByLibrary.simpleMessage("Ver todos los datos EXIF"), + "viewLargeFiles": + MessageLookupByLibrary.simpleMessage("Archivos grandes"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Ver los archivos que consumen la mayor cantidad de almacenamiento."), + "viewLogs": MessageLookupByLibrary.simpleMessage("Ver Registros"), + "viewPersonToUnlink": m112, + "viewRecoveryKey": + MessageLookupByLibrary.simpleMessage("Ver código de recuperación"), + "viewer": MessageLookupByLibrary.simpleMessage("Espectador"), + "viewersSuccessfullyAdded": m113, + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Por favor, visita web.ente.io para administrar tu suscripción"), + "waitingForVerification": + MessageLookupByLibrary.simpleMessage("Esperando verificación..."), + "waitingForWifi": + MessageLookupByLibrary.simpleMessage("Esperando WiFi..."), + "warning": MessageLookupByLibrary.simpleMessage("Advertencia"), + "weAreOpenSource": + MessageLookupByLibrary.simpleMessage("¡Somos de código abierto!"), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "No admitimos la edición de fotos y álbumes que aún no son tuyos"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Poco segura"), + "welcomeBack": + MessageLookupByLibrary.simpleMessage("¡Bienvenido de nuevo!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("Qué hay de nuevo"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "Un contacto de confianza puede ayudar a recuperar sus datos."), + "widgets": MessageLookupByLibrary.simpleMessage("Widgets"), + "wishThemAHappyBirthday": m115, + "yearShort": MessageLookupByLibrary.simpleMessage("año"), + "yearly": MessageLookupByLibrary.simpleMessage("Anualmente"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Sí"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Sí, cancelar"), + "yesConvertToViewer": + MessageLookupByLibrary.simpleMessage("Sí, convertir a espectador"), + "yesDelete": MessageLookupByLibrary.simpleMessage("Sí, eliminar"), + "yesDiscardChanges": + MessageLookupByLibrary.simpleMessage("Sí, descartar cambios"), + "yesIgnore": MessageLookupByLibrary.simpleMessage("Sí, ignorar"), + "yesLogout": MessageLookupByLibrary.simpleMessage("Sí, cerrar sesión"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Sí, quitar"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Sí, renovar"), + "yesResetPerson": + MessageLookupByLibrary.simpleMessage("Si, eliminar persona"), + "you": MessageLookupByLibrary.simpleMessage("Tu"), + "youAndThem": m117, + "youAreOnAFamilyPlan": + MessageLookupByLibrary.simpleMessage("¡Estás en un plan familiar!"), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Estás usando la última versión"), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Como máximo puedes duplicar tu almacenamiento"), + "youCanManageYourLinksInTheShareTab": + MessageLookupByLibrary.simpleMessage( + "Puedes administrar tus enlaces en la pestaña compartir."), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "Puedes intentar buscar una consulta diferente."), + "youCannotDowngradeToThisPlan": + MessageLookupByLibrary.simpleMessage("No puedes bajar a este plan"), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "No puedes compartir contigo mismo"), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "No tienes ningún elemento archivado."), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": + MessageLookupByLibrary.simpleMessage("Tu cuenta ha sido eliminada"), + "yourMap": MessageLookupByLibrary.simpleMessage("Tu mapa"), + "yourPlanWasSuccessfullyDowngraded": + MessageLookupByLibrary.simpleMessage( + "Tu plan ha sido degradado con éxito"), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "Tu plan se ha actualizado correctamente"), + "yourPurchaseWasSuccessful": + MessageLookupByLibrary.simpleMessage("Tu compra ha sido exitosa"), + "yourStorageDetailsCouldNotBeFetched": + MessageLookupByLibrary.simpleMessage( + "Tus datos de almacenamiento no se han podido obtener"), + "yourSubscriptionHasExpired": + MessageLookupByLibrary.simpleMessage("Tu suscripción ha caducado"), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "Tu suscripción se ha actualizado con éxito"), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "Tu código de verificación ha expirado"), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "No tienes archivos duplicados que se puedan borrar"), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "No tienes archivos en este álbum que puedan ser borrados"), + "zoomOutToSeePhotos": + MessageLookupByLibrary.simpleMessage("Alejar para ver las fotos") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_et.dart b/mobile/apps/photos/lib/generated/intl/messages_et.dart index 05b12d04bf..dc3a61a6ff 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_et.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_et.dart @@ -22,266 +22,253 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "about": MessageLookupByLibrary.simpleMessage("Info"), - "account": MessageLookupByLibrary.simpleMessage("Konto"), - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( - "Tere tulemast tagasi!", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage( - "Aktiivsed sessioonid", - ), - "addLocation": MessageLookupByLibrary.simpleMessage("Lisa asukoht"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Lisa"), - "addMore": MessageLookupByLibrary.simpleMessage("Lisa veel"), - "addedAs": MessageLookupByLibrary.simpleMessage("Lisatud kui"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Omanik"), - "albumUpdated": MessageLookupByLibrary.simpleMessage( - "Albumit on uuendatud", - ), - "allowDownloads": MessageLookupByLibrary.simpleMessage( - "Luba allalaadimised", - ), - "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), - "apply": MessageLookupByLibrary.simpleMessage("Rakenda"), - "blog": MessageLookupByLibrary.simpleMessage("Blogi"), - "cancel": MessageLookupByLibrary.simpleMessage("Loobu"), - "changeEmail": MessageLookupByLibrary.simpleMessage("Muuda e-posti"), - "changePermissions": MessageLookupByLibrary.simpleMessage( - "Muuta õiguseid?", - ), - "checkForUpdates": MessageLookupByLibrary.simpleMessage( - "Kontrolli uuendusi", - ), - "checkStatus": MessageLookupByLibrary.simpleMessage("Kontrolli staatust"), - "checking": MessageLookupByLibrary.simpleMessage("Kontrollimine..."), - "collaborator": MessageLookupByLibrary.simpleMessage("Kaastööline"), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Kogu fotod"), - "color": MessageLookupByLibrary.simpleMessage("Värv"), - "confirm": MessageLookupByLibrary.simpleMessage("Kinnita"), - "confirmPassword": MessageLookupByLibrary.simpleMessage("Kinnita parool"), - "contactSupport": MessageLookupByLibrary.simpleMessage( - "Võtke ühendust klienditoega", - ), - "continueLabel": MessageLookupByLibrary.simpleMessage("Jätka"), - "convertToAlbum": MessageLookupByLibrary.simpleMessage("Konverdi albumiks"), - "copyLink": MessageLookupByLibrary.simpleMessage("Kopeeri link"), - "createAccount": MessageLookupByLibrary.simpleMessage("Loo konto"), - "createNewAccount": MessageLookupByLibrary.simpleMessage("Loo uus konto"), - "creatingLink": MessageLookupByLibrary.simpleMessage("Lingi loomine..."), - "custom": MessageLookupByLibrary.simpleMessage("Kohandatud"), - "darkTheme": MessageLookupByLibrary.simpleMessage("Tume"), - "dayToday": MessageLookupByLibrary.simpleMessage("Täna"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Eile"), - "delete": MessageLookupByLibrary.simpleMessage("Kustuta"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Kustuta konto"), - "deleteAll": MessageLookupByLibrary.simpleMessage("Kustuta kõik"), - "deleteFromBoth": MessageLookupByLibrary.simpleMessage("Kustuta mõlemast"), - "deleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Kustutage seadmest", - ), - "deleteLocation": MessageLookupByLibrary.simpleMessage("Kustuta asukoht"), - "deletePhotos": MessageLookupByLibrary.simpleMessage("Kustuta fotod"), - "details": MessageLookupByLibrary.simpleMessage("Üksikasjad"), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Avasta"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Beebid"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Identiteet"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Meemid"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Märkmed"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Lemmikloomad"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Kviitungid"), - "discover_screenshots": MessageLookupByLibrary.simpleMessage( - "Ekraanipildid", - ), - "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( - "Visiitkaardid", - ), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doThisLater": MessageLookupByLibrary.simpleMessage("Tee seda hiljem"), - "done": MessageLookupByLibrary.simpleMessage("Valmis"), - "edit": MessageLookupByLibrary.simpleMessage("Muuda"), - "email": MessageLookupByLibrary.simpleMessage("E-post"), - "encryption": MessageLookupByLibrary.simpleMessage("Krüpteerimine"), - "enterCode": MessageLookupByLibrary.simpleMessage("Sisesta kood"), - "enterEmail": MessageLookupByLibrary.simpleMessage("Sisesta e-post"), - "enterPassword": MessageLookupByLibrary.simpleMessage("Sisesta parool"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Palun sisesta korrektne e-posti aadress.", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Sisesta oma e-posti aadress", - ), - "enterYourPassword": MessageLookupByLibrary.simpleMessage( - "Sisesta oma parool", - ), - "exportYourData": MessageLookupByLibrary.simpleMessage( - "Ekspordi oma andmed", - ), - "faq": MessageLookupByLibrary.simpleMessage("KKK"), - "faqs": MessageLookupByLibrary.simpleMessage("KKK"), - "feedback": MessageLookupByLibrary.simpleMessage("Tagasiside"), - "flip": MessageLookupByLibrary.simpleMessage("Pööra ümber"), - "freeTrial": MessageLookupByLibrary.simpleMessage("Tasuta prooviaeg"), - "general": MessageLookupByLibrary.simpleMessage("Üldine"), - "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), - "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( - "Grupeeri lähedal olevad fotod", - ), - "help": MessageLookupByLibrary.simpleMessage("Abiinfo"), - "hidden": MessageLookupByLibrary.simpleMessage("Peidetud"), - "hide": MessageLookupByLibrary.simpleMessage("Peida"), - "importing": MessageLookupByLibrary.simpleMessage("Importimine...."), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Vale parool", - ), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "Vigane e-posti aadress", - ), - "invalidKey": MessageLookupByLibrary.simpleMessage("Vigane võti"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Säilita fotod"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "language": MessageLookupByLibrary.simpleMessage("Keel"), - "lastUpdated": MessageLookupByLibrary.simpleMessage("Viimati uuendatud"), - "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Lahkuda jagatud albumist?", - ), - "light": MessageLookupByLibrary.simpleMessage("Hele"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Hele"), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Seadme limit"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Sees"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Aegunud"), - "linkExpiry": MessageLookupByLibrary.simpleMessage("Lingi aegumine"), - "linkHasExpired": MessageLookupByLibrary.simpleMessage("Link on aegunud"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Mitte kunagi"), - "locationName": MessageLookupByLibrary.simpleMessage("Asukoha nimi"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Lukusta"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Logi sisse"), - "logout": MessageLookupByLibrary.simpleMessage("Logi välja"), - "manage": MessageLookupByLibrary.simpleMessage("Halda"), - "manageLink": MessageLookupByLibrary.simpleMessage("Halda linki"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Halda"), - "manageSubscription": MessageLookupByLibrary.simpleMessage( - "Halda tellimust", - ), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "merchandise": MessageLookupByLibrary.simpleMessage("Kaup"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Keskmine"), - "movedToTrash": MessageLookupByLibrary.simpleMessage( - "Liigutatud prügikasti", - ), - "name": MessageLookupByLibrary.simpleMessage("Nimi"), - "never": MessageLookupByLibrary.simpleMessage("Mitte kunagi"), - "newest": MessageLookupByLibrary.simpleMessage("Uusimad"), - "no": MessageLookupByLibrary.simpleMessage("Ei"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Puudub"), - "ok": MessageLookupByLibrary.simpleMessage("OK"), - "oops": MessageLookupByLibrary.simpleMessage("Oih"), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Oih, midagi läks valesti", - ), - "password": MessageLookupByLibrary.simpleMessage("Parool"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Palun proovi uuesti", - ), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Palun oota..."), - "privacy": MessageLookupByLibrary.simpleMessage("Privaatsus"), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage("Privaatsus"), - "radius": MessageLookupByLibrary.simpleMessage("Raadius"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Taasta"), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "remove": MessageLookupByLibrary.simpleMessage("Eemalda"), - "removeFromAlbum": MessageLookupByLibrary.simpleMessage("Eemalda albumist"), - "removeLink": MessageLookupByLibrary.simpleMessage("Eemalda link"), - "removeParticipant": MessageLookupByLibrary.simpleMessage( - "Eemalda osaleja", - ), - "removePublicLink": MessageLookupByLibrary.simpleMessage( - "Eemalda avalik link", - ), - "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage( - "Eemaldada?", - ), - "rename": MessageLookupByLibrary.simpleMessage("Nimeta ümber"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("Nimeta album ümber"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Pööra vasakule"), - "rotateRight": MessageLookupByLibrary.simpleMessage("Pööra paremale"), - "save": MessageLookupByLibrary.simpleMessage("Salvesta"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Salvesta koopia"), - "saveKey": MessageLookupByLibrary.simpleMessage("Salvesta võti"), - "saving": MessageLookupByLibrary.simpleMessage("Salvestamine..."), - "scanCode": MessageLookupByLibrary.simpleMessage("Skanni koodi"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Skaneeri seda QR koodi\noma autentimisrakendusega", - ), - "security": MessageLookupByLibrary.simpleMessage("Turvalisus"), - "selectAll": MessageLookupByLibrary.simpleMessage("Vali kõik"), - "selectLanguage": MessageLookupByLibrary.simpleMessage("Vali keel"), - "selectReason": MessageLookupByLibrary.simpleMessage("Vali põhjus"), - "selectYourPlan": MessageLookupByLibrary.simpleMessage("Vali pakett"), - "sendLink": MessageLookupByLibrary.simpleMessage("Saada link"), - "setAPassword": MessageLookupByLibrary.simpleMessage("Määra parool"), - "setCover": MessageLookupByLibrary.simpleMessage("Määra kaanepilt"), - "setupComplete": MessageLookupByLibrary.simpleMessage( - "Seadistamine on lõpetatud", - ), - "share": MessageLookupByLibrary.simpleMessage("Jaga"), - "shareALink": MessageLookupByLibrary.simpleMessage("Jaga linki"), - "sharing": MessageLookupByLibrary.simpleMessage("Jagamine..."), - "skip": MessageLookupByLibrary.simpleMessage("Jäta vahele"), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Midagi läks valesti, palun proovi uuesti", - ), - "sorry": MessageLookupByLibrary.simpleMessage("Vabandust"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sorteeri"), - "sortNewestFirst": MessageLookupByLibrary.simpleMessage("Uuemad eespool"), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Vanemad eespool"), - "storage": MessageLookupByLibrary.simpleMessage("Mäluruum"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Perekond"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Sina"), - "strongStrength": MessageLookupByLibrary.simpleMessage("Tugev"), - "subscribe": MessageLookupByLibrary.simpleMessage("Telli"), - "support": MessageLookupByLibrary.simpleMessage("Kasutajatugi"), - "systemTheme": MessageLookupByLibrary.simpleMessage("Süsteem"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("kopeerimiseks vajuta"), - "terminate": MessageLookupByLibrary.simpleMessage("Lõpeta"), - "terms": MessageLookupByLibrary.simpleMessage("Tingimused"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Tingimused"), - "theme": MessageLookupByLibrary.simpleMessage("Teema"), - "thisDevice": MessageLookupByLibrary.simpleMessage("See seade"), - "trash": MessageLookupByLibrary.simpleMessage("Prügikast"), - "tryAgain": MessageLookupByLibrary.simpleMessage("Proovi uuesti"), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "uncategorized": MessageLookupByLibrary.simpleMessage("Liigitamata"), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Kasuta taastevõtit", - ), - "usedSpace": MessageLookupByLibrary.simpleMessage("Kasutatud kettaruum"), - "verify": MessageLookupByLibrary.simpleMessage("Kinnita"), - "verifyPassword": MessageLookupByLibrary.simpleMessage("Kinnita parool"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), - "viewer": MessageLookupByLibrary.simpleMessage("Vaataja"), - "weakStrength": MessageLookupByLibrary.simpleMessage("Nõrk"), - "welcomeBack": MessageLookupByLibrary.simpleMessage( - "Tere tulemast tagasi!", - ), - "yes": MessageLookupByLibrary.simpleMessage("Jah"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "Jah, muuda vaatajaks", - ), - "yesDelete": MessageLookupByLibrary.simpleMessage("Jah, kustuta"), - "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( - "Jah, tühista muutused", - ), - "yesRemove": MessageLookupByLibrary.simpleMessage("Jah, eemalda"), - "you": MessageLookupByLibrary.simpleMessage("Sina"), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Kasutad viimast versiooni", - ), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Sa ei saa iseendaga jagada", - ), - }; + "about": MessageLookupByLibrary.simpleMessage("Info"), + "account": MessageLookupByLibrary.simpleMessage("Konto"), + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("Tere tulemast tagasi!"), + "activeSessions": + MessageLookupByLibrary.simpleMessage("Aktiivsed sessioonid"), + "addLocation": MessageLookupByLibrary.simpleMessage("Lisa asukoht"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Lisa"), + "addMore": MessageLookupByLibrary.simpleMessage("Lisa veel"), + "addedAs": MessageLookupByLibrary.simpleMessage("Lisatud kui"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Omanik"), + "albumUpdated": + MessageLookupByLibrary.simpleMessage("Albumit on uuendatud"), + "allowDownloads": + MessageLookupByLibrary.simpleMessage("Luba allalaadimised"), + "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), + "apply": MessageLookupByLibrary.simpleMessage("Rakenda"), + "blog": MessageLookupByLibrary.simpleMessage("Blogi"), + "cancel": MessageLookupByLibrary.simpleMessage("Loobu"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Muuda e-posti"), + "changePermissions": + MessageLookupByLibrary.simpleMessage("Muuta õiguseid?"), + "checkForUpdates": + MessageLookupByLibrary.simpleMessage("Kontrolli uuendusi"), + "checkStatus": + MessageLookupByLibrary.simpleMessage("Kontrolli staatust"), + "checking": MessageLookupByLibrary.simpleMessage("Kontrollimine..."), + "collaborator": MessageLookupByLibrary.simpleMessage("Kaastööline"), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Kogu fotod"), + "color": MessageLookupByLibrary.simpleMessage("Värv"), + "confirm": MessageLookupByLibrary.simpleMessage("Kinnita"), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("Kinnita parool"), + "contactSupport": + MessageLookupByLibrary.simpleMessage("Võtke ühendust klienditoega"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Jätka"), + "convertToAlbum": + MessageLookupByLibrary.simpleMessage("Konverdi albumiks"), + "copyLink": MessageLookupByLibrary.simpleMessage("Kopeeri link"), + "createAccount": MessageLookupByLibrary.simpleMessage("Loo konto"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("Loo uus konto"), + "creatingLink": + MessageLookupByLibrary.simpleMessage("Lingi loomine..."), + "custom": MessageLookupByLibrary.simpleMessage("Kohandatud"), + "darkTheme": MessageLookupByLibrary.simpleMessage("Tume"), + "dayToday": MessageLookupByLibrary.simpleMessage("Täna"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Eile"), + "delete": MessageLookupByLibrary.simpleMessage("Kustuta"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Kustuta konto"), + "deleteAll": MessageLookupByLibrary.simpleMessage("Kustuta kõik"), + "deleteFromBoth": + MessageLookupByLibrary.simpleMessage("Kustuta mõlemast"), + "deleteFromDevice": + MessageLookupByLibrary.simpleMessage("Kustutage seadmest"), + "deleteLocation": + MessageLookupByLibrary.simpleMessage("Kustuta asukoht"), + "deletePhotos": MessageLookupByLibrary.simpleMessage("Kustuta fotod"), + "details": MessageLookupByLibrary.simpleMessage("Üksikasjad"), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Avasta"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Beebid"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Identiteet"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Meemid"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Märkmed"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Lemmikloomad"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Kviitungid"), + "discover_screenshots": + MessageLookupByLibrary.simpleMessage("Ekraanipildid"), + "discover_visiting_cards": + MessageLookupByLibrary.simpleMessage("Visiitkaardid"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Tee seda hiljem"), + "done": MessageLookupByLibrary.simpleMessage("Valmis"), + "edit": MessageLookupByLibrary.simpleMessage("Muuda"), + "email": MessageLookupByLibrary.simpleMessage("E-post"), + "encryption": MessageLookupByLibrary.simpleMessage("Krüpteerimine"), + "enterCode": MessageLookupByLibrary.simpleMessage("Sisesta kood"), + "enterEmail": MessageLookupByLibrary.simpleMessage("Sisesta e-post"), + "enterPassword": MessageLookupByLibrary.simpleMessage("Sisesta parool"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Palun sisesta korrektne e-posti aadress."), + "enterYourEmailAddress": + MessageLookupByLibrary.simpleMessage("Sisesta oma e-posti aadress"), + "enterYourPassword": + MessageLookupByLibrary.simpleMessage("Sisesta oma parool"), + "exportYourData": + MessageLookupByLibrary.simpleMessage("Ekspordi oma andmed"), + "faq": MessageLookupByLibrary.simpleMessage("KKK"), + "faqs": MessageLookupByLibrary.simpleMessage("KKK"), + "feedback": MessageLookupByLibrary.simpleMessage("Tagasiside"), + "flip": MessageLookupByLibrary.simpleMessage("Pööra ümber"), + "freeTrial": MessageLookupByLibrary.simpleMessage("Tasuta prooviaeg"), + "general": MessageLookupByLibrary.simpleMessage("Üldine"), + "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), + "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( + "Grupeeri lähedal olevad fotod"), + "help": MessageLookupByLibrary.simpleMessage("Abiinfo"), + "hidden": MessageLookupByLibrary.simpleMessage("Peidetud"), + "hide": MessageLookupByLibrary.simpleMessage("Peida"), + "importing": MessageLookupByLibrary.simpleMessage("Importimine...."), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("Vale parool"), + "invalidEmailAddress": + MessageLookupByLibrary.simpleMessage("Vigane e-posti aadress"), + "invalidKey": MessageLookupByLibrary.simpleMessage("Vigane võti"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Säilita fotod"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "language": MessageLookupByLibrary.simpleMessage("Keel"), + "lastUpdated": + MessageLookupByLibrary.simpleMessage("Viimati uuendatud"), + "leaveSharedAlbum": + MessageLookupByLibrary.simpleMessage("Lahkuda jagatud albumist?"), + "light": MessageLookupByLibrary.simpleMessage("Hele"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Hele"), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Seadme limit"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Sees"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Aegunud"), + "linkExpiry": MessageLookupByLibrary.simpleMessage("Lingi aegumine"), + "linkHasExpired": + MessageLookupByLibrary.simpleMessage("Link on aegunud"), + "linkNeverExpires": + MessageLookupByLibrary.simpleMessage("Mitte kunagi"), + "locationName": MessageLookupByLibrary.simpleMessage("Asukoha nimi"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Lukusta"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Logi sisse"), + "logout": MessageLookupByLibrary.simpleMessage("Logi välja"), + "manage": MessageLookupByLibrary.simpleMessage("Halda"), + "manageLink": MessageLookupByLibrary.simpleMessage("Halda linki"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Halda"), + "manageSubscription": + MessageLookupByLibrary.simpleMessage("Halda tellimust"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "merchandise": MessageLookupByLibrary.simpleMessage("Kaup"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Keskmine"), + "movedToTrash": + MessageLookupByLibrary.simpleMessage("Liigutatud prügikasti"), + "name": MessageLookupByLibrary.simpleMessage("Nimi"), + "never": MessageLookupByLibrary.simpleMessage("Mitte kunagi"), + "newest": MessageLookupByLibrary.simpleMessage("Uusimad"), + "no": MessageLookupByLibrary.simpleMessage("Ei"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Puudub"), + "ok": MessageLookupByLibrary.simpleMessage("OK"), + "oops": MessageLookupByLibrary.simpleMessage("Oih"), + "oopsSomethingWentWrong": + MessageLookupByLibrary.simpleMessage("Oih, midagi läks valesti"), + "password": MessageLookupByLibrary.simpleMessage("Parool"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), + "pleaseTryAgain": + MessageLookupByLibrary.simpleMessage("Palun proovi uuesti"), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Palun oota..."), + "privacy": MessageLookupByLibrary.simpleMessage("Privaatsus"), + "privacyPolicyTitle": + MessageLookupByLibrary.simpleMessage("Privaatsus"), + "radius": MessageLookupByLibrary.simpleMessage("Raadius"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Taasta"), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "remove": MessageLookupByLibrary.simpleMessage("Eemalda"), + "removeFromAlbum": + MessageLookupByLibrary.simpleMessage("Eemalda albumist"), + "removeLink": MessageLookupByLibrary.simpleMessage("Eemalda link"), + "removeParticipant": + MessageLookupByLibrary.simpleMessage("Eemalda osaleja"), + "removePublicLink": + MessageLookupByLibrary.simpleMessage("Eemalda avalik link"), + "removeWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Eemaldada?"), + "rename": MessageLookupByLibrary.simpleMessage("Nimeta ümber"), + "renameAlbum": + MessageLookupByLibrary.simpleMessage("Nimeta album ümber"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Pööra vasakule"), + "rotateRight": MessageLookupByLibrary.simpleMessage("Pööra paremale"), + "save": MessageLookupByLibrary.simpleMessage("Salvesta"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Salvesta koopia"), + "saveKey": MessageLookupByLibrary.simpleMessage("Salvesta võti"), + "saving": MessageLookupByLibrary.simpleMessage("Salvestamine..."), + "scanCode": MessageLookupByLibrary.simpleMessage("Skanni koodi"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Skaneeri seda QR koodi\noma autentimisrakendusega"), + "security": MessageLookupByLibrary.simpleMessage("Turvalisus"), + "selectAll": MessageLookupByLibrary.simpleMessage("Vali kõik"), + "selectLanguage": MessageLookupByLibrary.simpleMessage("Vali keel"), + "selectReason": MessageLookupByLibrary.simpleMessage("Vali põhjus"), + "selectYourPlan": MessageLookupByLibrary.simpleMessage("Vali pakett"), + "sendLink": MessageLookupByLibrary.simpleMessage("Saada link"), + "setAPassword": MessageLookupByLibrary.simpleMessage("Määra parool"), + "setCover": MessageLookupByLibrary.simpleMessage("Määra kaanepilt"), + "setupComplete": + MessageLookupByLibrary.simpleMessage("Seadistamine on lõpetatud"), + "share": MessageLookupByLibrary.simpleMessage("Jaga"), + "shareALink": MessageLookupByLibrary.simpleMessage("Jaga linki"), + "sharing": MessageLookupByLibrary.simpleMessage("Jagamine..."), + "skip": MessageLookupByLibrary.simpleMessage("Jäta vahele"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Midagi läks valesti, palun proovi uuesti"), + "sorry": MessageLookupByLibrary.simpleMessage("Vabandust"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sorteeri"), + "sortNewestFirst": + MessageLookupByLibrary.simpleMessage("Uuemad eespool"), + "sortOldestFirst": + MessageLookupByLibrary.simpleMessage("Vanemad eespool"), + "storage": MessageLookupByLibrary.simpleMessage("Mäluruum"), + "storageBreakupFamily": + MessageLookupByLibrary.simpleMessage("Perekond"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Sina"), + "strongStrength": MessageLookupByLibrary.simpleMessage("Tugev"), + "subscribe": MessageLookupByLibrary.simpleMessage("Telli"), + "support": MessageLookupByLibrary.simpleMessage("Kasutajatugi"), + "systemTheme": MessageLookupByLibrary.simpleMessage("Süsteem"), + "tapToCopy": + MessageLookupByLibrary.simpleMessage("kopeerimiseks vajuta"), + "terminate": MessageLookupByLibrary.simpleMessage("Lõpeta"), + "terms": MessageLookupByLibrary.simpleMessage("Tingimused"), + "termsOfServicesTitle": + MessageLookupByLibrary.simpleMessage("Tingimused"), + "theme": MessageLookupByLibrary.simpleMessage("Teema"), + "thisDevice": MessageLookupByLibrary.simpleMessage("See seade"), + "trash": MessageLookupByLibrary.simpleMessage("Prügikast"), + "tryAgain": MessageLookupByLibrary.simpleMessage("Proovi uuesti"), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "uncategorized": MessageLookupByLibrary.simpleMessage("Liigitamata"), + "useRecoveryKey": + MessageLookupByLibrary.simpleMessage("Kasuta taastevõtit"), + "usedSpace": + MessageLookupByLibrary.simpleMessage("Kasutatud kettaruum"), + "verify": MessageLookupByLibrary.simpleMessage("Kinnita"), + "verifyPassword": + MessageLookupByLibrary.simpleMessage("Kinnita parool"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), + "viewer": MessageLookupByLibrary.simpleMessage("Vaataja"), + "weakStrength": MessageLookupByLibrary.simpleMessage("Nõrk"), + "welcomeBack": + MessageLookupByLibrary.simpleMessage("Tere tulemast tagasi!"), + "yes": MessageLookupByLibrary.simpleMessage("Jah"), + "yesConvertToViewer": + MessageLookupByLibrary.simpleMessage("Jah, muuda vaatajaks"), + "yesDelete": MessageLookupByLibrary.simpleMessage("Jah, kustuta"), + "yesDiscardChanges": + MessageLookupByLibrary.simpleMessage("Jah, tühista muutused"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Jah, eemalda"), + "you": MessageLookupByLibrary.simpleMessage("Sina"), + "youAreOnTheLatestVersion": + MessageLookupByLibrary.simpleMessage("Kasutad viimast versiooni"), + "youCannotShareWithYourself": + MessageLookupByLibrary.simpleMessage("Sa ei saa iseendaga jagada") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_eu.dart b/mobile/apps/photos/lib/generated/intl/messages_eu.dart index 7b003a5ffb..232f0cdb1c 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_eu.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_eu.dart @@ -27,7 +27,11 @@ class MessageLookup extends MessageLookupByLibrary { "${user}-(e)k ezin izango du argazki gehiago gehitu album honetan \n\nBaina haiek gehitutako argazkiak kendu ahal izango dituzte"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, {'true': 'Zure familiak ${storageAmountInGb} GB eskatu du dagoeneko', 'false': 'Zuk ${storageAmountInGb} GB eskatu duzu dagoeneko', 'other': 'Zuk ${storageAmountInGb} GB eskatu duzu dagoeneko!'})}"; + "${Intl.select(isFamilyMember, { + 'true': 'Zure familiak ${storageAmountInGb} GB eskatu du dagoeneko', + 'false': 'Zuk ${storageAmountInGb} GB eskatu duzu dagoeneko', + 'other': 'Zuk ${storageAmountInGb} GB eskatu duzu dagoeneko!', + })}"; static String m24(albumName) => "Honen bidez ${albumName} eskuratzeko esteka publikoa ezabatuko da."; @@ -97,680 +101,544 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( - "Ongi etorri berriro!", - ), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Nire datuak puntutik puntura zifratuta daudenez, pasahitza ahaztuz gero nire datuak gal ditzakedala ulertzen dut.", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage("Saio aktiboak"), - "addANewEmail": MessageLookupByLibrary.simpleMessage( - "Gehitu e-mail berria", - ), - "addCollaborator": MessageLookupByLibrary.simpleMessage( - "Gehitu laguntzailea", - ), - "addMore": MessageLookupByLibrary.simpleMessage("Gehitu gehiago"), - "addViewer": MessageLookupByLibrary.simpleMessage("Gehitu ikuslea"), - "addedAs": MessageLookupByLibrary.simpleMessage("Honela gehituta:"), - "addingToFavorites": MessageLookupByLibrary.simpleMessage( - "Gogokoetan gehitzen...", - ), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Aurreratuak"), - "after1Day": MessageLookupByLibrary.simpleMessage("Egun bat barru"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Ordubete barru"), - "after1Month": MessageLookupByLibrary.simpleMessage("Hilabete bat barru"), - "after1Week": MessageLookupByLibrary.simpleMessage("Astebete barru"), - "after1Year": MessageLookupByLibrary.simpleMessage("Urtebete barru"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Jabea"), - "albumParticipantsCount": m8, - "albumUpdated": MessageLookupByLibrary.simpleMessage("Albuma eguneratuta"), - "albums": MessageLookupByLibrary.simpleMessage("Albumak"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Utzi esteka duen jendeari ere album partekatuan argazkiak gehitzen.", - ), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( - "Baimendu argazkiak gehitzea", - ), - "allowDownloads": MessageLookupByLibrary.simpleMessage( - "Baimendu jaitsierak", - ), - "apply": MessageLookupByLibrary.simpleMessage("Aplikatu"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Aplikatu kodea"), - "archive": MessageLookupByLibrary.simpleMessage("Artxiboa"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Zein da zure kontua ezabatzeko arrazoi nagusia?", - ), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Mesedez, autentifikatu emailaren egiaztatzea aldatzeko", - ), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Mesedez, autentifikatu pantaila blokeatzeko ezarpenak aldatzeko", - ), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Mesedez, autentifikatu zure emaila aldatzeko", - ), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Mesedez, autentifikatu zure pasahitza aldatzeko", - ), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Mesedez, autentifikatu faktore biko autentifikazioa konfiguratzeko", - ), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Mesedez, autentifikatu kontu ezabaketa hasteko", - ), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Mesedez, autentifikatu paperontzira botatako zure fitxategiak ikusteko", - ), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Mesedez, autentifikatu indarrean dauden zure saioak ikusteko", - ), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Mesedez, autentifikatu zure ezkutatutako fitxategiak ikusteko", - ), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Mesedez, autentifikatu zure berreskuratze giltza ikusteko", - ), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Sentitzen dugu, album hau ezin da aplikazioan ireki.", - ), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( - "Ezin dut album hau ireki", - ), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Zure fitxategiak baino ezin duzu ezabatu", - ), - "cancel": MessageLookupByLibrary.simpleMessage("Utzi"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "change": MessageLookupByLibrary.simpleMessage("Aldatu"), - "changeEmail": MessageLookupByLibrary.simpleMessage("Aldatu e-maila"), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Aldatu pasahitza", - ), - "changePermissions": MessageLookupByLibrary.simpleMessage( - "Baimenak aldatu nahi?", - ), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Aldatu zure erreferentzia kodea", - ), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Mesedez, aztertu zure inbox (eta spam) karpetak egiaztatzea osotzeko", - ), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage( - "Eskatu debaldeko biltegiratzea", - ), - "claimMore": MessageLookupByLibrary.simpleMessage("Eskatu gehiago!"), - "claimed": MessageLookupByLibrary.simpleMessage("Eskatuta"), - "claimedStorageSoFar": m14, - "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( - "Kodea aplikatuta", - ), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Sentitzen dugu, zure kode aldaketa muga gainditu duzu.", - ), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Kodea arbelean kopiatuta", - ), - "codeUsedByYou": MessageLookupByLibrary.simpleMessage( - "Zuk erabilitako kodea", - ), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Sortu esteka bat beste pertsona batzuei zure album partekatuan arriskuak gehitu eta ikusten uzteko, naiz eta Ente aplikazio edo kontua ez izan. Oso egokia gertakizun bateko argazkiak biltzeko.", - ), - "collaborativeLink": MessageLookupByLibrary.simpleMessage( - "Parte hartzeko esteka", - ), - "collaborator": MessageLookupByLibrary.simpleMessage("Laguntzailea"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Laguntzaileek argazkiak eta bideoak gehitu ahal dituzte album partekatuan.", - ), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Bildu argazkiak"), - "confirm": MessageLookupByLibrary.simpleMessage("Baieztatu"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Seguru zaude faktore biko autentifikazioa deuseztatu nahi duzula?", - ), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Baieztatu Kontu Ezabaketa", - ), - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Bai, betiko ezabatu nahi dut kontu hau eta berarekiko data aplikazio guztietan zehar.", - ), - "confirmPassword": MessageLookupByLibrary.simpleMessage( - "Egiaztatu pasahitza", - ), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Egiaztatu berreskuratze kodea", - ), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Egiaztatu zure berreskuratze giltza", - ), - "contactSupport": MessageLookupByLibrary.simpleMessage( - "Kontaktatu laguntza", - ), - "continueLabel": MessageLookupByLibrary.simpleMessage("Jarraitu"), - "copyLink": MessageLookupByLibrary.simpleMessage("Kopiatu esteka"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Kopiatu eta itsatsi kode hau zure autentifikazio aplikaziora", - ), - "createAccount": MessageLookupByLibrary.simpleMessage("Sortu kontua"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Luze klikatu argazkiak hautatzeko eta klikatu + albuma sortzeko", - ), - "createNewAccount": MessageLookupByLibrary.simpleMessage( - "Sortu kontu berria", - ), - "createPublicLink": MessageLookupByLibrary.simpleMessage( - "Sortu esteka publikoa", - ), - "creatingLink": MessageLookupByLibrary.simpleMessage("Esteka sortzen..."), - "custom": MessageLookupByLibrary.simpleMessage("Aukeran"), - "decrypting": MessageLookupByLibrary.simpleMessage("Deszifratzen..."), - "deleteAccount": MessageLookupByLibrary.simpleMessage( - "Ezabatu zure kontua", - ), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Sentitzen dugu zu joateaz. Mesedez, utziguzu zure feedbacka hobetzen laguntzeko.", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Ezabatu Kontua Betiko", - ), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Ezabatu albuma"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Ezabatu nahi dituzu album honetan dauden argazkiak (eta bideoak) parte diren beste album guztietatik ere?", - ), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Mesedez, bidali e-mail bat account-deletion@ente.io helbidea zure erregistatutako helbidetik.", - ), - "deleteFromBoth": MessageLookupByLibrary.simpleMessage("Ezabatu bietatik"), - "deleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Ezabatu gailutik", - ), - "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Ezabatu Ente-tik"), - "deletePhotos": MessageLookupByLibrary.simpleMessage("Ezabatu argazkiak"), - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Behar dudan ezaugarre nagusiren bat falta zaio", - ), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "Aplikazioak edo ezaugarriren batek ez du funtzionatzen nik espero nuenez", - ), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Gustukoago dudan beste zerbitzu bat aurkitu dut", - ), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "Nire arrazoia ez dago zerrendan", - ), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Zure eskaera 72 ordutan prozesatua izango da.", - ), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Partekatutako albuma ezabatu?", - ), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "Albuma guztiontzat ezabatuko da \n\nAlbum honetan dauden beste pertsonek partekatutako argazkiak ezin izango dituzu eskuratu", - ), - "details": MessageLookupByLibrary.simpleMessage("Detaileak"), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Ikusleek pantaila-irudiak atera ahal dituzte, edo kanpoko tresnen bidez zure argazkien kopiak gorde", - ), - "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( - "Mesedez, ohartu", - ), - "disableLinkMessage": m24, - "discover": MessageLookupByLibrary.simpleMessage("Aurkitu"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Umeak"), - "discover_celebrations": MessageLookupByLibrary.simpleMessage( - "Ospakizunak", - ), - "discover_food": MessageLookupByLibrary.simpleMessage("Janaria"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Hostoa"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Muinoak"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Nortasuna"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Memeak"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Oharrak"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Etxe-animaliak"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Ordainagiriak"), - "discover_screenshots": MessageLookupByLibrary.simpleMessage( - "Pantaila argazkiak", - ), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfiak"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Eguzki-sartzea"), - "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( - "Bisita txartelak", - ), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage( - "Horma-paperak", - ), - "doThisLater": MessageLookupByLibrary.simpleMessage("Egin hau geroago"), - "done": MessageLookupByLibrary.simpleMessage("Eginda"), - "dropSupportEmail": m25, - "eligible": MessageLookupByLibrary.simpleMessage("aukerakoak"), - "email": MessageLookupByLibrary.simpleMessage("E-maila"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "Helbide hau badago erregistratuta lehendik.", - ), - "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "Helbide hau ez dago erregistratuta.", - ), - "encryption": MessageLookupByLibrary.simpleMessage("Zifratzea"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage("Zifratze giltzak"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente-k zure baimena behar du zure argazkiak gordetzeko", - ), - "enterCode": MessageLookupByLibrary.simpleMessage("Sartu kodea"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Sartu zure lagunak emandako kodea, biontzat debaldeko biltegiratzea lortzeko", - ), - "enterEmail": MessageLookupByLibrary.simpleMessage("Sartu e-maila"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Sartu pasahitz berri bat, zure data zifratu ahal izateko", - ), - "enterPassword": MessageLookupByLibrary.simpleMessage("Sartu pasahitza"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Sartu pasahitz bat, zure data deszifratu ahal izateko", - ), - "enterReferralCode": MessageLookupByLibrary.simpleMessage( - "Sartu erreferentzia kodea", - ), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Sartu 6 digituko kodea zure autentifikazio aplikaziotik", - ), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Mesedez, sartu zuzena den helbidea.", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Sartu zure helbide elektronikoa", - ), - "enterYourPassword": MessageLookupByLibrary.simpleMessage( - "Sartu zure pasahitza", - ), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Sartu zure berreskuratze giltza", - ), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Esteka hau iraungi da. Mesedez, aukeratu beste epemuga bat edo deuseztatu estekaren epemuga.", - ), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage( - "Akatsa kodea aplikatzean", - ), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Ezin dugu zure erreferentziaren detailerik lortu. Mesedez, saiatu berriro geroago.", - ), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "Errorea albumak kargatzen", - ), - "faq": MessageLookupByLibrary.simpleMessage("FAQ"), - "feedback": MessageLookupByLibrary.simpleMessage("Feedbacka"), - "forgotPassword": MessageLookupByLibrary.simpleMessage("Ahaztu pasahitza"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( - "Debaldeko biltegiratzea eskatuta", - ), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Debaldeko biltegiratzea erabilgarri", - ), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Zifratze giltzak sortzen...", - ), - "help": MessageLookupByLibrary.simpleMessage("Laguntza"), - "hidden": MessageLookupByLibrary.simpleMessage("Ezkutatuta"), - "howItWorks": MessageLookupByLibrary.simpleMessage( - "Nola funtzionatzen duen", - ), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Mesedez, eska iezaiozu ezarpenen landutako bere e-mail helbidean luze klikatzeko, eta egiaztatu gailu bietako IDak bat direla.", - ), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "Autentifikazio biometrikoa deuseztatuta dago. Mesedez, blokeatu eta desblokeatu zure pantaila indarrean jartzeko.", - ), - "importing": MessageLookupByLibrary.simpleMessage("Inportatzen...."), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Pasahitz okerra", - ), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "Sartu duzun berreskuratze giltza ez da zuzena", - ), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Berreskuratze giltza ez da zuzena", - ), - "insecureDevice": MessageLookupByLibrary.simpleMessage( - "Gailua ez da segurua", - ), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "Helbide hau ez da zuzena", - ), - "invalidKey": MessageLookupByLibrary.simpleMessage("Kode okerra"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Sartu duzun berreskuratze kodea ez da zuzena. Mesedez, ziurtatu 24 hitz duela, eta egiaztatu hitz bakoitzaren idazkera. \n\nBerreskuratze kode zaharren bat sartu baduzu, ziurtatu 64 karaktere duela, eta egiaztatu horietako bakoitza.", - ), - "inviteToEnte": MessageLookupByLibrary.simpleMessage("Gonbidatu Ente-ra"), - "inviteYourFriends": MessageLookupByLibrary.simpleMessage( - "Gonbidatu zure lagunak", - ), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Hautatutako elementuak album honetatik kenduko dira", - ), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Gorde Argazkiak"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Mesedez, lagun gaitzazu informazio honekin", - ), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Gailu muga"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Indarrean"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Iraungita"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Estekaren epemuga"), - "linkHasExpired": MessageLookupByLibrary.simpleMessage("Esteka iraungi da"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Inoiz ez"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Blokeatu"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Sartu"), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Sartzeko klikatuz, zerbitzu baldintzak eta pribatutasun politikak onartzen ditut", - ), - "lostDevice": MessageLookupByLibrary.simpleMessage("Gailua galdu duzu?"), - "machineLearning": MessageLookupByLibrary.simpleMessage( - "Ikasketa automatikoa", - ), - "magicSearch": MessageLookupByLibrary.simpleMessage("Bilaketa magikoa"), - "manage": MessageLookupByLibrary.simpleMessage("Kudeatu"), - "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( - "Kudeatu gailuaren katxea", - ), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Berrikusi eta garbitu katxe lokalaren biltegiratzea.", - ), - "manageLink": MessageLookupByLibrary.simpleMessage("Kudeatu esteka"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Kudeatu"), - "memoryCount": m50, - "mlConsent": MessageLookupByLibrary.simpleMessage( - "Aktibatu ikasketa automatikoa", - ), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Ulertzen dut, eta ikasketa automatikoa aktibatu nahi dut", - ), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Ikasketa automatikoa aktibatuz gero, Ente-k fitxategietatik informazioa aterako du (ad. argazkien geometria), zurekin partekatutako argazkietatik ere.\n\nHau zure gailuan gertatuko da, eta sortutako informazio biometrikoa puntutik puntura zifratuta egongo da.", - ), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Mesedez, klikatu hemen gure pribatutasun politikan ezaugarri honi buruz detaile gehiago izateko", - ), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "Ikasketa automatikoa aktibatuko?", - ), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Ertaina"), - "movedToTrash": MessageLookupByLibrary.simpleMessage("Zarama mugituta"), - "never": MessageLookupByLibrary.simpleMessage("Inoiz ez"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Album berria"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Bat ere ez"), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Berreskuratze giltzarik ez?", - ), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Gure puntutik-puntura zifratze protokoloa dela eta, zure data ezin da deszifratu zure pasahitza edo berreskuratze giltzarik gabe", - ), - "ok": MessageLookupByLibrary.simpleMessage("Ondo"), - "onlyFamilyAdminCanChangeCode": m55, - "oops": MessageLookupByLibrary.simpleMessage("Ai!"), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Oops, zerbait txarto joan da", - ), - "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( - "Edo aukeratu lehengo bat", - ), - "password": MessageLookupByLibrary.simpleMessage("Pasahitza"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Pasahitza zuzenki aldatuta", - ), - "passwordLock": MessageLookupByLibrary.simpleMessage("Pasahitza blokeoa"), - "passwordStrength": m57, - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Ezin dugu zure pasahitza gorde, beraz, ahazten baduzu, ezin dugu zure data deszifratu", - ), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Jendea zure kodea erabiltzen", - ), - "photoGridSize": MessageLookupByLibrary.simpleMessage( - "Argazki sarearen tamaina", - ), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("argazkia"), - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Saiatu berriro, mesedez", - ), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Mesedez, itxaron..."), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( - "Pribatutasun Politikak", - ), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( - "Esteka publikoa indarrean", - ), - "recover": MessageLookupByLibrary.simpleMessage("Berreskuratu"), - "recoverAccount": MessageLookupByLibrary.simpleMessage( - "Berreskuratu kontua", - ), - "recoverButton": MessageLookupByLibrary.simpleMessage("Berreskuratu"), - "recoveryKey": MessageLookupByLibrary.simpleMessage("Berreskuratze giltza"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Berreskuratze giltza arbelean kopiatu da", - ), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Zure pasahitza ahazten baduzu, zure datuak berreskuratzeko modu bakarra gailu honen bidez izango da.", - ), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Guk ez dugu gailu hau gordetzen; mesedez, gorde 24 hitzeko giltza hau lege seguru batean.", - ), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Primeran! Zure berreskuratze giltza zuzena da. Eskerrik asko egiaztatzeagatik.\n\nMesedez, gogoratu zure berreskuratze giltza leku seguruan gordetzea.", - ), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Berreskuratze giltza egiaztatuta", - ), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Pasahitza ahazten baduzu, zure berreskuratze giltza argazkiak berreskuratzeko modu bakarra da. Berreskuratze giltza hemen aurkitu ahal duzu Ezarpenak > Kontua.\n\nMesedez sartu hemen zure berreskuratze giltza ondo gorde duzula egiaztatzeko.", - ), - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "Berreskurapen arrakastatsua!", - ), - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "Gailu hau ez da zure pasahitza egiaztatzeko bezain indartsua, baina gailu guztietan funtzionatzen duen modu batean birsortu ahal dugu. \n\nMesedez sartu zure berreskuratze giltza erabiliz eta birsortu zure pasahitza (aurreko berbera erabili ahal duzu nahi izanez gero).", - ), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Berrezarri pasahitza", - ), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Eman kode hau zure lagunei", - ), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Haiek ordainpeko plan batean sinatu behar dute", - ), - "referralStep3": m73, - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "Erreferentziak momentuz geldituta daude", - ), - "remove": MessageLookupByLibrary.simpleMessage("Kendu"), - "removeFromAlbum": MessageLookupByLibrary.simpleMessage("Kendu albumetik"), - "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( - "Albumetik kendu?", - ), - "removeLink": MessageLookupByLibrary.simpleMessage("Ezabatu esteka"), - "removeParticipant": MessageLookupByLibrary.simpleMessage( - "Kendu parte hartzailea", - ), - "removeParticipantBody": m74, - "removePublicLink": MessageLookupByLibrary.simpleMessage( - "Ezabatu esteka publikoa", - ), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Kentzen ari zaren elementu batzuk beste pertsona batzuek gehitu zituzten, beraz ezin izango dituzu eskuratu", - ), - "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage( - "Ezabatuko?", - ), - "removingFromFavorites": MessageLookupByLibrary.simpleMessage( - "Gogokoetatik kentzen...", - ), - "resendEmail": MessageLookupByLibrary.simpleMessage("Birbidali e-maila"), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Berrezarri pasahitza", - ), - "saveKey": MessageLookupByLibrary.simpleMessage("Gorde giltza"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Gorde zure berreskuratze giltza ez baduzu oraindik egin", - ), - "scanCode": MessageLookupByLibrary.simpleMessage("Eskaneatu kodea"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Eskaneatu barra kode hau zure autentifikazio aplikazioaz", - ), - "selectReason": MessageLookupByLibrary.simpleMessage("Aukeratu arrazoia"), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "sendEmail": MessageLookupByLibrary.simpleMessage("Bidali mezua"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Bidali gonbidapena"), - "sendLink": MessageLookupByLibrary.simpleMessage("Bidali esteka"), - "setAPassword": MessageLookupByLibrary.simpleMessage("Ezarri pasahitza"), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Ezarri pasahitza", - ), - "setupComplete": MessageLookupByLibrary.simpleMessage( - "Prestaketa burututa", - ), - "shareALink": MessageLookupByLibrary.simpleMessage("Partekatu esteka"), - "shareMyVerificationID": m83, - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Jaitsi Ente argazkiak eta bideoak jatorrizko kalitatean errez partekatu ahal izateko \n\nhttps://ente.io", - ), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Partekatu Ente erabiltzen ez dutenekin", - ), - "shareWithPeopleSectionTitle": m86, - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Sortu partekatutako eta parte hartzeko albumak beste Ente erabiltzaileekin, debaldeko planak dituztenak barne.", - ), - "sharing": MessageLookupByLibrary.simpleMessage("Partekatzen..."), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Zerbitzu baldintzak eta pribatutasun politikak onartzen ditut", - ), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Album guztietatik ezabatuko da.", - ), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Zurekin albumak partekatzen dituen norbaitek ID berbera ikusi beharko luke bere gailuan.", - ), - "somethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Zerbait oker joan da", - ), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Zerbait ez da ondo joan, mesedez, saiatu berriro", - ), - "sorry": MessageLookupByLibrary.simpleMessage("Barkatu"), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Sentitzen dut, ezin izan dugu zure gogokoetan gehitu!", - ), - "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( - "Sentitzen dugu, ezin izan dugu zure gogokoetatik kendu!", - ), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Tamalez, ezin dugu giltza segururik sortu gailu honetan. \n\nMesedez, eman izena beste gailu batetik.", - ), - "storageInGB": m93, - "strongStrength": MessageLookupByLibrary.simpleMessage("Gogorra"), - "subscribe": MessageLookupByLibrary.simpleMessage("Harpidetu"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Ordainpeko harpidetza behar duzu partekatzea aktibatzeko.", - ), - "tapToCopy": MessageLookupByLibrary.simpleMessage("jo kopiatzeko"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage( - "Klikatu kodea sartzeko", - ), - "terminate": MessageLookupByLibrary.simpleMessage("Bukatu"), - "terminateSession": MessageLookupByLibrary.simpleMessage("Saioa bukatu?"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Baldintzak"), - "theyAlsoGetXGb": m99, - "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( - "Hau zure kontua berreskuratzeko erabili ahal duzu, zure bigarren faktorea ahaztuz gero", - ), - "thisDevice": MessageLookupByLibrary.simpleMessage("Gailu hau"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Hau da zure Egiaztatze IDa", - ), - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Hau egiteak hurrengo gailutik aterako zaitu:", - ), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Hau egiteak gailu honetatik aterako zaitu!", - ), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Zure pasahitza berrezartzeko, mesedez egiaztatu zure e-maila lehenengoz.", - ), - "total": MessageLookupByLibrary.simpleMessage("osotara"), - "trash": MessageLookupByLibrary.simpleMessage("Zarama"), - "tryAgain": MessageLookupByLibrary.simpleMessage("Saiatu berriro"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "Faktore biko autentifikazioa deuseztatua izan da", - ), - "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( - "Faktore biko autentifikatzea", - ), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Faktore biko ezarpena", - ), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Sentitzen dugu, kode hau ezin da erabili.", - ), - "uncategorized": MessageLookupByLibrary.simpleMessage("Kategori gabekoa"), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "Biltegiratze erabilgarria zure oraingo planaren arabera mugatuta dago. Soberan eskatutako biltegiratzea automatikoki erabili ahal izango duzu zure plan gaurkotzen duzunean.", - ), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Erabili berreskuratze giltza", - ), - "verificationId": MessageLookupByLibrary.simpleMessage("Egiaztatze IDa"), - "verify": MessageLookupByLibrary.simpleMessage("Egiaztatu"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("Egiaztatu e-maila"), - "verifyEmailID": m111, - "verifyPassword": MessageLookupByLibrary.simpleMessage( - "Egiaztatu pasahitza", - ), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Berreskuratze giltza egiaztatuz...", - ), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("bideoa"), - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Ikusi berreskuratze kodea", - ), - "viewer": MessageLookupByLibrary.simpleMessage("Ikuslea"), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Ahula"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("Ongi etorri berriro!"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "Bai, egin ikusle", - ), - "yesDelete": MessageLookupByLibrary.simpleMessage("Bai, ezabatu"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Bai, ezabatu"), - "you": MessageLookupByLibrary.simpleMessage("Zu"), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Gehienez zure biltegiratzea bikoiztu ahal duzu", - ), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Ezin duzu zeure buruarekin partekatu", - ), - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "Zure kontua ezabatua izan da", - ), - }; + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("Ongi etorri berriro!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Nire datuak puntutik puntura zifratuta daudenez, pasahitza ahaztuz gero nire datuak gal ditzakedala ulertzen dut."), + "activeSessions": MessageLookupByLibrary.simpleMessage("Saio aktiboak"), + "addANewEmail": + MessageLookupByLibrary.simpleMessage("Gehitu e-mail berria"), + "addCollaborator": + MessageLookupByLibrary.simpleMessage("Gehitu laguntzailea"), + "addMore": MessageLookupByLibrary.simpleMessage("Gehitu gehiago"), + "addViewer": MessageLookupByLibrary.simpleMessage("Gehitu ikuslea"), + "addedAs": MessageLookupByLibrary.simpleMessage("Honela gehituta:"), + "addingToFavorites": + MessageLookupByLibrary.simpleMessage("Gogokoetan gehitzen..."), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Aurreratuak"), + "after1Day": MessageLookupByLibrary.simpleMessage("Egun bat barru"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Ordubete barru"), + "after1Month": + MessageLookupByLibrary.simpleMessage("Hilabete bat barru"), + "after1Week": MessageLookupByLibrary.simpleMessage("Astebete barru"), + "after1Year": MessageLookupByLibrary.simpleMessage("Urtebete barru"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Jabea"), + "albumParticipantsCount": m8, + "albumUpdated": + MessageLookupByLibrary.simpleMessage("Albuma eguneratuta"), + "albums": MessageLookupByLibrary.simpleMessage("Albumak"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Utzi esteka duen jendeari ere album partekatuan argazkiak gehitzen."), + "allowAddingPhotos": + MessageLookupByLibrary.simpleMessage("Baimendu argazkiak gehitzea"), + "allowDownloads": + MessageLookupByLibrary.simpleMessage("Baimendu jaitsierak"), + "apply": MessageLookupByLibrary.simpleMessage("Aplikatu"), + "applyCodeTitle": + MessageLookupByLibrary.simpleMessage("Aplikatu kodea"), + "archive": MessageLookupByLibrary.simpleMessage("Artxiboa"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Zein da zure kontua ezabatzeko arrazoi nagusia?"), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Mesedez, autentifikatu emailaren egiaztatzea aldatzeko"), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Mesedez, autentifikatu pantaila blokeatzeko ezarpenak aldatzeko"), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Mesedez, autentifikatu zure emaila aldatzeko"), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Mesedez, autentifikatu zure pasahitza aldatzeko"), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Mesedez, autentifikatu faktore biko autentifikazioa konfiguratzeko"), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Mesedez, autentifikatu kontu ezabaketa hasteko"), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Mesedez, autentifikatu paperontzira botatako zure fitxategiak ikusteko"), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Mesedez, autentifikatu indarrean dauden zure saioak ikusteko"), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Mesedez, autentifikatu zure ezkutatutako fitxategiak ikusteko"), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Mesedez, autentifikatu zure berreskuratze giltza ikusteko"), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Sentitzen dugu, album hau ezin da aplikazioan ireki."), + "canNotOpenTitle": + MessageLookupByLibrary.simpleMessage("Ezin dut album hau ireki"), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Zure fitxategiak baino ezin duzu ezabatu"), + "cancel": MessageLookupByLibrary.simpleMessage("Utzi"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "change": MessageLookupByLibrary.simpleMessage("Aldatu"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Aldatu e-maila"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("Aldatu pasahitza"), + "changePermissions": + MessageLookupByLibrary.simpleMessage("Baimenak aldatu nahi?"), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Aldatu zure erreferentzia kodea"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Mesedez, aztertu zure inbox (eta spam) karpetak egiaztatzea osotzeko"), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage( + "Eskatu debaldeko biltegiratzea"), + "claimMore": MessageLookupByLibrary.simpleMessage("Eskatu gehiago!"), + "claimed": MessageLookupByLibrary.simpleMessage("Eskatuta"), + "claimedStorageSoFar": m14, + "codeAppliedPageTitle": + MessageLookupByLibrary.simpleMessage("Kodea aplikatuta"), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Sentitzen dugu, zure kode aldaketa muga gainditu duzu."), + "codeCopiedToClipboard": + MessageLookupByLibrary.simpleMessage("Kodea arbelean kopiatuta"), + "codeUsedByYou": + MessageLookupByLibrary.simpleMessage("Zuk erabilitako kodea"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Sortu esteka bat beste pertsona batzuei zure album partekatuan arriskuak gehitu eta ikusten uzteko, naiz eta Ente aplikazio edo kontua ez izan. Oso egokia gertakizun bateko argazkiak biltzeko."), + "collaborativeLink": + MessageLookupByLibrary.simpleMessage("Parte hartzeko esteka"), + "collaborator": MessageLookupByLibrary.simpleMessage("Laguntzailea"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Laguntzaileek argazkiak eta bideoak gehitu ahal dituzte album partekatuan."), + "collectPhotos": + MessageLookupByLibrary.simpleMessage("Bildu argazkiak"), + "confirm": MessageLookupByLibrary.simpleMessage("Baieztatu"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Seguru zaude faktore biko autentifikazioa deuseztatu nahi duzula?"), + "confirmAccountDeletion": + MessageLookupByLibrary.simpleMessage("Baieztatu Kontu Ezabaketa"), + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Bai, betiko ezabatu nahi dut kontu hau eta berarekiko data aplikazio guztietan zehar."), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("Egiaztatu pasahitza"), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Egiaztatu berreskuratze kodea"), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Egiaztatu zure berreskuratze giltza"), + "contactSupport": + MessageLookupByLibrary.simpleMessage("Kontaktatu laguntza"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Jarraitu"), + "copyLink": MessageLookupByLibrary.simpleMessage("Kopiatu esteka"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Kopiatu eta itsatsi kode hau zure autentifikazio aplikaziora"), + "createAccount": MessageLookupByLibrary.simpleMessage("Sortu kontua"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Luze klikatu argazkiak hautatzeko eta klikatu + albuma sortzeko"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("Sortu kontu berria"), + "createPublicLink": + MessageLookupByLibrary.simpleMessage("Sortu esteka publikoa"), + "creatingLink": + MessageLookupByLibrary.simpleMessage("Esteka sortzen..."), + "custom": MessageLookupByLibrary.simpleMessage("Aukeran"), + "decrypting": MessageLookupByLibrary.simpleMessage("Deszifratzen..."), + "deleteAccount": + MessageLookupByLibrary.simpleMessage("Ezabatu zure kontua"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Sentitzen dugu zu joateaz. Mesedez, utziguzu zure feedbacka hobetzen laguntzeko."), + "deleteAccountPermanentlyButton": + MessageLookupByLibrary.simpleMessage("Ezabatu Kontua Betiko"), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Ezabatu albuma"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Ezabatu nahi dituzu album honetan dauden argazkiak (eta bideoak) parte diren beste album guztietatik ere?"), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Mesedez, bidali e-mail bat account-deletion@ente.io helbidea zure erregistatutako helbidetik."), + "deleteFromBoth": + MessageLookupByLibrary.simpleMessage("Ezabatu bietatik"), + "deleteFromDevice": + MessageLookupByLibrary.simpleMessage("Ezabatu gailutik"), + "deleteFromEnte": + MessageLookupByLibrary.simpleMessage("Ezabatu Ente-tik"), + "deletePhotos": + MessageLookupByLibrary.simpleMessage("Ezabatu argazkiak"), + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Behar dudan ezaugarre nagusiren bat falta zaio"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "Aplikazioak edo ezaugarriren batek ez du funtzionatzen nik espero nuenez"), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Gustukoago dudan beste zerbitzu bat aurkitu dut"), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "Nire arrazoia ez dago zerrendan"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Zure eskaera 72 ordutan prozesatua izango da."), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Partekatutako albuma ezabatu?"), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "Albuma guztiontzat ezabatuko da \n\nAlbum honetan dauden beste pertsonek partekatutako argazkiak ezin izango dituzu eskuratu"), + "details": MessageLookupByLibrary.simpleMessage("Detaileak"), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Ikusleek pantaila-irudiak atera ahal dituzte, edo kanpoko tresnen bidez zure argazkien kopiak gorde"), + "disableDownloadWarningTitle": + MessageLookupByLibrary.simpleMessage("Mesedez, ohartu"), + "disableLinkMessage": m24, + "discover": MessageLookupByLibrary.simpleMessage("Aurkitu"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Umeak"), + "discover_celebrations": + MessageLookupByLibrary.simpleMessage("Ospakizunak"), + "discover_food": MessageLookupByLibrary.simpleMessage("Janaria"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Hostoa"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Muinoak"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Nortasuna"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Memeak"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Oharrak"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Etxe-animaliak"), + "discover_receipts": + MessageLookupByLibrary.simpleMessage("Ordainagiriak"), + "discover_screenshots": + MessageLookupByLibrary.simpleMessage("Pantaila argazkiak"), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfiak"), + "discover_sunset": + MessageLookupByLibrary.simpleMessage("Eguzki-sartzea"), + "discover_visiting_cards": + MessageLookupByLibrary.simpleMessage("Bisita txartelak"), + "discover_wallpapers": + MessageLookupByLibrary.simpleMessage("Horma-paperak"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Egin hau geroago"), + "done": MessageLookupByLibrary.simpleMessage("Eginda"), + "dropSupportEmail": m25, + "eligible": MessageLookupByLibrary.simpleMessage("aukerakoak"), + "email": MessageLookupByLibrary.simpleMessage("E-maila"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "Helbide hau badago erregistratuta lehendik."), + "emailNoEnteAccount": m31, + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "Helbide hau ez dago erregistratuta."), + "encryption": MessageLookupByLibrary.simpleMessage("Zifratzea"), + "encryptionKeys": + MessageLookupByLibrary.simpleMessage("Zifratze giltzak"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente-k zure baimena behar du zure argazkiak gordetzeko"), + "enterCode": MessageLookupByLibrary.simpleMessage("Sartu kodea"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Sartu zure lagunak emandako kodea, biontzat debaldeko biltegiratzea lortzeko"), + "enterEmail": MessageLookupByLibrary.simpleMessage("Sartu e-maila"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Sartu pasahitz berri bat, zure data zifratu ahal izateko"), + "enterPassword": + MessageLookupByLibrary.simpleMessage("Sartu pasahitza"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Sartu pasahitz bat, zure data deszifratu ahal izateko"), + "enterReferralCode": + MessageLookupByLibrary.simpleMessage("Sartu erreferentzia kodea"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Sartu 6 digituko kodea zure autentifikazio aplikaziotik"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Mesedez, sartu zuzena den helbidea."), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Sartu zure helbide elektronikoa"), + "enterYourPassword": + MessageLookupByLibrary.simpleMessage("Sartu zure pasahitza"), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Sartu zure berreskuratze giltza"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Esteka hau iraungi da. Mesedez, aukeratu beste epemuga bat edo deuseztatu estekaren epemuga."), + "failedToApplyCode": + MessageLookupByLibrary.simpleMessage("Akatsa kodea aplikatzean"), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Ezin dugu zure erreferentziaren detailerik lortu. Mesedez, saiatu berriro geroago."), + "failedToLoadAlbums": + MessageLookupByLibrary.simpleMessage("Errorea albumak kargatzen"), + "faq": MessageLookupByLibrary.simpleMessage("FAQ"), + "feedback": MessageLookupByLibrary.simpleMessage("Feedbacka"), + "forgotPassword": + MessageLookupByLibrary.simpleMessage("Ahaztu pasahitza"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( + "Debaldeko biltegiratzea eskatuta"), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Debaldeko biltegiratzea erabilgarri"), + "generatingEncryptionKeys": + MessageLookupByLibrary.simpleMessage("Zifratze giltzak sortzen..."), + "help": MessageLookupByLibrary.simpleMessage("Laguntza"), + "hidden": MessageLookupByLibrary.simpleMessage("Ezkutatuta"), + "howItWorks": + MessageLookupByLibrary.simpleMessage("Nola funtzionatzen duen"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Mesedez, eska iezaiozu ezarpenen landutako bere e-mail helbidean luze klikatzeko, eta egiaztatu gailu bietako IDak bat direla."), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "Autentifikazio biometrikoa deuseztatuta dago. Mesedez, blokeatu eta desblokeatu zure pantaila indarrean jartzeko."), + "importing": MessageLookupByLibrary.simpleMessage("Inportatzen...."), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("Pasahitz okerra"), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Sartu duzun berreskuratze giltza ez da zuzena"), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Berreskuratze giltza ez da zuzena"), + "insecureDevice": + MessageLookupByLibrary.simpleMessage("Gailua ez da segurua"), + "invalidEmailAddress": + MessageLookupByLibrary.simpleMessage("Helbide hau ez da zuzena"), + "invalidKey": MessageLookupByLibrary.simpleMessage("Kode okerra"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Sartu duzun berreskuratze kodea ez da zuzena. Mesedez, ziurtatu 24 hitz duela, eta egiaztatu hitz bakoitzaren idazkera. \n\nBerreskuratze kode zaharren bat sartu baduzu, ziurtatu 64 karaktere duela, eta egiaztatu horietako bakoitza."), + "inviteToEnte": + MessageLookupByLibrary.simpleMessage("Gonbidatu Ente-ra"), + "inviteYourFriends": + MessageLookupByLibrary.simpleMessage("Gonbidatu zure lagunak"), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Hautatutako elementuak album honetatik kenduko dira"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Gorde Argazkiak"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Mesedez, lagun gaitzazu informazio honekin"), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Gailu muga"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Indarrean"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Iraungita"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Estekaren epemuga"), + "linkHasExpired": + MessageLookupByLibrary.simpleMessage("Esteka iraungi da"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Inoiz ez"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Blokeatu"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Sartu"), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Sartzeko klikatuz, zerbitzu baldintzak eta pribatutasun politikak onartzen ditut"), + "lostDevice": + MessageLookupByLibrary.simpleMessage("Gailua galdu duzu?"), + "machineLearning": + MessageLookupByLibrary.simpleMessage("Ikasketa automatikoa"), + "magicSearch": MessageLookupByLibrary.simpleMessage("Bilaketa magikoa"), + "manage": MessageLookupByLibrary.simpleMessage("Kudeatu"), + "manageDeviceStorage": + MessageLookupByLibrary.simpleMessage("Kudeatu gailuaren katxea"), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Berrikusi eta garbitu katxe lokalaren biltegiratzea."), + "manageLink": MessageLookupByLibrary.simpleMessage("Kudeatu esteka"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Kudeatu"), + "memoryCount": m50, + "mlConsent": MessageLookupByLibrary.simpleMessage( + "Aktibatu ikasketa automatikoa"), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Ulertzen dut, eta ikasketa automatikoa aktibatu nahi dut"), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Ikasketa automatikoa aktibatuz gero, Ente-k fitxategietatik informazioa aterako du (ad. argazkien geometria), zurekin partekatutako argazkietatik ere.\n\nHau zure gailuan gertatuko da, eta sortutako informazio biometrikoa puntutik puntura zifratuta egongo da."), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Mesedez, klikatu hemen gure pribatutasun politikan ezaugarri honi buruz detaile gehiago izateko"), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "Ikasketa automatikoa aktibatuko?"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Ertaina"), + "movedToTrash": MessageLookupByLibrary.simpleMessage("Zarama mugituta"), + "never": MessageLookupByLibrary.simpleMessage("Inoiz ez"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Album berria"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Bat ere ez"), + "noRecoveryKey": + MessageLookupByLibrary.simpleMessage("Berreskuratze giltzarik ez?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Gure puntutik-puntura zifratze protokoloa dela eta, zure data ezin da deszifratu zure pasahitza edo berreskuratze giltzarik gabe"), + "ok": MessageLookupByLibrary.simpleMessage("Ondo"), + "onlyFamilyAdminCanChangeCode": m55, + "oops": MessageLookupByLibrary.simpleMessage("Ai!"), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Oops, zerbait txarto joan da"), + "orPickAnExistingOne": + MessageLookupByLibrary.simpleMessage("Edo aukeratu lehengo bat"), + "password": MessageLookupByLibrary.simpleMessage("Pasahitza"), + "passwordChangedSuccessfully": + MessageLookupByLibrary.simpleMessage("Pasahitza zuzenki aldatuta"), + "passwordLock": + MessageLookupByLibrary.simpleMessage("Pasahitza blokeoa"), + "passwordStrength": m57, + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Ezin dugu zure pasahitza gorde, beraz, ahazten baduzu, ezin dugu zure data deszifratu"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Jendea zure kodea erabiltzen"), + "photoGridSize": + MessageLookupByLibrary.simpleMessage("Argazki sarearen tamaina"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("argazkia"), + "pleaseTryAgain": + MessageLookupByLibrary.simpleMessage("Saiatu berriro, mesedez"), + "pleaseWait": + MessageLookupByLibrary.simpleMessage("Mesedez, itxaron..."), + "privacyPolicyTitle": + MessageLookupByLibrary.simpleMessage("Pribatutasun Politikak"), + "publicLinkEnabled": + MessageLookupByLibrary.simpleMessage("Esteka publikoa indarrean"), + "recover": MessageLookupByLibrary.simpleMessage("Berreskuratu"), + "recoverAccount": + MessageLookupByLibrary.simpleMessage("Berreskuratu kontua"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Berreskuratu"), + "recoveryKey": + MessageLookupByLibrary.simpleMessage("Berreskuratze giltza"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Berreskuratze giltza arbelean kopiatu da"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Zure pasahitza ahazten baduzu, zure datuak berreskuratzeko modu bakarra gailu honen bidez izango da."), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Guk ez dugu gailu hau gordetzen; mesedez, gorde 24 hitzeko giltza hau lege seguru batean."), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Primeran! Zure berreskuratze giltza zuzena da. Eskerrik asko egiaztatzeagatik.\n\nMesedez, gogoratu zure berreskuratze giltza leku seguruan gordetzea."), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Berreskuratze giltza egiaztatuta"), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Pasahitza ahazten baduzu, zure berreskuratze giltza argazkiak berreskuratzeko modu bakarra da. Berreskuratze giltza hemen aurkitu ahal duzu Ezarpenak > Kontua.\n\nMesedez sartu hemen zure berreskuratze giltza ondo gorde duzula egiaztatzeko."), + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "Berreskurapen arrakastatsua!"), + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Gailu hau ez da zure pasahitza egiaztatzeko bezain indartsua, baina gailu guztietan funtzionatzen duen modu batean birsortu ahal dugu. \n\nMesedez sartu zure berreskuratze giltza erabiliz eta birsortu zure pasahitza (aurreko berbera erabili ahal duzu nahi izanez gero)."), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("Berrezarri pasahitza"), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Eman kode hau zure lagunei"), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Haiek ordainpeko plan batean sinatu behar dute"), + "referralStep3": m73, + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "Erreferentziak momentuz geldituta daude"), + "remove": MessageLookupByLibrary.simpleMessage("Kendu"), + "removeFromAlbum": + MessageLookupByLibrary.simpleMessage("Kendu albumetik"), + "removeFromAlbumTitle": + MessageLookupByLibrary.simpleMessage("Albumetik kendu?"), + "removeLink": MessageLookupByLibrary.simpleMessage("Ezabatu esteka"), + "removeParticipant": + MessageLookupByLibrary.simpleMessage("Kendu parte hartzailea"), + "removeParticipantBody": m74, + "removePublicLink": + MessageLookupByLibrary.simpleMessage("Ezabatu esteka publikoa"), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Kentzen ari zaren elementu batzuk beste pertsona batzuek gehitu zituzten, beraz ezin izango dituzu eskuratu"), + "removeWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Ezabatuko?"), + "removingFromFavorites": + MessageLookupByLibrary.simpleMessage("Gogokoetatik kentzen..."), + "resendEmail": + MessageLookupByLibrary.simpleMessage("Birbidali e-maila"), + "resetPasswordTitle": + MessageLookupByLibrary.simpleMessage("Berrezarri pasahitza"), + "saveKey": MessageLookupByLibrary.simpleMessage("Gorde giltza"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Gorde zure berreskuratze giltza ez baduzu oraindik egin"), + "scanCode": MessageLookupByLibrary.simpleMessage("Eskaneatu kodea"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Eskaneatu barra kode hau zure autentifikazio aplikazioaz"), + "selectReason": + MessageLookupByLibrary.simpleMessage("Aukeratu arrazoia"), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "sendEmail": MessageLookupByLibrary.simpleMessage("Bidali mezua"), + "sendInvite": + MessageLookupByLibrary.simpleMessage("Bidali gonbidapena"), + "sendLink": MessageLookupByLibrary.simpleMessage("Bidali esteka"), + "setAPassword": + MessageLookupByLibrary.simpleMessage("Ezarri pasahitza"), + "setPasswordTitle": + MessageLookupByLibrary.simpleMessage("Ezarri pasahitza"), + "setupComplete": + MessageLookupByLibrary.simpleMessage("Prestaketa burututa"), + "shareALink": MessageLookupByLibrary.simpleMessage("Partekatu esteka"), + "shareMyVerificationID": m83, + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Jaitsi Ente argazkiak eta bideoak jatorrizko kalitatean errez partekatu ahal izateko \n\nhttps://ente.io"), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Partekatu Ente erabiltzen ez dutenekin"), + "shareWithPeopleSectionTitle": m86, + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Sortu partekatutako eta parte hartzeko albumak beste Ente erabiltzaileekin, debaldeko planak dituztenak barne."), + "sharing": MessageLookupByLibrary.simpleMessage("Partekatzen..."), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Zerbitzu baldintzak eta pribatutasun politikak onartzen ditut"), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Album guztietatik ezabatuko da."), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Zurekin albumak partekatzen dituen norbaitek ID berbera ikusi beharko luke bere gailuan."), + "somethingWentWrong": + MessageLookupByLibrary.simpleMessage("Zerbait oker joan da"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Zerbait ez da ondo joan, mesedez, saiatu berriro"), + "sorry": MessageLookupByLibrary.simpleMessage("Barkatu"), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Sentitzen dut, ezin izan dugu zure gogokoetan gehitu!"), + "sorryCouldNotRemoveFromFavorites": + MessageLookupByLibrary.simpleMessage( + "Sentitzen dugu, ezin izan dugu zure gogokoetatik kendu!"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Tamalez, ezin dugu giltza segururik sortu gailu honetan. \n\nMesedez, eman izena beste gailu batetik."), + "storageInGB": m93, + "strongStrength": MessageLookupByLibrary.simpleMessage("Gogorra"), + "subscribe": MessageLookupByLibrary.simpleMessage("Harpidetu"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Ordainpeko harpidetza behar duzu partekatzea aktibatzeko."), + "tapToCopy": MessageLookupByLibrary.simpleMessage("jo kopiatzeko"), + "tapToEnterCode": + MessageLookupByLibrary.simpleMessage("Klikatu kodea sartzeko"), + "terminate": MessageLookupByLibrary.simpleMessage("Bukatu"), + "terminateSession": + MessageLookupByLibrary.simpleMessage("Saioa bukatu?"), + "termsOfServicesTitle": + MessageLookupByLibrary.simpleMessage("Baldintzak"), + "theyAlsoGetXGb": m99, + "thisCanBeUsedToRecoverYourAccountIfYou": + MessageLookupByLibrary.simpleMessage( + "Hau zure kontua berreskuratzeko erabili ahal duzu, zure bigarren faktorea ahaztuz gero"), + "thisDevice": MessageLookupByLibrary.simpleMessage("Gailu hau"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": + MessageLookupByLibrary.simpleMessage("Hau da zure Egiaztatze IDa"), + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Hau egiteak hurrengo gailutik aterako zaitu:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Hau egiteak gailu honetatik aterako zaitu!"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Zure pasahitza berrezartzeko, mesedez egiaztatu zure e-maila lehenengoz."), + "total": MessageLookupByLibrary.simpleMessage("osotara"), + "trash": MessageLookupByLibrary.simpleMessage("Zarama"), + "tryAgain": MessageLookupByLibrary.simpleMessage("Saiatu berriro"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "Faktore biko autentifikazioa deuseztatua izan da"), + "twofactorAuthenticationPageTitle": + MessageLookupByLibrary.simpleMessage( + "Faktore biko autentifikatzea"), + "twofactorSetup": + MessageLookupByLibrary.simpleMessage("Faktore biko ezarpena"), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Sentitzen dugu, kode hau ezin da erabili."), + "uncategorized": + MessageLookupByLibrary.simpleMessage("Kategori gabekoa"), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "Biltegiratze erabilgarria zure oraingo planaren arabera mugatuta dago. Soberan eskatutako biltegiratzea automatikoki erabili ahal izango duzu zure plan gaurkotzen duzunean."), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Erabili berreskuratze giltza"), + "verificationId": + MessageLookupByLibrary.simpleMessage("Egiaztatze IDa"), + "verify": MessageLookupByLibrary.simpleMessage("Egiaztatu"), + "verifyEmail": + MessageLookupByLibrary.simpleMessage("Egiaztatu e-maila"), + "verifyEmailID": m111, + "verifyPassword": + MessageLookupByLibrary.simpleMessage("Egiaztatu pasahitza"), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Berreskuratze giltza egiaztatuz..."), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("bideoa"), + "viewRecoveryKey": + MessageLookupByLibrary.simpleMessage("Ikusi berreskuratze kodea"), + "viewer": MessageLookupByLibrary.simpleMessage("Ikuslea"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Ahula"), + "welcomeBack": + MessageLookupByLibrary.simpleMessage("Ongi etorri berriro!"), + "yesConvertToViewer": + MessageLookupByLibrary.simpleMessage("Bai, egin ikusle"), + "yesDelete": MessageLookupByLibrary.simpleMessage("Bai, ezabatu"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Bai, ezabatu"), + "you": MessageLookupByLibrary.simpleMessage("Zu"), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Gehienez zure biltegiratzea bikoiztu ahal duzu"), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Ezin duzu zeure buruarekin partekatu"), + "yourAccountHasBeenDeleted": + MessageLookupByLibrary.simpleMessage("Zure kontua ezabatua izan da") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_fa.dart b/mobile/apps/photos/lib/generated/intl/messages_fa.dart index 322d8862a3..b2c0bfef1f 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_fa.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_fa.dart @@ -34,11 +34,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m68(storeName) => "به ما در ${storeName} امتیاز دهید"; static String m94( - usedAmount, - usedStorageUnit, - totalAmount, - totalStorageUnit, - ) => + usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => "${usedAmount} ${usedStorageUnit} از ${totalAmount} ${totalStorageUnit} استفاده شده"; static String m111(email) => "تایید ${email}"; @@ -48,471 +44,396 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "نسخه جدید Ente در دسترس است.", - ), - "about": MessageLookupByLibrary.simpleMessage("درباره ما"), - "account": MessageLookupByLibrary.simpleMessage("حساب کاربری"), - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage("خوش آمدید!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "من درک می‌کنم که اگر رمز عبور خود را گم کنم، ممکن است اطلاعات خود را از دست بدهم، زیرا اطلاعات من رمزگذاری سرتاسر شده است.", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage("دستگاه‌های فعال"), - "addANewEmail": MessageLookupByLibrary.simpleMessage("افزودن ایمیل جدید"), - "addCollaborator": MessageLookupByLibrary.simpleMessage("افزودن همکار"), - "addMore": MessageLookupByLibrary.simpleMessage("افزودن بیشتر"), - "addViewer": MessageLookupByLibrary.simpleMessage("افزودن بیننده"), - "addedAs": MessageLookupByLibrary.simpleMessage("اضافه شده به عنوان"), - "advanced": MessageLookupByLibrary.simpleMessage("پیشرفته"), - "albumUpdated": MessageLookupByLibrary.simpleMessage("آلبوم به‌روز شد"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "به افراد که این پیوند را دارند، اجازه دهید عکس‌ها را به آلبوم اشتراک گذاری شده اضافه کنند.", - ), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( - "اجازه اضافه کردن عکس", - ), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "به افراد اجازه دهید عکس اضافه کنند", - ), - "androidBiometricHint": MessageLookupByLibrary.simpleMessage("تایید هویت"), - "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("موفقیت"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("لغو"), - "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( - "اندروید، آی‌اواس، وب، رایانه رومیزی", - ), - "appVersion": m9, - "archive": MessageLookupByLibrary.simpleMessage("بایگانی"), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "آیا برای خارج شدن مطمئن هستید؟", - ), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "دلیل اصلی که حساب کاربری‌تان را حذف می‌کنید، چیست؟", - ), - "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( - "در یک پناهگاه ذخیره می‌شود", - ), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "لطفاً برای مشاهده دستگاه‌های فعال خود احراز هویت کنید", - ), - "available": MessageLookupByLibrary.simpleMessage("در دسترس"), - "availableStorageSpace": m10, - "backedUpFolders": MessageLookupByLibrary.simpleMessage( - "پوشه‌های پشتیبان گیری شده", - ), - "backup": MessageLookupByLibrary.simpleMessage("پشتیبان گیری"), - "blog": MessageLookupByLibrary.simpleMessage("وبلاگ"), - "cancel": MessageLookupByLibrary.simpleMessage("لغو"), - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "پرونده‌های به اشتراک گذاشته شده را نمی‌توان حذف کرد", - ), - "changeEmail": MessageLookupByLibrary.simpleMessage("تغییر ایمیل"), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage( - "تغییر رمز عبور", - ), - "checkForUpdates": MessageLookupByLibrary.simpleMessage( - "بررسی برای به‌روزرسانی", - ), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "لطفا صندوق ورودی (و هرزنامه) خود را برای تایید کامل بررسی کنید", - ), - "checkStatus": MessageLookupByLibrary.simpleMessage("بررسی وضعیت"), - "checking": MessageLookupByLibrary.simpleMessage("در حال بررسی..."), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "پیوندی ایجاد کنید تا به افراد اجازه دهید بدون نیاز به برنامه یا حساب کاربری Ente عکس‌ها را در آلبوم اشتراک گذاشته شده شما اضافه و مشاهده کنند. برای جمع‌آوری عکس‌های رویداد عالی است.", - ), - "collaborator": MessageLookupByLibrary.simpleMessage("همکار"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "همکاران می‌توانند عکس‌ها و ویدیوها را به آلبوم اشتراک گذاری شده اضافه کنند.", - ), - "color": MessageLookupByLibrary.simpleMessage("رنگ"), - "confirm": MessageLookupByLibrary.simpleMessage("تایید"), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "تایید حذف حساب کاربری", - ), - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "بله، می خواهم این حساب و داده های آن را در همه برنامه ها برای همیشه حذف کنم.", - ), - "confirmPassword": MessageLookupByLibrary.simpleMessage("تایید رمز عبور"), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "تایید کلید بازیابی", - ), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "کلید بازیابی خود را تایید کنید", - ), - "contactSupport": MessageLookupByLibrary.simpleMessage( - "ارتباط با پشتیبانی", - ), - "continueLabel": MessageLookupByLibrary.simpleMessage("ادامه"), - "convertToAlbum": MessageLookupByLibrary.simpleMessage("تبدیل به آلبوم"), - "createAccount": MessageLookupByLibrary.simpleMessage("ایجاد حساب کاربری"), - "createNewAccount": MessageLookupByLibrary.simpleMessage( - "ایجاد حساب کاربری جدید", - ), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "به‌روزرسانی حیاتی در دسترس است", - ), - "custom": MessageLookupByLibrary.simpleMessage("سفارشی"), - "darkTheme": MessageLookupByLibrary.simpleMessage("تیره"), - "dayToday": MessageLookupByLibrary.simpleMessage("امروز"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("دیروز"), - "decrypting": MessageLookupByLibrary.simpleMessage("در حال رمزگشایی..."), - "deleteAccount": MessageLookupByLibrary.simpleMessage("حذف حساب کاربری"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "ما متاسفیم که می‌بینیم شما می‌روید. لطفا نظرات خود را برای کمک به بهبود ما به اشتراک بگذارید.", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "حذف دائمی حساب کاربری", - ), - "deleteAll": MessageLookupByLibrary.simpleMessage("حذف همه"), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "لطفا یک ایمیل به account-deletion@ente.io از آدرس ایمیل ثبت شده خود ارسال کنید.", - ), - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "یک ویژگی کلیدی که به آن نیاز دارم، وجود ندارد", - ), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "برنامه یا یک ویژگی خاص آنطور که من فکر می‌کنم، عمل نمی‌کند", - ), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "سرویس دیگری پیدا کردم که بهتر می‌پسندم", - ), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "دلیل من ذکر نشده است", - ), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "درخواست شما ظرف مدت ۷۲ ساعت پردازش خواهد شد.", - ), - "designedToOutlive": MessageLookupByLibrary.simpleMessage( - "طراحی شده تا بیشتر زنده بماند", - ), - "details": MessageLookupByLibrary.simpleMessage("جزئیات"), - "developerSettings": MessageLookupByLibrary.simpleMessage( - "تنظیمات توسعه‌دهنده", - ), - "didYouKnow": MessageLookupByLibrary.simpleMessage("آیا می‌دانستید؟"), - "discord": MessageLookupByLibrary.simpleMessage("دیسکورد"), - "doThisLater": MessageLookupByLibrary.simpleMessage("بعداً انجام شود"), - "downloading": MessageLookupByLibrary.simpleMessage("در حال دانلود..."), - "dropSupportEmail": m25, - "editLocationTagTitle": MessageLookupByLibrary.simpleMessage("ویرایش مکان"), - "email": MessageLookupByLibrary.simpleMessage("ایمیل"), - "encryption": MessageLookupByLibrary.simpleMessage("رمزگذاری"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage("کلیدهای رمزنگاری"), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "به صورت پیش‌فرض رمزگذاری سرتاسر", - ), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente فقط در صورتی می‌تواند پرونده‌ها را رمزگذاری و نگه‌داری کند که به آن‌ها دسترسی داشته باشید", - ), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente برای نگه‌داری عکس‌های شما به دسترسی نیاز دارد", - ), - "enterEmail": MessageLookupByLibrary.simpleMessage("ایمیل را وارد کنید"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "رمز عبور جدیدی را وارد کنید که بتوانیم از آن برای رمزگذاری اطلاعات شما استفاده کنیم", - ), - "enterPassword": MessageLookupByLibrary.simpleMessage( - "رمز عبور را وارد کنید", - ), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "رمز عبوری را وارد کنید که بتوانیم از آن برای رمزگذاری اطلاعات شما استفاده کنیم", - ), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "لطفا یک ایمیل معتبر وارد کنید.", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "آدرس ایمیل خود را وارد کنید", - ), - "enterYourPassword": MessageLookupByLibrary.simpleMessage( - "رمز عبور خود را وارد کنید", - ), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "کلید بازیابی خود را وارد کنید", - ), - "error": MessageLookupByLibrary.simpleMessage("خطا"), - "everywhere": MessageLookupByLibrary.simpleMessage("همه جا"), - "existingUser": MessageLookupByLibrary.simpleMessage("کاربر موجود"), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("خانوادگی"), - "familyPlans": MessageLookupByLibrary.simpleMessage("برنامه‌های خانوادگی"), - "faq": MessageLookupByLibrary.simpleMessage("سوالات متداول"), - "feedback": MessageLookupByLibrary.simpleMessage("بازخورد"), - "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( - "افزودن توضیحات...", - ), - "fileTypes": MessageLookupByLibrary.simpleMessage("انواع پرونده"), - "forYourMemories": MessageLookupByLibrary.simpleMessage("برای خاطرات شما"), - "forgotPassword": MessageLookupByLibrary.simpleMessage( - "رمز عبور را فراموش کرده‌اید", - ), - "general": MessageLookupByLibrary.simpleMessage("عمومی"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "در حال تولید کلیدهای رمزگذاری...", - ), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "لطفا اجازه دسترسی به تمام عکس‌ها را در تنظیمات برنامه بدهید", - ), - "grantPermission": MessageLookupByLibrary.simpleMessage("دسترسی دادن"), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "ما نصب برنامه را ردیابی نمی‌کنیم. اگر بگویید کجا ما را پیدا کردید، به ما کمک می‌کند!", - ), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "از کجا در مورد Ente شنیدی؟ (اختیاری)", - ), - "howItWorks": MessageLookupByLibrary.simpleMessage("چگونه کار می‌کند"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("نادیده گرفتن"), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( - "رمز عبور درست نیست", - ), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "کلید بازیابی که وارد کردید درست نیست", - ), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "کلید بازیابی درست نیست", - ), - "insecureDevice": MessageLookupByLibrary.simpleMessage("دستگاه ناامن"), - "installManually": MessageLookupByLibrary.simpleMessage("نصب دستی"), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "آدرس ایمیل معتبر نیست", - ), - "invalidKey": MessageLookupByLibrary.simpleMessage("کلید نامعتبر"), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "به نظر می‌رسد مشکلی وجود دارد. لطفا بعد از مدتی دوباره تلاش کنید. اگر همچنان با خطا مواجه می‌شوید، لطفا با تیم پشتیبانی ما ارتباط برقرار کنید.", - ), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "لطفا با این اطلاعات به ما کمک کنید", - ), - "lightTheme": MessageLookupByLibrary.simpleMessage("روشن"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("قفل"), - "logInLabel": MessageLookupByLibrary.simpleMessage("ورود"), - "loggingOut": MessageLookupByLibrary.simpleMessage("در حال خروج..."), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "با کلیک بر روی ورود به سیستم، من با شرایط خدمات و سیاست حفظ حریم خصوصی موافقم", - ), - "logout": MessageLookupByLibrary.simpleMessage("خروج"), - "manage": MessageLookupByLibrary.simpleMessage("مدیریت"), - "manageFamily": MessageLookupByLibrary.simpleMessage("مدیریت خانواده"), - "manageLink": MessageLookupByLibrary.simpleMessage("مدیریت پیوند"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("مدیریت"), - "manageSubscription": MessageLookupByLibrary.simpleMessage("مدیریت اشتراک"), - "mastodon": MessageLookupByLibrary.simpleMessage("ماستودون"), - "matrix": MessageLookupByLibrary.simpleMessage("ماتریس"), - "merchandise": MessageLookupByLibrary.simpleMessage("کالا"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("متوسط"), - "never": MessageLookupByLibrary.simpleMessage("هرگز"), - "newToEnte": MessageLookupByLibrary.simpleMessage("کاربر جدید Ente"), - "no": MessageLookupByLibrary.simpleMessage("خیر"), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "کلید بازیابی ندارید؟", - ), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "با توجه به ماهیت پروتکل رمزگذاری سرتاسر ما، اطلاعات شما بدون رمز عبور یا کلید بازیابی شما قابل رمزگشایی نیست", - ), - "notifications": MessageLookupByLibrary.simpleMessage("آگاه‌سازی‌ها"), - "ok": MessageLookupByLibrary.simpleMessage("تایید"), - "oops": MessageLookupByLibrary.simpleMessage("اوه"), - "password": MessageLookupByLibrary.simpleMessage("رمز عبور"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "رمز عبور با موفقیت تغییر کرد", - ), - "passwordStrength": m57, - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "ما این رمز عبور را ذخیره نمی‌کنیم، بنابراین اگر فراموش کنید، نمی‌توانیم اطلاعات شما را رمزگشایی کنیم", - ), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("عکس"), - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( - "لطفا دسترسی بدهید", - ), - "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( - "لطفا دوباره وارد شوید", - ), - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "لطفا دوباره تلاش کنید", - ), - "pleaseWait": MessageLookupByLibrary.simpleMessage("لطفا صبر کنید..."), - "preparingLogs": MessageLookupByLibrary.simpleMessage( - "در حال آماده‌سازی لاگ‌ها...", - ), - "privacy": MessageLookupByLibrary.simpleMessage("حریم خصوصی"), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( - "سیاست حفظ حریم خصوصی", - ), - "privateBackups": MessageLookupByLibrary.simpleMessage( - "پشتیبان گیری خصوصی", - ), - "privateSharing": MessageLookupByLibrary.simpleMessage( - "اشتراک گذاری خصوصی", - ), - "rateUsOnStore": m68, - "recover": MessageLookupByLibrary.simpleMessage("بازیابی"), - "recoverAccount": MessageLookupByLibrary.simpleMessage( - "بازیابی حساب کاربری", - ), - "recoverButton": MessageLookupByLibrary.simpleMessage("بازیابی"), - "recoveryKey": MessageLookupByLibrary.simpleMessage("کلید بازیابی"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "کلید بازیابی در کلیپ‌بورد کپی شد", - ), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "اگر رمز عبور خود را فراموش کردید، تنها راهی که می‌توانید اطلاعات خود را بازیابی کنید با این کلید است.", - ), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "ما این کلید را ذخیره نمی‌کنیم، لطفا این کلید ۲۴ کلمه‌ای را در مکانی امن ذخیره کنید.", - ), - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "بازیابی موفقیت آمیز بود!", - ), - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "دستگاه فعلی به اندازه کافی قدرتمند نیست تا رمز عبور شما را تایید کند، اما ما می‌توانیم به گونه‌ای بازسازی کنیم که با تمام دستگاه‌ها کار کند.\n\nلطفا با استفاده از کلید بازیابی خود وارد شوید و رمز عبور خود را دوباره ایجاد کنید (در صورت تمایل می‌توانید دوباره از همان رمز عبور استفاده کنید).", - ), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "بازتولید رمز عبور", - ), - "reddit": MessageLookupByLibrary.simpleMessage("ردیت"), - "removeLink": MessageLookupByLibrary.simpleMessage("حذف پیوند"), - "rename": MessageLookupByLibrary.simpleMessage("تغییر نام"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("تغییر نام آلبوم"), - "renameFile": MessageLookupByLibrary.simpleMessage("تغییر نام پرونده"), - "resendEmail": MessageLookupByLibrary.simpleMessage("ارسال مجدد ایمیل"), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( - "بازنشانی رمز عبور", - ), - "retry": MessageLookupByLibrary.simpleMessage("سعی مجدد"), - "reviewSuggestions": MessageLookupByLibrary.simpleMessage("مرور پیشنهادها"), - "safelyStored": MessageLookupByLibrary.simpleMessage("به طور ایمن"), - "saveKey": MessageLookupByLibrary.simpleMessage("ذخیره کلید"), - "search": MessageLookupByLibrary.simpleMessage("جستجو"), - "security": MessageLookupByLibrary.simpleMessage("امنیت"), - "selectAll": MessageLookupByLibrary.simpleMessage("انتخاب همه"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "پوشه‌ها را برای پشتیبان گیری انتخاب کنید", - ), - "selectReason": MessageLookupByLibrary.simpleMessage("انتخاب دلیل"), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "پوشه‌های انتخاب شده، رمزگذاری شده و از آنها نسخه پشتیبان تهیه می‌شود", - ), - "send": MessageLookupByLibrary.simpleMessage("ارسال"), - "sendEmail": MessageLookupByLibrary.simpleMessage("ارسال ایمیل"), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage("تنظیم رمز عبور"), - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "فقط با افرادی که می‌خواهید به اشتراک بگذارید", - ), - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Ente را دانلود کنید تا بتوانید به راحتی عکس‌ها و ویدیوهای با کیفیت اصلی را به اشتراک بگذارید\n\nhttps://ente.io", - ), - "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( - "عکس‌های جدید به اشتراک گذاشته شده", - ), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "هنگامی که شخصی عکسی را به آلبوم مشترکی که شما بخشی از آن هستید اضافه می‌کند، آگاه‌سازی دریافت می‌کنید", - ), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "من با شرایط خدمات و سیاست حفظ حریم خصوصی موافقم", - ), - "skip": MessageLookupByLibrary.simpleMessage("رد کردن"), - "social": MessageLookupByLibrary.simpleMessage("شبکه اجتماعی"), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "مشکلی پیش آمده، لطفا دوباره تلاش کنید", - ), - "sorry": MessageLookupByLibrary.simpleMessage("متاسفیم"), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "با عرض پوزش، ما نمی‌توانیم کلیدهای امن را در این دستگاه تولید کنیم.\n\nلطفا از دستگاه دیگری ثبت نام کنید.", - ), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("مرتب‌سازی براساس"), - "sortNewestFirst": MessageLookupByLibrary.simpleMessage("ایتدا جدیدترین"), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage("ایتدا قدیمی‌ترین"), - "startBackup": MessageLookupByLibrary.simpleMessage("شروع پشتیبان گیری"), - "status": MessageLookupByLibrary.simpleMessage("وضعیت"), - "storage": MessageLookupByLibrary.simpleMessage("حافظه ذخیره‌سازی"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("خانوادگی"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("شما"), - "storageUsageInfo": m94, - "strongStrength": MessageLookupByLibrary.simpleMessage("قوی"), - "support": MessageLookupByLibrary.simpleMessage("پشتیبانی"), - "systemTheme": MessageLookupByLibrary.simpleMessage("سیستم"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage( - "برای وارد کردن کد ضربه بزنید", - ), - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "به نظر می‌رسد مشکلی وجود دارد. لطفا بعد از مدتی دوباره تلاش کنید. اگر همچنان با خطا مواجه می‌شوید، لطفا با تیم پشتیبانی ما ارتباط برقرار کنید.", - ), - "terminate": MessageLookupByLibrary.simpleMessage("خروج"), - "terminateSession": MessageLookupByLibrary.simpleMessage("خروچ دستگاه؟"), - "terms": MessageLookupByLibrary.simpleMessage("شرایط و مقررات"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage( - "شرایط و مقررات", - ), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "دانلود کامل نشد", - ), - "theme": MessageLookupByLibrary.simpleMessage("تم"), - "thisDevice": MessageLookupByLibrary.simpleMessage("این دستگاه"), - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "با این کار شما از دستگاه زیر خارج می‌شوید:", - ), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "این کار شما را از این دستگاه خارج می‌کند!", - ), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "برای تنظیم مجدد رمز عبور، لطفا ابتدا ایمیل خود را تایید کنید.", - ), - "tryAgain": MessageLookupByLibrary.simpleMessage("دوباره امتحان کنید"), - "twitter": MessageLookupByLibrary.simpleMessage("توییتر"), - "uncategorized": MessageLookupByLibrary.simpleMessage("دسته‌بندی نشده"), - "unselectAll": MessageLookupByLibrary.simpleMessage("لغو انتخاب همه"), - "update": MessageLookupByLibrary.simpleMessage("به‌روزرسانی"), - "updateAvailable": MessageLookupByLibrary.simpleMessage( - "به‌رورزرسانی در دسترس است", - ), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "در حال به‌روزرسانی گزینش پوشه...", - ), - "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( - "استفاده از پیوندهای عمومی برای افرادی که در Ente نیستند", - ), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "از کلید بازیابی استفاده کنید", - ), - "verify": MessageLookupByLibrary.simpleMessage("تایید"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("تایید ایمیل"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("تایید"), - "verifyPassword": MessageLookupByLibrary.simpleMessage("تایید رمز عبور"), - "verifying": MessageLookupByLibrary.simpleMessage("در حال تایید..."), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("ویدیو"), - "viewActiveSessions": MessageLookupByLibrary.simpleMessage( - "مشاهده دستگاه‌های فعال", - ), - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( - "نمایش کلید بازیابی", - ), - "viewer": MessageLookupByLibrary.simpleMessage("بیننده"), - "weAreOpenSource": MessageLookupByLibrary.simpleMessage( - "ما متن‌باز هستیم!", - ), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("ضعیف"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("خوش آمدید!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("تغییرات جدید"), - "yes": MessageLookupByLibrary.simpleMessage("بله"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "بله، تبدیل به بیننده شود", - ), - "yesLogout": MessageLookupByLibrary.simpleMessage("بله، خارج می‌شوم"), - "you": MessageLookupByLibrary.simpleMessage("شما"), - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( - "شما در یک برنامه خانوادگی هستید!", - ), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "شما در حال استفاده از آخرین نسخه هستید", - ), - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "حساب کاربری شما حذف شده است", - ), - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "نسخه جدید Ente در دسترس است."), + "about": MessageLookupByLibrary.simpleMessage("درباره ما"), + "account": MessageLookupByLibrary.simpleMessage("حساب کاربری"), + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("خوش آمدید!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "من درک می‌کنم که اگر رمز عبور خود را گم کنم، ممکن است اطلاعات خود را از دست بدهم، زیرا اطلاعات من رمزگذاری سرتاسر شده است."), + "activeSessions": + MessageLookupByLibrary.simpleMessage("دستگاه‌های فعال"), + "addANewEmail": + MessageLookupByLibrary.simpleMessage("افزودن ایمیل جدید"), + "addCollaborator": MessageLookupByLibrary.simpleMessage("افزودن همکار"), + "addMore": MessageLookupByLibrary.simpleMessage("افزودن بیشتر"), + "addViewer": MessageLookupByLibrary.simpleMessage("افزودن بیننده"), + "addedAs": MessageLookupByLibrary.simpleMessage("اضافه شده به عنوان"), + "advanced": MessageLookupByLibrary.simpleMessage("پیشرفته"), + "albumUpdated": MessageLookupByLibrary.simpleMessage("آلبوم به‌روز شد"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "به افراد که این پیوند را دارند، اجازه دهید عکس‌ها را به آلبوم اشتراک گذاری شده اضافه کنند."), + "allowAddingPhotos": + MessageLookupByLibrary.simpleMessage("اجازه اضافه کردن عکس"), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "به افراد اجازه دهید عکس اضافه کنند"), + "androidBiometricHint": + MessageLookupByLibrary.simpleMessage("تایید هویت"), + "androidBiometricSuccess": + MessageLookupByLibrary.simpleMessage("موفقیت"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("لغو"), + "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( + "اندروید، آی‌اواس، وب، رایانه رومیزی"), + "appVersion": m9, + "archive": MessageLookupByLibrary.simpleMessage("بایگانی"), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "آیا برای خارج شدن مطمئن هستید؟"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "دلیل اصلی که حساب کاربری‌تان را حذف می‌کنید، چیست؟"), + "atAFalloutShelter": + MessageLookupByLibrary.simpleMessage("در یک پناهگاه ذخیره می‌شود"), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "لطفاً برای مشاهده دستگاه‌های فعال خود احراز هویت کنید"), + "available": MessageLookupByLibrary.simpleMessage("در دسترس"), + "availableStorageSpace": m10, + "backedUpFolders": + MessageLookupByLibrary.simpleMessage("پوشه‌های پشتیبان گیری شده"), + "backup": MessageLookupByLibrary.simpleMessage("پشتیبان گیری"), + "blog": MessageLookupByLibrary.simpleMessage("وبلاگ"), + "cancel": MessageLookupByLibrary.simpleMessage("لغو"), + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "پرونده‌های به اشتراک گذاشته شده را نمی‌توان حذف کرد"), + "changeEmail": MessageLookupByLibrary.simpleMessage("تغییر ایمیل"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("تغییر رمز عبور"), + "checkForUpdates": + MessageLookupByLibrary.simpleMessage("بررسی برای به‌روزرسانی"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "لطفا صندوق ورودی (و هرزنامه) خود را برای تایید کامل بررسی کنید"), + "checkStatus": MessageLookupByLibrary.simpleMessage("بررسی وضعیت"), + "checking": MessageLookupByLibrary.simpleMessage("در حال بررسی..."), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "پیوندی ایجاد کنید تا به افراد اجازه دهید بدون نیاز به برنامه یا حساب کاربری Ente عکس‌ها را در آلبوم اشتراک گذاشته شده شما اضافه و مشاهده کنند. برای جمع‌آوری عکس‌های رویداد عالی است."), + "collaborator": MessageLookupByLibrary.simpleMessage("همکار"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "همکاران می‌توانند عکس‌ها و ویدیوها را به آلبوم اشتراک گذاری شده اضافه کنند."), + "color": MessageLookupByLibrary.simpleMessage("رنگ"), + "confirm": MessageLookupByLibrary.simpleMessage("تایید"), + "confirmAccountDeletion": + MessageLookupByLibrary.simpleMessage("تایید حذف حساب کاربری"), + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "بله، می خواهم این حساب و داده های آن را در همه برنامه ها برای همیشه حذف کنم."), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("تایید رمز عبور"), + "confirmRecoveryKey": + MessageLookupByLibrary.simpleMessage("تایید کلید بازیابی"), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "کلید بازیابی خود را تایید کنید"), + "contactSupport": + MessageLookupByLibrary.simpleMessage("ارتباط با پشتیبانی"), + "continueLabel": MessageLookupByLibrary.simpleMessage("ادامه"), + "convertToAlbum": + MessageLookupByLibrary.simpleMessage("تبدیل به آلبوم"), + "createAccount": + MessageLookupByLibrary.simpleMessage("ایجاد حساب کاربری"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("ایجاد حساب کاربری جدید"), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "به‌روزرسانی حیاتی در دسترس است"), + "custom": MessageLookupByLibrary.simpleMessage("سفارشی"), + "darkTheme": MessageLookupByLibrary.simpleMessage("تیره"), + "dayToday": MessageLookupByLibrary.simpleMessage("امروز"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("دیروز"), + "decrypting": + MessageLookupByLibrary.simpleMessage("در حال رمزگشایی..."), + "deleteAccount": + MessageLookupByLibrary.simpleMessage("حذف حساب کاربری"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "ما متاسفیم که می‌بینیم شما می‌روید. لطفا نظرات خود را برای کمک به بهبود ما به اشتراک بگذارید."), + "deleteAccountPermanentlyButton": + MessageLookupByLibrary.simpleMessage("حذف دائمی حساب کاربری"), + "deleteAll": MessageLookupByLibrary.simpleMessage("حذف همه"), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "لطفا یک ایمیل به account-deletion@ente.io از آدرس ایمیل ثبت شده خود ارسال کنید."), + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "یک ویژگی کلیدی که به آن نیاز دارم، وجود ندارد"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "برنامه یا یک ویژگی خاص آنطور که من فکر می‌کنم، عمل نمی‌کند"), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "سرویس دیگری پیدا کردم که بهتر می‌پسندم"), + "deleteReason4": + MessageLookupByLibrary.simpleMessage("دلیل من ذکر نشده است"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "درخواست شما ظرف مدت ۷۲ ساعت پردازش خواهد شد."), + "designedToOutlive": MessageLookupByLibrary.simpleMessage( + "طراحی شده تا بیشتر زنده بماند"), + "details": MessageLookupByLibrary.simpleMessage("جزئیات"), + "developerSettings": + MessageLookupByLibrary.simpleMessage("تنظیمات توسعه‌دهنده"), + "didYouKnow": MessageLookupByLibrary.simpleMessage("آیا می‌دانستید؟"), + "discord": MessageLookupByLibrary.simpleMessage("دیسکورد"), + "doThisLater": MessageLookupByLibrary.simpleMessage("بعداً انجام شود"), + "downloading": MessageLookupByLibrary.simpleMessage("در حال دانلود..."), + "dropSupportEmail": m25, + "editLocationTagTitle": + MessageLookupByLibrary.simpleMessage("ویرایش مکان"), + "email": MessageLookupByLibrary.simpleMessage("ایمیل"), + "encryption": MessageLookupByLibrary.simpleMessage("رمزگذاری"), + "encryptionKeys": + MessageLookupByLibrary.simpleMessage("کلیدهای رمزنگاری"), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "به صورت پیش‌فرض رمزگذاری سرتاسر"), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente فقط در صورتی می‌تواند پرونده‌ها را رمزگذاری و نگه‌داری کند که به آن‌ها دسترسی داشته باشید"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente برای نگه‌داری عکس‌های شما به دسترسی نیاز دارد"), + "enterEmail": + MessageLookupByLibrary.simpleMessage("ایمیل را وارد کنید"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "رمز عبور جدیدی را وارد کنید که بتوانیم از آن برای رمزگذاری اطلاعات شما استفاده کنیم"), + "enterPassword": + MessageLookupByLibrary.simpleMessage("رمز عبور را وارد کنید"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "رمز عبوری را وارد کنید که بتوانیم از آن برای رمزگذاری اطلاعات شما استفاده کنیم"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "لطفا یک ایمیل معتبر وارد کنید."), + "enterYourEmailAddress": + MessageLookupByLibrary.simpleMessage("آدرس ایمیل خود را وارد کنید"), + "enterYourPassword": + MessageLookupByLibrary.simpleMessage("رمز عبور خود را وارد کنید"), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "کلید بازیابی خود را وارد کنید"), + "error": MessageLookupByLibrary.simpleMessage("خطا"), + "everywhere": MessageLookupByLibrary.simpleMessage("همه جا"), + "existingUser": MessageLookupByLibrary.simpleMessage("کاربر موجود"), + "familyPlanPortalTitle": + MessageLookupByLibrary.simpleMessage("خانوادگی"), + "familyPlans": + MessageLookupByLibrary.simpleMessage("برنامه‌های خانوادگی"), + "faq": MessageLookupByLibrary.simpleMessage("سوالات متداول"), + "feedback": MessageLookupByLibrary.simpleMessage("بازخورد"), + "fileInfoAddDescHint": + MessageLookupByLibrary.simpleMessage("افزودن توضیحات..."), + "fileTypes": MessageLookupByLibrary.simpleMessage("انواع پرونده"), + "forYourMemories": + MessageLookupByLibrary.simpleMessage("برای خاطرات شما"), + "forgotPassword": + MessageLookupByLibrary.simpleMessage("رمز عبور را فراموش کرده‌اید"), + "general": MessageLookupByLibrary.simpleMessage("عمومی"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "در حال تولید کلیدهای رمزگذاری..."), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "لطفا اجازه دسترسی به تمام عکس‌ها را در تنظیمات برنامه بدهید"), + "grantPermission": MessageLookupByLibrary.simpleMessage("دسترسی دادن"), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "ما نصب برنامه را ردیابی نمی‌کنیم. اگر بگویید کجا ما را پیدا کردید، به ما کمک می‌کند!"), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "از کجا در مورد Ente شنیدی؟ (اختیاری)"), + "howItWorks": MessageLookupByLibrary.simpleMessage("چگونه کار می‌کند"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("نادیده گرفتن"), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("رمز عبور درست نیست"), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "کلید بازیابی که وارد کردید درست نیست"), + "incorrectRecoveryKeyTitle": + MessageLookupByLibrary.simpleMessage("کلید بازیابی درست نیست"), + "insecureDevice": MessageLookupByLibrary.simpleMessage("دستگاه ناامن"), + "installManually": MessageLookupByLibrary.simpleMessage("نصب دستی"), + "invalidEmailAddress": + MessageLookupByLibrary.simpleMessage("آدرس ایمیل معتبر نیست"), + "invalidKey": MessageLookupByLibrary.simpleMessage("کلید نامعتبر"), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "به نظر می‌رسد مشکلی وجود دارد. لطفا بعد از مدتی دوباره تلاش کنید. اگر همچنان با خطا مواجه می‌شوید، لطفا با تیم پشتیبانی ما ارتباط برقرار کنید."), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "لطفا با این اطلاعات به ما کمک کنید"), + "lightTheme": MessageLookupByLibrary.simpleMessage("روشن"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("قفل"), + "logInLabel": MessageLookupByLibrary.simpleMessage("ورود"), + "loggingOut": MessageLookupByLibrary.simpleMessage("در حال خروج..."), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "با کلیک بر روی ورود به سیستم، من با شرایط خدمات و سیاست حفظ حریم خصوصی موافقم"), + "logout": MessageLookupByLibrary.simpleMessage("خروج"), + "manage": MessageLookupByLibrary.simpleMessage("مدیریت"), + "manageFamily": MessageLookupByLibrary.simpleMessage("مدیریت خانواده"), + "manageLink": MessageLookupByLibrary.simpleMessage("مدیریت پیوند"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("مدیریت"), + "manageSubscription": + MessageLookupByLibrary.simpleMessage("مدیریت اشتراک"), + "mastodon": MessageLookupByLibrary.simpleMessage("ماستودون"), + "matrix": MessageLookupByLibrary.simpleMessage("ماتریس"), + "merchandise": MessageLookupByLibrary.simpleMessage("کالا"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("متوسط"), + "never": MessageLookupByLibrary.simpleMessage("هرگز"), + "newToEnte": MessageLookupByLibrary.simpleMessage("کاربر جدید Ente"), + "no": MessageLookupByLibrary.simpleMessage("خیر"), + "noRecoveryKey": + MessageLookupByLibrary.simpleMessage("کلید بازیابی ندارید؟"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "با توجه به ماهیت پروتکل رمزگذاری سرتاسر ما، اطلاعات شما بدون رمز عبور یا کلید بازیابی شما قابل رمزگشایی نیست"), + "notifications": MessageLookupByLibrary.simpleMessage("آگاه‌سازی‌ها"), + "ok": MessageLookupByLibrary.simpleMessage("تایید"), + "oops": MessageLookupByLibrary.simpleMessage("اوه"), + "password": MessageLookupByLibrary.simpleMessage("رمز عبور"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "رمز عبور با موفقیت تغییر کرد"), + "passwordStrength": m57, + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "ما این رمز عبور را ذخیره نمی‌کنیم، بنابراین اگر فراموش کنید، نمی‌توانیم اطلاعات شما را رمزگشایی کنیم"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("عکس"), + "pleaseGrantPermissions": + MessageLookupByLibrary.simpleMessage("لطفا دسترسی بدهید"), + "pleaseLoginAgain": + MessageLookupByLibrary.simpleMessage("لطفا دوباره وارد شوید"), + "pleaseTryAgain": + MessageLookupByLibrary.simpleMessage("لطفا دوباره تلاش کنید"), + "pleaseWait": MessageLookupByLibrary.simpleMessage("لطفا صبر کنید..."), + "preparingLogs": + MessageLookupByLibrary.simpleMessage("در حال آماده‌سازی لاگ‌ها..."), + "privacy": MessageLookupByLibrary.simpleMessage("حریم خصوصی"), + "privacyPolicyTitle": + MessageLookupByLibrary.simpleMessage("سیاست حفظ حریم خصوصی"), + "privateBackups": + MessageLookupByLibrary.simpleMessage("پشتیبان گیری خصوصی"), + "privateSharing": + MessageLookupByLibrary.simpleMessage("اشتراک گذاری خصوصی"), + "rateUsOnStore": m68, + "recover": MessageLookupByLibrary.simpleMessage("بازیابی"), + "recoverAccount": + MessageLookupByLibrary.simpleMessage("بازیابی حساب کاربری"), + "recoverButton": MessageLookupByLibrary.simpleMessage("بازیابی"), + "recoveryKey": MessageLookupByLibrary.simpleMessage("کلید بازیابی"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "کلید بازیابی در کلیپ‌بورد کپی شد"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "اگر رمز عبور خود را فراموش کردید، تنها راهی که می‌توانید اطلاعات خود را بازیابی کنید با این کلید است."), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "ما این کلید را ذخیره نمی‌کنیم، لطفا این کلید ۲۴ کلمه‌ای را در مکانی امن ذخیره کنید."), + "recoverySuccessful": + MessageLookupByLibrary.simpleMessage("بازیابی موفقیت آمیز بود!"), + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "دستگاه فعلی به اندازه کافی قدرتمند نیست تا رمز عبور شما را تایید کند، اما ما می‌توانیم به گونه‌ای بازسازی کنیم که با تمام دستگاه‌ها کار کند.\n\nلطفا با استفاده از کلید بازیابی خود وارد شوید و رمز عبور خود را دوباره ایجاد کنید (در صورت تمایل می‌توانید دوباره از همان رمز عبور استفاده کنید)."), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("بازتولید رمز عبور"), + "reddit": MessageLookupByLibrary.simpleMessage("ردیت"), + "removeLink": MessageLookupByLibrary.simpleMessage("حذف پیوند"), + "rename": MessageLookupByLibrary.simpleMessage("تغییر نام"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("تغییر نام آلبوم"), + "renameFile": MessageLookupByLibrary.simpleMessage("تغییر نام پرونده"), + "resendEmail": MessageLookupByLibrary.simpleMessage("ارسال مجدد ایمیل"), + "resetPasswordTitle": + MessageLookupByLibrary.simpleMessage("بازنشانی رمز عبور"), + "retry": MessageLookupByLibrary.simpleMessage("سعی مجدد"), + "reviewSuggestions": + MessageLookupByLibrary.simpleMessage("مرور پیشنهادها"), + "safelyStored": MessageLookupByLibrary.simpleMessage("به طور ایمن"), + "saveKey": MessageLookupByLibrary.simpleMessage("ذخیره کلید"), + "search": MessageLookupByLibrary.simpleMessage("جستجو"), + "security": MessageLookupByLibrary.simpleMessage("امنیت"), + "selectAll": MessageLookupByLibrary.simpleMessage("انتخاب همه"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "پوشه‌ها را برای پشتیبان گیری انتخاب کنید"), + "selectReason": MessageLookupByLibrary.simpleMessage("انتخاب دلیل"), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "پوشه‌های انتخاب شده، رمزگذاری شده و از آنها نسخه پشتیبان تهیه می‌شود"), + "send": MessageLookupByLibrary.simpleMessage("ارسال"), + "sendEmail": MessageLookupByLibrary.simpleMessage("ارسال ایمیل"), + "setPasswordTitle": + MessageLookupByLibrary.simpleMessage("تنظیم رمز عبور"), + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "فقط با افرادی که می‌خواهید به اشتراک بگذارید"), + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Ente را دانلود کنید تا بتوانید به راحتی عکس‌ها و ویدیوهای با کیفیت اصلی را به اشتراک بگذارید\n\nhttps://ente.io"), + "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( + "عکس‌های جدید به اشتراک گذاشته شده"), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "هنگامی که شخصی عکسی را به آلبوم مشترکی که شما بخشی از آن هستید اضافه می‌کند، آگاه‌سازی دریافت می‌کنید"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "من با شرایط خدمات و سیاست حفظ حریم خصوصی موافقم"), + "skip": MessageLookupByLibrary.simpleMessage("رد کردن"), + "social": MessageLookupByLibrary.simpleMessage("شبکه اجتماعی"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "مشکلی پیش آمده، لطفا دوباره تلاش کنید"), + "sorry": MessageLookupByLibrary.simpleMessage("متاسفیم"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "با عرض پوزش، ما نمی‌توانیم کلیدهای امن را در این دستگاه تولید کنیم.\n\nلطفا از دستگاه دیگری ثبت نام کنید."), + "sortAlbumsBy": + MessageLookupByLibrary.simpleMessage("مرتب‌سازی براساس"), + "sortNewestFirst": + MessageLookupByLibrary.simpleMessage("ایتدا جدیدترین"), + "sortOldestFirst": + MessageLookupByLibrary.simpleMessage("ایتدا قدیمی‌ترین"), + "startBackup": + MessageLookupByLibrary.simpleMessage("شروع پشتیبان گیری"), + "status": MessageLookupByLibrary.simpleMessage("وضعیت"), + "storage": MessageLookupByLibrary.simpleMessage("حافظه ذخیره‌سازی"), + "storageBreakupFamily": + MessageLookupByLibrary.simpleMessage("خانوادگی"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("شما"), + "storageUsageInfo": m94, + "strongStrength": MessageLookupByLibrary.simpleMessage("قوی"), + "support": MessageLookupByLibrary.simpleMessage("پشتیبانی"), + "systemTheme": MessageLookupByLibrary.simpleMessage("سیستم"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage( + "برای وارد کردن کد ضربه بزنید"), + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "به نظر می‌رسد مشکلی وجود دارد. لطفا بعد از مدتی دوباره تلاش کنید. اگر همچنان با خطا مواجه می‌شوید، لطفا با تیم پشتیبانی ما ارتباط برقرار کنید."), + "terminate": MessageLookupByLibrary.simpleMessage("خروج"), + "terminateSession": + MessageLookupByLibrary.simpleMessage("خروچ دستگاه؟"), + "terms": MessageLookupByLibrary.simpleMessage("شرایط و مقررات"), + "termsOfServicesTitle": + MessageLookupByLibrary.simpleMessage("شرایط و مقررات"), + "theDownloadCouldNotBeCompleted": + MessageLookupByLibrary.simpleMessage("دانلود کامل نشد"), + "theme": MessageLookupByLibrary.simpleMessage("تم"), + "thisDevice": MessageLookupByLibrary.simpleMessage("این دستگاه"), + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "با این کار شما از دستگاه زیر خارج می‌شوید:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "این کار شما را از این دستگاه خارج می‌کند!"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "برای تنظیم مجدد رمز عبور، لطفا ابتدا ایمیل خود را تایید کنید."), + "tryAgain": MessageLookupByLibrary.simpleMessage("دوباره امتحان کنید"), + "twitter": MessageLookupByLibrary.simpleMessage("توییتر"), + "uncategorized": MessageLookupByLibrary.simpleMessage("دسته‌بندی نشده"), + "unselectAll": MessageLookupByLibrary.simpleMessage("لغو انتخاب همه"), + "update": MessageLookupByLibrary.simpleMessage("به‌روزرسانی"), + "updateAvailable": + MessageLookupByLibrary.simpleMessage("به‌رورزرسانی در دسترس است"), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "در حال به‌روزرسانی گزینش پوشه..."), + "usePublicLinksForPeopleNotOnEnte": + MessageLookupByLibrary.simpleMessage( + "استفاده از پیوندهای عمومی برای افرادی که در Ente نیستند"), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "از کلید بازیابی استفاده کنید"), + "verify": MessageLookupByLibrary.simpleMessage("تایید"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("تایید ایمیل"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("تایید"), + "verifyPassword": + MessageLookupByLibrary.simpleMessage("تایید رمز عبور"), + "verifying": MessageLookupByLibrary.simpleMessage("در حال تایید..."), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("ویدیو"), + "viewActiveSessions": + MessageLookupByLibrary.simpleMessage("مشاهده دستگاه‌های فعال"), + "viewRecoveryKey": + MessageLookupByLibrary.simpleMessage("نمایش کلید بازیابی"), + "viewer": MessageLookupByLibrary.simpleMessage("بیننده"), + "weAreOpenSource": + MessageLookupByLibrary.simpleMessage("ما متن‌باز هستیم!"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("ضعیف"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("خوش آمدید!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("تغییرات جدید"), + "yes": MessageLookupByLibrary.simpleMessage("بله"), + "yesConvertToViewer": + MessageLookupByLibrary.simpleMessage("بله، تبدیل به بیننده شود"), + "yesLogout": MessageLookupByLibrary.simpleMessage("بله، خارج می‌شوم"), + "you": MessageLookupByLibrary.simpleMessage("شما"), + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( + "شما در یک برنامه خانوادگی هستید!"), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "شما در حال استفاده از آخرین نسخه هستید"), + "yourAccountHasBeenDeleted": + MessageLookupByLibrary.simpleMessage("حساب کاربری شما حذف شده است") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_fr.dart b/mobile/apps/photos/lib/generated/intl/messages_fr.dart index 6bb7f8c2b6..22ae242717 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_fr.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_fr.dart @@ -57,7 +57,14 @@ class MessageLookup extends MessageLookupByLibrary { "${user} ne pourra pas ajouter plus de photos à cet album\n\nIl pourra toujours supprimer les photos existantes ajoutées par eux"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, {'true': 'Votre famille a obtenu ${storageAmountInGb} Go jusqu\'à présent', 'false': 'Vous avez obtenu ${storageAmountInGb} Go jusqu\'à présent', 'other': 'Vous avez obtenu ${storageAmountInGb} Go jusqu\'à présent !'})}"; + "${Intl.select(isFamilyMember, { + 'true': + 'Votre famille a obtenu ${storageAmountInGb} Go jusqu\'à présent', + 'false': + 'Vous avez obtenu ${storageAmountInGb} Go jusqu\'à présent', + 'other': + 'Vous avez obtenu ${storageAmountInGb} Go jusqu\'à présent !', + })}"; static String m15(albumName) => "Lien collaboratif créé pour ${albumName}"; @@ -260,11 +267,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} Go"; static String m94( - usedAmount, - usedStorageUnit, - totalAmount, - totalStorageUnit, - ) => + usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => "${usedAmount} ${usedStorageUnit} sur ${totalAmount} ${totalStorageUnit} utilisés"; static String m95(id) => @@ -330,2642 +333,2075 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Une nouvelle version de Ente est disponible.", - ), - "about": MessageLookupByLibrary.simpleMessage("À propos d\'Ente"), - "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( - "Accepter l\'invitation", - ), - "account": MessageLookupByLibrary.simpleMessage("Compte"), - "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( - "Le compte est déjà configuré.", - ), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( - "Bon retour parmi nous !", - ), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Je comprends que si je perds mon mot de passe, je perdrai mes données puisque mes données sont chiffrées de bout en bout.", - ), - "actionNotSupportedOnFavouritesAlbum": MessageLookupByLibrary.simpleMessage( - "Action non prise en charge sur l\'album des Favoris", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage("Sessions actives"), - "add": MessageLookupByLibrary.simpleMessage("Ajouter"), - "addAName": MessageLookupByLibrary.simpleMessage("Ajouter un nom"), - "addANewEmail": MessageLookupByLibrary.simpleMessage( - "Ajouter un nouvel email", - ), - "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Ajoutez un gadget d\'album à votre écran d\'accueil et revenez ici pour le personnaliser.", - ), - "addCollaborator": MessageLookupByLibrary.simpleMessage( - "Ajouter un collaborateur", - ), - "addCollaborators": m1, - "addFiles": MessageLookupByLibrary.simpleMessage("Ajouter des fichiers"), - "addFromDevice": MessageLookupByLibrary.simpleMessage( - "Ajouter depuis l\'appareil", - ), - "addItem": m2, - "addLocation": MessageLookupByLibrary.simpleMessage( - "Ajouter la localisation", - ), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Ajouter"), - "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Ajoutez un gadget des souvenirs à votre écran d\'accueil et revenez ici pour le personnaliser.", - ), - "addMore": MessageLookupByLibrary.simpleMessage("Ajouter"), - "addName": MessageLookupByLibrary.simpleMessage("Ajouter un nom"), - "addNameOrMerge": MessageLookupByLibrary.simpleMessage( - "Ajouter un nom ou fusionner", - ), - "addNew": MessageLookupByLibrary.simpleMessage("Ajouter un nouveau"), - "addNewPerson": MessageLookupByLibrary.simpleMessage( - "Ajouter une nouvelle personne", - ), - "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( - "Détails des modules complémentaires", - ), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("Modules complémentaires"), - "addParticipants": MessageLookupByLibrary.simpleMessage( - "Ajouter des participants", - ), - "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Ajoutez un gadget des personnes à votre écran d\'accueil et revenez ici pour le personnaliser.", - ), - "addPhotos": MessageLookupByLibrary.simpleMessage("Ajouter des photos"), - "addSelected": MessageLookupByLibrary.simpleMessage("Ajouter la sélection"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("Ajouter à l\'album"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Ajouter à Ente"), - "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Ajouter à un album masqué", - ), - "addTrustedContact": MessageLookupByLibrary.simpleMessage( - "Ajouter un contact de confiance", - ), - "addViewer": MessageLookupByLibrary.simpleMessage("Ajouter un observateur"), - "addViewers": m4, - "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( - "Ajoutez vos photos maintenant", - ), - "addedAs": MessageLookupByLibrary.simpleMessage("Ajouté comme"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": MessageLookupByLibrary.simpleMessage( - "Ajout aux favoris...", - ), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("Avancé"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Avancé"), - "after1Day": MessageLookupByLibrary.simpleMessage("Après 1 jour"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Après 1 heure"), - "after1Month": MessageLookupByLibrary.simpleMessage("Après 1 mois"), - "after1Week": MessageLookupByLibrary.simpleMessage("Après 1 semaine"), - "after1Year": MessageLookupByLibrary.simpleMessage("Après 1 an"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Propriétaire"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Titre de l\'album"), - "albumUpdated": MessageLookupByLibrary.simpleMessage("Album mis à jour"), - "albums": MessageLookupByLibrary.simpleMessage("Albums"), - "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Sélectionnez les personnes que vous souhaitez voir sur votre écran d\'accueil.", - ), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Tout est effacé"), - "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( - "Tous les souvenirs sont sauvegardés", - ), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "Tous les groupements pour cette personne seront réinitialisés, et vous perdrez toutes les suggestions faites pour cette personne", - ), - "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": - MessageLookupByLibrary.simpleMessage( - "Tous les groupes sans nom seront fusionnés dans la personne sélectionnée. Cela peut toujours être annulé à partir de l\'historique des suggestions de la personne.", - ), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "C\'est la première dans le groupe. Les autres photos sélectionnées se déplaceront automatiquement en fonction de cette nouvelle date", - ), - "allow": MessageLookupByLibrary.simpleMessage("Autoriser"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Autorisez les personnes ayant le lien à ajouter des photos dans l\'album partagé.", - ), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( - "Autoriser l\'ajout de photos", - ), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "Autoriser l\'application à ouvrir les liens d\'albums partagés", - ), - "allowDownloads": MessageLookupByLibrary.simpleMessage( - "Autoriser les téléchargements", - ), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Autoriser les personnes à ajouter des photos", - ), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Veuillez autoriser dans les paramètres l\'accès à vos photos pour qu\'Ente puisse afficher et sauvegarder votre bibliothèque.", - ), - "allowPermTitle": MessageLookupByLibrary.simpleMessage( - "Autoriser l\'accès aux photos", - ), - "androidBiometricHint": MessageLookupByLibrary.simpleMessage( - "Vérifier l’identité", - ), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "Reconnaissance impossible. Réessayez.", - ), - "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( - "Empreinte digitale requise", - ), - "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("Succès"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Annuler"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage("Identifiants requis"), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage("Identifiants requis"), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "L\'authentification biométrique n\'est pas configurée sur votre appareil. Allez dans \'Paramètres > Sécurité\' pour ajouter l\'authentification biométrique.", - ), - "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( - "Android, iOS, Web, Ordinateur", - ), - "androidSignInTitle": MessageLookupByLibrary.simpleMessage( - "Authentification requise", - ), - "appIcon": MessageLookupByLibrary.simpleMessage("Icône de l\'appli"), - "appLock": MessageLookupByLibrary.simpleMessage( - "Verrouillage de l\'application", - ), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Choisissez entre l\'écran de verrouillage par défaut de votre appareil et un écran de verrouillage personnalisé avec un code PIN ou un mot de passe.", - ), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), - "apply": MessageLookupByLibrary.simpleMessage("Appliquer"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Utiliser le code"), - "appstoreSubscription": MessageLookupByLibrary.simpleMessage( - "Abonnement à l\'AppStore", - ), - "archive": MessageLookupByLibrary.simpleMessage("Archivée"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("Archiver l\'album"), - "archiving": MessageLookupByLibrary.simpleMessage("Archivage en cours..."), - "areThey": MessageLookupByLibrary.simpleMessage("Vraiment"), - "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( - "Êtes-vous sûr de vouloir retirer ce visage de cette personne ?", - ), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Êtes-vous certains de vouloir quitter le plan familial?", - ), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "Es-tu sûre de vouloir annuler?", - ), - "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( - "Êtes-vous certains de vouloir changer d\'offre ?", - ), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "Êtes-vous sûr de vouloir quitter ?", - ), - "areYouSureYouWantToIgnoreThesePersons": - MessageLookupByLibrary.simpleMessage( - "Êtes-vous sûr de vouloir ignorer ces personnes ?", - ), - "areYouSureYouWantToIgnoreThisPerson": MessageLookupByLibrary.simpleMessage( - "Êtes-vous sûr de vouloir ignorer cette personne ?", - ), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Voulez-vous vraiment vous déconnecter ?", - ), - "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( - "Êtes-vous sûr de vouloir les fusionner?", - ), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "Êtes-vous sûr de vouloir renouveler ?", - ), - "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( - "Êtes-vous certain de vouloir réinitialiser cette personne ?", - ), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "Votre abonnement a été annulé. Souhaitez-vous partager la raison ?", - ), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Quelle est la principale raison pour laquelle vous supprimez votre compte ?", - ), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Demandez à vos proches de partager", - ), - "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( - "dans un abri antiatomique", - ), - "authToChangeEmailVerificationSetting": MessageLookupByLibrary.simpleMessage( - "Authentifiez-vous pour modifier l\'authentification à deux facteurs par email", - ), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Veuillez vous authentifier pour modifier les paramètres de l\'écran de verrouillage", - ), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Authentifiez-vous pour modifier votre adresse email", - ), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Veuillez vous authentifier pour modifier votre mot de passe", - ), - "authToConfigureTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( - "Veuillez vous authentifier pour configurer l\'authentification à deux facteurs", - ), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Veuillez vous authentifier pour débuter la suppression du compte", - ), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Veuillez vous authentifier pour gérer vos contacts de confiance", - ), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Veuillez vous authentifier pour afficher votre clé de récupération", - ), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Veuillez vous authentifier pour voir vos fichiers mis à la corbeille", - ), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Authentifiez-vous pour voir les connexions actives", - ), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Veuillez vous authentifier pour voir vos fichiers cachés", - ), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Authentifiez-vous pour voir vos souvenirs", - ), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Veuillez vous authentifier pour afficher votre clé de récupération", - ), - "authenticating": MessageLookupByLibrary.simpleMessage( - "Authentification...", - ), - "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "L\'authentification a échouée, veuillez réessayer", - ), - "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( - "Authentification réussie!", - ), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Vous verrez ici les appareils Cast disponibles.", - ), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Assurez-vous que les autorisations de réseau local sont activées pour l\'application Ente Photos, dans les paramètres.", - ), - "autoLock": MessageLookupByLibrary.simpleMessage( - "Verrouillage automatique", - ), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Délai après lequel l\'application se verrouille une fois qu\'elle est en arrière-plan", - ), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "En raison d\'un problème technique, vous avez été déconnecté. Veuillez nous excuser pour le désagrément.", - ), - "autoPair": MessageLookupByLibrary.simpleMessage("Appairage automatique"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "L\'appairage automatique ne fonctionne qu\'avec les appareils qui prennent en charge Chromecast.", - ), - "available": MessageLookupByLibrary.simpleMessage("Disponible"), - "availableStorageSpace": m10, - "backedUpFolders": MessageLookupByLibrary.simpleMessage( - "Dossiers sauvegardés", - ), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("Sauvegarde"), - "backupFailed": MessageLookupByLibrary.simpleMessage( - "Échec de la sauvegarde", - ), - "backupFile": MessageLookupByLibrary.simpleMessage( - "Sauvegarder le fichier", - ), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Sauvegarder avec les données mobiles", - ), - "backupSettings": MessageLookupByLibrary.simpleMessage( - "Paramètres de la sauvegarde", - ), - "backupStatus": MessageLookupByLibrary.simpleMessage( - "État de la sauvegarde", - ), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Les éléments qui ont été sauvegardés apparaîtront ici", - ), - "backupVideos": MessageLookupByLibrary.simpleMessage( - "Sauvegarde des vidéos", - ), - "beach": MessageLookupByLibrary.simpleMessage("Sable et mer"), - "birthday": MessageLookupByLibrary.simpleMessage("Anniversaire"), - "birthdayNotifications": MessageLookupByLibrary.simpleMessage( - "Notifications d’anniversaire", - ), - "birthdays": MessageLookupByLibrary.simpleMessage("Anniversaires"), - "blackFridaySale": MessageLookupByLibrary.simpleMessage( - "Offre Black Friday", - ), - "blog": MessageLookupByLibrary.simpleMessage("Blog"), - "cLDesc1": MessageLookupByLibrary.simpleMessage( - "Derrière la version beta du streaming vidéo, tout en travaillant sur la reprise des chargements et téléchargements, nous avons maintenant augmenté la limite de téléchargement de fichiers à 10 Go. Ceci est maintenant disponible dans les applications bureau et mobiles.", - ), - "cLDesc2": MessageLookupByLibrary.simpleMessage( - "Les chargements en arrière-plan sont maintenant pris en charge sur iOS, en plus des appareils Android. Inutile d\'ouvrir l\'application pour sauvegarder vos dernières photos et vidéos.", - ), - "cLDesc3": MessageLookupByLibrary.simpleMessage( - "Nous avons apporté des améliorations significatives à l\'expérience des souvenirs, comme la lecture automatique, la glisse vers le souvenir suivant et bien plus encore.", - ), - "cLDesc4": MessageLookupByLibrary.simpleMessage( - "Avec un tas d\'améliorations sous le capot, il est maintenant beaucoup plus facile de voir tous les visages détectés, mettre des commentaires sur des visages similaires, et ajouter/supprimer des visages depuis une seule photo.", - ), - "cLDesc5": MessageLookupByLibrary.simpleMessage( - "Vous recevrez maintenant une notification de désinscription pour tous les anniversaires que vous avez enregistrés sur Ente, ainsi qu\'une collection de leurs meilleures photos.", - ), - "cLDesc6": MessageLookupByLibrary.simpleMessage( - "Plus besoin d\'attendre la fin des chargements/téléchargements avant de pouvoir fermer l\'application. Tous peuvent maintenant être mis en pause en cours de route et reprendre à partir de là où ça s\'est arrêté.", - ), - "cLTitle1": MessageLookupByLibrary.simpleMessage( - "Envoi de gros fichiers vidéo", - ), - "cLTitle2": MessageLookupByLibrary.simpleMessage("Charger en arrière-plan"), - "cLTitle3": MessageLookupByLibrary.simpleMessage( - "Lecture automatique des souvenirs", - ), - "cLTitle4": MessageLookupByLibrary.simpleMessage( - "Amélioration de la reconnaissance faciale", - ), - "cLTitle5": MessageLookupByLibrary.simpleMessage( - "Notifications d’anniversaire", - ), - "cLTitle6": MessageLookupByLibrary.simpleMessage( - "Reprise des chargements et téléchargements", - ), - "cachedData": MessageLookupByLibrary.simpleMessage( - "Données mises en cache", - ), - "calculating": MessageLookupByLibrary.simpleMessage("Calcul en cours..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Désolé, cet album ne peut pas être ouvert dans l\'application.", - ), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( - "Impossible d\'ouvrir cet album", - ), - "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( - "Impossible de télécharger dans les albums appartenant à d\'autres personnes", - ), - "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Ne peut créer de lien que pour les fichiers que vous possédez", - ), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Vous ne pouvez supprimer que les fichiers que vous possédez", - ), - "cancel": MessageLookupByLibrary.simpleMessage("Annuler"), - "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( - "Annuler la récupération", - ), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "Êtes-vous sûr de vouloir annuler la récupération ?", - ), - "cancelOtherSubscription": m12, - "cancelSubscription": MessageLookupByLibrary.simpleMessage( - "Annuler l\'abonnement", - ), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Les fichiers partagés ne peuvent pas être supprimés", - ), - "castAlbum": MessageLookupByLibrary.simpleMessage("Caster l\'album"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Veuillez vous assurer que vous êtes sur le même réseau que la TV.", - ), - "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( - "Échec de la diffusion de l\'album", - ), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Visitez cast.ente.io sur l\'appareil que vous voulez associer.\n\nEntrez le code ci-dessous pour lire l\'album sur votre TV.", - ), - "centerPoint": MessageLookupByLibrary.simpleMessage("Point central"), - "change": MessageLookupByLibrary.simpleMessage("Modifier"), - "changeEmail": MessageLookupByLibrary.simpleMessage("Modifier l\'e-mail"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Changer l\'emplacement des éléments sélectionnés ?", - ), - "changePassword": MessageLookupByLibrary.simpleMessage( - "Modifier le mot de passe", - ), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Modifier le mot de passe", - ), - "changePermissions": MessageLookupByLibrary.simpleMessage( - "Modifier les permissions ?", - ), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Modifier votre code de parrainage", - ), - "checkForUpdates": MessageLookupByLibrary.simpleMessage( - "Vérifier les mises à jour", - ), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Consultez votre boîte de réception (et les indésirables) pour finaliser la vérification", - ), - "checkStatus": MessageLookupByLibrary.simpleMessage("Vérifier le statut"), - "checking": MessageLookupByLibrary.simpleMessage("Vérification..."), - "checkingModels": MessageLookupByLibrary.simpleMessage( - "Vérification des modèles...", - ), - "city": MessageLookupByLibrary.simpleMessage("Dans la ville"), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage( - "Obtenez du stockage gratuit", - ), - "claimMore": MessageLookupByLibrary.simpleMessage("Réclamez plus !"), - "claimed": MessageLookupByLibrary.simpleMessage("Obtenu"), - "claimedStorageSoFar": m14, - "cleanUncategorized": MessageLookupByLibrary.simpleMessage( - "Effacer les éléments non classés", - ), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Supprimer tous les fichiers non-catégorisés étant présents dans d\'autres albums", - ), - "clearCaches": MessageLookupByLibrary.simpleMessage("Nettoyer le cache"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Effacer les index"), - "click": MessageLookupByLibrary.simpleMessage("• Cliquez sur"), - "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( - "• Cliquez sur le menu de débordement", - ), - "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( - "Cliquez pour installer notre meilleure version", - ), - "close": MessageLookupByLibrary.simpleMessage("Fermer"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( - "Grouper par durée", - ), - "clubByFileName": MessageLookupByLibrary.simpleMessage( - "Grouper par nom de fichier", - ), - "clusteringProgress": MessageLookupByLibrary.simpleMessage( - "Progression du regroupement", - ), - "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( - "Code appliqué", - ), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Désolé, vous avez atteint la limite de changements de code.", - ), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Code copié dans le presse-papiers", - ), - "codeUsedByYou": MessageLookupByLibrary.simpleMessage( - "Code utilisé par vous", - ), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Créez un lien pour permettre aux personnes d\'ajouter et de voir des photos dans votre album partagé sans avoir besoin d\'une application Ente ou d\'un compte. Idéal pour récupérer des photos d\'événement.", - ), - "collaborativeLink": MessageLookupByLibrary.simpleMessage( - "Lien collaboratif", - ), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Collaborateur"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Les collaborateurs peuvent ajouter des photos et des vidéos à l\'album partagé.", - ), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("Disposition"), - "collageSaved": MessageLookupByLibrary.simpleMessage( - "Collage sauvegardé dans la galerie", - ), - "collect": MessageLookupByLibrary.simpleMessage("Récupérer"), - "collectEventPhotos": MessageLookupByLibrary.simpleMessage( - "Collecter les photos d\'un événement", - ), - "collectPhotos": MessageLookupByLibrary.simpleMessage( - "Récupérer les photos", - ), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Créez un lien où vos amis peuvent ajouter des photos en qualité originale.", - ), - "color": MessageLookupByLibrary.simpleMessage("Couleur "), - "configuration": MessageLookupByLibrary.simpleMessage("Paramètres"), - "confirm": MessageLookupByLibrary.simpleMessage("Confirmer"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Voulez-vous vraiment désactiver l\'authentification à deux facteurs ?", - ), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Confirmer la suppression du compte", - ), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Oui, je veux supprimer définitivement ce compte et ses données dans toutes les applications.", - ), - "confirmPassword": MessageLookupByLibrary.simpleMessage( - "Confirmer le mot de passe", - ), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage( - "Confirmer le changement de l\'offre", - ), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Confirmer la clé de récupération", - ), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Confirmer la clé de récupération", - ), - "connectToDevice": MessageLookupByLibrary.simpleMessage( - "Connexion à l\'appareil", - ), - "contactFamilyAdmin": m18, - "contactSupport": MessageLookupByLibrary.simpleMessage( - "Contacter l\'assistance", - ), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Contacts"), - "contents": MessageLookupByLibrary.simpleMessage("Contenus"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Continuer"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "Poursuivre avec la version d\'essai gratuite", - ), - "convertToAlbum": MessageLookupByLibrary.simpleMessage( - "Convertir en album", - ), - "copyEmailAddress": MessageLookupByLibrary.simpleMessage( - "Copier l’adresse email", - ), - "copyLink": MessageLookupByLibrary.simpleMessage("Copier le lien"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Copiez-collez ce code\ndans votre application d\'authentification", - ), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "Nous n\'avons pas pu sauvegarder vos données.\nNous allons réessayer plus tard.", - ), - "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( - "Impossible de libérer de l\'espace", - ), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Impossible de mettre à jour l’abonnement", - ), - "count": MessageLookupByLibrary.simpleMessage("Total"), - "crashReporting": MessageLookupByLibrary.simpleMessage("Rapport d\'erreur"), - "create": MessageLookupByLibrary.simpleMessage("Créer"), - "createAccount": MessageLookupByLibrary.simpleMessage("Créer un compte"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Appuyez longuement pour sélectionner des photos et cliquez sur + pour créer un album", - ), - "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( - "Créer un lien collaboratif", - ), - "createCollage": MessageLookupByLibrary.simpleMessage("Créez un collage"), - "createNewAccount": MessageLookupByLibrary.simpleMessage( - "Créer un nouveau compte", - ), - "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( - "Créez ou sélectionnez un album", - ), - "createPublicLink": MessageLookupByLibrary.simpleMessage( - "Créer un lien public", - ), - "creatingLink": MessageLookupByLibrary.simpleMessage("Création du lien..."), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "Mise à jour critique disponible", - ), - "crop": MessageLookupByLibrary.simpleMessage("Rogner"), - "curatedMemories": MessageLookupByLibrary.simpleMessage( - "Souvenirs conservés", - ), - "currentUsageIs": MessageLookupByLibrary.simpleMessage( - "L\'utilisation actuelle est de ", - ), - "currentlyRunning": MessageLookupByLibrary.simpleMessage( - "en cours d\'exécution", - ), - "custom": MessageLookupByLibrary.simpleMessage("Personnaliser"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Sombre"), - "dayToday": MessageLookupByLibrary.simpleMessage("Aujourd\'hui"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Hier"), - "declineTrustInvite": MessageLookupByLibrary.simpleMessage( - "Refuser l’invitation", - ), - "decrypting": MessageLookupByLibrary.simpleMessage( - "Déchiffrement en cours...", - ), - "decryptingVideo": MessageLookupByLibrary.simpleMessage( - "Déchiffrement de la vidéo...", - ), - "deduplicateFiles": MessageLookupByLibrary.simpleMessage( - "Déduplication de fichiers", - ), - "delete": MessageLookupByLibrary.simpleMessage("Supprimer"), - "deleteAccount": MessageLookupByLibrary.simpleMessage( - "Supprimer mon compte", - ), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Nous sommes désolés de vous voir partir. N\'hésitez pas à partager vos commentaires pour nous aider à nous améliorer.", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Supprimer définitivement le compte", - ), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Supprimer l\'album"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Supprimer aussi les photos (et vidéos) présentes dans cet album de tous les autres albums dont elles font partie ?", - ), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "Ceci supprimera tous les albums vides. Ceci est utile lorsque vous voulez réduire l\'encombrement dans votre liste d\'albums.", - ), - "deleteAll": MessageLookupByLibrary.simpleMessage("Tout Supprimer"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "Ce compte est lié à d\'autres applications Ente, si vous en utilisez une. Vos données téléchargées, dans toutes les applications ente, seront planifiées pour suppression, et votre compte sera définitivement supprimé.", - ), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Veuillez envoyer un e-mail à account-deletion@ente.io à partir de votre adresse e-mail enregistrée.", - ), - "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( - "Supprimer les albums vides", - ), - "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( - "Supprimer les albums vides ?", - ), - "deleteFromBoth": MessageLookupByLibrary.simpleMessage( - "Supprimer des deux", - ), - "deleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Supprimer de l\'appareil", - ), - "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Supprimer de Ente"), - "deleteItemCount": m21, - "deleteLocation": MessageLookupByLibrary.simpleMessage( - "Supprimer la localisation", - ), - "deleteMultipleAlbumDialog": m22, - "deletePhotos": MessageLookupByLibrary.simpleMessage( - "Supprimer des photos", - ), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Il manque une fonction clé dont j\'ai besoin", - ), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "L\'application ou une certaine fonctionnalité ne se comporte pas comme je pense qu\'elle devrait", - ), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "J\'ai trouvé un autre service que je préfère", - ), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "Ma raison n\'est pas listée", - ), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Votre demande sera traitée sous 72 heures.", - ), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Supprimer l\'album partagé ?", - ), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "L\'album sera supprimé pour tout le monde\n\nVous perdrez l\'accès aux photos partagées dans cet album qui sont détenues par d\'autres personnes", - ), - "deselectAll": MessageLookupByLibrary.simpleMessage("Tout déselectionner"), - "designedToOutlive": MessageLookupByLibrary.simpleMessage( - "Conçu pour survivre", - ), - "details": MessageLookupByLibrary.simpleMessage("Détails"), - "developerSettings": MessageLookupByLibrary.simpleMessage( - "Paramètres du développeur", - ), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Êtes-vous sûr de vouloir modifier les paramètres du développeur ?", - ), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Saisissez le code"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "Les fichiers ajoutés à cet album seront automatiquement téléchargés sur Ente.", - ), - "deviceLock": MessageLookupByLibrary.simpleMessage( - "Verrouillage par défaut de l\'appareil", - ), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Désactiver le verrouillage de l\'écran lorsque Ente est au premier plan et qu\'une sauvegarde est en cours. Ce n\'est normalement pas nécessaire mais cela peut faciliter les gros téléchargements et les premières importations de grandes bibliothèques.", - ), - "deviceNotFound": MessageLookupByLibrary.simpleMessage( - "Appareil non trouvé", - ), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Le savais-tu ?"), - "different": MessageLookupByLibrary.simpleMessage("Différent(e)"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage( - "Désactiver le verrouillage automatique", - ), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Les observateurs peuvent toujours prendre des captures d\'écran ou enregistrer une copie de vos photos en utilisant des outils externes", - ), - "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( - "Veuillez remarquer", - ), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "Désactiver l\'authentification à deux facteurs", - ), - "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( - "Désactivation de l\'authentification à deux facteurs...", - ), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Découverte"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Bébés"), - "discover_celebrations": MessageLookupByLibrary.simpleMessage("Fêtes"), - "discover_food": MessageLookupByLibrary.simpleMessage("Alimentation"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Plantes"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Montagnes"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Identité"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Mèmes"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Notes"), - "discover_pets": MessageLookupByLibrary.simpleMessage( - "Animaux de compagnie", - ), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Recettes"), - "discover_screenshots": MessageLookupByLibrary.simpleMessage( - "Captures d\'écran ", - ), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfies"), - "discover_sunset": MessageLookupByLibrary.simpleMessage( - "Coucher du soleil", - ), - "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( - "Carte de Visite", - ), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage( - "Fonds d\'écran", - ), - "dismiss": MessageLookupByLibrary.simpleMessage("Rejeter"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage( - "Ne pas se déconnecter", - ), - "doThisLater": MessageLookupByLibrary.simpleMessage("Plus tard"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Voulez-vous annuler les modifications que vous avez faites ?", - ), - "done": MessageLookupByLibrary.simpleMessage("Terminé"), - "dontSave": MessageLookupByLibrary.simpleMessage("Ne pas enregistrer"), - "doubleYourStorage": MessageLookupByLibrary.simpleMessage( - "Doublez votre espace de stockage", - ), - "download": MessageLookupByLibrary.simpleMessage("Télécharger"), - "downloadFailed": MessageLookupByLibrary.simpleMessage( - "Échec du téléchargement", - ), - "downloading": MessageLookupByLibrary.simpleMessage( - "Téléchargement en cours...", - ), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Éditer"), - "editEmailAlreadyLinked": m28, - "editLocation": MessageLookupByLibrary.simpleMessage( - "Modifier l’emplacement", - ), - "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( - "Modifier l’emplacement", - ), - "editPerson": MessageLookupByLibrary.simpleMessage("Modifier la personne"), - "editTime": MessageLookupByLibrary.simpleMessage("Modifier l\'heure"), - "editsSaved": MessageLookupByLibrary.simpleMessage( - "Modification sauvegardée", - ), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Les modifications de l\'emplacement ne seront visibles que dans Ente", - ), - "eligible": MessageLookupByLibrary.simpleMessage("éligible"), - "email": MessageLookupByLibrary.simpleMessage("E-mail"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "Email déjà enregistré.", - ), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "E-mail non enregistré.", - ), - "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( - "Authentification à deux facteurs par email", - ), - "emailYourLogs": MessageLookupByLibrary.simpleMessage( - "Envoyez vos journaux par email", - ), - "embracingThem": m32, - "emergencyContacts": MessageLookupByLibrary.simpleMessage( - "Contacts d\'urgence", - ), - "empty": MessageLookupByLibrary.simpleMessage("Vider"), - "emptyTrash": MessageLookupByLibrary.simpleMessage("Vider la corbeille ?"), - "enable": MessageLookupByLibrary.simpleMessage("Activer"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "Ente prend en charge l\'apprentissage automatique sur l\'appareil pour la reconnaissance des visages, la recherche magique et d\'autres fonctionnalités de recherche avancée", - ), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Activer l\'apprentissage automatique pour la reconnaissance des visages et la recherche magique", - ), - "enableMaps": MessageLookupByLibrary.simpleMessage("Activer la carte"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "Vos photos seront affichées sur une carte du monde.\n\nCette carte est hébergée par Open Street Map, et les emplacements exacts de vos photos ne sont jamais partagés.\n\nVous pouvez désactiver cette fonction à tout moment dans les Paramètres.", - ), - "enabled": MessageLookupByLibrary.simpleMessage("Activé"), - "encryptingBackup": MessageLookupByLibrary.simpleMessage( - "Chiffrement de la sauvegarde...", - ), - "encryption": MessageLookupByLibrary.simpleMessage("Chiffrement"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage( - "Clés de chiffrement", - ), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Point de terminaison mis à jour avec succès", - ), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Chiffrement de bout en bout par défaut", - ), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente peut chiffrer et conserver des fichiers que si vous leur accordez l\'accès", - ), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente a besoin d\'une autorisation pour préserver vos photos", - ), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "Ente conserve vos souvenirs pour qu\'ils soient toujours disponible, même si vous perdez cet appareil.", - ), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Vous pouvez également ajouter votre famille à votre forfait.", - ), - "enterAlbumName": MessageLookupByLibrary.simpleMessage( - "Saisir un nom d\'album", - ), - "enterCode": MessageLookupByLibrary.simpleMessage("Entrer le code"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Entrez le code fourni par votre ami·e pour débloquer l\'espace de stockage gratuit", - ), - "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( - "Anniversaire (facultatif)", - ), - "enterEmail": MessageLookupByLibrary.simpleMessage("Entrer un email"), - "enterFileName": MessageLookupByLibrary.simpleMessage( - "Entrez le nom du fichier", - ), - "enterName": MessageLookupByLibrary.simpleMessage("Saisir un nom"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Saisissez votre nouveau mot de passe qui sera utilisé pour chiffrer vos données", - ), - "enterPassword": MessageLookupByLibrary.simpleMessage( - "Saisissez le mot de passe", - ), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Entrez un mot de passe que nous pouvons utiliser pour chiffrer vos données", - ), - "enterPersonName": MessageLookupByLibrary.simpleMessage( - "Entrez le nom d\'une personne", - ), - "enterPin": MessageLookupByLibrary.simpleMessage("Saisir le code PIN"), - "enterReferralCode": MessageLookupByLibrary.simpleMessage( - "Code de parrainage", - ), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Entrez le code à 6 chiffres de\nvotre application d\'authentification", - ), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Veuillez entrer une adresse email valide.", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Entrez votre adresse e-mail", - ), - "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( - "Entrez votre nouvelle adresse e-mail", - ), - "enterYourPassword": MessageLookupByLibrary.simpleMessage( - "Entrez votre mot de passe", - ), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Entrez votre clé de récupération", - ), - "error": MessageLookupByLibrary.simpleMessage("Erreur"), - "everywhere": MessageLookupByLibrary.simpleMessage("partout"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": MessageLookupByLibrary.simpleMessage( - "Utilisateur existant", - ), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Ce lien a expiré. Veuillez sélectionner un nouveau délai d\'expiration ou désactiver l\'expiration du lien.", - ), - "exportLogs": MessageLookupByLibrary.simpleMessage("Exporter les logs"), - "exportYourData": MessageLookupByLibrary.simpleMessage( - "Exportez vos données", - ), - "extraPhotosFound": MessageLookupByLibrary.simpleMessage( - "Photos supplémentaires trouvées", - ), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Ce visage n\'a pas encore été regroupé, veuillez revenir plus tard", - ), - "faceRecognition": MessageLookupByLibrary.simpleMessage( - "Reconnaissance faciale", - ), - "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( - "Impossible de créer des miniatures de visage", - ), - "faces": MessageLookupByLibrary.simpleMessage("Visages"), - "failed": MessageLookupByLibrary.simpleMessage("Échec"), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage( - "Impossible d\'appliquer le code", - ), - "failedToCancel": MessageLookupByLibrary.simpleMessage( - "Échec de l\'annulation", - ), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( - "Échec du téléchargement de la vidéo", - ), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Impossible de récupérer les connexions actives", - ), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Impossible de récupérer l\'original pour l\'édition", - ), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Impossible de récupérer les détails du parrainage. Veuillez réessayer plus tard.", - ), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "Impossible de charger les albums", - ), - "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Impossible de lire la vidéo", - ), - "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( - "Impossible de rafraîchir l\'abonnement", - ), - "failedToRenew": MessageLookupByLibrary.simpleMessage( - "Échec du renouvellement", - ), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Échec de la vérification du statut du paiement", - ), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Ajoutez 5 membres de votre famille à votre abonnement existant sans payer de supplément.\n\nChaque membre dispose de son propre espace privé et ne peut pas voir les fichiers des autres membres, sauf s\'ils sont partagés.\n\nLes abonnement familiaux sont disponibles pour les clients qui ont un abonnement Ente payant.\n\nAbonnez-vous maintenant pour commencer !", - ), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Famille"), - "familyPlans": MessageLookupByLibrary.simpleMessage("Abonnements famille"), - "faq": MessageLookupByLibrary.simpleMessage("FAQ"), - "faqs": MessageLookupByLibrary.simpleMessage("FAQ"), - "favorite": MessageLookupByLibrary.simpleMessage("Favori"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("Commentaires"), - "file": MessageLookupByLibrary.simpleMessage("Fichier"), - "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage( - "Impossible d\'analyser le fichier", - ), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Échec de l\'enregistrement dans la galerie", - ), - "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( - "Ajouter une description...", - ), - "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( - "Le fichier n\'a pas encore été envoyé", - ), - "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Fichier enregistré dans la galerie", - ), - "fileTypes": MessageLookupByLibrary.simpleMessage("Types de fichiers"), - "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( - "Types et noms de fichiers", - ), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage("Fichiers supprimés"), - "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Fichiers enregistrés dans la galerie", - ), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Trouver des personnes rapidement par leur nom", - ), - "findThemQuickly": MessageLookupByLibrary.simpleMessage( - "Trouvez-les rapidement", - ), - "flip": MessageLookupByLibrary.simpleMessage("Retourner"), - "food": MessageLookupByLibrary.simpleMessage("Plaisir culinaire"), - "forYourMemories": MessageLookupByLibrary.simpleMessage( - "pour vos souvenirs", - ), - "forgotPassword": MessageLookupByLibrary.simpleMessage( - "Mot de passe oublié", - ), - "foundFaces": MessageLookupByLibrary.simpleMessage("Visages trouvés"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( - "Stockage gratuit obtenu", - ), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Stockage gratuit disponible", - ), - "freeTrial": MessageLookupByLibrary.simpleMessage("Essai gratuit"), - "freeTrialValidTill": m38, - "freeUpAccessPostDelete": m39, - "freeUpAmount": m40, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( - "Libérer de l\'espace sur l\'appareil", - ), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Économisez de l\'espace sur votre appareil en effaçant les fichiers qui ont déjà été sauvegardés.", - ), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("Libérer de l\'espace"), - "freeUpSpaceSaving": m41, - "gallery": MessageLookupByLibrary.simpleMessage("Galerie"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "Jusqu\'à 1000 souvenirs affichés dans la galerie", - ), - "general": MessageLookupByLibrary.simpleMessage("Général"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Génération des clés de chiffrement...", - ), - "genericProgress": m42, - "goToSettings": MessageLookupByLibrary.simpleMessage("Allez aux réglages"), - "googlePlayId": MessageLookupByLibrary.simpleMessage( - "Identifiant Google Play", - ), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Veuillez autoriser l’accès à toutes les photos dans les paramètres", - ), - "grantPermission": MessageLookupByLibrary.simpleMessage( - "Accorder la permission", - ), - "greenery": MessageLookupByLibrary.simpleMessage("La vie au vert"), - "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( - "Grouper les photos à proximité", - ), - "guestView": MessageLookupByLibrary.simpleMessage("Vue invité"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "Pour activer la vue invité, veuillez configurer le code d\'accès de l\'appareil ou le verrouillage de l\'écran dans les paramètres de votre système.", - ), - "happyBirthday": MessageLookupByLibrary.simpleMessage( - "Joyeux anniversaire ! 🥳", - ), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "Nous ne suivons pas les installations d\'applications. Il serait utile que vous nous disiez comment vous nous avez trouvés !", - ), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Comment avez-vous entendu parler de Ente? (facultatif)", - ), - "help": MessageLookupByLibrary.simpleMessage("Documentation"), - "hidden": MessageLookupByLibrary.simpleMessage("Masqué"), - "hide": MessageLookupByLibrary.simpleMessage("Masquer"), - "hideContent": MessageLookupByLibrary.simpleMessage("Masquer le contenu"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Masque le contenu de l\'application dans le sélecteur d\'applications et désactive les captures d\'écran", - ), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Masque le contenu de l\'application dans le sélecteur d\'application", - ), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "Masquer les éléments partagés avec vous dans la galerie", - ), - "hiding": MessageLookupByLibrary.simpleMessage("Masquage en cours..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( - "Hébergé chez OSM France", - ), - "howItWorks": MessageLookupByLibrary.simpleMessage( - "Comment cela fonctionne", - ), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Demandez-leur d\'appuyer longuement sur leur adresse email dans l\'écran des paramètres pour vérifier que les identifiants des deux appareils correspondent.", - ), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "L\'authentification biométrique n\'est pas configurée sur votre appareil. Veuillez activer Touch ID ou Face ID sur votre téléphone.", - ), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "L\'authentification biométrique est désactivée. Veuillez verrouiller et déverrouiller votre écran pour l\'activer.", - ), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("Ok"), - "ignore": MessageLookupByLibrary.simpleMessage("Ignorer"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorer"), - "ignored": MessageLookupByLibrary.simpleMessage("ignoré"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Certains fichiers de cet album sont ignorés parce qu\'ils avaient été précédemment supprimés de Ente.", - ), - "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( - "Image non analysée", - ), - "immediately": MessageLookupByLibrary.simpleMessage("Immédiatement"), - "importing": MessageLookupByLibrary.simpleMessage( - "Importation en cours...", - ), - "incorrectCode": MessageLookupByLibrary.simpleMessage("Code non valide"), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Mot de passe incorrect", - ), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Clé de récupération non valide", - ), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "La clé de secours que vous avez entrée est incorrecte", - ), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Clé de secours non valide", - ), - "indexedItems": MessageLookupByLibrary.simpleMessage("Éléments indexés"), - "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( - "L\'indexation est en pause. Elle reprendra automatiquement lorsque l\'appareil sera prêt. Celui-ci est considéré comme prêt lorsque le niveau de batterie, sa santé et son état thermique sont dans une plage saine.", - ), - "ineligible": MessageLookupByLibrary.simpleMessage("Non compatible"), - "info": MessageLookupByLibrary.simpleMessage("Info"), - "insecureDevice": MessageLookupByLibrary.simpleMessage( - "Appareil non sécurisé", - ), - "installManually": MessageLookupByLibrary.simpleMessage( - "Installation manuelle", - ), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "Adresse e-mail invalide", - ), - "invalidEndpoint": MessageLookupByLibrary.simpleMessage( - "Point de terminaison non valide", - ), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Désolé, le point de terminaison que vous avez entré n\'est pas valide. Veuillez en entrer un valide puis réessayez.", - ), - "invalidKey": MessageLookupByLibrary.simpleMessage("Clé invalide"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "La clé de récupération que vous avez saisie n\'est pas valide. Veuillez vérifier qu\'elle contient 24 caractères et qu\'ils sont correctement orthographiés.\n\nSi vous avez saisi un ancien code de récupération, veuillez vérifier qu\'il contient 64 caractères et qu\'ils sont correctement orthographiés.", - ), - "invite": MessageLookupByLibrary.simpleMessage("Inviter"), - "inviteToEnte": MessageLookupByLibrary.simpleMessage( - "Inviter à rejoindre Ente", - ), - "inviteYourFriends": MessageLookupByLibrary.simpleMessage( - "Parrainez vos ami·e·s", - ), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "Invitez vos ami·e·s sur Ente", - ), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Il semble qu\'une erreur s\'est produite. Veuillez réessayer après un certain temps. Si l\'erreur persiste, veuillez contacter notre équipe d\'assistance.", - ), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "Les éléments montrent le nombre de jours restants avant la suppression définitive", - ), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Les éléments sélectionnés seront supprimés de cet album", - ), - "join": MessageLookupByLibrary.simpleMessage("Rejoindre"), - "joinAlbum": MessageLookupByLibrary.simpleMessage("Rejoindre l\'album"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "Rejoindre un album rendra votre e-mail visible à ses participants.", - ), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( - "pour afficher et ajouter vos photos", - ), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "pour ajouter ceci aux albums partagés", - ), - "joinDiscord": MessageLookupByLibrary.simpleMessage("Rejoindre Discord"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Conserver les photos"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Merci de nous aider avec cette information", - ), - "language": MessageLookupByLibrary.simpleMessage("Langue"), - "lastTimeWithThem": m45, - "lastUpdated": MessageLookupByLibrary.simpleMessage("Dernière mise à jour"), - "lastYearsTrip": MessageLookupByLibrary.simpleMessage( - "Voyage de l\'an dernier", - ), - "leave": MessageLookupByLibrary.simpleMessage("Quitter"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Quitter l\'album"), - "leaveFamily": MessageLookupByLibrary.simpleMessage( - "Quitter le plan familial", - ), - "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Quitter l\'album partagé?", - ), - "left": MessageLookupByLibrary.simpleMessage("Gauche"), - "legacy": MessageLookupByLibrary.simpleMessage("Héritage"), - "legacyAccounts": MessageLookupByLibrary.simpleMessage("Comptes hérités"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "L\'héritage permet aux contacts de confiance d\'accéder à votre compte en votre absence.", - ), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "Ces contacts peuvent initier la récupération du compte et, s\'ils ne sont pas bloqués dans les 30 jours qui suivent, peuvent réinitialiser votre mot de passe et accéder à votre compte.", - ), - "light": MessageLookupByLibrary.simpleMessage("Clair"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Clair"), - "link": MessageLookupByLibrary.simpleMessage("Lier"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Lien copié dans le presse-papiers", - ), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage( - "Limite d\'appareil", - ), - "linkEmail": MessageLookupByLibrary.simpleMessage("Lier l\'email"), - "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( - "pour un partage plus rapide", - ), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Activé"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Expiré"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Expiration du lien"), - "linkHasExpired": MessageLookupByLibrary.simpleMessage("Le lien a expiré"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Jamais"), - "linkPerson": MessageLookupByLibrary.simpleMessage("Lier la personne"), - "linkPersonCaption": MessageLookupByLibrary.simpleMessage( - "pour une meilleure expérience de partage", - ), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("Photos en direct"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "Vous pouvez partager votre abonnement avec votre famille", - ), - "loadMessage2": MessageLookupByLibrary.simpleMessage( - "Nous avons préservé plus de 200 millions de souvenirs jusqu\'à présent", - ), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "Nous conservons 3 copies de vos données, l\'une dans un abri anti-atomique", - ), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "Toutes nos applications sont open source", - ), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Notre code source et notre cryptographie ont été audités en externe", - ), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "Vous pouvez partager des liens vers vos albums avec vos proches", - ), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Nos applications mobiles s\'exécutent en arrière-plan pour chiffrer et sauvegarder automatiquement les nouvelles photos que vous prenez", - ), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io dispose d\'un outil de téléchargement facile à utiliser", - ), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Nous utilisons Xchacha20Poly1305 pour chiffrer vos données en toute sécurité", - ), - "loadingExifData": MessageLookupByLibrary.simpleMessage( - "Chargement des données EXIF...", - ), - "loadingGallery": MessageLookupByLibrary.simpleMessage( - "Chargement de la galerie...", - ), - "loadingMessage": MessageLookupByLibrary.simpleMessage( - "Chargement de vos photos...", - ), - "loadingModel": MessageLookupByLibrary.simpleMessage( - "Téléchargement des modèles...", - ), - "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( - "Chargement de vos photos...", - ), - "localGallery": MessageLookupByLibrary.simpleMessage("Galerie locale"), - "localIndexing": MessageLookupByLibrary.simpleMessage("Indexation locale"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Il semble que quelque chose s\'est mal passé car la synchronisation des photos locales prend plus de temps que prévu. Veuillez contacter notre équipe d\'assistance", - ), - "location": MessageLookupByLibrary.simpleMessage("Emplacement"), - "locationName": MessageLookupByLibrary.simpleMessage("Nom du lieu"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Un tag d\'emplacement regroupe toutes les photos qui ont été prises dans un certain rayon d\'une photo", - ), - "locations": MessageLookupByLibrary.simpleMessage("Emplacements"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Verrouiller"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Écran de verrouillage"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Se connecter"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Deconnexion..."), - "loginSessionExpired": MessageLookupByLibrary.simpleMessage( - "Session expirée", - ), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "Votre session a expiré. Veuillez vous reconnecter.", - ), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "En cliquant sur connecter, j\'accepte les conditions d\'utilisation et la politique de confidentialité", - ), - "loginWithTOTP": MessageLookupByLibrary.simpleMessage( - "Se connecter avec TOTP", - ), - "logout": MessageLookupByLibrary.simpleMessage("Déconnexion"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Les journaux seront envoyés pour nous aider à déboguer votre problème. Les noms de fichiers seront inclus pour aider à identifier les problèmes.", - ), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Appuyez longuement sur un email pour vérifier le chiffrement de bout en bout.", - ), - "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( - "Appuyez longuement sur un élément pour le voir en plein écran", - ), - "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( - "Regarde tes souvenirs passés 🌄", - ), - "loopVideoOff": MessageLookupByLibrary.simpleMessage( - "Vidéo en boucle désactivée", - ), - "loopVideoOn": MessageLookupByLibrary.simpleMessage( - "Vidéo en boucle activée", - ), - "lostDevice": MessageLookupByLibrary.simpleMessage("Appareil perdu ?"), - "machineLearning": MessageLookupByLibrary.simpleMessage( - "Apprentissage automatique (IA locale)", - ), - "magicSearch": MessageLookupByLibrary.simpleMessage("Recherche magique"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "La recherche magique permet de rechercher des photos par leur contenu, par exemple \'fleur\', \'voiture rouge\', \'documents d\'identité\'", - ), - "manage": MessageLookupByLibrary.simpleMessage("Gérer"), - "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( - "Gérer le cache de l\'appareil", - ), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Examiner et vider le cache.", - ), - "manageFamily": MessageLookupByLibrary.simpleMessage("Gérer la famille"), - "manageLink": MessageLookupByLibrary.simpleMessage("Gérer le lien"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Gérer"), - "manageSubscription": MessageLookupByLibrary.simpleMessage( - "Gérer l\'abonnement", - ), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "L\'appairage avec le code PIN fonctionne avec n\'importe quel écran sur lequel vous souhaitez voir votre album.", - ), - "map": MessageLookupByLibrary.simpleMessage("Carte"), - "maps": MessageLookupByLibrary.simpleMessage("Carte"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("Moi"), - "memories": MessageLookupByLibrary.simpleMessage("Souvenirs"), - "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Sélectionnez le type de souvenirs que vous souhaitez voir sur votre écran d\'accueil.", - ), - "memoryCount": m50, - "merchandise": MessageLookupByLibrary.simpleMessage("Boutique"), - "merge": MessageLookupByLibrary.simpleMessage("Fusionner"), - "mergeWithExisting": MessageLookupByLibrary.simpleMessage( - "Fusionner avec existant", - ), - "mergedPhotos": MessageLookupByLibrary.simpleMessage("Photos fusionnées"), - "mlConsent": MessageLookupByLibrary.simpleMessage( - "Activer l\'apprentissage automatique", - ), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Je comprends et je souhaite activer l\'apprentissage automatique", - ), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Si vous activez l\'apprentissage automatique Ente extraira des informations comme la géométrie des visages, y compris dans les photos partagées avec vous. \nCela se fera localement sur votre appareil et avec un chiffrement bout-en-bout de toutes les données biométriques générées.", - ), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Veuillez cliquer ici pour plus de détails sur cette fonctionnalité dans notre politique de confidentialité", - ), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "Activer l\'apprentissage automatique ?", - ), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Veuillez noter que l\'apprentissage automatique entraînera une augmentation de l\'utilisation de la connexion Internet et de la batterie jusqu\'à ce que tous les souvenirs soient indexés. \nVous pouvez utiliser l\'application de bureau Ente pour accélérer cette étape, tous les résultats seront synchronisés.", - ), - "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( - "Mobile, Web, Ordinateur", - ), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Moyen"), - "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( - "Modifiez votre requête, ou essayez de rechercher", - ), - "moments": MessageLookupByLibrary.simpleMessage("Souvenirs"), - "month": MessageLookupByLibrary.simpleMessage("mois"), - "monthly": MessageLookupByLibrary.simpleMessage("Mensuel"), - "moon": MessageLookupByLibrary.simpleMessage("Au clair de lune"), - "moreDetails": MessageLookupByLibrary.simpleMessage("Plus de détails"), - "mostRecent": MessageLookupByLibrary.simpleMessage("Les plus récents"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("Les plus pertinents"), - "mountains": MessageLookupByLibrary.simpleMessage("Au-dessus des collines"), - "moveItem": m51, - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "Déplacer les photos sélectionnées vers une date", - ), - "moveToAlbum": MessageLookupByLibrary.simpleMessage( - "Déplacer vers l\'album", - ), - "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Déplacer vers un album masqué", - ), - "movedSuccessfullyTo": m52, - "movedToTrash": MessageLookupByLibrary.simpleMessage( - "Déplacé dans la corbeille", - ), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Déplacement des fichiers vers l\'album...", - ), - "name": MessageLookupByLibrary.simpleMessage("Nom"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Nommez l\'album"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Impossible de se connecter à Ente, veuillez réessayer après un certain temps. Si l\'erreur persiste, veuillez contacter le support.", - ), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Impossible de se connecter à Ente, veuillez vérifier vos paramètres réseau et contacter le support si l\'erreur persiste.", - ), - "never": MessageLookupByLibrary.simpleMessage("Jamais"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Nouvel album"), - "newLocation": MessageLookupByLibrary.simpleMessage("Nouveau lieu"), - "newPerson": MessageLookupByLibrary.simpleMessage("Nouvelle personne"), - "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" nouveau 📸"), - "newRange": MessageLookupByLibrary.simpleMessage("Nouvelle plage"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Nouveau sur Ente"), - "newest": MessageLookupByLibrary.simpleMessage("Le plus récent"), - "next": MessageLookupByLibrary.simpleMessage("Suivant"), - "no": MessageLookupByLibrary.simpleMessage("Non"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Aucun album que vous avez partagé", - ), - "noDeviceFound": MessageLookupByLibrary.simpleMessage( - "Aucun appareil trouvé", - ), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Aucune"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "Vous n\'avez pas de fichiers sur cet appareil qui peuvent être supprimés", - ), - "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Aucun doublon"), - "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( - "Aucun compte Ente !", - ), - "noExifData": MessageLookupByLibrary.simpleMessage("Aucune donnée EXIF"), - "noFacesFound": MessageLookupByLibrary.simpleMessage( - "Aucun visage détecté", - ), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "Aucune photo ou vidéo masquée", - ), - "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( - "Aucune image avec localisation", - ), - "noInternetConnection": MessageLookupByLibrary.simpleMessage( - "Aucune connexion internet", - ), - "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( - "Aucune photo en cours de sauvegarde", - ), - "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( - "Aucune photo trouvée", - ), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( - "Aucun lien rapide sélectionné", - ), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Aucune clé de récupération ?", - ), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "En raison de notre protocole de chiffrement de bout en bout, vos données ne peuvent pas être déchiffré sans votre mot de passe ou clé de récupération", - ), - "noResults": MessageLookupByLibrary.simpleMessage("Aucun résultat"), - "noResultsFound": MessageLookupByLibrary.simpleMessage( - "Aucun résultat trouvé", - ), - "noSuggestionsForPerson": m53, - "noSystemLockFound": MessageLookupByLibrary.simpleMessage( - "Aucun verrou système trouvé", - ), - "notPersonLabel": m54, - "notThisPerson": MessageLookupByLibrary.simpleMessage( - "Ce n\'est pas cette personne ?", - ), - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "Rien n\'a encore été partagé avec vous", - ), - "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( - "Il n\'y a encore rien à voir ici 👀", - ), - "notifications": MessageLookupByLibrary.simpleMessage("Notifications"), - "ok": MessageLookupByLibrary.simpleMessage("Ok"), - "onDevice": MessageLookupByLibrary.simpleMessage("Sur votre appareil"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "Sur Ente", - ), - "onTheRoad": MessageLookupByLibrary.simpleMessage( - "De nouveau sur la route", - ), - "onThisDay": MessageLookupByLibrary.simpleMessage("Ce jour-ci"), - "onThisDayMemories": MessageLookupByLibrary.simpleMessage( - "Souvenirs du jour", - ), - "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( - "Recevoir des rappels sur les souvenirs de cette journée des années précédentes.", - ), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Seulement eux"), - "oops": MessageLookupByLibrary.simpleMessage("Oups"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Oups, impossible d\'enregistrer les modifications", - ), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Oups, une erreur est arrivée", - ), - "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( - "Ouvrir l\'album dans le navigateur", - ), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Veuillez utiliser l\'application web pour ajouter des photos à cet album", - ), - "openFile": MessageLookupByLibrary.simpleMessage("Ouvrir le fichier"), - "openSettings": MessageLookupByLibrary.simpleMessage( - "Ouvrir les paramètres", - ), - "openTheItem": MessageLookupByLibrary.simpleMessage("• Ouvrir l\'élément"), - "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( - "Contributeurs d\'OpenStreetMap", - ), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Optionnel, aussi court que vous le souhaitez...", - ), - "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( - "Ou fusionner avec une personne existante", - ), - "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( - "Ou sélectionner un email existant", - ), - "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( - "ou choisissez parmi vos contacts", - ), - "otherDetectedFaces": MessageLookupByLibrary.simpleMessage( - "Autres visages détectés", - ), - "pair": MessageLookupByLibrary.simpleMessage("Associer"), - "pairWithPin": MessageLookupByLibrary.simpleMessage( - "Appairer avec le code PIN", - ), - "pairingComplete": MessageLookupByLibrary.simpleMessage( - "Appairage terminé", - ), - "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), - "partyWithThem": m56, - "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( - "La vérification est toujours en attente", - ), - "passkey": MessageLookupByLibrary.simpleMessage( - "Authentification à deux facteurs avec une clé de sécurité", - ), - "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( - "Vérification de la clé de sécurité", - ), - "password": MessageLookupByLibrary.simpleMessage("Mot de passe"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Le mot de passe a été modifié", - ), - "passwordLock": MessageLookupByLibrary.simpleMessage( - "Verrouillage par mot de passe", - ), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "La force du mot de passe est calculée en tenant compte de la longueur du mot de passe, des caractères utilisés et du fait que le mot de passe figure ou non parmi les 10 000 mots de passe les plus utilisés", - ), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Nous ne stockons pas ce mot de passe, donc si vous l\'oubliez, nous ne pouvons pas déchiffrer vos données", - ), - "pastYearsMemories": MessageLookupByLibrary.simpleMessage( - "Souvenirs de ces dernières années", - ), - "paymentDetails": MessageLookupByLibrary.simpleMessage( - "Détails de paiement", - ), - "paymentFailed": MessageLookupByLibrary.simpleMessage("Échec du paiement"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "Malheureusement votre paiement a échoué. Veuillez contacter le support et nous vous aiderons !", - ), - "paymentFailedTalkToProvider": m58, - "pendingItems": MessageLookupByLibrary.simpleMessage("Éléments en attente"), - "pendingSync": MessageLookupByLibrary.simpleMessage( - "Synchronisation en attente", - ), - "people": MessageLookupByLibrary.simpleMessage("Personnes"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Filleul·e·s utilisant votre code", - ), - "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Sélectionnez les personnes que vous souhaitez voir sur votre écran d\'accueil.", - ), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Tous les éléments de la corbeille seront définitivement supprimés\n\nCette action ne peut pas être annulée", - ), - "permanentlyDelete": MessageLookupByLibrary.simpleMessage( - "Supprimer définitivement", - ), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Supprimer définitivement de l\'appareil ?", - ), - "personIsAge": m59, - "personName": MessageLookupByLibrary.simpleMessage("Nom de la personne"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("Compagnons à quatre pattes"), - "photoDescriptions": MessageLookupByLibrary.simpleMessage( - "Descriptions de la photo", - ), - "photoGridSize": MessageLookupByLibrary.simpleMessage( - "Taille de la grille photo", - ), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("photo"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("Photos"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "Les photos ajoutées par vous seront retirées de l\'album", - ), - "photosCount": m62, - "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( - "Les photos gardent une différence de temps relative", - ), - "pickCenterPoint": MessageLookupByLibrary.simpleMessage( - "Sélectionner le point central", - ), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Épingler l\'album"), - "pinLock": MessageLookupByLibrary.simpleMessage( - "Verrouillage par code PIN", - ), - "playOnTv": MessageLookupByLibrary.simpleMessage("Lire l\'album sur la TV"), - "playOriginal": MessageLookupByLibrary.simpleMessage("Lire l\'original"), - "playStoreFreeTrialValidTill": m63, - "playStream": MessageLookupByLibrary.simpleMessage("Lire le stream"), - "playstoreSubscription": MessageLookupByLibrary.simpleMessage( - "Abonnement au PlayStore", - ), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "S\'il vous plaît, vérifiez votre connexion à internet et réessayez.", - ), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Veuillez contacter support@ente.io et nous serons heureux de vous aider!", - ), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Merci de contacter l\'assistance si cette erreur persiste", - ), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( - "Veuillez accorder la permission", - ), - "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( - "Veuillez vous reconnecter", - ), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Veuillez sélectionner les liens rapides à supprimer", - ), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Veuillez réessayer", - ), - "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( - "Veuillez vérifier le code que vous avez entré", - ), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Veuillez patienter..."), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Veuillez patienter, suppression de l\'album", - ), - "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( - "Veuillez attendre quelque temps avant de réessayer", - ), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "Veuillez patienter, cela prendra un peu de temps.", - ), - "posingWithThem": m66, - "preparingLogs": MessageLookupByLibrary.simpleMessage( - "Préparation des journaux...", - ), - "preserveMore": MessageLookupByLibrary.simpleMessage("Conserver plus"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Appuyez et maintenez enfoncé pour lire la vidéo", - ), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Maintenez appuyé sur l\'image pour lire la vidéo", - ), - "previous": MessageLookupByLibrary.simpleMessage("Précédent"), - "privacy": MessageLookupByLibrary.simpleMessage( - "Politique de confidentialité", - ), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( - "Politique de Confidentialité", - ), - "privateBackups": MessageLookupByLibrary.simpleMessage( - "Sauvegardes privées", - ), - "privateSharing": MessageLookupByLibrary.simpleMessage("Partage privé"), - "proceed": MessageLookupByLibrary.simpleMessage("Procéder"), - "processed": MessageLookupByLibrary.simpleMessage("Appris"), - "processing": MessageLookupByLibrary.simpleMessage("Traitement en cours"), - "processingImport": m67, - "processingVideos": MessageLookupByLibrary.simpleMessage( - "Traitement des vidéos", - ), - "publicLinkCreated": MessageLookupByLibrary.simpleMessage( - "Lien public créé", - ), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( - "Lien public activé", - ), - "questionmark": MessageLookupByLibrary.simpleMessage("?"), - "queued": MessageLookupByLibrary.simpleMessage("En file d\'attente"), - "quickLinks": MessageLookupByLibrary.simpleMessage("Liens rapides"), - "radius": MessageLookupByLibrary.simpleMessage("Rayon"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Créer un ticket"), - "rateTheApp": MessageLookupByLibrary.simpleMessage( - "Évaluer l\'application", - ), - "rateUs": MessageLookupByLibrary.simpleMessage("Évaluez-nous"), - "rateUsOnStore": m68, - "reassignMe": MessageLookupByLibrary.simpleMessage("Réassigner \"Moi\""), - "reassignedToName": m69, - "reassigningLoading": MessageLookupByLibrary.simpleMessage( - "Réassignation...", - ), - "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( - "Recevoir des rappels quand c\'est l\'anniversaire de quelqu\'un. Appuyer sur la notification vous amènera à des photos de son anniversaire.", - ), - "recover": MessageLookupByLibrary.simpleMessage("Récupérer"), - "recoverAccount": MessageLookupByLibrary.simpleMessage( - "Récupérer un compte", - ), - "recoverButton": MessageLookupByLibrary.simpleMessage("Restaurer"), - "recoveryAccount": MessageLookupByLibrary.simpleMessage( - "Récupérer un compte", - ), - "recoveryInitiated": MessageLookupByLibrary.simpleMessage( - "Récupération initiée", - ), - "recoveryInitiatedDesc": m70, - "recoveryKey": MessageLookupByLibrary.simpleMessage("Clé de secours"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Clé de secours copiée dans le presse-papiers", - ), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Si vous oubliez votre mot de passe, la seule façon de récupérer vos données sera grâce à cette clé.", - ), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Nous ne la stockons pas, veuillez la conserver en lieu endroit sûr.", - ), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Génial ! Votre clé de récupération est valide. Merci de votre vérification.\n\nN\'oubliez pas de garder votre clé de récupération sauvegardée.", - ), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Clé de récupération vérifiée", - ), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Votre clé de récupération est la seule façon de récupérer vos photos si vous oubliez votre mot de passe. Vous pouvez trouver votre clé de récupération dans Paramètres > Compte.\n\nVeuillez saisir votre clé de récupération ici pour vous assurer de l\'avoir enregistré correctement.", - ), - "recoveryReady": m71, - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "Restauration réussie !", - ), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "Un contact de confiance tente d\'accéder à votre compte", - ), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "L\'appareil actuel n\'est pas assez puissant pour vérifier votre mot de passe, mais nous pouvons le régénérer d\'une manière qui fonctionne avec tous les appareils.\n\nVeuillez vous connecter à l\'aide de votre clé de secours et régénérer votre mot de passe (vous pouvez réutiliser le même si vous le souhaitez).", - ), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Recréer le mot de passe", - ), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": MessageLookupByLibrary.simpleMessage( - "Ressaisir le mot de passe", - ), - "reenterPin": MessageLookupByLibrary.simpleMessage("Ressaisir le code PIN"), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Parrainez vos ami·e·s et doublez votre stockage", - ), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Donnez ce code à vos ami·e·s", - ), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Ils souscrivent à une offre payante", - ), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Parrainages"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "Les recommandations sont actuellement en pause", - ), - "rejectRecovery": MessageLookupByLibrary.simpleMessage( - "Rejeter la récupération", - ), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "Également vide \"récemment supprimé\" de \"Paramètres\" -> \"Stockage\" pour réclamer l\'espace libéré", - ), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Vide aussi votre \"Corbeille\" pour réclamer l\'espace libéré", - ), - "remoteImages": MessageLookupByLibrary.simpleMessage("Images distantes"), - "remoteThumbnails": MessageLookupByLibrary.simpleMessage( - "Miniatures distantes", - ), - "remoteVideos": MessageLookupByLibrary.simpleMessage("Vidéos distantes"), - "remove": MessageLookupByLibrary.simpleMessage("Supprimer"), - "removeDuplicates": MessageLookupByLibrary.simpleMessage( - "Supprimer les doublons", - ), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Examinez et supprimez les fichiers étant des doublons exacts.", - ), - "removeFromAlbum": MessageLookupByLibrary.simpleMessage( - "Retirer de l\'album", - ), - "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( - "Retirer de l\'album ?", - ), - "removeFromFavorite": MessageLookupByLibrary.simpleMessage( - "Retirer des favoris", - ), - "removeInvite": MessageLookupByLibrary.simpleMessage( - "Supprimer l’Invitation", - ), - "removeLink": MessageLookupByLibrary.simpleMessage("Supprimer le lien"), - "removeParticipant": MessageLookupByLibrary.simpleMessage( - "Supprimer le participant", - ), - "removeParticipantBody": m74, - "removePersonLabel": MessageLookupByLibrary.simpleMessage( - "Supprimer le libellé d\'une personne", - ), - "removePublicLink": MessageLookupByLibrary.simpleMessage( - "Supprimer le lien public", - ), - "removePublicLinks": MessageLookupByLibrary.simpleMessage( - "Supprimer les liens publics", - ), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Certains des éléments que vous êtes en train de retirer ont été ajoutés par d\'autres personnes, vous perdrez l\'accès vers ces éléments", - ), - "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Enlever?"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Retirez-vous comme contact de confiance", - ), - "removingFromFavorites": MessageLookupByLibrary.simpleMessage( - "Suppression des favoris…", - ), - "rename": MessageLookupByLibrary.simpleMessage("Renommer"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("Renommer l\'album"), - "renameFile": MessageLookupByLibrary.simpleMessage("Renommer le fichier"), - "renewSubscription": MessageLookupByLibrary.simpleMessage( - "Renouveler l’abonnement", - ), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Signaler un bogue"), - "reportBug": MessageLookupByLibrary.simpleMessage("Signaler un bogue"), - "resendEmail": MessageLookupByLibrary.simpleMessage("Renvoyer l\'email"), - "reset": MessageLookupByLibrary.simpleMessage("Réinitialiser"), - "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( - "Réinitialiser les fichiers ignorés", - ), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Réinitialiser le mot de passe", - ), - "resetPerson": MessageLookupByLibrary.simpleMessage("Réinitialiser"), - "resetToDefault": MessageLookupByLibrary.simpleMessage( - "Réinitialiser aux valeurs par défaut", - ), - "restore": MessageLookupByLibrary.simpleMessage("Restaurer"), - "restoreToAlbum": MessageLookupByLibrary.simpleMessage( - "Restaurer vers l\'album", - ), - "restoringFiles": MessageLookupByLibrary.simpleMessage( - "Restauration des fichiers...", - ), - "resumableUploads": MessageLookupByLibrary.simpleMessage( - "Reprise automatique des transferts", - ), - "retry": MessageLookupByLibrary.simpleMessage("Réessayer"), - "review": MessageLookupByLibrary.simpleMessage("Suggestions"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Veuillez vérifier et supprimer les éléments que vous croyez dupliqués.", - ), - "reviewSuggestions": MessageLookupByLibrary.simpleMessage( - "Examiner les suggestions", - ), - "right": MessageLookupByLibrary.simpleMessage("Droite"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("Pivoter"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Pivoter à gauche"), - "rotateRight": MessageLookupByLibrary.simpleMessage( - "Faire pivoter à droite", - ), - "safelyStored": MessageLookupByLibrary.simpleMessage("Stockage sécurisé"), - "same": MessageLookupByLibrary.simpleMessage("Identique"), - "sameperson": MessageLookupByLibrary.simpleMessage("Même personne ?"), - "save": MessageLookupByLibrary.simpleMessage("Sauvegarder"), - "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage( - "Enregistrer comme une autre personne", - ), - "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( - "Enregistrer les modifications avant de quitter ?", - ), - "saveCollage": MessageLookupByLibrary.simpleMessage( - "Enregistrer le collage", - ), - "saveCopy": MessageLookupByLibrary.simpleMessage("Enregistrer une copie"), - "saveKey": MessageLookupByLibrary.simpleMessage("Enregistrer la clé"), - "savePerson": MessageLookupByLibrary.simpleMessage( - "Enregistrer la personne", - ), - "saveYourRecoveryKeyIfYouHaventAlready": MessageLookupByLibrary.simpleMessage( - "Enregistrez votre clé de récupération si vous ne l\'avez pas déjà fait", - ), - "saving": MessageLookupByLibrary.simpleMessage("Enregistrement..."), - "savingEdits": MessageLookupByLibrary.simpleMessage( - "Enregistrement des modifications...", - ), - "scanCode": MessageLookupByLibrary.simpleMessage("Scanner le code"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Scannez ce code-barres avec\nvotre application d\'authentification", - ), - "search": MessageLookupByLibrary.simpleMessage("Rechercher"), - "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Albums"), - "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage( - "Nom de l\'album", - ), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Noms d\'albums (par exemple \"Caméra\")\n• Types de fichiers (par exemple \"Vidéos\", \".gif\")\n• Années et mois (par exemple \"2022\", \"Janvier\")\n• Vacances (par exemple \"Noël\")\n• Descriptions de photos (par exemple \"#fun\")", - ), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Ajoutez des descriptions comme \"#trip\" dans les infos photo pour les retrouver ici plus rapidement", - ), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Recherche par date, mois ou année", - ), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "Les images seront affichées ici une fois le traitement terminé", - ), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "Les personnes seront affichées ici une fois l\'indexation terminée", - ), - "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( - "Types et noms de fichiers", - ), - "searchHint1": MessageLookupByLibrary.simpleMessage( - "Recherche rapide, sur l\'appareil", - ), - "searchHint2": MessageLookupByLibrary.simpleMessage( - "Dates des photos, descriptions", - ), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "Albums, noms de fichiers et types", - ), - "searchHint4": MessageLookupByLibrary.simpleMessage("Emplacement"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "Bientôt: Visages & recherche magique ✨", - ), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Grouper les photos qui sont prises dans un certain angle d\'une photo", - ), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "Invitez quelqu\'un·e et vous verrez ici toutes les photos partagées", - ), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "Les personnes seront affichées ici une fois le traitement terminé", - ), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Sécurité"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "Ouvrir les liens des albums publics dans l\'application", - ), - "selectALocation": MessageLookupByLibrary.simpleMessage( - "Sélectionnez un emplacement", - ), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage( - "Sélectionnez d\'abord un emplacement", - ), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Sélectionner album"), - "selectAll": MessageLookupByLibrary.simpleMessage("Tout sélectionner"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("Tout"), - "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( - "Sélectionnez la photo de couverture", - ), - "selectDate": MessageLookupByLibrary.simpleMessage("Sélectionner la date"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Dossiers à sauvegarder", - ), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "Sélectionner les éléments à ajouter", - ), - "selectLanguage": MessageLookupByLibrary.simpleMessage( - "Sélectionnez une langue", - ), - "selectMailApp": MessageLookupByLibrary.simpleMessage( - "Sélectionnez l\'application mail", - ), - "selectMorePhotos": MessageLookupByLibrary.simpleMessage( - "Sélectionner plus de photos", - ), - "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( - "Sélectionner une date et une heure", - ), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "Sélectionnez une date et une heure pour tous", - ), - "selectPersonToLink": MessageLookupByLibrary.simpleMessage( - "Sélectionnez la personne à associer", - ), - "selectReason": MessageLookupByLibrary.simpleMessage( - "Sélectionnez une raison", - ), - "selectStartOfRange": MessageLookupByLibrary.simpleMessage( - "Sélectionner le début de la plage", - ), - "selectTime": MessageLookupByLibrary.simpleMessage("Sélectionner l\'heure"), - "selectYourFace": MessageLookupByLibrary.simpleMessage( - "Sélectionnez votre visage", - ), - "selectYourPlan": MessageLookupByLibrary.simpleMessage( - "Sélectionner votre offre", - ), - "selectedAlbums": m79, - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Les fichiers sélectionnés ne sont pas sur Ente", - ), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Les dossiers sélectionnés seront chiffrés et sauvegardés", - ), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Les éléments sélectionnés seront supprimés de tous les albums et déplacés dans la corbeille.", - ), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "Les éléments sélectionnés seront retirés de cette personne, mais pas supprimés de votre bibliothèque.", - ), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("Envoyer"), - "sendEmail": MessageLookupByLibrary.simpleMessage("Envoyer un e-mail"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Envoyer Invitations"), - "sendLink": MessageLookupByLibrary.simpleMessage("Envoyer le lien"), - "serverEndpoint": MessageLookupByLibrary.simpleMessage( - "Point de terminaison serveur", - ), - "sessionExpired": MessageLookupByLibrary.simpleMessage("Session expirée"), - "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( - "Incompatibilité de l\'ID de session", - ), - "setAPassword": MessageLookupByLibrary.simpleMessage( - "Définir un mot de passe", - ), - "setAs": MessageLookupByLibrary.simpleMessage("Définir comme"), - "setCover": MessageLookupByLibrary.simpleMessage("Définir la couverture"), - "setLabel": MessageLookupByLibrary.simpleMessage("Définir"), - "setNewPassword": MessageLookupByLibrary.simpleMessage( - "Définir un nouveau mot de passe", - ), - "setNewPin": MessageLookupByLibrary.simpleMessage( - "Définir un nouveau code PIN", - ), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Définir le mot de passe", - ), - "setRadius": MessageLookupByLibrary.simpleMessage("Définir le rayon"), - "setupComplete": MessageLookupByLibrary.simpleMessage( - "Configuration terminée", - ), - "share": MessageLookupByLibrary.simpleMessage("Partager"), - "shareALink": MessageLookupByLibrary.simpleMessage("Partager le lien"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Ouvrez un album et appuyez sur le bouton de partage en haut à droite pour le partager.", - ), - "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( - "Partagez un album maintenant", - ), - "shareLink": MessageLookupByLibrary.simpleMessage("Partager le lien"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Partagez uniquement avec les personnes que vous souhaitez", - ), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Téléchargez Ente pour pouvoir facilement partager des photos et vidéos en qualité originale\n\nhttps://ente.io", - ), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Partager avec des utilisateurs non-Ente", - ), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( - "Partagez votre premier album", - ), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Créez des albums partagés et collaboratifs avec d\'autres utilisateurs de Ente, y compris des utilisateurs ayant des plans gratuits.", - ), - "sharedByMe": MessageLookupByLibrary.simpleMessage("Partagé par moi"), - "sharedByYou": MessageLookupByLibrary.simpleMessage("Partagé par vous"), - "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( - "Nouvelles photos partagées", - ), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Recevoir des notifications quand quelqu\'un·e ajoute une photo à un album partagé dont vous faites partie", - ), - "sharedWith": m87, - "sharedWithMe": MessageLookupByLibrary.simpleMessage("Partagés avec moi"), - "sharedWithYou": MessageLookupByLibrary.simpleMessage("Partagé avec vous"), - "sharing": MessageLookupByLibrary.simpleMessage("Partage..."), - "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( - "Dates et heure de décalage", - ), - "showLessFaces": MessageLookupByLibrary.simpleMessage( - "Afficher moins de visages", - ), - "showMemories": MessageLookupByLibrary.simpleMessage( - "Afficher les souvenirs", - ), - "showMoreFaces": MessageLookupByLibrary.simpleMessage( - "Afficher plus de visages", - ), - "showPerson": MessageLookupByLibrary.simpleMessage("Montrer la personne"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "Se déconnecter d\'autres appareils", - ), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Si vous pensez que quelqu\'un peut connaître votre mot de passe, vous pouvez forcer tous les autres appareils utilisant votre compte à se déconnecter.", - ), - "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( - "Déconnecter les autres appareils", - ), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "J\'accepte les conditions d\'utilisation et la politique de confidentialité", - ), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Elle sera supprimée de tous les albums.", - ), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Ignorer"), - "smartMemories": MessageLookupByLibrary.simpleMessage( - "Souvenirs intelligents", - ), - "social": MessageLookupByLibrary.simpleMessage("Retrouvez nous"), - "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( - "Certains éléments sont à la fois sur Ente et votre appareil.", - ), - "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( - "Certains des fichiers que vous essayez de supprimer ne sont disponibles que sur votre appareil et ne peuvent pas être récupérés s\'ils sont supprimés", - ), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Quelqu\'un qui partage des albums avec vous devrait voir le même ID sur son appareil.", - ), - "somethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Un problème est survenu", - ), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Quelque chose s\'est mal passé, veuillez recommencer", - ), - "sorry": MessageLookupByLibrary.simpleMessage("Désolé"), - "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( - "Désolé, nous n\'avons pas pu sauvegarder ce fichier maintenant, nous allons réessayer plus tard.", - ), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Désolé, impossible d\'ajouter aux favoris !", - ), - "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( - "Désolé, impossible de supprimer des favoris !", - ), - "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "Le code que vous avez saisi est incorrect", - ), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Désolé, nous n\'avons pas pu générer de clés sécurisées sur cet appareil.\n\nVeuillez vous inscrire depuis un autre appareil.", - ), - "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( - "Désolé, nous avons dû mettre en pause vos sauvegardes", - ), - "sort": MessageLookupByLibrary.simpleMessage("Trier"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Trier par"), - "sortNewestFirst": MessageLookupByLibrary.simpleMessage( - "Plus récent en premier", - ), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage( - "Plus ancien en premier", - ), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Succès"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": MessageLookupByLibrary.simpleMessage( - "Éclairage sur vous-même", - ), - "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( - "Démarrer la récupération", - ), - "startBackup": MessageLookupByLibrary.simpleMessage( - "Démarrer la sauvegarde", - ), - "status": MessageLookupByLibrary.simpleMessage("État"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "Voulez-vous arrêter la diffusion ?", - ), - "stopCastingTitle": MessageLookupByLibrary.simpleMessage( - "Arrêter la diffusion", - ), - "storage": MessageLookupByLibrary.simpleMessage("Stockage"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Famille"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Vous"), - "storageInGB": m93, - "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( - "Limite de stockage atteinte", - ), - "storageUsageInfo": m94, - "streamDetails": MessageLookupByLibrary.simpleMessage("Détails du stream"), - "strongStrength": MessageLookupByLibrary.simpleMessage("Forte"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("S\'abonner"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Vous avez besoin d\'un abonnement payant actif pour activer le partage.", - ), - "subscription": MessageLookupByLibrary.simpleMessage("Abonnement"), - "success": MessageLookupByLibrary.simpleMessage("Succès"), - "successfullyArchived": MessageLookupByLibrary.simpleMessage( - "Archivé avec succès", - ), - "successfullyHid": MessageLookupByLibrary.simpleMessage("Masquage réussi"), - "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( - "Désarchivé avec succès", - ), - "successfullyUnhid": MessageLookupByLibrary.simpleMessage( - "Masquage réussi", - ), - "suggestFeatures": MessageLookupByLibrary.simpleMessage( - "Suggérer une fonctionnalité", - ), - "sunrise": MessageLookupByLibrary.simpleMessage("À l\'horizon"), - "support": MessageLookupByLibrary.simpleMessage("Support"), - "syncProgress": m97, - "syncStopped": MessageLookupByLibrary.simpleMessage( - "Synchronisation arrêtée ?", - ), - "syncing": MessageLookupByLibrary.simpleMessage( - "En cours de synchronisation...", - ), - "systemTheme": MessageLookupByLibrary.simpleMessage("Système"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("taper pour copier"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage( - "Appuyez pour entrer le code", - ), - "tapToUnlock": MessageLookupByLibrary.simpleMessage( - "Appuyer pour déverrouiller", - ), - "tapToUpload": MessageLookupByLibrary.simpleMessage("Appuyer pour envoyer"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Il semble qu\'une erreur s\'est produite. Veuillez réessayer après un certain temps. Si l\'erreur persiste, veuillez contacter notre équipe d\'assistance.", - ), - "terminate": MessageLookupByLibrary.simpleMessage("Se déconnecter"), - "terminateSession": MessageLookupByLibrary.simpleMessage( - "Se déconnecter ?", - ), - "terms": MessageLookupByLibrary.simpleMessage("Conditions"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage( - "Conditions d\'utilisation", - ), - "thankYou": MessageLookupByLibrary.simpleMessage("Merci"), - "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( - "Merci de vous être abonné !", - ), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "Le téléchargement n\'a pas pu être terminé", - ), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "Le lien que vous essayez d\'accéder a expiré.", - ), - "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "Les groupes de personnes ne seront plus affichés dans la section personnes. Les photos resteront intactes.", - ), - "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "Les groupes de personnes ne seront plus affichés dans la section personnes. Les photos resteront intactes.", - ), - "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "La clé de récupération que vous avez entrée est incorrecte", - ), - "theme": MessageLookupByLibrary.simpleMessage("Thème"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Ces éléments seront supprimés de votre appareil.", - ), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "Ils seront supprimés de tous les albums.", - ), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Cette action ne peut pas être annulée", - ), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "Cet album a déjà un lien collaboratif", - ), - "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( - "Cela peut être utilisé pour récupérer votre compte si vous perdez votre deuxième facteur", - ), - "thisDevice": MessageLookupByLibrary.simpleMessage("Cet appareil"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "Cette adresse mail est déjà utilisé", - ), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Cette image n\'a pas de données exif", - ), - "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("C\'est moi !"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Ceci est votre ID de vérification", - ), - "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( - "Cette semaine au fil des années", - ), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Cela vous déconnectera de l\'appareil suivant :", - ), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Cela vous déconnectera de cet appareil !", - ), - "thisWillMakeTheDateAndTimeOfAllSelected": MessageLookupByLibrary.simpleMessage( - "Cela rendra la date et l\'heure identique à toutes les photos sélectionnées.", - ), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "Ceci supprimera les liens publics de tous les liens rapides sélectionnés.", - ), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "Pour activer le verrouillage de l\'application vous devez configurer le code d\'accès de l\'appareil ou le verrouillage de l\'écran dans les paramètres de votre système.", - ), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( - "Pour masquer une photo ou une vidéo:", - ), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Pour réinitialiser votre mot de passe, vérifiez d\'abord votre email.", - ), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Journaux du jour"), - "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( - "Trop de tentatives incorrectes", - ), - "total": MessageLookupByLibrary.simpleMessage("total"), - "totalSize": MessageLookupByLibrary.simpleMessage("Taille totale"), - "trash": MessageLookupByLibrary.simpleMessage("Corbeille"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Recadrer"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": MessageLookupByLibrary.simpleMessage( - "Contacts de confiance", - ), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Réessayer"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Activez la sauvegarde pour charger automatiquement sur Ente les fichiers ajoutés à ce dossier de l\'appareil.", - ), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "2 mois gratuits sur les forfaits annuels", - ), - "twofactor": MessageLookupByLibrary.simpleMessage( - "Authentification à deux facteurs (A2F)", - ), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "L\'authentification à deux facteurs a été désactivée", - ), - "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( - "Authentification à deux facteurs (A2F)", - ), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "L\'authentification à deux facteurs a été réinitialisée avec succès ", - ), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Configuration de l\'authentification à deux facteurs", - ), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("Désarchiver"), - "unarchiveAlbum": MessageLookupByLibrary.simpleMessage( - "Désarchiver l\'album", - ), - "unarchiving": MessageLookupByLibrary.simpleMessage( - "Désarchivage en cours...", - ), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Désolé, ce code n\'est pas disponible.", - ), - "uncategorized": MessageLookupByLibrary.simpleMessage("Aucune catégorie"), - "unhide": MessageLookupByLibrary.simpleMessage("Dévoiler"), - "unhideToAlbum": MessageLookupByLibrary.simpleMessage( - "Afficher dans l\'album", - ), - "unhiding": MessageLookupByLibrary.simpleMessage("Démasquage en cours..."), - "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Démasquage des fichiers vers l\'album", - ), - "unlock": MessageLookupByLibrary.simpleMessage("Déverrouiller"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("Désépingler l\'album"), - "unselectAll": MessageLookupByLibrary.simpleMessage("Désélectionner tout"), - "update": MessageLookupByLibrary.simpleMessage("Mise à jour"), - "updateAvailable": MessageLookupByLibrary.simpleMessage( - "Une mise à jour est disponible", - ), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Mise à jour de la sélection du dossier...", - ), - "upgrade": MessageLookupByLibrary.simpleMessage("Améliorer"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Envoi des fichiers vers l\'album...", - ), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( - "Sauvegarde d\'un souvenir...", - ), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "Jusqu\'à 50% de réduction, jusqu\'au 4ème déc.", - ), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "Le stockage gratuit possible est limité par votre offre actuelle. Vous pouvez au maximum doubler votre espace de stockage gratuitement, le stockage supplémentaire deviendra donc automatiquement utilisable lorsque vous mettrez à niveau votre offre.", - ), - "useAsCover": MessageLookupByLibrary.simpleMessage( - "Utiliser comme couverture", - ), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "Vous avez des difficultés pour lire cette vidéo ? Appuyez longuement ici pour essayer un autre lecteur.", - ), - "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Utilisez des liens publics pour les personnes qui ne sont pas sur Ente", - ), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Utiliser la clé de secours", - ), - "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( - "Utiliser la photo sélectionnée", - ), - "usedSpace": MessageLookupByLibrary.simpleMessage("Stockage utilisé"), - "validTill": m110, - "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "La vérification a échouée, veuillez réessayer", - ), - "verificationId": MessageLookupByLibrary.simpleMessage( - "ID de vérification", - ), - "verify": MessageLookupByLibrary.simpleMessage("Vérifier"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("Vérifier l\'email"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Vérifier"), - "verifyPasskey": MessageLookupByLibrary.simpleMessage( - "Vérifier la clé de sécurité", - ), - "verifyPassword": MessageLookupByLibrary.simpleMessage( - "Vérifier le mot de passe", - ), - "verifying": MessageLookupByLibrary.simpleMessage("Validation en cours..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Vérification de la clé de récupération...", - ), - "videoInfo": MessageLookupByLibrary.simpleMessage("Informations vidéo"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("vidéo"), - "videoStreaming": MessageLookupByLibrary.simpleMessage( - "Vidéos diffusables", - ), - "videos": MessageLookupByLibrary.simpleMessage("Vidéos"), - "viewActiveSessions": MessageLookupByLibrary.simpleMessage( - "Afficher les connexions actives", - ), - "viewAddOnButton": MessageLookupByLibrary.simpleMessage( - "Afficher les modules complémentaires", - ), - "viewAll": MessageLookupByLibrary.simpleMessage("Tout afficher"), - "viewAllExifData": MessageLookupByLibrary.simpleMessage( - "Visualiser toutes les données EXIF", - ), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage( - "Fichiers volumineux", - ), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Affichez les fichiers qui consomment le plus de stockage.", - ), - "viewLogs": MessageLookupByLibrary.simpleMessage("Afficher les journaux"), - "viewPersonToUnlink": m112, - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Voir la clé de récupération", - ), - "viewer": MessageLookupByLibrary.simpleMessage("Observateur"), - "viewersSuccessfullyAdded": m113, - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Vous pouvez gérer votre abonnement sur web.ente.io", - ), - "waitingForVerification": MessageLookupByLibrary.simpleMessage( - "En attente de vérification...", - ), - "waitingForWifi": MessageLookupByLibrary.simpleMessage( - "En attente de connexion Wi-Fi...", - ), - "warning": MessageLookupByLibrary.simpleMessage("Attention"), - "weAreOpenSource": MessageLookupByLibrary.simpleMessage( - "Nous sommes open source !", - ), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "Nous ne prenons pas en charge l\'édition des photos et des albums que vous ne possédez pas encore", - ), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Securité Faible"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("Bienvenue !"), - "whatsNew": MessageLookupByLibrary.simpleMessage("Nouveautés"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "Un contact de confiance peut vous aider à récupérer vos données.", - ), - "widgets": MessageLookupByLibrary.simpleMessage("Gadgets"), - "wishThemAHappyBirthday": m115, - "yearShort": MessageLookupByLibrary.simpleMessage("an"), - "yearly": MessageLookupByLibrary.simpleMessage("Annuel"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Oui"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Oui, annuler"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "Oui, convertir en observateur", - ), - "yesDelete": MessageLookupByLibrary.simpleMessage("Oui, supprimer"), - "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( - "Oui, ignorer les modifications", - ), - "yesIgnore": MessageLookupByLibrary.simpleMessage("Oui, ignorer"), - "yesLogout": MessageLookupByLibrary.simpleMessage("Oui, se déconnecter"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Oui, supprimer"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Oui, renouveler"), - "yesResetPerson": MessageLookupByLibrary.simpleMessage( - "Oui, réinitialiser la personne", - ), - "you": MessageLookupByLibrary.simpleMessage("Vous"), - "youAndThem": m117, - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( - "Vous êtes sur un plan familial !", - ), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Vous êtes sur la dernière version", - ), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Vous pouvez au maximum doubler votre espace de stockage", - ), - "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( - "Vous pouvez gérer vos liens dans l\'onglet Partage.", - ), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "Vous pouvez essayer de rechercher une autre requête.", - ), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "Vous ne pouvez pas rétrograder vers cette offre", - ), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Vous ne pouvez pas partager avec vous-même", - ), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "Vous n\'avez aucun élément archivé.", - ), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "Votre compte a été supprimé", - ), - "yourMap": MessageLookupByLibrary.simpleMessage("Votre carte"), - "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( - "Votre plan a été rétrogradé avec succès", - ), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "Votre offre a été mise à jour avec succès", - ), - "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( - "Votre achat a été effectué avec succès", - ), - "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( - "Vos informations de stockage n\'ont pas pu être récupérées", - ), - "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( - "Votre abonnement a expiré", - ), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "Votre abonnement a été mis à jour avec succès", - ), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "Votre code de vérification a expiré", - ), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage( - "Vous n\'avez aucun fichier dupliqué pouvant être nettoyé", - ), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "Vous n\'avez pas de fichiers dans cet album qui peuvent être supprimés", - ), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( - "Zoom en arrière pour voir les photos", - ), - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Une nouvelle version de Ente est disponible."), + "about": MessageLookupByLibrary.simpleMessage("À propos d\'Ente"), + "acceptTrustInvite": + MessageLookupByLibrary.simpleMessage("Accepter l\'invitation"), + "account": MessageLookupByLibrary.simpleMessage("Compte"), + "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( + "Le compte est déjà configuré."), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("Bon retour parmi nous !"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Je comprends que si je perds mon mot de passe, je perdrai mes données puisque mes données sont chiffrées de bout en bout."), + "actionNotSupportedOnFavouritesAlbum": + MessageLookupByLibrary.simpleMessage( + "Action non prise en charge sur l\'album des Favoris"), + "activeSessions": + MessageLookupByLibrary.simpleMessage("Sessions actives"), + "add": MessageLookupByLibrary.simpleMessage("Ajouter"), + "addAName": MessageLookupByLibrary.simpleMessage("Ajouter un nom"), + "addANewEmail": + MessageLookupByLibrary.simpleMessage("Ajouter un nouvel email"), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Ajoutez un gadget d\'album à votre écran d\'accueil et revenez ici pour le personnaliser."), + "addCollaborator": + MessageLookupByLibrary.simpleMessage("Ajouter un collaborateur"), + "addCollaborators": m1, + "addFiles": + MessageLookupByLibrary.simpleMessage("Ajouter des fichiers"), + "addFromDevice": + MessageLookupByLibrary.simpleMessage("Ajouter depuis l\'appareil"), + "addItem": m2, + "addLocation": + MessageLookupByLibrary.simpleMessage("Ajouter la localisation"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Ajouter"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Ajoutez un gadget des souvenirs à votre écran d\'accueil et revenez ici pour le personnaliser."), + "addMore": MessageLookupByLibrary.simpleMessage("Ajouter"), + "addName": MessageLookupByLibrary.simpleMessage("Ajouter un nom"), + "addNameOrMerge": + MessageLookupByLibrary.simpleMessage("Ajouter un nom ou fusionner"), + "addNew": MessageLookupByLibrary.simpleMessage("Ajouter un nouveau"), + "addNewPerson": MessageLookupByLibrary.simpleMessage( + "Ajouter une nouvelle personne"), + "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( + "Détails des modules complémentaires"), + "addOnValidTill": m3, + "addOns": + MessageLookupByLibrary.simpleMessage("Modules complémentaires"), + "addParticipants": + MessageLookupByLibrary.simpleMessage("Ajouter des participants"), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Ajoutez un gadget des personnes à votre écran d\'accueil et revenez ici pour le personnaliser."), + "addPhotos": MessageLookupByLibrary.simpleMessage("Ajouter des photos"), + "addSelected": + MessageLookupByLibrary.simpleMessage("Ajouter la sélection"), + "addToAlbum": + MessageLookupByLibrary.simpleMessage("Ajouter à l\'album"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Ajouter à Ente"), + "addToHiddenAlbum": + MessageLookupByLibrary.simpleMessage("Ajouter à un album masqué"), + "addTrustedContact": MessageLookupByLibrary.simpleMessage( + "Ajouter un contact de confiance"), + "addViewer": + MessageLookupByLibrary.simpleMessage("Ajouter un observateur"), + "addViewers": m4, + "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( + "Ajoutez vos photos maintenant"), + "addedAs": MessageLookupByLibrary.simpleMessage("Ajouté comme"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": + MessageLookupByLibrary.simpleMessage("Ajout aux favoris..."), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("Avancé"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Avancé"), + "after1Day": MessageLookupByLibrary.simpleMessage("Après 1 jour"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Après 1 heure"), + "after1Month": MessageLookupByLibrary.simpleMessage("Après 1 mois"), + "after1Week": MessageLookupByLibrary.simpleMessage("Après 1 semaine"), + "after1Year": MessageLookupByLibrary.simpleMessage("Après 1 an"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Propriétaire"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Titre de l\'album"), + "albumUpdated": + MessageLookupByLibrary.simpleMessage("Album mis à jour"), + "albums": MessageLookupByLibrary.simpleMessage("Albums"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Sélectionnez les personnes que vous souhaitez voir sur votre écran d\'accueil."), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Tout est effacé"), + "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( + "Tous les souvenirs sont sauvegardés"), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "Tous les groupements pour cette personne seront réinitialisés, et vous perdrez toutes les suggestions faites pour cette personne"), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "Tous les groupes sans nom seront fusionnés dans la personne sélectionnée. Cela peut toujours être annulé à partir de l\'historique des suggestions de la personne."), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "C\'est la première dans le groupe. Les autres photos sélectionnées se déplaceront automatiquement en fonction de cette nouvelle date"), + "allow": MessageLookupByLibrary.simpleMessage("Autoriser"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Autorisez les personnes ayant le lien à ajouter des photos dans l\'album partagé."), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( + "Autoriser l\'ajout de photos"), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "Autoriser l\'application à ouvrir les liens d\'albums partagés"), + "allowDownloads": MessageLookupByLibrary.simpleMessage( + "Autoriser les téléchargements"), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Autoriser les personnes à ajouter des photos"), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Veuillez autoriser dans les paramètres l\'accès à vos photos pour qu\'Ente puisse afficher et sauvegarder votre bibliothèque."), + "allowPermTitle": MessageLookupByLibrary.simpleMessage( + "Autoriser l\'accès aux photos"), + "androidBiometricHint": + MessageLookupByLibrary.simpleMessage("Vérifier l’identité"), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "Reconnaissance impossible. Réessayez."), + "androidBiometricRequiredTitle": + MessageLookupByLibrary.simpleMessage("Empreinte digitale requise"), + "androidBiometricSuccess": + MessageLookupByLibrary.simpleMessage("Succès"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Annuler"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage("Identifiants requis"), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage("Identifiants requis"), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "L\'authentification biométrique n\'est pas configurée sur votre appareil. Allez dans \'Paramètres > Sécurité\' pour ajouter l\'authentification biométrique."), + "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( + "Android, iOS, Web, Ordinateur"), + "androidSignInTitle": + MessageLookupByLibrary.simpleMessage("Authentification requise"), + "appIcon": MessageLookupByLibrary.simpleMessage("Icône de l\'appli"), + "appLock": MessageLookupByLibrary.simpleMessage( + "Verrouillage de l\'application"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Choisissez entre l\'écran de verrouillage par défaut de votre appareil et un écran de verrouillage personnalisé avec un code PIN ou un mot de passe."), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), + "apply": MessageLookupByLibrary.simpleMessage("Appliquer"), + "applyCodeTitle": + MessageLookupByLibrary.simpleMessage("Utiliser le code"), + "appstoreSubscription": + MessageLookupByLibrary.simpleMessage("Abonnement à l\'AppStore"), + "archive": MessageLookupByLibrary.simpleMessage("Archivée"), + "archiveAlbum": + MessageLookupByLibrary.simpleMessage("Archiver l\'album"), + "archiving": + MessageLookupByLibrary.simpleMessage("Archivage en cours..."), + "areThey": MessageLookupByLibrary.simpleMessage("Vraiment"), + "areYouSureRemoveThisFaceFromPerson": + MessageLookupByLibrary.simpleMessage( + "Êtes-vous sûr de vouloir retirer ce visage de cette personne ?"), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Êtes-vous certains de vouloir quitter le plan familial?"), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "Es-tu sûre de vouloir annuler?"), + "areYouSureYouWantToChangeYourPlan": + MessageLookupByLibrary.simpleMessage( + "Êtes-vous certains de vouloir changer d\'offre ?"), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "Êtes-vous sûr de vouloir quitter ?"), + "areYouSureYouWantToIgnoreThesePersons": + MessageLookupByLibrary.simpleMessage( + "Êtes-vous sûr de vouloir ignorer ces personnes ?"), + "areYouSureYouWantToIgnoreThisPerson": + MessageLookupByLibrary.simpleMessage( + "Êtes-vous sûr de vouloir ignorer cette personne ?"), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Voulez-vous vraiment vous déconnecter ?"), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "Êtes-vous sûr de vouloir les fusionner?"), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "Êtes-vous sûr de vouloir renouveler ?"), + "areYouSureYouWantToResetThisPerson": + MessageLookupByLibrary.simpleMessage( + "Êtes-vous certain de vouloir réinitialiser cette personne ?"), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "Votre abonnement a été annulé. Souhaitez-vous partager la raison ?"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Quelle est la principale raison pour laquelle vous supprimez votre compte ?"), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Demandez à vos proches de partager"), + "atAFalloutShelter": + MessageLookupByLibrary.simpleMessage("dans un abri antiatomique"), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Authentifiez-vous pour modifier l\'authentification à deux facteurs par email"), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Veuillez vous authentifier pour modifier les paramètres de l\'écran de verrouillage"), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Authentifiez-vous pour modifier votre adresse email"), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Veuillez vous authentifier pour modifier votre mot de passe"), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Veuillez vous authentifier pour configurer l\'authentification à deux facteurs"), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Veuillez vous authentifier pour débuter la suppression du compte"), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Veuillez vous authentifier pour gérer vos contacts de confiance"), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Veuillez vous authentifier pour afficher votre clé de récupération"), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Veuillez vous authentifier pour voir vos fichiers mis à la corbeille"), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Authentifiez-vous pour voir les connexions actives"), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Veuillez vous authentifier pour voir vos fichiers cachés"), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Authentifiez-vous pour voir vos souvenirs"), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Veuillez vous authentifier pour afficher votre clé de récupération"), + "authenticating": + MessageLookupByLibrary.simpleMessage("Authentification..."), + "authenticationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "L\'authentification a échouée, veuillez réessayer"), + "authenticationSuccessful": + MessageLookupByLibrary.simpleMessage("Authentification réussie!"), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Vous verrez ici les appareils Cast disponibles."), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Assurez-vous que les autorisations de réseau local sont activées pour l\'application Ente Photos, dans les paramètres."), + "autoLock": + MessageLookupByLibrary.simpleMessage("Verrouillage automatique"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Délai après lequel l\'application se verrouille une fois qu\'elle est en arrière-plan"), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "En raison d\'un problème technique, vous avez été déconnecté. Veuillez nous excuser pour le désagrément."), + "autoPair": + MessageLookupByLibrary.simpleMessage("Appairage automatique"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "L\'appairage automatique ne fonctionne qu\'avec les appareils qui prennent en charge Chromecast."), + "available": MessageLookupByLibrary.simpleMessage("Disponible"), + "availableStorageSpace": m10, + "backedUpFolders": + MessageLookupByLibrary.simpleMessage("Dossiers sauvegardés"), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("Sauvegarde"), + "backupFailed": + MessageLookupByLibrary.simpleMessage("Échec de la sauvegarde"), + "backupFile": + MessageLookupByLibrary.simpleMessage("Sauvegarder le fichier"), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Sauvegarder avec les données mobiles"), + "backupSettings": + MessageLookupByLibrary.simpleMessage("Paramètres de la sauvegarde"), + "backupStatus": + MessageLookupByLibrary.simpleMessage("État de la sauvegarde"), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Les éléments qui ont été sauvegardés apparaîtront ici"), + "backupVideos": + MessageLookupByLibrary.simpleMessage("Sauvegarde des vidéos"), + "beach": MessageLookupByLibrary.simpleMessage("Sable et mer"), + "birthday": MessageLookupByLibrary.simpleMessage("Anniversaire"), + "birthdayNotifications": MessageLookupByLibrary.simpleMessage( + "Notifications d’anniversaire"), + "birthdays": MessageLookupByLibrary.simpleMessage("Anniversaires"), + "blackFridaySale": + MessageLookupByLibrary.simpleMessage("Offre Black Friday"), + "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cLDesc1": MessageLookupByLibrary.simpleMessage( + "Derrière la version beta du streaming vidéo, tout en travaillant sur la reprise des chargements et téléchargements, nous avons maintenant augmenté la limite de téléchargement de fichiers à 10 Go. Ceci est maintenant disponible dans les applications bureau et mobiles."), + "cLDesc2": MessageLookupByLibrary.simpleMessage( + "Les chargements en arrière-plan sont maintenant pris en charge sur iOS, en plus des appareils Android. Inutile d\'ouvrir l\'application pour sauvegarder vos dernières photos et vidéos."), + "cLDesc3": MessageLookupByLibrary.simpleMessage( + "Nous avons apporté des améliorations significatives à l\'expérience des souvenirs, comme la lecture automatique, la glisse vers le souvenir suivant et bien plus encore."), + "cLDesc4": MessageLookupByLibrary.simpleMessage( + "Avec un tas d\'améliorations sous le capot, il est maintenant beaucoup plus facile de voir tous les visages détectés, mettre des commentaires sur des visages similaires, et ajouter/supprimer des visages depuis une seule photo."), + "cLDesc5": MessageLookupByLibrary.simpleMessage( + "Vous recevrez maintenant une notification de désinscription pour tous les anniversaires que vous avez enregistrés sur Ente, ainsi qu\'une collection de leurs meilleures photos."), + "cLDesc6": MessageLookupByLibrary.simpleMessage( + "Plus besoin d\'attendre la fin des chargements/téléchargements avant de pouvoir fermer l\'application. Tous peuvent maintenant être mis en pause en cours de route et reprendre à partir de là où ça s\'est arrêté."), + "cLTitle1": MessageLookupByLibrary.simpleMessage( + "Envoi de gros fichiers vidéo"), + "cLTitle2": + MessageLookupByLibrary.simpleMessage("Charger en arrière-plan"), + "cLTitle3": MessageLookupByLibrary.simpleMessage( + "Lecture automatique des souvenirs"), + "cLTitle4": MessageLookupByLibrary.simpleMessage( + "Amélioration de la reconnaissance faciale"), + "cLTitle5": MessageLookupByLibrary.simpleMessage( + "Notifications d’anniversaire"), + "cLTitle6": MessageLookupByLibrary.simpleMessage( + "Reprise des chargements et téléchargements"), + "cachedData": + MessageLookupByLibrary.simpleMessage("Données mises en cache"), + "calculating": + MessageLookupByLibrary.simpleMessage("Calcul en cours..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Désolé, cet album ne peut pas être ouvert dans l\'application."), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( + "Impossible d\'ouvrir cet album"), + "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( + "Impossible de télécharger dans les albums appartenant à d\'autres personnes"), + "canOnlyCreateLinkForFilesOwnedByYou": + MessageLookupByLibrary.simpleMessage( + "Ne peut créer de lien que pour les fichiers que vous possédez"), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Vous ne pouvez supprimer que les fichiers que vous possédez"), + "cancel": MessageLookupByLibrary.simpleMessage("Annuler"), + "cancelAccountRecovery": + MessageLookupByLibrary.simpleMessage("Annuler la récupération"), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "Êtes-vous sûr de vouloir annuler la récupération ?"), + "cancelOtherSubscription": m12, + "cancelSubscription": + MessageLookupByLibrary.simpleMessage("Annuler l\'abonnement"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Les fichiers partagés ne peuvent pas être supprimés"), + "castAlbum": MessageLookupByLibrary.simpleMessage("Caster l\'album"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Veuillez vous assurer que vous êtes sur le même réseau que la TV."), + "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( + "Échec de la diffusion de l\'album"), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Visitez cast.ente.io sur l\'appareil que vous voulez associer.\n\nEntrez le code ci-dessous pour lire l\'album sur votre TV."), + "centerPoint": MessageLookupByLibrary.simpleMessage("Point central"), + "change": MessageLookupByLibrary.simpleMessage("Modifier"), + "changeEmail": + MessageLookupByLibrary.simpleMessage("Modifier l\'e-mail"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Changer l\'emplacement des éléments sélectionnés ?"), + "changePassword": + MessageLookupByLibrary.simpleMessage("Modifier le mot de passe"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("Modifier le mot de passe"), + "changePermissions": + MessageLookupByLibrary.simpleMessage("Modifier les permissions ?"), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Modifier votre code de parrainage"), + "checkForUpdates": + MessageLookupByLibrary.simpleMessage("Vérifier les mises à jour"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Consultez votre boîte de réception (et les indésirables) pour finaliser la vérification"), + "checkStatus": + MessageLookupByLibrary.simpleMessage("Vérifier le statut"), + "checking": MessageLookupByLibrary.simpleMessage("Vérification..."), + "checkingModels": + MessageLookupByLibrary.simpleMessage("Vérification des modèles..."), + "city": MessageLookupByLibrary.simpleMessage("Dans la ville"), + "claimFreeStorage": + MessageLookupByLibrary.simpleMessage("Obtenez du stockage gratuit"), + "claimMore": MessageLookupByLibrary.simpleMessage("Réclamez plus !"), + "claimed": MessageLookupByLibrary.simpleMessage("Obtenu"), + "claimedStorageSoFar": m14, + "cleanUncategorized": MessageLookupByLibrary.simpleMessage( + "Effacer les éléments non classés"), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Supprimer tous les fichiers non-catégorisés étant présents dans d\'autres albums"), + "clearCaches": + MessageLookupByLibrary.simpleMessage("Nettoyer le cache"), + "clearIndexes": + MessageLookupByLibrary.simpleMessage("Effacer les index"), + "click": MessageLookupByLibrary.simpleMessage("• Cliquez sur"), + "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( + "• Cliquez sur le menu de débordement"), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Cliquez pour installer notre meilleure version"), + "close": MessageLookupByLibrary.simpleMessage("Fermer"), + "clubByCaptureTime": + MessageLookupByLibrary.simpleMessage("Grouper par durée"), + "clubByFileName": + MessageLookupByLibrary.simpleMessage("Grouper par nom de fichier"), + "clusteringProgress": + MessageLookupByLibrary.simpleMessage("Progression du regroupement"), + "codeAppliedPageTitle": + MessageLookupByLibrary.simpleMessage("Code appliqué"), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Désolé, vous avez atteint la limite de changements de code."), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Code copié dans le presse-papiers"), + "codeUsedByYou": + MessageLookupByLibrary.simpleMessage("Code utilisé par vous"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Créez un lien pour permettre aux personnes d\'ajouter et de voir des photos dans votre album partagé sans avoir besoin d\'une application Ente ou d\'un compte. Idéal pour récupérer des photos d\'événement."), + "collaborativeLink": + MessageLookupByLibrary.simpleMessage("Lien collaboratif"), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Collaborateur"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Les collaborateurs peuvent ajouter des photos et des vidéos à l\'album partagé."), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("Disposition"), + "collageSaved": MessageLookupByLibrary.simpleMessage( + "Collage sauvegardé dans la galerie"), + "collect": MessageLookupByLibrary.simpleMessage("Récupérer"), + "collectEventPhotos": MessageLookupByLibrary.simpleMessage( + "Collecter les photos d\'un événement"), + "collectPhotos": + MessageLookupByLibrary.simpleMessage("Récupérer les photos"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Créez un lien où vos amis peuvent ajouter des photos en qualité originale."), + "color": MessageLookupByLibrary.simpleMessage("Couleur "), + "configuration": MessageLookupByLibrary.simpleMessage("Paramètres"), + "confirm": MessageLookupByLibrary.simpleMessage("Confirmer"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Voulez-vous vraiment désactiver l\'authentification à deux facteurs ?"), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Confirmer la suppression du compte"), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Oui, je veux supprimer définitivement ce compte et ses données dans toutes les applications."), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("Confirmer le mot de passe"), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage( + "Confirmer le changement de l\'offre"), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Confirmer la clé de récupération"), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Confirmer la clé de récupération"), + "connectToDevice": + MessageLookupByLibrary.simpleMessage("Connexion à l\'appareil"), + "contactFamilyAdmin": m18, + "contactSupport": + MessageLookupByLibrary.simpleMessage("Contacter l\'assistance"), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Contacts"), + "contents": MessageLookupByLibrary.simpleMessage("Contenus"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Continuer"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "Poursuivre avec la version d\'essai gratuite"), + "convertToAlbum": + MessageLookupByLibrary.simpleMessage("Convertir en album"), + "copyEmailAddress": + MessageLookupByLibrary.simpleMessage("Copier l’adresse email"), + "copyLink": MessageLookupByLibrary.simpleMessage("Copier le lien"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Copiez-collez ce code\ndans votre application d\'authentification"), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "Nous n\'avons pas pu sauvegarder vos données.\nNous allons réessayer plus tard."), + "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( + "Impossible de libérer de l\'espace"), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Impossible de mettre à jour l’abonnement"), + "count": MessageLookupByLibrary.simpleMessage("Total"), + "crashReporting": + MessageLookupByLibrary.simpleMessage("Rapport d\'erreur"), + "create": MessageLookupByLibrary.simpleMessage("Créer"), + "createAccount": + MessageLookupByLibrary.simpleMessage("Créer un compte"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Appuyez longuement pour sélectionner des photos et cliquez sur + pour créer un album"), + "createCollaborativeLink": + MessageLookupByLibrary.simpleMessage("Créer un lien collaboratif"), + "createCollage": + MessageLookupByLibrary.simpleMessage("Créez un collage"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("Créer un nouveau compte"), + "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( + "Créez ou sélectionnez un album"), + "createPublicLink": + MessageLookupByLibrary.simpleMessage("Créer un lien public"), + "creatingLink": + MessageLookupByLibrary.simpleMessage("Création du lien..."), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "Mise à jour critique disponible"), + "crop": MessageLookupByLibrary.simpleMessage("Rogner"), + "curatedMemories": + MessageLookupByLibrary.simpleMessage("Souvenirs conservés"), + "currentUsageIs": MessageLookupByLibrary.simpleMessage( + "L\'utilisation actuelle est de "), + "currentlyRunning": + MessageLookupByLibrary.simpleMessage("en cours d\'exécution"), + "custom": MessageLookupByLibrary.simpleMessage("Personnaliser"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Sombre"), + "dayToday": MessageLookupByLibrary.simpleMessage("Aujourd\'hui"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Hier"), + "declineTrustInvite": + MessageLookupByLibrary.simpleMessage("Refuser l’invitation"), + "decrypting": + MessageLookupByLibrary.simpleMessage("Déchiffrement en cours..."), + "decryptingVideo": MessageLookupByLibrary.simpleMessage( + "Déchiffrement de la vidéo..."), + "deduplicateFiles": + MessageLookupByLibrary.simpleMessage("Déduplication de fichiers"), + "delete": MessageLookupByLibrary.simpleMessage("Supprimer"), + "deleteAccount": + MessageLookupByLibrary.simpleMessage("Supprimer mon compte"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Nous sommes désolés de vous voir partir. N\'hésitez pas à partager vos commentaires pour nous aider à nous améliorer."), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Supprimer définitivement le compte"), + "deleteAlbum": + MessageLookupByLibrary.simpleMessage("Supprimer l\'album"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Supprimer aussi les photos (et vidéos) présentes dans cet album de tous les autres albums dont elles font partie ?"), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "Ceci supprimera tous les albums vides. Ceci est utile lorsque vous voulez réduire l\'encombrement dans votre liste d\'albums."), + "deleteAll": MessageLookupByLibrary.simpleMessage("Tout Supprimer"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "Ce compte est lié à d\'autres applications Ente, si vous en utilisez une. Vos données téléchargées, dans toutes les applications ente, seront planifiées pour suppression, et votre compte sera définitivement supprimé."), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Veuillez envoyer un e-mail à account-deletion@ente.io à partir de votre adresse e-mail enregistrée."), + "deleteEmptyAlbums": + MessageLookupByLibrary.simpleMessage("Supprimer les albums vides"), + "deleteEmptyAlbumsWithQuestionMark": + MessageLookupByLibrary.simpleMessage( + "Supprimer les albums vides ?"), + "deleteFromBoth": + MessageLookupByLibrary.simpleMessage("Supprimer des deux"), + "deleteFromDevice": + MessageLookupByLibrary.simpleMessage("Supprimer de l\'appareil"), + "deleteFromEnte": + MessageLookupByLibrary.simpleMessage("Supprimer de Ente"), + "deleteItemCount": m21, + "deleteLocation": + MessageLookupByLibrary.simpleMessage("Supprimer la localisation"), + "deleteMultipleAlbumDialog": m22, + "deletePhotos": + MessageLookupByLibrary.simpleMessage("Supprimer des photos"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Il manque une fonction clé dont j\'ai besoin"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "L\'application ou une certaine fonctionnalité ne se comporte pas comme je pense qu\'elle devrait"), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "J\'ai trouvé un autre service que je préfère"), + "deleteReason4": + MessageLookupByLibrary.simpleMessage("Ma raison n\'est pas listée"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Votre demande sera traitée sous 72 heures."), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Supprimer l\'album partagé ?"), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "L\'album sera supprimé pour tout le monde\n\nVous perdrez l\'accès aux photos partagées dans cet album qui sont détenues par d\'autres personnes"), + "deselectAll": + MessageLookupByLibrary.simpleMessage("Tout déselectionner"), + "designedToOutlive": + MessageLookupByLibrary.simpleMessage("Conçu pour survivre"), + "details": MessageLookupByLibrary.simpleMessage("Détails"), + "developerSettings": + MessageLookupByLibrary.simpleMessage("Paramètres du développeur"), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Êtes-vous sûr de vouloir modifier les paramètres du développeur ?"), + "deviceCodeHint": + MessageLookupByLibrary.simpleMessage("Saisissez le code"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "Les fichiers ajoutés à cet album seront automatiquement téléchargés sur Ente."), + "deviceLock": MessageLookupByLibrary.simpleMessage( + "Verrouillage par défaut de l\'appareil"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Désactiver le verrouillage de l\'écran lorsque Ente est au premier plan et qu\'une sauvegarde est en cours. Ce n\'est normalement pas nécessaire mais cela peut faciliter les gros téléchargements et les premières importations de grandes bibliothèques."), + "deviceNotFound": + MessageLookupByLibrary.simpleMessage("Appareil non trouvé"), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Le savais-tu ?"), + "different": MessageLookupByLibrary.simpleMessage("Différent(e)"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage( + "Désactiver le verrouillage automatique"), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Les observateurs peuvent toujours prendre des captures d\'écran ou enregistrer une copie de vos photos en utilisant des outils externes"), + "disableDownloadWarningTitle": + MessageLookupByLibrary.simpleMessage("Veuillez remarquer"), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "Désactiver l\'authentification à deux facteurs"), + "disablingTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Désactivation de l\'authentification à deux facteurs..."), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Découverte"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Bébés"), + "discover_celebrations": MessageLookupByLibrary.simpleMessage("Fêtes"), + "discover_food": MessageLookupByLibrary.simpleMessage("Alimentation"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Plantes"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Montagnes"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Identité"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Mèmes"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Notes"), + "discover_pets": + MessageLookupByLibrary.simpleMessage("Animaux de compagnie"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Recettes"), + "discover_screenshots": + MessageLookupByLibrary.simpleMessage("Captures d\'écran "), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfies"), + "discover_sunset": + MessageLookupByLibrary.simpleMessage("Coucher du soleil"), + "discover_visiting_cards": + MessageLookupByLibrary.simpleMessage("Carte de Visite"), + "discover_wallpapers": + MessageLookupByLibrary.simpleMessage("Fonds d\'écran"), + "dismiss": MessageLookupByLibrary.simpleMessage("Rejeter"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": + MessageLookupByLibrary.simpleMessage("Ne pas se déconnecter"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Plus tard"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Voulez-vous annuler les modifications que vous avez faites ?"), + "done": MessageLookupByLibrary.simpleMessage("Terminé"), + "dontSave": MessageLookupByLibrary.simpleMessage("Ne pas enregistrer"), + "doubleYourStorage": MessageLookupByLibrary.simpleMessage( + "Doublez votre espace de stockage"), + "download": MessageLookupByLibrary.simpleMessage("Télécharger"), + "downloadFailed": + MessageLookupByLibrary.simpleMessage("Échec du téléchargement"), + "downloading": + MessageLookupByLibrary.simpleMessage("Téléchargement en cours..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Éditer"), + "editEmailAlreadyLinked": m28, + "editLocation": + MessageLookupByLibrary.simpleMessage("Modifier l’emplacement"), + "editLocationTagTitle": + MessageLookupByLibrary.simpleMessage("Modifier l’emplacement"), + "editPerson": + MessageLookupByLibrary.simpleMessage("Modifier la personne"), + "editTime": MessageLookupByLibrary.simpleMessage("Modifier l\'heure"), + "editsSaved": + MessageLookupByLibrary.simpleMessage("Modification sauvegardée"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Les modifications de l\'emplacement ne seront visibles que dans Ente"), + "eligible": MessageLookupByLibrary.simpleMessage("éligible"), + "email": MessageLookupByLibrary.simpleMessage("E-mail"), + "emailAlreadyRegistered": + MessageLookupByLibrary.simpleMessage("Email déjà enregistré."), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": + MessageLookupByLibrary.simpleMessage("E-mail non enregistré."), + "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( + "Authentification à deux facteurs par email"), + "emailYourLogs": MessageLookupByLibrary.simpleMessage( + "Envoyez vos journaux par email"), + "embracingThem": m32, + "emergencyContacts": + MessageLookupByLibrary.simpleMessage("Contacts d\'urgence"), + "empty": MessageLookupByLibrary.simpleMessage("Vider"), + "emptyTrash": + MessageLookupByLibrary.simpleMessage("Vider la corbeille ?"), + "enable": MessageLookupByLibrary.simpleMessage("Activer"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "Ente prend en charge l\'apprentissage automatique sur l\'appareil pour la reconnaissance des visages, la recherche magique et d\'autres fonctionnalités de recherche avancée"), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Activer l\'apprentissage automatique pour la reconnaissance des visages et la recherche magique"), + "enableMaps": MessageLookupByLibrary.simpleMessage("Activer la carte"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "Vos photos seront affichées sur une carte du monde.\n\nCette carte est hébergée par Open Street Map, et les emplacements exacts de vos photos ne sont jamais partagés.\n\nVous pouvez désactiver cette fonction à tout moment dans les Paramètres."), + "enabled": MessageLookupByLibrary.simpleMessage("Activé"), + "encryptingBackup": MessageLookupByLibrary.simpleMessage( + "Chiffrement de la sauvegarde..."), + "encryption": MessageLookupByLibrary.simpleMessage("Chiffrement"), + "encryptionKeys": + MessageLookupByLibrary.simpleMessage("Clés de chiffrement"), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Point de terminaison mis à jour avec succès"), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Chiffrement de bout en bout par défaut"), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente peut chiffrer et conserver des fichiers que si vous leur accordez l\'accès"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente a besoin d\'une autorisation pour préserver vos photos"), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "Ente conserve vos souvenirs pour qu\'ils soient toujours disponible, même si vous perdez cet appareil."), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Vous pouvez également ajouter votre famille à votre forfait."), + "enterAlbumName": + MessageLookupByLibrary.simpleMessage("Saisir un nom d\'album"), + "enterCode": MessageLookupByLibrary.simpleMessage("Entrer le code"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Entrez le code fourni par votre ami·e pour débloquer l\'espace de stockage gratuit"), + "enterDateOfBirth": + MessageLookupByLibrary.simpleMessage("Anniversaire (facultatif)"), + "enterEmail": MessageLookupByLibrary.simpleMessage("Entrer un email"), + "enterFileName": + MessageLookupByLibrary.simpleMessage("Entrez le nom du fichier"), + "enterName": MessageLookupByLibrary.simpleMessage("Saisir un nom"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Saisissez votre nouveau mot de passe qui sera utilisé pour chiffrer vos données"), + "enterPassword": + MessageLookupByLibrary.simpleMessage("Saisissez le mot de passe"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Entrez un mot de passe que nous pouvons utiliser pour chiffrer vos données"), + "enterPersonName": MessageLookupByLibrary.simpleMessage( + "Entrez le nom d\'une personne"), + "enterPin": MessageLookupByLibrary.simpleMessage("Saisir le code PIN"), + "enterReferralCode": + MessageLookupByLibrary.simpleMessage("Code de parrainage"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Entrez le code à 6 chiffres de\nvotre application d\'authentification"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Veuillez entrer une adresse email valide."), + "enterYourEmailAddress": + MessageLookupByLibrary.simpleMessage("Entrez votre adresse e-mail"), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Entrez votre nouvelle adresse e-mail"), + "enterYourPassword": + MessageLookupByLibrary.simpleMessage("Entrez votre mot de passe"), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Entrez votre clé de récupération"), + "error": MessageLookupByLibrary.simpleMessage("Erreur"), + "everywhere": MessageLookupByLibrary.simpleMessage("partout"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": + MessageLookupByLibrary.simpleMessage("Utilisateur existant"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Ce lien a expiré. Veuillez sélectionner un nouveau délai d\'expiration ou désactiver l\'expiration du lien."), + "exportLogs": MessageLookupByLibrary.simpleMessage("Exporter les logs"), + "exportYourData": + MessageLookupByLibrary.simpleMessage("Exportez vos données"), + "extraPhotosFound": MessageLookupByLibrary.simpleMessage( + "Photos supplémentaires trouvées"), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Ce visage n\'a pas encore été regroupé, veuillez revenir plus tard"), + "faceRecognition": + MessageLookupByLibrary.simpleMessage("Reconnaissance faciale"), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "Impossible de créer des miniatures de visage"), + "faces": MessageLookupByLibrary.simpleMessage("Visages"), + "failed": MessageLookupByLibrary.simpleMessage("Échec"), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage( + "Impossible d\'appliquer le code"), + "failedToCancel": + MessageLookupByLibrary.simpleMessage("Échec de l\'annulation"), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( + "Échec du téléchargement de la vidéo"), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Impossible de récupérer les connexions actives"), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Impossible de récupérer l\'original pour l\'édition"), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Impossible de récupérer les détails du parrainage. Veuillez réessayer plus tard."), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "Impossible de charger les albums"), + "failedToPlayVideo": + MessageLookupByLibrary.simpleMessage("Impossible de lire la vidéo"), + "failedToRefreshStripeSubscription": + MessageLookupByLibrary.simpleMessage( + "Impossible de rafraîchir l\'abonnement"), + "failedToRenew": + MessageLookupByLibrary.simpleMessage("Échec du renouvellement"), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Échec de la vérification du statut du paiement"), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Ajoutez 5 membres de votre famille à votre abonnement existant sans payer de supplément.\n\nChaque membre dispose de son propre espace privé et ne peut pas voir les fichiers des autres membres, sauf s\'ils sont partagés.\n\nLes abonnement familiaux sont disponibles pour les clients qui ont un abonnement Ente payant.\n\nAbonnez-vous maintenant pour commencer !"), + "familyPlanPortalTitle": + MessageLookupByLibrary.simpleMessage("Famille"), + "familyPlans": + MessageLookupByLibrary.simpleMessage("Abonnements famille"), + "faq": MessageLookupByLibrary.simpleMessage("FAQ"), + "faqs": MessageLookupByLibrary.simpleMessage("FAQ"), + "favorite": MessageLookupByLibrary.simpleMessage("Favori"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("Commentaires"), + "file": MessageLookupByLibrary.simpleMessage("Fichier"), + "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage( + "Impossible d\'analyser le fichier"), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Échec de l\'enregistrement dans la galerie"), + "fileInfoAddDescHint": + MessageLookupByLibrary.simpleMessage("Ajouter une description..."), + "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( + "Le fichier n\'a pas encore été envoyé"), + "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Fichier enregistré dans la galerie"), + "fileTypes": MessageLookupByLibrary.simpleMessage("Types de fichiers"), + "fileTypesAndNames": + MessageLookupByLibrary.simpleMessage("Types et noms de fichiers"), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": + MessageLookupByLibrary.simpleMessage("Fichiers supprimés"), + "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Fichiers enregistrés dans la galerie"), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "Trouver des personnes rapidement par leur nom"), + "findThemQuickly": + MessageLookupByLibrary.simpleMessage("Trouvez-les rapidement"), + "flip": MessageLookupByLibrary.simpleMessage("Retourner"), + "food": MessageLookupByLibrary.simpleMessage("Plaisir culinaire"), + "forYourMemories": + MessageLookupByLibrary.simpleMessage("pour vos souvenirs"), + "forgotPassword": + MessageLookupByLibrary.simpleMessage("Mot de passe oublié"), + "foundFaces": MessageLookupByLibrary.simpleMessage("Visages trouvés"), + "freeStorageClaimed": + MessageLookupByLibrary.simpleMessage("Stockage gratuit obtenu"), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": + MessageLookupByLibrary.simpleMessage("Stockage gratuit disponible"), + "freeTrial": MessageLookupByLibrary.simpleMessage("Essai gratuit"), + "freeTrialValidTill": m38, + "freeUpAccessPostDelete": m39, + "freeUpAmount": m40, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( + "Libérer de l\'espace sur l\'appareil"), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Économisez de l\'espace sur votre appareil en effaçant les fichiers qui ont déjà été sauvegardés."), + "freeUpSpace": + MessageLookupByLibrary.simpleMessage("Libérer de l\'espace"), + "freeUpSpaceSaving": m41, + "gallery": MessageLookupByLibrary.simpleMessage("Galerie"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "Jusqu\'à 1000 souvenirs affichés dans la galerie"), + "general": MessageLookupByLibrary.simpleMessage("Général"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Génération des clés de chiffrement..."), + "genericProgress": m42, + "goToSettings": + MessageLookupByLibrary.simpleMessage("Allez aux réglages"), + "googlePlayId": + MessageLookupByLibrary.simpleMessage("Identifiant Google Play"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Veuillez autoriser l’accès à toutes les photos dans les paramètres"), + "grantPermission": + MessageLookupByLibrary.simpleMessage("Accorder la permission"), + "greenery": MessageLookupByLibrary.simpleMessage("La vie au vert"), + "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( + "Grouper les photos à proximité"), + "guestView": MessageLookupByLibrary.simpleMessage("Vue invité"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "Pour activer la vue invité, veuillez configurer le code d\'accès de l\'appareil ou le verrouillage de l\'écran dans les paramètres de votre système."), + "happyBirthday": + MessageLookupByLibrary.simpleMessage("Joyeux anniversaire ! 🥳"), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "Nous ne suivons pas les installations d\'applications. Il serait utile que vous nous disiez comment vous nous avez trouvés !"), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Comment avez-vous entendu parler de Ente? (facultatif)"), + "help": MessageLookupByLibrary.simpleMessage("Documentation"), + "hidden": MessageLookupByLibrary.simpleMessage("Masqué"), + "hide": MessageLookupByLibrary.simpleMessage("Masquer"), + "hideContent": + MessageLookupByLibrary.simpleMessage("Masquer le contenu"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Masque le contenu de l\'application dans le sélecteur d\'applications et désactive les captures d\'écran"), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Masque le contenu de l\'application dans le sélecteur d\'application"), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Masquer les éléments partagés avec vous dans la galerie"), + "hiding": MessageLookupByLibrary.simpleMessage("Masquage en cours..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": + MessageLookupByLibrary.simpleMessage("Hébergé chez OSM France"), + "howItWorks": + MessageLookupByLibrary.simpleMessage("Comment cela fonctionne"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Demandez-leur d\'appuyer longuement sur leur adresse email dans l\'écran des paramètres pour vérifier que les identifiants des deux appareils correspondent."), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "L\'authentification biométrique n\'est pas configurée sur votre appareil. Veuillez activer Touch ID ou Face ID sur votre téléphone."), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "L\'authentification biométrique est désactivée. Veuillez verrouiller et déverrouiller votre écran pour l\'activer."), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("Ok"), + "ignore": MessageLookupByLibrary.simpleMessage("Ignorer"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorer"), + "ignored": MessageLookupByLibrary.simpleMessage("ignoré"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Certains fichiers de cet album sont ignorés parce qu\'ils avaient été précédemment supprimés de Ente."), + "imageNotAnalyzed": + MessageLookupByLibrary.simpleMessage("Image non analysée"), + "immediately": MessageLookupByLibrary.simpleMessage("Immédiatement"), + "importing": + MessageLookupByLibrary.simpleMessage("Importation en cours..."), + "incorrectCode": + MessageLookupByLibrary.simpleMessage("Code non valide"), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("Mot de passe incorrect"), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Clé de récupération non valide"), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "La clé de secours que vous avez entrée est incorrecte"), + "incorrectRecoveryKeyTitle": + MessageLookupByLibrary.simpleMessage("Clé de secours non valide"), + "indexedItems": + MessageLookupByLibrary.simpleMessage("Éléments indexés"), + "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( + "L\'indexation est en pause. Elle reprendra automatiquement lorsque l\'appareil sera prêt. Celui-ci est considéré comme prêt lorsque le niveau de batterie, sa santé et son état thermique sont dans une plage saine."), + "ineligible": MessageLookupByLibrary.simpleMessage("Non compatible"), + "info": MessageLookupByLibrary.simpleMessage("Info"), + "insecureDevice": + MessageLookupByLibrary.simpleMessage("Appareil non sécurisé"), + "installManually": + MessageLookupByLibrary.simpleMessage("Installation manuelle"), + "invalidEmailAddress": + MessageLookupByLibrary.simpleMessage("Adresse e-mail invalide"), + "invalidEndpoint": MessageLookupByLibrary.simpleMessage( + "Point de terminaison non valide"), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Désolé, le point de terminaison que vous avez entré n\'est pas valide. Veuillez en entrer un valide puis réessayez."), + "invalidKey": MessageLookupByLibrary.simpleMessage("Clé invalide"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "La clé de récupération que vous avez saisie n\'est pas valide. Veuillez vérifier qu\'elle contient 24 caractères et qu\'ils sont correctement orthographiés.\n\nSi vous avez saisi un ancien code de récupération, veuillez vérifier qu\'il contient 64 caractères et qu\'ils sont correctement orthographiés."), + "invite": MessageLookupByLibrary.simpleMessage("Inviter"), + "inviteToEnte": + MessageLookupByLibrary.simpleMessage("Inviter à rejoindre Ente"), + "inviteYourFriends": + MessageLookupByLibrary.simpleMessage("Parrainez vos ami·e·s"), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "Invitez vos ami·e·s sur Ente"), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Il semble qu\'une erreur s\'est produite. Veuillez réessayer après un certain temps. Si l\'erreur persiste, veuillez contacter notre équipe d\'assistance."), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "Les éléments montrent le nombre de jours restants avant la suppression définitive"), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Les éléments sélectionnés seront supprimés de cet album"), + "join": MessageLookupByLibrary.simpleMessage("Rejoindre"), + "joinAlbum": MessageLookupByLibrary.simpleMessage("Rejoindre l\'album"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "Rejoindre un album rendra votre e-mail visible à ses participants."), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( + "pour afficher et ajouter vos photos"), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "pour ajouter ceci aux albums partagés"), + "joinDiscord": + MessageLookupByLibrary.simpleMessage("Rejoindre Discord"), + "keepPhotos": + MessageLookupByLibrary.simpleMessage("Conserver les photos"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Merci de nous aider avec cette information"), + "language": MessageLookupByLibrary.simpleMessage("Langue"), + "lastTimeWithThem": m45, + "lastUpdated": + MessageLookupByLibrary.simpleMessage("Dernière mise à jour"), + "lastYearsTrip": + MessageLookupByLibrary.simpleMessage("Voyage de l\'an dernier"), + "leave": MessageLookupByLibrary.simpleMessage("Quitter"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Quitter l\'album"), + "leaveFamily": + MessageLookupByLibrary.simpleMessage("Quitter le plan familial"), + "leaveSharedAlbum": + MessageLookupByLibrary.simpleMessage("Quitter l\'album partagé?"), + "left": MessageLookupByLibrary.simpleMessage("Gauche"), + "legacy": MessageLookupByLibrary.simpleMessage("Héritage"), + "legacyAccounts": + MessageLookupByLibrary.simpleMessage("Comptes hérités"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "L\'héritage permet aux contacts de confiance d\'accéder à votre compte en votre absence."), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "Ces contacts peuvent initier la récupération du compte et, s\'ils ne sont pas bloqués dans les 30 jours qui suivent, peuvent réinitialiser votre mot de passe et accéder à votre compte."), + "light": MessageLookupByLibrary.simpleMessage("Clair"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Clair"), + "link": MessageLookupByLibrary.simpleMessage("Lier"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Lien copié dans le presse-papiers"), + "linkDeviceLimit": + MessageLookupByLibrary.simpleMessage("Limite d\'appareil"), + "linkEmail": MessageLookupByLibrary.simpleMessage("Lier l\'email"), + "linkEmailToContactBannerCaption": + MessageLookupByLibrary.simpleMessage("pour un partage plus rapide"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Activé"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Expiré"), + "linkExpiresOn": m47, + "linkExpiry": + MessageLookupByLibrary.simpleMessage("Expiration du lien"), + "linkHasExpired": + MessageLookupByLibrary.simpleMessage("Le lien a expiré"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Jamais"), + "linkPerson": MessageLookupByLibrary.simpleMessage("Lier la personne"), + "linkPersonCaption": MessageLookupByLibrary.simpleMessage( + "pour une meilleure expérience de partage"), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("Photos en direct"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "Vous pouvez partager votre abonnement avec votre famille"), + "loadMessage2": MessageLookupByLibrary.simpleMessage( + "Nous avons préservé plus de 200 millions de souvenirs jusqu\'à présent"), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "Nous conservons 3 copies de vos données, l\'une dans un abri anti-atomique"), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "Toutes nos applications sont open source"), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Notre code source et notre cryptographie ont été audités en externe"), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "Vous pouvez partager des liens vers vos albums avec vos proches"), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Nos applications mobiles s\'exécutent en arrière-plan pour chiffrer et sauvegarder automatiquement les nouvelles photos que vous prenez"), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io dispose d\'un outil de téléchargement facile à utiliser"), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Nous utilisons Xchacha20Poly1305 pour chiffrer vos données en toute sécurité"), + "loadingExifData": MessageLookupByLibrary.simpleMessage( + "Chargement des données EXIF..."), + "loadingGallery": + MessageLookupByLibrary.simpleMessage("Chargement de la galerie..."), + "loadingMessage": + MessageLookupByLibrary.simpleMessage("Chargement de vos photos..."), + "loadingModel": MessageLookupByLibrary.simpleMessage( + "Téléchargement des modèles..."), + "loadingYourPhotos": + MessageLookupByLibrary.simpleMessage("Chargement de vos photos..."), + "localGallery": MessageLookupByLibrary.simpleMessage("Galerie locale"), + "localIndexing": + MessageLookupByLibrary.simpleMessage("Indexation locale"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Il semble que quelque chose s\'est mal passé car la synchronisation des photos locales prend plus de temps que prévu. Veuillez contacter notre équipe d\'assistance"), + "location": MessageLookupByLibrary.simpleMessage("Emplacement"), + "locationName": MessageLookupByLibrary.simpleMessage("Nom du lieu"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Un tag d\'emplacement regroupe toutes les photos qui ont été prises dans un certain rayon d\'une photo"), + "locations": MessageLookupByLibrary.simpleMessage("Emplacements"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Verrouiller"), + "lockscreen": + MessageLookupByLibrary.simpleMessage("Écran de verrouillage"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Se connecter"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Deconnexion..."), + "loginSessionExpired": + MessageLookupByLibrary.simpleMessage("Session expirée"), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "Votre session a expiré. Veuillez vous reconnecter."), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "En cliquant sur connecter, j\'accepte les conditions d\'utilisation et la politique de confidentialité"), + "loginWithTOTP": + MessageLookupByLibrary.simpleMessage("Se connecter avec TOTP"), + "logout": MessageLookupByLibrary.simpleMessage("Déconnexion"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "Les journaux seront envoyés pour nous aider à déboguer votre problème. Les noms de fichiers seront inclus pour aider à identifier les problèmes."), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Appuyez longuement sur un email pour vérifier le chiffrement de bout en bout."), + "longpressOnAnItemToViewInFullscreen": + MessageLookupByLibrary.simpleMessage( + "Appuyez longuement sur un élément pour le voir en plein écran"), + "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( + "Regarde tes souvenirs passés 🌄"), + "loopVideoOff": + MessageLookupByLibrary.simpleMessage("Vidéo en boucle désactivée"), + "loopVideoOn": + MessageLookupByLibrary.simpleMessage("Vidéo en boucle activée"), + "lostDevice": MessageLookupByLibrary.simpleMessage("Appareil perdu ?"), + "machineLearning": MessageLookupByLibrary.simpleMessage( + "Apprentissage automatique (IA locale)"), + "magicSearch": + MessageLookupByLibrary.simpleMessage("Recherche magique"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "La recherche magique permet de rechercher des photos par leur contenu, par exemple \'fleur\', \'voiture rouge\', \'documents d\'identité\'"), + "manage": MessageLookupByLibrary.simpleMessage("Gérer"), + "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( + "Gérer le cache de l\'appareil"), + "manageDeviceStorageDesc": + MessageLookupByLibrary.simpleMessage("Examiner et vider le cache."), + "manageFamily": + MessageLookupByLibrary.simpleMessage("Gérer la famille"), + "manageLink": MessageLookupByLibrary.simpleMessage("Gérer le lien"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Gérer"), + "manageSubscription": + MessageLookupByLibrary.simpleMessage("Gérer l\'abonnement"), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "L\'appairage avec le code PIN fonctionne avec n\'importe quel écran sur lequel vous souhaitez voir votre album."), + "map": MessageLookupByLibrary.simpleMessage("Carte"), + "maps": MessageLookupByLibrary.simpleMessage("Carte"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("Moi"), + "memories": MessageLookupByLibrary.simpleMessage("Souvenirs"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Sélectionnez le type de souvenirs que vous souhaitez voir sur votre écran d\'accueil."), + "memoryCount": m50, + "merchandise": MessageLookupByLibrary.simpleMessage("Boutique"), + "merge": MessageLookupByLibrary.simpleMessage("Fusionner"), + "mergeWithExisting": + MessageLookupByLibrary.simpleMessage("Fusionner avec existant"), + "mergedPhotos": + MessageLookupByLibrary.simpleMessage("Photos fusionnées"), + "mlConsent": MessageLookupByLibrary.simpleMessage( + "Activer l\'apprentissage automatique"), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Je comprends et je souhaite activer l\'apprentissage automatique"), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Si vous activez l\'apprentissage automatique Ente extraira des informations comme la géométrie des visages, y compris dans les photos partagées avec vous. \nCela se fera localement sur votre appareil et avec un chiffrement bout-en-bout de toutes les données biométriques générées."), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Veuillez cliquer ici pour plus de détails sur cette fonctionnalité dans notre politique de confidentialité"), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "Activer l\'apprentissage automatique ?"), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Veuillez noter que l\'apprentissage automatique entraînera une augmentation de l\'utilisation de la connexion Internet et de la batterie jusqu\'à ce que tous les souvenirs soient indexés. \nVous pouvez utiliser l\'application de bureau Ente pour accélérer cette étape, tous les résultats seront synchronisés."), + "mobileWebDesktop": + MessageLookupByLibrary.simpleMessage("Mobile, Web, Ordinateur"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Moyen"), + "modifyYourQueryOrTrySearchingFor": + MessageLookupByLibrary.simpleMessage( + "Modifiez votre requête, ou essayez de rechercher"), + "moments": MessageLookupByLibrary.simpleMessage("Souvenirs"), + "month": MessageLookupByLibrary.simpleMessage("mois"), + "monthly": MessageLookupByLibrary.simpleMessage("Mensuel"), + "moon": MessageLookupByLibrary.simpleMessage("Au clair de lune"), + "moreDetails": MessageLookupByLibrary.simpleMessage("Plus de détails"), + "mostRecent": MessageLookupByLibrary.simpleMessage("Les plus récents"), + "mostRelevant": + MessageLookupByLibrary.simpleMessage("Les plus pertinents"), + "mountains": + MessageLookupByLibrary.simpleMessage("Au-dessus des collines"), + "moveItem": m51, + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "Déplacer les photos sélectionnées vers une date"), + "moveToAlbum": + MessageLookupByLibrary.simpleMessage("Déplacer vers l\'album"), + "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Déplacer vers un album masqué"), + "movedSuccessfullyTo": m52, + "movedToTrash": + MessageLookupByLibrary.simpleMessage("Déplacé dans la corbeille"), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Déplacement des fichiers vers l\'album..."), + "name": MessageLookupByLibrary.simpleMessage("Nom"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Nommez l\'album"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Impossible de se connecter à Ente, veuillez réessayer après un certain temps. Si l\'erreur persiste, veuillez contacter le support."), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Impossible de se connecter à Ente, veuillez vérifier vos paramètres réseau et contacter le support si l\'erreur persiste."), + "never": MessageLookupByLibrary.simpleMessage("Jamais"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Nouvel album"), + "newLocation": MessageLookupByLibrary.simpleMessage("Nouveau lieu"), + "newPerson": MessageLookupByLibrary.simpleMessage("Nouvelle personne"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" nouveau 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("Nouvelle plage"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Nouveau sur Ente"), + "newest": MessageLookupByLibrary.simpleMessage("Le plus récent"), + "next": MessageLookupByLibrary.simpleMessage("Suivant"), + "no": MessageLookupByLibrary.simpleMessage("Non"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Aucun album que vous avez partagé"), + "noDeviceFound": + MessageLookupByLibrary.simpleMessage("Aucun appareil trouvé"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Aucune"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "Vous n\'avez pas de fichiers sur cet appareil qui peuvent être supprimés"), + "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Aucun doublon"), + "noEnteAccountExclamation": + MessageLookupByLibrary.simpleMessage("Aucun compte Ente !"), + "noExifData": + MessageLookupByLibrary.simpleMessage("Aucune donnée EXIF"), + "noFacesFound": + MessageLookupByLibrary.simpleMessage("Aucun visage détecté"), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "Aucune photo ou vidéo masquée"), + "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( + "Aucune image avec localisation"), + "noInternetConnection": + MessageLookupByLibrary.simpleMessage("Aucune connexion internet"), + "noPhotosAreBeingBackedUpRightNow": + MessageLookupByLibrary.simpleMessage( + "Aucune photo en cours de sauvegarde"), + "noPhotosFoundHere": + MessageLookupByLibrary.simpleMessage("Aucune photo trouvée"), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( + "Aucun lien rapide sélectionné"), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Aucune clé de récupération ?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "En raison de notre protocole de chiffrement de bout en bout, vos données ne peuvent pas être déchiffré sans votre mot de passe ou clé de récupération"), + "noResults": MessageLookupByLibrary.simpleMessage("Aucun résultat"), + "noResultsFound": + MessageLookupByLibrary.simpleMessage("Aucun résultat trouvé"), + "noSuggestionsForPerson": m53, + "noSystemLockFound": + MessageLookupByLibrary.simpleMessage("Aucun verrou système trouvé"), + "notPersonLabel": m54, + "notThisPerson": MessageLookupByLibrary.simpleMessage( + "Ce n\'est pas cette personne ?"), + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "Rien n\'a encore été partagé avec vous"), + "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( + "Il n\'y a encore rien à voir ici 👀"), + "notifications": MessageLookupByLibrary.simpleMessage("Notifications"), + "ok": MessageLookupByLibrary.simpleMessage("Ok"), + "onDevice": MessageLookupByLibrary.simpleMessage("Sur votre appareil"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "Sur Ente"), + "onTheRoad": + MessageLookupByLibrary.simpleMessage("De nouveau sur la route"), + "onThisDay": MessageLookupByLibrary.simpleMessage("Ce jour-ci"), + "onThisDayMemories": + MessageLookupByLibrary.simpleMessage("Souvenirs du jour"), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "Recevoir des rappels sur les souvenirs de cette journée des années précédentes."), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Seulement eux"), + "oops": MessageLookupByLibrary.simpleMessage("Oups"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Oups, impossible d\'enregistrer les modifications"), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Oups, une erreur est arrivée"), + "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( + "Ouvrir l\'album dans le navigateur"), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Veuillez utiliser l\'application web pour ajouter des photos à cet album"), + "openFile": MessageLookupByLibrary.simpleMessage("Ouvrir le fichier"), + "openSettings": + MessageLookupByLibrary.simpleMessage("Ouvrir les paramètres"), + "openTheItem": + MessageLookupByLibrary.simpleMessage("• Ouvrir l\'élément"), + "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( + "Contributeurs d\'OpenStreetMap"), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Optionnel, aussi court que vous le souhaitez..."), + "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( + "Ou fusionner avec une personne existante"), + "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( + "Ou sélectionner un email existant"), + "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( + "ou choisissez parmi vos contacts"), + "otherDetectedFaces": + MessageLookupByLibrary.simpleMessage("Autres visages détectés"), + "pair": MessageLookupByLibrary.simpleMessage("Associer"), + "pairWithPin": + MessageLookupByLibrary.simpleMessage("Appairer avec le code PIN"), + "pairingComplete": + MessageLookupByLibrary.simpleMessage("Appairage terminé"), + "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), + "partyWithThem": m56, + "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( + "La vérification est toujours en attente"), + "passkey": MessageLookupByLibrary.simpleMessage( + "Authentification à deux facteurs avec une clé de sécurité"), + "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( + "Vérification de la clé de sécurité"), + "password": MessageLookupByLibrary.simpleMessage("Mot de passe"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Le mot de passe a été modifié"), + "passwordLock": MessageLookupByLibrary.simpleMessage( + "Verrouillage par mot de passe"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "La force du mot de passe est calculée en tenant compte de la longueur du mot de passe, des caractères utilisés et du fait que le mot de passe figure ou non parmi les 10 000 mots de passe les plus utilisés"), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Nous ne stockons pas ce mot de passe, donc si vous l\'oubliez, nous ne pouvons pas déchiffrer vos données"), + "pastYearsMemories": MessageLookupByLibrary.simpleMessage( + "Souvenirs de ces dernières années"), + "paymentDetails": + MessageLookupByLibrary.simpleMessage("Détails de paiement"), + "paymentFailed": + MessageLookupByLibrary.simpleMessage("Échec du paiement"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "Malheureusement votre paiement a échoué. Veuillez contacter le support et nous vous aiderons !"), + "paymentFailedTalkToProvider": m58, + "pendingItems": + MessageLookupByLibrary.simpleMessage("Éléments en attente"), + "pendingSync": + MessageLookupByLibrary.simpleMessage("Synchronisation en attente"), + "people": MessageLookupByLibrary.simpleMessage("Personnes"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Filleul·e·s utilisant votre code"), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Sélectionnez les personnes que vous souhaitez voir sur votre écran d\'accueil."), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Tous les éléments de la corbeille seront définitivement supprimés\n\nCette action ne peut pas être annulée"), + "permanentlyDelete": + MessageLookupByLibrary.simpleMessage("Supprimer définitivement"), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Supprimer définitivement de l\'appareil ?"), + "personIsAge": m59, + "personName": + MessageLookupByLibrary.simpleMessage("Nom de la personne"), + "personTurningAge": m60, + "pets": + MessageLookupByLibrary.simpleMessage("Compagnons à quatre pattes"), + "photoDescriptions": + MessageLookupByLibrary.simpleMessage("Descriptions de la photo"), + "photoGridSize": + MessageLookupByLibrary.simpleMessage("Taille de la grille photo"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("photo"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("Photos"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "Les photos ajoutées par vous seront retirées de l\'album"), + "photosCount": m62, + "photosKeepRelativeTimeDifference": + MessageLookupByLibrary.simpleMessage( + "Les photos gardent une différence de temps relative"), + "pickCenterPoint": MessageLookupByLibrary.simpleMessage( + "Sélectionner le point central"), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Épingler l\'album"), + "pinLock": + MessageLookupByLibrary.simpleMessage("Verrouillage par code PIN"), + "playOnTv": + MessageLookupByLibrary.simpleMessage("Lire l\'album sur la TV"), + "playOriginal": + MessageLookupByLibrary.simpleMessage("Lire l\'original"), + "playStoreFreeTrialValidTill": m63, + "playStream": MessageLookupByLibrary.simpleMessage("Lire le stream"), + "playstoreSubscription": + MessageLookupByLibrary.simpleMessage("Abonnement au PlayStore"), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "S\'il vous plaît, vérifiez votre connexion à internet et réessayez."), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Veuillez contacter support@ente.io et nous serons heureux de vous aider!"), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Merci de contacter l\'assistance si cette erreur persiste"), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( + "Veuillez accorder la permission"), + "pleaseLoginAgain": + MessageLookupByLibrary.simpleMessage("Veuillez vous reconnecter"), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Veuillez sélectionner les liens rapides à supprimer"), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": + MessageLookupByLibrary.simpleMessage("Veuillez réessayer"), + "pleaseVerifyTheCodeYouHaveEntered": + MessageLookupByLibrary.simpleMessage( + "Veuillez vérifier le code que vous avez entré"), + "pleaseWait": + MessageLookupByLibrary.simpleMessage("Veuillez patienter..."), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Veuillez patienter, suppression de l\'album"), + "pleaseWaitForSometimeBeforeRetrying": + MessageLookupByLibrary.simpleMessage( + "Veuillez attendre quelque temps avant de réessayer"), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "Veuillez patienter, cela prendra un peu de temps."), + "posingWithThem": m66, + "preparingLogs": + MessageLookupByLibrary.simpleMessage("Préparation des journaux..."), + "preserveMore": MessageLookupByLibrary.simpleMessage("Conserver plus"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Appuyez et maintenez enfoncé pour lire la vidéo"), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Maintenez appuyé sur l\'image pour lire la vidéo"), + "previous": MessageLookupByLibrary.simpleMessage("Précédent"), + "privacy": MessageLookupByLibrary.simpleMessage( + "Politique de confidentialité"), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "Politique de Confidentialité"), + "privateBackups": + MessageLookupByLibrary.simpleMessage("Sauvegardes privées"), + "privateSharing": MessageLookupByLibrary.simpleMessage("Partage privé"), + "proceed": MessageLookupByLibrary.simpleMessage("Procéder"), + "processed": MessageLookupByLibrary.simpleMessage("Appris"), + "processing": + MessageLookupByLibrary.simpleMessage("Traitement en cours"), + "processingImport": m67, + "processingVideos": + MessageLookupByLibrary.simpleMessage("Traitement des vidéos"), + "publicLinkCreated": + MessageLookupByLibrary.simpleMessage("Lien public créé"), + "publicLinkEnabled": + MessageLookupByLibrary.simpleMessage("Lien public activé"), + "questionmark": MessageLookupByLibrary.simpleMessage("?"), + "queued": MessageLookupByLibrary.simpleMessage("En file d\'attente"), + "quickLinks": MessageLookupByLibrary.simpleMessage("Liens rapides"), + "radius": MessageLookupByLibrary.simpleMessage("Rayon"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Créer un ticket"), + "rateTheApp": + MessageLookupByLibrary.simpleMessage("Évaluer l\'application"), + "rateUs": MessageLookupByLibrary.simpleMessage("Évaluez-nous"), + "rateUsOnStore": m68, + "reassignMe": + MessageLookupByLibrary.simpleMessage("Réassigner \"Moi\""), + "reassignedToName": m69, + "reassigningLoading": + MessageLookupByLibrary.simpleMessage("Réassignation..."), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Recevoir des rappels quand c\'est l\'anniversaire de quelqu\'un. Appuyer sur la notification vous amènera à des photos de son anniversaire."), + "recover": MessageLookupByLibrary.simpleMessage("Récupérer"), + "recoverAccount": + MessageLookupByLibrary.simpleMessage("Récupérer un compte"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Restaurer"), + "recoveryAccount": + MessageLookupByLibrary.simpleMessage("Récupérer un compte"), + "recoveryInitiated": + MessageLookupByLibrary.simpleMessage("Récupération initiée"), + "recoveryInitiatedDesc": m70, + "recoveryKey": MessageLookupByLibrary.simpleMessage("Clé de secours"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Clé de secours copiée dans le presse-papiers"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Si vous oubliez votre mot de passe, la seule façon de récupérer vos données sera grâce à cette clé."), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Nous ne la stockons pas, veuillez la conserver en lieu endroit sûr."), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Génial ! Votre clé de récupération est valide. Merci de votre vérification.\n\nN\'oubliez pas de garder votre clé de récupération sauvegardée."), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Clé de récupération vérifiée"), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Votre clé de récupération est la seule façon de récupérer vos photos si vous oubliez votre mot de passe. Vous pouvez trouver votre clé de récupération dans Paramètres > Compte.\n\nVeuillez saisir votre clé de récupération ici pour vous assurer de l\'avoir enregistré correctement."), + "recoveryReady": m71, + "recoverySuccessful": + MessageLookupByLibrary.simpleMessage("Restauration réussie !"), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "Un contact de confiance tente d\'accéder à votre compte"), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "L\'appareil actuel n\'est pas assez puissant pour vérifier votre mot de passe, mais nous pouvons le régénérer d\'une manière qui fonctionne avec tous les appareils.\n\nVeuillez vous connecter à l\'aide de votre clé de secours et régénérer votre mot de passe (vous pouvez réutiliser le même si vous le souhaitez)."), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("Recréer le mot de passe"), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": + MessageLookupByLibrary.simpleMessage("Ressaisir le mot de passe"), + "reenterPin": + MessageLookupByLibrary.simpleMessage("Ressaisir le code PIN"), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Parrainez vos ami·e·s et doublez votre stockage"), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Donnez ce code à vos ami·e·s"), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Ils souscrivent à une offre payante"), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Parrainages"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "Les recommandations sont actuellement en pause"), + "rejectRecovery": + MessageLookupByLibrary.simpleMessage("Rejeter la récupération"), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "Également vide \"récemment supprimé\" de \"Paramètres\" -> \"Stockage\" pour réclamer l\'espace libéré"), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Vide aussi votre \"Corbeille\" pour réclamer l\'espace libéré"), + "remoteImages": + MessageLookupByLibrary.simpleMessage("Images distantes"), + "remoteThumbnails": + MessageLookupByLibrary.simpleMessage("Miniatures distantes"), + "remoteVideos": + MessageLookupByLibrary.simpleMessage("Vidéos distantes"), + "remove": MessageLookupByLibrary.simpleMessage("Supprimer"), + "removeDuplicates": + MessageLookupByLibrary.simpleMessage("Supprimer les doublons"), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Examinez et supprimez les fichiers étant des doublons exacts."), + "removeFromAlbum": + MessageLookupByLibrary.simpleMessage("Retirer de l\'album"), + "removeFromAlbumTitle": + MessageLookupByLibrary.simpleMessage("Retirer de l\'album ?"), + "removeFromFavorite": + MessageLookupByLibrary.simpleMessage("Retirer des favoris"), + "removeInvite": + MessageLookupByLibrary.simpleMessage("Supprimer l’Invitation"), + "removeLink": MessageLookupByLibrary.simpleMessage("Supprimer le lien"), + "removeParticipant": + MessageLookupByLibrary.simpleMessage("Supprimer le participant"), + "removeParticipantBody": m74, + "removePersonLabel": MessageLookupByLibrary.simpleMessage( + "Supprimer le libellé d\'une personne"), + "removePublicLink": + MessageLookupByLibrary.simpleMessage("Supprimer le lien public"), + "removePublicLinks": + MessageLookupByLibrary.simpleMessage("Supprimer les liens publics"), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Certains des éléments que vous êtes en train de retirer ont été ajoutés par d\'autres personnes, vous perdrez l\'accès vers ces éléments"), + "removeWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Enlever?"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Retirez-vous comme contact de confiance"), + "removingFromFavorites": + MessageLookupByLibrary.simpleMessage("Suppression des favoris…"), + "rename": MessageLookupByLibrary.simpleMessage("Renommer"), + "renameAlbum": + MessageLookupByLibrary.simpleMessage("Renommer l\'album"), + "renameFile": + MessageLookupByLibrary.simpleMessage("Renommer le fichier"), + "renewSubscription": + MessageLookupByLibrary.simpleMessage("Renouveler l’abonnement"), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Signaler un bogue"), + "reportBug": MessageLookupByLibrary.simpleMessage("Signaler un bogue"), + "resendEmail": + MessageLookupByLibrary.simpleMessage("Renvoyer l\'email"), + "reset": MessageLookupByLibrary.simpleMessage("Réinitialiser"), + "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( + "Réinitialiser les fichiers ignorés"), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Réinitialiser le mot de passe"), + "resetPerson": MessageLookupByLibrary.simpleMessage("Réinitialiser"), + "resetToDefault": MessageLookupByLibrary.simpleMessage( + "Réinitialiser aux valeurs par défaut"), + "restore": MessageLookupByLibrary.simpleMessage("Restaurer"), + "restoreToAlbum": + MessageLookupByLibrary.simpleMessage("Restaurer vers l\'album"), + "restoringFiles": MessageLookupByLibrary.simpleMessage( + "Restauration des fichiers..."), + "resumableUploads": MessageLookupByLibrary.simpleMessage( + "Reprise automatique des transferts"), + "retry": MessageLookupByLibrary.simpleMessage("Réessayer"), + "review": MessageLookupByLibrary.simpleMessage("Suggestions"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Veuillez vérifier et supprimer les éléments que vous croyez dupliqués."), + "reviewSuggestions": + MessageLookupByLibrary.simpleMessage("Examiner les suggestions"), + "right": MessageLookupByLibrary.simpleMessage("Droite"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("Pivoter"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Pivoter à gauche"), + "rotateRight": + MessageLookupByLibrary.simpleMessage("Faire pivoter à droite"), + "safelyStored": + MessageLookupByLibrary.simpleMessage("Stockage sécurisé"), + "same": MessageLookupByLibrary.simpleMessage("Identique"), + "sameperson": MessageLookupByLibrary.simpleMessage("Même personne ?"), + "save": MessageLookupByLibrary.simpleMessage("Sauvegarder"), + "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage( + "Enregistrer comme une autre personne"), + "saveChangesBeforeLeavingQuestion": + MessageLookupByLibrary.simpleMessage( + "Enregistrer les modifications avant de quitter ?"), + "saveCollage": + MessageLookupByLibrary.simpleMessage("Enregistrer le collage"), + "saveCopy": + MessageLookupByLibrary.simpleMessage("Enregistrer une copie"), + "saveKey": MessageLookupByLibrary.simpleMessage("Enregistrer la clé"), + "savePerson": + MessageLookupByLibrary.simpleMessage("Enregistrer la personne"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Enregistrez votre clé de récupération si vous ne l\'avez pas déjà fait"), + "saving": MessageLookupByLibrary.simpleMessage("Enregistrement..."), + "savingEdits": MessageLookupByLibrary.simpleMessage( + "Enregistrement des modifications..."), + "scanCode": MessageLookupByLibrary.simpleMessage("Scanner le code"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Scannez ce code-barres avec\nvotre application d\'authentification"), + "search": MessageLookupByLibrary.simpleMessage("Rechercher"), + "searchAlbumsEmptySection": + MessageLookupByLibrary.simpleMessage("Albums"), + "searchByAlbumNameHint": + MessageLookupByLibrary.simpleMessage("Nom de l\'album"), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Noms d\'albums (par exemple \"Caméra\")\n• Types de fichiers (par exemple \"Vidéos\", \".gif\")\n• Années et mois (par exemple \"2022\", \"Janvier\")\n• Vacances (par exemple \"Noël\")\n• Descriptions de photos (par exemple \"#fun\")"), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Ajoutez des descriptions comme \"#trip\" dans les infos photo pour les retrouver ici plus rapidement"), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Recherche par date, mois ou année"), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "Les images seront affichées ici une fois le traitement terminé"), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "Les personnes seront affichées ici une fois l\'indexation terminée"), + "searchFileTypesAndNamesEmptySection": + MessageLookupByLibrary.simpleMessage("Types et noms de fichiers"), + "searchHint1": MessageLookupByLibrary.simpleMessage( + "Recherche rapide, sur l\'appareil"), + "searchHint2": MessageLookupByLibrary.simpleMessage( + "Dates des photos, descriptions"), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "Albums, noms de fichiers et types"), + "searchHint4": MessageLookupByLibrary.simpleMessage("Emplacement"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "Bientôt: Visages & recherche magique ✨"), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Grouper les photos qui sont prises dans un certain angle d\'une photo"), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "Invitez quelqu\'un·e et vous verrez ici toutes les photos partagées"), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "Les personnes seront affichées ici une fois le traitement terminé"), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Sécurité"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "Ouvrir les liens des albums publics dans l\'application"), + "selectALocation": + MessageLookupByLibrary.simpleMessage("Sélectionnez un emplacement"), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage( + "Sélectionnez d\'abord un emplacement"), + "selectAlbum": + MessageLookupByLibrary.simpleMessage("Sélectionner album"), + "selectAll": MessageLookupByLibrary.simpleMessage("Tout sélectionner"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("Tout"), + "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( + "Sélectionnez la photo de couverture"), + "selectDate": + MessageLookupByLibrary.simpleMessage("Sélectionner la date"), + "selectFoldersForBackup": + MessageLookupByLibrary.simpleMessage("Dossiers à sauvegarder"), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "Sélectionner les éléments à ajouter"), + "selectLanguage": + MessageLookupByLibrary.simpleMessage("Sélectionnez une langue"), + "selectMailApp": MessageLookupByLibrary.simpleMessage( + "Sélectionnez l\'application mail"), + "selectMorePhotos": + MessageLookupByLibrary.simpleMessage("Sélectionner plus de photos"), + "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( + "Sélectionner une date et une heure"), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "Sélectionnez une date et une heure pour tous"), + "selectPersonToLink": MessageLookupByLibrary.simpleMessage( + "Sélectionnez la personne à associer"), + "selectReason": + MessageLookupByLibrary.simpleMessage("Sélectionnez une raison"), + "selectStartOfRange": MessageLookupByLibrary.simpleMessage( + "Sélectionner le début de la plage"), + "selectTime": + MessageLookupByLibrary.simpleMessage("Sélectionner l\'heure"), + "selectYourFace": + MessageLookupByLibrary.simpleMessage("Sélectionnez votre visage"), + "selectYourPlan": + MessageLookupByLibrary.simpleMessage("Sélectionner votre offre"), + "selectedAlbums": m79, + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Les fichiers sélectionnés ne sont pas sur Ente"), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Les dossiers sélectionnés seront chiffrés et sauvegardés"), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Les éléments sélectionnés seront supprimés de tous les albums et déplacés dans la corbeille."), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "Les éléments sélectionnés seront retirés de cette personne, mais pas supprimés de votre bibliothèque."), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("Envoyer"), + "sendEmail": MessageLookupByLibrary.simpleMessage("Envoyer un e-mail"), + "sendInvite": + MessageLookupByLibrary.simpleMessage("Envoyer Invitations"), + "sendLink": MessageLookupByLibrary.simpleMessage("Envoyer le lien"), + "serverEndpoint": MessageLookupByLibrary.simpleMessage( + "Point de terminaison serveur"), + "sessionExpired": + MessageLookupByLibrary.simpleMessage("Session expirée"), + "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( + "Incompatibilité de l\'ID de session"), + "setAPassword": + MessageLookupByLibrary.simpleMessage("Définir un mot de passe"), + "setAs": MessageLookupByLibrary.simpleMessage("Définir comme"), + "setCover": + MessageLookupByLibrary.simpleMessage("Définir la couverture"), + "setLabel": MessageLookupByLibrary.simpleMessage("Définir"), + "setNewPassword": MessageLookupByLibrary.simpleMessage( + "Définir un nouveau mot de passe"), + "setNewPin": + MessageLookupByLibrary.simpleMessage("Définir un nouveau code PIN"), + "setPasswordTitle": + MessageLookupByLibrary.simpleMessage("Définir le mot de passe"), + "setRadius": MessageLookupByLibrary.simpleMessage("Définir le rayon"), + "setupComplete": + MessageLookupByLibrary.simpleMessage("Configuration terminée"), + "share": MessageLookupByLibrary.simpleMessage("Partager"), + "shareALink": MessageLookupByLibrary.simpleMessage("Partager le lien"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Ouvrez un album et appuyez sur le bouton de partage en haut à droite pour le partager."), + "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( + "Partagez un album maintenant"), + "shareLink": MessageLookupByLibrary.simpleMessage("Partager le lien"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Partagez uniquement avec les personnes que vous souhaitez"), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Téléchargez Ente pour pouvoir facilement partager des photos et vidéos en qualité originale\n\nhttps://ente.io"), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Partager avec des utilisateurs non-Ente"), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( + "Partagez votre premier album"), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Créez des albums partagés et collaboratifs avec d\'autres utilisateurs de Ente, y compris des utilisateurs ayant des plans gratuits."), + "sharedByMe": MessageLookupByLibrary.simpleMessage("Partagé par moi"), + "sharedByYou": MessageLookupByLibrary.simpleMessage("Partagé par vous"), + "sharedPhotoNotifications": + MessageLookupByLibrary.simpleMessage("Nouvelles photos partagées"), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Recevoir des notifications quand quelqu\'un·e ajoute une photo à un album partagé dont vous faites partie"), + "sharedWith": m87, + "sharedWithMe": + MessageLookupByLibrary.simpleMessage("Partagés avec moi"), + "sharedWithYou": + MessageLookupByLibrary.simpleMessage("Partagé avec vous"), + "sharing": MessageLookupByLibrary.simpleMessage("Partage..."), + "shiftDatesAndTime": + MessageLookupByLibrary.simpleMessage("Dates et heure de décalage"), + "showLessFaces": + MessageLookupByLibrary.simpleMessage("Afficher moins de visages"), + "showMemories": + MessageLookupByLibrary.simpleMessage("Afficher les souvenirs"), + "showMoreFaces": + MessageLookupByLibrary.simpleMessage("Afficher plus de visages"), + "showPerson": + MessageLookupByLibrary.simpleMessage("Montrer la personne"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "Se déconnecter d\'autres appareils"), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Si vous pensez que quelqu\'un peut connaître votre mot de passe, vous pouvez forcer tous les autres appareils utilisant votre compte à se déconnecter."), + "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( + "Déconnecter les autres appareils"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "J\'accepte les conditions d\'utilisation et la politique de confidentialité"), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Elle sera supprimée de tous les albums."), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Ignorer"), + "smartMemories": + MessageLookupByLibrary.simpleMessage("Souvenirs intelligents"), + "social": MessageLookupByLibrary.simpleMessage("Retrouvez nous"), + "someItemsAreInBothEnteAndYourDevice": + MessageLookupByLibrary.simpleMessage( + "Certains éléments sont à la fois sur Ente et votre appareil."), + "someOfTheFilesYouAreTryingToDeleteAre": + MessageLookupByLibrary.simpleMessage( + "Certains des fichiers que vous essayez de supprimer ne sont disponibles que sur votre appareil et ne peuvent pas être récupérés s\'ils sont supprimés"), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Quelqu\'un qui partage des albums avec vous devrait voir le même ID sur son appareil."), + "somethingWentWrong": + MessageLookupByLibrary.simpleMessage("Un problème est survenu"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Quelque chose s\'est mal passé, veuillez recommencer"), + "sorry": MessageLookupByLibrary.simpleMessage("Désolé"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "Désolé, nous n\'avons pas pu sauvegarder ce fichier maintenant, nous allons réessayer plus tard."), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Désolé, impossible d\'ajouter aux favoris !"), + "sorryCouldNotRemoveFromFavorites": + MessageLookupByLibrary.simpleMessage( + "Désolé, impossible de supprimer des favoris !"), + "sorryTheCodeYouveEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "Le code que vous avez saisi est incorrect"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Désolé, nous n\'avons pas pu générer de clés sécurisées sur cet appareil.\n\nVeuillez vous inscrire depuis un autre appareil."), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Désolé, nous avons dû mettre en pause vos sauvegardes"), + "sort": MessageLookupByLibrary.simpleMessage("Trier"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Trier par"), + "sortNewestFirst": + MessageLookupByLibrary.simpleMessage("Plus récent en premier"), + "sortOldestFirst": + MessageLookupByLibrary.simpleMessage("Plus ancien en premier"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Succès"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": + MessageLookupByLibrary.simpleMessage("Éclairage sur vous-même"), + "startAccountRecoveryTitle": + MessageLookupByLibrary.simpleMessage("Démarrer la récupération"), + "startBackup": + MessageLookupByLibrary.simpleMessage("Démarrer la sauvegarde"), + "status": MessageLookupByLibrary.simpleMessage("État"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "Voulez-vous arrêter la diffusion ?"), + "stopCastingTitle": + MessageLookupByLibrary.simpleMessage("Arrêter la diffusion"), + "storage": MessageLookupByLibrary.simpleMessage("Stockage"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Famille"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Vous"), + "storageInGB": m93, + "storageLimitExceeded": + MessageLookupByLibrary.simpleMessage("Limite de stockage atteinte"), + "storageUsageInfo": m94, + "streamDetails": + MessageLookupByLibrary.simpleMessage("Détails du stream"), + "strongStrength": MessageLookupByLibrary.simpleMessage("Forte"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("S\'abonner"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Vous avez besoin d\'un abonnement payant actif pour activer le partage."), + "subscription": MessageLookupByLibrary.simpleMessage("Abonnement"), + "success": MessageLookupByLibrary.simpleMessage("Succès"), + "successfullyArchived": + MessageLookupByLibrary.simpleMessage("Archivé avec succès"), + "successfullyHid": + MessageLookupByLibrary.simpleMessage("Masquage réussi"), + "successfullyUnarchived": + MessageLookupByLibrary.simpleMessage("Désarchivé avec succès"), + "successfullyUnhid": + MessageLookupByLibrary.simpleMessage("Masquage réussi"), + "suggestFeatures": + MessageLookupByLibrary.simpleMessage("Suggérer une fonctionnalité"), + "sunrise": MessageLookupByLibrary.simpleMessage("À l\'horizon"), + "support": MessageLookupByLibrary.simpleMessage("Support"), + "syncProgress": m97, + "syncStopped": + MessageLookupByLibrary.simpleMessage("Synchronisation arrêtée ?"), + "syncing": MessageLookupByLibrary.simpleMessage( + "En cours de synchronisation..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("Système"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("taper pour copier"), + "tapToEnterCode": + MessageLookupByLibrary.simpleMessage("Appuyez pour entrer le code"), + "tapToUnlock": + MessageLookupByLibrary.simpleMessage("Appuyer pour déverrouiller"), + "tapToUpload": + MessageLookupByLibrary.simpleMessage("Appuyer pour envoyer"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Il semble qu\'une erreur s\'est produite. Veuillez réessayer après un certain temps. Si l\'erreur persiste, veuillez contacter notre équipe d\'assistance."), + "terminate": MessageLookupByLibrary.simpleMessage("Se déconnecter"), + "terminateSession": + MessageLookupByLibrary.simpleMessage("Se déconnecter ?"), + "terms": MessageLookupByLibrary.simpleMessage("Conditions"), + "termsOfServicesTitle": + MessageLookupByLibrary.simpleMessage("Conditions d\'utilisation"), + "thankYou": MessageLookupByLibrary.simpleMessage("Merci"), + "thankYouForSubscribing": + MessageLookupByLibrary.simpleMessage("Merci de vous être abonné !"), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "Le téléchargement n\'a pas pu être terminé"), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "Le lien que vous essayez d\'accéder a expiré."), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Les groupes de personnes ne seront plus affichés dans la section personnes. Les photos resteront intactes."), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Les groupes de personnes ne seront plus affichés dans la section personnes. Les photos resteront intactes."), + "theRecoveryKeyYouEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "La clé de récupération que vous avez entrée est incorrecte"), + "theme": MessageLookupByLibrary.simpleMessage("Thème"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Ces éléments seront supprimés de votre appareil."), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "Ils seront supprimés de tous les albums."), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Cette action ne peut pas être annulée"), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "Cet album a déjà un lien collaboratif"), + "thisCanBeUsedToRecoverYourAccountIfYou": + MessageLookupByLibrary.simpleMessage( + "Cela peut être utilisé pour récupérer votre compte si vous perdez votre deuxième facteur"), + "thisDevice": MessageLookupByLibrary.simpleMessage("Cet appareil"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "Cette adresse mail est déjà utilisé"), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Cette image n\'a pas de données exif"), + "thisIsMeExclamation": + MessageLookupByLibrary.simpleMessage("C\'est moi !"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Ceci est votre ID de vérification"), + "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( + "Cette semaine au fil des années"), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Cela vous déconnectera de l\'appareil suivant :"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Cela vous déconnectera de cet appareil !"), + "thisWillMakeTheDateAndTimeOfAllSelected": + MessageLookupByLibrary.simpleMessage( + "Cela rendra la date et l\'heure identique à toutes les photos sélectionnées."), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "Ceci supprimera les liens publics de tous les liens rapides sélectionnés."), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "Pour activer le verrouillage de l\'application vous devez configurer le code d\'accès de l\'appareil ou le verrouillage de l\'écran dans les paramètres de votre système."), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( + "Pour masquer une photo ou une vidéo:"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Pour réinitialiser votre mot de passe, vérifiez d\'abord votre email."), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Journaux du jour"), + "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( + "Trop de tentatives incorrectes"), + "total": MessageLookupByLibrary.simpleMessage("total"), + "totalSize": MessageLookupByLibrary.simpleMessage("Taille totale"), + "trash": MessageLookupByLibrary.simpleMessage("Corbeille"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Recadrer"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": + MessageLookupByLibrary.simpleMessage("Contacts de confiance"), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Réessayer"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Activez la sauvegarde pour charger automatiquement sur Ente les fichiers ajoutés à ce dossier de l\'appareil."), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "2 mois gratuits sur les forfaits annuels"), + "twofactor": MessageLookupByLibrary.simpleMessage( + "Authentification à deux facteurs (A2F)"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "L\'authentification à deux facteurs a été désactivée"), + "twofactorAuthenticationPageTitle": + MessageLookupByLibrary.simpleMessage( + "Authentification à deux facteurs (A2F)"), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "L\'authentification à deux facteurs a été réinitialisée avec succès "), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Configuration de l\'authentification à deux facteurs"), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("Désarchiver"), + "unarchiveAlbum": + MessageLookupByLibrary.simpleMessage("Désarchiver l\'album"), + "unarchiving": + MessageLookupByLibrary.simpleMessage("Désarchivage en cours..."), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Désolé, ce code n\'est pas disponible."), + "uncategorized": + MessageLookupByLibrary.simpleMessage("Aucune catégorie"), + "unhide": MessageLookupByLibrary.simpleMessage("Dévoiler"), + "unhideToAlbum": + MessageLookupByLibrary.simpleMessage("Afficher dans l\'album"), + "unhiding": + MessageLookupByLibrary.simpleMessage("Démasquage en cours..."), + "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Démasquage des fichiers vers l\'album"), + "unlock": MessageLookupByLibrary.simpleMessage("Déverrouiller"), + "unpinAlbum": + MessageLookupByLibrary.simpleMessage("Désépingler l\'album"), + "unselectAll": + MessageLookupByLibrary.simpleMessage("Désélectionner tout"), + "update": MessageLookupByLibrary.simpleMessage("Mise à jour"), + "updateAvailable": MessageLookupByLibrary.simpleMessage( + "Une mise à jour est disponible"), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Mise à jour de la sélection du dossier..."), + "upgrade": MessageLookupByLibrary.simpleMessage("Améliorer"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Envoi des fichiers vers l\'album..."), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( + "Sauvegarde d\'un souvenir..."), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "Jusqu\'à 50% de réduction, jusqu\'au 4ème déc."), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "Le stockage gratuit possible est limité par votre offre actuelle. Vous pouvez au maximum doubler votre espace de stockage gratuitement, le stockage supplémentaire deviendra donc automatiquement utilisable lorsque vous mettrez à niveau votre offre."), + "useAsCover": + MessageLookupByLibrary.simpleMessage("Utiliser comme couverture"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "Vous avez des difficultés pour lire cette vidéo ? Appuyez longuement ici pour essayer un autre lecteur."), + "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Utilisez des liens publics pour les personnes qui ne sont pas sur Ente"), + "useRecoveryKey": + MessageLookupByLibrary.simpleMessage("Utiliser la clé de secours"), + "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( + "Utiliser la photo sélectionnée"), + "usedSpace": MessageLookupByLibrary.simpleMessage("Stockage utilisé"), + "validTill": m110, + "verificationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "La vérification a échouée, veuillez réessayer"), + "verificationId": + MessageLookupByLibrary.simpleMessage("ID de vérification"), + "verify": MessageLookupByLibrary.simpleMessage("Vérifier"), + "verifyEmail": + MessageLookupByLibrary.simpleMessage("Vérifier l\'email"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Vérifier"), + "verifyPasskey": + MessageLookupByLibrary.simpleMessage("Vérifier la clé de sécurité"), + "verifyPassword": + MessageLookupByLibrary.simpleMessage("Vérifier le mot de passe"), + "verifying": + MessageLookupByLibrary.simpleMessage("Validation en cours..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Vérification de la clé de récupération..."), + "videoInfo": MessageLookupByLibrary.simpleMessage("Informations vidéo"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("vidéo"), + "videoStreaming": + MessageLookupByLibrary.simpleMessage("Vidéos diffusables"), + "videos": MessageLookupByLibrary.simpleMessage("Vidéos"), + "viewActiveSessions": MessageLookupByLibrary.simpleMessage( + "Afficher les connexions actives"), + "viewAddOnButton": MessageLookupByLibrary.simpleMessage( + "Afficher les modules complémentaires"), + "viewAll": MessageLookupByLibrary.simpleMessage("Tout afficher"), + "viewAllExifData": MessageLookupByLibrary.simpleMessage( + "Visualiser toutes les données EXIF"), + "viewLargeFiles": + MessageLookupByLibrary.simpleMessage("Fichiers volumineux"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Affichez les fichiers qui consomment le plus de stockage."), + "viewLogs": + MessageLookupByLibrary.simpleMessage("Afficher les journaux"), + "viewPersonToUnlink": m112, + "viewRecoveryKey": + MessageLookupByLibrary.simpleMessage("Voir la clé de récupération"), + "viewer": MessageLookupByLibrary.simpleMessage("Observateur"), + "viewersSuccessfullyAdded": m113, + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Vous pouvez gérer votre abonnement sur web.ente.io"), + "waitingForVerification": MessageLookupByLibrary.simpleMessage( + "En attente de vérification..."), + "waitingForWifi": MessageLookupByLibrary.simpleMessage( + "En attente de connexion Wi-Fi..."), + "warning": MessageLookupByLibrary.simpleMessage("Attention"), + "weAreOpenSource": + MessageLookupByLibrary.simpleMessage("Nous sommes open source !"), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "Nous ne prenons pas en charge l\'édition des photos et des albums que vous ne possédez pas encore"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Securité Faible"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("Bienvenue !"), + "whatsNew": MessageLookupByLibrary.simpleMessage("Nouveautés"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "Un contact de confiance peut vous aider à récupérer vos données."), + "widgets": MessageLookupByLibrary.simpleMessage("Gadgets"), + "wishThemAHappyBirthday": m115, + "yearShort": MessageLookupByLibrary.simpleMessage("an"), + "yearly": MessageLookupByLibrary.simpleMessage("Annuel"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Oui"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Oui, annuler"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "Oui, convertir en observateur"), + "yesDelete": MessageLookupByLibrary.simpleMessage("Oui, supprimer"), + "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( + "Oui, ignorer les modifications"), + "yesIgnore": MessageLookupByLibrary.simpleMessage("Oui, ignorer"), + "yesLogout": + MessageLookupByLibrary.simpleMessage("Oui, se déconnecter"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Oui, supprimer"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Oui, renouveler"), + "yesResetPerson": MessageLookupByLibrary.simpleMessage( + "Oui, réinitialiser la personne"), + "you": MessageLookupByLibrary.simpleMessage("Vous"), + "youAndThem": m117, + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( + "Vous êtes sur un plan familial !"), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Vous êtes sur la dernière version"), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Vous pouvez au maximum doubler votre espace de stockage"), + "youCanManageYourLinksInTheShareTab": + MessageLookupByLibrary.simpleMessage( + "Vous pouvez gérer vos liens dans l\'onglet Partage."), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "Vous pouvez essayer de rechercher une autre requête."), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "Vous ne pouvez pas rétrograder vers cette offre"), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Vous ne pouvez pas partager avec vous-même"), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "Vous n\'avez aucun élément archivé."), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": + MessageLookupByLibrary.simpleMessage("Votre compte a été supprimé"), + "yourMap": MessageLookupByLibrary.simpleMessage("Votre carte"), + "yourPlanWasSuccessfullyDowngraded": + MessageLookupByLibrary.simpleMessage( + "Votre plan a été rétrogradé avec succès"), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "Votre offre a été mise à jour avec succès"), + "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( + "Votre achat a été effectué avec succès"), + "yourStorageDetailsCouldNotBeFetched": + MessageLookupByLibrary.simpleMessage( + "Vos informations de stockage n\'ont pas pu être récupérées"), + "yourSubscriptionHasExpired": + MessageLookupByLibrary.simpleMessage("Votre abonnement a expiré"), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "Votre abonnement a été mis à jour avec succès"), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "Votre code de vérification a expiré"), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "Vous n\'avez aucun fichier dupliqué pouvant être nettoyé"), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "Vous n\'avez pas de fichiers dans cet album qui peuvent être supprimés"), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( + "Zoom en arrière pour voir les photos") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_he.dart b/mobile/apps/photos/lib/generated/intl/messages_he.dart index 4bcd319c8e..c1dc69ccd5 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_he.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_he.dart @@ -30,7 +30,11 @@ class MessageLookup extends MessageLookupByLibrary { "${user} לא יוכל להוסיף עוד תמונות לאלבום זה\n\nהם עדיין יכולו להסיר תמונות קיימות שנוספו על ידיהם"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, {'true': 'קיבלת ${storageAmountInGb} GB עד כה', 'false': 'קיבלת ${storageAmountInGb} GB עד כה', 'other': 'קיבלת ${storageAmountInGb} GB עד כה!'})}"; + "${Intl.select(isFamilyMember, { + 'true': 'קיבלת ${storageAmountInGb} GB עד כה', + 'false': 'קיבלת ${storageAmountInGb} GB עד כה', + 'other': 'קיבלת ${storageAmountInGb} GB עד כה!', + })}"; static String m18(familyAdminEmail) => "אנא צור קשר עם ${familyAdminEmail} על מנת לנהל את המנוי שלך"; @@ -117,979 +121,832 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "about": MessageLookupByLibrary.simpleMessage("אודות"), - "account": MessageLookupByLibrary.simpleMessage("חשבון"), - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage("ברוך שובך!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "אני מבין שאם אאבד את הסיסמא, אני עלול לאבד את המידע שלי מכיוון שהמידע שלי מוצפן מקצה אל קצה.", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage("חיבורים פעילים"), - "addANewEmail": MessageLookupByLibrary.simpleMessage("הוסף דוא\"ל חדש"), - "addCollaborator": MessageLookupByLibrary.simpleMessage("הוסף משתף פעולה"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("הוסף"), - "addMore": MessageLookupByLibrary.simpleMessage("הוסף עוד"), - "addPhotos": MessageLookupByLibrary.simpleMessage("הוסף תמונות"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("הוסף לאלבום"), - "addViewer": MessageLookupByLibrary.simpleMessage("הוסף צופה"), - "addedAs": MessageLookupByLibrary.simpleMessage("הוסף בתור"), - "addingToFavorites": MessageLookupByLibrary.simpleMessage( - "מוסיף למועדפים...", - ), - "advanced": MessageLookupByLibrary.simpleMessage("מתקדם"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("מתקדם"), - "after1Day": MessageLookupByLibrary.simpleMessage("אחרי יום 1"), - "after1Hour": MessageLookupByLibrary.simpleMessage("אחרי שעה 1"), - "after1Month": MessageLookupByLibrary.simpleMessage("אחרי חודש 1"), - "after1Week": MessageLookupByLibrary.simpleMessage("אחרי שבוע 1"), - "after1Year": MessageLookupByLibrary.simpleMessage("אחרי שנה 1"), - "albumOwner": MessageLookupByLibrary.simpleMessage("בעלים"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("כותרת האלבום"), - "albumUpdated": MessageLookupByLibrary.simpleMessage("האלבום עודכן"), - "albums": MessageLookupByLibrary.simpleMessage("אלבומים"), - "allClear": MessageLookupByLibrary.simpleMessage("✨ הכל נוקה"), - "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( - "כל הזכרונות נשמרו", - ), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "בנוסף אפשר לאנשים עם הלינק להוסיף תמונות לאלבום המשותף.", - ), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( - "אפשר הוספת תמונות", - ), - "allowDownloads": MessageLookupByLibrary.simpleMessage("אפשר הורדות"), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "תן לאנשים להוסיף תמונות", - ), - "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("הצלחה"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("בטל"), - "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( - "Android, iOS, דפדפן, שולחן עבודה", - ), - "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), - "apply": MessageLookupByLibrary.simpleMessage("החל"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("החל קוד"), - "appstoreSubscription": MessageLookupByLibrary.simpleMessage( - "מנוי AppStore", - ), - "archive": MessageLookupByLibrary.simpleMessage("שמירה בארכיון"), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "אתה בטוח שאתה רוצה לעזוב את התוכנית המשפתחית?", - ), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "אתה בטוח שאתה רוצה לבטל?", - ), - "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( - "אתה בטוח שאתה רוצה לשנות את התוכנית שלך?", - ), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "האם אתה בטוח שברצונך לצאת?", - ), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "אתה בטוח שאתה רוצה להתנתק?", - ), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "אתה בטוח שאתה רוצה לחדש?", - ), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "המנוי שלך בוטל. תרצה לשתף את הסיבה?", - ), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "מה הסיבה העיקרית שבגללה אתה מוחק את החשבון שלך?", - ), - "atAFalloutShelter": MessageLookupByLibrary.simpleMessage("במקלט גרעיני"), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "אנא התאמת על מנת לשנות את הדוא\"ל שלך", - ), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "אנא התאמת כדי לשנות את הגדרות מסך הנעילה", - ), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "אנא אנא התאמת על מנת לשנות את הדוא\"ל שלך", - ), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "אנא התאמת על מנת לשנות את הסיסמא שלך", - ), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "אנא התאמת כדי להגדיר את האימות הדו-גורמי", - ), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "אנא התאמת על מנת להתחיל את מחיקת החשבון שלך", - ), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "אנא התאמת על מנת לראות את החיבורים הפעילים שלך", - ), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "אנא התאמת על מנת לראות את הקבצים החבויים שלך", - ), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "אנא אמת על מנת לצפות בזכרונות שלך", - ), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "אנא התאמת על מנת לראות את מפתח השחזור שלך", - ), - "available": MessageLookupByLibrary.simpleMessage("זמין"), - "backedUpFolders": MessageLookupByLibrary.simpleMessage("תיקיות שגובו"), - "backup": MessageLookupByLibrary.simpleMessage("גיבוי"), - "backupFailed": MessageLookupByLibrary.simpleMessage("הגיבוי נכשל"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "גבה על רשת סלולרית", - ), - "backupSettings": MessageLookupByLibrary.simpleMessage("הגדרות גיבוי"), - "backupVideos": MessageLookupByLibrary.simpleMessage("גבה סרטונים"), - "blog": MessageLookupByLibrary.simpleMessage("בלוג"), - "cachedData": MessageLookupByLibrary.simpleMessage("נתונים מוטמנים"), - "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( - "לא ניתן להעלות לאלבומים שבבעלות אחרים", - ), - "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "ניתן אך ורק ליצור קישור לקבצים שאתה בבעולתם", - ), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "יכול להסיר רק קבצים שבבעלותך", - ), - "cancel": MessageLookupByLibrary.simpleMessage("בטל"), - "cancelOtherSubscription": m12, - "cancelSubscription": MessageLookupByLibrary.simpleMessage("בטל מנוי"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "לא ניתן למחוק את הקבצים המשותפים", - ), - "changeEmail": MessageLookupByLibrary.simpleMessage("שנה דוא\"ל"), - "changePassword": MessageLookupByLibrary.simpleMessage("שנה סיסמה"), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage("שנה סיסמה"), - "changePermissions": MessageLookupByLibrary.simpleMessage("שנה הרשאה?"), - "checkForUpdates": MessageLookupByLibrary.simpleMessage("בדוק עדכונים"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "אנא בדוק את תיבת הדואר שלך (והספאם) כדי להשלים את האימות", - ), - "checking": MessageLookupByLibrary.simpleMessage("בודק..."), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage( - "תבע מקום אחסון בחינם", - ), - "claimMore": MessageLookupByLibrary.simpleMessage("תבע עוד!"), - "claimed": MessageLookupByLibrary.simpleMessage("נתבע"), - "claimedStorageSoFar": m14, - "click": MessageLookupByLibrary.simpleMessage("• לחץ"), - "close": MessageLookupByLibrary.simpleMessage("סגור"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( - "קבץ לפי זמן הצילום", - ), - "clubByFileName": MessageLookupByLibrary.simpleMessage("קבץ לפי שם הקובץ"), - "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage("הקוד הוחל"), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "הקוד הועתק ללוח", - ), - "codeUsedByYou": MessageLookupByLibrary.simpleMessage("הקוד שומש על ידיך"), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "צור קישור על מנת לאפשר לאנשים להוסיף ולצפות בתמונות באלבום ששיתפת בלי צורך באפליקציית ente או חשבון. נהדר לאיסוף תמונות של אירועים.", - ), - "collaborativeLink": MessageLookupByLibrary.simpleMessage( - "קישור לשיתוף פעולה", - ), - "collaborator": MessageLookupByLibrary.simpleMessage("משתף פעולה"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "משתפי פעולה יכולים להוסיף תמונות וסרטונים לאלבום המשותף.", - ), - "collageLayout": MessageLookupByLibrary.simpleMessage("פריסה"), - "collageSaved": MessageLookupByLibrary.simpleMessage("הקולז נשמר לגלריה"), - "collectEventPhotos": MessageLookupByLibrary.simpleMessage( - "אסף תמונות מאירוע", - ), - "collectPhotos": MessageLookupByLibrary.simpleMessage("אסוף תמונות"), - "color": MessageLookupByLibrary.simpleMessage("צבע"), - "confirm": MessageLookupByLibrary.simpleMessage("אשר"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "האם אתה בטוח שאתה רוצה להשבית את האימות הדו-גורמי?", - ), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "אשר את מחיקת החשבון", - ), - "confirmPassword": MessageLookupByLibrary.simpleMessage("אמת סיסמא"), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage( - "אשר שינוי תוכנית", - ), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "אמת את מפתח השחזור", - ), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "אמת את מפתח השחזור", - ), - "contactFamilyAdmin": m18, - "contactSupport": MessageLookupByLibrary.simpleMessage("צור קשר עם התמיכה"), - "contactToManageSubscription": m19, - "continueLabel": MessageLookupByLibrary.simpleMessage("המשך"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "המשך עם ניסיון חינמי", - ), - "copyLink": MessageLookupByLibrary.simpleMessage("העתק קישור"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "תעתיק ותדביק את הקוד הזה\nלאפליקציית האימות שלך", - ), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "לא יכולנו לגבות את המידע שלך.\nאנא נסה שוב מאוחר יותר.", - ), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "לא ניתן לעדכן את המנוי", - ), - "count": MessageLookupByLibrary.simpleMessage("כמות"), - "create": MessageLookupByLibrary.simpleMessage("צור"), - "createAccount": MessageLookupByLibrary.simpleMessage("צור חשבון"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "לחץ לחיצה ארוכה על מנת לבחור תמונות ולחץ על + על מנת ליצור אלבום", - ), - "createCollage": MessageLookupByLibrary.simpleMessage("צור קולז"), - "createNewAccount": MessageLookupByLibrary.simpleMessage("צור חשבון חדש"), - "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( - "צור או בחר אלבום", - ), - "createPublicLink": MessageLookupByLibrary.simpleMessage( - "צור קישור ציבורי", - ), - "creatingLink": MessageLookupByLibrary.simpleMessage("יוצר קישור..."), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "עדכון חשוב זמין", - ), - "currentUsageIs": MessageLookupByLibrary.simpleMessage( - "השימוש במקום האחסון כרגע הוא ", - ), - "custom": MessageLookupByLibrary.simpleMessage("מותאם אישית"), - "darkTheme": MessageLookupByLibrary.simpleMessage("כהה"), - "dayToday": MessageLookupByLibrary.simpleMessage("היום"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("אתמול"), - "decrypting": MessageLookupByLibrary.simpleMessage("מפענח..."), - "decryptingVideo": MessageLookupByLibrary.simpleMessage( - "מפענח את הסרטון...", - ), - "deduplicateFiles": MessageLookupByLibrary.simpleMessage( - "הסר קבצים כפולים", - ), - "delete": MessageLookupByLibrary.simpleMessage("מחק"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("מחק חשבון"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "אנחנו מצטערים לראות שאתה עוזב. אנא תחלוק את המשוב שלך כדי לעזור לנו להשתפר.", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "מחק את החשבון לצמיתות", - ), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("מחק אלבום"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "גם להסיר תמונות (וסרטונים) שנמצאים באלבום הזה מכל שאר האלבומים שהם שייכים אליהם?", - ), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "זה ימחק את כל האלבומים הריקים. זה שימושי כשאתה רוצה להפחית את כמות האי סדר ברשימת האלבומים שלך.", - ), - "deleteAll": MessageLookupByLibrary.simpleMessage("מחק הכל"), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "אנא תשלח דוא\"ל לaccount-deletion@ente.io מהכתובת דוא\"ל שנרשמת איתה.", - ), - "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( - "למחוק אלבומים ריקים", - ), - "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( - "למחוק אלבומים ריקים?", - ), - "deleteFromBoth": MessageLookupByLibrary.simpleMessage("מחק משניהם"), - "deleteFromDevice": MessageLookupByLibrary.simpleMessage("מחק מהמכשיר"), - "deleteItemCount": m21, - "deletePhotos": MessageLookupByLibrary.simpleMessage("מחק תמונות"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "חסר מאפיין מרכזי שאני צריך", - ), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "היישומון או מאפיין מסוים לא מתנהג כמו שאני חושב שהוא צריך", - ), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "מצאתי שירות אחר שאני יותר מחבב", - ), - "deleteReason4": MessageLookupByLibrary.simpleMessage("הסיבה שלי לא כלולה"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "הבקשה שלך תועבד תוך 72 שעות.", - ), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "מחק את האלבום המשותף?", - ), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "האלבום הזה יימחק עבור כולם\n\nאתה תאבד גישה לתמונות משותפות באלבום הזה שבבעלות של אחרים", - ), - "deselectAll": MessageLookupByLibrary.simpleMessage("בטל בחירה של הכל"), - "designedToOutlive": MessageLookupByLibrary.simpleMessage( - "עוצב על מנת לשרוד", - ), - "details": MessageLookupByLibrary.simpleMessage("פרטים"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage( - "השבת נעילה אוטומטית", - ), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "צופים יכולים עדיין לקחת צילומי מסך או לשמור עותק של התמונות שלך בעזרת כלים חיצוניים", - ), - "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( - "שים לב", - ), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage("השבת דו-גורמי"), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "dismiss": MessageLookupByLibrary.simpleMessage("התעלם"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("ק\"מ"), - "doThisLater": MessageLookupByLibrary.simpleMessage("מאוחר יותר"), - "done": MessageLookupByLibrary.simpleMessage("בוצע"), - "download": MessageLookupByLibrary.simpleMessage("הורד"), - "downloadFailed": MessageLookupByLibrary.simpleMessage("ההורדה נכשלה"), - "downloading": MessageLookupByLibrary.simpleMessage("מוריד..."), - "dropSupportEmail": m25, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("ערוך"), - "eligible": MessageLookupByLibrary.simpleMessage("זכאי"), - "email": MessageLookupByLibrary.simpleMessage("דוא\"ל"), - "emailNoEnteAccount": m31, - "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( - "אימות מייל", - ), - "empty": MessageLookupByLibrary.simpleMessage("ריק"), - "encryption": MessageLookupByLibrary.simpleMessage("הצפנה"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage("מפתחות ההצפנה"), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "מוצפן מקצה אל קצה כברירת מחדל", - ), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente צריך הרשאות על מנת לשמור את התמונות שלך", - ), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "אפשר להוסיף גם את המשפחה שלך לתוכנית.", - ), - "enterAlbumName": MessageLookupByLibrary.simpleMessage("הזן שם אלבום"), - "enterCode": MessageLookupByLibrary.simpleMessage("הזן קוד"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "הכנס את הקוד שנמסר לך מחברך בשביל לקבל מקום אחסון בחינם עבורך ועבורו", - ), - "enterEmail": MessageLookupByLibrary.simpleMessage("הזן דוא\"ל"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "הזן סיסמא חדשה שנוכל להשתמש בה כדי להצפין את המידע שלך", - ), - "enterPassword": MessageLookupByLibrary.simpleMessage("הזן את הסיסמה"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "הזן סיסמא כדי שנוכל לפענח את המידע שלך", - ), - "enterReferralCode": MessageLookupByLibrary.simpleMessage("הזן קוד הפניה"), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "הכנס את הקוד בעל 6 ספרות מתוך\nאפליקציית האימות שלך", - ), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "אנא הכנס כתובת דוא\"ל חוקית.", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "הכנס את כתובת הדוא״ל שלך", - ), - "enterYourPassword": MessageLookupByLibrary.simpleMessage("הכנס סיסמא"), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "הזן את מפתח השחזור שלך", - ), - "error": MessageLookupByLibrary.simpleMessage("שגיאה"), - "everywhere": MessageLookupByLibrary.simpleMessage("בכל מקום"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": MessageLookupByLibrary.simpleMessage("משתמש קיים"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "פג תוקף הקישור. אנא בחר בתאריך תפוגה חדש או השבת את תאריך התפוגה של הקישור.", - ), - "exportLogs": MessageLookupByLibrary.simpleMessage("ייצוא לוגים"), - "exportYourData": MessageLookupByLibrary.simpleMessage("ייצוא הנתונים שלך"), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage( - "נכשל בהחלת הקוד", - ), - "failedToCancel": MessageLookupByLibrary.simpleMessage("הביטול נכשל"), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "אחזור פרטי ההפניה נכשל. אנא נסה שוב מאוחר יותר.", - ), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "נכשל בטעינת האלבומים", - ), - "failedToRenew": MessageLookupByLibrary.simpleMessage("החידוש נכשל"), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "נכשל באימות סטטוס התשלום", - ), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("משפחה"), - "familyPlans": MessageLookupByLibrary.simpleMessage("תוכניות משפחה"), - "faq": MessageLookupByLibrary.simpleMessage("שאלות נפוצות"), - "faqs": MessageLookupByLibrary.simpleMessage("שאלות נפוצות"), - "favorite": MessageLookupByLibrary.simpleMessage("מועדף"), - "feedback": MessageLookupByLibrary.simpleMessage("משוב"), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "נכשל בעת שמירת הקובץ לגלריה", - ), - "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( - "הקובץ נשמר לגלריה", - ), - "flip": MessageLookupByLibrary.simpleMessage("הפוך"), - "forYourMemories": MessageLookupByLibrary.simpleMessage( - "עבור הזכורונות שלך", - ), - "forgotPassword": MessageLookupByLibrary.simpleMessage("שכחתי סיסמה"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( - "מקום אחסון בחינם נתבע", - ), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "מקום אחסון שמיש", - ), - "freeTrial": MessageLookupByLibrary.simpleMessage("ניסיון חינמי"), - "freeTrialValidTill": m38, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( - "פנה אחסון במכשיר", - ), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("פנה מקום"), - "general": MessageLookupByLibrary.simpleMessage("כללי"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "יוצר מפתחות הצפנה...", - ), - "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "נא לתת גישה לכל התמונות בתוך ההגדרות של הטלפון", - ), - "grantPermission": MessageLookupByLibrary.simpleMessage("הענק הרשאה"), - "hidden": MessageLookupByLibrary.simpleMessage("מוסתר"), - "hide": MessageLookupByLibrary.simpleMessage("הסתר"), - "hiding": MessageLookupByLibrary.simpleMessage("מחביא..."), - "howItWorks": MessageLookupByLibrary.simpleMessage("איך זה עובד"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "אנא בקש מהם ללחוץ לחיצה ארוכה על הכתובת אימייל שלהם בעמוד ההגדרות, וודא שהמזההים בשני המכשירים תואמים.", - ), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("אישור"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("התעלם"), - "importing": MessageLookupByLibrary.simpleMessage("מייבא...."), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( - "סיסמא לא נכונה", - ), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "המפתח שחזור שהזנת שגוי", - ), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "מפתח שחזור שגוי", - ), - "insecureDevice": MessageLookupByLibrary.simpleMessage("מכשיר בלתי מאובטח"), - "installManually": MessageLookupByLibrary.simpleMessage("התקן באופן ידני"), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "כתובת דוא״ל לא תקינה", - ), - "invalidKey": MessageLookupByLibrary.simpleMessage("מפתח לא חוקי"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "מפתח השחזור שהזמנת אינו תקין. אנא וודא שהוא מכיל 24 מילים, ותבדוק את האיות של כל אחת.\n\nאם הכנסת קוד שחזור ישן, וודא שהוא בעל 64 אותיות, ותבדוק כל אחת מהן.", - ), - "invite": MessageLookupByLibrary.simpleMessage("הזמן"), - "inviteYourFriends": MessageLookupByLibrary.simpleMessage("הזמן את חברייך"), - "itemCount": m44, - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "הפריטים שנבחרו יוסרו מהאלבום הזה", - ), - "keepPhotos": MessageLookupByLibrary.simpleMessage("השאר תמונות"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("ק\"מ"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "אנא עזור לנו עם המידע הזה", - ), - "language": MessageLookupByLibrary.simpleMessage("שפה"), - "lastUpdated": MessageLookupByLibrary.simpleMessage("עדכון אחרון"), - "leave": MessageLookupByLibrary.simpleMessage("עזוב"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("צא מהאלבום"), - "leaveFamily": MessageLookupByLibrary.simpleMessage("עזוב משפחה"), - "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( - "לעזוב את האלבום המשותף?", - ), - "light": MessageLookupByLibrary.simpleMessage("אור"), - "lightTheme": MessageLookupByLibrary.simpleMessage("בהיר"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "הקישור הועתק ללוח", - ), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage( - "מגבלת כמות מכשירים", - ), - "linkEnabled": MessageLookupByLibrary.simpleMessage("מאופשר"), - "linkExpired": MessageLookupByLibrary.simpleMessage("פג תוקף"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("תאריך תפוגה ללינק"), - "linkHasExpired": MessageLookupByLibrary.simpleMessage("הקישור פג תוקף"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("לעולם לא"), - "location": MessageLookupByLibrary.simpleMessage("מקום"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("נעל"), - "lockscreen": MessageLookupByLibrary.simpleMessage("מסך נעילה"), - "logInLabel": MessageLookupByLibrary.simpleMessage("התחבר"), - "loggingOut": MessageLookupByLibrary.simpleMessage("מתנתק..."), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "על ידי לחיצה על התחברות, אני מסכים לתנאי שירות ולמדיניות הפרטיות", - ), - "logout": MessageLookupByLibrary.simpleMessage("התנתק"), - "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( - "לחץ לחיצה ארוכה על פריט על מנת לראות אותו במסך מלא", - ), - "lostDevice": MessageLookupByLibrary.simpleMessage("איבדת את המכשיר?"), - "manage": MessageLookupByLibrary.simpleMessage("נהל"), - "manageFamily": MessageLookupByLibrary.simpleMessage("נהל משפחה"), - "manageLink": MessageLookupByLibrary.simpleMessage("ניהול קישור"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("נהל"), - "manageSubscription": MessageLookupByLibrary.simpleMessage("נהל מנוי"), - "map": MessageLookupByLibrary.simpleMessage("מפה"), - "maps": MessageLookupByLibrary.simpleMessage("מפות"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "merchandise": MessageLookupByLibrary.simpleMessage("סחורה"), - "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( - "פלאפון, דפדפן, שולחן עבודה", - ), - "moderateStrength": MessageLookupByLibrary.simpleMessage("מתונה"), - "monthly": MessageLookupByLibrary.simpleMessage("חודשי"), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("הזז לאלבום"), - "movedToTrash": MessageLookupByLibrary.simpleMessage("הועבר לאשפה"), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "מעביר קבצים לאלבום...", - ), - "name": MessageLookupByLibrary.simpleMessage("שם"), - "never": MessageLookupByLibrary.simpleMessage("לעולם לא"), - "newAlbum": MessageLookupByLibrary.simpleMessage("אלבום חדש"), - "newest": MessageLookupByLibrary.simpleMessage("החדש ביותר"), - "no": MessageLookupByLibrary.simpleMessage("לא"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("אין"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "אין לך קבצים במכשיר הזה שניתן למחוק אותם", - ), - "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ אין כפילויות"), - "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( - "אף תמונה אינה נמצאת בתהליך גיבוי כרגע", - ), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage("אין מפתח שחזור?"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "בשל טבע הפרוטוקול של ההצפנת קצה-אל-קצה שלנו, אין אפשרות לפענח את הנתונים שלך בלי הסיסמה או מפתח השחזור שלך", - ), - "noResults": MessageLookupByLibrary.simpleMessage("אין תוצאות"), - "notifications": MessageLookupByLibrary.simpleMessage("התראות"), - "ok": MessageLookupByLibrary.simpleMessage("אוקיי"), - "onDevice": MessageLookupByLibrary.simpleMessage("על המכשיר"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "באנטע", - ), - "oops": MessageLookupByLibrary.simpleMessage("אופס"), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "אופס, משהו השתבש", - ), - "openSettings": MessageLookupByLibrary.simpleMessage("פתח הגדרות"), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "אופציונלי, קצר ככל שתרצה...", - ), - "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( - "או בחר באחד קיים", - ), - "password": MessageLookupByLibrary.simpleMessage("סיסמא"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "הססמה הוחלפה בהצלחה", - ), - "passwordLock": MessageLookupByLibrary.simpleMessage("נעילת סיסמא"), - "passwordStrength": m57, - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "אנחנו לא שומרים את הסיסמא הזו, לכן אם אתה שוכח אותה, אנחנו לא יכולים לפענח את המידע שלך", - ), - "paymentDetails": MessageLookupByLibrary.simpleMessage("פרטי תשלום"), - "paymentFailed": MessageLookupByLibrary.simpleMessage("התשלום נכשל"), - "paymentFailedTalkToProvider": m58, - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "אנשים משתמשים בקוד שלך", - ), - "permanentlyDelete": MessageLookupByLibrary.simpleMessage("למחוק לצמיתות?"), - "photoGridSize": MessageLookupByLibrary.simpleMessage("גודל לוח של התמונה"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("תמונה"), - "playstoreSubscription": MessageLookupByLibrary.simpleMessage( - "מנוי PlayStore", - ), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "אנא צור קשר עם support@ente.io ואנחנו נשמח לעזור!", - ), - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( - "נא הענק את ההרשאות", - ), - "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage("אנא התחבר שוב"), - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("אנא נסה שנית"), - "pleaseWait": MessageLookupByLibrary.simpleMessage("אנא המתן..."), - "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( - "אנא חכה מעט לפני שאתה מנסה שוב", - ), - "preparingLogs": MessageLookupByLibrary.simpleMessage("מכין לוגים..."), - "preserveMore": MessageLookupByLibrary.simpleMessage("שמור עוד"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "לחץ והחזק על מנת להריץ את הסרטון", - ), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "לחץ והחזק על התמונה על מנת להריץ את הסרטון", - ), - "privacy": MessageLookupByLibrary.simpleMessage("פרטיות"), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( - "מדיניות פרטיות", - ), - "privateBackups": MessageLookupByLibrary.simpleMessage("גיבויים פרטיים"), - "privateSharing": MessageLookupByLibrary.simpleMessage("שיתוף פרטי"), - "publicLinkCreated": MessageLookupByLibrary.simpleMessage( - "קישור ציבורי נוצר", - ), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( - "לינק ציבורי אופשר", - ), - "radius": MessageLookupByLibrary.simpleMessage("רדיוס"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("צור ticket"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("דרג את האפליקציה"), - "rateUs": MessageLookupByLibrary.simpleMessage("דרג אותנו"), - "rateUsOnStore": m68, - "recover": MessageLookupByLibrary.simpleMessage("שחזר"), - "recoverAccount": MessageLookupByLibrary.simpleMessage("שחזר חשבון"), - "recoverButton": MessageLookupByLibrary.simpleMessage("שחזר"), - "recoveryKey": MessageLookupByLibrary.simpleMessage("מפתח שחזור"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "מפתח השחזור הועתק ללוח", - ), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "אם אתה שוכח את הסיסמא שלך, הדרך היחידה שתוכל לשחזר את המידע שלך היא עם המפתח הזה.", - ), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "אנחנו לא מאחסנים את המפתח הזה, אנא שמור את המפתח 24 מילים הזה במקום בטוח.", - ), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "נהדר! מפתח השחזור תקין. אנחנו מודים לך על האימות.\n\nאנא תזכור לגבות את מפתח השחזור שלך באופן בטוח.", - ), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "מפתח השחזור אומת", - ), - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "השחזור עבר בהצלחה!", - ), - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "המכשיר הנוכחי אינו חזק מספיק כדי לאמת את הסיסמא שלך, אבל אנחנו יכולים ליצור בצורה שתעבוד עם כל המכשירים.\n\nאנא התחבר בעזרת המפתח שחזור שלך וצור מחדש את הסיסמא שלך (אתה יכול להשתמש באותה אחת אם אתה רוצה).", - ), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "צור סיסמא מחדש", - ), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. תמסור את הקוד הזה לחברייך", - ), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. הם נרשמים עבור תוכנית בתשלום", - ), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("הפניות"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "הפניות כרגע מושהות", - ), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "גם נקה \"נמחק לאחרונה\" מ-\"הגדרות\" -> \"אחסון\" על מנת לקבל המקום אחסון שהתפנה", - ), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "גם נקה את ה-\"אשפה\" שלך על מנת לקבל את המקום אחסון שהתפנה", - ), - "remove": MessageLookupByLibrary.simpleMessage("הסר"), - "removeDuplicates": MessageLookupByLibrary.simpleMessage("הסר כפילויות"), - "removeFromAlbum": MessageLookupByLibrary.simpleMessage("הסר מהאלבום"), - "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( - "הסר מהאלבום?", - ), - "removeLink": MessageLookupByLibrary.simpleMessage("הסרת קישור"), - "removeParticipant": MessageLookupByLibrary.simpleMessage("הסר משתתף"), - "removeParticipantBody": m74, - "removePublicLink": MessageLookupByLibrary.simpleMessage("הסר לינק ציבורי"), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "חלק מהפריטים שאתה מסיר הוספו על ידי אנשים אחרים, ואתה תאבד גישה אליהם", - ), - "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("הסר?"), - "removingFromFavorites": MessageLookupByLibrary.simpleMessage( - "מסיר מהמועדפים...", - ), - "rename": MessageLookupByLibrary.simpleMessage("שנה שם"), - "renameFile": MessageLookupByLibrary.simpleMessage("שנה שם הקובץ"), - "renewSubscription": MessageLookupByLibrary.simpleMessage("חדש מנוי"), - "reportABug": MessageLookupByLibrary.simpleMessage("דווח על באג"), - "reportBug": MessageLookupByLibrary.simpleMessage("דווח על באג"), - "resendEmail": MessageLookupByLibrary.simpleMessage("שלח דוא\"ל מחדש"), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage("איפוס סיסמה"), - "restore": MessageLookupByLibrary.simpleMessage("שחזר"), - "restoreToAlbum": MessageLookupByLibrary.simpleMessage("שחזר לאלבום"), - "restoringFiles": MessageLookupByLibrary.simpleMessage("משחזר קבצים..."), - "retry": MessageLookupByLibrary.simpleMessage("נסה שוב"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "אנא בחן והסר את הפריטים שאתה מאמין שהם כפלים.", - ), - "rotateLeft": MessageLookupByLibrary.simpleMessage("סובב שמאלה"), - "safelyStored": MessageLookupByLibrary.simpleMessage("נשמר באופן בטוח"), - "save": MessageLookupByLibrary.simpleMessage("שמור"), - "saveCollage": MessageLookupByLibrary.simpleMessage("שמור קולז"), - "saveCopy": MessageLookupByLibrary.simpleMessage("שמירת עותק"), - "saveKey": MessageLookupByLibrary.simpleMessage("שמור מפתח"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "שמור את מפתח השחזור שלך אם לא שמרת כבר", - ), - "saving": MessageLookupByLibrary.simpleMessage("שומר..."), - "scanCode": MessageLookupByLibrary.simpleMessage("סרוק קוד"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "סרוק את הברקוד הזה\nבעזרת אפליקציית האימות שלך", - ), - "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage("שם האלבום"), - "security": MessageLookupByLibrary.simpleMessage("אבטחה"), - "selectAlbum": MessageLookupByLibrary.simpleMessage("בחר אלבום"), - "selectAll": MessageLookupByLibrary.simpleMessage("בחר הכל"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "בחר תיקיות לגיבוי", - ), - "selectMorePhotos": MessageLookupByLibrary.simpleMessage( - "בחר תמונות נוספות", - ), - "selectReason": MessageLookupByLibrary.simpleMessage("בחר סיבה"), - "selectYourPlan": MessageLookupByLibrary.simpleMessage("בחר תוכנית"), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage("התיקיות שנבחרו יוצפנו ויגובו"), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "send": MessageLookupByLibrary.simpleMessage("שלח"), - "sendEmail": MessageLookupByLibrary.simpleMessage("שלח דוא\"ל"), - "sendInvite": MessageLookupByLibrary.simpleMessage("שלח הזמנה"), - "sendLink": MessageLookupByLibrary.simpleMessage("שלח קישור"), - "sessionExpired": MessageLookupByLibrary.simpleMessage("פג תוקף החיבור"), - "setAPassword": MessageLookupByLibrary.simpleMessage("הגדר סיסמה"), - "setAs": MessageLookupByLibrary.simpleMessage("הגדר בתור"), - "setCover": MessageLookupByLibrary.simpleMessage("הגדר כרקע"), - "setLabel": MessageLookupByLibrary.simpleMessage("הגדר"), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage("הגדר סיסמא"), - "setRadius": MessageLookupByLibrary.simpleMessage("הגדר רדיוס"), - "setupComplete": MessageLookupByLibrary.simpleMessage("ההתקנה הושלמה"), - "share": MessageLookupByLibrary.simpleMessage("שתף"), - "shareALink": MessageLookupByLibrary.simpleMessage("שתף קישור"), - "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage("שתף אלבום עכשיו"), - "shareLink": MessageLookupByLibrary.simpleMessage("שתף קישור"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "שתף רק אם אנשים שאתה בוחר", - ), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "הורד את ente על מנת שנוכל לשתף תמונות וסרטונים באיכות המקור באופן קל\n\nhttps://ente.io", - ), - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "שתף עם משתמשים שהם לא של ente", - ), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( - "שתף את האלבום הראשון שלך", - ), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "צור אלבומים הניתנים לשיתוף ושיתוף פעולה עם משתמשי ente אחרים, כולל משתמשים בתוכניות החינמיות.", - ), - "sharedByMe": MessageLookupByLibrary.simpleMessage("שותף על ידי"), - "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( - "אלבומים משותפים חדשים", - ), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "קבל התראות כשמישהו מוסיף תמונה לאלבום משותף שאתה חלק ממנו", - ), - "sharedWith": m87, - "sharedWithMe": MessageLookupByLibrary.simpleMessage("שותף איתי"), - "sharing": MessageLookupByLibrary.simpleMessage("משתף..."), - "showMemories": MessageLookupByLibrary.simpleMessage("הצג זכרונות"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "אני מסכים לתנאי שירות ולמדיניות הפרטיות", - ), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "זה יימחק מכל האלבומים.", - ), - "skip": MessageLookupByLibrary.simpleMessage("דלג"), - "social": MessageLookupByLibrary.simpleMessage("חברתי"), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "מי שמשתף איתך אלבומים יוכל לראות את אותו המזהה במכשיר שלהם.", - ), - "somethingWentWrong": MessageLookupByLibrary.simpleMessage("משהו השתבש"), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "משהו השתבש, אנא נסה שנית", - ), - "sorry": MessageLookupByLibrary.simpleMessage("מצטער"), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "סליחה, לא ניתן להוסיף למועדפים!", - ), - "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( - "סליחה, לא ניתן להסיר מהמועדפים!", - ), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "אנחנו מצטערים, לא הצלחנו ליצור מפתחות מאובטחים על מכשיר זה.\n\nאנא הירשם ממכשיר אחר.", - ), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("מיין לפי"), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage("הישן ביותר קודם"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ הצלחה"), - "startBackup": MessageLookupByLibrary.simpleMessage("התחל גיבוי"), - "storage": MessageLookupByLibrary.simpleMessage("אחסון"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("משפחה"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("אתה"), - "storageInGB": m93, - "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( - "גבול מקום האחסון נחרג", - ), - "strongStrength": MessageLookupByLibrary.simpleMessage("חזקה"), - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("הרשם"), - "subscription": MessageLookupByLibrary.simpleMessage("מנוי"), - "success": MessageLookupByLibrary.simpleMessage("הצלחה"), - "suggestFeatures": MessageLookupByLibrary.simpleMessage("הציעו מאפיינים"), - "support": MessageLookupByLibrary.simpleMessage("תמיכה"), - "syncProgress": m97, - "syncing": MessageLookupByLibrary.simpleMessage("מסנכרן..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("מערכת"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("הקש כדי להעתיק"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage( - "הקש כדי להזין את הקוד", - ), - "terminate": MessageLookupByLibrary.simpleMessage("סיים"), - "terminateSession": MessageLookupByLibrary.simpleMessage("סיים חיבור?"), - "terms": MessageLookupByLibrary.simpleMessage("תנאים"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("תנאים"), - "thankYou": MessageLookupByLibrary.simpleMessage("תודה"), - "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( - "תודה שנרשמת!", - ), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "לא ניתן להשלים את ההורדה", - ), - "theme": MessageLookupByLibrary.simpleMessage("ערכת נושא"), - "theyAlsoGetXGb": m99, - "thisCanBeUsedToRecoverYourAccountIfYou": - MessageLookupByLibrary.simpleMessage( - "זה יכול לשמש לשחזור החשבון שלך במקרה ותאבד את הגורם השני", - ), - "thisDevice": MessageLookupByLibrary.simpleMessage("מכשיר זה"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "זה מזהה האימות שלך", - ), - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage("זה ינתק אותך מהמכשיר הבא:"), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "זה ינתק אותך במכשיר זה!", - ), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "כדי לאפס את הסיסמא שלך, אנא אמת את האימייל שלך קודם.", - ), - "total": MessageLookupByLibrary.simpleMessage("סך הכל"), - "totalSize": MessageLookupByLibrary.simpleMessage("גודל כולל"), - "trash": MessageLookupByLibrary.simpleMessage("אשפה"), - "tryAgain": MessageLookupByLibrary.simpleMessage("נסה שוב"), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "חודשיים בחינם בתוכניות שנתיות", - ), - "twofactor": MessageLookupByLibrary.simpleMessage("דו-גורמי"), - "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( - "אימות דו-גורמי", - ), - "twofactorSetup": MessageLookupByLibrary.simpleMessage("אימות דו-שלבי"), - "unarchive": MessageLookupByLibrary.simpleMessage("הוצאה מארכיון"), - "uncategorized": MessageLookupByLibrary.simpleMessage("ללא קטגוריה"), - "unhide": MessageLookupByLibrary.simpleMessage("בטל הסתרה"), - "unhideToAlbum": MessageLookupByLibrary.simpleMessage( - "בטל הסתרה בחזרה לאלבום", - ), - "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "מבטל הסתרת הקבצים לאלבום", - ), - "unlock": MessageLookupByLibrary.simpleMessage("ביטול נעילה"), - "unselectAll": MessageLookupByLibrary.simpleMessage("בטל בחירה של הכל"), - "update": MessageLookupByLibrary.simpleMessage("עדכן"), - "updateAvailable": MessageLookupByLibrary.simpleMessage("עדכון זמין"), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "מעדכן את בחירת התיקיות...", - ), - "upgrade": MessageLookupByLibrary.simpleMessage("שדרג"), - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "מעלה קבצים לאלבום...", - ), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "כמות האחסון השמישה שלך מוגבלת בתוכנית הנוכחית. אחסון עודף יהפוך שוב לשמיש אחרי שתשדרג את התוכנית שלך.", - ), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage("השתמש במפתח שחזור"), - "usedSpace": MessageLookupByLibrary.simpleMessage("מקום בשימוש"), - "verificationId": MessageLookupByLibrary.simpleMessage("מזהה אימות"), - "verify": MessageLookupByLibrary.simpleMessage("אמת"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("אימות דוא\"ל"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("אמת"), - "verifyPassword": MessageLookupByLibrary.simpleMessage("אמת סיסמא"), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "מוודא את מפתח השחזור...", - ), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("וידאו"), - "viewActiveSessions": MessageLookupByLibrary.simpleMessage( - "צפה בחיבורים פעילים", - ), - "viewAll": MessageLookupByLibrary.simpleMessage("הצג הכל"), - "viewLogs": MessageLookupByLibrary.simpleMessage("צפייה בלוגים"), - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage("צפה במפתח השחזור"), - "viewer": MessageLookupByLibrary.simpleMessage("צפיין"), - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "אנא בקר ב-web.ente.io על מנת לנהל את המנוי שלך", - ), - "weAreOpenSource": MessageLookupByLibrary.simpleMessage("הקוד שלנו פתוח!"), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("חלשה"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("ברוך שובך!"), - "yearly": MessageLookupByLibrary.simpleMessage("שנתי"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("כן"), - "yesCancel": MessageLookupByLibrary.simpleMessage("כן, בטל"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "כן, המר לצפיין", - ), - "yesDelete": MessageLookupByLibrary.simpleMessage("כן, מחק"), - "yesLogout": MessageLookupByLibrary.simpleMessage("כן, התנתק"), - "yesRemove": MessageLookupByLibrary.simpleMessage("כן, הסר"), - "yesRenew": MessageLookupByLibrary.simpleMessage("כן, חדש"), - "you": MessageLookupByLibrary.simpleMessage("אתה"), - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( - "אתה על תוכנית משפחתית!", - ), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "אתה על הגרסא הכי עדכנית", - ), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* אתה יכול במקסימום להכפיל את מקום האחסון שלך", - ), - "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( - "אתה יכול לנהת את הקישורים שלך בלשונית שיתוף.", - ), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "אתה לא יכול לשנמך לתוכנית הזו", - ), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "אתה לא יכול לשתף עם עצמך", - ), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "החשבון שלך נמחק", - ), - "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( - "התוכנית שלך שונמכה בהצלחה", - ), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "התוכנית שלך שודרגה בהצלחה", - ), - "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( - "התשלום שלך עבר בהצלחה", - ), - "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( - "לא ניתן לאחזר את פרטי מקום האחסון", - ), - "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( - "פג תוקף המנוי שלך", - ), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage("המנוי שלך עודכן בהצלחה"), - }; + "about": MessageLookupByLibrary.simpleMessage("אודות"), + "account": MessageLookupByLibrary.simpleMessage("חשבון"), + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("ברוך שובך!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "אני מבין שאם אאבד את הסיסמא, אני עלול לאבד את המידע שלי מכיוון שהמידע שלי מוצפן מקצה אל קצה."), + "activeSessions": + MessageLookupByLibrary.simpleMessage("חיבורים פעילים"), + "addANewEmail": MessageLookupByLibrary.simpleMessage("הוסף דוא\"ל חדש"), + "addCollaborator": + MessageLookupByLibrary.simpleMessage("הוסף משתף פעולה"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("הוסף"), + "addMore": MessageLookupByLibrary.simpleMessage("הוסף עוד"), + "addPhotos": MessageLookupByLibrary.simpleMessage("הוסף תמונות"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("הוסף לאלבום"), + "addViewer": MessageLookupByLibrary.simpleMessage("הוסף צופה"), + "addedAs": MessageLookupByLibrary.simpleMessage("הוסף בתור"), + "addingToFavorites": + MessageLookupByLibrary.simpleMessage("מוסיף למועדפים..."), + "advanced": MessageLookupByLibrary.simpleMessage("מתקדם"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("מתקדם"), + "after1Day": MessageLookupByLibrary.simpleMessage("אחרי יום 1"), + "after1Hour": MessageLookupByLibrary.simpleMessage("אחרי שעה 1"), + "after1Month": MessageLookupByLibrary.simpleMessage("אחרי חודש 1"), + "after1Week": MessageLookupByLibrary.simpleMessage("אחרי שבוע 1"), + "after1Year": MessageLookupByLibrary.simpleMessage("אחרי שנה 1"), + "albumOwner": MessageLookupByLibrary.simpleMessage("בעלים"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("כותרת האלבום"), + "albumUpdated": MessageLookupByLibrary.simpleMessage("האלבום עודכן"), + "albums": MessageLookupByLibrary.simpleMessage("אלבומים"), + "allClear": MessageLookupByLibrary.simpleMessage("✨ הכל נוקה"), + "allMemoriesPreserved": + MessageLookupByLibrary.simpleMessage("כל הזכרונות נשמרו"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "בנוסף אפשר לאנשים עם הלינק להוסיף תמונות לאלבום המשותף."), + "allowAddingPhotos": + MessageLookupByLibrary.simpleMessage("אפשר הוספת תמונות"), + "allowDownloads": MessageLookupByLibrary.simpleMessage("אפשר הורדות"), + "allowPeopleToAddPhotos": + MessageLookupByLibrary.simpleMessage("תן לאנשים להוסיף תמונות"), + "androidBiometricSuccess": + MessageLookupByLibrary.simpleMessage("הצלחה"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("בטל"), + "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( + "Android, iOS, דפדפן, שולחן עבודה"), + "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), + "apply": MessageLookupByLibrary.simpleMessage("החל"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("החל קוד"), + "appstoreSubscription": + MessageLookupByLibrary.simpleMessage("מנוי AppStore"), + "archive": MessageLookupByLibrary.simpleMessage("שמירה בארכיון"), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "אתה בטוח שאתה רוצה לעזוב את התוכנית המשפתחית?"), + "areYouSureYouWantToCancel": + MessageLookupByLibrary.simpleMessage("אתה בטוח שאתה רוצה לבטל?"), + "areYouSureYouWantToChangeYourPlan": + MessageLookupByLibrary.simpleMessage( + "אתה בטוח שאתה רוצה לשנות את התוכנית שלך?"), + "areYouSureYouWantToExit": + MessageLookupByLibrary.simpleMessage("האם אתה בטוח שברצונך לצאת?"), + "areYouSureYouWantToLogout": + MessageLookupByLibrary.simpleMessage("אתה בטוח שאתה רוצה להתנתק?"), + "areYouSureYouWantToRenew": + MessageLookupByLibrary.simpleMessage("אתה בטוח שאתה רוצה לחדש?"), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "המנוי שלך בוטל. תרצה לשתף את הסיבה?"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "מה הסיבה העיקרית שבגללה אתה מוחק את החשבון שלך?"), + "atAFalloutShelter": + MessageLookupByLibrary.simpleMessage("במקלט גרעיני"), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "אנא התאמת על מנת לשנות את הדוא\"ל שלך"), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "אנא התאמת כדי לשנות את הגדרות מסך הנעילה"), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "אנא אנא התאמת על מנת לשנות את הדוא\"ל שלך"), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "אנא התאמת על מנת לשנות את הסיסמא שלך"), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "אנא התאמת כדי להגדיר את האימות הדו-גורמי"), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "אנא התאמת על מנת להתחיל את מחיקת החשבון שלך"), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "אנא התאמת על מנת לראות את החיבורים הפעילים שלך"), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "אנא התאמת על מנת לראות את הקבצים החבויים שלך"), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "אנא אמת על מנת לצפות בזכרונות שלך"), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "אנא התאמת על מנת לראות את מפתח השחזור שלך"), + "available": MessageLookupByLibrary.simpleMessage("זמין"), + "backedUpFolders": MessageLookupByLibrary.simpleMessage("תיקיות שגובו"), + "backup": MessageLookupByLibrary.simpleMessage("גיבוי"), + "backupFailed": MessageLookupByLibrary.simpleMessage("הגיבוי נכשל"), + "backupOverMobileData": + MessageLookupByLibrary.simpleMessage("גבה על רשת סלולרית"), + "backupSettings": MessageLookupByLibrary.simpleMessage("הגדרות גיבוי"), + "backupVideos": MessageLookupByLibrary.simpleMessage("גבה סרטונים"), + "blog": MessageLookupByLibrary.simpleMessage("בלוג"), + "cachedData": MessageLookupByLibrary.simpleMessage("נתונים מוטמנים"), + "canNotUploadToAlbumsOwnedByOthers": + MessageLookupByLibrary.simpleMessage( + "לא ניתן להעלות לאלבומים שבבעלות אחרים"), + "canOnlyCreateLinkForFilesOwnedByYou": + MessageLookupByLibrary.simpleMessage( + "ניתן אך ורק ליצור קישור לקבצים שאתה בבעולתם"), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "יכול להסיר רק קבצים שבבעלותך"), + "cancel": MessageLookupByLibrary.simpleMessage("בטל"), + "cancelOtherSubscription": m12, + "cancelSubscription": MessageLookupByLibrary.simpleMessage("בטל מנוי"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "לא ניתן למחוק את הקבצים המשותפים"), + "changeEmail": MessageLookupByLibrary.simpleMessage("שנה דוא\"ל"), + "changePassword": MessageLookupByLibrary.simpleMessage("שנה סיסמה"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("שנה סיסמה"), + "changePermissions": MessageLookupByLibrary.simpleMessage("שנה הרשאה?"), + "checkForUpdates": MessageLookupByLibrary.simpleMessage("בדוק עדכונים"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "אנא בדוק את תיבת הדואר שלך (והספאם) כדי להשלים את האימות"), + "checking": MessageLookupByLibrary.simpleMessage("בודק..."), + "claimFreeStorage": + MessageLookupByLibrary.simpleMessage("תבע מקום אחסון בחינם"), + "claimMore": MessageLookupByLibrary.simpleMessage("תבע עוד!"), + "claimed": MessageLookupByLibrary.simpleMessage("נתבע"), + "claimedStorageSoFar": m14, + "click": MessageLookupByLibrary.simpleMessage("• לחץ"), + "close": MessageLookupByLibrary.simpleMessage("סגור"), + "clubByCaptureTime": + MessageLookupByLibrary.simpleMessage("קבץ לפי זמן הצילום"), + "clubByFileName": + MessageLookupByLibrary.simpleMessage("קבץ לפי שם הקובץ"), + "codeAppliedPageTitle": + MessageLookupByLibrary.simpleMessage("הקוד הוחל"), + "codeCopiedToClipboard": + MessageLookupByLibrary.simpleMessage("הקוד הועתק ללוח"), + "codeUsedByYou": + MessageLookupByLibrary.simpleMessage("הקוד שומש על ידיך"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "צור קישור על מנת לאפשר לאנשים להוסיף ולצפות בתמונות באלבום ששיתפת בלי צורך באפליקציית ente או חשבון. נהדר לאיסוף תמונות של אירועים."), + "collaborativeLink": + MessageLookupByLibrary.simpleMessage("קישור לשיתוף פעולה"), + "collaborator": MessageLookupByLibrary.simpleMessage("משתף פעולה"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "משתפי פעולה יכולים להוסיף תמונות וסרטונים לאלבום המשותף."), + "collageLayout": MessageLookupByLibrary.simpleMessage("פריסה"), + "collageSaved": + MessageLookupByLibrary.simpleMessage("הקולז נשמר לגלריה"), + "collectEventPhotos": + MessageLookupByLibrary.simpleMessage("אסף תמונות מאירוע"), + "collectPhotos": MessageLookupByLibrary.simpleMessage("אסוף תמונות"), + "color": MessageLookupByLibrary.simpleMessage("צבע"), + "confirm": MessageLookupByLibrary.simpleMessage("אשר"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "האם אתה בטוח שאתה רוצה להשבית את האימות הדו-גורמי?"), + "confirmAccountDeletion": + MessageLookupByLibrary.simpleMessage("אשר את מחיקת החשבון"), + "confirmPassword": MessageLookupByLibrary.simpleMessage("אמת סיסמא"), + "confirmPlanChange": + MessageLookupByLibrary.simpleMessage("אשר שינוי תוכנית"), + "confirmRecoveryKey": + MessageLookupByLibrary.simpleMessage("אמת את מפתח השחזור"), + "confirmYourRecoveryKey": + MessageLookupByLibrary.simpleMessage("אמת את מפתח השחזור"), + "contactFamilyAdmin": m18, + "contactSupport": + MessageLookupByLibrary.simpleMessage("צור קשר עם התמיכה"), + "contactToManageSubscription": m19, + "continueLabel": MessageLookupByLibrary.simpleMessage("המשך"), + "continueOnFreeTrial": + MessageLookupByLibrary.simpleMessage("המשך עם ניסיון חינמי"), + "copyLink": MessageLookupByLibrary.simpleMessage("העתק קישור"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "תעתיק ותדביק את הקוד הזה\nלאפליקציית האימות שלך"), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "לא יכולנו לגבות את המידע שלך.\nאנא נסה שוב מאוחר יותר."), + "couldNotUpdateSubscription": + MessageLookupByLibrary.simpleMessage("לא ניתן לעדכן את המנוי"), + "count": MessageLookupByLibrary.simpleMessage("כמות"), + "create": MessageLookupByLibrary.simpleMessage("צור"), + "createAccount": MessageLookupByLibrary.simpleMessage("צור חשבון"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "לחץ לחיצה ארוכה על מנת לבחור תמונות ולחץ על + על מנת ליצור אלבום"), + "createCollage": MessageLookupByLibrary.simpleMessage("צור קולז"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("צור חשבון חדש"), + "createOrSelectAlbum": + MessageLookupByLibrary.simpleMessage("צור או בחר אלבום"), + "createPublicLink": + MessageLookupByLibrary.simpleMessage("צור קישור ציבורי"), + "creatingLink": MessageLookupByLibrary.simpleMessage("יוצר קישור..."), + "criticalUpdateAvailable": + MessageLookupByLibrary.simpleMessage("עדכון חשוב זמין"), + "currentUsageIs": MessageLookupByLibrary.simpleMessage( + "השימוש במקום האחסון כרגע הוא "), + "custom": MessageLookupByLibrary.simpleMessage("מותאם אישית"), + "darkTheme": MessageLookupByLibrary.simpleMessage("כהה"), + "dayToday": MessageLookupByLibrary.simpleMessage("היום"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("אתמול"), + "decrypting": MessageLookupByLibrary.simpleMessage("מפענח..."), + "decryptingVideo": + MessageLookupByLibrary.simpleMessage("מפענח את הסרטון..."), + "deduplicateFiles": + MessageLookupByLibrary.simpleMessage("הסר קבצים כפולים"), + "delete": MessageLookupByLibrary.simpleMessage("מחק"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("מחק חשבון"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "אנחנו מצטערים לראות שאתה עוזב. אנא תחלוק את המשוב שלך כדי לעזור לנו להשתפר."), + "deleteAccountPermanentlyButton": + MessageLookupByLibrary.simpleMessage("מחק את החשבון לצמיתות"), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("מחק אלבום"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "גם להסיר תמונות (וסרטונים) שנמצאים באלבום הזה מכל שאר האלבומים שהם שייכים אליהם?"), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "זה ימחק את כל האלבומים הריקים. זה שימושי כשאתה רוצה להפחית את כמות האי סדר ברשימת האלבומים שלך."), + "deleteAll": MessageLookupByLibrary.simpleMessage("מחק הכל"), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "אנא תשלח דוא\"ל לaccount-deletion@ente.io מהכתובת דוא\"ל שנרשמת איתה."), + "deleteEmptyAlbums": + MessageLookupByLibrary.simpleMessage("למחוק אלבומים ריקים"), + "deleteEmptyAlbumsWithQuestionMark": + MessageLookupByLibrary.simpleMessage("למחוק אלבומים ריקים?"), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage("מחק משניהם"), + "deleteFromDevice": MessageLookupByLibrary.simpleMessage("מחק מהמכשיר"), + "deleteItemCount": m21, + "deletePhotos": MessageLookupByLibrary.simpleMessage("מחק תמונות"), + "deleteProgress": m23, + "deleteReason1": + MessageLookupByLibrary.simpleMessage("חסר מאפיין מרכזי שאני צריך"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "היישומון או מאפיין מסוים לא מתנהג כמו שאני חושב שהוא צריך"), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "מצאתי שירות אחר שאני יותר מחבב"), + "deleteReason4": + MessageLookupByLibrary.simpleMessage("הסיבה שלי לא כלולה"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "הבקשה שלך תועבד תוך 72 שעות."), + "deleteSharedAlbum": + MessageLookupByLibrary.simpleMessage("מחק את האלבום המשותף?"), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "האלבום הזה יימחק עבור כולם\n\nאתה תאבד גישה לתמונות משותפות באלבום הזה שבבעלות של אחרים"), + "deselectAll": MessageLookupByLibrary.simpleMessage("בטל בחירה של הכל"), + "designedToOutlive": + MessageLookupByLibrary.simpleMessage("עוצב על מנת לשרוד"), + "details": MessageLookupByLibrary.simpleMessage("פרטים"), + "disableAutoLock": + MessageLookupByLibrary.simpleMessage("השבת נעילה אוטומטית"), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "צופים יכולים עדיין לקחת צילומי מסך או לשמור עותק של התמונות שלך בעזרת כלים חיצוניים"), + "disableDownloadWarningTitle": + MessageLookupByLibrary.simpleMessage("שים לב"), + "disableLinkMessage": m24, + "disableTwofactor": + MessageLookupByLibrary.simpleMessage("השבת דו-גורמי"), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "dismiss": MessageLookupByLibrary.simpleMessage("התעלם"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("ק\"מ"), + "doThisLater": MessageLookupByLibrary.simpleMessage("מאוחר יותר"), + "done": MessageLookupByLibrary.simpleMessage("בוצע"), + "download": MessageLookupByLibrary.simpleMessage("הורד"), + "downloadFailed": MessageLookupByLibrary.simpleMessage("ההורדה נכשלה"), + "downloading": MessageLookupByLibrary.simpleMessage("מוריד..."), + "dropSupportEmail": m25, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("ערוך"), + "eligible": MessageLookupByLibrary.simpleMessage("זכאי"), + "email": MessageLookupByLibrary.simpleMessage("דוא\"ל"), + "emailNoEnteAccount": m31, + "emailVerificationToggle": + MessageLookupByLibrary.simpleMessage("אימות מייל"), + "empty": MessageLookupByLibrary.simpleMessage("ריק"), + "encryption": MessageLookupByLibrary.simpleMessage("הצפנה"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage("מפתחות ההצפנה"), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "מוצפן מקצה אל קצה כברירת מחדל"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente צריך הרשאות על מנת לשמור את התמונות שלך"), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "אפשר להוסיף גם את המשפחה שלך לתוכנית."), + "enterAlbumName": MessageLookupByLibrary.simpleMessage("הזן שם אלבום"), + "enterCode": MessageLookupByLibrary.simpleMessage("הזן קוד"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "הכנס את הקוד שנמסר לך מחברך בשביל לקבל מקום אחסון בחינם עבורך ועבורו"), + "enterEmail": MessageLookupByLibrary.simpleMessage("הזן דוא\"ל"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "הזן סיסמא חדשה שנוכל להשתמש בה כדי להצפין את המידע שלך"), + "enterPassword": MessageLookupByLibrary.simpleMessage("הזן את הסיסמה"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "הזן סיסמא כדי שנוכל לפענח את המידע שלך"), + "enterReferralCode": + MessageLookupByLibrary.simpleMessage("הזן קוד הפניה"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "הכנס את הקוד בעל 6 ספרות מתוך\nאפליקציית האימות שלך"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "אנא הכנס כתובת דוא\"ל חוקית."), + "enterYourEmailAddress": + MessageLookupByLibrary.simpleMessage("הכנס את כתובת הדוא״ל שלך"), + "enterYourPassword": MessageLookupByLibrary.simpleMessage("הכנס סיסמא"), + "enterYourRecoveryKey": + MessageLookupByLibrary.simpleMessage("הזן את מפתח השחזור שלך"), + "error": MessageLookupByLibrary.simpleMessage("שגיאה"), + "everywhere": MessageLookupByLibrary.simpleMessage("בכל מקום"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": MessageLookupByLibrary.simpleMessage("משתמש קיים"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "פג תוקף הקישור. אנא בחר בתאריך תפוגה חדש או השבת את תאריך התפוגה של הקישור."), + "exportLogs": MessageLookupByLibrary.simpleMessage("ייצוא לוגים"), + "exportYourData": + MessageLookupByLibrary.simpleMessage("ייצוא הנתונים שלך"), + "failedToApplyCode": + MessageLookupByLibrary.simpleMessage("נכשל בהחלת הקוד"), + "failedToCancel": MessageLookupByLibrary.simpleMessage("הביטול נכשל"), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "אחזור פרטי ההפניה נכשל. אנא נסה שוב מאוחר יותר."), + "failedToLoadAlbums": + MessageLookupByLibrary.simpleMessage("נכשל בטעינת האלבומים"), + "failedToRenew": MessageLookupByLibrary.simpleMessage("החידוש נכשל"), + "failedToVerifyPaymentStatus": + MessageLookupByLibrary.simpleMessage("נכשל באימות סטטוס התשלום"), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("משפחה"), + "familyPlans": MessageLookupByLibrary.simpleMessage("תוכניות משפחה"), + "faq": MessageLookupByLibrary.simpleMessage("שאלות נפוצות"), + "faqs": MessageLookupByLibrary.simpleMessage("שאלות נפוצות"), + "favorite": MessageLookupByLibrary.simpleMessage("מועדף"), + "feedback": MessageLookupByLibrary.simpleMessage("משוב"), + "fileFailedToSaveToGallery": + MessageLookupByLibrary.simpleMessage("נכשל בעת שמירת הקובץ לגלריה"), + "fileSavedToGallery": + MessageLookupByLibrary.simpleMessage("הקובץ נשמר לגלריה"), + "flip": MessageLookupByLibrary.simpleMessage("הפוך"), + "forYourMemories": + MessageLookupByLibrary.simpleMessage("עבור הזכורונות שלך"), + "forgotPassword": MessageLookupByLibrary.simpleMessage("שכחתי סיסמה"), + "freeStorageClaimed": + MessageLookupByLibrary.simpleMessage("מקום אחסון בחינם נתבע"), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": + MessageLookupByLibrary.simpleMessage("מקום אחסון שמיש"), + "freeTrial": MessageLookupByLibrary.simpleMessage("ניסיון חינמי"), + "freeTrialValidTill": m38, + "freeUpDeviceSpace": + MessageLookupByLibrary.simpleMessage("פנה אחסון במכשיר"), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("פנה מקום"), + "general": MessageLookupByLibrary.simpleMessage("כללי"), + "generatingEncryptionKeys": + MessageLookupByLibrary.simpleMessage("יוצר מפתחות הצפנה..."), + "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "נא לתת גישה לכל התמונות בתוך ההגדרות של הטלפון"), + "grantPermission": MessageLookupByLibrary.simpleMessage("הענק הרשאה"), + "hidden": MessageLookupByLibrary.simpleMessage("מוסתר"), + "hide": MessageLookupByLibrary.simpleMessage("הסתר"), + "hiding": MessageLookupByLibrary.simpleMessage("מחביא..."), + "howItWorks": MessageLookupByLibrary.simpleMessage("איך זה עובד"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "אנא בקש מהם ללחוץ לחיצה ארוכה על הכתובת אימייל שלהם בעמוד ההגדרות, וודא שהמזההים בשני המכשירים תואמים."), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("אישור"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("התעלם"), + "importing": MessageLookupByLibrary.simpleMessage("מייבא...."), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("סיסמא לא נכונה"), + "incorrectRecoveryKeyBody": + MessageLookupByLibrary.simpleMessage("המפתח שחזור שהזנת שגוי"), + "incorrectRecoveryKeyTitle": + MessageLookupByLibrary.simpleMessage("מפתח שחזור שגוי"), + "insecureDevice": + MessageLookupByLibrary.simpleMessage("מכשיר בלתי מאובטח"), + "installManually": + MessageLookupByLibrary.simpleMessage("התקן באופן ידני"), + "invalidEmailAddress": + MessageLookupByLibrary.simpleMessage("כתובת דוא״ל לא תקינה"), + "invalidKey": MessageLookupByLibrary.simpleMessage("מפתח לא חוקי"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "מפתח השחזור שהזמנת אינו תקין. אנא וודא שהוא מכיל 24 מילים, ותבדוק את האיות של כל אחת.\n\nאם הכנסת קוד שחזור ישן, וודא שהוא בעל 64 אותיות, ותבדוק כל אחת מהן."), + "invite": MessageLookupByLibrary.simpleMessage("הזמן"), + "inviteYourFriends": + MessageLookupByLibrary.simpleMessage("הזמן את חברייך"), + "itemCount": m44, + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "הפריטים שנבחרו יוסרו מהאלבום הזה"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("השאר תמונות"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("ק\"מ"), + "kindlyHelpUsWithThisInformation": + MessageLookupByLibrary.simpleMessage("אנא עזור לנו עם המידע הזה"), + "language": MessageLookupByLibrary.simpleMessage("שפה"), + "lastUpdated": MessageLookupByLibrary.simpleMessage("עדכון אחרון"), + "leave": MessageLookupByLibrary.simpleMessage("עזוב"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("צא מהאלבום"), + "leaveFamily": MessageLookupByLibrary.simpleMessage("עזוב משפחה"), + "leaveSharedAlbum": + MessageLookupByLibrary.simpleMessage("לעזוב את האלבום המשותף?"), + "light": MessageLookupByLibrary.simpleMessage("אור"), + "lightTheme": MessageLookupByLibrary.simpleMessage("בהיר"), + "linkCopiedToClipboard": + MessageLookupByLibrary.simpleMessage("הקישור הועתק ללוח"), + "linkDeviceLimit": + MessageLookupByLibrary.simpleMessage("מגבלת כמות מכשירים"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("מאופשר"), + "linkExpired": MessageLookupByLibrary.simpleMessage("פג תוקף"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("תאריך תפוגה ללינק"), + "linkHasExpired": + MessageLookupByLibrary.simpleMessage("הקישור פג תוקף"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("לעולם לא"), + "location": MessageLookupByLibrary.simpleMessage("מקום"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("נעל"), + "lockscreen": MessageLookupByLibrary.simpleMessage("מסך נעילה"), + "logInLabel": MessageLookupByLibrary.simpleMessage("התחבר"), + "loggingOut": MessageLookupByLibrary.simpleMessage("מתנתק..."), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "על ידי לחיצה על התחברות, אני מסכים לתנאי שירות ולמדיניות הפרטיות"), + "logout": MessageLookupByLibrary.simpleMessage("התנתק"), + "longpressOnAnItemToViewInFullscreen": + MessageLookupByLibrary.simpleMessage( + "לחץ לחיצה ארוכה על פריט על מנת לראות אותו במסך מלא"), + "lostDevice": MessageLookupByLibrary.simpleMessage("איבדת את המכשיר?"), + "manage": MessageLookupByLibrary.simpleMessage("נהל"), + "manageFamily": MessageLookupByLibrary.simpleMessage("נהל משפחה"), + "manageLink": MessageLookupByLibrary.simpleMessage("ניהול קישור"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("נהל"), + "manageSubscription": MessageLookupByLibrary.simpleMessage("נהל מנוי"), + "map": MessageLookupByLibrary.simpleMessage("מפה"), + "maps": MessageLookupByLibrary.simpleMessage("מפות"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "merchandise": MessageLookupByLibrary.simpleMessage("סחורה"), + "mobileWebDesktop": + MessageLookupByLibrary.simpleMessage("פלאפון, דפדפן, שולחן עבודה"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("מתונה"), + "monthly": MessageLookupByLibrary.simpleMessage("חודשי"), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("הזז לאלבום"), + "movedToTrash": MessageLookupByLibrary.simpleMessage("הועבר לאשפה"), + "movingFilesToAlbum": + MessageLookupByLibrary.simpleMessage("מעביר קבצים לאלבום..."), + "name": MessageLookupByLibrary.simpleMessage("שם"), + "never": MessageLookupByLibrary.simpleMessage("לעולם לא"), + "newAlbum": MessageLookupByLibrary.simpleMessage("אלבום חדש"), + "newest": MessageLookupByLibrary.simpleMessage("החדש ביותר"), + "no": MessageLookupByLibrary.simpleMessage("לא"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("אין"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "אין לך קבצים במכשיר הזה שניתן למחוק אותם"), + "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ אין כפילויות"), + "noPhotosAreBeingBackedUpRightNow": + MessageLookupByLibrary.simpleMessage( + "אף תמונה אינה נמצאת בתהליך גיבוי כרגע"), + "noRecoveryKey": + MessageLookupByLibrary.simpleMessage("אין מפתח שחזור?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "בשל טבע הפרוטוקול של ההצפנת קצה-אל-קצה שלנו, אין אפשרות לפענח את הנתונים שלך בלי הסיסמה או מפתח השחזור שלך"), + "noResults": MessageLookupByLibrary.simpleMessage("אין תוצאות"), + "notifications": MessageLookupByLibrary.simpleMessage("התראות"), + "ok": MessageLookupByLibrary.simpleMessage("אוקיי"), + "onDevice": MessageLookupByLibrary.simpleMessage("על המכשיר"), + "onEnte": + MessageLookupByLibrary.simpleMessage("באנטע"), + "oops": MessageLookupByLibrary.simpleMessage("אופס"), + "oopsSomethingWentWrong": + MessageLookupByLibrary.simpleMessage("אופס, משהו השתבש"), + "openSettings": MessageLookupByLibrary.simpleMessage("פתח הגדרות"), + "optionalAsShortAsYouLike": + MessageLookupByLibrary.simpleMessage("אופציונלי, קצר ככל שתרצה..."), + "orPickAnExistingOne": + MessageLookupByLibrary.simpleMessage("או בחר באחד קיים"), + "password": MessageLookupByLibrary.simpleMessage("סיסמא"), + "passwordChangedSuccessfully": + MessageLookupByLibrary.simpleMessage("הססמה הוחלפה בהצלחה"), + "passwordLock": MessageLookupByLibrary.simpleMessage("נעילת סיסמא"), + "passwordStrength": m57, + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "אנחנו לא שומרים את הסיסמא הזו, לכן אם אתה שוכח אותה, אנחנו לא יכולים לפענח את המידע שלך"), + "paymentDetails": MessageLookupByLibrary.simpleMessage("פרטי תשלום"), + "paymentFailed": MessageLookupByLibrary.simpleMessage("התשלום נכשל"), + "paymentFailedTalkToProvider": m58, + "peopleUsingYourCode": + MessageLookupByLibrary.simpleMessage("אנשים משתמשים בקוד שלך"), + "permanentlyDelete": + MessageLookupByLibrary.simpleMessage("למחוק לצמיתות?"), + "photoGridSize": + MessageLookupByLibrary.simpleMessage("גודל לוח של התמונה"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("תמונה"), + "playstoreSubscription": + MessageLookupByLibrary.simpleMessage("מנוי PlayStore"), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "אנא צור קשר עם support@ente.io ואנחנו נשמח לעזור!"), + "pleaseGrantPermissions": + MessageLookupByLibrary.simpleMessage("נא הענק את ההרשאות"), + "pleaseLoginAgain": + MessageLookupByLibrary.simpleMessage("אנא התחבר שוב"), + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("אנא נסה שנית"), + "pleaseWait": MessageLookupByLibrary.simpleMessage("אנא המתן..."), + "pleaseWaitForSometimeBeforeRetrying": + MessageLookupByLibrary.simpleMessage( + "אנא חכה מעט לפני שאתה מנסה שוב"), + "preparingLogs": MessageLookupByLibrary.simpleMessage("מכין לוגים..."), + "preserveMore": MessageLookupByLibrary.simpleMessage("שמור עוד"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "לחץ והחזק על מנת להריץ את הסרטון"), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "לחץ והחזק על התמונה על מנת להריץ את הסרטון"), + "privacy": MessageLookupByLibrary.simpleMessage("פרטיות"), + "privacyPolicyTitle": + MessageLookupByLibrary.simpleMessage("מדיניות פרטיות"), + "privateBackups": + MessageLookupByLibrary.simpleMessage("גיבויים פרטיים"), + "privateSharing": MessageLookupByLibrary.simpleMessage("שיתוף פרטי"), + "publicLinkCreated": + MessageLookupByLibrary.simpleMessage("קישור ציבורי נוצר"), + "publicLinkEnabled": + MessageLookupByLibrary.simpleMessage("לינק ציבורי אופשר"), + "radius": MessageLookupByLibrary.simpleMessage("רדיוס"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("צור ticket"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("דרג את האפליקציה"), + "rateUs": MessageLookupByLibrary.simpleMessage("דרג אותנו"), + "rateUsOnStore": m68, + "recover": MessageLookupByLibrary.simpleMessage("שחזר"), + "recoverAccount": MessageLookupByLibrary.simpleMessage("שחזר חשבון"), + "recoverButton": MessageLookupByLibrary.simpleMessage("שחזר"), + "recoveryKey": MessageLookupByLibrary.simpleMessage("מפתח שחזור"), + "recoveryKeyCopiedToClipboard": + MessageLookupByLibrary.simpleMessage("מפתח השחזור הועתק ללוח"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "אם אתה שוכח את הסיסמא שלך, הדרך היחידה שתוכל לשחזר את המידע שלך היא עם המפתח הזה."), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "אנחנו לא מאחסנים את המפתח הזה, אנא שמור את המפתח 24 מילים הזה במקום בטוח."), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "נהדר! מפתח השחזור תקין. אנחנו מודים לך על האימות.\n\nאנא תזכור לגבות את מפתח השחזור שלך באופן בטוח."), + "recoveryKeyVerified": + MessageLookupByLibrary.simpleMessage("מפתח השחזור אומת"), + "recoverySuccessful": + MessageLookupByLibrary.simpleMessage("השחזור עבר בהצלחה!"), + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "המכשיר הנוכחי אינו חזק מספיק כדי לאמת את הסיסמא שלך, אבל אנחנו יכולים ליצור בצורה שתעבוד עם כל המכשירים.\n\nאנא התחבר בעזרת המפתח שחזור שלך וצור מחדש את הסיסמא שלך (אתה יכול להשתמש באותה אחת אם אתה רוצה)."), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("צור סיסמא מחדש"), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. תמסור את הקוד הזה לחברייך"), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. הם נרשמים עבור תוכנית בתשלום"), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("הפניות"), + "referralsAreCurrentlyPaused": + MessageLookupByLibrary.simpleMessage("הפניות כרגע מושהות"), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "גם נקה \"נמחק לאחרונה\" מ-\"הגדרות\" -> \"אחסון\" על מנת לקבל המקום אחסון שהתפנה"), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "גם נקה את ה-\"אשפה\" שלך על מנת לקבל את המקום אחסון שהתפנה"), + "remove": MessageLookupByLibrary.simpleMessage("הסר"), + "removeDuplicates": + MessageLookupByLibrary.simpleMessage("הסר כפילויות"), + "removeFromAlbum": MessageLookupByLibrary.simpleMessage("הסר מהאלבום"), + "removeFromAlbumTitle": + MessageLookupByLibrary.simpleMessage("הסר מהאלבום?"), + "removeLink": MessageLookupByLibrary.simpleMessage("הסרת קישור"), + "removeParticipant": MessageLookupByLibrary.simpleMessage("הסר משתתף"), + "removeParticipantBody": m74, + "removePublicLink": + MessageLookupByLibrary.simpleMessage("הסר לינק ציבורי"), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "חלק מהפריטים שאתה מסיר הוספו על ידי אנשים אחרים, ואתה תאבד גישה אליהם"), + "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("הסר?"), + "removingFromFavorites": + MessageLookupByLibrary.simpleMessage("מסיר מהמועדפים..."), + "rename": MessageLookupByLibrary.simpleMessage("שנה שם"), + "renameFile": MessageLookupByLibrary.simpleMessage("שנה שם הקובץ"), + "renewSubscription": MessageLookupByLibrary.simpleMessage("חדש מנוי"), + "reportABug": MessageLookupByLibrary.simpleMessage("דווח על באג"), + "reportBug": MessageLookupByLibrary.simpleMessage("דווח על באג"), + "resendEmail": MessageLookupByLibrary.simpleMessage("שלח דוא\"ל מחדש"), + "resetPasswordTitle": + MessageLookupByLibrary.simpleMessage("איפוס סיסמה"), + "restore": MessageLookupByLibrary.simpleMessage("שחזר"), + "restoreToAlbum": MessageLookupByLibrary.simpleMessage("שחזר לאלבום"), + "restoringFiles": + MessageLookupByLibrary.simpleMessage("משחזר קבצים..."), + "retry": MessageLookupByLibrary.simpleMessage("נסה שוב"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "אנא בחן והסר את הפריטים שאתה מאמין שהם כפלים."), + "rotateLeft": MessageLookupByLibrary.simpleMessage("סובב שמאלה"), + "safelyStored": MessageLookupByLibrary.simpleMessage("נשמר באופן בטוח"), + "save": MessageLookupByLibrary.simpleMessage("שמור"), + "saveCollage": MessageLookupByLibrary.simpleMessage("שמור קולז"), + "saveCopy": MessageLookupByLibrary.simpleMessage("שמירת עותק"), + "saveKey": MessageLookupByLibrary.simpleMessage("שמור מפתח"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "שמור את מפתח השחזור שלך אם לא שמרת כבר"), + "saving": MessageLookupByLibrary.simpleMessage("שומר..."), + "scanCode": MessageLookupByLibrary.simpleMessage("סרוק קוד"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "סרוק את הברקוד הזה\nבעזרת אפליקציית האימות שלך"), + "searchByAlbumNameHint": + MessageLookupByLibrary.simpleMessage("שם האלבום"), + "security": MessageLookupByLibrary.simpleMessage("אבטחה"), + "selectAlbum": MessageLookupByLibrary.simpleMessage("בחר אלבום"), + "selectAll": MessageLookupByLibrary.simpleMessage("בחר הכל"), + "selectFoldersForBackup": + MessageLookupByLibrary.simpleMessage("בחר תיקיות לגיבוי"), + "selectMorePhotos": + MessageLookupByLibrary.simpleMessage("בחר תמונות נוספות"), + "selectReason": MessageLookupByLibrary.simpleMessage("בחר סיבה"), + "selectYourPlan": MessageLookupByLibrary.simpleMessage("בחר תוכנית"), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "התיקיות שנבחרו יוצפנו ויגובו"), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "send": MessageLookupByLibrary.simpleMessage("שלח"), + "sendEmail": MessageLookupByLibrary.simpleMessage("שלח דוא\"ל"), + "sendInvite": MessageLookupByLibrary.simpleMessage("שלח הזמנה"), + "sendLink": MessageLookupByLibrary.simpleMessage("שלח קישור"), + "sessionExpired": + MessageLookupByLibrary.simpleMessage("פג תוקף החיבור"), + "setAPassword": MessageLookupByLibrary.simpleMessage("הגדר סיסמה"), + "setAs": MessageLookupByLibrary.simpleMessage("הגדר בתור"), + "setCover": MessageLookupByLibrary.simpleMessage("הגדר כרקע"), + "setLabel": MessageLookupByLibrary.simpleMessage("הגדר"), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage("הגדר סיסמא"), + "setRadius": MessageLookupByLibrary.simpleMessage("הגדר רדיוס"), + "setupComplete": MessageLookupByLibrary.simpleMessage("ההתקנה הושלמה"), + "share": MessageLookupByLibrary.simpleMessage("שתף"), + "shareALink": MessageLookupByLibrary.simpleMessage("שתף קישור"), + "shareAnAlbumNow": + MessageLookupByLibrary.simpleMessage("שתף אלבום עכשיו"), + "shareLink": MessageLookupByLibrary.simpleMessage("שתף קישור"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": + MessageLookupByLibrary.simpleMessage("שתף רק אם אנשים שאתה בוחר"), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "הורד את ente על מנת שנוכל לשתף תמונות וסרטונים באיכות המקור באופן קל\n\nhttps://ente.io"), + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "שתף עם משתמשים שהם לא של ente"), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": + MessageLookupByLibrary.simpleMessage("שתף את האלבום הראשון שלך"), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "צור אלבומים הניתנים לשיתוף ושיתוף פעולה עם משתמשי ente אחרים, כולל משתמשים בתוכניות החינמיות."), + "sharedByMe": MessageLookupByLibrary.simpleMessage("שותף על ידי"), + "sharedPhotoNotifications": + MessageLookupByLibrary.simpleMessage("אלבומים משותפים חדשים"), + "sharedPhotoNotificationsExplanation": + MessageLookupByLibrary.simpleMessage( + "קבל התראות כשמישהו מוסיף תמונה לאלבום משותף שאתה חלק ממנו"), + "sharedWith": m87, + "sharedWithMe": MessageLookupByLibrary.simpleMessage("שותף איתי"), + "sharing": MessageLookupByLibrary.simpleMessage("משתף..."), + "showMemories": MessageLookupByLibrary.simpleMessage("הצג זכרונות"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "אני מסכים לתנאי שירות ולמדיניות הפרטיות"), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": + MessageLookupByLibrary.simpleMessage("זה יימחק מכל האלבומים."), + "skip": MessageLookupByLibrary.simpleMessage("דלג"), + "social": MessageLookupByLibrary.simpleMessage("חברתי"), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "מי שמשתף איתך אלבומים יוכל לראות את אותו המזהה במכשיר שלהם."), + "somethingWentWrong": + MessageLookupByLibrary.simpleMessage("משהו השתבש"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage("משהו השתבש, אנא נסה שנית"), + "sorry": MessageLookupByLibrary.simpleMessage("מצטער"), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "סליחה, לא ניתן להוסיף למועדפים!"), + "sorryCouldNotRemoveFromFavorites": + MessageLookupByLibrary.simpleMessage( + "סליחה, לא ניתן להסיר מהמועדפים!"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "אנחנו מצטערים, לא הצלחנו ליצור מפתחות מאובטחים על מכשיר זה.\n\nאנא הירשם ממכשיר אחר."), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("מיין לפי"), + "sortOldestFirst": + MessageLookupByLibrary.simpleMessage("הישן ביותר קודם"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ הצלחה"), + "startBackup": MessageLookupByLibrary.simpleMessage("התחל גיבוי"), + "storage": MessageLookupByLibrary.simpleMessage("אחסון"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("משפחה"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("אתה"), + "storageInGB": m93, + "storageLimitExceeded": + MessageLookupByLibrary.simpleMessage("גבול מקום האחסון נחרג"), + "strongStrength": MessageLookupByLibrary.simpleMessage("חזקה"), + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("הרשם"), + "subscription": MessageLookupByLibrary.simpleMessage("מנוי"), + "success": MessageLookupByLibrary.simpleMessage("הצלחה"), + "suggestFeatures": + MessageLookupByLibrary.simpleMessage("הציעו מאפיינים"), + "support": MessageLookupByLibrary.simpleMessage("תמיכה"), + "syncProgress": m97, + "syncing": MessageLookupByLibrary.simpleMessage("מסנכרן..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("מערכת"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("הקש כדי להעתיק"), + "tapToEnterCode": + MessageLookupByLibrary.simpleMessage("הקש כדי להזין את הקוד"), + "terminate": MessageLookupByLibrary.simpleMessage("סיים"), + "terminateSession": MessageLookupByLibrary.simpleMessage("סיים חיבור?"), + "terms": MessageLookupByLibrary.simpleMessage("תנאים"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("תנאים"), + "thankYou": MessageLookupByLibrary.simpleMessage("תודה"), + "thankYouForSubscribing": + MessageLookupByLibrary.simpleMessage("תודה שנרשמת!"), + "theDownloadCouldNotBeCompleted": + MessageLookupByLibrary.simpleMessage("לא ניתן להשלים את ההורדה"), + "theme": MessageLookupByLibrary.simpleMessage("ערכת נושא"), + "theyAlsoGetXGb": m99, + "thisCanBeUsedToRecoverYourAccountIfYou": + MessageLookupByLibrary.simpleMessage( + "זה יכול לשמש לשחזור החשבון שלך במקרה ותאבד את הגורם השני"), + "thisDevice": MessageLookupByLibrary.simpleMessage("מכשיר זה"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": + MessageLookupByLibrary.simpleMessage("זה מזהה האימות שלך"), + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage("זה ינתק אותך מהמכשיר הבא:"), + "thisWillLogYouOutOfThisDevice": + MessageLookupByLibrary.simpleMessage("זה ינתק אותך במכשיר זה!"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "כדי לאפס את הסיסמא שלך, אנא אמת את האימייל שלך קודם."), + "total": MessageLookupByLibrary.simpleMessage("סך הכל"), + "totalSize": MessageLookupByLibrary.simpleMessage("גודל כולל"), + "trash": MessageLookupByLibrary.simpleMessage("אשפה"), + "tryAgain": MessageLookupByLibrary.simpleMessage("נסה שוב"), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "חודשיים בחינם בתוכניות שנתיות"), + "twofactor": MessageLookupByLibrary.simpleMessage("דו-גורמי"), + "twofactorAuthenticationPageTitle": + MessageLookupByLibrary.simpleMessage("אימות דו-גורמי"), + "twofactorSetup": MessageLookupByLibrary.simpleMessage("אימות דו-שלבי"), + "unarchive": MessageLookupByLibrary.simpleMessage("הוצאה מארכיון"), + "uncategorized": MessageLookupByLibrary.simpleMessage("ללא קטגוריה"), + "unhide": MessageLookupByLibrary.simpleMessage("בטל הסתרה"), + "unhideToAlbum": + MessageLookupByLibrary.simpleMessage("בטל הסתרה בחזרה לאלבום"), + "unhidingFilesToAlbum": + MessageLookupByLibrary.simpleMessage("מבטל הסתרת הקבצים לאלבום"), + "unlock": MessageLookupByLibrary.simpleMessage("ביטול נעילה"), + "unselectAll": MessageLookupByLibrary.simpleMessage("בטל בחירה של הכל"), + "update": MessageLookupByLibrary.simpleMessage("עדכן"), + "updateAvailable": MessageLookupByLibrary.simpleMessage("עדכון זמין"), + "updatingFolderSelection": + MessageLookupByLibrary.simpleMessage("מעדכן את בחירת התיקיות..."), + "upgrade": MessageLookupByLibrary.simpleMessage("שדרג"), + "uploadingFilesToAlbum": + MessageLookupByLibrary.simpleMessage("מעלה קבצים לאלבום..."), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "כמות האחסון השמישה שלך מוגבלת בתוכנית הנוכחית. אחסון עודף יהפוך שוב לשמיש אחרי שתשדרג את התוכנית שלך."), + "useRecoveryKey": + MessageLookupByLibrary.simpleMessage("השתמש במפתח שחזור"), + "usedSpace": MessageLookupByLibrary.simpleMessage("מקום בשימוש"), + "verificationId": MessageLookupByLibrary.simpleMessage("מזהה אימות"), + "verify": MessageLookupByLibrary.simpleMessage("אמת"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("אימות דוא\"ל"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("אמת"), + "verifyPassword": MessageLookupByLibrary.simpleMessage("אמת סיסמא"), + "verifyingRecoveryKey": + MessageLookupByLibrary.simpleMessage("מוודא את מפתח השחזור..."), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("וידאו"), + "viewActiveSessions": + MessageLookupByLibrary.simpleMessage("צפה בחיבורים פעילים"), + "viewAll": MessageLookupByLibrary.simpleMessage("הצג הכל"), + "viewLogs": MessageLookupByLibrary.simpleMessage("צפייה בלוגים"), + "viewRecoveryKey": + MessageLookupByLibrary.simpleMessage("צפה במפתח השחזור"), + "viewer": MessageLookupByLibrary.simpleMessage("צפיין"), + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "אנא בקר ב-web.ente.io על מנת לנהל את המנוי שלך"), + "weAreOpenSource": + MessageLookupByLibrary.simpleMessage("הקוד שלנו פתוח!"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("חלשה"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("ברוך שובך!"), + "yearly": MessageLookupByLibrary.simpleMessage("שנתי"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("כן"), + "yesCancel": MessageLookupByLibrary.simpleMessage("כן, בטל"), + "yesConvertToViewer": + MessageLookupByLibrary.simpleMessage("כן, המר לצפיין"), + "yesDelete": MessageLookupByLibrary.simpleMessage("כן, מחק"), + "yesLogout": MessageLookupByLibrary.simpleMessage("כן, התנתק"), + "yesRemove": MessageLookupByLibrary.simpleMessage("כן, הסר"), + "yesRenew": MessageLookupByLibrary.simpleMessage("כן, חדש"), + "you": MessageLookupByLibrary.simpleMessage("אתה"), + "youAreOnAFamilyPlan": + MessageLookupByLibrary.simpleMessage("אתה על תוכנית משפחתית!"), + "youAreOnTheLatestVersion": + MessageLookupByLibrary.simpleMessage("אתה על הגרסא הכי עדכנית"), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* אתה יכול במקסימום להכפיל את מקום האחסון שלך"), + "youCanManageYourLinksInTheShareTab": + MessageLookupByLibrary.simpleMessage( + "אתה יכול לנהת את הקישורים שלך בלשונית שיתוף."), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "אתה לא יכול לשנמך לתוכנית הזו"), + "youCannotShareWithYourself": + MessageLookupByLibrary.simpleMessage("אתה לא יכול לשתף עם עצמך"), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": + MessageLookupByLibrary.simpleMessage("החשבון שלך נמחק"), + "yourPlanWasSuccessfullyDowngraded": + MessageLookupByLibrary.simpleMessage("התוכנית שלך שונמכה בהצלחה"), + "yourPlanWasSuccessfullyUpgraded": + MessageLookupByLibrary.simpleMessage("התוכנית שלך שודרגה בהצלחה"), + "yourPurchaseWasSuccessful": + MessageLookupByLibrary.simpleMessage("התשלום שלך עבר בהצלחה"), + "yourStorageDetailsCouldNotBeFetched": + MessageLookupByLibrary.simpleMessage( + "לא ניתן לאחזר את פרטי מקום האחסון"), + "yourSubscriptionHasExpired": + MessageLookupByLibrary.simpleMessage("פג תוקף המנוי שלך"), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage("המנוי שלך עודכן בהצלחה") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_hi.dart b/mobile/apps/photos/lib/generated/intl/messages_hi.dart index 995038ccd0..ff4756d8d4 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_hi.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_hi.dart @@ -22,115 +22,90 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( - "आपका पुनः स्वागत है", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage("एक्टिव सेशन"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "आपका अकाउंट हटाने का मुख्य कारण क्या है?", - ), - "cancel": MessageLookupByLibrary.simpleMessage("रद्द करें"), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "अकाउंट डिलीट करने की पुष्टि करें", - ), - "confirmPassword": MessageLookupByLibrary.simpleMessage( - "पासवर्ड की पुष्टि करें", - ), - "createAccount": MessageLookupByLibrary.simpleMessage("अकाउंट बनायें"), - "createNewAccount": MessageLookupByLibrary.simpleMessage( - "नया अकाउंट बनाएँ", - ), - "decrypting": MessageLookupByLibrary.simpleMessage( - "डिक्रिप्ट हो रहा है...", - ), - "deleteAccount": MessageLookupByLibrary.simpleMessage("अकाउंट डिलीट करें"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "आपको जाता हुए देख कर हमें खेद है। कृपया हमें बेहतर बनने में सहायता के लिए अपनी प्रतिक्रिया साझा करें।", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "अकाउंट स्थायी रूप से डिलीट करें", - ), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "कृपया account-deletion@ente.io पर अपने पंजीकृत ईमेल एड्रेस से ईमेल भेजें।", - ), - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "इसमें एक मुख्य विशेषता गायब है जिसकी मुझे आवश्यकता है", - ), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "यह ऐप या इसका कोई एक फीचर मेरे विचारानुसार काम नहीं करता है", - ), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "मुझे कहीं और कोई दूरी सेवा मिली जो मुझे बेहतर लगी", - ), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "मेरा कारण इस लिस्ट में नहीं है", - ), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "आपका अनुरोध 72 घंटों के भीतर संसाधित किया जाएगा।", - ), - "email": MessageLookupByLibrary.simpleMessage("ईमेल"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente को आपकी तस्वीरों को संरक्षित करने के लिए अनुमति की आवश्यकता है", - ), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "कृपया वैद्य ईमेल ऐड्रेस डालें", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "अपना ईमेल ऐड्रेस डालें", - ), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "अपनी रिकवरी कुंजी दर्ज करें", - ), - "feedback": MessageLookupByLibrary.simpleMessage("प्रतिपुष्टि"), - "forgotPassword": MessageLookupByLibrary.simpleMessage("पासवर्ड भूल गए"), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "आपके द्वारा दर्ज रिकवरी कुंजी ग़लत है", - ), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "रिकवरी कुंजी ग़लत है", - ), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "अमान्य ईमेल ऐड्रेस", - ), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "कृपया हमें इस जानकारी के लिए सहायता करें", - ), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "रिकवरी कुंजी नहीं है?", - ), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "हमारे एंड-टू-एंड एन्क्रिप्शन प्रोटोकॉल की प्रकृति के कारण, आपके डेटा को आपके पासवर्ड या रिकवरी कुंजी के बिना डिक्रिप्ट नहीं किया जा सकता है", - ), - "ok": MessageLookupByLibrary.simpleMessage("ठीक है"), - "oops": MessageLookupByLibrary.simpleMessage("ओह!"), - "password": MessageLookupByLibrary.simpleMessage("पासवर्ड"), - "recoverButton": MessageLookupByLibrary.simpleMessage("पुनः प्राप्त"), - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "रिकवरी सफल हुई!", - ), - "selectReason": MessageLookupByLibrary.simpleMessage("कारण चुनें"), - "sendEmail": MessageLookupByLibrary.simpleMessage("ईमेल भेजें"), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "कुछ गड़बड़ हुई है। कृपया दोबारा प्रयास करें।", - ), - "sorry": MessageLookupByLibrary.simpleMessage("क्षमा करें!"), - "terminate": MessageLookupByLibrary.simpleMessage("रद्द करें"), - "terminateSession": MessageLookupByLibrary.simpleMessage("सेशन रद्द करें?"), - "thisDevice": MessageLookupByLibrary.simpleMessage("यह डिवाइस"), - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "इससे आप इन डिवाइसों से लॉग आउट हो जाएँगे:", - ), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "इससे आप इस डिवाइस से लॉग आउट हो जाएँगे!", - ), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "अपना पासवर्ड रीसेट करने के लिए, कृपया पहले अपना ईमेल सत्यापित करें।", - ), - "verify": MessageLookupByLibrary.simpleMessage("सत्यापित करें"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("ईमेल सत्यापित करें"), - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "आपका अकाउंट डिलीट कर दिया गया है", - ), - }; + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("आपका पुनः स्वागत है"), + "activeSessions": MessageLookupByLibrary.simpleMessage("एक्टिव सेशन"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "आपका अकाउंट हटाने का मुख्य कारण क्या है?"), + "cancel": MessageLookupByLibrary.simpleMessage("रद्द करें"), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "अकाउंट डिलीट करने की पुष्टि करें"), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("पासवर्ड की पुष्टि करें"), + "createAccount": MessageLookupByLibrary.simpleMessage("अकाउंट बनायें"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("नया अकाउंट बनाएँ"), + "decrypting": + MessageLookupByLibrary.simpleMessage("डिक्रिप्ट हो रहा है..."), + "deleteAccount": + MessageLookupByLibrary.simpleMessage("अकाउंट डिलीट करें"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "आपको जाता हुए देख कर हमें खेद है। कृपया हमें बेहतर बनने में सहायता के लिए अपनी प्रतिक्रिया साझा करें।"), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "अकाउंट स्थायी रूप से डिलीट करें"), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "कृपया account-deletion@ente.io पर अपने पंजीकृत ईमेल एड्रेस से ईमेल भेजें।"), + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "इसमें एक मुख्य विशेषता गायब है जिसकी मुझे आवश्यकता है"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "यह ऐप या इसका कोई एक फीचर मेरे विचारानुसार काम नहीं करता है"), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "मुझे कहीं और कोई दूरी सेवा मिली जो मुझे बेहतर लगी"), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "मेरा कारण इस लिस्ट में नहीं है"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "आपका अनुरोध 72 घंटों के भीतर संसाधित किया जाएगा।"), + "email": MessageLookupByLibrary.simpleMessage("ईमेल"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente को आपकी तस्वीरों को संरक्षित करने के लिए अनुमति की आवश्यकता है"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "कृपया वैद्य ईमेल ऐड्रेस डालें"), + "enterYourEmailAddress": + MessageLookupByLibrary.simpleMessage("अपना ईमेल ऐड्रेस डालें"), + "enterYourRecoveryKey": + MessageLookupByLibrary.simpleMessage("अपनी रिकवरी कुंजी दर्ज करें"), + "feedback": MessageLookupByLibrary.simpleMessage("प्रतिपुष्टि"), + "forgotPassword": + MessageLookupByLibrary.simpleMessage("पासवर्ड भूल गए"), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "आपके द्वारा दर्ज रिकवरी कुंजी ग़लत है"), + "incorrectRecoveryKeyTitle": + MessageLookupByLibrary.simpleMessage("रिकवरी कुंजी ग़लत है"), + "invalidEmailAddress": + MessageLookupByLibrary.simpleMessage("अमान्य ईमेल ऐड्रेस"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "कृपया हमें इस जानकारी के लिए सहायता करें"), + "noRecoveryKey": + MessageLookupByLibrary.simpleMessage("रिकवरी कुंजी नहीं है?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "हमारे एंड-टू-एंड एन्क्रिप्शन प्रोटोकॉल की प्रकृति के कारण, आपके डेटा को आपके पासवर्ड या रिकवरी कुंजी के बिना डिक्रिप्ट नहीं किया जा सकता है"), + "ok": MessageLookupByLibrary.simpleMessage("ठीक है"), + "oops": MessageLookupByLibrary.simpleMessage("ओह!"), + "password": MessageLookupByLibrary.simpleMessage("पासवर्ड"), + "recoverButton": MessageLookupByLibrary.simpleMessage("पुनः प्राप्त"), + "recoverySuccessful": + MessageLookupByLibrary.simpleMessage("रिकवरी सफल हुई!"), + "selectReason": MessageLookupByLibrary.simpleMessage("कारण चुनें"), + "sendEmail": MessageLookupByLibrary.simpleMessage("ईमेल भेजें"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "कुछ गड़बड़ हुई है। कृपया दोबारा प्रयास करें।"), + "sorry": MessageLookupByLibrary.simpleMessage("क्षमा करें!"), + "terminate": MessageLookupByLibrary.simpleMessage("रद्द करें"), + "terminateSession": + MessageLookupByLibrary.simpleMessage("सेशन रद्द करें?"), + "thisDevice": MessageLookupByLibrary.simpleMessage("यह डिवाइस"), + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "इससे आप इन डिवाइसों से लॉग आउट हो जाएँगे:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "इससे आप इस डिवाइस से लॉग आउट हो जाएँगे!"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "अपना पासवर्ड रीसेट करने के लिए, कृपया पहले अपना ईमेल सत्यापित करें।"), + "verify": MessageLookupByLibrary.simpleMessage("सत्यापित करें"), + "verifyEmail": + MessageLookupByLibrary.simpleMessage("ईमेल सत्यापित करें"), + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "आपका अकाउंट डिलीट कर दिया गया है") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_hu.dart b/mobile/apps/photos/lib/generated/intl/messages_hu.dart index 123ebe5589..19e8eb52b1 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_hu.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_hu.dart @@ -27,7 +27,12 @@ class MessageLookup extends MessageLookupByLibrary { "${user} nem tud több fotót hozzáadni ehhez az albumhoz.\n\nTovábbra is el tudja távolítani az általa hozzáadott meglévő fotókat"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, {'true': 'A családod eddig ${storageAmountInGb} GB tárhelyet igényelt', 'false': 'Eddig ${storageAmountInGb} GB tárhelyet igényelt', 'other': 'Eddig ${storageAmountInGb} GB tárhelyet igényelt!'})}"; + "${Intl.select(isFamilyMember, { + 'true': + 'A családod eddig ${storageAmountInGb} GB tárhelyet igényelt', + 'false': 'Eddig ${storageAmountInGb} GB tárhelyet igényelt', + 'other': 'Eddig ${storageAmountInGb} GB tárhelyet igényelt!', + })}"; static String m21(count) => "${Intl.plural(count, one: 'Elem ${count} törlése', other: 'Elemek ${count} törlése')}"; @@ -110,830 +115,641 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Megjelent az Ente új verziója.", - ), - "about": MessageLookupByLibrary.simpleMessage("Rólunk"), - "account": MessageLookupByLibrary.simpleMessage("Fiók"), - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( - "Köszöntjük ismét!", - ), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Tudomásul veszem, hogy ha elveszítem a jelszavamat, elveszíthetem az adataimat, mivel adataim végponttól végpontig titkosítva vannak.", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage("Bejelentkezések"), - "addANewEmail": MessageLookupByLibrary.simpleMessage( - "Új email cím hozzáadása", - ), - "addCollaborator": MessageLookupByLibrary.simpleMessage( - "Együttműködő hozzáadása", - ), - "addMore": MessageLookupByLibrary.simpleMessage("További hozzáadása"), - "addViewer": MessageLookupByLibrary.simpleMessage( - "Megtekintésre jogosult hozzáadása", - ), - "addedAs": MessageLookupByLibrary.simpleMessage("Hozzáadva mint"), - "addingToFavorites": MessageLookupByLibrary.simpleMessage( - "Hozzáadás a kedvencekhez...", - ), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Haladó"), - "after1Day": MessageLookupByLibrary.simpleMessage("Egy nap mólva"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Egy óra múlva"), - "after1Month": MessageLookupByLibrary.simpleMessage("Egy hónap múlva"), - "after1Week": MessageLookupByLibrary.simpleMessage("Egy hét múlva"), - "after1Year": MessageLookupByLibrary.simpleMessage("Egy év múlva"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Tulajdonos"), - "albumParticipantsCount": m8, - "albumUpdated": MessageLookupByLibrary.simpleMessage("Album módosítva"), - "albums": MessageLookupByLibrary.simpleMessage("Album"), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Minden tiszta"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Engedélyezd a linkkel rendelkező személyeknek, hogy ők is hozzáadhassanak fotókat a megosztott albumhoz.", - ), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( - "Fotók hozzáadásának engedélyezése", - ), - "allowDownloads": MessageLookupByLibrary.simpleMessage( - "Letöltések engedélyezése", - ), - "apply": MessageLookupByLibrary.simpleMessage("Alkalmaz"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Kód alkalmazása"), - "archive": MessageLookupByLibrary.simpleMessage("Archívum"), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Biztos benne, hogy kijelentkezik?", - ), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Miért törli a fiókját?", - ), - "authToChangeEmailVerificationSetting": MessageLookupByLibrary.simpleMessage( - "Kérjük, hitelesítse magát az e-mail-cím ellenőrzésének módosításához", - ), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Kérjük, hitelesítse magát az e-mail címének módosításához", - ), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Kérjük, hitelesítse magát a jelszó módosításához", - ), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Kérjük, hitelesítse magát a fiók törlésének megkezdéséhez", - ), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Kérjük, hitelesítse magát a kukába helyezett fájlok megtekintéséhez", - ), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Kérjük, hitelesítse magát a rejtett fájlok megtekintéséhez", - ), - "backedUpFolders": MessageLookupByLibrary.simpleMessage( - "Biztonsági másolatban lévő mappák", - ), - "backup": MessageLookupByLibrary.simpleMessage("Biztonsági mentés"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Biztonsági mentés mobil adatkapcsolaton keresztül", - ), - "backupSettings": MessageLookupByLibrary.simpleMessage( - "Biztonsági mentés beállításai", - ), - "backupStatus": MessageLookupByLibrary.simpleMessage( - "Biztonsági mentés állapota", - ), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Azok az elemek jelennek meg itt, amelyekről biztonsági másolat készült", - ), - "backupVideos": MessageLookupByLibrary.simpleMessage("Tartalék videók"), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Sajnálom, ez az album nem nyitható meg ebben az applikációban.", - ), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( - "Album nem nyitható meg", - ), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Csak a saját tulajdonú fájlokat távolíthatja el", - ), - "cancel": MessageLookupByLibrary.simpleMessage("Mégse"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Nem lehet törölni a megosztott fájlokat", - ), - "change": MessageLookupByLibrary.simpleMessage("Módosítás"), - "changeEmail": MessageLookupByLibrary.simpleMessage( - "E-mail cím módosítása", - ), - "changePassword": MessageLookupByLibrary.simpleMessage( - "Jelszó megváltoztatása", - ), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Jelszó megváltoztatása", - ), - "changePermissions": MessageLookupByLibrary.simpleMessage( - "Engedélyek módosítása?", - ), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Módosítsa ajánló kódját", - ), - "checkForUpdates": MessageLookupByLibrary.simpleMessage( - "Frissítések ellenőrzése", - ), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Kérjük, ellenőrizze beérkező leveleit (és spam mappát) az ellenőrzés befejezéséhez", - ), - "checkStatus": MessageLookupByLibrary.simpleMessage("Állapot ellenőrzése"), - "checking": MessageLookupByLibrary.simpleMessage("Ellenőrzés..."), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage( - "Igényeljen ingyenes tárhelyet", - ), - "claimMore": MessageLookupByLibrary.simpleMessage("Igényelj többet!"), - "claimed": MessageLookupByLibrary.simpleMessage("Megszerezve!"), - "claimedStorageSoFar": m14, - "clearIndexes": MessageLookupByLibrary.simpleMessage("Indexek törlése"), - "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( - "Kód alkalmazva", - ), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Sajnáljuk, elérted a kódmódosítások maximális számát.", - ), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "A kód a vágólapra másolva", - ), - "codeUsedByYou": MessageLookupByLibrary.simpleMessage( - "Ön által használt kód", - ), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Hozzon létre egy hivatkozást, amely lehetővé teszi az emberek számára, hogy fotókat adhassanak hozzá és tekintsenek meg megosztott albumában anélkül, hogy Ente alkalmazásra vagy fiókra lenne szükségük. Kiválóan alkalmas rendezvényfotók gyűjtésére.", - ), - "collaborativeLink": MessageLookupByLibrary.simpleMessage( - "Együttműködési hivatkozás", - ), - "collaborator": MessageLookupByLibrary.simpleMessage("Együttműködő"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Az együttműködők hozzá adhatnak fotókat és videókat a megosztott albumban.", - ), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Fotók gyűjtése"), - "confirm": MessageLookupByLibrary.simpleMessage("Megerősítés"), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Felhasználó Törlés Megerősítés", - ), - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Igen, szeretném véglegesen törölni ezt a felhasználót, minden adattal, az összes platformon.", - ), - "confirmPassword": MessageLookupByLibrary.simpleMessage( - "Jelszó megerősítés", - ), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Helyreállítási kulcs megerősítése", - ), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Erősítse meg helyreállítási kulcsát", - ), - "contactSupport": MessageLookupByLibrary.simpleMessage( - "Lépj kapcsolatba az Ügyfélszolgálattal", - ), - "continueLabel": MessageLookupByLibrary.simpleMessage("Folytatás"), - "copyLink": MessageLookupByLibrary.simpleMessage("Hivatkozás másolása"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Kód Másolása-Beillesztése az ön autentikátor alkalmazásába", - ), - "createAccount": MessageLookupByLibrary.simpleMessage( - "Felhasználó létrehozás", - ), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Hosszan nyomva tartva kiválaszthatod a fotókat, majd a + jelre kattintva albumot hozhatsz létre", - ), - "createNewAccount": MessageLookupByLibrary.simpleMessage( - "Új felhasználó létrehozás", - ), - "createPublicLink": MessageLookupByLibrary.simpleMessage( - "Nyilvános hivatkozás létrehozása", - ), - "creatingLink": MessageLookupByLibrary.simpleMessage("Link létrehozása..."), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "Kritikus frissítés elérhető", - ), - "custom": MessageLookupByLibrary.simpleMessage("Egyéni"), - "decrypting": MessageLookupByLibrary.simpleMessage("Dekódolás..."), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Fiók törlése"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Sajnáljuk, hogy távozik. Kérjük, ossza meg velünk visszajelzéseit, hogy segítsen nekünk a fejlődésben.", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Felhasználó Végleges Törlése", - ), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Album törlése"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Törli az ebben az albumban található fotókat (és videókat) az összes többi albumból is, amelynek részét képezik?", - ), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Kérem küldjön egy emailt a regisztrált email címéről, erre az emailcímre: account-deletion@ente.io.", - ), - "deleteFromBoth": MessageLookupByLibrary.simpleMessage( - "Törlés mindkettőből", - ), - "deleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Törlés az eszközről", - ), - "deleteFromEnte": MessageLookupByLibrary.simpleMessage( - "Törlés az Ente-ből", - ), - "deleteItemCount": m21, - "deletePhotos": MessageLookupByLibrary.simpleMessage("Fotók törlése"), - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Hiányoznak olyan funkciók, amikre szükségem lenne", - ), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "Az applikáció vagy egy adott funkció nem úgy működik ahogy kellene", - ), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Találtam egy jobb szolgáltatót", - ), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "Nincs a listán az ok", - ), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "A kérése 72 órán belül feldolgozásra kerül.", - ), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Törli a megosztott albumot?", - ), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "Az album mindenki számára törlődik.\n\nElveszíti a hozzáférést az albumban található, mások tulajdonában lévő megosztott fotókhoz.", - ), - "details": MessageLookupByLibrary.simpleMessage("Részletek"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Disable the device screen lock when Ente is in the foreground and there is a backup in progress. This is normally not needed, but may help big uploads and initial imports of large libraries complete faster.", - ), - "disableAutoLock": MessageLookupByLibrary.simpleMessage( - "Automatikus zár letiltása", - ), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "A nézők továbbra is készíthetnek képernyőképeket, vagy menthetnek másolatot a fotóidról külső eszközök segítségével", - ), - "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( - "Kérjük, vedd figyelembe", - ), - "disableLinkMessage": m24, - "discover": MessageLookupByLibrary.simpleMessage("Felfedezés"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Babák"), - "discover_celebrations": MessageLookupByLibrary.simpleMessage("Ünnepségek"), - "discover_food": MessageLookupByLibrary.simpleMessage("Étel"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Lomb"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Dombok"), - "discover_identity": MessageLookupByLibrary.simpleMessage( - "Személyazonosság", - ), - "discover_memes": MessageLookupByLibrary.simpleMessage("Mémek"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Jegyzetek"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Kisállatok"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Nyugták"), - "discover_screenshots": MessageLookupByLibrary.simpleMessage( - "Képernyőképek", - ), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Szelfik"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Napnyugta"), - "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( - "Névjegykártyák", - ), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Háttérképek"), - "doThisLater": MessageLookupByLibrary.simpleMessage("Később"), - "done": MessageLookupByLibrary.simpleMessage("Kész"), - "downloading": MessageLookupByLibrary.simpleMessage("Letöltés..."), - "dropSupportEmail": m25, - "duplicateItemsGroup": m27, - "eligible": MessageLookupByLibrary.simpleMessage("jogosult"), - "email": MessageLookupByLibrary.simpleMessage("E-mail"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "Az email cím már foglalt.", - ), - "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "Nem regisztrált email cím.", - ), - "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( - "E-mail cím ellenőrzése", - ), - "encryption": MessageLookupByLibrary.simpleMessage("Titkosítás"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage("Titkosító kulcsok"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Az Entének engedélyre van szüksége , hogy tárolhassa fotóit", - ), - "enterCode": MessageLookupByLibrary.simpleMessage("Kód beírása"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Add meg a barátod által megadott kódot, hogy mindkettőtöknek ingyenes tárhelyet igényelhess", - ), - "enterEmail": MessageLookupByLibrary.simpleMessage("Email megadása"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Adjon meg egy új jelszót, amellyel titkosíthatjuk adatait", - ), - "enterPassword": MessageLookupByLibrary.simpleMessage("Adja meg a jelszót"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Adjon meg egy jelszót, amellyel titkosíthatjuk adatait", - ), - "enterReferralCode": MessageLookupByLibrary.simpleMessage( - "Adja meg az ajánló kódot", - ), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Írja be a 6 számjegyű kódot a hitelesítő alkalmazásból", - ), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Kérjük, adjon meg egy érvényes e-mail címet.", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Adja meg az e-mail címét", - ), - "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( - "Add meg az új email címed", - ), - "enterYourPassword": MessageLookupByLibrary.simpleMessage( - "Adja meg a jelszavát", - ), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Adja meg visszaállítási kulcsát", - ), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Ez a link lejárt. Kérjük, válasszon új lejárati időt, vagy tiltsa le a link lejáratát.", - ), - "exportYourData": MessageLookupByLibrary.simpleMessage( - "Adatok exportálása", - ), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage( - "Nem sikerült alkalmazni a kódot", - ), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Nem sikerült lekérni a hivatkozási adatokat. Kérjük, próbálja meg később.", - ), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "Nem sikerült betölteni az albumokat", - ), - "faq": MessageLookupByLibrary.simpleMessage("GY. I. K."), - "feedback": MessageLookupByLibrary.simpleMessage("Visszajelzés"), - "forgotPassword": MessageLookupByLibrary.simpleMessage( - "Elfelejtett jelszó", - ), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( - "Ingyenes tárhely igénylése", - ), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Ingyenesen használható tárhely", - ), - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( - "Szabadítson fel tárhelyet", - ), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Takarítson meg helyet az eszközén a már mentett fájlok törlésével.", - ), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Titkosítási kulcs generálása...", - ), - "help": MessageLookupByLibrary.simpleMessage("Segítség"), - "hidden": MessageLookupByLibrary.simpleMessage("Rejtett"), - "howItWorks": MessageLookupByLibrary.simpleMessage("Hogyan működik"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Kérje meg őket, hogy hosszan nyomják meg az e-mail címüket a beállítások képernyőn, és ellenőrizzék, hogy a két eszköz azonosítója megegyezik-e.", - ), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage( - "Figyelem kívül hagyás", - ), - "importing": MessageLookupByLibrary.simpleMessage("Importálás..."), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Érvénytelen jelszó", - ), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "A megadott visszaállítási kulcs hibás", - ), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Hibás visszaállítási kulcs", - ), - "indexedItems": MessageLookupByLibrary.simpleMessage("Indexelt elemek"), - "insecureDevice": MessageLookupByLibrary.simpleMessage( - "Nem biztonságos eszköz", - ), - "installManually": MessageLookupByLibrary.simpleMessage( - "Manuális telepítés", - ), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "Érvénytelen e-mail cím", - ), - "invalidKey": MessageLookupByLibrary.simpleMessage("Érvénytelen kulcs"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "A megadott helyreállítási kulcs érvénytelen. Kérjük, győződjön meg róla, hogy 24 szót tartalmaz, és ellenőrizze mindegyik helyesírását.\n\nHa régebbi helyreállítási kódot adott meg, győződjön meg arról, hogy az 64 karakter hosszú, és ellenőrizze mindegyiket.", - ), - "inviteToEnte": MessageLookupByLibrary.simpleMessage("Meghívás az Ente-re"), - "inviteYourFriends": MessageLookupByLibrary.simpleMessage( - "Hívd meg a barátaidat", - ), - "itemCount": m44, - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "A kiválasztott elemek eltávolításra kerülnek ebből az albumból.", - ), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Fotók megőrzése"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Legyen kedves segítsen, ezzel az információval", - ), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Készülékkorlát"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Engedélyezett"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Lejárt"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Link lejárata"), - "linkHasExpired": MessageLookupByLibrary.simpleMessage( - "A hivatkozás érvényességi ideje lejárt", - ), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Soha"), - "loadingModel": MessageLookupByLibrary.simpleMessage( - "Modellek letöltése...", - ), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Zárolás"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Bejelentkezés"), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "A bejelentkezés gombra kattintva elfogadom az szolgáltatási feltételeket és az adatvédelmi irányelveket", - ), - "logout": MessageLookupByLibrary.simpleMessage("Kijelentkezés"), - "lostDevice": MessageLookupByLibrary.simpleMessage( - "Elveszett a készüléked?", - ), - "machineLearning": MessageLookupByLibrary.simpleMessage("Gépi tanulás"), - "magicSearch": MessageLookupByLibrary.simpleMessage("Varázslatos keresés"), - "manage": MessageLookupByLibrary.simpleMessage("Kezelés"), - "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( - "Eszköz gyorsítótárának kezelése", - ), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Tekintse át és törölje a helyi gyorsítótárat.", - ), - "manageLink": MessageLookupByLibrary.simpleMessage("Hivatkozás kezelése"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Kezelés"), - "manageSubscription": MessageLookupByLibrary.simpleMessage( - "Előfizetés kezelése", - ), - "memoryCount": m50, - "mlConsent": MessageLookupByLibrary.simpleMessage( - "Gépi tanulás engedélyezése", - ), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Értem, és szeretném engedélyezni a gépi tanulást", - ), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Ha engedélyezi a gépi tanulást, az Ente olyan információkat fog kinyerni, mint az arc geometriája, a fájlokból, beleértve azokat is, amelyeket Önnel megosztott.\n\nEz az Ön eszközén fog megtörténni, és minden generált biometrikus információ végponttól végpontig titkosítva lesz.", - ), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Kérjük, kattintson ide az adatvédelmi irányelveinkben található további részletekért erről a funkcióról.", - ), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "Engedélyezi a gépi tanulást?", - ), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Kérjük, vegye figyelembe, hogy a gépi tanulás nagyobb sávszélességet és akkumulátorhasználatot eredményez, amíg az összes elem indexelése meg nem történik. A gyorsabb indexelés érdekében érdemes lehet asztali alkalmazást használni, mivel minden eredmény automatikusan szinkronizálódik.", - ), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Közepes"), - "movedToTrash": MessageLookupByLibrary.simpleMessage("Áthelyezve a kukába"), - "never": MessageLookupByLibrary.simpleMessage("Soha"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Új album"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Egyik sem"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "Nincsenek törölhető fájlok ezen az eszközön.", - ), - "noDuplicates": MessageLookupByLibrary.simpleMessage( - "✨ Nincsenek duplikátumok", - ), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Nincs visszaállítási kulcsa?", - ), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Az általunk használt végpontok közötti titkosítás miatt, az adatait nem lehet dekódolni a jelszava, vagy visszaállítási kulcsa nélkül", - ), - "ok": MessageLookupByLibrary.simpleMessage("Rendben"), - "onlyFamilyAdminCanChangeCode": m55, - "oops": MessageLookupByLibrary.simpleMessage("Hoppá"), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Hoppá, valami hiba történt", - ), - "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( - "Vagy válasszon egy létezőt", - ), - "password": MessageLookupByLibrary.simpleMessage("Jelszó"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Jelszó módosítása sikeres!", - ), - "passwordLock": MessageLookupByLibrary.simpleMessage( - "Kóddal történő lezárás", - ), - "passwordStrength": m57, - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Ezt a jelszót nem tároljuk, így ha elfelejti, nem tudjuk visszafejteni adatait", - ), - "pendingItems": MessageLookupByLibrary.simpleMessage( - "függőben lévő elemek", - ), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Az emberek, akik a kódodat használják", - ), - "photoGridSize": MessageLookupByLibrary.simpleMessage( - "Rács méret beállátás", - ), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("fénykép"), - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Kérjük, próbálja meg újra", - ), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Kérem várjon..."), - "privacy": MessageLookupByLibrary.simpleMessage("Adatvédelem"), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( - "Adatvédelmi irányelvek", - ), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( - "Nyilvános hivatkozás engedélyezve", - ), - "rateUs": MessageLookupByLibrary.simpleMessage("Értékeljen minket"), - "recover": MessageLookupByLibrary.simpleMessage("Visszaállít"), - "recoverAccount": MessageLookupByLibrary.simpleMessage( - "Fiók visszaállítása", - ), - "recoverButton": MessageLookupByLibrary.simpleMessage("Visszaállít"), - "recoveryKey": MessageLookupByLibrary.simpleMessage("Visszaállítási kulcs"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "A helyreállítási kulcs a vágólapra másolva", - ), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Ha elfelejti jelszavát, csak ezzel a kulccsal tudja visszaállítani adatait.", - ), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Ezt a kulcsot nem tároljuk, kérjük, őrizze meg ezt a 24 szavas kulcsot egy biztonságos helyen.", - ), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Nagyszerű! A helyreállítási kulcs érvényes. Köszönjük az igazolást.\n\nNe felejtsen el biztonsági másolatot készíteni helyreállítási kulcsáról.", - ), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "A helyreállítási kulcs ellenőrizve", - ), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "A helyreállítási kulcs az egyetlen módja annak, hogy visszaállítsa fényképeit, ha elfelejti jelszavát. A helyreállítási kulcsot a Beállítások > Fiók menüpontban találhatja meg.\n\nKérjük, írja be ide helyreállítási kulcsát annak ellenőrzéséhez, hogy megfelelően mentette-e el.", - ), - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "Sikeres visszaállítás!", - ), - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "A jelenlegi eszköz nem elég erős a jelszavának ellenőrzéséhez, de újra tudjuk úgy generálni, hogy az minden eszközzel működjön.\n\nKérjük, jelentkezzen be helyreállítási kulcsával, és állítsa be újra jelszavát (ha szeretné, újra használhatja ugyanazt).", - ), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Új jelszó létrehozása", - ), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Add meg ezt a kódot a barátaidnak", - ), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Fizetős csomagra fizetnek elő", - ), - "referralStep3": m73, - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "Az ajánlások jelenleg szünetelnek", - ), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "A felszabadult hely igényléséhez ürítsd ki a „Nemrég törölt” részt a „Beállítások” -> „Tárhely” menüpontban.", - ), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Ürítsd ki a \"Kukát\" is, hogy visszaszerezd a felszabadult helyet.", - ), - "remove": MessageLookupByLibrary.simpleMessage("Eltávolítás"), - "removeDuplicates": MessageLookupByLibrary.simpleMessage( - "Távolítsa el a duplikációkat", - ), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Tekintse át és távolítsa el a pontos másolatokat tartalmazó fájlokat.", - ), - "removeFromAlbum": MessageLookupByLibrary.simpleMessage( - "Eltávolítás az albumból", - ), - "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( - "Eltávolítás az albumból?", - ), - "removeLink": MessageLookupByLibrary.simpleMessage( - "Hivatkozás eltávolítása", - ), - "removeParticipant": MessageLookupByLibrary.simpleMessage( - "Résztvevő eltávolítása", - ), - "removeParticipantBody": m74, - "removePublicLink": MessageLookupByLibrary.simpleMessage( - "Nyilvános hivatkozás eltávolítása", - ), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Néhány eltávolítandó elemet mások adtak hozzá, és elveszíted a hozzáférésedet hozzájuk.", - ), - "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage( - "Eltávolítás?", - ), - "removingFromFavorites": MessageLookupByLibrary.simpleMessage( - "Eltávolítás a kedvencek közül...", - ), - "resendEmail": MessageLookupByLibrary.simpleMessage("E-mail újraküldése"), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Jelszó visszaállítása", - ), - "retry": MessageLookupByLibrary.simpleMessage("Újrapróbálkozás"), - "saveKey": MessageLookupByLibrary.simpleMessage("Mentés"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Mentse el visszaállítási kulcsát, ha még nem tette", - ), - "scanCode": MessageLookupByLibrary.simpleMessage("Kód beolvasása"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Olvassa le ezt a QR kódot az autentikátor alkalmazásával", - ), - "selectAll": MessageLookupByLibrary.simpleMessage("Összes kijelölése"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Mappák kiválasztása biztonsági mentéshez", - ), - "selectReason": MessageLookupByLibrary.simpleMessage("Válasszon okot"), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "A kiválasztott mappák titkosítva lesznek, és biztonsági másolat készül róluk.", - ), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "sendEmail": MessageLookupByLibrary.simpleMessage("Email küldése"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Meghívó küldése"), - "sendLink": MessageLookupByLibrary.simpleMessage("Hivatkozás küldése"), - "setAPassword": MessageLookupByLibrary.simpleMessage( - "Állítson be egy jelszót", - ), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Jelszó beállítás", - ), - "setupComplete": MessageLookupByLibrary.simpleMessage("Beállítás kész"), - "shareALink": MessageLookupByLibrary.simpleMessage("Hivatkozás megosztása"), - "shareMyVerificationID": m83, - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Töltsd le az Ente-t, hogy könnyen megoszthassunk eredeti minőségű fotókat és videókat\n\nhttps://ente.io", - ), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Megosztás nem Ente felhasználókkal", - ), - "shareWithPeopleSectionTitle": m86, - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Hozzon létre megosztott és együttműködő albumokat más Ente-felhasználókkal, beleértve az ingyenes csomagokat használó felhasználókat is.", - ), - "sharing": MessageLookupByLibrary.simpleMessage("Megosztás..."), - "showMemories": MessageLookupByLibrary.simpleMessage( - "Emlékek megjelenítése", - ), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Elfogadom az szolgáltatási feltételeket és az adatvédelmi irányelveket", - ), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Az összes albumból törlésre kerül.", - ), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Kihagyás"), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Valaki, aki megoszt Önnel albumokat, ugyanazt az azonosítót fogja látni az eszközén.", - ), - "somethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Valami hiba történt", - ), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Valami félre sikerült, próbálja újból", - ), - "sorry": MessageLookupByLibrary.simpleMessage("Sajnálom"), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Sajnálom, nem sikerült hozzáadni a kedvencekhez!", - ), - "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( - "Sajnálom, nem sikerült eltávolítani a kedvencek közül!", - ), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Sajnáljuk, nem tudtunk biztonságos kulcsokat generálni ezen az eszközön.\n\nkérjük, regisztráljon egy másik eszközről.", - ), - "status": MessageLookupByLibrary.simpleMessage("Állapot"), - "storageInGB": m93, - "strongStrength": MessageLookupByLibrary.simpleMessage("Erős"), - "subscribe": MessageLookupByLibrary.simpleMessage("Előfizetés"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "A megosztás engedélyezéséhez aktív fizetős előfizetésre van szükség.", - ), - "success": MessageLookupByLibrary.simpleMessage("Sikeres"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("érintse meg másoláshoz"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage( - "Koppintson a kód beírásához", - ), - "terminate": MessageLookupByLibrary.simpleMessage("Megszakít"), - "terminateSession": MessageLookupByLibrary.simpleMessage( - "Megszakítja bejelentkezést?", - ), - "terms": MessageLookupByLibrary.simpleMessage("Feltételek"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage( - "Használati feltételek", - ), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "A letöltés nem fejezhető be", - ), - "theyAlsoGetXGb": m99, - "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( - "Ezzel tudja visszaállítani felhasználóját ha elveszítené a kétlépcsős azonosítóját", - ), - "thisDevice": MessageLookupByLibrary.simpleMessage("Ez az eszköz"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Ez az ellenőrző azonosítód", - ), - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Ezzel kijelentkezik az alábbi eszközről:", - ), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Ezzel kijelentkezik az eszközről!", - ), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "A Jelszó visszaállításához, kérjük először erősítse meg emailcímét.", - ), - "total": MessageLookupByLibrary.simpleMessage("összesen"), - "trash": MessageLookupByLibrary.simpleMessage("Kuka"), - "tryAgain": MessageLookupByLibrary.simpleMessage("Próbáld újra"), - "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( - "Kétlépcsős hitelesítés (2FA)", - ), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Kétlépcsős azonosító beállítás", - ), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Sajnáljuk, ez a kód nem érhető el.", - ), - "uncategorized": MessageLookupByLibrary.simpleMessage("Kategorizálatlan"), - "unselectAll": MessageLookupByLibrary.simpleMessage( - "Összes kijelölés törlése", - ), - "update": MessageLookupByLibrary.simpleMessage("Frissítés"), - "updateAvailable": MessageLookupByLibrary.simpleMessage( - "Elérhető frissítés", - ), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Mappakijelölés frissítése...", - ), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "A felhasználható tárhelyet a jelenlegi előfizetése korlátozza. A feleslegesen igényelt tárhely automatikusan felhasználhatóvá válik, amikor frissítesz a csomagodra.", - ), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Helyreállítási kulcs használata", - ), - "verificationId": MessageLookupByLibrary.simpleMessage( - "Ellenőrző azonosító", - ), - "verify": MessageLookupByLibrary.simpleMessage("Hitelesítés"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("Emailcím megerősítés"), - "verifyPassword": MessageLookupByLibrary.simpleMessage( - "Jelszó megerősítése", - ), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Helyreállítási kulcs ellenőrzése...", - ), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("videó"), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Nagy fájlok"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Tekintse meg a legtöbb tárhelyet foglaló fájlokat.", - ), - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Helyreállítási kulcs megtekintése", - ), - "viewer": MessageLookupByLibrary.simpleMessage("Néző"), - "waitingForWifi": MessageLookupByLibrary.simpleMessage( - "Várakozás a WiFi-re...", - ), - "weAreOpenSource": MessageLookupByLibrary.simpleMessage( - "Nyílt forráskódúak vagyunk!", - ), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Gyenge"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("Köszöntjük ismét!"), - "yearsAgo": m116, - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "Igen, alakítsa nézővé", - ), - "yesDelete": MessageLookupByLibrary.simpleMessage("Igen, törlés"), - "yesLogout": MessageLookupByLibrary.simpleMessage("Igen, kijelentkezés"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Igen, eltávolítás"), - "you": MessageLookupByLibrary.simpleMessage("Te"), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Ön a legújabb verziót használja", - ), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Maximum megduplázhatod a tárhelyed", - ), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Nem oszthatod meg magaddal", - ), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "A felhasználód törlődött", - ), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage( - "Nincsenek törölhető duplikált fájljaid", - ), - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Megjelent az Ente új verziója."), + "about": MessageLookupByLibrary.simpleMessage("Rólunk"), + "account": MessageLookupByLibrary.simpleMessage("Fiók"), + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("Köszöntjük ismét!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Tudomásul veszem, hogy ha elveszítem a jelszavamat, elveszíthetem az adataimat, mivel adataim végponttól végpontig titkosítva vannak."), + "activeSessions": + MessageLookupByLibrary.simpleMessage("Bejelentkezések"), + "addANewEmail": + MessageLookupByLibrary.simpleMessage("Új email cím hozzáadása"), + "addCollaborator": + MessageLookupByLibrary.simpleMessage("Együttműködő hozzáadása"), + "addMore": MessageLookupByLibrary.simpleMessage("További hozzáadása"), + "addViewer": MessageLookupByLibrary.simpleMessage( + "Megtekintésre jogosult hozzáadása"), + "addedAs": MessageLookupByLibrary.simpleMessage("Hozzáadva mint"), + "addingToFavorites": + MessageLookupByLibrary.simpleMessage("Hozzáadás a kedvencekhez..."), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Haladó"), + "after1Day": MessageLookupByLibrary.simpleMessage("Egy nap mólva"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Egy óra múlva"), + "after1Month": MessageLookupByLibrary.simpleMessage("Egy hónap múlva"), + "after1Week": MessageLookupByLibrary.simpleMessage("Egy hét múlva"), + "after1Year": MessageLookupByLibrary.simpleMessage("Egy év múlva"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Tulajdonos"), + "albumParticipantsCount": m8, + "albumUpdated": MessageLookupByLibrary.simpleMessage("Album módosítva"), + "albums": MessageLookupByLibrary.simpleMessage("Album"), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Minden tiszta"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Engedélyezd a linkkel rendelkező személyeknek, hogy ők is hozzáadhassanak fotókat a megosztott albumhoz."), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( + "Fotók hozzáadásának engedélyezése"), + "allowDownloads": + MessageLookupByLibrary.simpleMessage("Letöltések engedélyezése"), + "apply": MessageLookupByLibrary.simpleMessage("Alkalmaz"), + "applyCodeTitle": + MessageLookupByLibrary.simpleMessage("Kód alkalmazása"), + "archive": MessageLookupByLibrary.simpleMessage("Archívum"), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Biztos benne, hogy kijelentkezik?"), + "askDeleteReason": + MessageLookupByLibrary.simpleMessage("Miért törli a fiókját?"), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Kérjük, hitelesítse magát az e-mail-cím ellenőrzésének módosításához"), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Kérjük, hitelesítse magát az e-mail címének módosításához"), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Kérjük, hitelesítse magát a jelszó módosításához"), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Kérjük, hitelesítse magát a fiók törlésének megkezdéséhez"), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Kérjük, hitelesítse magát a kukába helyezett fájlok megtekintéséhez"), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Kérjük, hitelesítse magát a rejtett fájlok megtekintéséhez"), + "backedUpFolders": MessageLookupByLibrary.simpleMessage( + "Biztonsági másolatban lévő mappák"), + "backup": MessageLookupByLibrary.simpleMessage("Biztonsági mentés"), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Biztonsági mentés mobil adatkapcsolaton keresztül"), + "backupSettings": MessageLookupByLibrary.simpleMessage( + "Biztonsági mentés beállításai"), + "backupStatus": + MessageLookupByLibrary.simpleMessage("Biztonsági mentés állapota"), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Azok az elemek jelennek meg itt, amelyekről biztonsági másolat készült"), + "backupVideos": MessageLookupByLibrary.simpleMessage("Tartalék videók"), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Sajnálom, ez az album nem nyitható meg ebben az applikációban."), + "canNotOpenTitle": + MessageLookupByLibrary.simpleMessage("Album nem nyitható meg"), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Csak a saját tulajdonú fájlokat távolíthatja el"), + "cancel": MessageLookupByLibrary.simpleMessage("Mégse"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Nem lehet törölni a megosztott fájlokat"), + "change": MessageLookupByLibrary.simpleMessage("Módosítás"), + "changeEmail": + MessageLookupByLibrary.simpleMessage("E-mail cím módosítása"), + "changePassword": + MessageLookupByLibrary.simpleMessage("Jelszó megváltoztatása"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("Jelszó megváltoztatása"), + "changePermissions": + MessageLookupByLibrary.simpleMessage("Engedélyek módosítása?"), + "changeYourReferralCode": + MessageLookupByLibrary.simpleMessage("Módosítsa ajánló kódját"), + "checkForUpdates": + MessageLookupByLibrary.simpleMessage("Frissítések ellenőrzése"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Kérjük, ellenőrizze beérkező leveleit (és spam mappát) az ellenőrzés befejezéséhez"), + "checkStatus": + MessageLookupByLibrary.simpleMessage("Állapot ellenőrzése"), + "checking": MessageLookupByLibrary.simpleMessage("Ellenőrzés..."), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage( + "Igényeljen ingyenes tárhelyet"), + "claimMore": MessageLookupByLibrary.simpleMessage("Igényelj többet!"), + "claimed": MessageLookupByLibrary.simpleMessage("Megszerezve!"), + "claimedStorageSoFar": m14, + "clearIndexes": MessageLookupByLibrary.simpleMessage("Indexek törlése"), + "codeAppliedPageTitle": + MessageLookupByLibrary.simpleMessage("Kód alkalmazva"), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Sajnáljuk, elérted a kódmódosítások maximális számát."), + "codeCopiedToClipboard": + MessageLookupByLibrary.simpleMessage("A kód a vágólapra másolva"), + "codeUsedByYou": + MessageLookupByLibrary.simpleMessage("Ön által használt kód"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Hozzon létre egy hivatkozást, amely lehetővé teszi az emberek számára, hogy fotókat adhassanak hozzá és tekintsenek meg megosztott albumában anélkül, hogy Ente alkalmazásra vagy fiókra lenne szükségük. Kiválóan alkalmas rendezvényfotók gyűjtésére."), + "collaborativeLink": + MessageLookupByLibrary.simpleMessage("Együttműködési hivatkozás"), + "collaborator": MessageLookupByLibrary.simpleMessage("Együttműködő"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Az együttműködők hozzá adhatnak fotókat és videókat a megosztott albumban."), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Fotók gyűjtése"), + "confirm": MessageLookupByLibrary.simpleMessage("Megerősítés"), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Felhasználó Törlés Megerősítés"), + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Igen, szeretném véglegesen törölni ezt a felhasználót, minden adattal, az összes platformon."), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("Jelszó megerősítés"), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Helyreállítási kulcs megerősítése"), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Erősítse meg helyreállítási kulcsát"), + "contactSupport": MessageLookupByLibrary.simpleMessage( + "Lépj kapcsolatba az Ügyfélszolgálattal"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Folytatás"), + "copyLink": MessageLookupByLibrary.simpleMessage("Hivatkozás másolása"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Kód Másolása-Beillesztése az ön autentikátor alkalmazásába"), + "createAccount": + MessageLookupByLibrary.simpleMessage("Felhasználó létrehozás"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Hosszan nyomva tartva kiválaszthatod a fotókat, majd a + jelre kattintva albumot hozhatsz létre"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("Új felhasználó létrehozás"), + "createPublicLink": MessageLookupByLibrary.simpleMessage( + "Nyilvános hivatkozás létrehozása"), + "creatingLink": + MessageLookupByLibrary.simpleMessage("Link létrehozása..."), + "criticalUpdateAvailable": + MessageLookupByLibrary.simpleMessage("Kritikus frissítés elérhető"), + "custom": MessageLookupByLibrary.simpleMessage("Egyéni"), + "decrypting": MessageLookupByLibrary.simpleMessage("Dekódolás..."), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Fiók törlése"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Sajnáljuk, hogy távozik. Kérjük, ossza meg velünk visszajelzéseit, hogy segítsen nekünk a fejlődésben."), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Felhasználó Végleges Törlése"), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Album törlése"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Törli az ebben az albumban található fotókat (és videókat) az összes többi albumból is, amelynek részét képezik?"), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Kérem küldjön egy emailt a regisztrált email címéről, erre az emailcímre: account-deletion@ente.io."), + "deleteFromBoth": + MessageLookupByLibrary.simpleMessage("Törlés mindkettőből"), + "deleteFromDevice": + MessageLookupByLibrary.simpleMessage("Törlés az eszközről"), + "deleteFromEnte": + MessageLookupByLibrary.simpleMessage("Törlés az Ente-ből"), + "deleteItemCount": m21, + "deletePhotos": MessageLookupByLibrary.simpleMessage("Fotók törlése"), + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Hiányoznak olyan funkciók, amikre szükségem lenne"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "Az applikáció vagy egy adott funkció nem úgy működik ahogy kellene"), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Találtam egy jobb szolgáltatót"), + "deleteReason4": + MessageLookupByLibrary.simpleMessage("Nincs a listán az ok"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "A kérése 72 órán belül feldolgozásra kerül."), + "deleteSharedAlbum": + MessageLookupByLibrary.simpleMessage("Törli a megosztott albumot?"), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "Az album mindenki számára törlődik.\n\nElveszíti a hozzáférést az albumban található, mások tulajdonában lévő megosztott fotókhoz."), + "details": MessageLookupByLibrary.simpleMessage("Részletek"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Disable the device screen lock when Ente is in the foreground and there is a backup in progress. This is normally not needed, but may help big uploads and initial imports of large libraries complete faster."), + "disableAutoLock": + MessageLookupByLibrary.simpleMessage("Automatikus zár letiltása"), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "A nézők továbbra is készíthetnek képernyőképeket, vagy menthetnek másolatot a fotóidról külső eszközök segítségével"), + "disableDownloadWarningTitle": + MessageLookupByLibrary.simpleMessage("Kérjük, vedd figyelembe"), + "disableLinkMessage": m24, + "discover": MessageLookupByLibrary.simpleMessage("Felfedezés"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Babák"), + "discover_celebrations": + MessageLookupByLibrary.simpleMessage("Ünnepségek"), + "discover_food": MessageLookupByLibrary.simpleMessage("Étel"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Lomb"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Dombok"), + "discover_identity": + MessageLookupByLibrary.simpleMessage("Személyazonosság"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Mémek"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Jegyzetek"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Kisállatok"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Nyugták"), + "discover_screenshots": + MessageLookupByLibrary.simpleMessage("Képernyőképek"), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Szelfik"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Napnyugta"), + "discover_visiting_cards": + MessageLookupByLibrary.simpleMessage("Névjegykártyák"), + "discover_wallpapers": + MessageLookupByLibrary.simpleMessage("Háttérképek"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Később"), + "done": MessageLookupByLibrary.simpleMessage("Kész"), + "downloading": MessageLookupByLibrary.simpleMessage("Letöltés..."), + "dropSupportEmail": m25, + "duplicateItemsGroup": m27, + "eligible": MessageLookupByLibrary.simpleMessage("jogosult"), + "email": MessageLookupByLibrary.simpleMessage("E-mail"), + "emailAlreadyRegistered": + MessageLookupByLibrary.simpleMessage("Az email cím már foglalt."), + "emailNoEnteAccount": m31, + "emailNotRegistered": + MessageLookupByLibrary.simpleMessage("Nem regisztrált email cím."), + "emailVerificationToggle": + MessageLookupByLibrary.simpleMessage("E-mail cím ellenőrzése"), + "encryption": MessageLookupByLibrary.simpleMessage("Titkosítás"), + "encryptionKeys": + MessageLookupByLibrary.simpleMessage("Titkosító kulcsok"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Az Entének engedélyre van szüksége , hogy tárolhassa fotóit"), + "enterCode": MessageLookupByLibrary.simpleMessage("Kód beírása"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Add meg a barátod által megadott kódot, hogy mindkettőtöknek ingyenes tárhelyet igényelhess"), + "enterEmail": MessageLookupByLibrary.simpleMessage("Email megadása"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Adjon meg egy új jelszót, amellyel titkosíthatjuk adatait"), + "enterPassword": + MessageLookupByLibrary.simpleMessage("Adja meg a jelszót"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Adjon meg egy jelszót, amellyel titkosíthatjuk adatait"), + "enterReferralCode": + MessageLookupByLibrary.simpleMessage("Adja meg az ajánló kódot"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Írja be a 6 számjegyű kódot a hitelesítő alkalmazásból"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Kérjük, adjon meg egy érvényes e-mail címet."), + "enterYourEmailAddress": + MessageLookupByLibrary.simpleMessage("Adja meg az e-mail címét"), + "enterYourNewEmailAddress": + MessageLookupByLibrary.simpleMessage("Add meg az új email címed"), + "enterYourPassword": + MessageLookupByLibrary.simpleMessage("Adja meg a jelszavát"), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Adja meg visszaállítási kulcsát"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Ez a link lejárt. Kérjük, válasszon új lejárati időt, vagy tiltsa le a link lejáratát."), + "exportYourData": + MessageLookupByLibrary.simpleMessage("Adatok exportálása"), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage( + "Nem sikerült alkalmazni a kódot"), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Nem sikerült lekérni a hivatkozási adatokat. Kérjük, próbálja meg később."), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "Nem sikerült betölteni az albumokat"), + "faq": MessageLookupByLibrary.simpleMessage("GY. I. K."), + "feedback": MessageLookupByLibrary.simpleMessage("Visszajelzés"), + "forgotPassword": + MessageLookupByLibrary.simpleMessage("Elfelejtett jelszó"), + "freeStorageClaimed": + MessageLookupByLibrary.simpleMessage("Ingyenes tárhely igénylése"), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Ingyenesen használható tárhely"), + "freeUpDeviceSpace": + MessageLookupByLibrary.simpleMessage("Szabadítson fel tárhelyet"), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Takarítson meg helyet az eszközén a már mentett fájlok törlésével."), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Titkosítási kulcs generálása..."), + "help": MessageLookupByLibrary.simpleMessage("Segítség"), + "hidden": MessageLookupByLibrary.simpleMessage("Rejtett"), + "howItWorks": MessageLookupByLibrary.simpleMessage("Hogyan működik"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Kérje meg őket, hogy hosszan nyomják meg az e-mail címüket a beállítások képernyőn, és ellenőrizzék, hogy a két eszköz azonosítója megegyezik-e."), + "ignoreUpdate": + MessageLookupByLibrary.simpleMessage("Figyelem kívül hagyás"), + "importing": MessageLookupByLibrary.simpleMessage("Importálás..."), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("Érvénytelen jelszó"), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "A megadott visszaállítási kulcs hibás"), + "incorrectRecoveryKeyTitle": + MessageLookupByLibrary.simpleMessage("Hibás visszaállítási kulcs"), + "indexedItems": MessageLookupByLibrary.simpleMessage("Indexelt elemek"), + "insecureDevice": + MessageLookupByLibrary.simpleMessage("Nem biztonságos eszköz"), + "installManually": + MessageLookupByLibrary.simpleMessage("Manuális telepítés"), + "invalidEmailAddress": + MessageLookupByLibrary.simpleMessage("Érvénytelen e-mail cím"), + "invalidKey": MessageLookupByLibrary.simpleMessage("Érvénytelen kulcs"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "A megadott helyreállítási kulcs érvénytelen. Kérjük, győződjön meg róla, hogy 24 szót tartalmaz, és ellenőrizze mindegyik helyesírását.\n\nHa régebbi helyreállítási kódot adott meg, győződjön meg arról, hogy az 64 karakter hosszú, és ellenőrizze mindegyiket."), + "inviteToEnte": + MessageLookupByLibrary.simpleMessage("Meghívás az Ente-re"), + "inviteYourFriends": + MessageLookupByLibrary.simpleMessage("Hívd meg a barátaidat"), + "itemCount": m44, + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "A kiválasztott elemek eltávolításra kerülnek ebből az albumból."), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Fotók megőrzése"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Legyen kedves segítsen, ezzel az információval"), + "linkDeviceLimit": + MessageLookupByLibrary.simpleMessage("Készülékkorlát"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Engedélyezett"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Lejárt"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Link lejárata"), + "linkHasExpired": MessageLookupByLibrary.simpleMessage( + "A hivatkozás érvényességi ideje lejárt"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Soha"), + "loadingModel": + MessageLookupByLibrary.simpleMessage("Modellek letöltése..."), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Zárolás"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Bejelentkezés"), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "A bejelentkezés gombra kattintva elfogadom az szolgáltatási feltételeket és az adatvédelmi irányelveket"), + "logout": MessageLookupByLibrary.simpleMessage("Kijelentkezés"), + "lostDevice": + MessageLookupByLibrary.simpleMessage("Elveszett a készüléked?"), + "machineLearning": MessageLookupByLibrary.simpleMessage("Gépi tanulás"), + "magicSearch": + MessageLookupByLibrary.simpleMessage("Varázslatos keresés"), + "manage": MessageLookupByLibrary.simpleMessage("Kezelés"), + "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( + "Eszköz gyorsítótárának kezelése"), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Tekintse át és törölje a helyi gyorsítótárat."), + "manageLink": + MessageLookupByLibrary.simpleMessage("Hivatkozás kezelése"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Kezelés"), + "manageSubscription": + MessageLookupByLibrary.simpleMessage("Előfizetés kezelése"), + "memoryCount": m50, + "mlConsent": + MessageLookupByLibrary.simpleMessage("Gépi tanulás engedélyezése"), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Értem, és szeretném engedélyezni a gépi tanulást"), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Ha engedélyezi a gépi tanulást, az Ente olyan információkat fog kinyerni, mint az arc geometriája, a fájlokból, beleértve azokat is, amelyeket Önnel megosztott.\n\nEz az Ön eszközén fog megtörténni, és minden generált biometrikus információ végponttól végpontig titkosítva lesz."), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Kérjük, kattintson ide az adatvédelmi irányelveinkben található további részletekért erről a funkcióról."), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "Engedélyezi a gépi tanulást?"), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Kérjük, vegye figyelembe, hogy a gépi tanulás nagyobb sávszélességet és akkumulátorhasználatot eredményez, amíg az összes elem indexelése meg nem történik. A gyorsabb indexelés érdekében érdemes lehet asztali alkalmazást használni, mivel minden eredmény automatikusan szinkronizálódik."), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Közepes"), + "movedToTrash": + MessageLookupByLibrary.simpleMessage("Áthelyezve a kukába"), + "never": MessageLookupByLibrary.simpleMessage("Soha"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Új album"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Egyik sem"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "Nincsenek törölhető fájlok ezen az eszközön."), + "noDuplicates": + MessageLookupByLibrary.simpleMessage("✨ Nincsenek duplikátumok"), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Nincs visszaállítási kulcsa?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Az általunk használt végpontok közötti titkosítás miatt, az adatait nem lehet dekódolni a jelszava, vagy visszaállítási kulcsa nélkül"), + "ok": MessageLookupByLibrary.simpleMessage("Rendben"), + "onlyFamilyAdminCanChangeCode": m55, + "oops": MessageLookupByLibrary.simpleMessage("Hoppá"), + "oopsSomethingWentWrong": + MessageLookupByLibrary.simpleMessage("Hoppá, valami hiba történt"), + "orPickAnExistingOne": + MessageLookupByLibrary.simpleMessage("Vagy válasszon egy létezőt"), + "password": MessageLookupByLibrary.simpleMessage("Jelszó"), + "passwordChangedSuccessfully": + MessageLookupByLibrary.simpleMessage("Jelszó módosítása sikeres!"), + "passwordLock": + MessageLookupByLibrary.simpleMessage("Kóddal történő lezárás"), + "passwordStrength": m57, + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Ezt a jelszót nem tároljuk, így ha elfelejti, nem tudjuk visszafejteni adatait"), + "pendingItems": + MessageLookupByLibrary.simpleMessage("függőben lévő elemek"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Az emberek, akik a kódodat használják"), + "photoGridSize": + MessageLookupByLibrary.simpleMessage("Rács méret beállátás"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("fénykép"), + "pleaseTryAgain": + MessageLookupByLibrary.simpleMessage("Kérjük, próbálja meg újra"), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Kérem várjon..."), + "privacy": MessageLookupByLibrary.simpleMessage("Adatvédelem"), + "privacyPolicyTitle": + MessageLookupByLibrary.simpleMessage("Adatvédelmi irányelvek"), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( + "Nyilvános hivatkozás engedélyezve"), + "rateUs": MessageLookupByLibrary.simpleMessage("Értékeljen minket"), + "recover": MessageLookupByLibrary.simpleMessage("Visszaállít"), + "recoverAccount": + MessageLookupByLibrary.simpleMessage("Fiók visszaállítása"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Visszaállít"), + "recoveryKey": + MessageLookupByLibrary.simpleMessage("Visszaállítási kulcs"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "A helyreállítási kulcs a vágólapra másolva"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Ha elfelejti jelszavát, csak ezzel a kulccsal tudja visszaállítani adatait."), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Ezt a kulcsot nem tároljuk, kérjük, őrizze meg ezt a 24 szavas kulcsot egy biztonságos helyen."), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Nagyszerű! A helyreállítási kulcs érvényes. Köszönjük az igazolást.\n\nNe felejtsen el biztonsági másolatot készíteni helyreállítási kulcsáról."), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "A helyreállítási kulcs ellenőrizve"), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "A helyreállítási kulcs az egyetlen módja annak, hogy visszaállítsa fényképeit, ha elfelejti jelszavát. A helyreállítási kulcsot a Beállítások > Fiók menüpontban találhatja meg.\n\nKérjük, írja be ide helyreállítási kulcsát annak ellenőrzéséhez, hogy megfelelően mentette-e el."), + "recoverySuccessful": + MessageLookupByLibrary.simpleMessage("Sikeres visszaállítás!"), + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "A jelenlegi eszköz nem elég erős a jelszavának ellenőrzéséhez, de újra tudjuk úgy generálni, hogy az minden eszközzel működjön.\n\nKérjük, jelentkezzen be helyreállítási kulcsával, és állítsa be újra jelszavát (ha szeretné, újra használhatja ugyanazt)."), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("Új jelszó létrehozása"), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Add meg ezt a kódot a barátaidnak"), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Fizetős csomagra fizetnek elő"), + "referralStep3": m73, + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "Az ajánlások jelenleg szünetelnek"), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "A felszabadult hely igényléséhez ürítsd ki a „Nemrég törölt” részt a „Beállítások” -> „Tárhely” menüpontban."), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Ürítsd ki a \"Kukát\" is, hogy visszaszerezd a felszabadult helyet."), + "remove": MessageLookupByLibrary.simpleMessage("Eltávolítás"), + "removeDuplicates": MessageLookupByLibrary.simpleMessage( + "Távolítsa el a duplikációkat"), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Tekintse át és távolítsa el a pontos másolatokat tartalmazó fájlokat."), + "removeFromAlbum": + MessageLookupByLibrary.simpleMessage("Eltávolítás az albumból"), + "removeFromAlbumTitle": + MessageLookupByLibrary.simpleMessage("Eltávolítás az albumból?"), + "removeLink": + MessageLookupByLibrary.simpleMessage("Hivatkozás eltávolítása"), + "removeParticipant": + MessageLookupByLibrary.simpleMessage("Résztvevő eltávolítása"), + "removeParticipantBody": m74, + "removePublicLink": MessageLookupByLibrary.simpleMessage( + "Nyilvános hivatkozás eltávolítása"), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Néhány eltávolítandó elemet mások adtak hozzá, és elveszíted a hozzáférésedet hozzájuk."), + "removeWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Eltávolítás?"), + "removingFromFavorites": MessageLookupByLibrary.simpleMessage( + "Eltávolítás a kedvencek közül..."), + "resendEmail": + MessageLookupByLibrary.simpleMessage("E-mail újraküldése"), + "resetPasswordTitle": + MessageLookupByLibrary.simpleMessage("Jelszó visszaállítása"), + "retry": MessageLookupByLibrary.simpleMessage("Újrapróbálkozás"), + "saveKey": MessageLookupByLibrary.simpleMessage("Mentés"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Mentse el visszaállítási kulcsát, ha még nem tette"), + "scanCode": MessageLookupByLibrary.simpleMessage("Kód beolvasása"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Olvassa le ezt a QR kódot az autentikátor alkalmazásával"), + "selectAll": MessageLookupByLibrary.simpleMessage("Összes kijelölése"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Mappák kiválasztása biztonsági mentéshez"), + "selectReason": MessageLookupByLibrary.simpleMessage("Válasszon okot"), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "A kiválasztott mappák titkosítva lesznek, és biztonsági másolat készül róluk."), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "sendEmail": MessageLookupByLibrary.simpleMessage("Email küldése"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Meghívó küldése"), + "sendLink": MessageLookupByLibrary.simpleMessage("Hivatkozás küldése"), + "setAPassword": + MessageLookupByLibrary.simpleMessage("Állítson be egy jelszót"), + "setPasswordTitle": + MessageLookupByLibrary.simpleMessage("Jelszó beállítás"), + "setupComplete": MessageLookupByLibrary.simpleMessage("Beállítás kész"), + "shareALink": + MessageLookupByLibrary.simpleMessage("Hivatkozás megosztása"), + "shareMyVerificationID": m83, + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Töltsd le az Ente-t, hogy könnyen megoszthassunk eredeti minőségű fotókat és videókat\n\nhttps://ente.io"), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Megosztás nem Ente felhasználókkal"), + "shareWithPeopleSectionTitle": m86, + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Hozzon létre megosztott és együttműködő albumokat más Ente-felhasználókkal, beleértve az ingyenes csomagokat használó felhasználókat is."), + "sharing": MessageLookupByLibrary.simpleMessage("Megosztás..."), + "showMemories": + MessageLookupByLibrary.simpleMessage("Emlékek megjelenítése"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Elfogadom az szolgáltatási feltételeket és az adatvédelmi irányelveket"), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Az összes albumból törlésre kerül."), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Kihagyás"), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Valaki, aki megoszt Önnel albumokat, ugyanazt az azonosítót fogja látni az eszközén."), + "somethingWentWrong": + MessageLookupByLibrary.simpleMessage("Valami hiba történt"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Valami félre sikerült, próbálja újból"), + "sorry": MessageLookupByLibrary.simpleMessage("Sajnálom"), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Sajnálom, nem sikerült hozzáadni a kedvencekhez!"), + "sorryCouldNotRemoveFromFavorites": + MessageLookupByLibrary.simpleMessage( + "Sajnálom, nem sikerült eltávolítani a kedvencek közül!"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Sajnáljuk, nem tudtunk biztonságos kulcsokat generálni ezen az eszközön.\n\nkérjük, regisztráljon egy másik eszközről."), + "status": MessageLookupByLibrary.simpleMessage("Állapot"), + "storageInGB": m93, + "strongStrength": MessageLookupByLibrary.simpleMessage("Erős"), + "subscribe": MessageLookupByLibrary.simpleMessage("Előfizetés"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "A megosztás engedélyezéséhez aktív fizetős előfizetésre van szükség."), + "success": MessageLookupByLibrary.simpleMessage("Sikeres"), + "tapToCopy": + MessageLookupByLibrary.simpleMessage("érintse meg másoláshoz"), + "tapToEnterCode": + MessageLookupByLibrary.simpleMessage("Koppintson a kód beírásához"), + "terminate": MessageLookupByLibrary.simpleMessage("Megszakít"), + "terminateSession": + MessageLookupByLibrary.simpleMessage("Megszakítja bejelentkezést?"), + "terms": MessageLookupByLibrary.simpleMessage("Feltételek"), + "termsOfServicesTitle": + MessageLookupByLibrary.simpleMessage("Használati feltételek"), + "theDownloadCouldNotBeCompleted": + MessageLookupByLibrary.simpleMessage("A letöltés nem fejezhető be"), + "theyAlsoGetXGb": m99, + "thisCanBeUsedToRecoverYourAccountIfYou": + MessageLookupByLibrary.simpleMessage( + "Ezzel tudja visszaállítani felhasználóját ha elveszítené a kétlépcsős azonosítóját"), + "thisDevice": MessageLookupByLibrary.simpleMessage("Ez az eszköz"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": + MessageLookupByLibrary.simpleMessage("Ez az ellenőrző azonosítód"), + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Ezzel kijelentkezik az alábbi eszközről:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Ezzel kijelentkezik az eszközről!"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "A Jelszó visszaállításához, kérjük először erősítse meg emailcímét."), + "total": MessageLookupByLibrary.simpleMessage("összesen"), + "trash": MessageLookupByLibrary.simpleMessage("Kuka"), + "tryAgain": MessageLookupByLibrary.simpleMessage("Próbáld újra"), + "twofactorAuthenticationPageTitle": + MessageLookupByLibrary.simpleMessage( + "Kétlépcsős hitelesítés (2FA)"), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Kétlépcsős azonosító beállítás"), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Sajnáljuk, ez a kód nem érhető el."), + "uncategorized": + MessageLookupByLibrary.simpleMessage("Kategorizálatlan"), + "unselectAll": + MessageLookupByLibrary.simpleMessage("Összes kijelölés törlése"), + "update": MessageLookupByLibrary.simpleMessage("Frissítés"), + "updateAvailable": + MessageLookupByLibrary.simpleMessage("Elérhető frissítés"), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Mappakijelölés frissítése..."), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "A felhasználható tárhelyet a jelenlegi előfizetése korlátozza. A feleslegesen igényelt tárhely automatikusan felhasználhatóvá válik, amikor frissítesz a csomagodra."), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Helyreállítási kulcs használata"), + "verificationId": + MessageLookupByLibrary.simpleMessage("Ellenőrző azonosító"), + "verify": MessageLookupByLibrary.simpleMessage("Hitelesítés"), + "verifyEmail": + MessageLookupByLibrary.simpleMessage("Emailcím megerősítés"), + "verifyPassword": + MessageLookupByLibrary.simpleMessage("Jelszó megerősítése"), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Helyreállítási kulcs ellenőrzése..."), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("videó"), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Nagy fájlok"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Tekintse meg a legtöbb tárhelyet foglaló fájlokat."), + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Helyreállítási kulcs megtekintése"), + "viewer": MessageLookupByLibrary.simpleMessage("Néző"), + "waitingForWifi": + MessageLookupByLibrary.simpleMessage("Várakozás a WiFi-re..."), + "weAreOpenSource": + MessageLookupByLibrary.simpleMessage("Nyílt forráskódúak vagyunk!"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Gyenge"), + "welcomeBack": + MessageLookupByLibrary.simpleMessage("Köszöntjük ismét!"), + "yearsAgo": m116, + "yesConvertToViewer": + MessageLookupByLibrary.simpleMessage("Igen, alakítsa nézővé"), + "yesDelete": MessageLookupByLibrary.simpleMessage("Igen, törlés"), + "yesLogout": + MessageLookupByLibrary.simpleMessage("Igen, kijelentkezés"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Igen, eltávolítás"), + "you": MessageLookupByLibrary.simpleMessage("Te"), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Ön a legújabb verziót használja"), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Maximum megduplázhatod a tárhelyed"), + "youCannotShareWithYourself": + MessageLookupByLibrary.simpleMessage("Nem oszthatod meg magaddal"), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": + MessageLookupByLibrary.simpleMessage("A felhasználód törlődött"), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "Nincsenek törölhető duplikált fájljaid") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_id.dart b/mobile/apps/photos/lib/generated/intl/messages_id.dart index 800b851e18..8c2f7c48f0 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_id.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_id.dart @@ -42,7 +42,12 @@ class MessageLookup extends MessageLookupByLibrary { "${user} tidak akan dapat menambahkan foto lagi ke album ini\n\nIa masih dapat menghapus foto yang ditambahkan olehnya sendiri"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, {'true': 'Keluargamu saat ini telah memperoleh ${storageAmountInGb} GB', 'false': 'Kamu saat ini telah memperoleh ${storageAmountInGb} GB', 'other': 'Kamu saat ini telah memperoleh ${storageAmountInGb} GB!'})}"; + "${Intl.select(isFamilyMember, { + 'true': + 'Keluargamu saat ini telah memperoleh ${storageAmountInGb} GB', + 'false': 'Kamu saat ini telah memperoleh ${storageAmountInGb} GB', + 'other': 'Kamu saat ini telah memperoleh ${storageAmountInGb} GB!', + })}"; static String m15(albumName) => "Link kolaborasi terbuat untuk ${albumName}"; @@ -155,11 +160,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, - usedStorageUnit, - totalAmount, - totalStorageUnit, - ) => + usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => "${usedAmount} ${usedStorageUnit} dari ${totalAmount} ${totalStorageUnit} terpakai"; static String m95(id) => @@ -188,1662 +189,1347 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Versi baru dari Ente telah tersedia.", - ), - "about": MessageLookupByLibrary.simpleMessage("Tentang"), - "account": MessageLookupByLibrary.simpleMessage("Akun"), - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( - "Selamat datang kembali!", - ), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Saya mengerti bahwa jika saya lupa sandi saya, data saya bisa hilang karena dienkripsi dari ujung ke ujung.", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage("Sesi aktif"), - "addAName": MessageLookupByLibrary.simpleMessage("Tambahkan nama"), - "addANewEmail": MessageLookupByLibrary.simpleMessage("Tambah email baru"), - "addCollaborator": MessageLookupByLibrary.simpleMessage( - "Tambah kolaborator", - ), - "addFromDevice": MessageLookupByLibrary.simpleMessage( - "Tambahkan dari perangkat", - ), - "addLocation": MessageLookupByLibrary.simpleMessage("Tambah tempat"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Tambah"), - "addMore": MessageLookupByLibrary.simpleMessage("Tambah lagi"), - "addOnValidTill": m3, - "addPhotos": MessageLookupByLibrary.simpleMessage("Tambah foto"), - "addSelected": MessageLookupByLibrary.simpleMessage( - "Tambahkan yang dipilih", - ), - "addToAlbum": MessageLookupByLibrary.simpleMessage("Tambah ke album"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Tambah ke Ente"), - "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Tambah ke album tersembunyi", - ), - "addViewer": MessageLookupByLibrary.simpleMessage("Tambahkan pemirsa"), - "addedAs": MessageLookupByLibrary.simpleMessage("Ditambahkan sebagai"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": MessageLookupByLibrary.simpleMessage( - "Menambahkan ke favorit...", - ), - "advanced": MessageLookupByLibrary.simpleMessage("Lanjutan"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Lanjutan"), - "after1Day": MessageLookupByLibrary.simpleMessage("Setelah 1 hari"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Setelah 1 jam"), - "after1Month": MessageLookupByLibrary.simpleMessage("Setelah 1 bulan"), - "after1Week": MessageLookupByLibrary.simpleMessage("Setelah 1 minggu"), - "after1Year": MessageLookupByLibrary.simpleMessage("Setelah 1 tahun"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Pemilik"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Judul album"), - "albumUpdated": MessageLookupByLibrary.simpleMessage("Album diperbarui"), - "albums": MessageLookupByLibrary.simpleMessage("Album"), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Sudah bersih"), - "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( - "Semua kenangan terpelihara", - ), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Izinkan orang yang memiliki link untuk menambahkan foto ke album berbagi ini.", - ), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( - "Izinkan menambah foto", - ), - "allowDownloads": MessageLookupByLibrary.simpleMessage( - "Izinkan pengunduhan", - ), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Izinkan orang lain menambahkan foto", - ), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Ijinkan akses ke foto Anda dari Pengaturan agar Ente dapat menampilkan dan mencadangkan pustaka Anda.", - ), - "allowPermTitle": MessageLookupByLibrary.simpleMessage( - "Izinkan akses ke foto", - ), - "androidBiometricHint": MessageLookupByLibrary.simpleMessage( - "Verifikasi identitas", - ), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "Tidak dikenal. Coba lagi.", - ), - "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( - "Biometrik diperlukan", - ), - "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("Berhasil"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Batal"), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Autentikasi biometrik belum aktif di perangkatmu. Buka \'Setelan > Keamanan\' untuk mengaktifkan autentikasi biometrik.", - ), - "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( - "Android, iOS, Web, Desktop", - ), - "androidSignInTitle": MessageLookupByLibrary.simpleMessage( - "Autentikasi diperlukan", - ), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("ID Apple"), - "apply": MessageLookupByLibrary.simpleMessage("Terapkan"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Terapkan kode"), - "appstoreSubscription": MessageLookupByLibrary.simpleMessage( - "Langganan AppStore", - ), - "archive": MessageLookupByLibrary.simpleMessage("Arsip"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("Arsipkan album"), - "archiving": MessageLookupByLibrary.simpleMessage("Mengarsipkan..."), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Apakah kamu yakin ingin meninggalkan paket keluarga ini?", - ), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "Apakah kamu yakin ingin membatalkan?", - ), - "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( - "Apakah kamu yakin ingin mengubah paket kamu?", - ), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "Apakah kamu yakin ingin keluar?", - ), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Apakah kamu yakin ingin keluar akun?", - ), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "Apakah kamu yakin ingin memperpanjang?", - ), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "Langganan kamu telah dibatalkan. Apakah kamu ingin membagikan alasannya?", - ), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Apa alasan utama kamu dalam menghapus akun?", - ), - "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( - "di tempat pengungsian", - ), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Harap autentikasi untuk mengatur verifikasi email", - ), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Lakukan autentikasi untuk mengubah pengaturan kunci layar", - ), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Harap autentikasi untuk mengubah email kamu", - ), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Harap autentikasi untuk mengubah sandi kamu", - ), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Harap autentikasi untuk mengatur autentikasi dua langkah", - ), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Harap autentikasi untuk mulai penghapusan akun", - ), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Harap autentikasi untuk melihat sesi aktif kamu", - ), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Harap autentikasi untuk melihat file tersembunyi kamu", - ), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Harap autentikasi untuk melihat kenanganmu", - ), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Harap autentikasi untuk melihat kunci pemulihan kamu", - ), - "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Autentikasi gagal, silakan coba lagi", - ), - "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( - "Autentikasi berhasil!", - ), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Perangkat Cast yang tersedia akan ditampilkan di sini.", - ), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Pastikan izin Jaringan Lokal untuk app Ente Foto aktif di Pengaturan.", - ), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "Akibat kesalahan teknis, kamu telah keluar dari akunmu. Kami mohon maaf atas ketidaknyamanannya.", - ), - "autoPair": MessageLookupByLibrary.simpleMessage("Taut otomatis"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "Taut otomatis hanya tersedia di perangkat yang mendukung Chromecast.", - ), - "available": MessageLookupByLibrary.simpleMessage("Tersedia"), - "availableStorageSpace": m10, - "backedUpFolders": MessageLookupByLibrary.simpleMessage( - "Folder yang dicadangkan", - ), - "backup": MessageLookupByLibrary.simpleMessage("Pencadangan"), - "backupFailed": MessageLookupByLibrary.simpleMessage("Pencadangan gagal"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Cadangkan dengan data seluler", - ), - "backupSettings": MessageLookupByLibrary.simpleMessage( - "Pengaturan pencadangan", - ), - "backupStatus": MessageLookupByLibrary.simpleMessage("Status pencadangan"), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Item yang sudah dicadangkan akan terlihat di sini", - ), - "backupVideos": MessageLookupByLibrary.simpleMessage("Cadangkan video"), - "blackFridaySale": MessageLookupByLibrary.simpleMessage( - "Penawaran Black Friday", - ), - "blog": MessageLookupByLibrary.simpleMessage("Blog"), - "cachedData": MessageLookupByLibrary.simpleMessage("Data cache"), - "calculating": MessageLookupByLibrary.simpleMessage("Menghitung..."), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( - "Tidak dapat membuka album ini", - ), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Hanya dapat menghapus berkas yang dimiliki oleh mu", - ), - "cancel": MessageLookupByLibrary.simpleMessage("Batal"), - "cancelOtherSubscription": m12, - "cancelSubscription": MessageLookupByLibrary.simpleMessage( - "Batalkan langganan", - ), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Tidak dapat menghapus file berbagi", - ), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Harap pastikan kamu berada pada jaringan yang sama dengan TV-nya.", - ), - "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( - "Gagal mentransmisikan album", - ), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Buka cast.ente.io pada perangkat yang ingin kamu tautkan.\n\nMasukkan kode yang ditampilkan untuk memutar album di TV.", - ), - "change": MessageLookupByLibrary.simpleMessage("Ubah"), - "changeEmail": MessageLookupByLibrary.simpleMessage("Ubah email"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Ubah lokasi pada item terpilih?", - ), - "changePassword": MessageLookupByLibrary.simpleMessage("Ubah sandi"), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage("Ubah sandi"), - "changePermissions": MessageLookupByLibrary.simpleMessage("Ubah izin?"), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Ganti kode rujukan kamu", - ), - "checkForUpdates": MessageLookupByLibrary.simpleMessage( - "Periksa pembaruan", - ), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Silakan periksa kotak masuk (serta kotak spam) untuk menyelesaikan verifikasi", - ), - "checkStatus": MessageLookupByLibrary.simpleMessage("Periksa status"), - "checking": MessageLookupByLibrary.simpleMessage("Memeriksa..."), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage( - "Peroleh kuota gratis", - ), - "claimMore": MessageLookupByLibrary.simpleMessage("Peroleh lebih banyak!"), - "claimed": MessageLookupByLibrary.simpleMessage("Diperoleh"), - "claimedStorageSoFar": m14, - "clearIndexes": MessageLookupByLibrary.simpleMessage("Hapus indeks"), - "click": MessageLookupByLibrary.simpleMessage("• Click"), - "close": MessageLookupByLibrary.simpleMessage("Tutup"), - "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( - "Kode diterapkan", - ), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Maaf, kamu telah mencapai batas perubahan kode.", - ), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Kode tersalin ke papan klip", - ), - "codeUsedByYou": MessageLookupByLibrary.simpleMessage( - "Kode yang telah kamu gunakan", - ), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Buat link untuk memungkinkan orang lain menambahkan dan melihat foto yang ada pada album bersama kamu tanpa memerlukan app atau akun Ente. Ideal untuk mengumpulkan foto pada suatu acara.", - ), - "collaborativeLink": MessageLookupByLibrary.simpleMessage( - "Link kolaborasi", - ), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Kolaborator"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Kolaborator bisa menambahkan foto dan video ke album bersama ini.", - ), - "collageLayout": MessageLookupByLibrary.simpleMessage("Tata letak"), - "collectEventPhotos": MessageLookupByLibrary.simpleMessage( - "Kumpulkan foto acara", - ), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Kumpulkan foto"), - "color": MessageLookupByLibrary.simpleMessage("Warna"), - "confirm": MessageLookupByLibrary.simpleMessage("Konfirmasi"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Apakah kamu yakin ingin menonaktifkan autentikasi dua langkah?", - ), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Konfirmasi Penghapusan Akun", - ), - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Ya, saya ingin menghapus akun ini dan seluruh datanya secara permanen di semua aplikasi.", - ), - "confirmPassword": MessageLookupByLibrary.simpleMessage("Konfirmasi sandi"), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage( - "Konfirmasi perubahan paket", - ), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Konfirmasi kunci pemulihan", - ), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Konfirmasi kunci pemulihan kamu", - ), - "connectToDevice": MessageLookupByLibrary.simpleMessage( - "Hubungkan ke perangkat", - ), - "contactFamilyAdmin": m18, - "contactSupport": MessageLookupByLibrary.simpleMessage("Hubungi dukungan"), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Kontak"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Lanjut"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "Lanjut dengan percobaan gratis", - ), - "convertToAlbum": MessageLookupByLibrary.simpleMessage( - "Ubah menjadi album", - ), - "copyEmailAddress": MessageLookupByLibrary.simpleMessage( - "Salin alamat email", - ), - "copyLink": MessageLookupByLibrary.simpleMessage("Salin link"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Salin lalu tempel kode ini\ndi app autentikator kamu", - ), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "Kami tidak dapat mencadangkan data kamu.\nKami akan coba lagi nanti.", - ), - "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( - "Tidak dapat membersihkan ruang", - ), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Tidak dapat memperbarui langganan", - ), - "count": MessageLookupByLibrary.simpleMessage("Jumlah"), - "crashReporting": MessageLookupByLibrary.simpleMessage("Pelaporan crash"), - "create": MessageLookupByLibrary.simpleMessage("Buat"), - "createAccount": MessageLookupByLibrary.simpleMessage("Buat akun"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Tekan dan tahan foto lalu klik + untuk membuat album baru", - ), - "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( - "Buat link kolaborasi", - ), - "createNewAccount": MessageLookupByLibrary.simpleMessage("Buat akun baru"), - "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( - "Buat atau pilih album", - ), - "createPublicLink": MessageLookupByLibrary.simpleMessage( - "Buat link publik", - ), - "creatingLink": MessageLookupByLibrary.simpleMessage("Membuat link..."), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "Pembaruan penting tersedia", - ), - "crop": MessageLookupByLibrary.simpleMessage("Potong"), - "currentUsageIs": MessageLookupByLibrary.simpleMessage( - "Pemakaian saat ini sebesar ", - ), - "custom": MessageLookupByLibrary.simpleMessage("Kustom"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Gelap"), - "dayToday": MessageLookupByLibrary.simpleMessage("Hari Ini"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Kemarin"), - "decrypting": MessageLookupByLibrary.simpleMessage("Mendekripsi..."), - "decryptingVideo": MessageLookupByLibrary.simpleMessage( - "Mendekripsi video...", - ), - "delete": MessageLookupByLibrary.simpleMessage("Hapus"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Hapus akun"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Kami sedih kamu pergi. Silakan bagikan masukanmu agar kami bisa jadi lebih baik.", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Hapus Akun Secara Permanen", - ), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Hapus album"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Hapus foto (dan video) yang ada dalam album ini dari semua album lain yang juga menampungnya?", - ), - "deleteAll": MessageLookupByLibrary.simpleMessage("Hapus Semua"), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Silakan kirim email ke account-deletion@ente.io dari alamat email kamu yang terdaftar.", - ), - "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( - "Hapus album kosong", - ), - "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( - "Hapus album yang kosong?", - ), - "deleteFromBoth": MessageLookupByLibrary.simpleMessage( - "Hapus dari keduanya", - ), - "deleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Hapus dari perangkat ini", - ), - "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Hapus dari Ente"), - "deleteItemCount": m21, - "deletePhotos": MessageLookupByLibrary.simpleMessage("Hapus foto"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Fitur penting yang saya perlukan tidak ada", - ), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "App ini atau fitur tertentu tidak bekerja sesuai harapan saya", - ), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Saya menemukan layanan lain yang lebih baik", - ), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "Alasan saya tidak ada di daftar", - ), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Permintaan kamu akan diproses dalam waktu 72 jam.", - ), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Hapus album bersama?", - ), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "Album ini akan di hapus untuk semua\n\nKamu akan kehilangan akses ke foto yang di bagikan dalam album ini yang di miliki oleh pengguna lain", - ), - "designedToOutlive": MessageLookupByLibrary.simpleMessage( - "Dibuat untuk melestarikan", - ), - "details": MessageLookupByLibrary.simpleMessage("Rincian"), - "developerSettings": MessageLookupByLibrary.simpleMessage( - "Pengaturan pengembang", - ), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Apakah kamu yakin ingin mengubah pengaturan pengembang?", - ), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Masukkan kode"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "File yang ditambahkan ke album perangkat ini akan diunggah ke Ente secara otomatis.", - ), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Nonaktfikan kunci layar perangkat saat Ente berada di latar depan dan ada pencadangan yang sedang berlangsung. Hal ini biasanya tidak diperlukan, namun dapat membantu unggahan dan import awal berkas berkas besar selesai lebih cepat.", - ), - "deviceNotFound": MessageLookupByLibrary.simpleMessage( - "Perangkat tidak ditemukan", - ), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Tahukah kamu?"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage( - "Nonaktifkan kunci otomatis", - ), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Orang yang melihat masih bisa mengambil tangkapan layar atau menyalin foto kamu menggunakan alat eksternal", - ), - "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( - "Perlu diketahui", - ), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "Nonaktifkan autentikasi dua langkah", - ), - "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( - "Menonaktifkan autentikasi dua langkah...", - ), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Temukan"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Bayi"), - "discover_celebrations": MessageLookupByLibrary.simpleMessage("Perayaan"), - "discover_food": MessageLookupByLibrary.simpleMessage("Makanan"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Bukit"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Identitas"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Meme"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Catatan"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Hewan"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Tanda Terima"), - "discover_screenshots": MessageLookupByLibrary.simpleMessage( - "Tangkapan layar", - ), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Swafoto"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Senja"), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Gambar latar"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage( - "Jangan keluarkan akun", - ), - "doThisLater": MessageLookupByLibrary.simpleMessage("Lakukan lain kali"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Apakah kamu ingin membuang edit yang telah kamu buat?", - ), - "done": MessageLookupByLibrary.simpleMessage("Selesai"), - "doubleYourStorage": MessageLookupByLibrary.simpleMessage( - "Gandakan kuota kamu", - ), - "download": MessageLookupByLibrary.simpleMessage("Unduh"), - "downloadFailed": MessageLookupByLibrary.simpleMessage("Gagal mengunduh"), - "downloading": MessageLookupByLibrary.simpleMessage("Mengunduh..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "edit": MessageLookupByLibrary.simpleMessage("Edit"), - "editLocation": MessageLookupByLibrary.simpleMessage("Edit lokasi"), - "editLocationTagTitle": MessageLookupByLibrary.simpleMessage("Edit lokasi"), - "editsSaved": MessageLookupByLibrary.simpleMessage("Perubahan tersimpan"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Perubahan lokasi hanya akan terlihat di Ente", - ), - "eligible": MessageLookupByLibrary.simpleMessage("memenuhi syarat"), - "email": MessageLookupByLibrary.simpleMessage("Email"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "Email sudah terdaftar.", - ), - "emailChangedTo": m29, - "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "Email belum terdaftar.", - ), - "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( - "Verifikasi email", - ), - "empty": MessageLookupByLibrary.simpleMessage("Kosongkan"), - "emptyTrash": MessageLookupByLibrary.simpleMessage("Kosongkan sampah?"), - "enableMaps": MessageLookupByLibrary.simpleMessage("Aktifkan Peta"), - "encryptingBackup": MessageLookupByLibrary.simpleMessage( - "Mengenkripsi cadangan...", - ), - "encryption": MessageLookupByLibrary.simpleMessage("Enkripsi"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage("Kunci enkripsi"), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Endpoint berhasil diubah", - ), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Dirancang dengan enkripsi ujung ke ujung", - ), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente hanya dapat mengenkripsi dan menyimpan file jika kamu berikan izin", - ), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente memerlukan izin untuk menyimpan fotomu", - ), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "Ente memelihara kenanganmu, sehingga ia selalu tersedia untukmu, bahkan jika kamu kehilangan perangkatmu.", - ), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Anggota keluargamu juga bisa ditambahkan ke paketmu.", - ), - "enterAlbumName": MessageLookupByLibrary.simpleMessage( - "Masukkan nama album", - ), - "enterCode": MessageLookupByLibrary.simpleMessage("Masukkan kode"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Masukkan kode yang diberikan temanmu untuk memperoleh kuota gratis untuk kalian berdua", - ), - "enterEmail": MessageLookupByLibrary.simpleMessage("Masukkan email"), - "enterFileName": MessageLookupByLibrary.simpleMessage("Masukkan nama file"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Masukkan sandi baru yang bisa kami gunakan untuk mengenkripsi data kamu", - ), - "enterPassword": MessageLookupByLibrary.simpleMessage("Masukkan sandi"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Masukkan sandi yang bisa kami gunakan untuk mengenkripsi data kamu", - ), - "enterPersonName": MessageLookupByLibrary.simpleMessage( - "Masukkan nama orang", - ), - "enterReferralCode": MessageLookupByLibrary.simpleMessage( - "Masukkan kode rujukan", - ), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Masukkan kode 6 angka dari\napp autentikator kamu", - ), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Harap masukkan alamat email yang sah.", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Masukkan alamat email kamu", - ), - "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( - "Masukkan alamat email baru anda", - ), - "enterYourPassword": MessageLookupByLibrary.simpleMessage( - "Masukkan sandi kamu", - ), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Masukkan kunci pemulihan kamu", - ), - "error": MessageLookupByLibrary.simpleMessage("Kesalahan"), - "everywhere": MessageLookupByLibrary.simpleMessage("di mana saja"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": MessageLookupByLibrary.simpleMessage("Masuk"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Link ini telah kedaluwarsa. Silakan pilih waktu kedaluwarsa baru atau nonaktifkan waktu kedaluwarsa.", - ), - "exportLogs": MessageLookupByLibrary.simpleMessage("Ekspor log"), - "exportYourData": MessageLookupByLibrary.simpleMessage("Ekspor data kamu"), - "faceRecognition": MessageLookupByLibrary.simpleMessage("Pengenalan wajah"), - "faces": MessageLookupByLibrary.simpleMessage("Wajah"), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage( - "Gagal menerapkan kode", - ), - "failedToCancel": MessageLookupByLibrary.simpleMessage("Gagal membatalkan"), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( - "Gagal mengunduh video", - ), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Gagal memuat file asli untuk mengedit", - ), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Tidak dapat mengambil kode rujukan. Harap ulang lagi nanti.", - ), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "Gagal memuat album", - ), - "failedToRenew": MessageLookupByLibrary.simpleMessage( - "Gagal memperpanjang", - ), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Gagal memeriksa status pembayaran", - ), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Tambahkan 5 anggota keluarga ke paket kamu tanpa perlu bayar lebih.\n\nSetiap anggota mendapat ruang pribadi mereka sendiri, dan tidak dapat melihat file orang lain kecuali dibagikan.\n\nPaket keluarga tersedia bagi pelanggan yang memiliki langganan berbayar Ente.\n\nLangganan sekarang untuk mulai!", - ), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Keluarga"), - "familyPlans": MessageLookupByLibrary.simpleMessage("Paket keluarga"), - "faq": MessageLookupByLibrary.simpleMessage("Tanya Jawab Umum"), - "faqs": MessageLookupByLibrary.simpleMessage("Tanya Jawab Umum"), - "favorite": MessageLookupByLibrary.simpleMessage("Favorit"), - "feedback": MessageLookupByLibrary.simpleMessage("Masukan"), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Gagal menyimpan file ke galeri", - ), - "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( - "Tambahkan keterangan...", - ), - "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( - "File tersimpan ke galeri", - ), - "fileTypes": MessageLookupByLibrary.simpleMessage("Jenis file"), - "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( - "Nama dan jenis file", - ), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage("File terhapus"), - "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( - "File tersimpan ke galeri", - ), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Telusuri orang dengan mudah menggunakan nama", - ), - "flip": MessageLookupByLibrary.simpleMessage("Balik"), - "forYourMemories": MessageLookupByLibrary.simpleMessage("untuk kenanganmu"), - "forgotPassword": MessageLookupByLibrary.simpleMessage("Lupa sandi"), - "foundFaces": MessageLookupByLibrary.simpleMessage("Wajah yang ditemukan"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( - "Kuota gratis diperoleh", - ), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Kuota gratis yang dapat digunakan", - ), - "freeTrial": MessageLookupByLibrary.simpleMessage("Percobaan gratis"), - "freeTrialValidTill": m38, - "freeUpAmount": m40, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( - "Bersihkan penyimpanan perangkat", - ), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Hemat ruang penyimpanan di perangkatmu dengan membersihkan file yang sudah tercadangkan.", - ), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("Bersihkan ruang"), - "general": MessageLookupByLibrary.simpleMessage("Umum"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Menghasilkan kunci enkripsi...", - ), - "genericProgress": m42, - "goToSettings": MessageLookupByLibrary.simpleMessage("Buka pengaturan"), - "googlePlayId": MessageLookupByLibrary.simpleMessage("ID Google Play"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Harap berikan akses ke semua foto di app Pengaturan", - ), - "grantPermission": MessageLookupByLibrary.simpleMessage("Berikan izin"), - "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( - "Kelompokkan foto yang berdekatan", - ), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Dari mana Anda menemukan Ente? (opsional)", - ), - "help": MessageLookupByLibrary.simpleMessage("Bantuan"), - "hidden": MessageLookupByLibrary.simpleMessage("Tersembunyi"), - "hide": MessageLookupByLibrary.simpleMessage("Sembunyikan"), - "hiding": MessageLookupByLibrary.simpleMessage("Menyembunyikan..."), - "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( - "Dihosting oleh OSM France", - ), - "howItWorks": MessageLookupByLibrary.simpleMessage("Cara kerjanya"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Silakan minta dia untuk menekan lama alamat email-nya di layar pengaturan, dan pastikan bahwa ID di perangkatnya sama.", - ), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Autentikasi biometrik belum aktif di perangkatmu. Silakan aktifkan Touch ID atau Face ID pada ponselmu.", - ), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Abaikan"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Sejumlah file di album ini tidak terunggah karena telah dihapus sebelumnya dari Ente.", - ), - "importing": MessageLookupByLibrary.simpleMessage("Mengimpor...."), - "incorrectCode": MessageLookupByLibrary.simpleMessage("Kode salah"), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Sandi salah", - ), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Kunci pemulihan salah", - ), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "Kunci pemulihan yang kamu masukkan salah", - ), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Kunci pemulihan salah", - ), - "indexedItems": MessageLookupByLibrary.simpleMessage("Item terindeks"), - "insecureDevice": MessageLookupByLibrary.simpleMessage( - "Perangkat tidak aman", - ), - "installManually": MessageLookupByLibrary.simpleMessage( - "Instal secara manual", - ), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "Alamat email tidak sah", - ), - "invalidEndpoint": MessageLookupByLibrary.simpleMessage( - "Endpoint tidak sah", - ), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Maaf, endpoint yang kamu masukkan tidak sah. Harap masukkan endpoint yang sah dan coba lagi.", - ), - "invalidKey": MessageLookupByLibrary.simpleMessage("Kunci tidak sah"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Kunci pemulihan yang kamu masukkan tidak sah. Pastikan kunci tersebut berisi 24 kata, dan teliti ejaan masing-masing kata.\n\nJika kamu memasukkan kode pemulihan lama, pastikan kode tersebut berisi 64 karakter, dan teliti setiap karakter yang ada.", - ), - "invite": MessageLookupByLibrary.simpleMessage("Undang"), - "inviteToEnte": MessageLookupByLibrary.simpleMessage("Undang ke Ente"), - "inviteYourFriends": MessageLookupByLibrary.simpleMessage( - "Undang teman-temanmu", - ), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "Undang temanmu ke Ente", - ), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Sepertinya terjadi kesalahan. Silakan coba lagi setelah beberapa saat. Jika kesalahan terus terjadi, silakan hubungi tim dukungan kami.", - ), - "itemCount": m44, - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Item yang dipilih akan dihapus dari album ini", - ), - "joinDiscord": MessageLookupByLibrary.simpleMessage("Bergabung ke Discord"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Simpan foto"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Harap bantu kami dengan informasi ini", - ), - "language": MessageLookupByLibrary.simpleMessage("Bahasa"), - "lastUpdated": MessageLookupByLibrary.simpleMessage("Terakhir diperbarui"), - "leave": MessageLookupByLibrary.simpleMessage("Tinggalkan"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Tinggalkan album"), - "leaveFamily": MessageLookupByLibrary.simpleMessage("Tinggalkan keluarga"), - "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Tinggalkan album bersama?", - ), - "left": MessageLookupByLibrary.simpleMessage("Kiri"), - "light": MessageLookupByLibrary.simpleMessage("Cahaya"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Cerah"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Link tersalin ke papan klip", - ), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Batas perangkat"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Aktif"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Kedaluwarsa"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage( - "Waktu kedaluwarsa link", - ), - "linkHasExpired": MessageLookupByLibrary.simpleMessage( - "Link telah kedaluwarsa", - ), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Tidak pernah"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "Kamu bisa membagikan langgananmu dengan keluarga", - ), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "Kami menyimpan 3 salinan dari data kamu, salah satunya di tempat pengungsian bawah tanah", - ), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "App seluler kami berjalan di latar belakang untuk mengenkripsi dan mencadangkan foto yang kamu potret", - ), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io menyediakan alat pengunggah yang bagus", - ), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Kami menggunakan Xchacha20Poly1305 untuk mengenkripsi data-mu dengan aman", - ), - "loadingExifData": MessageLookupByLibrary.simpleMessage( - "Memuat data EXIF...", - ), - "loadingGallery": MessageLookupByLibrary.simpleMessage("Memuat galeri..."), - "loadingMessage": MessageLookupByLibrary.simpleMessage("Memuat fotomu..."), - "loadingModel": MessageLookupByLibrary.simpleMessage("Mengunduh model..."), - "localGallery": MessageLookupByLibrary.simpleMessage("Galeri lokal"), - "locationName": MessageLookupByLibrary.simpleMessage("Nama tempat"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Kunci"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Kunci layar"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Masuk akun"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Mengeluarkan akun..."), - "loginSessionExpired": MessageLookupByLibrary.simpleMessage( - "Sesi berakhir", - ), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "Sesi kamu telah berakhir. Silakan masuk akun kembali.", - ), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Dengan mengklik masuk akun, saya menyetujui ketentuan layanan dan kebijakan privasi Ente", - ), - "logout": MessageLookupByLibrary.simpleMessage("Keluar akun"), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Tekan dan tahan email untuk membuktikan enkripsi ujung ke ujung.", - ), - "lostDevice": MessageLookupByLibrary.simpleMessage("Perangkat hilang?"), - "machineLearning": MessageLookupByLibrary.simpleMessage( - "Pemelajaran mesin", - ), - "magicSearch": MessageLookupByLibrary.simpleMessage("Penelusuran ajaib"), - "manage": MessageLookupByLibrary.simpleMessage("Atur"), - "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( - "Mengelola cache perangkat", - ), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Tinjau dan hapus penyimpanan cache lokal.", - ), - "manageFamily": MessageLookupByLibrary.simpleMessage("Atur Keluarga"), - "manageLink": MessageLookupByLibrary.simpleMessage("Atur link"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Atur"), - "manageSubscription": MessageLookupByLibrary.simpleMessage( - "Atur langganan", - ), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "Tautkan dengan PIN berfungsi di layar mana pun yang kamu inginkan.", - ), - "map": MessageLookupByLibrary.simpleMessage("Peta"), - "maps": MessageLookupByLibrary.simpleMessage("Peta"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "merchandise": MessageLookupByLibrary.simpleMessage("Merchandise"), - "mlConsent": MessageLookupByLibrary.simpleMessage( - "Aktifkan pemelajaran mesin", - ), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Saya memahami, dan bersedia mengaktifkan pemelajaran mesin", - ), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Jika kamu mengaktifkan pemelajaran mesin, Ente akan memproses informasi seperti geometri wajah dari file yang ada, termasuk file yang dibagikan kepadamu.\n\nIni dijalankan pada perangkatmu, dan setiap informasi biometrik yang dibuat akan terenkripsi ujung ke ujung.", - ), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Klik di sini untuk detail lebih lanjut tentang fitur ini pada kebijakan privasi kami", - ), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "Aktifkan pemelajaran mesin?", - ), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Perlu diperhatikan bahwa pemelajaran mesin dapat meningkatkan penggunaan data dan baterai perangkat hingga seluruh item selesai terindeks. Gunakan aplikasi desktop untuk pengindeksan lebih cepat, seluruh hasil akan tersinkronkan secara otomatis.", - ), - "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( - "Seluler, Web, Desktop", - ), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Sedang"), - "moments": MessageLookupByLibrary.simpleMessage("Momen"), - "monthly": MessageLookupByLibrary.simpleMessage("Bulanan"), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("Pindahkan ke album"), - "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Pindahkan ke album tersembunyi", - ), - "movedSuccessfullyTo": m52, - "movedToTrash": MessageLookupByLibrary.simpleMessage("Pindah ke sampah"), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Memindahkan file ke album...", - ), - "name": MessageLookupByLibrary.simpleMessage("Nama"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Tidak dapat terhubung dengan Ente, silakan coba lagi setelah beberapa saat. Jika masalah berlanjut, harap hubungi dukungan.", - ), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Tidak dapat terhubung dengan Ente, harap periksa pengaturan jaringan kamu dan hubungi dukungan jika masalah berlanjut.", - ), - "never": MessageLookupByLibrary.simpleMessage("Tidak pernah"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Album baru"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Baru di Ente"), - "newest": MessageLookupByLibrary.simpleMessage("Terbaru"), - "no": MessageLookupByLibrary.simpleMessage("Tidak"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Belum ada album yang kamu bagikan", - ), - "noDeviceFound": MessageLookupByLibrary.simpleMessage( - "Tidak ditemukan perangkat", - ), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Tidak ada"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "Tidak ada file yang perlu dihapus dari perangkat ini", - ), - "noDuplicates": MessageLookupByLibrary.simpleMessage( - "✨ Tak ada file duplikat", - ), - "noExifData": MessageLookupByLibrary.simpleMessage("Tidak ada data EXIF"), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "Tidak ada foto atau video tersembunyi", - ), - "noInternetConnection": MessageLookupByLibrary.simpleMessage( - "Tidak ada koneksi internet", - ), - "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( - "Tidak ada foto yang sedang dicadangkan sekarang", - ), - "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( - "Tidak ada foto di sini", - ), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Tidak punya kunci pemulihan?", - ), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Karena sifat protokol enkripsi ujung ke ujung kami, data kamu tidak dapat didekripsi tanpa sandi atau kunci pemulihan kamu", - ), - "noResults": MessageLookupByLibrary.simpleMessage("Tidak ada hasil"), - "noResultsFound": MessageLookupByLibrary.simpleMessage( - "Tidak ditemukan hasil", - ), - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "Belum ada yang dibagikan denganmu", - ), - "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( - "Tidak ada apa-apa di sini! 👀", - ), - "notifications": MessageLookupByLibrary.simpleMessage("Notifikasi"), - "ok": MessageLookupByLibrary.simpleMessage("Oke"), - "onDevice": MessageLookupByLibrary.simpleMessage("Di perangkat ini"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "Di ente", - ), - "onlyFamilyAdminCanChangeCode": m55, - "oops": MessageLookupByLibrary.simpleMessage("Aduh"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Aduh, tidak dapat menyimpan perubahan", - ), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Aduh, terjadi kesalahan", - ), - "openSettings": MessageLookupByLibrary.simpleMessage("Buka Pengaturan"), - "openTheItem": MessageLookupByLibrary.simpleMessage("• Buka item-nya"), - "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( - "Kontributor OpenStreetMap", - ), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Opsional, pendek pun tak apa...", - ), - "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( - "Atau pilih yang sudah ada", - ), - "pair": MessageLookupByLibrary.simpleMessage("Tautkan"), - "pairWithPin": MessageLookupByLibrary.simpleMessage("Tautkan dengan PIN"), - "pairingComplete": MessageLookupByLibrary.simpleMessage( - "Penautan berhasil", - ), - "passkey": MessageLookupByLibrary.simpleMessage("Passkey"), - "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( - "Verifikasi passkey", - ), - "password": MessageLookupByLibrary.simpleMessage("Sandi"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Sandi berhasil diubah", - ), - "passwordLock": MessageLookupByLibrary.simpleMessage("Kunci dengan sandi"), - "passwordStrength": m57, - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Kami tidak menyimpan sandi ini, jadi jika kamu melupakannya, kami tidak akan bisa mendekripsi data kamu", - ), - "paymentDetails": MessageLookupByLibrary.simpleMessage( - "Rincian pembayaran", - ), - "paymentFailed": MessageLookupByLibrary.simpleMessage("Pembayaran gagal"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "Sayangnya, pembayaranmu gagal. Silakan hubungi tim bantuan agar dapat kami bantu!", - ), - "paymentFailedTalkToProvider": m58, - "pendingItems": MessageLookupByLibrary.simpleMessage("Item menunggu"), - "pendingSync": MessageLookupByLibrary.simpleMessage( - "Sinkronisasi tertunda", - ), - "people": MessageLookupByLibrary.simpleMessage("Orang"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Orang yang telah menggunakan kodemu", - ), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Semua item di sampah akan dihapus secara permanen\n\nTindakan ini tidak dapat dibatalkan", - ), - "permanentlyDelete": MessageLookupByLibrary.simpleMessage( - "Hapus secara permanen", - ), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Hapus dari perangkat secara permanen?", - ), - "photoDescriptions": MessageLookupByLibrary.simpleMessage( - "Keterangan foto", - ), - "photoGridSize": MessageLookupByLibrary.simpleMessage("Ukuran kotak foto"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), - "photos": MessageLookupByLibrary.simpleMessage("Foto"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "Foto yang telah kamu tambahkan akan dihapus dari album ini", - ), - "playOnTv": MessageLookupByLibrary.simpleMessage("Putar album di TV"), - "playStoreFreeTrialValidTill": m63, - "playstoreSubscription": MessageLookupByLibrary.simpleMessage( - "Langganan PlayStore", - ), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Silakan periksa koneksi internet kamu, lalu coba lagi.", - ), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Silakan hubungi support@ente.io dan kami akan dengan senang hati membantu!", - ), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Silakan hubungi tim bantuan jika masalah terus terjadi", - ), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( - "Harap berikan izin", - ), - "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( - "Silakan masuk akun lagi", - ), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("Silakan coba lagi"), - "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( - "Harap periksa kode yang kamu masukkan", - ), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Harap tunggu..."), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Harap tunggu, sedang menghapus album", - ), - "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( - "Harap tunggu beberapa saat sebelum mencoba lagi", - ), - "preparingLogs": MessageLookupByLibrary.simpleMessage("Menyiapkan log..."), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Tekan dan tahan untuk memutar video", - ), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Tekan dan tahan gambar untuk memutar video", - ), - "privacy": MessageLookupByLibrary.simpleMessage("Privasi"), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( - "Kebijakan Privasi", - ), - "privateBackups": MessageLookupByLibrary.simpleMessage("Cadangan pribadi"), - "privateSharing": MessageLookupByLibrary.simpleMessage( - "Berbagi secara privat", - ), - "publicLinkCreated": MessageLookupByLibrary.simpleMessage( - "Link publik dibuat", - ), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( - "Link publik aktif", - ), - "radius": MessageLookupByLibrary.simpleMessage("Radius"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Buat tiket dukungan"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("Nilai app ini"), - "rateUs": MessageLookupByLibrary.simpleMessage("Beri kami nilai"), - "rateUsOnStore": m68, - "recover": MessageLookupByLibrary.simpleMessage("Pulihkan"), - "recoverAccount": MessageLookupByLibrary.simpleMessage("Pulihkan akun"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Pulihkan"), - "recoveryKey": MessageLookupByLibrary.simpleMessage("Kunci pemulihan"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Kunci pemulihan tersalin ke papan klip", - ), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Saat kamu lupa sandi, satu-satunya cara untuk memulihkan data kamu adalah dengan kunci ini.", - ), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Kami tidak menyimpan kunci ini, jadi harap simpan kunci yang berisi 24 kata ini dengan aman.", - ), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Bagus! Kunci pemulihan kamu sah. Terima kasih telah melakukan verifikasi.\n\nHarap simpan selalu kunci pemulihan kamu dengan aman.", - ), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Kunci pemulihan terverifikasi", - ), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Kunci pemulihan kamu adalah satu-satunya cara untuk memulihkan foto-foto kamu jika kamu lupa kata sandi. Kamu bisa lihat kunci pemulihan kamu di Pengaturan > Akun.\n\nHarap masukkan kunci pemulihan kamu di sini untuk memastikan bahwa kamu telah menyimpannya dengan baik.", - ), - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "Pemulihan berhasil!", - ), - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "Perangkat ini tidak cukup kuat untuk memverifikasi kata sandi kamu, tetapi kami dapat membuat ulang kata sandi kamu sehingga dapat digunakan di semua perangkat.\n\nSilakan masuk menggunakan kunci pemulihan dan buat ulang kata sandi kamu (kamu dapat menggunakan kata sandi yang sama lagi jika mau).", - ), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Buat ulang sandi", - ), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Berikan kode ini ke teman kamu", - ), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Ia perlu daftar ke paket berbayar", - ), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Referensi"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "Rujukan sedang dijeda", - ), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "Kosongkan juga “Baru Dihapus” dari “Pengaturan” -> “Penyimpanan” untuk memperoleh ruang yang baru saja dibersihkan", - ), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Kosongkan juga \"Sampah\" untuk memperoleh ruang yang baru dikosongkan", - ), - "remoteThumbnails": MessageLookupByLibrary.simpleMessage( - "Thumbnail jarak jauh", - ), - "remove": MessageLookupByLibrary.simpleMessage("Hapus"), - "removeDuplicates": MessageLookupByLibrary.simpleMessage("Hapus duplikat"), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Lihat dan hapus file yang sama persis.", - ), - "removeFromAlbum": MessageLookupByLibrary.simpleMessage("Hapus dari album"), - "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( - "Hapus dari album?", - ), - "removeLink": MessageLookupByLibrary.simpleMessage("Hapus link"), - "removeParticipant": MessageLookupByLibrary.simpleMessage("Hapus peserta"), - "removeParticipantBody": m74, - "removePersonLabel": MessageLookupByLibrary.simpleMessage( - "Hapus label orang", - ), - "removePublicLink": MessageLookupByLibrary.simpleMessage( - "Hapus link publik", - ), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Beberapa item yang kamu hapus ditambahkan oleh orang lain, dan kamu akan kehilangan akses ke item tersebut", - ), - "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Hapus?"), - "removingFromFavorites": MessageLookupByLibrary.simpleMessage( - "Menghapus dari favorit...", - ), - "rename": MessageLookupByLibrary.simpleMessage("Ubah nama"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("Ubah nama album"), - "renameFile": MessageLookupByLibrary.simpleMessage("Ubah nama file"), - "renewSubscription": MessageLookupByLibrary.simpleMessage( - "Perpanjang langganan", - ), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Laporkan bug"), - "reportBug": MessageLookupByLibrary.simpleMessage("Laporkan bug"), - "resendEmail": MessageLookupByLibrary.simpleMessage("Kirim ulang email"), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Atur ulang sandi", - ), - "restore": MessageLookupByLibrary.simpleMessage("Pulihkan"), - "restoringFiles": MessageLookupByLibrary.simpleMessage( - "Memulihkan file...", - ), - "retry": MessageLookupByLibrary.simpleMessage("Coba lagi"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Silakan lihat dan hapus item yang merupakan duplikat.", - ), - "right": MessageLookupByLibrary.simpleMessage("Kanan"), - "rotate": MessageLookupByLibrary.simpleMessage("Putar"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Putar ke kiri"), - "rotateRight": MessageLookupByLibrary.simpleMessage("Putar ke kanan"), - "safelyStored": MessageLookupByLibrary.simpleMessage("Tersimpan aman"), - "save": MessageLookupByLibrary.simpleMessage("Simpan"), - "saveKey": MessageLookupByLibrary.simpleMessage("Simpan kunci"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Jika belum, simpan kunci pemulihan kamu", - ), - "saving": MessageLookupByLibrary.simpleMessage("Menyimpan..."), - "savingEdits": MessageLookupByLibrary.simpleMessage("Menyimpan edit..."), - "scanCode": MessageLookupByLibrary.simpleMessage("Pindai kode"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Pindai barcode ini dengan\napp autentikator kamu", - ), - "search": MessageLookupByLibrary.simpleMessage("Telusuri"), - "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Album"), - "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage("Nama album"), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Nama album (cth. \"Kamera\")\n• Jenis file (cth. \"Video\", \".gif\")\n• Tahun atau bulan (cth. \"2022\", \"Januari\")\n• Musim liburan (cth. \"Natal\")\n• Keterangan foto (cth. “#seru”)", - ), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Tambah keterangan seperti \"#trip\" pada info foto agar mudah ditemukan di sini", - ), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Telusuri dengan tanggal, bulan, atau tahun", - ), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "Orang akan ditampilkan di sini setelah pengindeksan selesai", - ), - "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( - "Nama dan jenis file", - ), - "searchHint2": MessageLookupByLibrary.simpleMessage( - "Tanggal, keterangan foto", - ), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "Album, nama dan jenis file", - ), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "Segera tiba: Penelusuran wajah & ajaib ✨", - ), - "searchResultCount": m77, - "security": MessageLookupByLibrary.simpleMessage("Keamanan"), - "selectALocation": MessageLookupByLibrary.simpleMessage("Pilih lokasi"), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage( - "Pilih lokasi terlebih dahulu", - ), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Pilih album"), - "selectAll": MessageLookupByLibrary.simpleMessage("Pilih semua"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Pilih folder yang perlu dicadangkan", - ), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "Pilih item untuk ditambahkan", - ), - "selectLanguage": MessageLookupByLibrary.simpleMessage("Pilih Bahasa"), - "selectMorePhotos": MessageLookupByLibrary.simpleMessage( - "Pilih lebih banyak foto", - ), - "selectReason": MessageLookupByLibrary.simpleMessage("Pilih alasan"), - "selectYourPlan": MessageLookupByLibrary.simpleMessage("Pilih paket kamu"), - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "File terpilih tidak tersimpan di Ente", - ), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Folder yang terpilih akan dienkripsi dan dicadangkan", - ), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Item terpilih akan dihapus dari semua album dan dipindahkan ke sampah.", - ), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "send": MessageLookupByLibrary.simpleMessage("Kirim"), - "sendEmail": MessageLookupByLibrary.simpleMessage("Kirim email"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Kirim undangan"), - "sendLink": MessageLookupByLibrary.simpleMessage("Kirim link"), - "serverEndpoint": MessageLookupByLibrary.simpleMessage("Endpoint server"), - "sessionExpired": MessageLookupByLibrary.simpleMessage("Sesi berakhir"), - "setAPassword": MessageLookupByLibrary.simpleMessage("Atur sandi"), - "setAs": MessageLookupByLibrary.simpleMessage("Pasang sebagai"), - "setCover": MessageLookupByLibrary.simpleMessage("Ubah sampul"), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage("Atur sandi"), - "setupComplete": MessageLookupByLibrary.simpleMessage("Penyiapan selesai"), - "share": MessageLookupByLibrary.simpleMessage("Bagikan"), - "shareALink": MessageLookupByLibrary.simpleMessage("Bagikan link"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Buka album lalu ketuk tombol bagikan di sudut kanan atas untuk berbagi.", - ), - "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( - "Bagikan album sekarang", - ), - "shareLink": MessageLookupByLibrary.simpleMessage("Bagikan link"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Bagikan hanya dengan orang yang kamu inginkan", - ), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Unduh Ente agar kita bisa berbagi foto dan video kualitas asli dengan mudah\n\nhttps://ente.io", - ), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Bagikan ke pengguna non-Ente", - ), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( - "Bagikan album pertamamu", - ), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Buat album bersama dan kolaborasi dengan pengguna Ente lain, termasuk pengguna paket gratis.", - ), - "sharedByMe": MessageLookupByLibrary.simpleMessage("Dibagikan oleh saya"), - "sharedByYou": MessageLookupByLibrary.simpleMessage("Dibagikan oleh kamu"), - "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( - "Foto terbagi baru", - ), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Terima notifikasi apabila seseorang menambahkan foto ke album bersama yang kamu ikuti", - ), - "sharedWith": m87, - "sharedWithMe": MessageLookupByLibrary.simpleMessage( - "Dibagikan dengan saya", - ), - "sharedWithYou": MessageLookupByLibrary.simpleMessage( - "Dibagikan dengan kamu", - ), - "sharing": MessageLookupByLibrary.simpleMessage("Membagikan..."), - "showMemories": MessageLookupByLibrary.simpleMessage("Lihat kenangan"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "Keluarkan akun dari perangkat lain", - ), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Jika kamu merasa ada yang mengetahui sandimu, kamu bisa mengeluarkan akunmu secara paksa dari perangkat lain.", - ), - "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( - "Keluar di perangkat lain", - ), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Saya menyetujui ketentuan layanan dan kebijakan privasi Ente", - ), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Ia akan dihapus dari semua album.", - ), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Lewati"), - "social": MessageLookupByLibrary.simpleMessage("Sosial"), - "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( - "Sejumlah item tersimpan di Ente serta di perangkat ini.", - ), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Orang yang membagikan album denganmu bisa melihat ID yang sama di perangkat mereka.", - ), - "somethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Terjadi kesalahan", - ), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Terjadi kesalahan, silakan coba lagi", - ), - "sorry": MessageLookupByLibrary.simpleMessage("Maaf"), - "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( - "Maaf, kami tidak dapat mencadangkan berkas ini sekarang, kami akan mencobanya kembali nanti.", - ), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Maaf, tidak dapat menambahkan ke favorit!", - ), - "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( - "Maaf, tidak dapat menghapus dari favorit!", - ), - "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "Maaf, kode yang kamu masukkan salah", - ), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Maaf, kami tidak dapat menghasilkan kunci yang aman di perangkat ini.\n\nHarap mendaftar dengan perangkat lain.", - ), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Urut berdasarkan"), - "sortNewestFirst": MessageLookupByLibrary.simpleMessage("Terbaru dulu"), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Terlama dulu"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Berhasil"), - "startBackup": MessageLookupByLibrary.simpleMessage("Mulai pencadangan"), - "status": MessageLookupByLibrary.simpleMessage("Status"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "Apakah kamu ingin menghentikan transmisi?", - ), - "stopCastingTitle": MessageLookupByLibrary.simpleMessage( - "Hentikan transmisi", - ), - "storage": MessageLookupByLibrary.simpleMessage("Penyimpanan"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Keluarga"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Kamu"), - "storageInGB": m93, - "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( - "Batas penyimpanan terlampaui", - ), - "storageUsageInfo": m94, - "strongStrength": MessageLookupByLibrary.simpleMessage("Kuat"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Berlangganan"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Anda memerlukan langganan berbayar yang aktif untuk bisa berbagi.", - ), - "subscription": MessageLookupByLibrary.simpleMessage("Langganan"), - "success": MessageLookupByLibrary.simpleMessage("Berhasil"), - "successfullyArchived": MessageLookupByLibrary.simpleMessage( - "Berhasil diarsipkan", - ), - "successfullyHid": MessageLookupByLibrary.simpleMessage( - "Berhasil disembunyikan", - ), - "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( - "Berhasil dikeluarkan dari arsip", - ), - "suggestFeatures": MessageLookupByLibrary.simpleMessage("Sarankan fitur"), - "support": MessageLookupByLibrary.simpleMessage("Dukungan"), - "syncStopped": MessageLookupByLibrary.simpleMessage( - "Sinkronisasi terhenti", - ), - "syncing": MessageLookupByLibrary.simpleMessage("Menyinkronkan..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("Sistem"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("ketuk untuk salin"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage( - "Ketuk untuk masukkan kode", - ), - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Sepertinya terjadi kesalahan. Silakan coba lagi setelah beberapa saat. Jika kesalahan terus terjadi, silakan hubungi tim dukungan kami.", - ), - "terminate": MessageLookupByLibrary.simpleMessage("Akhiri"), - "terminateSession": MessageLookupByLibrary.simpleMessage("Akhiri sesi?"), - "terms": MessageLookupByLibrary.simpleMessage("Ketentuan"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Ketentuan"), - "thankYou": MessageLookupByLibrary.simpleMessage("Terima kasih"), - "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( - "Terima kasih telah berlangganan!", - ), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "Unduhan tidak dapat diselesaikan", - ), - "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "Kunci pemulihan yang kamu masukkan salah", - ), - "theme": MessageLookupByLibrary.simpleMessage("Tema"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Item ini akan dihapus dari perangkat ini.", - ), - "theyAlsoGetXGb": m99, - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Tindakan ini tidak dapat dibatalkan", - ), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "Link kolaborasi untuk album ini sudah terbuat", - ), - "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( - "Ini dapat digunakan untuk memulihkan akunmu jika kehilangan metode autentikasi dua langkah kamu", - ), - "thisDevice": MessageLookupByLibrary.simpleMessage("Perangkat ini"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "Email ini telah digunakan", - ), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Gambar ini tidak memiliki data exif", - ), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Ini adalah ID Verifikasi kamu", - ), - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Ini akan mengeluarkan akunmu dari perangkat berikut:", - ), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Ini akan mengeluarkan akunmu dari perangkat ini!", - ), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( - "Untuk menyembunyikan foto atau video", - ), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Untuk mengatur ulang sandimu, harap verifikasi email kamu terlebih dahulu.", - ), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Log hari ini"), - "total": MessageLookupByLibrary.simpleMessage("total"), - "trash": MessageLookupByLibrary.simpleMessage("Sampah"), - "trim": MessageLookupByLibrary.simpleMessage("Pangkas"), - "tryAgain": MessageLookupByLibrary.simpleMessage("Coba lagi"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Aktifkan pencadangan untuk mengunggah file yang ditambahkan ke folder ini ke Ente secara otomatis.", - ), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "2 bulan gratis dengan paket tahunan", - ), - "twofactor": MessageLookupByLibrary.simpleMessage( - "Autentikasi dua langkah", - ), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "Autentikasi dua langkah telah dinonaktifkan", - ), - "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( - "Autentikasi dua langkah", - ), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "Autentikasi dua langkah berhasil direset", - ), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Penyiapan autentikasi dua langkah", - ), - "unarchive": MessageLookupByLibrary.simpleMessage("Keluarkan dari arsip"), - "unarchiveAlbum": MessageLookupByLibrary.simpleMessage( - "Keluarkan album dari arsip", - ), - "unarchiving": MessageLookupByLibrary.simpleMessage( - "Mengeluarkan dari arsip...", - ), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Maaf, kode ini tidak tersedia.", - ), - "uncategorized": MessageLookupByLibrary.simpleMessage("Tak Berkategori"), - "unlock": MessageLookupByLibrary.simpleMessage("Buka"), - "unselectAll": MessageLookupByLibrary.simpleMessage( - "Batalkan semua pilihan", - ), - "update": MessageLookupByLibrary.simpleMessage("Perbarui"), - "updateAvailable": MessageLookupByLibrary.simpleMessage( - "Pembaruan tersedia", - ), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Memperbaharui pilihan folder...", - ), - "upgrade": MessageLookupByLibrary.simpleMessage("Tingkatkan"), - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Mengunggah file ke album...", - ), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "Potongan hingga 50%, sampai 4 Des.", - ), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "Kuota yang dapat digunakan dibatasi oleh paket kamu saat ini. Kelebihan kuota yang diklaim akan dapat digunakan secara otomatis saat meningkatkan paket kamu.", - ), - "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Bagikan link publik ke orang yang tidak menggunakan Ente", - ), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Gunakan kunci pemulihan", - ), - "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( - "Gunakan foto terpilih", - ), - "validTill": m110, - "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Verifikasi gagal, silakan coba lagi", - ), - "verificationId": MessageLookupByLibrary.simpleMessage("ID Verifikasi"), - "verify": MessageLookupByLibrary.simpleMessage("Verifikasi"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("Verifikasi email"), - "verifyEmailID": m111, - "verifyPasskey": MessageLookupByLibrary.simpleMessage("Verifikasi passkey"), - "verifyPassword": MessageLookupByLibrary.simpleMessage("Verifikasi sandi"), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Memverifikasi kunci pemulihan...", - ), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), - "videos": MessageLookupByLibrary.simpleMessage("Video"), - "viewActiveSessions": MessageLookupByLibrary.simpleMessage( - "Lihat sesi aktif", - ), - "viewAll": MessageLookupByLibrary.simpleMessage("Lihat semua"), - "viewAllExifData": MessageLookupByLibrary.simpleMessage( - "Lihat seluruh data EXIF", - ), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage( - "File berukuran besar", - ), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Tampilkan file yang paling besar mengonsumsi ruang penyimpanan.", - ), - "viewLogs": MessageLookupByLibrary.simpleMessage("Lihat log"), - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Lihat kunci pemulihan", - ), - "viewer": MessageLookupByLibrary.simpleMessage("Pemirsa"), - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Silakan buka web.ente.io untuk mengatur langgananmu", - ), - "waitingForVerification": MessageLookupByLibrary.simpleMessage( - "Menunggu verifikasi...", - ), - "waitingForWifi": MessageLookupByLibrary.simpleMessage("Menunggu WiFi..."), - "weAreOpenSource": MessageLookupByLibrary.simpleMessage( - "Kode sumber kami terbuka!", - ), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Lemah"), - "welcomeBack": MessageLookupByLibrary.simpleMessage( - "Selamat datang kembali!", - ), - "whatsNew": MessageLookupByLibrary.simpleMessage("Hal yang baru"), - "yearly": MessageLookupByLibrary.simpleMessage("Tahunan"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Ya"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Ya, batalkan"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "Ya, ubah ke pemirsa", - ), - "yesDelete": MessageLookupByLibrary.simpleMessage("Ya, hapus"), - "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( - "Ya, buang perubahan", - ), - "yesLogout": MessageLookupByLibrary.simpleMessage("Ya, keluar"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Ya, hapus"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Ya, Perpanjang"), - "you": MessageLookupByLibrary.simpleMessage("Kamu"), - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( - "Kamu menggunakan paket keluarga!", - ), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Kamu menggunakan versi terbaru", - ), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Maksimal dua kali lipat dari kuota penyimpananmu", - ), - "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( - "Kamu bisa atur link yang telah kamu buat di tab berbagi.", - ), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "Kamu tidak dapat turun ke paket ini", - ), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Kamu tidak bisa berbagi dengan dirimu sendiri", - ), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "Kamu tidak memiliki item di arsip.", - ), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "Akunmu telah dihapus", - ), - "yourMap": MessageLookupByLibrary.simpleMessage("Peta kamu"), - "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( - "Paket kamu berhasil di turunkan", - ), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "Paket kamu berhasil ditingkatkan", - ), - "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( - "Pembelianmu berhasil", - ), - "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( - "Rincian penyimpananmu tidak dapat dimuat", - ), - "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( - "Langgananmu telah berakhir", - ), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "Langgananmu telah berhasil diperbarui", - ), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "Kode verifikasi kamu telah kedaluwarsa", - ), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( - "Perkecil peta untuk melihat foto lainnya", - ), - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Versi baru dari Ente telah tersedia."), + "about": MessageLookupByLibrary.simpleMessage("Tentang"), + "account": MessageLookupByLibrary.simpleMessage("Akun"), + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("Selamat datang kembali!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Saya mengerti bahwa jika saya lupa sandi saya, data saya bisa hilang karena dienkripsi dari ujung ke ujung."), + "activeSessions": MessageLookupByLibrary.simpleMessage("Sesi aktif"), + "addAName": MessageLookupByLibrary.simpleMessage("Tambahkan nama"), + "addANewEmail": + MessageLookupByLibrary.simpleMessage("Tambah email baru"), + "addCollaborator": + MessageLookupByLibrary.simpleMessage("Tambah kolaborator"), + "addFromDevice": + MessageLookupByLibrary.simpleMessage("Tambahkan dari perangkat"), + "addLocation": MessageLookupByLibrary.simpleMessage("Tambah tempat"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Tambah"), + "addMore": MessageLookupByLibrary.simpleMessage("Tambah lagi"), + "addOnValidTill": m3, + "addPhotos": MessageLookupByLibrary.simpleMessage("Tambah foto"), + "addSelected": + MessageLookupByLibrary.simpleMessage("Tambahkan yang dipilih"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("Tambah ke album"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Tambah ke Ente"), + "addToHiddenAlbum": + MessageLookupByLibrary.simpleMessage("Tambah ke album tersembunyi"), + "addViewer": MessageLookupByLibrary.simpleMessage("Tambahkan pemirsa"), + "addedAs": MessageLookupByLibrary.simpleMessage("Ditambahkan sebagai"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": + MessageLookupByLibrary.simpleMessage("Menambahkan ke favorit..."), + "advanced": MessageLookupByLibrary.simpleMessage("Lanjutan"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Lanjutan"), + "after1Day": MessageLookupByLibrary.simpleMessage("Setelah 1 hari"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Setelah 1 jam"), + "after1Month": MessageLookupByLibrary.simpleMessage("Setelah 1 bulan"), + "after1Week": MessageLookupByLibrary.simpleMessage("Setelah 1 minggu"), + "after1Year": MessageLookupByLibrary.simpleMessage("Setelah 1 tahun"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Pemilik"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Judul album"), + "albumUpdated": + MessageLookupByLibrary.simpleMessage("Album diperbarui"), + "albums": MessageLookupByLibrary.simpleMessage("Album"), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Sudah bersih"), + "allMemoriesPreserved": + MessageLookupByLibrary.simpleMessage("Semua kenangan terpelihara"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Izinkan orang yang memiliki link untuk menambahkan foto ke album berbagi ini."), + "allowAddingPhotos": + MessageLookupByLibrary.simpleMessage("Izinkan menambah foto"), + "allowDownloads": + MessageLookupByLibrary.simpleMessage("Izinkan pengunduhan"), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Izinkan orang lain menambahkan foto"), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Ijinkan akses ke foto Anda dari Pengaturan agar Ente dapat menampilkan dan mencadangkan pustaka Anda."), + "allowPermTitle": + MessageLookupByLibrary.simpleMessage("Izinkan akses ke foto"), + "androidBiometricHint": + MessageLookupByLibrary.simpleMessage("Verifikasi identitas"), + "androidBiometricNotRecognized": + MessageLookupByLibrary.simpleMessage("Tidak dikenal. Coba lagi."), + "androidBiometricRequiredTitle": + MessageLookupByLibrary.simpleMessage("Biometrik diperlukan"), + "androidBiometricSuccess": + MessageLookupByLibrary.simpleMessage("Berhasil"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Batal"), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Autentikasi biometrik belum aktif di perangkatmu. Buka \'Setelan > Keamanan\' untuk mengaktifkan autentikasi biometrik."), + "androidIosWebDesktop": + MessageLookupByLibrary.simpleMessage("Android, iOS, Web, Desktop"), + "androidSignInTitle": + MessageLookupByLibrary.simpleMessage("Autentikasi diperlukan"), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("ID Apple"), + "apply": MessageLookupByLibrary.simpleMessage("Terapkan"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Terapkan kode"), + "appstoreSubscription": + MessageLookupByLibrary.simpleMessage("Langganan AppStore"), + "archive": MessageLookupByLibrary.simpleMessage("Arsip"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("Arsipkan album"), + "archiving": MessageLookupByLibrary.simpleMessage("Mengarsipkan..."), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Apakah kamu yakin ingin meninggalkan paket keluarga ini?"), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "Apakah kamu yakin ingin membatalkan?"), + "areYouSureYouWantToChangeYourPlan": + MessageLookupByLibrary.simpleMessage( + "Apakah kamu yakin ingin mengubah paket kamu?"), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "Apakah kamu yakin ingin keluar?"), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Apakah kamu yakin ingin keluar akun?"), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "Apakah kamu yakin ingin memperpanjang?"), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "Langganan kamu telah dibatalkan. Apakah kamu ingin membagikan alasannya?"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Apa alasan utama kamu dalam menghapus akun?"), + "atAFalloutShelter": + MessageLookupByLibrary.simpleMessage("di tempat pengungsian"), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Harap autentikasi untuk mengatur verifikasi email"), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Lakukan autentikasi untuk mengubah pengaturan kunci layar"), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Harap autentikasi untuk mengubah email kamu"), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Harap autentikasi untuk mengubah sandi kamu"), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Harap autentikasi untuk mengatur autentikasi dua langkah"), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Harap autentikasi untuk mulai penghapusan akun"), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Harap autentikasi untuk melihat sesi aktif kamu"), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Harap autentikasi untuk melihat file tersembunyi kamu"), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Harap autentikasi untuk melihat kenanganmu"), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Harap autentikasi untuk melihat kunci pemulihan kamu"), + "authenticationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Autentikasi gagal, silakan coba lagi"), + "authenticationSuccessful": + MessageLookupByLibrary.simpleMessage("Autentikasi berhasil!"), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Perangkat Cast yang tersedia akan ditampilkan di sini."), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Pastikan izin Jaringan Lokal untuk app Ente Foto aktif di Pengaturan."), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "Akibat kesalahan teknis, kamu telah keluar dari akunmu. Kami mohon maaf atas ketidaknyamanannya."), + "autoPair": MessageLookupByLibrary.simpleMessage("Taut otomatis"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "Taut otomatis hanya tersedia di perangkat yang mendukung Chromecast."), + "available": MessageLookupByLibrary.simpleMessage("Tersedia"), + "availableStorageSpace": m10, + "backedUpFolders": + MessageLookupByLibrary.simpleMessage("Folder yang dicadangkan"), + "backup": MessageLookupByLibrary.simpleMessage("Pencadangan"), + "backupFailed": + MessageLookupByLibrary.simpleMessage("Pencadangan gagal"), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Cadangkan dengan data seluler"), + "backupSettings": + MessageLookupByLibrary.simpleMessage("Pengaturan pencadangan"), + "backupStatus": + MessageLookupByLibrary.simpleMessage("Status pencadangan"), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Item yang sudah dicadangkan akan terlihat di sini"), + "backupVideos": MessageLookupByLibrary.simpleMessage("Cadangkan video"), + "blackFridaySale": + MessageLookupByLibrary.simpleMessage("Penawaran Black Friday"), + "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cachedData": MessageLookupByLibrary.simpleMessage("Data cache"), + "calculating": MessageLookupByLibrary.simpleMessage("Menghitung..."), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( + "Tidak dapat membuka album ini"), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Hanya dapat menghapus berkas yang dimiliki oleh mu"), + "cancel": MessageLookupByLibrary.simpleMessage("Batal"), + "cancelOtherSubscription": m12, + "cancelSubscription": + MessageLookupByLibrary.simpleMessage("Batalkan langganan"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Tidak dapat menghapus file berbagi"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Harap pastikan kamu berada pada jaringan yang sama dengan TV-nya."), + "castIPMismatchTitle": + MessageLookupByLibrary.simpleMessage("Gagal mentransmisikan album"), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Buka cast.ente.io pada perangkat yang ingin kamu tautkan.\n\nMasukkan kode yang ditampilkan untuk memutar album di TV."), + "change": MessageLookupByLibrary.simpleMessage("Ubah"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Ubah email"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Ubah lokasi pada item terpilih?"), + "changePassword": MessageLookupByLibrary.simpleMessage("Ubah sandi"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("Ubah sandi"), + "changePermissions": MessageLookupByLibrary.simpleMessage("Ubah izin?"), + "changeYourReferralCode": + MessageLookupByLibrary.simpleMessage("Ganti kode rujukan kamu"), + "checkForUpdates": + MessageLookupByLibrary.simpleMessage("Periksa pembaruan"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Silakan periksa kotak masuk (serta kotak spam) untuk menyelesaikan verifikasi"), + "checkStatus": MessageLookupByLibrary.simpleMessage("Periksa status"), + "checking": MessageLookupByLibrary.simpleMessage("Memeriksa..."), + "claimFreeStorage": + MessageLookupByLibrary.simpleMessage("Peroleh kuota gratis"), + "claimMore": + MessageLookupByLibrary.simpleMessage("Peroleh lebih banyak!"), + "claimed": MessageLookupByLibrary.simpleMessage("Diperoleh"), + "claimedStorageSoFar": m14, + "clearIndexes": MessageLookupByLibrary.simpleMessage("Hapus indeks"), + "click": MessageLookupByLibrary.simpleMessage("• Click"), + "close": MessageLookupByLibrary.simpleMessage("Tutup"), + "codeAppliedPageTitle": + MessageLookupByLibrary.simpleMessage("Kode diterapkan"), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Maaf, kamu telah mencapai batas perubahan kode."), + "codeCopiedToClipboard": + MessageLookupByLibrary.simpleMessage("Kode tersalin ke papan klip"), + "codeUsedByYou": MessageLookupByLibrary.simpleMessage( + "Kode yang telah kamu gunakan"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Buat link untuk memungkinkan orang lain menambahkan dan melihat foto yang ada pada album bersama kamu tanpa memerlukan app atau akun Ente. Ideal untuk mengumpulkan foto pada suatu acara."), + "collaborativeLink": + MessageLookupByLibrary.simpleMessage("Link kolaborasi"), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Kolaborator"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Kolaborator bisa menambahkan foto dan video ke album bersama ini."), + "collageLayout": MessageLookupByLibrary.simpleMessage("Tata letak"), + "collectEventPhotos": + MessageLookupByLibrary.simpleMessage("Kumpulkan foto acara"), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Kumpulkan foto"), + "color": MessageLookupByLibrary.simpleMessage("Warna"), + "confirm": MessageLookupByLibrary.simpleMessage("Konfirmasi"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Apakah kamu yakin ingin menonaktifkan autentikasi dua langkah?"), + "confirmAccountDeletion": + MessageLookupByLibrary.simpleMessage("Konfirmasi Penghapusan Akun"), + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Ya, saya ingin menghapus akun ini dan seluruh datanya secara permanen di semua aplikasi."), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("Konfirmasi sandi"), + "confirmPlanChange": + MessageLookupByLibrary.simpleMessage("Konfirmasi perubahan paket"), + "confirmRecoveryKey": + MessageLookupByLibrary.simpleMessage("Konfirmasi kunci pemulihan"), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Konfirmasi kunci pemulihan kamu"), + "connectToDevice": + MessageLookupByLibrary.simpleMessage("Hubungkan ke perangkat"), + "contactFamilyAdmin": m18, + "contactSupport": + MessageLookupByLibrary.simpleMessage("Hubungi dukungan"), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Kontak"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Lanjut"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "Lanjut dengan percobaan gratis"), + "convertToAlbum": + MessageLookupByLibrary.simpleMessage("Ubah menjadi album"), + "copyEmailAddress": + MessageLookupByLibrary.simpleMessage("Salin alamat email"), + "copyLink": MessageLookupByLibrary.simpleMessage("Salin link"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Salin lalu tempel kode ini\ndi app autentikator kamu"), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "Kami tidak dapat mencadangkan data kamu.\nKami akan coba lagi nanti."), + "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( + "Tidak dapat membersihkan ruang"), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Tidak dapat memperbarui langganan"), + "count": MessageLookupByLibrary.simpleMessage("Jumlah"), + "crashReporting": + MessageLookupByLibrary.simpleMessage("Pelaporan crash"), + "create": MessageLookupByLibrary.simpleMessage("Buat"), + "createAccount": MessageLookupByLibrary.simpleMessage("Buat akun"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Tekan dan tahan foto lalu klik + untuk membuat album baru"), + "createCollaborativeLink": + MessageLookupByLibrary.simpleMessage("Buat link kolaborasi"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("Buat akun baru"), + "createOrSelectAlbum": + MessageLookupByLibrary.simpleMessage("Buat atau pilih album"), + "createPublicLink": + MessageLookupByLibrary.simpleMessage("Buat link publik"), + "creatingLink": MessageLookupByLibrary.simpleMessage("Membuat link..."), + "criticalUpdateAvailable": + MessageLookupByLibrary.simpleMessage("Pembaruan penting tersedia"), + "crop": MessageLookupByLibrary.simpleMessage("Potong"), + "currentUsageIs": + MessageLookupByLibrary.simpleMessage("Pemakaian saat ini sebesar "), + "custom": MessageLookupByLibrary.simpleMessage("Kustom"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Gelap"), + "dayToday": MessageLookupByLibrary.simpleMessage("Hari Ini"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Kemarin"), + "decrypting": MessageLookupByLibrary.simpleMessage("Mendekripsi..."), + "decryptingVideo": + MessageLookupByLibrary.simpleMessage("Mendekripsi video..."), + "delete": MessageLookupByLibrary.simpleMessage("Hapus"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Hapus akun"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Kami sedih kamu pergi. Silakan bagikan masukanmu agar kami bisa jadi lebih baik."), + "deleteAccountPermanentlyButton": + MessageLookupByLibrary.simpleMessage("Hapus Akun Secara Permanen"), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Hapus album"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Hapus foto (dan video) yang ada dalam album ini dari semua album lain yang juga menampungnya?"), + "deleteAll": MessageLookupByLibrary.simpleMessage("Hapus Semua"), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Silakan kirim email ke account-deletion@ente.io dari alamat email kamu yang terdaftar."), + "deleteEmptyAlbums": + MessageLookupByLibrary.simpleMessage("Hapus album kosong"), + "deleteEmptyAlbumsWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Hapus album yang kosong?"), + "deleteFromBoth": + MessageLookupByLibrary.simpleMessage("Hapus dari keduanya"), + "deleteFromDevice": + MessageLookupByLibrary.simpleMessage("Hapus dari perangkat ini"), + "deleteFromEnte": + MessageLookupByLibrary.simpleMessage("Hapus dari Ente"), + "deleteItemCount": m21, + "deletePhotos": MessageLookupByLibrary.simpleMessage("Hapus foto"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Fitur penting yang saya perlukan tidak ada"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "App ini atau fitur tertentu tidak bekerja sesuai harapan saya"), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Saya menemukan layanan lain yang lebih baik"), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "Alasan saya tidak ada di daftar"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Permintaan kamu akan diproses dalam waktu 72 jam."), + "deleteSharedAlbum": + MessageLookupByLibrary.simpleMessage("Hapus album bersama?"), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "Album ini akan di hapus untuk semua\n\nKamu akan kehilangan akses ke foto yang di bagikan dalam album ini yang di miliki oleh pengguna lain"), + "designedToOutlive": + MessageLookupByLibrary.simpleMessage("Dibuat untuk melestarikan"), + "details": MessageLookupByLibrary.simpleMessage("Rincian"), + "developerSettings": + MessageLookupByLibrary.simpleMessage("Pengaturan pengembang"), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Apakah kamu yakin ingin mengubah pengaturan pengembang?"), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Masukkan kode"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "File yang ditambahkan ke album perangkat ini akan diunggah ke Ente secara otomatis."), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Nonaktfikan kunci layar perangkat saat Ente berada di latar depan dan ada pencadangan yang sedang berlangsung. Hal ini biasanya tidak diperlukan, namun dapat membantu unggahan dan import awal berkas berkas besar selesai lebih cepat."), + "deviceNotFound": + MessageLookupByLibrary.simpleMessage("Perangkat tidak ditemukan"), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Tahukah kamu?"), + "disableAutoLock": + MessageLookupByLibrary.simpleMessage("Nonaktifkan kunci otomatis"), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Orang yang melihat masih bisa mengambil tangkapan layar atau menyalin foto kamu menggunakan alat eksternal"), + "disableDownloadWarningTitle": + MessageLookupByLibrary.simpleMessage("Perlu diketahui"), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "Nonaktifkan autentikasi dua langkah"), + "disablingTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Menonaktifkan autentikasi dua langkah..."), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Temukan"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Bayi"), + "discover_celebrations": + MessageLookupByLibrary.simpleMessage("Perayaan"), + "discover_food": MessageLookupByLibrary.simpleMessage("Makanan"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Bukit"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Identitas"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Meme"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Catatan"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Hewan"), + "discover_receipts": + MessageLookupByLibrary.simpleMessage("Tanda Terima"), + "discover_screenshots": + MessageLookupByLibrary.simpleMessage("Tangkapan layar"), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Swafoto"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Senja"), + "discover_wallpapers": + MessageLookupByLibrary.simpleMessage("Gambar latar"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": + MessageLookupByLibrary.simpleMessage("Jangan keluarkan akun"), + "doThisLater": + MessageLookupByLibrary.simpleMessage("Lakukan lain kali"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Apakah kamu ingin membuang edit yang telah kamu buat?"), + "done": MessageLookupByLibrary.simpleMessage("Selesai"), + "doubleYourStorage": + MessageLookupByLibrary.simpleMessage("Gandakan kuota kamu"), + "download": MessageLookupByLibrary.simpleMessage("Unduh"), + "downloadFailed": + MessageLookupByLibrary.simpleMessage("Gagal mengunduh"), + "downloading": MessageLookupByLibrary.simpleMessage("Mengunduh..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "edit": MessageLookupByLibrary.simpleMessage("Edit"), + "editLocation": MessageLookupByLibrary.simpleMessage("Edit lokasi"), + "editLocationTagTitle": + MessageLookupByLibrary.simpleMessage("Edit lokasi"), + "editsSaved": + MessageLookupByLibrary.simpleMessage("Perubahan tersimpan"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Perubahan lokasi hanya akan terlihat di Ente"), + "eligible": MessageLookupByLibrary.simpleMessage("memenuhi syarat"), + "email": MessageLookupByLibrary.simpleMessage("Email"), + "emailAlreadyRegistered": + MessageLookupByLibrary.simpleMessage("Email sudah terdaftar."), + "emailChangedTo": m29, + "emailNoEnteAccount": m31, + "emailNotRegistered": + MessageLookupByLibrary.simpleMessage("Email belum terdaftar."), + "emailVerificationToggle": + MessageLookupByLibrary.simpleMessage("Verifikasi email"), + "empty": MessageLookupByLibrary.simpleMessage("Kosongkan"), + "emptyTrash": MessageLookupByLibrary.simpleMessage("Kosongkan sampah?"), + "enableMaps": MessageLookupByLibrary.simpleMessage("Aktifkan Peta"), + "encryptingBackup": + MessageLookupByLibrary.simpleMessage("Mengenkripsi cadangan..."), + "encryption": MessageLookupByLibrary.simpleMessage("Enkripsi"), + "encryptionKeys": + MessageLookupByLibrary.simpleMessage("Kunci enkripsi"), + "endpointUpdatedMessage": + MessageLookupByLibrary.simpleMessage("Endpoint berhasil diubah"), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Dirancang dengan enkripsi ujung ke ujung"), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente hanya dapat mengenkripsi dan menyimpan file jika kamu berikan izin"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente memerlukan izin untuk menyimpan fotomu"), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "Ente memelihara kenanganmu, sehingga ia selalu tersedia untukmu, bahkan jika kamu kehilangan perangkatmu."), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Anggota keluargamu juga bisa ditambahkan ke paketmu."), + "enterAlbumName": + MessageLookupByLibrary.simpleMessage("Masukkan nama album"), + "enterCode": MessageLookupByLibrary.simpleMessage("Masukkan kode"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Masukkan kode yang diberikan temanmu untuk memperoleh kuota gratis untuk kalian berdua"), + "enterEmail": MessageLookupByLibrary.simpleMessage("Masukkan email"), + "enterFileName": + MessageLookupByLibrary.simpleMessage("Masukkan nama file"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Masukkan sandi baru yang bisa kami gunakan untuk mengenkripsi data kamu"), + "enterPassword": MessageLookupByLibrary.simpleMessage("Masukkan sandi"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Masukkan sandi yang bisa kami gunakan untuk mengenkripsi data kamu"), + "enterPersonName": + MessageLookupByLibrary.simpleMessage("Masukkan nama orang"), + "enterReferralCode": + MessageLookupByLibrary.simpleMessage("Masukkan kode rujukan"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Masukkan kode 6 angka dari\napp autentikator kamu"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Harap masukkan alamat email yang sah."), + "enterYourEmailAddress": + MessageLookupByLibrary.simpleMessage("Masukkan alamat email kamu"), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Masukkan alamat email baru anda"), + "enterYourPassword": + MessageLookupByLibrary.simpleMessage("Masukkan sandi kamu"), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Masukkan kunci pemulihan kamu"), + "error": MessageLookupByLibrary.simpleMessage("Kesalahan"), + "everywhere": MessageLookupByLibrary.simpleMessage("di mana saja"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": MessageLookupByLibrary.simpleMessage("Masuk"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Link ini telah kedaluwarsa. Silakan pilih waktu kedaluwarsa baru atau nonaktifkan waktu kedaluwarsa."), + "exportLogs": MessageLookupByLibrary.simpleMessage("Ekspor log"), + "exportYourData": + MessageLookupByLibrary.simpleMessage("Ekspor data kamu"), + "faceRecognition": + MessageLookupByLibrary.simpleMessage("Pengenalan wajah"), + "faces": MessageLookupByLibrary.simpleMessage("Wajah"), + "failedToApplyCode": + MessageLookupByLibrary.simpleMessage("Gagal menerapkan kode"), + "failedToCancel": + MessageLookupByLibrary.simpleMessage("Gagal membatalkan"), + "failedToDownloadVideo": + MessageLookupByLibrary.simpleMessage("Gagal mengunduh video"), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Gagal memuat file asli untuk mengedit"), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Tidak dapat mengambil kode rujukan. Harap ulang lagi nanti."), + "failedToLoadAlbums": + MessageLookupByLibrary.simpleMessage("Gagal memuat album"), + "failedToRenew": + MessageLookupByLibrary.simpleMessage("Gagal memperpanjang"), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Gagal memeriksa status pembayaran"), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Tambahkan 5 anggota keluarga ke paket kamu tanpa perlu bayar lebih.\n\nSetiap anggota mendapat ruang pribadi mereka sendiri, dan tidak dapat melihat file orang lain kecuali dibagikan.\n\nPaket keluarga tersedia bagi pelanggan yang memiliki langganan berbayar Ente.\n\nLangganan sekarang untuk mulai!"), + "familyPlanPortalTitle": + MessageLookupByLibrary.simpleMessage("Keluarga"), + "familyPlans": MessageLookupByLibrary.simpleMessage("Paket keluarga"), + "faq": MessageLookupByLibrary.simpleMessage("Tanya Jawab Umum"), + "faqs": MessageLookupByLibrary.simpleMessage("Tanya Jawab Umum"), + "favorite": MessageLookupByLibrary.simpleMessage("Favorit"), + "feedback": MessageLookupByLibrary.simpleMessage("Masukan"), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Gagal menyimpan file ke galeri"), + "fileInfoAddDescHint": + MessageLookupByLibrary.simpleMessage("Tambahkan keterangan..."), + "fileSavedToGallery": + MessageLookupByLibrary.simpleMessage("File tersimpan ke galeri"), + "fileTypes": MessageLookupByLibrary.simpleMessage("Jenis file"), + "fileTypesAndNames": + MessageLookupByLibrary.simpleMessage("Nama dan jenis file"), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage("File terhapus"), + "filesSavedToGallery": + MessageLookupByLibrary.simpleMessage("File tersimpan ke galeri"), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "Telusuri orang dengan mudah menggunakan nama"), + "flip": MessageLookupByLibrary.simpleMessage("Balik"), + "forYourMemories": + MessageLookupByLibrary.simpleMessage("untuk kenanganmu"), + "forgotPassword": MessageLookupByLibrary.simpleMessage("Lupa sandi"), + "foundFaces": + MessageLookupByLibrary.simpleMessage("Wajah yang ditemukan"), + "freeStorageClaimed": + MessageLookupByLibrary.simpleMessage("Kuota gratis diperoleh"), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Kuota gratis yang dapat digunakan"), + "freeTrial": MessageLookupByLibrary.simpleMessage("Percobaan gratis"), + "freeTrialValidTill": m38, + "freeUpAmount": m40, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( + "Bersihkan penyimpanan perangkat"), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Hemat ruang penyimpanan di perangkatmu dengan membersihkan file yang sudah tercadangkan."), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("Bersihkan ruang"), + "general": MessageLookupByLibrary.simpleMessage("Umum"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Menghasilkan kunci enkripsi..."), + "genericProgress": m42, + "goToSettings": MessageLookupByLibrary.simpleMessage("Buka pengaturan"), + "googlePlayId": MessageLookupByLibrary.simpleMessage("ID Google Play"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Harap berikan akses ke semua foto di app Pengaturan"), + "grantPermission": MessageLookupByLibrary.simpleMessage("Berikan izin"), + "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( + "Kelompokkan foto yang berdekatan"), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Dari mana Anda menemukan Ente? (opsional)"), + "help": MessageLookupByLibrary.simpleMessage("Bantuan"), + "hidden": MessageLookupByLibrary.simpleMessage("Tersembunyi"), + "hide": MessageLookupByLibrary.simpleMessage("Sembunyikan"), + "hiding": MessageLookupByLibrary.simpleMessage("Menyembunyikan..."), + "hostedAtOsmFrance": + MessageLookupByLibrary.simpleMessage("Dihosting oleh OSM France"), + "howItWorks": MessageLookupByLibrary.simpleMessage("Cara kerjanya"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Silakan minta dia untuk menekan lama alamat email-nya di layar pengaturan, dan pastikan bahwa ID di perangkatnya sama."), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Autentikasi biometrik belum aktif di perangkatmu. Silakan aktifkan Touch ID atau Face ID pada ponselmu."), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Abaikan"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Sejumlah file di album ini tidak terunggah karena telah dihapus sebelumnya dari Ente."), + "importing": MessageLookupByLibrary.simpleMessage("Mengimpor...."), + "incorrectCode": MessageLookupByLibrary.simpleMessage("Kode salah"), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("Sandi salah"), + "incorrectRecoveryKey": + MessageLookupByLibrary.simpleMessage("Kunci pemulihan salah"), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Kunci pemulihan yang kamu masukkan salah"), + "incorrectRecoveryKeyTitle": + MessageLookupByLibrary.simpleMessage("Kunci pemulihan salah"), + "indexedItems": MessageLookupByLibrary.simpleMessage("Item terindeks"), + "insecureDevice": + MessageLookupByLibrary.simpleMessage("Perangkat tidak aman"), + "installManually": + MessageLookupByLibrary.simpleMessage("Instal secara manual"), + "invalidEmailAddress": + MessageLookupByLibrary.simpleMessage("Alamat email tidak sah"), + "invalidEndpoint": + MessageLookupByLibrary.simpleMessage("Endpoint tidak sah"), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Maaf, endpoint yang kamu masukkan tidak sah. Harap masukkan endpoint yang sah dan coba lagi."), + "invalidKey": MessageLookupByLibrary.simpleMessage("Kunci tidak sah"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Kunci pemulihan yang kamu masukkan tidak sah. Pastikan kunci tersebut berisi 24 kata, dan teliti ejaan masing-masing kata.\n\nJika kamu memasukkan kode pemulihan lama, pastikan kode tersebut berisi 64 karakter, dan teliti setiap karakter yang ada."), + "invite": MessageLookupByLibrary.simpleMessage("Undang"), + "inviteToEnte": MessageLookupByLibrary.simpleMessage("Undang ke Ente"), + "inviteYourFriends": + MessageLookupByLibrary.simpleMessage("Undang teman-temanmu"), + "inviteYourFriendsToEnte": + MessageLookupByLibrary.simpleMessage("Undang temanmu ke Ente"), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Sepertinya terjadi kesalahan. Silakan coba lagi setelah beberapa saat. Jika kesalahan terus terjadi, silakan hubungi tim dukungan kami."), + "itemCount": m44, + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Item yang dipilih akan dihapus dari album ini"), + "joinDiscord": + MessageLookupByLibrary.simpleMessage("Bergabung ke Discord"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Simpan foto"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Harap bantu kami dengan informasi ini"), + "language": MessageLookupByLibrary.simpleMessage("Bahasa"), + "lastUpdated": + MessageLookupByLibrary.simpleMessage("Terakhir diperbarui"), + "leave": MessageLookupByLibrary.simpleMessage("Tinggalkan"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Tinggalkan album"), + "leaveFamily": + MessageLookupByLibrary.simpleMessage("Tinggalkan keluarga"), + "leaveSharedAlbum": + MessageLookupByLibrary.simpleMessage("Tinggalkan album bersama?"), + "left": MessageLookupByLibrary.simpleMessage("Kiri"), + "light": MessageLookupByLibrary.simpleMessage("Cahaya"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Cerah"), + "linkCopiedToClipboard": + MessageLookupByLibrary.simpleMessage("Link tersalin ke papan klip"), + "linkDeviceLimit": + MessageLookupByLibrary.simpleMessage("Batas perangkat"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Aktif"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Kedaluwarsa"), + "linkExpiresOn": m47, + "linkExpiry": + MessageLookupByLibrary.simpleMessage("Waktu kedaluwarsa link"), + "linkHasExpired": + MessageLookupByLibrary.simpleMessage("Link telah kedaluwarsa"), + "linkNeverExpires": + MessageLookupByLibrary.simpleMessage("Tidak pernah"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "Kamu bisa membagikan langgananmu dengan keluarga"), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "Kami menyimpan 3 salinan dari data kamu, salah satunya di tempat pengungsian bawah tanah"), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "App seluler kami berjalan di latar belakang untuk mengenkripsi dan mencadangkan foto yang kamu potret"), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io menyediakan alat pengunggah yang bagus"), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Kami menggunakan Xchacha20Poly1305 untuk mengenkripsi data-mu dengan aman"), + "loadingExifData": + MessageLookupByLibrary.simpleMessage("Memuat data EXIF..."), + "loadingGallery": + MessageLookupByLibrary.simpleMessage("Memuat galeri..."), + "loadingMessage": + MessageLookupByLibrary.simpleMessage("Memuat fotomu..."), + "loadingModel": + MessageLookupByLibrary.simpleMessage("Mengunduh model..."), + "localGallery": MessageLookupByLibrary.simpleMessage("Galeri lokal"), + "locationName": MessageLookupByLibrary.simpleMessage("Nama tempat"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Kunci"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Kunci layar"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Masuk akun"), + "loggingOut": + MessageLookupByLibrary.simpleMessage("Mengeluarkan akun..."), + "loginSessionExpired": + MessageLookupByLibrary.simpleMessage("Sesi berakhir"), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "Sesi kamu telah berakhir. Silakan masuk akun kembali."), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Dengan mengklik masuk akun, saya menyetujui ketentuan layanan dan kebijakan privasi Ente"), + "logout": MessageLookupByLibrary.simpleMessage("Keluar akun"), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Tekan dan tahan email untuk membuktikan enkripsi ujung ke ujung."), + "lostDevice": MessageLookupByLibrary.simpleMessage("Perangkat hilang?"), + "machineLearning": + MessageLookupByLibrary.simpleMessage("Pemelajaran mesin"), + "magicSearch": + MessageLookupByLibrary.simpleMessage("Penelusuran ajaib"), + "manage": MessageLookupByLibrary.simpleMessage("Atur"), + "manageDeviceStorage": + MessageLookupByLibrary.simpleMessage("Mengelola cache perangkat"), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Tinjau dan hapus penyimpanan cache lokal."), + "manageFamily": MessageLookupByLibrary.simpleMessage("Atur Keluarga"), + "manageLink": MessageLookupByLibrary.simpleMessage("Atur link"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Atur"), + "manageSubscription": + MessageLookupByLibrary.simpleMessage("Atur langganan"), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "Tautkan dengan PIN berfungsi di layar mana pun yang kamu inginkan."), + "map": MessageLookupByLibrary.simpleMessage("Peta"), + "maps": MessageLookupByLibrary.simpleMessage("Peta"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "merchandise": MessageLookupByLibrary.simpleMessage("Merchandise"), + "mlConsent": + MessageLookupByLibrary.simpleMessage("Aktifkan pemelajaran mesin"), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Saya memahami, dan bersedia mengaktifkan pemelajaran mesin"), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Jika kamu mengaktifkan pemelajaran mesin, Ente akan memproses informasi seperti geometri wajah dari file yang ada, termasuk file yang dibagikan kepadamu.\n\nIni dijalankan pada perangkatmu, dan setiap informasi biometrik yang dibuat akan terenkripsi ujung ke ujung."), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Klik di sini untuk detail lebih lanjut tentang fitur ini pada kebijakan privasi kami"), + "mlConsentTitle": + MessageLookupByLibrary.simpleMessage("Aktifkan pemelajaran mesin?"), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Perlu diperhatikan bahwa pemelajaran mesin dapat meningkatkan penggunaan data dan baterai perangkat hingga seluruh item selesai terindeks. Gunakan aplikasi desktop untuk pengindeksan lebih cepat, seluruh hasil akan tersinkronkan secara otomatis."), + "mobileWebDesktop": + MessageLookupByLibrary.simpleMessage("Seluler, Web, Desktop"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Sedang"), + "moments": MessageLookupByLibrary.simpleMessage("Momen"), + "monthly": MessageLookupByLibrary.simpleMessage("Bulanan"), + "moveToAlbum": + MessageLookupByLibrary.simpleMessage("Pindahkan ke album"), + "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Pindahkan ke album tersembunyi"), + "movedSuccessfullyTo": m52, + "movedToTrash": + MessageLookupByLibrary.simpleMessage("Pindah ke sampah"), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Memindahkan file ke album..."), + "name": MessageLookupByLibrary.simpleMessage("Nama"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Tidak dapat terhubung dengan Ente, silakan coba lagi setelah beberapa saat. Jika masalah berlanjut, harap hubungi dukungan."), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Tidak dapat terhubung dengan Ente, harap periksa pengaturan jaringan kamu dan hubungi dukungan jika masalah berlanjut."), + "never": MessageLookupByLibrary.simpleMessage("Tidak pernah"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Album baru"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Baru di Ente"), + "newest": MessageLookupByLibrary.simpleMessage("Terbaru"), + "no": MessageLookupByLibrary.simpleMessage("Tidak"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Belum ada album yang kamu bagikan"), + "noDeviceFound": + MessageLookupByLibrary.simpleMessage("Tidak ditemukan perangkat"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Tidak ada"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "Tidak ada file yang perlu dihapus dari perangkat ini"), + "noDuplicates": + MessageLookupByLibrary.simpleMessage("✨ Tak ada file duplikat"), + "noExifData": + MessageLookupByLibrary.simpleMessage("Tidak ada data EXIF"), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "Tidak ada foto atau video tersembunyi"), + "noInternetConnection": + MessageLookupByLibrary.simpleMessage("Tidak ada koneksi internet"), + "noPhotosAreBeingBackedUpRightNow": + MessageLookupByLibrary.simpleMessage( + "Tidak ada foto yang sedang dicadangkan sekarang"), + "noPhotosFoundHere": + MessageLookupByLibrary.simpleMessage("Tidak ada foto di sini"), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Tidak punya kunci pemulihan?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Karena sifat protokol enkripsi ujung ke ujung kami, data kamu tidak dapat didekripsi tanpa sandi atau kunci pemulihan kamu"), + "noResults": MessageLookupByLibrary.simpleMessage("Tidak ada hasil"), + "noResultsFound": + MessageLookupByLibrary.simpleMessage("Tidak ditemukan hasil"), + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "Belum ada yang dibagikan denganmu"), + "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( + "Tidak ada apa-apa di sini! 👀"), + "notifications": MessageLookupByLibrary.simpleMessage("Notifikasi"), + "ok": MessageLookupByLibrary.simpleMessage("Oke"), + "onDevice": MessageLookupByLibrary.simpleMessage("Di perangkat ini"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "Di ente"), + "onlyFamilyAdminCanChangeCode": m55, + "oops": MessageLookupByLibrary.simpleMessage("Aduh"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Aduh, tidak dapat menyimpan perubahan"), + "oopsSomethingWentWrong": + MessageLookupByLibrary.simpleMessage("Aduh, terjadi kesalahan"), + "openSettings": MessageLookupByLibrary.simpleMessage("Buka Pengaturan"), + "openTheItem": MessageLookupByLibrary.simpleMessage("• Buka item-nya"), + "openstreetmapContributors": + MessageLookupByLibrary.simpleMessage("Kontributor OpenStreetMap"), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Opsional, pendek pun tak apa..."), + "orPickAnExistingOne": + MessageLookupByLibrary.simpleMessage("Atau pilih yang sudah ada"), + "pair": MessageLookupByLibrary.simpleMessage("Tautkan"), + "pairWithPin": + MessageLookupByLibrary.simpleMessage("Tautkan dengan PIN"), + "pairingComplete": + MessageLookupByLibrary.simpleMessage("Penautan berhasil"), + "passkey": MessageLookupByLibrary.simpleMessage("Passkey"), + "passkeyAuthTitle": + MessageLookupByLibrary.simpleMessage("Verifikasi passkey"), + "password": MessageLookupByLibrary.simpleMessage("Sandi"), + "passwordChangedSuccessfully": + MessageLookupByLibrary.simpleMessage("Sandi berhasil diubah"), + "passwordLock": + MessageLookupByLibrary.simpleMessage("Kunci dengan sandi"), + "passwordStrength": m57, + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Kami tidak menyimpan sandi ini, jadi jika kamu melupakannya, kami tidak akan bisa mendekripsi data kamu"), + "paymentDetails": + MessageLookupByLibrary.simpleMessage("Rincian pembayaran"), + "paymentFailed": + MessageLookupByLibrary.simpleMessage("Pembayaran gagal"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "Sayangnya, pembayaranmu gagal. Silakan hubungi tim bantuan agar dapat kami bantu!"), + "paymentFailedTalkToProvider": m58, + "pendingItems": MessageLookupByLibrary.simpleMessage("Item menunggu"), + "pendingSync": + MessageLookupByLibrary.simpleMessage("Sinkronisasi tertunda"), + "people": MessageLookupByLibrary.simpleMessage("Orang"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Orang yang telah menggunakan kodemu"), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Semua item di sampah akan dihapus secara permanen\n\nTindakan ini tidak dapat dibatalkan"), + "permanentlyDelete": + MessageLookupByLibrary.simpleMessage("Hapus secara permanen"), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Hapus dari perangkat secara permanen?"), + "photoDescriptions": + MessageLookupByLibrary.simpleMessage("Keterangan foto"), + "photoGridSize": + MessageLookupByLibrary.simpleMessage("Ukuran kotak foto"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), + "photos": MessageLookupByLibrary.simpleMessage("Foto"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "Foto yang telah kamu tambahkan akan dihapus dari album ini"), + "playOnTv": MessageLookupByLibrary.simpleMessage("Putar album di TV"), + "playStoreFreeTrialValidTill": m63, + "playstoreSubscription": + MessageLookupByLibrary.simpleMessage("Langganan PlayStore"), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Silakan periksa koneksi internet kamu, lalu coba lagi."), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Silakan hubungi support@ente.io dan kami akan dengan senang hati membantu!"), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Silakan hubungi tim bantuan jika masalah terus terjadi"), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": + MessageLookupByLibrary.simpleMessage("Harap berikan izin"), + "pleaseLoginAgain": + MessageLookupByLibrary.simpleMessage("Silakan masuk akun lagi"), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": + MessageLookupByLibrary.simpleMessage("Silakan coba lagi"), + "pleaseVerifyTheCodeYouHaveEntered": + MessageLookupByLibrary.simpleMessage( + "Harap periksa kode yang kamu masukkan"), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Harap tunggu..."), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Harap tunggu, sedang menghapus album"), + "pleaseWaitForSometimeBeforeRetrying": + MessageLookupByLibrary.simpleMessage( + "Harap tunggu beberapa saat sebelum mencoba lagi"), + "preparingLogs": + MessageLookupByLibrary.simpleMessage("Menyiapkan log..."), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Tekan dan tahan untuk memutar video"), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Tekan dan tahan gambar untuk memutar video"), + "privacy": MessageLookupByLibrary.simpleMessage("Privasi"), + "privacyPolicyTitle": + MessageLookupByLibrary.simpleMessage("Kebijakan Privasi"), + "privateBackups": + MessageLookupByLibrary.simpleMessage("Cadangan pribadi"), + "privateSharing": + MessageLookupByLibrary.simpleMessage("Berbagi secara privat"), + "publicLinkCreated": + MessageLookupByLibrary.simpleMessage("Link publik dibuat"), + "publicLinkEnabled": + MessageLookupByLibrary.simpleMessage("Link publik aktif"), + "radius": MessageLookupByLibrary.simpleMessage("Radius"), + "raiseTicket": + MessageLookupByLibrary.simpleMessage("Buat tiket dukungan"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("Nilai app ini"), + "rateUs": MessageLookupByLibrary.simpleMessage("Beri kami nilai"), + "rateUsOnStore": m68, + "recover": MessageLookupByLibrary.simpleMessage("Pulihkan"), + "recoverAccount": MessageLookupByLibrary.simpleMessage("Pulihkan akun"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Pulihkan"), + "recoveryKey": MessageLookupByLibrary.simpleMessage("Kunci pemulihan"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Kunci pemulihan tersalin ke papan klip"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Saat kamu lupa sandi, satu-satunya cara untuk memulihkan data kamu adalah dengan kunci ini."), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Kami tidak menyimpan kunci ini, jadi harap simpan kunci yang berisi 24 kata ini dengan aman."), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Bagus! Kunci pemulihan kamu sah. Terima kasih telah melakukan verifikasi.\n\nHarap simpan selalu kunci pemulihan kamu dengan aman."), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Kunci pemulihan terverifikasi"), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Kunci pemulihan kamu adalah satu-satunya cara untuk memulihkan foto-foto kamu jika kamu lupa kata sandi. Kamu bisa lihat kunci pemulihan kamu di Pengaturan > Akun.\n\nHarap masukkan kunci pemulihan kamu di sini untuk memastikan bahwa kamu telah menyimpannya dengan baik."), + "recoverySuccessful": + MessageLookupByLibrary.simpleMessage("Pemulihan berhasil!"), + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Perangkat ini tidak cukup kuat untuk memverifikasi kata sandi kamu, tetapi kami dapat membuat ulang kata sandi kamu sehingga dapat digunakan di semua perangkat.\n\nSilakan masuk menggunakan kunci pemulihan dan buat ulang kata sandi kamu (kamu dapat menggunakan kata sandi yang sama lagi jika mau)."), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("Buat ulang sandi"), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Berikan kode ini ke teman kamu"), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Ia perlu daftar ke paket berbayar"), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Referensi"), + "referralsAreCurrentlyPaused": + MessageLookupByLibrary.simpleMessage("Rujukan sedang dijeda"), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "Kosongkan juga “Baru Dihapus” dari “Pengaturan” -> “Penyimpanan” untuk memperoleh ruang yang baru saja dibersihkan"), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Kosongkan juga \"Sampah\" untuk memperoleh ruang yang baru dikosongkan"), + "remoteThumbnails": + MessageLookupByLibrary.simpleMessage("Thumbnail jarak jauh"), + "remove": MessageLookupByLibrary.simpleMessage("Hapus"), + "removeDuplicates": + MessageLookupByLibrary.simpleMessage("Hapus duplikat"), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Lihat dan hapus file yang sama persis."), + "removeFromAlbum": + MessageLookupByLibrary.simpleMessage("Hapus dari album"), + "removeFromAlbumTitle": + MessageLookupByLibrary.simpleMessage("Hapus dari album?"), + "removeLink": MessageLookupByLibrary.simpleMessage("Hapus link"), + "removeParticipant": + MessageLookupByLibrary.simpleMessage("Hapus peserta"), + "removeParticipantBody": m74, + "removePersonLabel": + MessageLookupByLibrary.simpleMessage("Hapus label orang"), + "removePublicLink": + MessageLookupByLibrary.simpleMessage("Hapus link publik"), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Beberapa item yang kamu hapus ditambahkan oleh orang lain, dan kamu akan kehilangan akses ke item tersebut"), + "removeWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Hapus?"), + "removingFromFavorites": + MessageLookupByLibrary.simpleMessage("Menghapus dari favorit..."), + "rename": MessageLookupByLibrary.simpleMessage("Ubah nama"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("Ubah nama album"), + "renameFile": MessageLookupByLibrary.simpleMessage("Ubah nama file"), + "renewSubscription": + MessageLookupByLibrary.simpleMessage("Perpanjang langganan"), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Laporkan bug"), + "reportBug": MessageLookupByLibrary.simpleMessage("Laporkan bug"), + "resendEmail": + MessageLookupByLibrary.simpleMessage("Kirim ulang email"), + "resetPasswordTitle": + MessageLookupByLibrary.simpleMessage("Atur ulang sandi"), + "restore": MessageLookupByLibrary.simpleMessage("Pulihkan"), + "restoringFiles": + MessageLookupByLibrary.simpleMessage("Memulihkan file..."), + "retry": MessageLookupByLibrary.simpleMessage("Coba lagi"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Silakan lihat dan hapus item yang merupakan duplikat."), + "right": MessageLookupByLibrary.simpleMessage("Kanan"), + "rotate": MessageLookupByLibrary.simpleMessage("Putar"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Putar ke kiri"), + "rotateRight": MessageLookupByLibrary.simpleMessage("Putar ke kanan"), + "safelyStored": MessageLookupByLibrary.simpleMessage("Tersimpan aman"), + "save": MessageLookupByLibrary.simpleMessage("Simpan"), + "saveKey": MessageLookupByLibrary.simpleMessage("Simpan kunci"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Jika belum, simpan kunci pemulihan kamu"), + "saving": MessageLookupByLibrary.simpleMessage("Menyimpan..."), + "savingEdits": + MessageLookupByLibrary.simpleMessage("Menyimpan edit..."), + "scanCode": MessageLookupByLibrary.simpleMessage("Pindai kode"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Pindai barcode ini dengan\napp autentikator kamu"), + "search": MessageLookupByLibrary.simpleMessage("Telusuri"), + "searchAlbumsEmptySection": + MessageLookupByLibrary.simpleMessage("Album"), + "searchByAlbumNameHint": + MessageLookupByLibrary.simpleMessage("Nama album"), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Nama album (cth. \"Kamera\")\n• Jenis file (cth. \"Video\", \".gif\")\n• Tahun atau bulan (cth. \"2022\", \"Januari\")\n• Musim liburan (cth. \"Natal\")\n• Keterangan foto (cth. “#seru”)"), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Tambah keterangan seperti \"#trip\" pada info foto agar mudah ditemukan di sini"), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Telusuri dengan tanggal, bulan, atau tahun"), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "Orang akan ditampilkan di sini setelah pengindeksan selesai"), + "searchFileTypesAndNamesEmptySection": + MessageLookupByLibrary.simpleMessage("Nama dan jenis file"), + "searchHint2": + MessageLookupByLibrary.simpleMessage("Tanggal, keterangan foto"), + "searchHint3": + MessageLookupByLibrary.simpleMessage("Album, nama dan jenis file"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "Segera tiba: Penelusuran wajah & ajaib ✨"), + "searchResultCount": m77, + "security": MessageLookupByLibrary.simpleMessage("Keamanan"), + "selectALocation": MessageLookupByLibrary.simpleMessage("Pilih lokasi"), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage( + "Pilih lokasi terlebih dahulu"), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Pilih album"), + "selectAll": MessageLookupByLibrary.simpleMessage("Pilih semua"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Pilih folder yang perlu dicadangkan"), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "Pilih item untuk ditambahkan"), + "selectLanguage": MessageLookupByLibrary.simpleMessage("Pilih Bahasa"), + "selectMorePhotos": + MessageLookupByLibrary.simpleMessage("Pilih lebih banyak foto"), + "selectReason": MessageLookupByLibrary.simpleMessage("Pilih alasan"), + "selectYourPlan": + MessageLookupByLibrary.simpleMessage("Pilih paket kamu"), + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "File terpilih tidak tersimpan di Ente"), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Folder yang terpilih akan dienkripsi dan dicadangkan"), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Item terpilih akan dihapus dari semua album dan dipindahkan ke sampah."), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "send": MessageLookupByLibrary.simpleMessage("Kirim"), + "sendEmail": MessageLookupByLibrary.simpleMessage("Kirim email"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Kirim undangan"), + "sendLink": MessageLookupByLibrary.simpleMessage("Kirim link"), + "serverEndpoint": + MessageLookupByLibrary.simpleMessage("Endpoint server"), + "sessionExpired": MessageLookupByLibrary.simpleMessage("Sesi berakhir"), + "setAPassword": MessageLookupByLibrary.simpleMessage("Atur sandi"), + "setAs": MessageLookupByLibrary.simpleMessage("Pasang sebagai"), + "setCover": MessageLookupByLibrary.simpleMessage("Ubah sampul"), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage("Atur sandi"), + "setupComplete": + MessageLookupByLibrary.simpleMessage("Penyiapan selesai"), + "share": MessageLookupByLibrary.simpleMessage("Bagikan"), + "shareALink": MessageLookupByLibrary.simpleMessage("Bagikan link"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Buka album lalu ketuk tombol bagikan di sudut kanan atas untuk berbagi."), + "shareAnAlbumNow": + MessageLookupByLibrary.simpleMessage("Bagikan album sekarang"), + "shareLink": MessageLookupByLibrary.simpleMessage("Bagikan link"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Bagikan hanya dengan orang yang kamu inginkan"), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Unduh Ente agar kita bisa berbagi foto dan video kualitas asli dengan mudah\n\nhttps://ente.io"), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Bagikan ke pengguna non-Ente"), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": + MessageLookupByLibrary.simpleMessage("Bagikan album pertamamu"), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Buat album bersama dan kolaborasi dengan pengguna Ente lain, termasuk pengguna paket gratis."), + "sharedByMe": + MessageLookupByLibrary.simpleMessage("Dibagikan oleh saya"), + "sharedByYou": + MessageLookupByLibrary.simpleMessage("Dibagikan oleh kamu"), + "sharedPhotoNotifications": + MessageLookupByLibrary.simpleMessage("Foto terbagi baru"), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Terima notifikasi apabila seseorang menambahkan foto ke album bersama yang kamu ikuti"), + "sharedWith": m87, + "sharedWithMe": + MessageLookupByLibrary.simpleMessage("Dibagikan dengan saya"), + "sharedWithYou": + MessageLookupByLibrary.simpleMessage("Dibagikan dengan kamu"), + "sharing": MessageLookupByLibrary.simpleMessage("Membagikan..."), + "showMemories": MessageLookupByLibrary.simpleMessage("Lihat kenangan"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "Keluarkan akun dari perangkat lain"), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Jika kamu merasa ada yang mengetahui sandimu, kamu bisa mengeluarkan akunmu secara paksa dari perangkat lain."), + "signOutOtherDevices": + MessageLookupByLibrary.simpleMessage("Keluar di perangkat lain"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Saya menyetujui ketentuan layanan dan kebijakan privasi Ente"), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Ia akan dihapus dari semua album."), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Lewati"), + "social": MessageLookupByLibrary.simpleMessage("Sosial"), + "someItemsAreInBothEnteAndYourDevice": + MessageLookupByLibrary.simpleMessage( + "Sejumlah item tersimpan di Ente serta di perangkat ini."), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Orang yang membagikan album denganmu bisa melihat ID yang sama di perangkat mereka."), + "somethingWentWrong": + MessageLookupByLibrary.simpleMessage("Terjadi kesalahan"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Terjadi kesalahan, silakan coba lagi"), + "sorry": MessageLookupByLibrary.simpleMessage("Maaf"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "Maaf, kami tidak dapat mencadangkan berkas ini sekarang, kami akan mencobanya kembali nanti."), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Maaf, tidak dapat menambahkan ke favorit!"), + "sorryCouldNotRemoveFromFavorites": + MessageLookupByLibrary.simpleMessage( + "Maaf, tidak dapat menghapus dari favorit!"), + "sorryTheCodeYouveEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "Maaf, kode yang kamu masukkan salah"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Maaf, kami tidak dapat menghasilkan kunci yang aman di perangkat ini.\n\nHarap mendaftar dengan perangkat lain."), + "sortAlbumsBy": + MessageLookupByLibrary.simpleMessage("Urut berdasarkan"), + "sortNewestFirst": MessageLookupByLibrary.simpleMessage("Terbaru dulu"), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Terlama dulu"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Berhasil"), + "startBackup": + MessageLookupByLibrary.simpleMessage("Mulai pencadangan"), + "status": MessageLookupByLibrary.simpleMessage("Status"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "Apakah kamu ingin menghentikan transmisi?"), + "stopCastingTitle": + MessageLookupByLibrary.simpleMessage("Hentikan transmisi"), + "storage": MessageLookupByLibrary.simpleMessage("Penyimpanan"), + "storageBreakupFamily": + MessageLookupByLibrary.simpleMessage("Keluarga"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Kamu"), + "storageInGB": m93, + "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( + "Batas penyimpanan terlampaui"), + "storageUsageInfo": m94, + "strongStrength": MessageLookupByLibrary.simpleMessage("Kuat"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Berlangganan"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Anda memerlukan langganan berbayar yang aktif untuk bisa berbagi."), + "subscription": MessageLookupByLibrary.simpleMessage("Langganan"), + "success": MessageLookupByLibrary.simpleMessage("Berhasil"), + "successfullyArchived": + MessageLookupByLibrary.simpleMessage("Berhasil diarsipkan"), + "successfullyHid": + MessageLookupByLibrary.simpleMessage("Berhasil disembunyikan"), + "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( + "Berhasil dikeluarkan dari arsip"), + "suggestFeatures": + MessageLookupByLibrary.simpleMessage("Sarankan fitur"), + "support": MessageLookupByLibrary.simpleMessage("Dukungan"), + "syncStopped": + MessageLookupByLibrary.simpleMessage("Sinkronisasi terhenti"), + "syncing": MessageLookupByLibrary.simpleMessage("Menyinkronkan..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("Sistem"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("ketuk untuk salin"), + "tapToEnterCode": + MessageLookupByLibrary.simpleMessage("Ketuk untuk masukkan kode"), + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Sepertinya terjadi kesalahan. Silakan coba lagi setelah beberapa saat. Jika kesalahan terus terjadi, silakan hubungi tim dukungan kami."), + "terminate": MessageLookupByLibrary.simpleMessage("Akhiri"), + "terminateSession": + MessageLookupByLibrary.simpleMessage("Akhiri sesi?"), + "terms": MessageLookupByLibrary.simpleMessage("Ketentuan"), + "termsOfServicesTitle": + MessageLookupByLibrary.simpleMessage("Ketentuan"), + "thankYou": MessageLookupByLibrary.simpleMessage("Terima kasih"), + "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( + "Terima kasih telah berlangganan!"), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "Unduhan tidak dapat diselesaikan"), + "theRecoveryKeyYouEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "Kunci pemulihan yang kamu masukkan salah"), + "theme": MessageLookupByLibrary.simpleMessage("Tema"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Item ini akan dihapus dari perangkat ini."), + "theyAlsoGetXGb": m99, + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Tindakan ini tidak dapat dibatalkan"), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "Link kolaborasi untuk album ini sudah terbuat"), + "thisCanBeUsedToRecoverYourAccountIfYou": + MessageLookupByLibrary.simpleMessage( + "Ini dapat digunakan untuk memulihkan akunmu jika kehilangan metode autentikasi dua langkah kamu"), + "thisDevice": MessageLookupByLibrary.simpleMessage("Perangkat ini"), + "thisEmailIsAlreadyInUse": + MessageLookupByLibrary.simpleMessage("Email ini telah digunakan"), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Gambar ini tidak memiliki data exif"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Ini adalah ID Verifikasi kamu"), + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Ini akan mengeluarkan akunmu dari perangkat berikut:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Ini akan mengeluarkan akunmu dari perangkat ini!"), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( + "Untuk menyembunyikan foto atau video"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Untuk mengatur ulang sandimu, harap verifikasi email kamu terlebih dahulu."), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Log hari ini"), + "total": MessageLookupByLibrary.simpleMessage("total"), + "trash": MessageLookupByLibrary.simpleMessage("Sampah"), + "trim": MessageLookupByLibrary.simpleMessage("Pangkas"), + "tryAgain": MessageLookupByLibrary.simpleMessage("Coba lagi"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Aktifkan pencadangan untuk mengunggah file yang ditambahkan ke folder ini ke Ente secara otomatis."), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "2 bulan gratis dengan paket tahunan"), + "twofactor": + MessageLookupByLibrary.simpleMessage("Autentikasi dua langkah"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "Autentikasi dua langkah telah dinonaktifkan"), + "twofactorAuthenticationPageTitle": + MessageLookupByLibrary.simpleMessage("Autentikasi dua langkah"), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "Autentikasi dua langkah berhasil direset"), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Penyiapan autentikasi dua langkah"), + "unarchive": + MessageLookupByLibrary.simpleMessage("Keluarkan dari arsip"), + "unarchiveAlbum": + MessageLookupByLibrary.simpleMessage("Keluarkan album dari arsip"), + "unarchiving": + MessageLookupByLibrary.simpleMessage("Mengeluarkan dari arsip..."), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Maaf, kode ini tidak tersedia."), + "uncategorized": + MessageLookupByLibrary.simpleMessage("Tak Berkategori"), + "unlock": MessageLookupByLibrary.simpleMessage("Buka"), + "unselectAll": + MessageLookupByLibrary.simpleMessage("Batalkan semua pilihan"), + "update": MessageLookupByLibrary.simpleMessage("Perbarui"), + "updateAvailable": + MessageLookupByLibrary.simpleMessage("Pembaruan tersedia"), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Memperbaharui pilihan folder..."), + "upgrade": MessageLookupByLibrary.simpleMessage("Tingkatkan"), + "uploadingFilesToAlbum": + MessageLookupByLibrary.simpleMessage("Mengunggah file ke album..."), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "Potongan hingga 50%, sampai 4 Des."), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "Kuota yang dapat digunakan dibatasi oleh paket kamu saat ini. Kelebihan kuota yang diklaim akan dapat digunakan secara otomatis saat meningkatkan paket kamu."), + "usePublicLinksForPeopleNotOnEnte": + MessageLookupByLibrary.simpleMessage( + "Bagikan link publik ke orang yang tidak menggunakan Ente"), + "useRecoveryKey": + MessageLookupByLibrary.simpleMessage("Gunakan kunci pemulihan"), + "useSelectedPhoto": + MessageLookupByLibrary.simpleMessage("Gunakan foto terpilih"), + "validTill": m110, + "verificationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Verifikasi gagal, silakan coba lagi"), + "verificationId": MessageLookupByLibrary.simpleMessage("ID Verifikasi"), + "verify": MessageLookupByLibrary.simpleMessage("Verifikasi"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("Verifikasi email"), + "verifyEmailID": m111, + "verifyPasskey": + MessageLookupByLibrary.simpleMessage("Verifikasi passkey"), + "verifyPassword": + MessageLookupByLibrary.simpleMessage("Verifikasi sandi"), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Memverifikasi kunci pemulihan..."), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), + "videos": MessageLookupByLibrary.simpleMessage("Video"), + "viewActiveSessions": + MessageLookupByLibrary.simpleMessage("Lihat sesi aktif"), + "viewAll": MessageLookupByLibrary.simpleMessage("Lihat semua"), + "viewAllExifData": + MessageLookupByLibrary.simpleMessage("Lihat seluruh data EXIF"), + "viewLargeFiles": + MessageLookupByLibrary.simpleMessage("File berukuran besar"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Tampilkan file yang paling besar mengonsumsi ruang penyimpanan."), + "viewLogs": MessageLookupByLibrary.simpleMessage("Lihat log"), + "viewRecoveryKey": + MessageLookupByLibrary.simpleMessage("Lihat kunci pemulihan"), + "viewer": MessageLookupByLibrary.simpleMessage("Pemirsa"), + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Silakan buka web.ente.io untuk mengatur langgananmu"), + "waitingForVerification": + MessageLookupByLibrary.simpleMessage("Menunggu verifikasi..."), + "waitingForWifi": + MessageLookupByLibrary.simpleMessage("Menunggu WiFi..."), + "weAreOpenSource": + MessageLookupByLibrary.simpleMessage("Kode sumber kami terbuka!"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Lemah"), + "welcomeBack": + MessageLookupByLibrary.simpleMessage("Selamat datang kembali!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("Hal yang baru"), + "yearly": MessageLookupByLibrary.simpleMessage("Tahunan"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Ya"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Ya, batalkan"), + "yesConvertToViewer": + MessageLookupByLibrary.simpleMessage("Ya, ubah ke pemirsa"), + "yesDelete": MessageLookupByLibrary.simpleMessage("Ya, hapus"), + "yesDiscardChanges": + MessageLookupByLibrary.simpleMessage("Ya, buang perubahan"), + "yesLogout": MessageLookupByLibrary.simpleMessage("Ya, keluar"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Ya, hapus"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Ya, Perpanjang"), + "you": MessageLookupByLibrary.simpleMessage("Kamu"), + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( + "Kamu menggunakan paket keluarga!"), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Kamu menggunakan versi terbaru"), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Maksimal dua kali lipat dari kuota penyimpananmu"), + "youCanManageYourLinksInTheShareTab": + MessageLookupByLibrary.simpleMessage( + "Kamu bisa atur link yang telah kamu buat di tab berbagi."), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "Kamu tidak dapat turun ke paket ini"), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Kamu tidak bisa berbagi dengan dirimu sendiri"), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "Kamu tidak memiliki item di arsip."), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": + MessageLookupByLibrary.simpleMessage("Akunmu telah dihapus"), + "yourMap": MessageLookupByLibrary.simpleMessage("Peta kamu"), + "yourPlanWasSuccessfullyDowngraded": + MessageLookupByLibrary.simpleMessage( + "Paket kamu berhasil di turunkan"), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "Paket kamu berhasil ditingkatkan"), + "yourPurchaseWasSuccessful": + MessageLookupByLibrary.simpleMessage("Pembelianmu berhasil"), + "yourStorageDetailsCouldNotBeFetched": + MessageLookupByLibrary.simpleMessage( + "Rincian penyimpananmu tidak dapat dimuat"), + "yourSubscriptionHasExpired": + MessageLookupByLibrary.simpleMessage("Langgananmu telah berakhir"), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "Langgananmu telah berhasil diperbarui"), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "Kode verifikasi kamu telah kedaluwarsa"), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( + "Perkecil peta untuk melihat foto lainnya") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_it.dart b/mobile/apps/photos/lib/generated/intl/messages_it.dart index a64bf4f91c..0981b4774e 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_it.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_it.dart @@ -57,7 +57,12 @@ class MessageLookup extends MessageLookupByLibrary { "${user} non sarà più in grado di aggiungere altre foto a questo album\n\nSarà ancora in grado di rimuovere le foto esistenti aggiunte da lui o lei"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, {'true': 'Il tuo piano famiglia ha già richiesto ${storageAmountInGb} GB finora', 'false': 'Hai già richiesto ${storageAmountInGb} GB finora', 'other': 'Hai già richiesto ${storageAmountInGb} GB finora!'})}"; + "${Intl.select(isFamilyMember, { + 'true': + 'Il tuo piano famiglia ha già richiesto ${storageAmountInGb} GB finora', + 'false': 'Hai già richiesto ${storageAmountInGb} GB finora', + 'other': 'Hai già richiesto ${storageAmountInGb} GB finora!', + })}"; static String m15(albumName) => "Link collaborativo creato per ${albumName}"; @@ -258,11 +263,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, - usedStorageUnit, - totalAmount, - totalStorageUnit, - ) => + usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => "${usedAmount} ${usedStorageUnit} di ${totalAmount} ${totalStorageUnit} utilizzati"; static String m95(id) => @@ -326,2476 +327,1956 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Una nuova versione di Ente è disponibile.", - ), - "about": MessageLookupByLibrary.simpleMessage("Info"), - "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( - "Accetta l\'invito", - ), - "account": MessageLookupByLibrary.simpleMessage("Account"), - "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( - "L\'account è già configurato.", - ), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage("Bentornato!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Comprendo che se perdo la password potrei perdere l\'accesso ai miei dati poiché sono criptati end-to-end.", - ), - "actionNotSupportedOnFavouritesAlbum": MessageLookupByLibrary.simpleMessage( - "Questa azione non è supportata nei Preferiti", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage("Sessioni attive"), - "add": MessageLookupByLibrary.simpleMessage("Aggiungi"), - "addAName": MessageLookupByLibrary.simpleMessage("Aggiungi un nome"), - "addANewEmail": MessageLookupByLibrary.simpleMessage( - "Aggiungi una nuova email", - ), - "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Aggiungi un widget per gli album nella schermata iniziale e torna qui per personalizzarlo.", - ), - "addCollaborator": MessageLookupByLibrary.simpleMessage( - "Aggiungi collaboratore", - ), - "addCollaborators": m1, - "addFiles": MessageLookupByLibrary.simpleMessage("Aggiungi File"), - "addFromDevice": MessageLookupByLibrary.simpleMessage( - "Aggiungi dal dispositivo", - ), - "addItem": m2, - "addLocation": MessageLookupByLibrary.simpleMessage("Aggiungi luogo"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Aggiungi"), - "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Aggiungi un widget dei ricordi nella schermata iniziale e torna qui per personalizzarlo.", - ), - "addMore": MessageLookupByLibrary.simpleMessage("Aggiungi altri"), - "addName": MessageLookupByLibrary.simpleMessage("Aggiungi nome"), - "addNameOrMerge": MessageLookupByLibrary.simpleMessage( - "Aggiungi nome o unisci", - ), - "addNew": MessageLookupByLibrary.simpleMessage("Aggiungi nuovo"), - "addNewPerson": MessageLookupByLibrary.simpleMessage( - "Aggiungi nuova persona", - ), - "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( - "Dettagli dei componenti aggiuntivi", - ), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("Componenti aggiuntivi"), - "addParticipants": MessageLookupByLibrary.simpleMessage( - "Aggiungi Partecipanti", - ), - "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Aggiungi un widget delle persone nella schermata iniziale e torna qui per personalizzarlo.", - ), - "addPhotos": MessageLookupByLibrary.simpleMessage("Aggiungi foto"), - "addSelected": MessageLookupByLibrary.simpleMessage("Aggiungi selezionate"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("Aggiungi all\'album"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Aggiungi a Ente"), - "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Aggiungi ad album nascosto", - ), - "addTrustedContact": MessageLookupByLibrary.simpleMessage( - "Aggiungi contatto fidato", - ), - "addViewer": MessageLookupByLibrary.simpleMessage( - "Aggiungi in sola lettura", - ), - "addViewers": m4, - "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( - "Aggiungi le tue foto ora", - ), - "addedAs": MessageLookupByLibrary.simpleMessage("Aggiunto come"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": MessageLookupByLibrary.simpleMessage( - "Aggiunto ai preferiti...", - ), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("Avanzate"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Avanzate"), - "after1Day": MessageLookupByLibrary.simpleMessage("Dopo un giorno"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Dopo un’ora "), - "after1Month": MessageLookupByLibrary.simpleMessage("Dopo un mese"), - "after1Week": MessageLookupByLibrary.simpleMessage("Dopo una settimana"), - "after1Year": MessageLookupByLibrary.simpleMessage("Dopo un anno"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Proprietario"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Titolo album"), - "albumUpdated": MessageLookupByLibrary.simpleMessage("Album aggiornato"), - "albums": MessageLookupByLibrary.simpleMessage("Album"), - "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Seleziona gli album che desideri vedere nella schermata principale.", - ), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Tutto pulito"), - "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( - "Tutti i ricordi conservati", - ), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "Tutti i raggruppamenti per questa persona saranno resettati e perderai tutti i suggerimenti fatti per questa persona", - ), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "Questo è il primo nel gruppo. Altre foto selezionate si sposteranno automaticamente in base a questa nuova data", - ), - "allow": MessageLookupByLibrary.simpleMessage("Consenti"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Permetti anche alle persone con il link di aggiungere foto all\'album condiviso.", - ), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( - "Consenti l\'aggiunta di foto", - ), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "Consenti all\'app di aprire link all\'album condiviso", - ), - "allowDownloads": MessageLookupByLibrary.simpleMessage("Consenti download"), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Permetti alle persone di aggiungere foto", - ), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Permetti l\'accesso alle tue foto da Impostazioni in modo che Ente possa visualizzare e fare il backup della tua libreria.", - ), - "allowPermTitle": MessageLookupByLibrary.simpleMessage( - "Consenti l\'accesso alle foto", - ), - "androidBiometricHint": MessageLookupByLibrary.simpleMessage( - "Verifica l\'identità", - ), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "Non riconosciuto. Riprova.", - ), - "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( - "Autenticazione biometrica", - ), - "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage( - "Operazione riuscita", - ), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Annulla"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage( - "Inserisci le credenziali del dispositivo", - ), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage( - "Inserisci le credenziali del dispositivo", - ), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "L\'autenticazione biometrica non è impostata sul tuo dispositivo. Vai a \'Impostazioni > Sicurezza\' per impostarla.", - ), - "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( - "Android, iOS, Web, Desktop", - ), - "androidSignInTitle": MessageLookupByLibrary.simpleMessage( - "Autenticazione necessaria", - ), - "appIcon": MessageLookupByLibrary.simpleMessage("Icona dell\'app"), - "appLock": MessageLookupByLibrary.simpleMessage("Blocco app"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Scegli tra la schermata di blocco predefinita del dispositivo e una schermata di blocco personalizzata con PIN o password.", - ), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), - "apply": MessageLookupByLibrary.simpleMessage("Applica"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Applica codice"), - "appstoreSubscription": MessageLookupByLibrary.simpleMessage( - "abbonamento AppStore", - ), - "archive": MessageLookupByLibrary.simpleMessage("Archivio"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("Archivia album"), - "archiving": MessageLookupByLibrary.simpleMessage("Archiviazione..."), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Sei sicuro di voler uscire dal piano famiglia?", - ), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "Sicuro di volerlo cancellare?", - ), - "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( - "Sei sicuro di voler cambiare il piano?", - ), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "Sei sicuro di voler uscire?", - ), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Sei sicuro di volerti disconnettere?", - ), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "Sei sicuro di volere rinnovare?", - ), - "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( - "Sei sicuro di voler resettare questa persona?", - ), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "Il tuo abbonamento è stato annullato. Vuoi condividere il motivo?", - ), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Qual è il motivo principale per cui stai cancellando il tuo account?", - ), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Invita amici, amiche e parenti su ente", - ), - "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( - "in un rifugio antiatomico", - ), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Autenticati per modificare la verifica email", - ), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Autenticati per modificare le impostazioni della schermata di blocco", - ), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Autenticati per cambiare la tua email", - ), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Autenticati per cambiare la tua password", - ), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Autenticati per configurare l\'autenticazione a due fattori", - ), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Autenticati per avviare l\'eliminazione dell\'account", - ), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Autenticati per gestire i tuoi contatti fidati", - ), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Autenticati per visualizzare le tue passkey", - ), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Autenticati per visualizzare i file cancellati", - ), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Autenticati per visualizzare le sessioni attive", - ), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Autenticati per visualizzare i file nascosti", - ), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Autenticati per visualizzare le tue foto", - ), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Autenticati per visualizzare la tua chiave di recupero", - ), - "authenticating": MessageLookupByLibrary.simpleMessage("Autenticazione..."), - "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Autenticazione non riuscita, prova di nuovo", - ), - "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( - "Autenticazione riuscita!", - ), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Qui vedrai i dispositivi disponibili per la trasmissione.", - ), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Assicurarsi che le autorizzazioni della rete locale siano attivate per l\'app Ente Photos nelle Impostazioni.", - ), - "autoLock": MessageLookupByLibrary.simpleMessage("Blocco automatico"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Tempo dopo il quale l\'applicazione si blocca dopo essere stata messa in background", - ), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "A causa di problemi tecnici, sei stato disconnesso. Ci scusiamo per l\'inconveniente.", - ), - "autoPair": MessageLookupByLibrary.simpleMessage("Associazione automatica"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "L\'associazione automatica funziona solo con i dispositivi che supportano Chromecast.", - ), - "available": MessageLookupByLibrary.simpleMessage("Disponibile"), - "availableStorageSpace": m10, - "backedUpFolders": MessageLookupByLibrary.simpleMessage("Cartelle salvate"), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("Backup"), - "backupFailed": MessageLookupByLibrary.simpleMessage("Backup fallito"), - "backupFile": MessageLookupByLibrary.simpleMessage("File di backup"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Backup su dati mobili", - ), - "backupSettings": MessageLookupByLibrary.simpleMessage( - "Impostazioni backup", - ), - "backupStatus": MessageLookupByLibrary.simpleMessage("Stato backup"), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Gli elementi che sono stati sottoposti a backup verranno mostrati qui", - ), - "backupVideos": MessageLookupByLibrary.simpleMessage("Backup dei video"), - "beach": MessageLookupByLibrary.simpleMessage("Sabbia e mare"), - "birthday": MessageLookupByLibrary.simpleMessage("Compleanno"), - "birthdayNotifications": MessageLookupByLibrary.simpleMessage( - "Notifiche dei compleanni", - ), - "birthdays": MessageLookupByLibrary.simpleMessage("Compleanni"), - "blackFridaySale": MessageLookupByLibrary.simpleMessage( - "Offerta del Black Friday", - ), - "blog": MessageLookupByLibrary.simpleMessage("Blog"), - "cachedData": MessageLookupByLibrary.simpleMessage("Dati nella cache"), - "calculating": MessageLookupByLibrary.simpleMessage("Calcolando..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Spiacente, questo album non può essere aperto nell\'app.", - ), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( - "Impossibile aprire questo album", - ), - "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( - "Impossibile caricare su album di proprietà altrui", - ), - "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Puoi creare solo link per i file di tua proprietà", - ), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Puoi rimuovere solo i file di tua proprietà", - ), - "cancel": MessageLookupByLibrary.simpleMessage("Annulla"), - "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( - "Annulla il recupero", - ), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "Sei sicuro di voler annullare il recupero?", - ), - "cancelOtherSubscription": m12, - "cancelSubscription": MessageLookupByLibrary.simpleMessage( - "Annulla abbonamento", - ), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Impossibile eliminare i file condivisi", - ), - "castAlbum": MessageLookupByLibrary.simpleMessage("Trasmetti album"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Assicurati di essere sulla stessa rete della TV.", - ), - "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( - "Errore nel trasmettere l\'album", - ), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Visita cast.ente.io sul dispositivo che vuoi abbinare.\n\nInserisci il codice qui sotto per riprodurre l\'album sulla tua TV.", - ), - "centerPoint": MessageLookupByLibrary.simpleMessage("Punto centrale"), - "change": MessageLookupByLibrary.simpleMessage("Cambia"), - "changeEmail": MessageLookupByLibrary.simpleMessage("Modifica email"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Cambiare la posizione degli elementi selezionati?", - ), - "changePassword": MessageLookupByLibrary.simpleMessage("Cambia password"), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Modifica password", - ), - "changePermissions": MessageLookupByLibrary.simpleMessage( - "Cambio i permessi?", - ), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Cambia il tuo codice invito", - ), - "checkForUpdates": MessageLookupByLibrary.simpleMessage( - "Controlla aggiornamenti", - ), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Per favore, controlla la tua casella di posta (e lo spam) per completare la verifica", - ), - "checkStatus": MessageLookupByLibrary.simpleMessage("Verifica stato"), - "checking": MessageLookupByLibrary.simpleMessage("Controllo in corso..."), - "checkingModels": MessageLookupByLibrary.simpleMessage( - "Verifica dei modelli...", - ), - "city": MessageLookupByLibrary.simpleMessage("In città"), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage( - "Richiedi spazio gratuito", - ), - "claimMore": MessageLookupByLibrary.simpleMessage("Richiedine di più!"), - "claimed": MessageLookupByLibrary.simpleMessage("Riscattato"), - "claimedStorageSoFar": m14, - "cleanUncategorized": MessageLookupByLibrary.simpleMessage( - "Pulisci Senza Categoria", - ), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Rimuovi tutti i file da Senza Categoria che sono presenti in altri album", - ), - "clearCaches": MessageLookupByLibrary.simpleMessage("Svuota cache"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Cancella indici"), - "click": MessageLookupByLibrary.simpleMessage("• Clic"), - "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( - "• Fai clic sul menu", - ), - "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( - "Clicca per installare l\'ultima versione dell\'app", - ), - "close": MessageLookupByLibrary.simpleMessage("Chiudi"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( - "Club per tempo di cattura", - ), - "clubByFileName": MessageLookupByLibrary.simpleMessage( - "Unisci per nome file", - ), - "clusteringProgress": MessageLookupByLibrary.simpleMessage( - "Progresso del raggruppamento", - ), - "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( - "Codice applicato", - ), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Siamo spiacenti, hai raggiunto il limite di modifiche del codice.", - ), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Codice copiato negli appunti", - ), - "codeUsedByYou": MessageLookupByLibrary.simpleMessage( - "Codice utilizzato da te", - ), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Crea un link per consentire alle persone di aggiungere e visualizzare foto nel tuo album condiviso senza bisogno di un\'applicazione o di un account Ente. Ottimo per raccogliere foto di un evento.", - ), - "collaborativeLink": MessageLookupByLibrary.simpleMessage( - "Link collaborativo", - ), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Collaboratore"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "I collaboratori possono aggiungere foto e video all\'album condiviso.", - ), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("Disposizione"), - "collageSaved": MessageLookupByLibrary.simpleMessage( - "Collage salvato nella galleria", - ), - "collect": MessageLookupByLibrary.simpleMessage("Raccogli"), - "collectEventPhotos": MessageLookupByLibrary.simpleMessage( - "Raccogli le foto di un evento", - ), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Raccogli le foto"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Crea un link dove i tuoi amici possono caricare le foto in qualità originale.", - ), - "color": MessageLookupByLibrary.simpleMessage("Colore"), - "configuration": MessageLookupByLibrary.simpleMessage("Configurazione"), - "confirm": MessageLookupByLibrary.simpleMessage("Conferma"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Sei sicuro di voler disattivare l\'autenticazione a due fattori?", - ), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Conferma eliminazione account", - ), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Sì, voglio eliminare definitivamente questo account e i dati associati a esso su tutte le applicazioni.", - ), - "confirmPassword": MessageLookupByLibrary.simpleMessage( - "Conferma password", - ), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage( - "Conferma le modifiche al piano", - ), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Conferma chiave di recupero", - ), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Conferma la tua chiave di recupero", - ), - "connectToDevice": MessageLookupByLibrary.simpleMessage( - "Connetti al dispositivo", - ), - "contactFamilyAdmin": m18, - "contactSupport": MessageLookupByLibrary.simpleMessage( - "Contatta il supporto", - ), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Contatti"), - "contents": MessageLookupByLibrary.simpleMessage("Contenuti"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Continua"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "Continua la prova gratuita", - ), - "convertToAlbum": MessageLookupByLibrary.simpleMessage("Converti in album"), - "copyEmailAddress": MessageLookupByLibrary.simpleMessage( - "Copia indirizzo email", - ), - "copyLink": MessageLookupByLibrary.simpleMessage("Copia link"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Copia-incolla questo codice\nnella tua app di autenticazione", - ), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "Impossibile eseguire il backup dei tuoi dati.\nRiproveremo più tardi.", - ), - "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( - "Impossibile liberare lo spazio", - ), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Impossibile aggiornare l\'abbonamento", - ), - "count": MessageLookupByLibrary.simpleMessage("Conteggio"), - "crashReporting": MessageLookupByLibrary.simpleMessage( - "Segnalazione di crash", - ), - "create": MessageLookupByLibrary.simpleMessage("Crea"), - "createAccount": MessageLookupByLibrary.simpleMessage("Crea account"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Premi a lungo per selezionare le foto e fai clic su + per creare un album", - ), - "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( - "Crea link collaborativo", - ), - "createCollage": MessageLookupByLibrary.simpleMessage("Crea un collage"), - "createNewAccount": MessageLookupByLibrary.simpleMessage( - "Crea un nuovo account", - ), - "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( - "Crea o seleziona album", - ), - "createPublicLink": MessageLookupByLibrary.simpleMessage( - "Crea link pubblico", - ), - "creatingLink": MessageLookupByLibrary.simpleMessage("Creazione link..."), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "Un aggiornamento importante è disponibile", - ), - "crop": MessageLookupByLibrary.simpleMessage("Ritaglia"), - "curatedMemories": MessageLookupByLibrary.simpleMessage( - "Ricordi importanti", - ), - "currentUsageIs": MessageLookupByLibrary.simpleMessage( - "Spazio attualmente utilizzato ", - ), - "currentlyRunning": MessageLookupByLibrary.simpleMessage( - "attualmente in esecuzione", - ), - "custom": MessageLookupByLibrary.simpleMessage("Personalizza"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Scuro"), - "dayToday": MessageLookupByLibrary.simpleMessage("Oggi"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Ieri"), - "declineTrustInvite": MessageLookupByLibrary.simpleMessage( - "Rifiuta l\'invito", - ), - "decrypting": MessageLookupByLibrary.simpleMessage("Decriptando..."), - "decryptingVideo": MessageLookupByLibrary.simpleMessage( - "Decifratura video...", - ), - "deduplicateFiles": MessageLookupByLibrary.simpleMessage("File Duplicati"), - "delete": MessageLookupByLibrary.simpleMessage("Cancella"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Elimina account"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Ci dispiace vederti andare via. Facci sapere se hai bisogno di aiuto o se vuoi aiutarci a migliorare.", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Cancella definitivamente il tuo account", - ), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Elimina album"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Eliminare anche le foto (e i video) presenti in questo album da tutti gli altri album di cui fanno parte?", - ), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "Questo eliminerà tutti gli album vuoti. È utile quando si desidera ridurre l\'ingombro nella lista degli album.", - ), - "deleteAll": MessageLookupByLibrary.simpleMessage("Elimina tutto"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "Questo account è collegato ad altre app di Ente, se ne utilizzi. I tuoi dati caricati, su tutte le app di Ente, saranno pianificati per la cancellazione e il tuo account verrà eliminato definitivamente.", - ), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Invia un\'email a account-deletion@ente.io dal tuo indirizzo email registrato.", - ), - "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( - "Elimina gli album vuoti", - ), - "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( - "Eliminare gli album vuoti?", - ), - "deleteFromBoth": MessageLookupByLibrary.simpleMessage( - "Elimina da entrambi", - ), - "deleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Elimina dal dispositivo", - ), - "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Elimina da Ente"), - "deleteItemCount": m21, - "deleteLocation": MessageLookupByLibrary.simpleMessage("Elimina posizione"), - "deleteMultipleAlbumDialog": m22, - "deletePhotos": MessageLookupByLibrary.simpleMessage("Elimina foto"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Manca una caratteristica chiave di cui ho bisogno", - ), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "L\'app o una determinata funzionalità non si comporta come dovrebbe", - ), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Ho trovato un altro servizio che mi piace di più", - ), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "Il motivo non è elencato", - ), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "La tua richiesta verrà elaborata entro 72 ore.", - ), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Eliminare l\'album condiviso?", - ), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "L\'album verrà eliminato per tutti\n\nPerderai l\'accesso alle foto condivise in questo album che sono di proprietà di altri", - ), - "deselectAll": MessageLookupByLibrary.simpleMessage("Deseleziona tutti"), - "designedToOutlive": MessageLookupByLibrary.simpleMessage( - "Progettato per sopravvivere", - ), - "details": MessageLookupByLibrary.simpleMessage("Dettagli"), - "developerSettings": MessageLookupByLibrary.simpleMessage( - "Impostazioni sviluppatore", - ), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Sei sicuro di voler modificare le Impostazioni sviluppatore?", - ), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage( - "Inserisci il codice", - ), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "I file aggiunti a questo album del dispositivo verranno automaticamente caricati su Ente.", - ), - "deviceLock": MessageLookupByLibrary.simpleMessage( - "Blocco del dispositivo", - ), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Disabilita il blocco schermo del dispositivo quando Ente è in primo piano e c\'è un backup in corso. Questo normalmente non è necessario ma può aiutare a completare più velocemente grossi caricamenti e l\'importazione iniziale di grandi librerie.", - ), - "deviceNotFound": MessageLookupByLibrary.simpleMessage( - "Dispositivo non trovato", - ), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Lo sapevi che?"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage( - "Disabilita blocco automatico", - ), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "I visualizzatori possono scattare screenshot o salvare una copia delle foto utilizzando strumenti esterni", - ), - "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( - "Nota bene", - ), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "Disabilita autenticazione a due fattori", - ), - "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( - "Disattivazione autenticazione a due fattori...", - ), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Scopri"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Neonati"), - "discover_celebrations": MessageLookupByLibrary.simpleMessage( - "Festeggiamenti", - ), - "discover_food": MessageLookupByLibrary.simpleMessage("Cibo"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Vegetazione"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Colline"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Identità"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Meme"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Note"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Animali domestici"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Ricette"), - "discover_screenshots": MessageLookupByLibrary.simpleMessage("Schermate"), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfie"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Tramonto"), - "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( - "Biglietti da Visita", - ), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Sfondi"), - "dismiss": MessageLookupByLibrary.simpleMessage("Ignora"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage("Non uscire"), - "doThisLater": MessageLookupByLibrary.simpleMessage("In seguito"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Vuoi scartare le modifiche che hai fatto?", - ), - "done": MessageLookupByLibrary.simpleMessage("Completato"), - "dontSave": MessageLookupByLibrary.simpleMessage("Non salvare"), - "doubleYourStorage": MessageLookupByLibrary.simpleMessage( - "Raddoppia il tuo spazio", - ), - "download": MessageLookupByLibrary.simpleMessage("Scarica"), - "downloadFailed": MessageLookupByLibrary.simpleMessage( - "Scaricamento fallito", - ), - "downloading": MessageLookupByLibrary.simpleMessage( - "Scaricamento in corso...", - ), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Modifica"), - "editEmailAlreadyLinked": m28, - "editLocation": MessageLookupByLibrary.simpleMessage("Modifica luogo"), - "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( - "Modifica luogo", - ), - "editPerson": MessageLookupByLibrary.simpleMessage("Modifica persona"), - "editTime": MessageLookupByLibrary.simpleMessage("Modifica orario"), - "editsSaved": MessageLookupByLibrary.simpleMessage("Modifiche salvate"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Le modifiche alla posizione saranno visibili solo all\'interno di Ente", - ), - "eligible": MessageLookupByLibrary.simpleMessage("idoneo"), - "email": MessageLookupByLibrary.simpleMessage("Email"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "Email già registrata.", - ), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "Email non registrata.", - ), - "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( - "Verifica Email", - ), - "emailYourLogs": MessageLookupByLibrary.simpleMessage( - "Invia una mail con i tuoi log", - ), - "embracingThem": m32, - "emergencyContacts": MessageLookupByLibrary.simpleMessage( - "Contatti di emergenza", - ), - "empty": MessageLookupByLibrary.simpleMessage("Svuota"), - "emptyTrash": MessageLookupByLibrary.simpleMessage( - "Vuoi svuotare il cestino?", - ), - "enable": MessageLookupByLibrary.simpleMessage("Abilita"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "Ente supporta l\'apprendimento automatico eseguito sul dispositivo per il riconoscimento dei volti, la ricerca magica e altre funzioni di ricerca avanzata", - ), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Abilita l\'apprendimento automatico per la ricerca magica e il riconoscimento facciale", - ), - "enableMaps": MessageLookupByLibrary.simpleMessage("Abilita le Mappe"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "Questo mostrerà le tue foto su una mappa del mondo.\n\nQuesta mappa è ospitata da Open Street Map e le posizioni esatte delle tue foto non sono mai condivise.\n\nPuoi disabilitare questa funzionalità in qualsiasi momento, dalle Impostazioni.", - ), - "enabled": MessageLookupByLibrary.simpleMessage("Abilitato"), - "encryptingBackup": MessageLookupByLibrary.simpleMessage( - "Crittografando il backup...", - ), - "encryption": MessageLookupByLibrary.simpleMessage("Crittografia"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage( - "Chiavi di crittografia", - ), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Endpoint aggiornato con successo", - ), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Crittografia end-to-end", - ), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente può criptare e conservare i file solo se gliene concedi l\'accesso", - ), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente necessita del permesso per preservare le tue foto", - ), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "Ente conserva i tuoi ricordi in modo che siano sempre a disposizione, anche se perdi il tuo dispositivo.", - ), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Aggiungi la tua famiglia al tuo piano.", - ), - "enterAlbumName": MessageLookupByLibrary.simpleMessage( - "Inserisci il nome dell\'album", - ), - "enterCode": MessageLookupByLibrary.simpleMessage("Inserisci codice"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Inserisci il codice fornito dal tuo amico per richiedere spazio gratuito per entrambi", - ), - "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( - "Compleanno (Opzionale)", - ), - "enterEmail": MessageLookupByLibrary.simpleMessage("Inserisci email"), - "enterFileName": MessageLookupByLibrary.simpleMessage( - "Inserisci un nome per il file", - ), - "enterName": MessageLookupByLibrary.simpleMessage("Aggiungi nome"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Inserisci una nuova password per criptare i tuoi dati", - ), - "enterPassword": MessageLookupByLibrary.simpleMessage("Inserisci password"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Inserisci una password per criptare i tuoi dati", - ), - "enterPersonName": MessageLookupByLibrary.simpleMessage( - "Inserisci il nome della persona", - ), - "enterPin": MessageLookupByLibrary.simpleMessage("Inserisci PIN"), - "enterReferralCode": MessageLookupByLibrary.simpleMessage( - "Inserisci il codice di invito", - ), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Inserisci il codice di 6 cifre\ndalla tua app di autenticazione", - ), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Inserisci un indirizzo email valido.", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Inserisci il tuo indirizzo email", - ), - "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( - "Inserisci il tuo nuovo indirizzo email", - ), - "enterYourPassword": MessageLookupByLibrary.simpleMessage( - "Inserisci la tua password", - ), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Inserisci la tua chiave di recupero", - ), - "error": MessageLookupByLibrary.simpleMessage("Errore"), - "everywhere": MessageLookupByLibrary.simpleMessage("ovunque"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": MessageLookupByLibrary.simpleMessage("Accedi"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Questo link è scaduto. Si prega di selezionare un nuovo orario di scadenza o disabilitare la scadenza del link.", - ), - "exportLogs": MessageLookupByLibrary.simpleMessage("Esporta log"), - "exportYourData": MessageLookupByLibrary.simpleMessage("Esporta dati"), - "extraPhotosFound": MessageLookupByLibrary.simpleMessage( - "Trovate foto aggiuntive", - ), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Faccia non ancora raggruppata, per favore torna più tardi", - ), - "faceRecognition": MessageLookupByLibrary.simpleMessage( - "Riconoscimento facciale", - ), - "faces": MessageLookupByLibrary.simpleMessage("Volti"), - "failed": MessageLookupByLibrary.simpleMessage("Non riuscito"), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage( - "Impossibile applicare il codice", - ), - "failedToCancel": MessageLookupByLibrary.simpleMessage( - "Impossibile annullare", - ), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( - "Download del video non riuscito", - ), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Recupero delle sessioni attive non riuscito", - ), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Impossibile recuperare l\'originale per la modifica", - ), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Impossibile recuperare i dettagli. Per favore, riprova più tardi.", - ), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "Impossibile caricare gli album", - ), - "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Impossibile riprodurre il video", - ), - "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( - "Impossibile aggiornare l\'abbonamento", - ), - "failedToRenew": MessageLookupByLibrary.simpleMessage("Rinnovo fallito"), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Impossibile verificare lo stato del pagamento", - ), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Aggiungi 5 membri della famiglia al tuo piano esistente senza pagare extra.\n\nOgni membro ottiene il proprio spazio privato e non può vedere i file dell\'altro a meno che non siano condivisi.\n\nI piani familiari sono disponibili per i clienti che hanno un abbonamento Ente a pagamento.\n\nIscriviti ora per iniziare!", - ), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Famiglia"), - "familyPlans": MessageLookupByLibrary.simpleMessage("Piano famiglia"), - "faq": MessageLookupByLibrary.simpleMessage("FAQ"), - "faqs": MessageLookupByLibrary.simpleMessage("FAQ"), - "favorite": MessageLookupByLibrary.simpleMessage("Preferito"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("Suggerimenti"), - "file": MessageLookupByLibrary.simpleMessage("File"), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Impossibile salvare il file nella galleria", - ), - "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( - "Aggiungi descrizione...", - ), - "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( - "File non ancora caricato", - ), - "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( - "File salvato nella galleria", - ), - "fileTypes": MessageLookupByLibrary.simpleMessage("Tipi di file"), - "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( - "Tipi e nomi di file", - ), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage("File eliminati"), - "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( - "File salvati nella galleria", - ), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Trova rapidamente le persone per nome", - ), - "findThemQuickly": MessageLookupByLibrary.simpleMessage( - "Trovali rapidamente", - ), - "flip": MessageLookupByLibrary.simpleMessage("Capovolgi"), - "food": MessageLookupByLibrary.simpleMessage("Delizia culinaria"), - "forYourMemories": MessageLookupByLibrary.simpleMessage( - "per i tuoi ricordi", - ), - "forgotPassword": MessageLookupByLibrary.simpleMessage( - "Password dimenticata", - ), - "foundFaces": MessageLookupByLibrary.simpleMessage("Volti trovati"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( - "Spazio gratuito richiesto", - ), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Spazio libero utilizzabile", - ), - "freeTrial": MessageLookupByLibrary.simpleMessage("Prova gratuita"), - "freeTrialValidTill": m38, - "freeUpAmount": m40, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage("Libera spazio"), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Risparmia spazio sul tuo dispositivo cancellando i file che sono già stati salvati online.", - ), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("Libera spazio"), - "freeUpSpaceSaving": m41, - "gallery": MessageLookupByLibrary.simpleMessage("Galleria"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "Fino a 1000 ricordi mostrati nella galleria", - ), - "general": MessageLookupByLibrary.simpleMessage("Generali"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Generazione delle chiavi di crittografia...", - ), - "genericProgress": m42, - "goToSettings": MessageLookupByLibrary.simpleMessage( - "Vai alle impostazioni", - ), - "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Consenti l\'accesso a tutte le foto nelle Impostazioni", - ), - "grantPermission": MessageLookupByLibrary.simpleMessage( - "Concedi il permesso", - ), - "greenery": MessageLookupByLibrary.simpleMessage("In mezzo al verde"), - "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( - "Raggruppa foto nelle vicinanze", - ), - "guestView": MessageLookupByLibrary.simpleMessage("Vista ospite"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "Per abilitare la vista ospite, configura il codice di accesso del dispositivo o il blocco schermo nelle impostazioni di sistema.", - ), - "happyBirthday": MessageLookupByLibrary.simpleMessage( - "Buon compleanno! 🥳", - ), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "Non teniamo traccia del numero di installazioni dell\'app. Sarebbe utile se ci dicesse dove ci ha trovato!", - ), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Come hai sentito parlare di Ente? (opzionale)", - ), - "help": MessageLookupByLibrary.simpleMessage("Aiuto"), - "hidden": MessageLookupByLibrary.simpleMessage("Nascosti"), - "hide": MessageLookupByLibrary.simpleMessage("Nascondi"), - "hideContent": MessageLookupByLibrary.simpleMessage( - "Nascondi il contenuto", - ), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Nasconde il contenuto nel selettore delle app e disabilita gli screenshot", - ), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Nasconde il contenuto nel selettore delle app", - ), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "Nascondi gli elementi condivisi dalla galleria principale", - ), - "hiding": MessageLookupByLibrary.simpleMessage("Nascondendo..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( - "Ospitato presso OSM France", - ), - "howItWorks": MessageLookupByLibrary.simpleMessage("Come funziona"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Chiedi di premere a lungo il loro indirizzo email nella schermata delle impostazioni e verificare che gli ID su entrambi i dispositivi corrispondano.", - ), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "L\'autenticazione biometrica non è impostata sul tuo dispositivo. Abilita Touch ID o Face ID sul tuo telefono.", - ), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "L\'autenticazione biometrica è disabilitata. Blocca e sblocca lo schermo per abilitarla.", - ), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignora"), - "ignored": MessageLookupByLibrary.simpleMessage("ignorato"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Alcuni file in questo album vengono ignorati dal caricamento perché erano stati precedentemente eliminati da Ente.", - ), - "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( - "Immagine non analizzata", - ), - "immediately": MessageLookupByLibrary.simpleMessage("Immediatamente"), - "importing": MessageLookupByLibrary.simpleMessage( - "Importazione in corso....", - ), - "incorrectCode": MessageLookupByLibrary.simpleMessage("Codice sbagliato"), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Password sbagliata", - ), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Chiave di recupero errata", - ), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "Il codice che hai inserito non è corretto", - ), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Chiave di recupero errata", - ), - "indexedItems": MessageLookupByLibrary.simpleMessage( - "Elementi indicizzati", - ), - "ineligible": MessageLookupByLibrary.simpleMessage("Non idoneo"), - "info": MessageLookupByLibrary.simpleMessage("Info"), - "insecureDevice": MessageLookupByLibrary.simpleMessage( - "Dispositivo non sicuro", - ), - "installManually": MessageLookupByLibrary.simpleMessage( - "Installa manualmente", - ), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "Indirizzo email non valido", - ), - "invalidEndpoint": MessageLookupByLibrary.simpleMessage( - "Endpoint invalido", - ), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Spiacenti, l\'endpoint inserito non è valido. Inserisci un endpoint valido e riprova.", - ), - "invalidKey": MessageLookupByLibrary.simpleMessage("Chiave non valida"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "La chiave di recupero che hai inserito non è valida. Assicurati che contenga 24 parole e controlla l\'ortografia di ciascuna parola.\n\nSe hai inserito un vecchio codice di recupero, assicurati che sia lungo 64 caratteri e controlla ciascuno di essi.", - ), - "invite": MessageLookupByLibrary.simpleMessage("Invita"), - "inviteToEnte": MessageLookupByLibrary.simpleMessage("Invita su Ente"), - "inviteYourFriends": MessageLookupByLibrary.simpleMessage( - "Invita i tuoi amici", - ), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "Invita i tuoi amici a Ente", - ), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Sembra che qualcosa sia andato storto. Riprova tra un po\'. Se l\'errore persiste, contatta il nostro team di supporto.", - ), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "Gli elementi mostrano il numero di giorni rimanenti prima della cancellazione permanente", - ), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Gli elementi selezionati saranno rimossi da questo album", - ), - "join": MessageLookupByLibrary.simpleMessage("Unisciti"), - "joinAlbum": MessageLookupByLibrary.simpleMessage("Unisciti all\'album"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "Unirsi a un album renderà visibile la tua email ai suoi partecipanti.", - ), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( - "per visualizzare e aggiungere le tue foto", - ), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "per aggiungerla agli album condivisi", - ), - "joinDiscord": MessageLookupByLibrary.simpleMessage("Unisciti a Discord"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Mantieni foto"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Aiutaci con queste informazioni", - ), - "language": MessageLookupByLibrary.simpleMessage("Lingua"), - "lastTimeWithThem": m45, - "lastUpdated": MessageLookupByLibrary.simpleMessage("Ultimo aggiornamento"), - "lastYearsTrip": MessageLookupByLibrary.simpleMessage( - "Viaggio dello scorso anno", - ), - "leave": MessageLookupByLibrary.simpleMessage("Lascia"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Abbandona l\'album"), - "leaveFamily": MessageLookupByLibrary.simpleMessage( - "Abbandona il piano famiglia", - ), - "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Abbandonare l\'album condiviso?", - ), - "left": MessageLookupByLibrary.simpleMessage("Sinistra"), - "legacy": MessageLookupByLibrary.simpleMessage("Legacy"), - "legacyAccounts": MessageLookupByLibrary.simpleMessage("Account Legacy"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "Legacy consente ai contatti fidati di accedere al tuo account in tua assenza.", - ), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "I contatti fidati possono avviare il recupero dell\'account e, se non sono bloccati entro 30 giorni, reimpostare la password e accedere al tuo account.", - ), - "light": MessageLookupByLibrary.simpleMessage("Chiaro"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Chiaro"), - "link": MessageLookupByLibrary.simpleMessage("Link"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Link copiato negli appunti", - ), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage( - "Limite dei dispositivi", - ), - "linkEmail": MessageLookupByLibrary.simpleMessage("Link Email"), - "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( - "per una condivisione più veloce", - ), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Attivato"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Scaduto"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Scadenza del link"), - "linkHasExpired": MessageLookupByLibrary.simpleMessage("Il link è scaduto"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Mai"), - "linkPerson": MessageLookupByLibrary.simpleMessage("Collega persona"), - "linkPersonCaption": MessageLookupByLibrary.simpleMessage( - "per una migliore esperienza di condivisione", - ), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("Live Photo"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "Puoi condividere il tuo abbonamento con la tua famiglia", - ), - "loadMessage2": MessageLookupByLibrary.simpleMessage( - "Finora abbiamo conservato oltre 200 milioni di ricordi", - ), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "Teniamo 3 copie dei tuoi dati, uno in un rifugio sotterraneo antiatomico", - ), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "Tutte le nostre app sono open source", - ), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Il nostro codice sorgente e la crittografia hanno ricevuto audit esterni", - ), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "Puoi condividere i link ai tuoi album con i tuoi cari", - ), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Le nostre app per smartphone vengono eseguite in background per crittografare e eseguire il backup di qualsiasi nuova foto o video", - ), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io ha un uploader intuitivo", - ), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Usiamo Xchacha20Poly1305 per crittografare in modo sicuro i tuoi dati", - ), - "loadingExifData": MessageLookupByLibrary.simpleMessage( - "Caricamento dati EXIF...", - ), - "loadingGallery": MessageLookupByLibrary.simpleMessage( - "Caricamento galleria...", - ), - "loadingMessage": MessageLookupByLibrary.simpleMessage( - "Caricando le tue foto...", - ), - "loadingModel": MessageLookupByLibrary.simpleMessage( - "Scaricamento modelli...", - ), - "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( - "Caricando le tue foto...", - ), - "localGallery": MessageLookupByLibrary.simpleMessage("Galleria locale"), - "localIndexing": MessageLookupByLibrary.simpleMessage( - "Indicizzazione locale", - ), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Sembra che qualcosa sia andato storto dal momento che la sincronizzazione delle foto locali richiede più tempo del previsto. Si prega di contattare il nostro team di supporto", - ), - "location": MessageLookupByLibrary.simpleMessage("Luogo"), - "locationName": MessageLookupByLibrary.simpleMessage("Nome della località"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Un tag di localizzazione raggruppa tutte le foto scattate entro il raggio di una foto", - ), - "locations": MessageLookupByLibrary.simpleMessage("Luoghi"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Blocca"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Schermata di blocco"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Accedi"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Disconnessione..."), - "loginSessionExpired": MessageLookupByLibrary.simpleMessage( - "Sessione scaduta", - ), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "La sessione è scaduta. Si prega di accedere nuovamente.", - ), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Cliccando sul pulsante Accedi, accetti i termini di servizio e la politica sulla privacy", - ), - "loginWithTOTP": MessageLookupByLibrary.simpleMessage("Login con TOTP"), - "logout": MessageLookupByLibrary.simpleMessage("Disconnetti"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Invia i log per aiutarci a risolvere il tuo problema. Si prega di notare che i nomi dei file saranno inclusi per aiutare a tenere traccia di problemi con file specifici.", - ), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Premi a lungo un\'email per verificare la crittografia end to end.", - ), - "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( - "Premi a lungo su un elemento per visualizzarlo a schermo intero", - ), - "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( - "Rivivi i tuoi ricordi 🌄", - ), - "loopVideoOff": MessageLookupByLibrary.simpleMessage( - "Loop video disattivo", - ), - "loopVideoOn": MessageLookupByLibrary.simpleMessage("Loop video attivo"), - "lostDevice": MessageLookupByLibrary.simpleMessage("Dispositivo perso?"), - "machineLearning": MessageLookupByLibrary.simpleMessage( - "Apprendimento automatico (ML)", - ), - "magicSearch": MessageLookupByLibrary.simpleMessage("Ricerca magica"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "La ricerca magica ti permette di cercare le foto in base al loro contenuto, ad esempio \'fiore\', \'auto rossa\', \'documenti d\'identità\'", - ), - "manage": MessageLookupByLibrary.simpleMessage("Gestisci"), - "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( - "Gestisci cache dispositivo", - ), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Verifica e svuota la memoria cache locale.", - ), - "manageFamily": MessageLookupByLibrary.simpleMessage( - "Gestisci Piano famiglia", - ), - "manageLink": MessageLookupByLibrary.simpleMessage("Gestisci link"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Gestisci"), - "manageSubscription": MessageLookupByLibrary.simpleMessage( - "Gestisci abbonamento", - ), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "L\'associazione con PIN funziona con qualsiasi schermo dove desideri visualizzare il tuo album.", - ), - "map": MessageLookupByLibrary.simpleMessage("Mappa"), - "maps": MessageLookupByLibrary.simpleMessage("Mappe"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("Io"), - "memories": MessageLookupByLibrary.simpleMessage("Ricordi"), - "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Seleziona il tipo di ricordi che desideri vedere nella schermata principale.", - ), - "memoryCount": m50, - "merchandise": MessageLookupByLibrary.simpleMessage("Merchandise"), - "mergeWithExisting": MessageLookupByLibrary.simpleMessage( - "Unisci con esistente", - ), - "mergedPhotos": MessageLookupByLibrary.simpleMessage("Fotografie unite"), - "mlConsent": MessageLookupByLibrary.simpleMessage( - "Abilita l\'apprendimento automatico", - ), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Comprendo e desidero abilitare l\'apprendimento automatico", - ), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Se abiliti il Machine Learning, Ente estrarrà informazioni come la geometria del volto dai file, inclusi quelli condivisi con te.\n\nQuesto accadrà sul tuo dispositivo, e qualsiasi informazione biometrica generata sarà crittografata end-to-end.", - ), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Clicca qui per maggiori dettagli su questa funzione nella nostra informativa sulla privacy", - ), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "Abilita l\'apprendimento automatico?", - ), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Si prega di notare che l\'attivazione dell\'apprendimento automatico si tradurrà in un maggior utilizzo della connessione e della batteria fino a quando tutti gli elementi non saranno indicizzati. Valuta di utilizzare l\'applicazione desktop per un\'indicizzazione più veloce, tutti i risultati verranno sincronizzati automaticamente.", - ), - "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( - "Mobile, Web, Desktop", - ), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Mediocre"), - "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( - "Modifica la tua ricerca o prova con", - ), - "moments": MessageLookupByLibrary.simpleMessage("Momenti"), - "month": MessageLookupByLibrary.simpleMessage("mese"), - "monthly": MessageLookupByLibrary.simpleMessage("Mensile"), - "moon": MessageLookupByLibrary.simpleMessage("Al chiaro di luna"), - "moreDetails": MessageLookupByLibrary.simpleMessage("Più dettagli"), - "mostRecent": MessageLookupByLibrary.simpleMessage("Più recenti"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("Più rilevanti"), - "mountains": MessageLookupByLibrary.simpleMessage("Oltre le colline"), - "moveItem": m51, - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "Sposta foto selezionate in una data specifica", - ), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("Sposta nell\'album"), - "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Sposta in album nascosto", - ), - "movedSuccessfullyTo": m52, - "movedToTrash": MessageLookupByLibrary.simpleMessage( - "Spostato nel cestino", - ), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Spostamento dei file nell\'album...", - ), - "name": MessageLookupByLibrary.simpleMessage("Nome"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage( - "Dai un nome all\'album", - ), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Impossibile connettersi a Ente, riprova tra un po\' di tempo. Se l\'errore persiste, contatta l\'assistenza.", - ), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Impossibile connettersi a Ente, controlla le impostazioni di rete e contatta l\'assistenza se l\'errore persiste.", - ), - "never": MessageLookupByLibrary.simpleMessage("Mai"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Nuovo album"), - "newLocation": MessageLookupByLibrary.simpleMessage("Nuova posizione"), - "newPerson": MessageLookupByLibrary.simpleMessage("Nuova persona"), - "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" nuova 📸"), - "newRange": MessageLookupByLibrary.simpleMessage("Nuovo intervallo"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Prima volta con Ente"), - "newest": MessageLookupByLibrary.simpleMessage("Più recenti"), - "next": MessageLookupByLibrary.simpleMessage("Successivo"), - "no": MessageLookupByLibrary.simpleMessage("No"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Ancora nessun album condiviso da te", - ), - "noDeviceFound": MessageLookupByLibrary.simpleMessage( - "Nessun dispositivo trovato", - ), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Nessuno"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "Non hai file su questo dispositivo che possono essere eliminati", - ), - "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Nessun doppione"), - "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( - "Nessun account Ente!", - ), - "noExifData": MessageLookupByLibrary.simpleMessage("Nessun dato EXIF"), - "noFacesFound": MessageLookupByLibrary.simpleMessage( - "Nessun volto trovato", - ), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "Nessuna foto o video nascosti", - ), - "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( - "Nessuna immagine con posizione", - ), - "noInternetConnection": MessageLookupByLibrary.simpleMessage( - "Nessuna connessione internet", - ), - "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( - "Il backup delle foto attualmente non viene eseguito", - ), - "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( - "Nessuna foto trovata", - ), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( - "Nessun link rapido selezionato", - ), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Nessuna chiave di recupero?", - ), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "A causa della natura del nostro protocollo di crittografia end-to-end, i tuoi dati non possono essere decifrati senza password o chiave di ripristino", - ), - "noResults": MessageLookupByLibrary.simpleMessage("Nessun risultato"), - "noResultsFound": MessageLookupByLibrary.simpleMessage( - "Nessun risultato trovato", - ), - "noSuggestionsForPerson": m53, - "noSystemLockFound": MessageLookupByLibrary.simpleMessage( - "Nessun blocco di sistema trovato", - ), - "notPersonLabel": m54, - "notThisPerson": MessageLookupByLibrary.simpleMessage( - "Non è questa persona?", - ), - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "Ancora nulla di condiviso con te", - ), - "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( - "Nulla da vedere qui! 👀", - ), - "notifications": MessageLookupByLibrary.simpleMessage("Notifiche"), - "ok": MessageLookupByLibrary.simpleMessage("Ok"), - "onDevice": MessageLookupByLibrary.simpleMessage("Sul dispositivo"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "Su ente", - ), - "onTheRoad": MessageLookupByLibrary.simpleMessage( - "Un altro viaggio su strada", - ), - "onThisDay": MessageLookupByLibrary.simpleMessage("In questo giorno"), - "onThisDayMemories": MessageLookupByLibrary.simpleMessage( - "Ricordi di questo giorno", - ), - "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( - "Ricevi promemoria sui ricordi da questo giorno negli anni precedenti.", - ), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Solo loro"), - "oops": MessageLookupByLibrary.simpleMessage("Oops"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Ops, impossibile salvare le modifiche", - ), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Oops! Qualcosa è andato storto", - ), - "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( - "Apri album nel browser", - ), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Utilizza l\'app web per aggiungere foto a questo album", - ), - "openFile": MessageLookupByLibrary.simpleMessage("Apri file"), - "openSettings": MessageLookupByLibrary.simpleMessage("Apri Impostazioni"), - "openTheItem": MessageLookupByLibrary.simpleMessage( - "• Apri la foto o il video", - ), - "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( - "Collaboratori di OpenStreetMap", - ), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Facoltativo, breve quanto vuoi...", - ), - "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( - "O unisci con esistente", - ), - "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( - "Oppure scegline una esistente", - ), - "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( - "o scegli tra i tuoi contatti", - ), - "pair": MessageLookupByLibrary.simpleMessage("Abbina"), - "pairWithPin": MessageLookupByLibrary.simpleMessage("Associa con PIN"), - "pairingComplete": MessageLookupByLibrary.simpleMessage( - "Associazione completata", - ), - "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), - "partyWithThem": m56, - "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( - "La verifica è ancora in corso", - ), - "passkey": MessageLookupByLibrary.simpleMessage("Passkey"), - "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( - "Verifica della passkey", - ), - "password": MessageLookupByLibrary.simpleMessage("Password"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Password modificata con successo", - ), - "passwordLock": MessageLookupByLibrary.simpleMessage("Blocco con password"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "La sicurezza della password viene calcolata considerando la lunghezza della password, i caratteri usati e se la password appare o meno nelle prime 10.000 password più usate", - ), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Noi non memorizziamo la tua password, quindi se te la dimentichi, non possiamo decriptare i tuoi dati", - ), - "pastYearsMemories": MessageLookupByLibrary.simpleMessage( - "Ricordi degli ultimi anni", - ), - "paymentDetails": MessageLookupByLibrary.simpleMessage( - "Dettagli di Pagamento", - ), - "paymentFailed": MessageLookupByLibrary.simpleMessage( - "Pagamento non riuscito", - ), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "Purtroppo il tuo pagamento non è riuscito. Contatta l\'assistenza e ti aiuteremo!", - ), - "paymentFailedTalkToProvider": m58, - "pendingItems": MessageLookupByLibrary.simpleMessage("Elementi in sospeso"), - "pendingSync": MessageLookupByLibrary.simpleMessage( - "Sincronizzazione in sospeso", - ), - "people": MessageLookupByLibrary.simpleMessage("Persone"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Persone che hanno usato il tuo codice", - ), - "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Seleziona le persone che desideri vedere nella schermata principale.", - ), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Tutti gli elementi nel cestino verranno eliminati definitivamente\n\nQuesta azione non può essere annullata", - ), - "permanentlyDelete": MessageLookupByLibrary.simpleMessage( - "Elimina definitivamente", - ), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Eliminare definitivamente dal dispositivo?", - ), - "personIsAge": m59, - "personName": MessageLookupByLibrary.simpleMessage("Nome della persona"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("Compagni pelosetti"), - "photoDescriptions": MessageLookupByLibrary.simpleMessage( - "Descrizioni delle foto", - ), - "photoGridSize": MessageLookupByLibrary.simpleMessage( - "Dimensione griglia foto", - ), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("Foto"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "Le foto aggiunte da te verranno rimosse dall\'album", - ), - "photosCount": m62, - "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( - "Le foto mantengono una differenza di tempo relativa", - ), - "pickCenterPoint": MessageLookupByLibrary.simpleMessage( - "Selezionare il punto centrale", - ), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Fissa l\'album"), - "pinLock": MessageLookupByLibrary.simpleMessage("Blocco con PIN"), - "playOnTv": MessageLookupByLibrary.simpleMessage( - "Riproduci album sulla TV", - ), - "playOriginal": MessageLookupByLibrary.simpleMessage("Riproduci originale"), - "playStoreFreeTrialValidTill": m63, - "playStream": MessageLookupByLibrary.simpleMessage( - "Riproduci lo streaming", - ), - "playstoreSubscription": MessageLookupByLibrary.simpleMessage( - "Abbonamento su PlayStore", - ), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Si prega di verificare la propria connessione Internet e riprovare.", - ), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Contatta support@ente.io e saremo felici di aiutarti!", - ), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Riprova. Se il problema persiste, ti invitiamo a contattare l\'assistenza", - ), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( - "Concedi i permessi", - ), - "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( - "Effettua nuovamente l\'accesso", - ), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Si prega di selezionare i link rapidi da rimuovere", - ), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("Riprova"), - "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( - "Verifica il codice che hai inserito", - ), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Attendere..."), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Attendere, sto eliminando l\'album", - ), - "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( - "Riprova tra qualche minuto", - ), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "Attendere, potrebbe volerci un po\' di tempo.", - ), - "posingWithThem": m66, - "preparingLogs": MessageLookupByLibrary.simpleMessage( - "Preparando i log...", - ), - "preserveMore": MessageLookupByLibrary.simpleMessage("Salva più foto"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Tieni premuto per riprodurre il video", - ), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Tieni premuto sull\'immagine per riprodurre il video", - ), - "previous": MessageLookupByLibrary.simpleMessage("Precedente"), - "privacy": MessageLookupByLibrary.simpleMessage("Privacy"), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( - "Privacy Policy", - ), - "privateBackups": MessageLookupByLibrary.simpleMessage("Backup privato"), - "privateSharing": MessageLookupByLibrary.simpleMessage( - "Condivisioni private", - ), - "proceed": MessageLookupByLibrary.simpleMessage("Prosegui"), - "processed": MessageLookupByLibrary.simpleMessage("Processato"), - "processing": MessageLookupByLibrary.simpleMessage("In elaborazione"), - "processingImport": m67, - "processingVideos": MessageLookupByLibrary.simpleMessage( - "Elaborando video", - ), - "publicLinkCreated": MessageLookupByLibrary.simpleMessage( - "Link pubblico creato", - ), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( - "Link pubblico abilitato", - ), - "queued": MessageLookupByLibrary.simpleMessage("In coda"), - "quickLinks": MessageLookupByLibrary.simpleMessage("Collegamenti rapidi"), - "radius": MessageLookupByLibrary.simpleMessage("Raggio"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Invia ticket"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("Valuta l\'app"), - "rateUs": MessageLookupByLibrary.simpleMessage("Lascia una recensione"), - "rateUsOnStore": m68, - "reassignMe": MessageLookupByLibrary.simpleMessage("Riassegna \"Io\""), - "reassignedToName": m69, - "reassigningLoading": MessageLookupByLibrary.simpleMessage( - "Riassegnando...", - ), - "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( - "Ricevi promemoria quando è il compleanno di qualcuno. Toccare la notifica ti porterà alle foto della persona che compie gli anni.", - ), - "recover": MessageLookupByLibrary.simpleMessage("Recupera"), - "recoverAccount": MessageLookupByLibrary.simpleMessage("Recupera account"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Recupera"), - "recoveryAccount": MessageLookupByLibrary.simpleMessage( - "Recupera l\'account", - ), - "recoveryInitiated": MessageLookupByLibrary.simpleMessage( - "Recupero avviato", - ), - "recoveryInitiatedDesc": m70, - "recoveryKey": MessageLookupByLibrary.simpleMessage("Chiave di recupero"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Chiave di recupero copiata negli appunti", - ), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Se dimentichi la password, questa chiave è l\'unico modo per recuperare i tuoi dati.", - ), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Noi non memorizziamo questa chiave, per favore salva queste 24 parole in un posto sicuro.", - ), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Ottimo! La tua chiave di recupero è valida. Grazie per averla verificata.\n\nRicordati di salvare la tua chiave di recupero in un posto sicuro.", - ), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Chiave di recupero verificata", - ), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Se hai dimenticato la password, la tua chiave di ripristino è l\'unico modo per recuperare le tue foto. La puoi trovare in Impostazioni > Account.\n\nInserisci la tua chiave di recupero per verificare di averla salvata correttamente.", - ), - "recoveryReady": m71, - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "Recupero riuscito!", - ), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "Un contatto fidato sta tentando di accedere al tuo account", - ), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "Il dispositivo attuale non è abbastanza potente per verificare la tua password, ma la possiamo rigenerare in un modo che funzioni su tutti i dispositivi.\n\nEffettua il login utilizzando la tua chiave di recupero e rigenera la tua password (puoi utilizzare nuovamente la stessa se vuoi).", - ), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Reimposta password", - ), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": MessageLookupByLibrary.simpleMessage( - "Reinserisci la password", - ), - "reenterPin": MessageLookupByLibrary.simpleMessage("Reinserisci il PIN"), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Invita un amico e raddoppia il tuo spazio", - ), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Condividi questo codice con i tuoi amici", - ), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Si iscrivono per un piano a pagamento", - ), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Invita un Amico"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "I referral code sono attualmente in pausa", - ), - "rejectRecovery": MessageLookupByLibrary.simpleMessage( - "Rifiuta il recupero", - ), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "Vuota anche \"Cancellati di recente\" da \"Impostazioni\" -> \"Storage\" per avere più spazio libero", - ), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Svuota anche il tuo \"Cestino\" per avere più spazio libero", - ), - "remoteImages": MessageLookupByLibrary.simpleMessage("Immagini remote"), - "remoteThumbnails": MessageLookupByLibrary.simpleMessage( - "Miniature remote", - ), - "remoteVideos": MessageLookupByLibrary.simpleMessage("Video remoti"), - "remove": MessageLookupByLibrary.simpleMessage("Rimuovi"), - "removeDuplicates": MessageLookupByLibrary.simpleMessage( - "Rimuovi i doppioni", - ), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Verifica e rimuovi i file che sono esattamente duplicati.", - ), - "removeFromAlbum": MessageLookupByLibrary.simpleMessage( - "Rimuovi dall\'album", - ), - "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( - "Rimuovi dall\'album?", - ), - "removeFromFavorite": MessageLookupByLibrary.simpleMessage( - "Rimuovi dai preferiti", - ), - "removeInvite": MessageLookupByLibrary.simpleMessage("Rimuovi invito"), - "removeLink": MessageLookupByLibrary.simpleMessage("Elimina link"), - "removeParticipant": MessageLookupByLibrary.simpleMessage( - "Rimuovi partecipante", - ), - "removeParticipantBody": m74, - "removePersonLabel": MessageLookupByLibrary.simpleMessage( - "Rimuovi etichetta persona", - ), - "removePublicLink": MessageLookupByLibrary.simpleMessage( - "Rimuovi link pubblico", - ), - "removePublicLinks": MessageLookupByLibrary.simpleMessage( - "Rimuovi i link pubblici", - ), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Alcuni degli elementi che stai rimuovendo sono stati aggiunti da altre persone e ne perderai l\'accesso", - ), - "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Rimuovi?"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Rimuovi te stesso come contatto fidato", - ), - "removingFromFavorites": MessageLookupByLibrary.simpleMessage( - "Rimosso dai preferiti...", - ), - "rename": MessageLookupByLibrary.simpleMessage("Rinomina"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("Rinomina album"), - "renameFile": MessageLookupByLibrary.simpleMessage("Rinomina file"), - "renewSubscription": MessageLookupByLibrary.simpleMessage( - "Rinnova abbonamento", - ), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Segnala un bug"), - "reportBug": MessageLookupByLibrary.simpleMessage("Segnala un bug"), - "resendEmail": MessageLookupByLibrary.simpleMessage("Rinvia email"), - "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( - "Ripristina i file ignorati", - ), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Reimposta password", - ), - "resetPerson": MessageLookupByLibrary.simpleMessage("Rimuovi"), - "resetToDefault": MessageLookupByLibrary.simpleMessage( - "Ripristina predefinita", - ), - "restore": MessageLookupByLibrary.simpleMessage("Ripristina"), - "restoreToAlbum": MessageLookupByLibrary.simpleMessage( - "Ripristina l\'album", - ), - "restoringFiles": MessageLookupByLibrary.simpleMessage( - "Ripristinando file...", - ), - "resumableUploads": MessageLookupByLibrary.simpleMessage( - "Caricamenti riattivabili", - ), - "retry": MessageLookupByLibrary.simpleMessage("Riprova"), - "review": MessageLookupByLibrary.simpleMessage("Revisiona"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Controlla ed elimina gli elementi che credi siano dei doppioni.", - ), - "reviewSuggestions": MessageLookupByLibrary.simpleMessage( - "Esamina i suggerimenti", - ), - "right": MessageLookupByLibrary.simpleMessage("Destra"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("Ruota"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Ruota a sinistra"), - "rotateRight": MessageLookupByLibrary.simpleMessage("Ruota a destra"), - "safelyStored": MessageLookupByLibrary.simpleMessage( - "Salvati in sicurezza", - ), - "save": MessageLookupByLibrary.simpleMessage("Salva"), - "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( - "Salvare le modifiche prima di uscire?", - ), - "saveCollage": MessageLookupByLibrary.simpleMessage("Salva il collage"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Salva una copia"), - "saveKey": MessageLookupByLibrary.simpleMessage("Salva chiave"), - "savePerson": MessageLookupByLibrary.simpleMessage("Salva persona"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Salva la tua chiave di recupero se non l\'hai ancora fatto", - ), - "saving": MessageLookupByLibrary.simpleMessage("Salvataggio..."), - "savingEdits": MessageLookupByLibrary.simpleMessage( - "Salvataggio modifiche...", - ), - "scanCode": MessageLookupByLibrary.simpleMessage("Scansiona codice"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Scansione questo codice QR\ncon la tua app di autenticazione", - ), - "search": MessageLookupByLibrary.simpleMessage("Cerca"), - "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Album"), - "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage("Nome album"), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Nomi degli album (es. \"Camera\")\n• Tipi di file (es. \"Video\", \".gif\")\n• Anni e mesi (e.. \"2022\", \"gennaio\")\n• Vacanze (ad es. \"Natale\")\n• Descrizioni delle foto (ad es. “#mare”)", - ), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Aggiungi descrizioni come \"#viaggio\" nelle informazioni delle foto per trovarle rapidamente qui", - ), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Ricerca per data, mese o anno", - ), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "Le immagini saranno mostrate qui una volta che l\'elaborazione e la sincronizzazione saranno completate", - ), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "Le persone saranno mostrate qui una volta completata l\'indicizzazione", - ), - "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( - "Tipi e nomi di file", - ), - "searchHint1": MessageLookupByLibrary.simpleMessage( - "Ricerca rapida sul dispositivo", - ), - "searchHint2": MessageLookupByLibrary.simpleMessage( - "Date delle foto, descrizioni", - ), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "Album, nomi di file e tipi", - ), - "searchHint4": MessageLookupByLibrary.simpleMessage("Luogo"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "In arrivo: Facce & ricerca magica ✨", - ), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Raggruppa foto scattate entro un certo raggio da una foto", - ), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "Invita persone e vedrai qui tutte le foto condivise da loro", - ), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "Le persone saranno mostrate qui una volta che l\'elaborazione e la sincronizzazione saranno completate", - ), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Sicurezza"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "Vedi link album pubblici nell\'app", - ), - "selectALocation": MessageLookupByLibrary.simpleMessage( - "Seleziona un luogo", - ), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage( - "Scegli prima una posizione", - ), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Seleziona album"), - "selectAll": MessageLookupByLibrary.simpleMessage("Seleziona tutto"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("Tutte"), - "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( - "Seleziona foto di copertina", - ), - "selectDate": MessageLookupByLibrary.simpleMessage("Imposta data"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Seleziona cartelle per il backup", - ), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "Seleziona gli elementi da aggiungere", - ), - "selectLanguage": MessageLookupByLibrary.simpleMessage( - "Seleziona una lingua", - ), - "selectMailApp": MessageLookupByLibrary.simpleMessage( - "Seleziona app email", - ), - "selectMorePhotos": MessageLookupByLibrary.simpleMessage( - "Seleziona più foto", - ), - "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( - "Seleziona data e orario", - ), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "Seleziona una data e un\'ora per tutti", - ), - "selectPersonToLink": MessageLookupByLibrary.simpleMessage( - "Seleziona persona da collegare", - ), - "selectReason": MessageLookupByLibrary.simpleMessage("Seleziona un motivo"), - "selectStartOfRange": MessageLookupByLibrary.simpleMessage( - "Seleziona inizio dell\'intervallo", - ), - "selectTime": MessageLookupByLibrary.simpleMessage("Imposta ora"), - "selectYourFace": MessageLookupByLibrary.simpleMessage( - "Seleziona il tuo volto", - ), - "selectYourPlan": MessageLookupByLibrary.simpleMessage( - "Seleziona un piano", - ), - "selectedAlbums": m79, - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "I file selezionati non sono su Ente", - ), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Le cartelle selezionate verranno crittografate e salvate su ente", - ), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Gli elementi selezionati verranno eliminati da tutti gli album e spostati nel cestino.", - ), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "Gli elementi selezionati verranno rimossi da questa persona, ma non eliminati dalla tua libreria.", - ), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("Invia"), - "sendEmail": MessageLookupByLibrary.simpleMessage("Invia email"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Invita"), - "sendLink": MessageLookupByLibrary.simpleMessage("Invia link"), - "serverEndpoint": MessageLookupByLibrary.simpleMessage( - "Endpoint del server", - ), - "sessionExpired": MessageLookupByLibrary.simpleMessage("Sessione scaduta"), - "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( - "ID sessione non corrispondente", - ), - "setAPassword": MessageLookupByLibrary.simpleMessage( - "Imposta una password", - ), - "setAs": MessageLookupByLibrary.simpleMessage("Imposta come"), - "setCover": MessageLookupByLibrary.simpleMessage("Imposta copertina"), - "setLabel": MessageLookupByLibrary.simpleMessage("Imposta"), - "setNewPassword": MessageLookupByLibrary.simpleMessage( - "Imposta una nuova password", - ), - "setNewPin": MessageLookupByLibrary.simpleMessage("Imposta un nuovo PIN"), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Imposta password", - ), - "setRadius": MessageLookupByLibrary.simpleMessage("Imposta raggio"), - "setupComplete": MessageLookupByLibrary.simpleMessage( - "Configurazione completata", - ), - "share": MessageLookupByLibrary.simpleMessage("Condividi"), - "shareALink": MessageLookupByLibrary.simpleMessage("Condividi un link"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Apri un album e tocca il pulsante di condivisione in alto a destra per condividerlo.", - ), - "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( - "Condividi un album", - ), - "shareLink": MessageLookupByLibrary.simpleMessage("Condividi link"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Condividi solo con le persone che vuoi", - ), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Scarica Ente in modo da poter facilmente condividere foto e video in qualità originale\n\nhttps://ente.io", - ), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Condividi con utenti che non hanno un account Ente", - ), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( - "Condividi il tuo primo album", - ), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Crea album condivisi e collaborativi con altri utenti di Ente, inclusi gli utenti con piani gratuiti.", - ), - "sharedByMe": MessageLookupByLibrary.simpleMessage("Condiviso da me"), - "sharedByYou": MessageLookupByLibrary.simpleMessage("Condivise da te"), - "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( - "Nuove foto condivise", - ), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Ricevi notifiche quando qualcuno aggiunge una foto a un album condiviso, di cui fai parte", - ), - "sharedWith": m87, - "sharedWithMe": MessageLookupByLibrary.simpleMessage("Condivisi con me"), - "sharedWithYou": MessageLookupByLibrary.simpleMessage("Condivise con te"), - "sharing": MessageLookupByLibrary.simpleMessage("Condivisione in corso..."), - "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( - "Sposta date e orari", - ), - "showMemories": MessageLookupByLibrary.simpleMessage("Mostra ricordi"), - "showPerson": MessageLookupByLibrary.simpleMessage("Mostra persona"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "Esci dagli altri dispositivi", - ), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Se pensi che qualcuno possa conoscere la tua password, puoi forzare tutti gli altri dispositivi che usano il tuo account ad uscire.", - ), - "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( - "Esci dagli altri dispositivi", - ), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Accetto i termini di servizio e la politica sulla privacy", - ), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Verrà eliminato da tutti gli album.", - ), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Salta"), - "smartMemories": MessageLookupByLibrary.simpleMessage( - "Ricordi intelligenti", - ), - "social": MessageLookupByLibrary.simpleMessage("Social"), - "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( - "Alcuni elementi sono sia su Ente che sul tuo dispositivo.", - ), - "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( - "Alcuni dei file che si sta tentando di eliminare sono disponibili solo sul dispositivo e non possono essere recuperati se cancellati", - ), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Chi condivide gli album con te deve vedere lo stesso ID sul proprio dispositivo.", - ), - "somethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Qualcosa è andato storto", - ), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Qualcosa è andato storto, per favore riprova", - ), - "sorry": MessageLookupByLibrary.simpleMessage("Siamo spiacenti"), - "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( - "Purtroppo non è stato possibile eseguire il backup del file in questo momento, riproveremo più tardi.", - ), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Spiacenti, non è stato possibile aggiungere ai preferiti!", - ), - "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( - "Siamo spiacenti, non è stato possibile rimuovere dai preferiti!", - ), - "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "Il codice immesso non è corretto", - ), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Siamo spiacenti, non possiamo generare le chiavi sicure su questo dispositivo.\n\nPer favore, accedi da un altro dispositivo.", - ), - "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( - "Spiacenti, abbiamo dovuto mettere in pausa i backup", - ), - "sort": MessageLookupByLibrary.simpleMessage("Ordina"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Ordina per"), - "sortNewestFirst": MessageLookupByLibrary.simpleMessage( - "Prima le più nuove", - ), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage( - "Prima le più vecchie", - ), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage( - "✨ Operazione riuscita", - ), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": MessageLookupByLibrary.simpleMessage( - "Tu in primo piano", - ), - "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( - "Avvia il recupero", - ), - "startBackup": MessageLookupByLibrary.simpleMessage("Avvia backup"), - "status": MessageLookupByLibrary.simpleMessage("Stato"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "Vuoi interrompere la trasmissione?", - ), - "stopCastingTitle": MessageLookupByLibrary.simpleMessage( - "Interrompi la trasmissione", - ), - "storage": MessageLookupByLibrary.simpleMessage("Spazio di archiviazione"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Famiglia"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Tu"), - "storageInGB": m93, - "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( - "Limite d\'archiviazione superato", - ), - "storageUsageInfo": m94, - "streamDetails": MessageLookupByLibrary.simpleMessage( - "Dettagli dello streaming", - ), - "strongStrength": MessageLookupByLibrary.simpleMessage("Forte"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Iscriviti"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "È necessario un abbonamento a pagamento attivo per abilitare la condivisione.", - ), - "subscription": MessageLookupByLibrary.simpleMessage("Abbonamento"), - "success": MessageLookupByLibrary.simpleMessage("Operazione riuscita"), - "successfullyArchived": MessageLookupByLibrary.simpleMessage( - "Archiviato correttamente", - ), - "successfullyHid": MessageLookupByLibrary.simpleMessage( - "Nascosta con successo", - ), - "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( - "Rimosso dall\'archivio correttamente", - ), - "successfullyUnhid": MessageLookupByLibrary.simpleMessage( - "Rimossa dal nascondiglio con successo", - ), - "suggestFeatures": MessageLookupByLibrary.simpleMessage( - "Suggerisci una funzionalità", - ), - "sunrise": MessageLookupByLibrary.simpleMessage("All\'orizzonte"), - "support": MessageLookupByLibrary.simpleMessage("Assistenza"), - "syncProgress": m97, - "syncStopped": MessageLookupByLibrary.simpleMessage( - "Sincronizzazione interrotta", - ), - "syncing": MessageLookupByLibrary.simpleMessage( - "Sincronizzazione in corso...", - ), - "systemTheme": MessageLookupByLibrary.simpleMessage("Sistema"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("tocca per copiare"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage( - "Tocca per inserire il codice", - ), - "tapToUnlock": MessageLookupByLibrary.simpleMessage("Tocca per sbloccare"), - "tapToUpload": MessageLookupByLibrary.simpleMessage("Premi per caricare"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Sembra che qualcosa sia andato storto. Riprova tra un po\'. Se l\'errore persiste, contatta il nostro team di supporto.", - ), - "terminate": MessageLookupByLibrary.simpleMessage("Terminata"), - "terminateSession": MessageLookupByLibrary.simpleMessage( - "Termina sessione?", - ), - "terms": MessageLookupByLibrary.simpleMessage("Termini d\'uso"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage( - "Termini d\'uso", - ), - "thankYou": MessageLookupByLibrary.simpleMessage("Grazie"), - "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( - "Grazie per esserti iscritto!", - ), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "Il download non può essere completato", - ), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "Il link a cui stai cercando di accedere è scaduto.", - ), - "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "La chiave di recupero inserita non è corretta", - ), - "theme": MessageLookupByLibrary.simpleMessage("Tema"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Questi file verranno eliminati dal tuo dispositivo.", - ), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "Verranno eliminati da tutti gli album.", - ), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Questa azione non può essere annullata", - ), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "Questo album ha già un link collaborativo", - ), - "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( - "Può essere utilizzata per recuperare il tuo account in caso tu non possa usare l\'autenticazione a due fattori", - ), - "thisDevice": MessageLookupByLibrary.simpleMessage("Questo dispositivo"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "Questo indirizzo email è già registrato", - ), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Questa immagine non ha dati EXIF", - ), - "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage( - "Questo sono io!", - ), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Questo è il tuo ID di verifica", - ), - "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( - "Questa settimana negli anni", - ), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Verrai disconnesso dai seguenti dispositivi:", - ), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Verrai disconnesso dal tuo dispositivo!", - ), - "thisWillMakeTheDateAndTimeOfAllSelected": MessageLookupByLibrary.simpleMessage( - "In questo modo la data e l\'ora di tutte le foto selezionate saranno uguali.", - ), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "Questo rimuoverà i link pubblici di tutti i link rapidi selezionati.", - ), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "Per abilitare il blocco dell\'app, configura il codice di accesso del dispositivo o il blocco schermo nelle impostazioni di sistema.", - ), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( - "Per nascondere una foto o un video", - ), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Per reimpostare la tua password, verifica prima la tua email.", - ), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Log di oggi"), - "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( - "Troppi tentativi errati", - ), - "total": MessageLookupByLibrary.simpleMessage("totale"), - "totalSize": MessageLookupByLibrary.simpleMessage("Dimensioni totali"), - "trash": MessageLookupByLibrary.simpleMessage("Cestino"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Taglia"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": MessageLookupByLibrary.simpleMessage("Contatti fidati"), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Riprova"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Attiva il backup per caricare automaticamente i file aggiunti a questa cartella del dispositivo su Ente.", - ), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "2 mesi gratis sui piani annuali", - ), - "twofactor": MessageLookupByLibrary.simpleMessage("Due fattori"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "L\'autenticazione a due fattori è stata disabilitata", - ), - "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( - "Autenticazione a due fattori", - ), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "Autenticazione a due fattori resettata con successo", - ), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Configura autenticazione a due fattori", - ), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("Rimuovi dall\'archivio"), - "unarchiveAlbum": MessageLookupByLibrary.simpleMessage( - "Rimuovi album dall\'archivio", - ), - "unarchiving": MessageLookupByLibrary.simpleMessage( - "Togliendo dall\'archivio...", - ), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Siamo spiacenti, questo codice non è disponibile.", - ), - "uncategorized": MessageLookupByLibrary.simpleMessage("Senza categoria"), - "unhide": MessageLookupByLibrary.simpleMessage("Mostra"), - "unhideToAlbum": MessageLookupByLibrary.simpleMessage( - "Non nascondere l\'album", - ), - "unhiding": MessageLookupByLibrary.simpleMessage("Rivelando..."), - "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Mostra i file nell\'album", - ), - "unlock": MessageLookupByLibrary.simpleMessage("Sblocca"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("Non fissare album"), - "unselectAll": MessageLookupByLibrary.simpleMessage("Deseleziona tutto"), - "update": MessageLookupByLibrary.simpleMessage("Aggiorna"), - "updateAvailable": MessageLookupByLibrary.simpleMessage( - "Aggiornamento disponibile", - ), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Aggiornamento della selezione delle cartelle...", - ), - "upgrade": MessageLookupByLibrary.simpleMessage("Acquista altro spazio"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Caricamento dei file nell\'album...", - ), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( - "Conservando 1 ricordo...", - ), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "Sconto del 50%, fino al 4 dicembre.", - ), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "Lo spazio disponibile è limitato dal tuo piano corrente. L\'archiviazione in eccesso diventerà automaticamente utilizzabile quando aggiornerai il tuo piano.", - ), - "useAsCover": MessageLookupByLibrary.simpleMessage("Usa come copertina"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "Hai problemi a riprodurre questo video? Premi a lungo qui per provare un altro lettore.", - ), - "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Usa link pubblici per persone non registrate su Ente", - ), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Utilizza un codice di recupero", - ), - "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( - "Usa la foto selezionata", - ), - "usedSpace": MessageLookupByLibrary.simpleMessage("Spazio utilizzato"), - "validTill": m110, - "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Verifica fallita, per favore prova di nuovo", - ), - "verificationId": MessageLookupByLibrary.simpleMessage("ID di verifica"), - "verify": MessageLookupByLibrary.simpleMessage("Verifica"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("Verifica email"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Verifica"), - "verifyPasskey": MessageLookupByLibrary.simpleMessage("Verifica passkey"), - "verifyPassword": MessageLookupByLibrary.simpleMessage("Verifica password"), - "verifying": MessageLookupByLibrary.simpleMessage("Verifica in corso..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Verifica della chiave di recupero...", - ), - "videoInfo": MessageLookupByLibrary.simpleMessage("Informazioni video"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), - "videoStreaming": MessageLookupByLibrary.simpleMessage( - "Video in streaming", - ), - "videos": MessageLookupByLibrary.simpleMessage("Video"), - "viewActiveSessions": MessageLookupByLibrary.simpleMessage( - "Visualizza sessioni attive", - ), - "viewAddOnButton": MessageLookupByLibrary.simpleMessage( - "Visualizza componenti aggiuntivi", - ), - "viewAll": MessageLookupByLibrary.simpleMessage("Visualizza tutte"), - "viewAllExifData": MessageLookupByLibrary.simpleMessage( - "Mostra tutti i dati EXIF", - ), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage( - "File di grandi dimensioni", - ), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Visualizza i file che stanno occupando la maggior parte dello spazio di archiviazione.", - ), - "viewLogs": MessageLookupByLibrary.simpleMessage("Visualizza i log"), - "viewPersonToUnlink": m112, - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Visualizza chiave di recupero", - ), - "viewer": MessageLookupByLibrary.simpleMessage("Sola lettura"), - "viewersSuccessfullyAdded": m113, - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Visita web.ente.io per gestire il tuo abbonamento", - ), - "waitingForVerification": MessageLookupByLibrary.simpleMessage( - "In attesa di verifica...", - ), - "waitingForWifi": MessageLookupByLibrary.simpleMessage( - "In attesa del WiFi...", - ), - "warning": MessageLookupByLibrary.simpleMessage("Attenzione"), - "weAreOpenSource": MessageLookupByLibrary.simpleMessage( - "Siamo open source!", - ), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "Non puoi modificare foto e album che non possiedi", - ), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Debole"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("Bentornato/a!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("Novità"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "Un contatto fidato può aiutare a recuperare i tuoi dati.", - ), - "widgets": MessageLookupByLibrary.simpleMessage("Widget"), - "yearShort": MessageLookupByLibrary.simpleMessage("anno"), - "yearly": MessageLookupByLibrary.simpleMessage("Annuale"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Si"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Sì, cancella"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "Sì, converti in sola lettura", - ), - "yesDelete": MessageLookupByLibrary.simpleMessage("Sì, elimina"), - "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( - "Sì, ignora le mie modifiche", - ), - "yesLogout": MessageLookupByLibrary.simpleMessage("Sì, disconnetti"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Sì, rimuovi"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Sì, Rinnova"), - "yesResetPerson": MessageLookupByLibrary.simpleMessage( - "Sì, resetta persona", - ), - "you": MessageLookupByLibrary.simpleMessage("Tu"), - "youAndThem": m117, - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( - "Sei un utente con piano famiglia!", - ), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Stai utilizzando l\'ultima versione", - ), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Puoi al massimo raddoppiare il tuo spazio", - ), - "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( - "Puoi gestire i tuoi link nella scheda condivisione.", - ), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "Prova con una ricerca differente.", - ), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "Non puoi effettuare il downgrade su questo piano", - ), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Non puoi condividere con te stesso", - ), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "Non hai nulla di archiviato.", - ), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "Il tuo account è stato eliminato", - ), - "yourMap": MessageLookupByLibrary.simpleMessage("La tua mappa"), - "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( - "Il tuo piano è stato aggiornato con successo", - ), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "Il tuo piano è stato aggiornato con successo", - ), - "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( - "Acquisto andato a buon fine", - ), - "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( - "Impossibile recuperare i dettagli di archiviazione", - ), - "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( - "Il tuo abbonamento è scaduto", - ), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "Il tuo abbonamento è stato modificato correttamente", - ), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "Il tuo codice di verifica è scaduto", - ), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage( - "Non ci sono file duplicati che possono essere eliminati", - ), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "Non hai file in questo album che possono essere eliminati", - ), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( - "Zoom indietro per visualizzare le foto", - ), - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Una nuova versione di Ente è disponibile."), + "about": MessageLookupByLibrary.simpleMessage("Info"), + "acceptTrustInvite": + MessageLookupByLibrary.simpleMessage("Accetta l\'invito"), + "account": MessageLookupByLibrary.simpleMessage("Account"), + "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( + "L\'account è già configurato."), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("Bentornato!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Comprendo che se perdo la password potrei perdere l\'accesso ai miei dati poiché sono criptati end-to-end."), + "actionNotSupportedOnFavouritesAlbum": + MessageLookupByLibrary.simpleMessage( + "Questa azione non è supportata nei Preferiti"), + "activeSessions": + MessageLookupByLibrary.simpleMessage("Sessioni attive"), + "add": MessageLookupByLibrary.simpleMessage("Aggiungi"), + "addAName": MessageLookupByLibrary.simpleMessage("Aggiungi un nome"), + "addANewEmail": + MessageLookupByLibrary.simpleMessage("Aggiungi una nuova email"), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Aggiungi un widget per gli album nella schermata iniziale e torna qui per personalizzarlo."), + "addCollaborator": + MessageLookupByLibrary.simpleMessage("Aggiungi collaboratore"), + "addCollaborators": m1, + "addFiles": MessageLookupByLibrary.simpleMessage("Aggiungi File"), + "addFromDevice": + MessageLookupByLibrary.simpleMessage("Aggiungi dal dispositivo"), + "addItem": m2, + "addLocation": MessageLookupByLibrary.simpleMessage("Aggiungi luogo"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Aggiungi"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Aggiungi un widget dei ricordi nella schermata iniziale e torna qui per personalizzarlo."), + "addMore": MessageLookupByLibrary.simpleMessage("Aggiungi altri"), + "addName": MessageLookupByLibrary.simpleMessage("Aggiungi nome"), + "addNameOrMerge": + MessageLookupByLibrary.simpleMessage("Aggiungi nome o unisci"), + "addNew": MessageLookupByLibrary.simpleMessage("Aggiungi nuovo"), + "addNewPerson": + MessageLookupByLibrary.simpleMessage("Aggiungi nuova persona"), + "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( + "Dettagli dei componenti aggiuntivi"), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("Componenti aggiuntivi"), + "addParticipants": + MessageLookupByLibrary.simpleMessage("Aggiungi Partecipanti"), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Aggiungi un widget delle persone nella schermata iniziale e torna qui per personalizzarlo."), + "addPhotos": MessageLookupByLibrary.simpleMessage("Aggiungi foto"), + "addSelected": + MessageLookupByLibrary.simpleMessage("Aggiungi selezionate"), + "addToAlbum": + MessageLookupByLibrary.simpleMessage("Aggiungi all\'album"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Aggiungi a Ente"), + "addToHiddenAlbum": + MessageLookupByLibrary.simpleMessage("Aggiungi ad album nascosto"), + "addTrustedContact": + MessageLookupByLibrary.simpleMessage("Aggiungi contatto fidato"), + "addViewer": + MessageLookupByLibrary.simpleMessage("Aggiungi in sola lettura"), + "addViewers": m4, + "addYourPhotosNow": + MessageLookupByLibrary.simpleMessage("Aggiungi le tue foto ora"), + "addedAs": MessageLookupByLibrary.simpleMessage("Aggiunto come"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": + MessageLookupByLibrary.simpleMessage("Aggiunto ai preferiti..."), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("Avanzate"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Avanzate"), + "after1Day": MessageLookupByLibrary.simpleMessage("Dopo un giorno"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Dopo un’ora "), + "after1Month": MessageLookupByLibrary.simpleMessage("Dopo un mese"), + "after1Week": + MessageLookupByLibrary.simpleMessage("Dopo una settimana"), + "after1Year": MessageLookupByLibrary.simpleMessage("Dopo un anno"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Proprietario"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Titolo album"), + "albumUpdated": + MessageLookupByLibrary.simpleMessage("Album aggiornato"), + "albums": MessageLookupByLibrary.simpleMessage("Album"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Seleziona gli album che desideri vedere nella schermata principale."), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Tutto pulito"), + "allMemoriesPreserved": + MessageLookupByLibrary.simpleMessage("Tutti i ricordi conservati"), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "Tutti i raggruppamenti per questa persona saranno resettati e perderai tutti i suggerimenti fatti per questa persona"), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "Questo è il primo nel gruppo. Altre foto selezionate si sposteranno automaticamente in base a questa nuova data"), + "allow": MessageLookupByLibrary.simpleMessage("Consenti"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Permetti anche alle persone con il link di aggiungere foto all\'album condiviso."), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( + "Consenti l\'aggiunta di foto"), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "Consenti all\'app di aprire link all\'album condiviso"), + "allowDownloads": + MessageLookupByLibrary.simpleMessage("Consenti download"), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Permetti alle persone di aggiungere foto"), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Permetti l\'accesso alle tue foto da Impostazioni in modo che Ente possa visualizzare e fare il backup della tua libreria."), + "allowPermTitle": MessageLookupByLibrary.simpleMessage( + "Consenti l\'accesso alle foto"), + "androidBiometricHint": + MessageLookupByLibrary.simpleMessage("Verifica l\'identità"), + "androidBiometricNotRecognized": + MessageLookupByLibrary.simpleMessage("Non riconosciuto. Riprova."), + "androidBiometricRequiredTitle": + MessageLookupByLibrary.simpleMessage("Autenticazione biometrica"), + "androidBiometricSuccess": + MessageLookupByLibrary.simpleMessage("Operazione riuscita"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Annulla"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage( + "Inserisci le credenziali del dispositivo"), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage( + "Inserisci le credenziali del dispositivo"), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "L\'autenticazione biometrica non è impostata sul tuo dispositivo. Vai a \'Impostazioni > Sicurezza\' per impostarla."), + "androidIosWebDesktop": + MessageLookupByLibrary.simpleMessage("Android, iOS, Web, Desktop"), + "androidSignInTitle": + MessageLookupByLibrary.simpleMessage("Autenticazione necessaria"), + "appIcon": MessageLookupByLibrary.simpleMessage("Icona dell\'app"), + "appLock": MessageLookupByLibrary.simpleMessage("Blocco app"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Scegli tra la schermata di blocco predefinita del dispositivo e una schermata di blocco personalizzata con PIN o password."), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), + "apply": MessageLookupByLibrary.simpleMessage("Applica"), + "applyCodeTitle": + MessageLookupByLibrary.simpleMessage("Applica codice"), + "appstoreSubscription": + MessageLookupByLibrary.simpleMessage("abbonamento AppStore"), + "archive": MessageLookupByLibrary.simpleMessage("Archivio"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("Archivia album"), + "archiving": MessageLookupByLibrary.simpleMessage("Archiviazione..."), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Sei sicuro di voler uscire dal piano famiglia?"), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "Sicuro di volerlo cancellare?"), + "areYouSureYouWantToChangeYourPlan": + MessageLookupByLibrary.simpleMessage( + "Sei sicuro di voler cambiare il piano?"), + "areYouSureYouWantToExit": + MessageLookupByLibrary.simpleMessage("Sei sicuro di voler uscire?"), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Sei sicuro di volerti disconnettere?"), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "Sei sicuro di volere rinnovare?"), + "areYouSureYouWantToResetThisPerson": + MessageLookupByLibrary.simpleMessage( + "Sei sicuro di voler resettare questa persona?"), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "Il tuo abbonamento è stato annullato. Vuoi condividere il motivo?"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Qual è il motivo principale per cui stai cancellando il tuo account?"), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Invita amici, amiche e parenti su ente"), + "atAFalloutShelter": + MessageLookupByLibrary.simpleMessage("in un rifugio antiatomico"), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Autenticati per modificare la verifica email"), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Autenticati per modificare le impostazioni della schermata di blocco"), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Autenticati per cambiare la tua email"), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Autenticati per cambiare la tua password"), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Autenticati per configurare l\'autenticazione a due fattori"), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Autenticati per avviare l\'eliminazione dell\'account"), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Autenticati per gestire i tuoi contatti fidati"), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Autenticati per visualizzare le tue passkey"), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Autenticati per visualizzare i file cancellati"), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Autenticati per visualizzare le sessioni attive"), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Autenticati per visualizzare i file nascosti"), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Autenticati per visualizzare le tue foto"), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Autenticati per visualizzare la tua chiave di recupero"), + "authenticating": + MessageLookupByLibrary.simpleMessage("Autenticazione..."), + "authenticationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Autenticazione non riuscita, prova di nuovo"), + "authenticationSuccessful": + MessageLookupByLibrary.simpleMessage("Autenticazione riuscita!"), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Qui vedrai i dispositivi disponibili per la trasmissione."), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Assicurarsi che le autorizzazioni della rete locale siano attivate per l\'app Ente Photos nelle Impostazioni."), + "autoLock": MessageLookupByLibrary.simpleMessage("Blocco automatico"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Tempo dopo il quale l\'applicazione si blocca dopo essere stata messa in background"), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "A causa di problemi tecnici, sei stato disconnesso. Ci scusiamo per l\'inconveniente."), + "autoPair": + MessageLookupByLibrary.simpleMessage("Associazione automatica"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "L\'associazione automatica funziona solo con i dispositivi che supportano Chromecast."), + "available": MessageLookupByLibrary.simpleMessage("Disponibile"), + "availableStorageSpace": m10, + "backedUpFolders": + MessageLookupByLibrary.simpleMessage("Cartelle salvate"), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("Backup"), + "backupFailed": MessageLookupByLibrary.simpleMessage("Backup fallito"), + "backupFile": MessageLookupByLibrary.simpleMessage("File di backup"), + "backupOverMobileData": + MessageLookupByLibrary.simpleMessage("Backup su dati mobili"), + "backupSettings": + MessageLookupByLibrary.simpleMessage("Impostazioni backup"), + "backupStatus": MessageLookupByLibrary.simpleMessage("Stato backup"), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Gli elementi che sono stati sottoposti a backup verranno mostrati qui"), + "backupVideos": + MessageLookupByLibrary.simpleMessage("Backup dei video"), + "beach": MessageLookupByLibrary.simpleMessage("Sabbia e mare"), + "birthday": MessageLookupByLibrary.simpleMessage("Compleanno"), + "birthdayNotifications": + MessageLookupByLibrary.simpleMessage("Notifiche dei compleanni"), + "birthdays": MessageLookupByLibrary.simpleMessage("Compleanni"), + "blackFridaySale": + MessageLookupByLibrary.simpleMessage("Offerta del Black Friday"), + "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cachedData": MessageLookupByLibrary.simpleMessage("Dati nella cache"), + "calculating": MessageLookupByLibrary.simpleMessage("Calcolando..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Spiacente, questo album non può essere aperto nell\'app."), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( + "Impossibile aprire questo album"), + "canNotUploadToAlbumsOwnedByOthers": + MessageLookupByLibrary.simpleMessage( + "Impossibile caricare su album di proprietà altrui"), + "canOnlyCreateLinkForFilesOwnedByYou": + MessageLookupByLibrary.simpleMessage( + "Puoi creare solo link per i file di tua proprietà"), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Puoi rimuovere solo i file di tua proprietà"), + "cancel": MessageLookupByLibrary.simpleMessage("Annulla"), + "cancelAccountRecovery": + MessageLookupByLibrary.simpleMessage("Annulla il recupero"), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "Sei sicuro di voler annullare il recupero?"), + "cancelOtherSubscription": m12, + "cancelSubscription": + MessageLookupByLibrary.simpleMessage("Annulla abbonamento"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Impossibile eliminare i file condivisi"), + "castAlbum": MessageLookupByLibrary.simpleMessage("Trasmetti album"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Assicurati di essere sulla stessa rete della TV."), + "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( + "Errore nel trasmettere l\'album"), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Visita cast.ente.io sul dispositivo che vuoi abbinare.\n\nInserisci il codice qui sotto per riprodurre l\'album sulla tua TV."), + "centerPoint": MessageLookupByLibrary.simpleMessage("Punto centrale"), + "change": MessageLookupByLibrary.simpleMessage("Cambia"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Modifica email"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Cambiare la posizione degli elementi selezionati?"), + "changePassword": + MessageLookupByLibrary.simpleMessage("Cambia password"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("Modifica password"), + "changePermissions": + MessageLookupByLibrary.simpleMessage("Cambio i permessi?"), + "changeYourReferralCode": + MessageLookupByLibrary.simpleMessage("Cambia il tuo codice invito"), + "checkForUpdates": + MessageLookupByLibrary.simpleMessage("Controlla aggiornamenti"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Per favore, controlla la tua casella di posta (e lo spam) per completare la verifica"), + "checkStatus": MessageLookupByLibrary.simpleMessage("Verifica stato"), + "checking": + MessageLookupByLibrary.simpleMessage("Controllo in corso..."), + "checkingModels": + MessageLookupByLibrary.simpleMessage("Verifica dei modelli..."), + "city": MessageLookupByLibrary.simpleMessage("In città"), + "claimFreeStorage": + MessageLookupByLibrary.simpleMessage("Richiedi spazio gratuito"), + "claimMore": MessageLookupByLibrary.simpleMessage("Richiedine di più!"), + "claimed": MessageLookupByLibrary.simpleMessage("Riscattato"), + "claimedStorageSoFar": m14, + "cleanUncategorized": + MessageLookupByLibrary.simpleMessage("Pulisci Senza Categoria"), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Rimuovi tutti i file da Senza Categoria che sono presenti in altri album"), + "clearCaches": MessageLookupByLibrary.simpleMessage("Svuota cache"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Cancella indici"), + "click": MessageLookupByLibrary.simpleMessage("• Clic"), + "clickOnTheOverflowMenu": + MessageLookupByLibrary.simpleMessage("• Fai clic sul menu"), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Clicca per installare l\'ultima versione dell\'app"), + "close": MessageLookupByLibrary.simpleMessage("Chiudi"), + "clubByCaptureTime": + MessageLookupByLibrary.simpleMessage("Club per tempo di cattura"), + "clubByFileName": + MessageLookupByLibrary.simpleMessage("Unisci per nome file"), + "clusteringProgress": MessageLookupByLibrary.simpleMessage( + "Progresso del raggruppamento"), + "codeAppliedPageTitle": + MessageLookupByLibrary.simpleMessage("Codice applicato"), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Siamo spiacenti, hai raggiunto il limite di modifiche del codice."), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Codice copiato negli appunti"), + "codeUsedByYou": + MessageLookupByLibrary.simpleMessage("Codice utilizzato da te"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Crea un link per consentire alle persone di aggiungere e visualizzare foto nel tuo album condiviso senza bisogno di un\'applicazione o di un account Ente. Ottimo per raccogliere foto di un evento."), + "collaborativeLink": + MessageLookupByLibrary.simpleMessage("Link collaborativo"), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Collaboratore"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "I collaboratori possono aggiungere foto e video all\'album condiviso."), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("Disposizione"), + "collageSaved": MessageLookupByLibrary.simpleMessage( + "Collage salvato nella galleria"), + "collect": MessageLookupByLibrary.simpleMessage("Raccogli"), + "collectEventPhotos": MessageLookupByLibrary.simpleMessage( + "Raccogli le foto di un evento"), + "collectPhotos": + MessageLookupByLibrary.simpleMessage("Raccogli le foto"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Crea un link dove i tuoi amici possono caricare le foto in qualità originale."), + "color": MessageLookupByLibrary.simpleMessage("Colore"), + "configuration": MessageLookupByLibrary.simpleMessage("Configurazione"), + "confirm": MessageLookupByLibrary.simpleMessage("Conferma"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Sei sicuro di voler disattivare l\'autenticazione a due fattori?"), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Conferma eliminazione account"), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Sì, voglio eliminare definitivamente questo account e i dati associati a esso su tutte le applicazioni."), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("Conferma password"), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage( + "Conferma le modifiche al piano"), + "confirmRecoveryKey": + MessageLookupByLibrary.simpleMessage("Conferma chiave di recupero"), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Conferma la tua chiave di recupero"), + "connectToDevice": + MessageLookupByLibrary.simpleMessage("Connetti al dispositivo"), + "contactFamilyAdmin": m18, + "contactSupport": + MessageLookupByLibrary.simpleMessage("Contatta il supporto"), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Contatti"), + "contents": MessageLookupByLibrary.simpleMessage("Contenuti"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Continua"), + "continueOnFreeTrial": + MessageLookupByLibrary.simpleMessage("Continua la prova gratuita"), + "convertToAlbum": + MessageLookupByLibrary.simpleMessage("Converti in album"), + "copyEmailAddress": + MessageLookupByLibrary.simpleMessage("Copia indirizzo email"), + "copyLink": MessageLookupByLibrary.simpleMessage("Copia link"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Copia-incolla questo codice\nnella tua app di autenticazione"), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "Impossibile eseguire il backup dei tuoi dati.\nRiproveremo più tardi."), + "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( + "Impossibile liberare lo spazio"), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Impossibile aggiornare l\'abbonamento"), + "count": MessageLookupByLibrary.simpleMessage("Conteggio"), + "crashReporting": + MessageLookupByLibrary.simpleMessage("Segnalazione di crash"), + "create": MessageLookupByLibrary.simpleMessage("Crea"), + "createAccount": MessageLookupByLibrary.simpleMessage("Crea account"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Premi a lungo per selezionare le foto e fai clic su + per creare un album"), + "createCollaborativeLink": + MessageLookupByLibrary.simpleMessage("Crea link collaborativo"), + "createCollage": + MessageLookupByLibrary.simpleMessage("Crea un collage"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("Crea un nuovo account"), + "createOrSelectAlbum": + MessageLookupByLibrary.simpleMessage("Crea o seleziona album"), + "createPublicLink": + MessageLookupByLibrary.simpleMessage("Crea link pubblico"), + "creatingLink": + MessageLookupByLibrary.simpleMessage("Creazione link..."), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "Un aggiornamento importante è disponibile"), + "crop": MessageLookupByLibrary.simpleMessage("Ritaglia"), + "curatedMemories": + MessageLookupByLibrary.simpleMessage("Ricordi importanti"), + "currentUsageIs": MessageLookupByLibrary.simpleMessage( + "Spazio attualmente utilizzato "), + "currentlyRunning": + MessageLookupByLibrary.simpleMessage("attualmente in esecuzione"), + "custom": MessageLookupByLibrary.simpleMessage("Personalizza"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Scuro"), + "dayToday": MessageLookupByLibrary.simpleMessage("Oggi"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Ieri"), + "declineTrustInvite": + MessageLookupByLibrary.simpleMessage("Rifiuta l\'invito"), + "decrypting": MessageLookupByLibrary.simpleMessage("Decriptando..."), + "decryptingVideo": + MessageLookupByLibrary.simpleMessage("Decifratura video..."), + "deduplicateFiles": + MessageLookupByLibrary.simpleMessage("File Duplicati"), + "delete": MessageLookupByLibrary.simpleMessage("Cancella"), + "deleteAccount": + MessageLookupByLibrary.simpleMessage("Elimina account"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Ci dispiace vederti andare via. Facci sapere se hai bisogno di aiuto o se vuoi aiutarci a migliorare."), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Cancella definitivamente il tuo account"), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Elimina album"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Eliminare anche le foto (e i video) presenti in questo album da tutti gli altri album di cui fanno parte?"), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "Questo eliminerà tutti gli album vuoti. È utile quando si desidera ridurre l\'ingombro nella lista degli album."), + "deleteAll": MessageLookupByLibrary.simpleMessage("Elimina tutto"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "Questo account è collegato ad altre app di Ente, se ne utilizzi. I tuoi dati caricati, su tutte le app di Ente, saranno pianificati per la cancellazione e il tuo account verrà eliminato definitivamente."), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Invia un\'email a account-deletion@ente.io dal tuo indirizzo email registrato."), + "deleteEmptyAlbums": + MessageLookupByLibrary.simpleMessage("Elimina gli album vuoti"), + "deleteEmptyAlbumsWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Eliminare gli album vuoti?"), + "deleteFromBoth": + MessageLookupByLibrary.simpleMessage("Elimina da entrambi"), + "deleteFromDevice": + MessageLookupByLibrary.simpleMessage("Elimina dal dispositivo"), + "deleteFromEnte": + MessageLookupByLibrary.simpleMessage("Elimina da Ente"), + "deleteItemCount": m21, + "deleteLocation": + MessageLookupByLibrary.simpleMessage("Elimina posizione"), + "deleteMultipleAlbumDialog": m22, + "deletePhotos": MessageLookupByLibrary.simpleMessage("Elimina foto"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Manca una caratteristica chiave di cui ho bisogno"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "L\'app o una determinata funzionalità non si comporta come dovrebbe"), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Ho trovato un altro servizio che mi piace di più"), + "deleteReason4": + MessageLookupByLibrary.simpleMessage("Il motivo non è elencato"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "La tua richiesta verrà elaborata entro 72 ore."), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Eliminare l\'album condiviso?"), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "L\'album verrà eliminato per tutti\n\nPerderai l\'accesso alle foto condivise in questo album che sono di proprietà di altri"), + "deselectAll": + MessageLookupByLibrary.simpleMessage("Deseleziona tutti"), + "designedToOutlive": + MessageLookupByLibrary.simpleMessage("Progettato per sopravvivere"), + "details": MessageLookupByLibrary.simpleMessage("Dettagli"), + "developerSettings": + MessageLookupByLibrary.simpleMessage("Impostazioni sviluppatore"), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Sei sicuro di voler modificare le Impostazioni sviluppatore?"), + "deviceCodeHint": + MessageLookupByLibrary.simpleMessage("Inserisci il codice"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "I file aggiunti a questo album del dispositivo verranno automaticamente caricati su Ente."), + "deviceLock": + MessageLookupByLibrary.simpleMessage("Blocco del dispositivo"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Disabilita il blocco schermo del dispositivo quando Ente è in primo piano e c\'è un backup in corso. Questo normalmente non è necessario ma può aiutare a completare più velocemente grossi caricamenti e l\'importazione iniziale di grandi librerie."), + "deviceNotFound": + MessageLookupByLibrary.simpleMessage("Dispositivo non trovato"), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Lo sapevi che?"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage( + "Disabilita blocco automatico"), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "I visualizzatori possono scattare screenshot o salvare una copia delle foto utilizzando strumenti esterni"), + "disableDownloadWarningTitle": + MessageLookupByLibrary.simpleMessage("Nota bene"), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "Disabilita autenticazione a due fattori"), + "disablingTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Disattivazione autenticazione a due fattori..."), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Scopri"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Neonati"), + "discover_celebrations": + MessageLookupByLibrary.simpleMessage("Festeggiamenti"), + "discover_food": MessageLookupByLibrary.simpleMessage("Cibo"), + "discover_greenery": + MessageLookupByLibrary.simpleMessage("Vegetazione"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Colline"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Identità"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Meme"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Note"), + "discover_pets": + MessageLookupByLibrary.simpleMessage("Animali domestici"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Ricette"), + "discover_screenshots": + MessageLookupByLibrary.simpleMessage("Schermate"), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfie"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Tramonto"), + "discover_visiting_cards": + MessageLookupByLibrary.simpleMessage("Biglietti da Visita"), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Sfondi"), + "dismiss": MessageLookupByLibrary.simpleMessage("Ignora"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage("Non uscire"), + "doThisLater": MessageLookupByLibrary.simpleMessage("In seguito"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Vuoi scartare le modifiche che hai fatto?"), + "done": MessageLookupByLibrary.simpleMessage("Completato"), + "dontSave": MessageLookupByLibrary.simpleMessage("Non salvare"), + "doubleYourStorage": + MessageLookupByLibrary.simpleMessage("Raddoppia il tuo spazio"), + "download": MessageLookupByLibrary.simpleMessage("Scarica"), + "downloadFailed": + MessageLookupByLibrary.simpleMessage("Scaricamento fallito"), + "downloading": + MessageLookupByLibrary.simpleMessage("Scaricamento in corso..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Modifica"), + "editEmailAlreadyLinked": m28, + "editLocation": MessageLookupByLibrary.simpleMessage("Modifica luogo"), + "editLocationTagTitle": + MessageLookupByLibrary.simpleMessage("Modifica luogo"), + "editPerson": MessageLookupByLibrary.simpleMessage("Modifica persona"), + "editTime": MessageLookupByLibrary.simpleMessage("Modifica orario"), + "editsSaved": MessageLookupByLibrary.simpleMessage("Modifiche salvate"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Le modifiche alla posizione saranno visibili solo all\'interno di Ente"), + "eligible": MessageLookupByLibrary.simpleMessage("idoneo"), + "email": MessageLookupByLibrary.simpleMessage("Email"), + "emailAlreadyRegistered": + MessageLookupByLibrary.simpleMessage("Email già registrata."), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": + MessageLookupByLibrary.simpleMessage("Email non registrata."), + "emailVerificationToggle": + MessageLookupByLibrary.simpleMessage("Verifica Email"), + "emailYourLogs": MessageLookupByLibrary.simpleMessage( + "Invia una mail con i tuoi log"), + "embracingThem": m32, + "emergencyContacts": + MessageLookupByLibrary.simpleMessage("Contatti di emergenza"), + "empty": MessageLookupByLibrary.simpleMessage("Svuota"), + "emptyTrash": + MessageLookupByLibrary.simpleMessage("Vuoi svuotare il cestino?"), + "enable": MessageLookupByLibrary.simpleMessage("Abilita"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "Ente supporta l\'apprendimento automatico eseguito sul dispositivo per il riconoscimento dei volti, la ricerca magica e altre funzioni di ricerca avanzata"), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Abilita l\'apprendimento automatico per la ricerca magica e il riconoscimento facciale"), + "enableMaps": MessageLookupByLibrary.simpleMessage("Abilita le Mappe"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "Questo mostrerà le tue foto su una mappa del mondo.\n\nQuesta mappa è ospitata da Open Street Map e le posizioni esatte delle tue foto non sono mai condivise.\n\nPuoi disabilitare questa funzionalità in qualsiasi momento, dalle Impostazioni."), + "enabled": MessageLookupByLibrary.simpleMessage("Abilitato"), + "encryptingBackup": + MessageLookupByLibrary.simpleMessage("Crittografando il backup..."), + "encryption": MessageLookupByLibrary.simpleMessage("Crittografia"), + "encryptionKeys": + MessageLookupByLibrary.simpleMessage("Chiavi di crittografia"), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Endpoint aggiornato con successo"), + "endtoendEncryptedByDefault": + MessageLookupByLibrary.simpleMessage("Crittografia end-to-end"), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente può criptare e conservare i file solo se gliene concedi l\'accesso"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente necessita del permesso per preservare le tue foto"), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "Ente conserva i tuoi ricordi in modo che siano sempre a disposizione, anche se perdi il tuo dispositivo."), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Aggiungi la tua famiglia al tuo piano."), + "enterAlbumName": MessageLookupByLibrary.simpleMessage( + "Inserisci il nome dell\'album"), + "enterCode": MessageLookupByLibrary.simpleMessage("Inserisci codice"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Inserisci il codice fornito dal tuo amico per richiedere spazio gratuito per entrambi"), + "enterDateOfBirth": + MessageLookupByLibrary.simpleMessage("Compleanno (Opzionale)"), + "enterEmail": MessageLookupByLibrary.simpleMessage("Inserisci email"), + "enterFileName": MessageLookupByLibrary.simpleMessage( + "Inserisci un nome per il file"), + "enterName": MessageLookupByLibrary.simpleMessage("Aggiungi nome"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Inserisci una nuova password per criptare i tuoi dati"), + "enterPassword": + MessageLookupByLibrary.simpleMessage("Inserisci password"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Inserisci una password per criptare i tuoi dati"), + "enterPersonName": MessageLookupByLibrary.simpleMessage( + "Inserisci il nome della persona"), + "enterPin": MessageLookupByLibrary.simpleMessage("Inserisci PIN"), + "enterReferralCode": MessageLookupByLibrary.simpleMessage( + "Inserisci il codice di invito"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Inserisci il codice di 6 cifre\ndalla tua app di autenticazione"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Inserisci un indirizzo email valido."), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Inserisci il tuo indirizzo email"), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Inserisci il tuo nuovo indirizzo email"), + "enterYourPassword": + MessageLookupByLibrary.simpleMessage("Inserisci la tua password"), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Inserisci la tua chiave di recupero"), + "error": MessageLookupByLibrary.simpleMessage("Errore"), + "everywhere": MessageLookupByLibrary.simpleMessage("ovunque"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": MessageLookupByLibrary.simpleMessage("Accedi"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Questo link è scaduto. Si prega di selezionare un nuovo orario di scadenza o disabilitare la scadenza del link."), + "exportLogs": MessageLookupByLibrary.simpleMessage("Esporta log"), + "exportYourData": MessageLookupByLibrary.simpleMessage("Esporta dati"), + "extraPhotosFound": + MessageLookupByLibrary.simpleMessage("Trovate foto aggiuntive"), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Faccia non ancora raggruppata, per favore torna più tardi"), + "faceRecognition": + MessageLookupByLibrary.simpleMessage("Riconoscimento facciale"), + "faces": MessageLookupByLibrary.simpleMessage("Volti"), + "failed": MessageLookupByLibrary.simpleMessage("Non riuscito"), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage( + "Impossibile applicare il codice"), + "failedToCancel": + MessageLookupByLibrary.simpleMessage("Impossibile annullare"), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( + "Download del video non riuscito"), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Recupero delle sessioni attive non riuscito"), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Impossibile recuperare l\'originale per la modifica"), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Impossibile recuperare i dettagli. Per favore, riprova più tardi."), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "Impossibile caricare gli album"), + "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Impossibile riprodurre il video"), + "failedToRefreshStripeSubscription": + MessageLookupByLibrary.simpleMessage( + "Impossibile aggiornare l\'abbonamento"), + "failedToRenew": + MessageLookupByLibrary.simpleMessage("Rinnovo fallito"), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Impossibile verificare lo stato del pagamento"), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Aggiungi 5 membri della famiglia al tuo piano esistente senza pagare extra.\n\nOgni membro ottiene il proprio spazio privato e non può vedere i file dell\'altro a meno che non siano condivisi.\n\nI piani familiari sono disponibili per i clienti che hanno un abbonamento Ente a pagamento.\n\nIscriviti ora per iniziare!"), + "familyPlanPortalTitle": + MessageLookupByLibrary.simpleMessage("Famiglia"), + "familyPlans": MessageLookupByLibrary.simpleMessage("Piano famiglia"), + "faq": MessageLookupByLibrary.simpleMessage("FAQ"), + "faqs": MessageLookupByLibrary.simpleMessage("FAQ"), + "favorite": MessageLookupByLibrary.simpleMessage("Preferito"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("Suggerimenti"), + "file": MessageLookupByLibrary.simpleMessage("File"), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Impossibile salvare il file nella galleria"), + "fileInfoAddDescHint": + MessageLookupByLibrary.simpleMessage("Aggiungi descrizione..."), + "fileNotUploadedYet": + MessageLookupByLibrary.simpleMessage("File non ancora caricato"), + "fileSavedToGallery": + MessageLookupByLibrary.simpleMessage("File salvato nella galleria"), + "fileTypes": MessageLookupByLibrary.simpleMessage("Tipi di file"), + "fileTypesAndNames": + MessageLookupByLibrary.simpleMessage("Tipi e nomi di file"), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage("File eliminati"), + "filesSavedToGallery": + MessageLookupByLibrary.simpleMessage("File salvati nella galleria"), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "Trova rapidamente le persone per nome"), + "findThemQuickly": + MessageLookupByLibrary.simpleMessage("Trovali rapidamente"), + "flip": MessageLookupByLibrary.simpleMessage("Capovolgi"), + "food": MessageLookupByLibrary.simpleMessage("Delizia culinaria"), + "forYourMemories": + MessageLookupByLibrary.simpleMessage("per i tuoi ricordi"), + "forgotPassword": + MessageLookupByLibrary.simpleMessage("Password dimenticata"), + "foundFaces": MessageLookupByLibrary.simpleMessage("Volti trovati"), + "freeStorageClaimed": + MessageLookupByLibrary.simpleMessage("Spazio gratuito richiesto"), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": + MessageLookupByLibrary.simpleMessage("Spazio libero utilizzabile"), + "freeTrial": MessageLookupByLibrary.simpleMessage("Prova gratuita"), + "freeTrialValidTill": m38, + "freeUpAmount": m40, + "freeUpDeviceSpace": + MessageLookupByLibrary.simpleMessage("Libera spazio"), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Risparmia spazio sul tuo dispositivo cancellando i file che sono già stati salvati online."), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("Libera spazio"), + "freeUpSpaceSaving": m41, + "gallery": MessageLookupByLibrary.simpleMessage("Galleria"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "Fino a 1000 ricordi mostrati nella galleria"), + "general": MessageLookupByLibrary.simpleMessage("Generali"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Generazione delle chiavi di crittografia..."), + "genericProgress": m42, + "goToSettings": + MessageLookupByLibrary.simpleMessage("Vai alle impostazioni"), + "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Consenti l\'accesso a tutte le foto nelle Impostazioni"), + "grantPermission": + MessageLookupByLibrary.simpleMessage("Concedi il permesso"), + "greenery": MessageLookupByLibrary.simpleMessage("In mezzo al verde"), + "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( + "Raggruppa foto nelle vicinanze"), + "guestView": MessageLookupByLibrary.simpleMessage("Vista ospite"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "Per abilitare la vista ospite, configura il codice di accesso del dispositivo o il blocco schermo nelle impostazioni di sistema."), + "happyBirthday": + MessageLookupByLibrary.simpleMessage("Buon compleanno! 🥳"), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "Non teniamo traccia del numero di installazioni dell\'app. Sarebbe utile se ci dicesse dove ci ha trovato!"), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Come hai sentito parlare di Ente? (opzionale)"), + "help": MessageLookupByLibrary.simpleMessage("Aiuto"), + "hidden": MessageLookupByLibrary.simpleMessage("Nascosti"), + "hide": MessageLookupByLibrary.simpleMessage("Nascondi"), + "hideContent": + MessageLookupByLibrary.simpleMessage("Nascondi il contenuto"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Nasconde il contenuto nel selettore delle app e disabilita gli screenshot"), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Nasconde il contenuto nel selettore delle app"), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Nascondi gli elementi condivisi dalla galleria principale"), + "hiding": MessageLookupByLibrary.simpleMessage("Nascondendo..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": + MessageLookupByLibrary.simpleMessage("Ospitato presso OSM France"), + "howItWorks": MessageLookupByLibrary.simpleMessage("Come funziona"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Chiedi di premere a lungo il loro indirizzo email nella schermata delle impostazioni e verificare che gli ID su entrambi i dispositivi corrispondano."), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "L\'autenticazione biometrica non è impostata sul tuo dispositivo. Abilita Touch ID o Face ID sul tuo telefono."), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "L\'autenticazione biometrica è disabilitata. Blocca e sblocca lo schermo per abilitarla."), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignora"), + "ignored": MessageLookupByLibrary.simpleMessage("ignorato"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Alcuni file in questo album vengono ignorati dal caricamento perché erano stati precedentemente eliminati da Ente."), + "imageNotAnalyzed": + MessageLookupByLibrary.simpleMessage("Immagine non analizzata"), + "immediately": MessageLookupByLibrary.simpleMessage("Immediatamente"), + "importing": + MessageLookupByLibrary.simpleMessage("Importazione in corso...."), + "incorrectCode": + MessageLookupByLibrary.simpleMessage("Codice sbagliato"), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("Password sbagliata"), + "incorrectRecoveryKey": + MessageLookupByLibrary.simpleMessage("Chiave di recupero errata"), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Il codice che hai inserito non è corretto"), + "incorrectRecoveryKeyTitle": + MessageLookupByLibrary.simpleMessage("Chiave di recupero errata"), + "indexedItems": + MessageLookupByLibrary.simpleMessage("Elementi indicizzati"), + "ineligible": MessageLookupByLibrary.simpleMessage("Non idoneo"), + "info": MessageLookupByLibrary.simpleMessage("Info"), + "insecureDevice": + MessageLookupByLibrary.simpleMessage("Dispositivo non sicuro"), + "installManually": + MessageLookupByLibrary.simpleMessage("Installa manualmente"), + "invalidEmailAddress": + MessageLookupByLibrary.simpleMessage("Indirizzo email non valido"), + "invalidEndpoint": + MessageLookupByLibrary.simpleMessage("Endpoint invalido"), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Spiacenti, l\'endpoint inserito non è valido. Inserisci un endpoint valido e riprova."), + "invalidKey": MessageLookupByLibrary.simpleMessage("Chiave non valida"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "La chiave di recupero che hai inserito non è valida. Assicurati che contenga 24 parole e controlla l\'ortografia di ciascuna parola.\n\nSe hai inserito un vecchio codice di recupero, assicurati che sia lungo 64 caratteri e controlla ciascuno di essi."), + "invite": MessageLookupByLibrary.simpleMessage("Invita"), + "inviteToEnte": MessageLookupByLibrary.simpleMessage("Invita su Ente"), + "inviteYourFriends": + MessageLookupByLibrary.simpleMessage("Invita i tuoi amici"), + "inviteYourFriendsToEnte": + MessageLookupByLibrary.simpleMessage("Invita i tuoi amici a Ente"), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Sembra che qualcosa sia andato storto. Riprova tra un po\'. Se l\'errore persiste, contatta il nostro team di supporto."), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "Gli elementi mostrano il numero di giorni rimanenti prima della cancellazione permanente"), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Gli elementi selezionati saranno rimossi da questo album"), + "join": MessageLookupByLibrary.simpleMessage("Unisciti"), + "joinAlbum": + MessageLookupByLibrary.simpleMessage("Unisciti all\'album"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "Unirsi a un album renderà visibile la tua email ai suoi partecipanti."), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( + "per visualizzare e aggiungere le tue foto"), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "per aggiungerla agli album condivisi"), + "joinDiscord": + MessageLookupByLibrary.simpleMessage("Unisciti a Discord"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Mantieni foto"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Aiutaci con queste informazioni"), + "language": MessageLookupByLibrary.simpleMessage("Lingua"), + "lastTimeWithThem": m45, + "lastUpdated": + MessageLookupByLibrary.simpleMessage("Ultimo aggiornamento"), + "lastYearsTrip": + MessageLookupByLibrary.simpleMessage("Viaggio dello scorso anno"), + "leave": MessageLookupByLibrary.simpleMessage("Lascia"), + "leaveAlbum": + MessageLookupByLibrary.simpleMessage("Abbandona l\'album"), + "leaveFamily": + MessageLookupByLibrary.simpleMessage("Abbandona il piano famiglia"), + "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Abbandonare l\'album condiviso?"), + "left": MessageLookupByLibrary.simpleMessage("Sinistra"), + "legacy": MessageLookupByLibrary.simpleMessage("Legacy"), + "legacyAccounts": + MessageLookupByLibrary.simpleMessage("Account Legacy"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "Legacy consente ai contatti fidati di accedere al tuo account in tua assenza."), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "I contatti fidati possono avviare il recupero dell\'account e, se non sono bloccati entro 30 giorni, reimpostare la password e accedere al tuo account."), + "light": MessageLookupByLibrary.simpleMessage("Chiaro"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Chiaro"), + "link": MessageLookupByLibrary.simpleMessage("Link"), + "linkCopiedToClipboard": + MessageLookupByLibrary.simpleMessage("Link copiato negli appunti"), + "linkDeviceLimit": + MessageLookupByLibrary.simpleMessage("Limite dei dispositivi"), + "linkEmail": MessageLookupByLibrary.simpleMessage("Link Email"), + "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( + "per una condivisione più veloce"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Attivato"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Scaduto"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Scadenza del link"), + "linkHasExpired": + MessageLookupByLibrary.simpleMessage("Il link è scaduto"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Mai"), + "linkPerson": MessageLookupByLibrary.simpleMessage("Collega persona"), + "linkPersonCaption": MessageLookupByLibrary.simpleMessage( + "per una migliore esperienza di condivisione"), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("Live Photo"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "Puoi condividere il tuo abbonamento con la tua famiglia"), + "loadMessage2": MessageLookupByLibrary.simpleMessage( + "Finora abbiamo conservato oltre 200 milioni di ricordi"), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "Teniamo 3 copie dei tuoi dati, uno in un rifugio sotterraneo antiatomico"), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "Tutte le nostre app sono open source"), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Il nostro codice sorgente e la crittografia hanno ricevuto audit esterni"), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "Puoi condividere i link ai tuoi album con i tuoi cari"), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Le nostre app per smartphone vengono eseguite in background per crittografare e eseguire il backup di qualsiasi nuova foto o video"), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io ha un uploader intuitivo"), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Usiamo Xchacha20Poly1305 per crittografare in modo sicuro i tuoi dati"), + "loadingExifData": + MessageLookupByLibrary.simpleMessage("Caricamento dati EXIF..."), + "loadingGallery": + MessageLookupByLibrary.simpleMessage("Caricamento galleria..."), + "loadingMessage": + MessageLookupByLibrary.simpleMessage("Caricando le tue foto..."), + "loadingModel": + MessageLookupByLibrary.simpleMessage("Scaricamento modelli..."), + "loadingYourPhotos": + MessageLookupByLibrary.simpleMessage("Caricando le tue foto..."), + "localGallery": MessageLookupByLibrary.simpleMessage("Galleria locale"), + "localIndexing": + MessageLookupByLibrary.simpleMessage("Indicizzazione locale"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Sembra che qualcosa sia andato storto dal momento che la sincronizzazione delle foto locali richiede più tempo del previsto. Si prega di contattare il nostro team di supporto"), + "location": MessageLookupByLibrary.simpleMessage("Luogo"), + "locationName": + MessageLookupByLibrary.simpleMessage("Nome della località"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Un tag di localizzazione raggruppa tutte le foto scattate entro il raggio di una foto"), + "locations": MessageLookupByLibrary.simpleMessage("Luoghi"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Blocca"), + "lockscreen": + MessageLookupByLibrary.simpleMessage("Schermata di blocco"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Accedi"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Disconnessione..."), + "loginSessionExpired": + MessageLookupByLibrary.simpleMessage("Sessione scaduta"), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "La sessione è scaduta. Si prega di accedere nuovamente."), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Cliccando sul pulsante Accedi, accetti i termini di servizio e la politica sulla privacy"), + "loginWithTOTP": MessageLookupByLibrary.simpleMessage("Login con TOTP"), + "logout": MessageLookupByLibrary.simpleMessage("Disconnetti"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "Invia i log per aiutarci a risolvere il tuo problema. Si prega di notare che i nomi dei file saranno inclusi per aiutare a tenere traccia di problemi con file specifici."), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Premi a lungo un\'email per verificare la crittografia end to end."), + "longpressOnAnItemToViewInFullscreen": + MessageLookupByLibrary.simpleMessage( + "Premi a lungo su un elemento per visualizzarlo a schermo intero"), + "lookBackOnYourMemories": + MessageLookupByLibrary.simpleMessage("Rivivi i tuoi ricordi 🌄"), + "loopVideoOff": + MessageLookupByLibrary.simpleMessage("Loop video disattivo"), + "loopVideoOn": + MessageLookupByLibrary.simpleMessage("Loop video attivo"), + "lostDevice": + MessageLookupByLibrary.simpleMessage("Dispositivo perso?"), + "machineLearning": MessageLookupByLibrary.simpleMessage( + "Apprendimento automatico (ML)"), + "magicSearch": MessageLookupByLibrary.simpleMessage("Ricerca magica"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "La ricerca magica ti permette di cercare le foto in base al loro contenuto, ad esempio \'fiore\', \'auto rossa\', \'documenti d\'identità\'"), + "manage": MessageLookupByLibrary.simpleMessage("Gestisci"), + "manageDeviceStorage": + MessageLookupByLibrary.simpleMessage("Gestisci cache dispositivo"), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Verifica e svuota la memoria cache locale."), + "manageFamily": + MessageLookupByLibrary.simpleMessage("Gestisci Piano famiglia"), + "manageLink": MessageLookupByLibrary.simpleMessage("Gestisci link"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Gestisci"), + "manageSubscription": + MessageLookupByLibrary.simpleMessage("Gestisci abbonamento"), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "L\'associazione con PIN funziona con qualsiasi schermo dove desideri visualizzare il tuo album."), + "map": MessageLookupByLibrary.simpleMessage("Mappa"), + "maps": MessageLookupByLibrary.simpleMessage("Mappe"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("Io"), + "memories": MessageLookupByLibrary.simpleMessage("Ricordi"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Seleziona il tipo di ricordi che desideri vedere nella schermata principale."), + "memoryCount": m50, + "merchandise": MessageLookupByLibrary.simpleMessage("Merchandise"), + "mergeWithExisting": + MessageLookupByLibrary.simpleMessage("Unisci con esistente"), + "mergedPhotos": + MessageLookupByLibrary.simpleMessage("Fotografie unite"), + "mlConsent": MessageLookupByLibrary.simpleMessage( + "Abilita l\'apprendimento automatico"), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Comprendo e desidero abilitare l\'apprendimento automatico"), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Se abiliti il Machine Learning, Ente estrarrà informazioni come la geometria del volto dai file, inclusi quelli condivisi con te.\n\nQuesto accadrà sul tuo dispositivo, e qualsiasi informazione biometrica generata sarà crittografata end-to-end."), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Clicca qui per maggiori dettagli su questa funzione nella nostra informativa sulla privacy"), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "Abilita l\'apprendimento automatico?"), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Si prega di notare che l\'attivazione dell\'apprendimento automatico si tradurrà in un maggior utilizzo della connessione e della batteria fino a quando tutti gli elementi non saranno indicizzati. Valuta di utilizzare l\'applicazione desktop per un\'indicizzazione più veloce, tutti i risultati verranno sincronizzati automaticamente."), + "mobileWebDesktop": + MessageLookupByLibrary.simpleMessage("Mobile, Web, Desktop"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Mediocre"), + "modifyYourQueryOrTrySearchingFor": + MessageLookupByLibrary.simpleMessage( + "Modifica la tua ricerca o prova con"), + "moments": MessageLookupByLibrary.simpleMessage("Momenti"), + "month": MessageLookupByLibrary.simpleMessage("mese"), + "monthly": MessageLookupByLibrary.simpleMessage("Mensile"), + "moon": MessageLookupByLibrary.simpleMessage("Al chiaro di luna"), + "moreDetails": MessageLookupByLibrary.simpleMessage("Più dettagli"), + "mostRecent": MessageLookupByLibrary.simpleMessage("Più recenti"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("Più rilevanti"), + "mountains": MessageLookupByLibrary.simpleMessage("Oltre le colline"), + "moveItem": m51, + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "Sposta foto selezionate in una data specifica"), + "moveToAlbum": + MessageLookupByLibrary.simpleMessage("Sposta nell\'album"), + "moveToHiddenAlbum": + MessageLookupByLibrary.simpleMessage("Sposta in album nascosto"), + "movedSuccessfullyTo": m52, + "movedToTrash": + MessageLookupByLibrary.simpleMessage("Spostato nel cestino"), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Spostamento dei file nell\'album..."), + "name": MessageLookupByLibrary.simpleMessage("Nome"), + "nameTheAlbum": + MessageLookupByLibrary.simpleMessage("Dai un nome all\'album"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Impossibile connettersi a Ente, riprova tra un po\' di tempo. Se l\'errore persiste, contatta l\'assistenza."), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Impossibile connettersi a Ente, controlla le impostazioni di rete e contatta l\'assistenza se l\'errore persiste."), + "never": MessageLookupByLibrary.simpleMessage("Mai"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Nuovo album"), + "newLocation": MessageLookupByLibrary.simpleMessage("Nuova posizione"), + "newPerson": MessageLookupByLibrary.simpleMessage("Nuova persona"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" nuova 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("Nuovo intervallo"), + "newToEnte": + MessageLookupByLibrary.simpleMessage("Prima volta con Ente"), + "newest": MessageLookupByLibrary.simpleMessage("Più recenti"), + "next": MessageLookupByLibrary.simpleMessage("Successivo"), + "no": MessageLookupByLibrary.simpleMessage("No"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Ancora nessun album condiviso da te"), + "noDeviceFound": + MessageLookupByLibrary.simpleMessage("Nessun dispositivo trovato"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Nessuno"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "Non hai file su questo dispositivo che possono essere eliminati"), + "noDuplicates": + MessageLookupByLibrary.simpleMessage("✨ Nessun doppione"), + "noEnteAccountExclamation": + MessageLookupByLibrary.simpleMessage("Nessun account Ente!"), + "noExifData": MessageLookupByLibrary.simpleMessage("Nessun dato EXIF"), + "noFacesFound": + MessageLookupByLibrary.simpleMessage("Nessun volto trovato"), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "Nessuna foto o video nascosti"), + "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( + "Nessuna immagine con posizione"), + "noInternetConnection": MessageLookupByLibrary.simpleMessage( + "Nessuna connessione internet"), + "noPhotosAreBeingBackedUpRightNow": + MessageLookupByLibrary.simpleMessage( + "Il backup delle foto attualmente non viene eseguito"), + "noPhotosFoundHere": + MessageLookupByLibrary.simpleMessage("Nessuna foto trovata"), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( + "Nessun link rapido selezionato"), + "noRecoveryKey": + MessageLookupByLibrary.simpleMessage("Nessuna chiave di recupero?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "A causa della natura del nostro protocollo di crittografia end-to-end, i tuoi dati non possono essere decifrati senza password o chiave di ripristino"), + "noResults": MessageLookupByLibrary.simpleMessage("Nessun risultato"), + "noResultsFound": + MessageLookupByLibrary.simpleMessage("Nessun risultato trovato"), + "noSuggestionsForPerson": m53, + "noSystemLockFound": MessageLookupByLibrary.simpleMessage( + "Nessun blocco di sistema trovato"), + "notPersonLabel": m54, + "notThisPerson": + MessageLookupByLibrary.simpleMessage("Non è questa persona?"), + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "Ancora nulla di condiviso con te"), + "nothingToSeeHere": + MessageLookupByLibrary.simpleMessage("Nulla da vedere qui! 👀"), + "notifications": MessageLookupByLibrary.simpleMessage("Notifiche"), + "ok": MessageLookupByLibrary.simpleMessage("Ok"), + "onDevice": MessageLookupByLibrary.simpleMessage("Sul dispositivo"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "Su ente"), + "onTheRoad": + MessageLookupByLibrary.simpleMessage("Un altro viaggio su strada"), + "onThisDay": MessageLookupByLibrary.simpleMessage("In questo giorno"), + "onThisDayMemories": + MessageLookupByLibrary.simpleMessage("Ricordi di questo giorno"), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "Ricevi promemoria sui ricordi da questo giorno negli anni precedenti."), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Solo loro"), + "oops": MessageLookupByLibrary.simpleMessage("Oops"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Ops, impossibile salvare le modifiche"), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Oops! Qualcosa è andato storto"), + "openAlbumInBrowser": + MessageLookupByLibrary.simpleMessage("Apri album nel browser"), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Utilizza l\'app web per aggiungere foto a questo album"), + "openFile": MessageLookupByLibrary.simpleMessage("Apri file"), + "openSettings": + MessageLookupByLibrary.simpleMessage("Apri Impostazioni"), + "openTheItem": + MessageLookupByLibrary.simpleMessage("• Apri la foto o il video"), + "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( + "Collaboratori di OpenStreetMap"), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Facoltativo, breve quanto vuoi..."), + "orMergeWithExistingPerson": + MessageLookupByLibrary.simpleMessage("O unisci con esistente"), + "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( + "Oppure scegline una esistente"), + "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( + "o scegli tra i tuoi contatti"), + "pair": MessageLookupByLibrary.simpleMessage("Abbina"), + "pairWithPin": MessageLookupByLibrary.simpleMessage("Associa con PIN"), + "pairingComplete": + MessageLookupByLibrary.simpleMessage("Associazione completata"), + "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), + "partyWithThem": m56, + "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( + "La verifica è ancora in corso"), + "passkey": MessageLookupByLibrary.simpleMessage("Passkey"), + "passkeyAuthTitle": + MessageLookupByLibrary.simpleMessage("Verifica della passkey"), + "password": MessageLookupByLibrary.simpleMessage("Password"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Password modificata con successo"), + "passwordLock": + MessageLookupByLibrary.simpleMessage("Blocco con password"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "La sicurezza della password viene calcolata considerando la lunghezza della password, i caratteri usati e se la password appare o meno nelle prime 10.000 password più usate"), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Noi non memorizziamo la tua password, quindi se te la dimentichi, non possiamo decriptare i tuoi dati"), + "pastYearsMemories": + MessageLookupByLibrary.simpleMessage("Ricordi degli ultimi anni"), + "paymentDetails": + MessageLookupByLibrary.simpleMessage("Dettagli di Pagamento"), + "paymentFailed": + MessageLookupByLibrary.simpleMessage("Pagamento non riuscito"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "Purtroppo il tuo pagamento non è riuscito. Contatta l\'assistenza e ti aiuteremo!"), + "paymentFailedTalkToProvider": m58, + "pendingItems": + MessageLookupByLibrary.simpleMessage("Elementi in sospeso"), + "pendingSync": + MessageLookupByLibrary.simpleMessage("Sincronizzazione in sospeso"), + "people": MessageLookupByLibrary.simpleMessage("Persone"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Persone che hanno usato il tuo codice"), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Seleziona le persone che desideri vedere nella schermata principale."), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Tutti gli elementi nel cestino verranno eliminati definitivamente\n\nQuesta azione non può essere annullata"), + "permanentlyDelete": + MessageLookupByLibrary.simpleMessage("Elimina definitivamente"), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Eliminare definitivamente dal dispositivo?"), + "personIsAge": m59, + "personName": + MessageLookupByLibrary.simpleMessage("Nome della persona"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("Compagni pelosetti"), + "photoDescriptions": + MessageLookupByLibrary.simpleMessage("Descrizioni delle foto"), + "photoGridSize": + MessageLookupByLibrary.simpleMessage("Dimensione griglia foto"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("Foto"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "Le foto aggiunte da te verranno rimosse dall\'album"), + "photosCount": m62, + "photosKeepRelativeTimeDifference": + MessageLookupByLibrary.simpleMessage( + "Le foto mantengono una differenza di tempo relativa"), + "pickCenterPoint": MessageLookupByLibrary.simpleMessage( + "Selezionare il punto centrale"), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Fissa l\'album"), + "pinLock": MessageLookupByLibrary.simpleMessage("Blocco con PIN"), + "playOnTv": + MessageLookupByLibrary.simpleMessage("Riproduci album sulla TV"), + "playOriginal": + MessageLookupByLibrary.simpleMessage("Riproduci originale"), + "playStoreFreeTrialValidTill": m63, + "playStream": + MessageLookupByLibrary.simpleMessage("Riproduci lo streaming"), + "playstoreSubscription": + MessageLookupByLibrary.simpleMessage("Abbonamento su PlayStore"), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Si prega di verificare la propria connessione Internet e riprovare."), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Contatta support@ente.io e saremo felici di aiutarti!"), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Riprova. Se il problema persiste, ti invitiamo a contattare l\'assistenza"), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": + MessageLookupByLibrary.simpleMessage("Concedi i permessi"), + "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( + "Effettua nuovamente l\'accesso"), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Si prega di selezionare i link rapidi da rimuovere"), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("Riprova"), + "pleaseVerifyTheCodeYouHaveEntered": + MessageLookupByLibrary.simpleMessage( + "Verifica il codice che hai inserito"), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Attendere..."), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Attendere, sto eliminando l\'album"), + "pleaseWaitForSometimeBeforeRetrying": + MessageLookupByLibrary.simpleMessage("Riprova tra qualche minuto"), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "Attendere, potrebbe volerci un po\' di tempo."), + "posingWithThem": m66, + "preparingLogs": + MessageLookupByLibrary.simpleMessage("Preparando i log..."), + "preserveMore": MessageLookupByLibrary.simpleMessage("Salva più foto"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Tieni premuto per riprodurre il video"), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Tieni premuto sull\'immagine per riprodurre il video"), + "previous": MessageLookupByLibrary.simpleMessage("Precedente"), + "privacy": MessageLookupByLibrary.simpleMessage("Privacy"), + "privacyPolicyTitle": + MessageLookupByLibrary.simpleMessage("Privacy Policy"), + "privateBackups": + MessageLookupByLibrary.simpleMessage("Backup privato"), + "privateSharing": + MessageLookupByLibrary.simpleMessage("Condivisioni private"), + "proceed": MessageLookupByLibrary.simpleMessage("Prosegui"), + "processed": MessageLookupByLibrary.simpleMessage("Processato"), + "processing": MessageLookupByLibrary.simpleMessage("In elaborazione"), + "processingImport": m67, + "processingVideos": + MessageLookupByLibrary.simpleMessage("Elaborando video"), + "publicLinkCreated": + MessageLookupByLibrary.simpleMessage("Link pubblico creato"), + "publicLinkEnabled": + MessageLookupByLibrary.simpleMessage("Link pubblico abilitato"), + "queued": MessageLookupByLibrary.simpleMessage("In coda"), + "quickLinks": + MessageLookupByLibrary.simpleMessage("Collegamenti rapidi"), + "radius": MessageLookupByLibrary.simpleMessage("Raggio"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Invia ticket"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("Valuta l\'app"), + "rateUs": MessageLookupByLibrary.simpleMessage("Lascia una recensione"), + "rateUsOnStore": m68, + "reassignMe": MessageLookupByLibrary.simpleMessage("Riassegna \"Io\""), + "reassignedToName": m69, + "reassigningLoading": + MessageLookupByLibrary.simpleMessage("Riassegnando..."), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Ricevi promemoria quando è il compleanno di qualcuno. Toccare la notifica ti porterà alle foto della persona che compie gli anni."), + "recover": MessageLookupByLibrary.simpleMessage("Recupera"), + "recoverAccount": + MessageLookupByLibrary.simpleMessage("Recupera account"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Recupera"), + "recoveryAccount": + MessageLookupByLibrary.simpleMessage("Recupera l\'account"), + "recoveryInitiated": + MessageLookupByLibrary.simpleMessage("Recupero avviato"), + "recoveryInitiatedDesc": m70, + "recoveryKey": + MessageLookupByLibrary.simpleMessage("Chiave di recupero"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Chiave di recupero copiata negli appunti"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Se dimentichi la password, questa chiave è l\'unico modo per recuperare i tuoi dati."), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Noi non memorizziamo questa chiave, per favore salva queste 24 parole in un posto sicuro."), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Ottimo! La tua chiave di recupero è valida. Grazie per averla verificata.\n\nRicordati di salvare la tua chiave di recupero in un posto sicuro."), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Chiave di recupero verificata"), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Se hai dimenticato la password, la tua chiave di ripristino è l\'unico modo per recuperare le tue foto. La puoi trovare in Impostazioni > Account.\n\nInserisci la tua chiave di recupero per verificare di averla salvata correttamente."), + "recoveryReady": m71, + "recoverySuccessful": + MessageLookupByLibrary.simpleMessage("Recupero riuscito!"), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "Un contatto fidato sta tentando di accedere al tuo account"), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Il dispositivo attuale non è abbastanza potente per verificare la tua password, ma la possiamo rigenerare in un modo che funzioni su tutti i dispositivi.\n\nEffettua il login utilizzando la tua chiave di recupero e rigenera la tua password (puoi utilizzare nuovamente la stessa se vuoi)."), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("Reimposta password"), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": + MessageLookupByLibrary.simpleMessage("Reinserisci la password"), + "reenterPin": + MessageLookupByLibrary.simpleMessage("Reinserisci il PIN"), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Invita un amico e raddoppia il tuo spazio"), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Condividi questo codice con i tuoi amici"), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Si iscrivono per un piano a pagamento"), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Invita un Amico"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "I referral code sono attualmente in pausa"), + "rejectRecovery": + MessageLookupByLibrary.simpleMessage("Rifiuta il recupero"), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "Vuota anche \"Cancellati di recente\" da \"Impostazioni\" -> \"Storage\" per avere più spazio libero"), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Svuota anche il tuo \"Cestino\" per avere più spazio libero"), + "remoteImages": MessageLookupByLibrary.simpleMessage("Immagini remote"), + "remoteThumbnails": + MessageLookupByLibrary.simpleMessage("Miniature remote"), + "remoteVideos": MessageLookupByLibrary.simpleMessage("Video remoti"), + "remove": MessageLookupByLibrary.simpleMessage("Rimuovi"), + "removeDuplicates": + MessageLookupByLibrary.simpleMessage("Rimuovi i doppioni"), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Verifica e rimuovi i file che sono esattamente duplicati."), + "removeFromAlbum": + MessageLookupByLibrary.simpleMessage("Rimuovi dall\'album"), + "removeFromAlbumTitle": + MessageLookupByLibrary.simpleMessage("Rimuovi dall\'album?"), + "removeFromFavorite": + MessageLookupByLibrary.simpleMessage("Rimuovi dai preferiti"), + "removeInvite": MessageLookupByLibrary.simpleMessage("Rimuovi invito"), + "removeLink": MessageLookupByLibrary.simpleMessage("Elimina link"), + "removeParticipant": + MessageLookupByLibrary.simpleMessage("Rimuovi partecipante"), + "removeParticipantBody": m74, + "removePersonLabel": + MessageLookupByLibrary.simpleMessage("Rimuovi etichetta persona"), + "removePublicLink": + MessageLookupByLibrary.simpleMessage("Rimuovi link pubblico"), + "removePublicLinks": + MessageLookupByLibrary.simpleMessage("Rimuovi i link pubblici"), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Alcuni degli elementi che stai rimuovendo sono stati aggiunti da altre persone e ne perderai l\'accesso"), + "removeWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Rimuovi?"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Rimuovi te stesso come contatto fidato"), + "removingFromFavorites": + MessageLookupByLibrary.simpleMessage("Rimosso dai preferiti..."), + "rename": MessageLookupByLibrary.simpleMessage("Rinomina"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("Rinomina album"), + "renameFile": MessageLookupByLibrary.simpleMessage("Rinomina file"), + "renewSubscription": + MessageLookupByLibrary.simpleMessage("Rinnova abbonamento"), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Segnala un bug"), + "reportBug": MessageLookupByLibrary.simpleMessage("Segnala un bug"), + "resendEmail": MessageLookupByLibrary.simpleMessage("Rinvia email"), + "resetIgnoredFiles": + MessageLookupByLibrary.simpleMessage("Ripristina i file ignorati"), + "resetPasswordTitle": + MessageLookupByLibrary.simpleMessage("Reimposta password"), + "resetPerson": MessageLookupByLibrary.simpleMessage("Rimuovi"), + "resetToDefault": + MessageLookupByLibrary.simpleMessage("Ripristina predefinita"), + "restore": MessageLookupByLibrary.simpleMessage("Ripristina"), + "restoreToAlbum": + MessageLookupByLibrary.simpleMessage("Ripristina l\'album"), + "restoringFiles": + MessageLookupByLibrary.simpleMessage("Ripristinando file..."), + "resumableUploads": + MessageLookupByLibrary.simpleMessage("Caricamenti riattivabili"), + "retry": MessageLookupByLibrary.simpleMessage("Riprova"), + "review": MessageLookupByLibrary.simpleMessage("Revisiona"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Controlla ed elimina gli elementi che credi siano dei doppioni."), + "reviewSuggestions": + MessageLookupByLibrary.simpleMessage("Esamina i suggerimenti"), + "right": MessageLookupByLibrary.simpleMessage("Destra"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("Ruota"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Ruota a sinistra"), + "rotateRight": MessageLookupByLibrary.simpleMessage("Ruota a destra"), + "safelyStored": + MessageLookupByLibrary.simpleMessage("Salvati in sicurezza"), + "save": MessageLookupByLibrary.simpleMessage("Salva"), + "saveChangesBeforeLeavingQuestion": + MessageLookupByLibrary.simpleMessage( + "Salvare le modifiche prima di uscire?"), + "saveCollage": MessageLookupByLibrary.simpleMessage("Salva il collage"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Salva una copia"), + "saveKey": MessageLookupByLibrary.simpleMessage("Salva chiave"), + "savePerson": MessageLookupByLibrary.simpleMessage("Salva persona"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Salva la tua chiave di recupero se non l\'hai ancora fatto"), + "saving": MessageLookupByLibrary.simpleMessage("Salvataggio..."), + "savingEdits": + MessageLookupByLibrary.simpleMessage("Salvataggio modifiche..."), + "scanCode": MessageLookupByLibrary.simpleMessage("Scansiona codice"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Scansione questo codice QR\ncon la tua app di autenticazione"), + "search": MessageLookupByLibrary.simpleMessage("Cerca"), + "searchAlbumsEmptySection": + MessageLookupByLibrary.simpleMessage("Album"), + "searchByAlbumNameHint": + MessageLookupByLibrary.simpleMessage("Nome album"), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Nomi degli album (es. \"Camera\")\n• Tipi di file (es. \"Video\", \".gif\")\n• Anni e mesi (e.. \"2022\", \"gennaio\")\n• Vacanze (ad es. \"Natale\")\n• Descrizioni delle foto (ad es. “#mare”)"), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Aggiungi descrizioni come \"#viaggio\" nelle informazioni delle foto per trovarle rapidamente qui"), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Ricerca per data, mese o anno"), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "Le immagini saranno mostrate qui una volta che l\'elaborazione e la sincronizzazione saranno completate"), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "Le persone saranno mostrate qui una volta completata l\'indicizzazione"), + "searchFileTypesAndNamesEmptySection": + MessageLookupByLibrary.simpleMessage("Tipi e nomi di file"), + "searchHint1": MessageLookupByLibrary.simpleMessage( + "Ricerca rapida sul dispositivo"), + "searchHint2": MessageLookupByLibrary.simpleMessage( + "Date delle foto, descrizioni"), + "searchHint3": + MessageLookupByLibrary.simpleMessage("Album, nomi di file e tipi"), + "searchHint4": MessageLookupByLibrary.simpleMessage("Luogo"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "In arrivo: Facce & ricerca magica ✨"), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Raggruppa foto scattate entro un certo raggio da una foto"), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "Invita persone e vedrai qui tutte le foto condivise da loro"), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "Le persone saranno mostrate qui una volta che l\'elaborazione e la sincronizzazione saranno completate"), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Sicurezza"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "Vedi link album pubblici nell\'app"), + "selectALocation": + MessageLookupByLibrary.simpleMessage("Seleziona un luogo"), + "selectALocationFirst": + MessageLookupByLibrary.simpleMessage("Scegli prima una posizione"), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Seleziona album"), + "selectAll": MessageLookupByLibrary.simpleMessage("Seleziona tutto"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("Tutte"), + "selectCoverPhoto": + MessageLookupByLibrary.simpleMessage("Seleziona foto di copertina"), + "selectDate": MessageLookupByLibrary.simpleMessage("Imposta data"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Seleziona cartelle per il backup"), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "Seleziona gli elementi da aggiungere"), + "selectLanguage": + MessageLookupByLibrary.simpleMessage("Seleziona una lingua"), + "selectMailApp": + MessageLookupByLibrary.simpleMessage("Seleziona app email"), + "selectMorePhotos": + MessageLookupByLibrary.simpleMessage("Seleziona più foto"), + "selectOneDateAndTime": + MessageLookupByLibrary.simpleMessage("Seleziona data e orario"), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "Seleziona una data e un\'ora per tutti"), + "selectPersonToLink": MessageLookupByLibrary.simpleMessage( + "Seleziona persona da collegare"), + "selectReason": + MessageLookupByLibrary.simpleMessage("Seleziona un motivo"), + "selectStartOfRange": MessageLookupByLibrary.simpleMessage( + "Seleziona inizio dell\'intervallo"), + "selectTime": MessageLookupByLibrary.simpleMessage("Imposta ora"), + "selectYourFace": + MessageLookupByLibrary.simpleMessage("Seleziona il tuo volto"), + "selectYourPlan": + MessageLookupByLibrary.simpleMessage("Seleziona un piano"), + "selectedAlbums": m79, + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "I file selezionati non sono su Ente"), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Le cartelle selezionate verranno crittografate e salvate su ente"), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Gli elementi selezionati verranno eliminati da tutti gli album e spostati nel cestino."), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "Gli elementi selezionati verranno rimossi da questa persona, ma non eliminati dalla tua libreria."), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("Invia"), + "sendEmail": MessageLookupByLibrary.simpleMessage("Invia email"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Invita"), + "sendLink": MessageLookupByLibrary.simpleMessage("Invia link"), + "serverEndpoint": + MessageLookupByLibrary.simpleMessage("Endpoint del server"), + "sessionExpired": + MessageLookupByLibrary.simpleMessage("Sessione scaduta"), + "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( + "ID sessione non corrispondente"), + "setAPassword": + MessageLookupByLibrary.simpleMessage("Imposta una password"), + "setAs": MessageLookupByLibrary.simpleMessage("Imposta come"), + "setCover": MessageLookupByLibrary.simpleMessage("Imposta copertina"), + "setLabel": MessageLookupByLibrary.simpleMessage("Imposta"), + "setNewPassword": + MessageLookupByLibrary.simpleMessage("Imposta una nuova password"), + "setNewPin": + MessageLookupByLibrary.simpleMessage("Imposta un nuovo PIN"), + "setPasswordTitle": + MessageLookupByLibrary.simpleMessage("Imposta password"), + "setRadius": MessageLookupByLibrary.simpleMessage("Imposta raggio"), + "setupComplete": + MessageLookupByLibrary.simpleMessage("Configurazione completata"), + "share": MessageLookupByLibrary.simpleMessage("Condividi"), + "shareALink": MessageLookupByLibrary.simpleMessage("Condividi un link"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Apri un album e tocca il pulsante di condivisione in alto a destra per condividerlo."), + "shareAnAlbumNow": + MessageLookupByLibrary.simpleMessage("Condividi un album"), + "shareLink": MessageLookupByLibrary.simpleMessage("Condividi link"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Condividi solo con le persone che vuoi"), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Scarica Ente in modo da poter facilmente condividere foto e video in qualità originale\n\nhttps://ente.io"), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Condividi con utenti che non hanno un account Ente"), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( + "Condividi il tuo primo album"), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Crea album condivisi e collaborativi con altri utenti di Ente, inclusi gli utenti con piani gratuiti."), + "sharedByMe": MessageLookupByLibrary.simpleMessage("Condiviso da me"), + "sharedByYou": MessageLookupByLibrary.simpleMessage("Condivise da te"), + "sharedPhotoNotifications": + MessageLookupByLibrary.simpleMessage("Nuove foto condivise"), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Ricevi notifiche quando qualcuno aggiunge una foto a un album condiviso, di cui fai parte"), + "sharedWith": m87, + "sharedWithMe": + MessageLookupByLibrary.simpleMessage("Condivisi con me"), + "sharedWithYou": + MessageLookupByLibrary.simpleMessage("Condivise con te"), + "sharing": + MessageLookupByLibrary.simpleMessage("Condivisione in corso..."), + "shiftDatesAndTime": + MessageLookupByLibrary.simpleMessage("Sposta date e orari"), + "showMemories": MessageLookupByLibrary.simpleMessage("Mostra ricordi"), + "showPerson": MessageLookupByLibrary.simpleMessage("Mostra persona"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "Esci dagli altri dispositivi"), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Se pensi che qualcuno possa conoscere la tua password, puoi forzare tutti gli altri dispositivi che usano il tuo account ad uscire."), + "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( + "Esci dagli altri dispositivi"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Accetto i termini di servizio e la politica sulla privacy"), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Verrà eliminato da tutti gli album."), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Salta"), + "smartMemories": + MessageLookupByLibrary.simpleMessage("Ricordi intelligenti"), + "social": MessageLookupByLibrary.simpleMessage("Social"), + "someItemsAreInBothEnteAndYourDevice": + MessageLookupByLibrary.simpleMessage( + "Alcuni elementi sono sia su Ente che sul tuo dispositivo."), + "someOfTheFilesYouAreTryingToDeleteAre": + MessageLookupByLibrary.simpleMessage( + "Alcuni dei file che si sta tentando di eliminare sono disponibili solo sul dispositivo e non possono essere recuperati se cancellati"), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Chi condivide gli album con te deve vedere lo stesso ID sul proprio dispositivo."), + "somethingWentWrong": + MessageLookupByLibrary.simpleMessage("Qualcosa è andato storto"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Qualcosa è andato storto, per favore riprova"), + "sorry": MessageLookupByLibrary.simpleMessage("Siamo spiacenti"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "Purtroppo non è stato possibile eseguire il backup del file in questo momento, riproveremo più tardi."), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Spiacenti, non è stato possibile aggiungere ai preferiti!"), + "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( + "Siamo spiacenti, non è stato possibile rimuovere dai preferiti!"), + "sorryTheCodeYouveEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "Il codice immesso non è corretto"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Siamo spiacenti, non possiamo generare le chiavi sicure su questo dispositivo.\n\nPer favore, accedi da un altro dispositivo."), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Spiacenti, abbiamo dovuto mettere in pausa i backup"), + "sort": MessageLookupByLibrary.simpleMessage("Ordina"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Ordina per"), + "sortNewestFirst": + MessageLookupByLibrary.simpleMessage("Prima le più nuove"), + "sortOldestFirst": + MessageLookupByLibrary.simpleMessage("Prima le più vecchie"), + "sparkleSuccess": + MessageLookupByLibrary.simpleMessage("✨ Operazione riuscita"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": + MessageLookupByLibrary.simpleMessage("Tu in primo piano"), + "startAccountRecoveryTitle": + MessageLookupByLibrary.simpleMessage("Avvia il recupero"), + "startBackup": MessageLookupByLibrary.simpleMessage("Avvia backup"), + "status": MessageLookupByLibrary.simpleMessage("Stato"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "Vuoi interrompere la trasmissione?"), + "stopCastingTitle": + MessageLookupByLibrary.simpleMessage("Interrompi la trasmissione"), + "storage": + MessageLookupByLibrary.simpleMessage("Spazio di archiviazione"), + "storageBreakupFamily": + MessageLookupByLibrary.simpleMessage("Famiglia"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Tu"), + "storageInGB": m93, + "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( + "Limite d\'archiviazione superato"), + "storageUsageInfo": m94, + "streamDetails": + MessageLookupByLibrary.simpleMessage("Dettagli dello streaming"), + "strongStrength": MessageLookupByLibrary.simpleMessage("Forte"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Iscriviti"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "È necessario un abbonamento a pagamento attivo per abilitare la condivisione."), + "subscription": MessageLookupByLibrary.simpleMessage("Abbonamento"), + "success": MessageLookupByLibrary.simpleMessage("Operazione riuscita"), + "successfullyArchived": + MessageLookupByLibrary.simpleMessage("Archiviato correttamente"), + "successfullyHid": + MessageLookupByLibrary.simpleMessage("Nascosta con successo"), + "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( + "Rimosso dall\'archivio correttamente"), + "successfullyUnhid": MessageLookupByLibrary.simpleMessage( + "Rimossa dal nascondiglio con successo"), + "suggestFeatures": + MessageLookupByLibrary.simpleMessage("Suggerisci una funzionalità"), + "sunrise": MessageLookupByLibrary.simpleMessage("All\'orizzonte"), + "support": MessageLookupByLibrary.simpleMessage("Assistenza"), + "syncProgress": m97, + "syncStopped": + MessageLookupByLibrary.simpleMessage("Sincronizzazione interrotta"), + "syncing": MessageLookupByLibrary.simpleMessage( + "Sincronizzazione in corso..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("Sistema"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("tocca per copiare"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage( + "Tocca per inserire il codice"), + "tapToUnlock": + MessageLookupByLibrary.simpleMessage("Tocca per sbloccare"), + "tapToUpload": + MessageLookupByLibrary.simpleMessage("Premi per caricare"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Sembra che qualcosa sia andato storto. Riprova tra un po\'. Se l\'errore persiste, contatta il nostro team di supporto."), + "terminate": MessageLookupByLibrary.simpleMessage("Terminata"), + "terminateSession": + MessageLookupByLibrary.simpleMessage("Termina sessione?"), + "terms": MessageLookupByLibrary.simpleMessage("Termini d\'uso"), + "termsOfServicesTitle": + MessageLookupByLibrary.simpleMessage("Termini d\'uso"), + "thankYou": MessageLookupByLibrary.simpleMessage("Grazie"), + "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( + "Grazie per esserti iscritto!"), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "Il download non può essere completato"), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "Il link a cui stai cercando di accedere è scaduto."), + "theRecoveryKeyYouEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "La chiave di recupero inserita non è corretta"), + "theme": MessageLookupByLibrary.simpleMessage("Tema"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Questi file verranno eliminati dal tuo dispositivo."), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "Verranno eliminati da tutti gli album."), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Questa azione non può essere annullata"), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "Questo album ha già un link collaborativo"), + "thisCanBeUsedToRecoverYourAccountIfYou": + MessageLookupByLibrary.simpleMessage( + "Può essere utilizzata per recuperare il tuo account in caso tu non possa usare l\'autenticazione a due fattori"), + "thisDevice": + MessageLookupByLibrary.simpleMessage("Questo dispositivo"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "Questo indirizzo email è già registrato"), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Questa immagine non ha dati EXIF"), + "thisIsMeExclamation": + MessageLookupByLibrary.simpleMessage("Questo sono io!"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Questo è il tuo ID di verifica"), + "thisWeekThroughTheYears": + MessageLookupByLibrary.simpleMessage("Questa settimana negli anni"), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Verrai disconnesso dai seguenti dispositivi:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Verrai disconnesso dal tuo dispositivo!"), + "thisWillMakeTheDateAndTimeOfAllSelected": + MessageLookupByLibrary.simpleMessage( + "In questo modo la data e l\'ora di tutte le foto selezionate saranno uguali."), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "Questo rimuoverà i link pubblici di tutti i link rapidi selezionati."), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "Per abilitare il blocco dell\'app, configura il codice di accesso del dispositivo o il blocco schermo nelle impostazioni di sistema."), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( + "Per nascondere una foto o un video"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Per reimpostare la tua password, verifica prima la tua email."), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Log di oggi"), + "tooManyIncorrectAttempts": + MessageLookupByLibrary.simpleMessage("Troppi tentativi errati"), + "total": MessageLookupByLibrary.simpleMessage("totale"), + "totalSize": MessageLookupByLibrary.simpleMessage("Dimensioni totali"), + "trash": MessageLookupByLibrary.simpleMessage("Cestino"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Taglia"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": + MessageLookupByLibrary.simpleMessage("Contatti fidati"), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Riprova"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Attiva il backup per caricare automaticamente i file aggiunti a questa cartella del dispositivo su Ente."), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "2 mesi gratis sui piani annuali"), + "twofactor": MessageLookupByLibrary.simpleMessage("Due fattori"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "L\'autenticazione a due fattori è stata disabilitata"), + "twofactorAuthenticationPageTitle": + MessageLookupByLibrary.simpleMessage( + "Autenticazione a due fattori"), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "Autenticazione a due fattori resettata con successo"), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Configura autenticazione a due fattori"), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": + MessageLookupByLibrary.simpleMessage("Rimuovi dall\'archivio"), + "unarchiveAlbum": MessageLookupByLibrary.simpleMessage( + "Rimuovi album dall\'archivio"), + "unarchiving": + MessageLookupByLibrary.simpleMessage("Togliendo dall\'archivio..."), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Siamo spiacenti, questo codice non è disponibile."), + "uncategorized": + MessageLookupByLibrary.simpleMessage("Senza categoria"), + "unhide": MessageLookupByLibrary.simpleMessage("Mostra"), + "unhideToAlbum": + MessageLookupByLibrary.simpleMessage("Non nascondere l\'album"), + "unhiding": MessageLookupByLibrary.simpleMessage("Rivelando..."), + "unhidingFilesToAlbum": + MessageLookupByLibrary.simpleMessage("Mostra i file nell\'album"), + "unlock": MessageLookupByLibrary.simpleMessage("Sblocca"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("Non fissare album"), + "unselectAll": + MessageLookupByLibrary.simpleMessage("Deseleziona tutto"), + "update": MessageLookupByLibrary.simpleMessage("Aggiorna"), + "updateAvailable": + MessageLookupByLibrary.simpleMessage("Aggiornamento disponibile"), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Aggiornamento della selezione delle cartelle..."), + "upgrade": + MessageLookupByLibrary.simpleMessage("Acquista altro spazio"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Caricamento dei file nell\'album..."), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": + MessageLookupByLibrary.simpleMessage("Conservando 1 ricordo..."), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "Sconto del 50%, fino al 4 dicembre."), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "Lo spazio disponibile è limitato dal tuo piano corrente. L\'archiviazione in eccesso diventerà automaticamente utilizzabile quando aggiornerai il tuo piano."), + "useAsCover": + MessageLookupByLibrary.simpleMessage("Usa come copertina"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "Hai problemi a riprodurre questo video? Premi a lungo qui per provare un altro lettore."), + "usePublicLinksForPeopleNotOnEnte": + MessageLookupByLibrary.simpleMessage( + "Usa link pubblici per persone non registrate su Ente"), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Utilizza un codice di recupero"), + "useSelectedPhoto": + MessageLookupByLibrary.simpleMessage("Usa la foto selezionata"), + "usedSpace": MessageLookupByLibrary.simpleMessage("Spazio utilizzato"), + "validTill": m110, + "verificationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Verifica fallita, per favore prova di nuovo"), + "verificationId": + MessageLookupByLibrary.simpleMessage("ID di verifica"), + "verify": MessageLookupByLibrary.simpleMessage("Verifica"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("Verifica email"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Verifica"), + "verifyPasskey": + MessageLookupByLibrary.simpleMessage("Verifica passkey"), + "verifyPassword": + MessageLookupByLibrary.simpleMessage("Verifica password"), + "verifying": + MessageLookupByLibrary.simpleMessage("Verifica in corso..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Verifica della chiave di recupero..."), + "videoInfo": MessageLookupByLibrary.simpleMessage("Informazioni video"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), + "videoStreaming": + MessageLookupByLibrary.simpleMessage("Video in streaming"), + "videos": MessageLookupByLibrary.simpleMessage("Video"), + "viewActiveSessions": + MessageLookupByLibrary.simpleMessage("Visualizza sessioni attive"), + "viewAddOnButton": MessageLookupByLibrary.simpleMessage( + "Visualizza componenti aggiuntivi"), + "viewAll": MessageLookupByLibrary.simpleMessage("Visualizza tutte"), + "viewAllExifData": + MessageLookupByLibrary.simpleMessage("Mostra tutti i dati EXIF"), + "viewLargeFiles": + MessageLookupByLibrary.simpleMessage("File di grandi dimensioni"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Visualizza i file che stanno occupando la maggior parte dello spazio di archiviazione."), + "viewLogs": MessageLookupByLibrary.simpleMessage("Visualizza i log"), + "viewPersonToUnlink": m112, + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Visualizza chiave di recupero"), + "viewer": MessageLookupByLibrary.simpleMessage("Sola lettura"), + "viewersSuccessfullyAdded": m113, + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Visita web.ente.io per gestire il tuo abbonamento"), + "waitingForVerification": + MessageLookupByLibrary.simpleMessage("In attesa di verifica..."), + "waitingForWifi": + MessageLookupByLibrary.simpleMessage("In attesa del WiFi..."), + "warning": MessageLookupByLibrary.simpleMessage("Attenzione"), + "weAreOpenSource": + MessageLookupByLibrary.simpleMessage("Siamo open source!"), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "Non puoi modificare foto e album che non possiedi"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Debole"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("Bentornato/a!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("Novità"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "Un contatto fidato può aiutare a recuperare i tuoi dati."), + "widgets": MessageLookupByLibrary.simpleMessage("Widget"), + "yearShort": MessageLookupByLibrary.simpleMessage("anno"), + "yearly": MessageLookupByLibrary.simpleMessage("Annuale"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Si"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Sì, cancella"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "Sì, converti in sola lettura"), + "yesDelete": MessageLookupByLibrary.simpleMessage("Sì, elimina"), + "yesDiscardChanges": + MessageLookupByLibrary.simpleMessage("Sì, ignora le mie modifiche"), + "yesLogout": MessageLookupByLibrary.simpleMessage("Sì, disconnetti"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Sì, rimuovi"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Sì, Rinnova"), + "yesResetPerson": + MessageLookupByLibrary.simpleMessage("Sì, resetta persona"), + "you": MessageLookupByLibrary.simpleMessage("Tu"), + "youAndThem": m117, + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( + "Sei un utente con piano famiglia!"), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Stai utilizzando l\'ultima versione"), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Puoi al massimo raddoppiare il tuo spazio"), + "youCanManageYourLinksInTheShareTab": + MessageLookupByLibrary.simpleMessage( + "Puoi gestire i tuoi link nella scheda condivisione."), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "Prova con una ricerca differente."), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "Non puoi effettuare il downgrade su questo piano"), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Non puoi condividere con te stesso"), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "Non hai nulla di archiviato."), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "Il tuo account è stato eliminato"), + "yourMap": MessageLookupByLibrary.simpleMessage("La tua mappa"), + "yourPlanWasSuccessfullyDowngraded": + MessageLookupByLibrary.simpleMessage( + "Il tuo piano è stato aggiornato con successo"), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "Il tuo piano è stato aggiornato con successo"), + "yourPurchaseWasSuccessful": + MessageLookupByLibrary.simpleMessage("Acquisto andato a buon fine"), + "yourStorageDetailsCouldNotBeFetched": + MessageLookupByLibrary.simpleMessage( + "Impossibile recuperare i dettagli di archiviazione"), + "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( + "Il tuo abbonamento è scaduto"), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "Il tuo abbonamento è stato modificato correttamente"), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "Il tuo codice di verifica è scaduto"), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "Non ci sono file duplicati che possono essere eliminati"), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "Non hai file in questo album che possono essere eliminati"), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( + "Zoom indietro per visualizzare le foto") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_ja.dart b/mobile/apps/photos/lib/generated/intl/messages_ja.dart index 7a04b228a4..e94f5ee527 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_ja.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_ja.dart @@ -48,7 +48,11 @@ class MessageLookup extends MessageLookupByLibrary { "${user} は写真をアルバムに追加できなくなります\n\n※${user} が追加した写真は今後も${user} が削除できます"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, {'true': '家族は ${storageAmountInGb} GB 受け取っています', 'false': 'あなたは ${storageAmountInGb} GB 受け取っています', 'other': 'あなたは ${storageAmountInGb} GB受け取っています'})}"; + "${Intl.select(isFamilyMember, { + 'true': '家族は ${storageAmountInGb} GB 受け取っています', + 'false': 'あなたは ${storageAmountInGb} GB 受け取っています', + 'other': 'あなたは ${storageAmountInGb} GB受け取っています', + })}"; static String m15(albumName) => "${albumName} のコラボレーションリンクを生成しました"; @@ -218,11 +222,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, - usedStorageUnit, - totalAmount, - totalStorageUnit, - ) => + usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => "${usedAmount} ${usedStorageUnit} / ${totalAmount} ${totalStorageUnit} 使用"; static String m95(id) => @@ -275,1843 +275,1592 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Enteの新しいバージョンが利用可能です。", - ), - "about": MessageLookupByLibrary.simpleMessage("このアプリについて"), - "acceptTrustInvite": MessageLookupByLibrary.simpleMessage("招待を受け入れる"), - "account": MessageLookupByLibrary.simpleMessage("アカウント"), - "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( - "アカウントが既に設定されています", - ), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage("おかえりなさい!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "もしパスワードを忘れたら、自身のデータを失うことを理解しました", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage("アクティブなセッション"), - "add": MessageLookupByLibrary.simpleMessage("追加"), - "addAName": MessageLookupByLibrary.simpleMessage("名前を追加"), - "addANewEmail": MessageLookupByLibrary.simpleMessage("新しいEメールアドレスを追加"), - "addCollaborator": MessageLookupByLibrary.simpleMessage("コラボレーターを追加"), - "addFiles": MessageLookupByLibrary.simpleMessage("ファイルを追加"), - "addFromDevice": MessageLookupByLibrary.simpleMessage("デバイスから追加"), - "addLocation": MessageLookupByLibrary.simpleMessage("位置情報を追加"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("追加"), - "addMore": MessageLookupByLibrary.simpleMessage("さらに追加"), - "addName": MessageLookupByLibrary.simpleMessage("名前を追加"), - "addNameOrMerge": MessageLookupByLibrary.simpleMessage( - "名前をつける、あるいは既存の人物にまとめる", - ), - "addNew": MessageLookupByLibrary.simpleMessage("新規追加"), - "addNewPerson": MessageLookupByLibrary.simpleMessage("新しい人物を追加"), - "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage("アドオンの詳細"), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("アドオン"), - "addPhotos": MessageLookupByLibrary.simpleMessage("写真を追加"), - "addSelected": MessageLookupByLibrary.simpleMessage("選んだものをアルバムに追加"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("アルバムに追加"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Enteに追加"), - "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage("非表示アルバムに追加"), - "addTrustedContact": MessageLookupByLibrary.simpleMessage("信頼する連絡先を追加"), - "addViewer": MessageLookupByLibrary.simpleMessage("ビューアーを追加"), - "addYourPhotosNow": MessageLookupByLibrary.simpleMessage("写真を今すぐ追加する"), - "addedAs": MessageLookupByLibrary.simpleMessage("追加:"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": MessageLookupByLibrary.simpleMessage( - "お気に入りに追加しています...", - ), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("詳細"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("高度な設定"), - "after1Day": MessageLookupByLibrary.simpleMessage("1日後"), - "after1Hour": MessageLookupByLibrary.simpleMessage("1時間後"), - "after1Month": MessageLookupByLibrary.simpleMessage("1ヶ月後"), - "after1Week": MessageLookupByLibrary.simpleMessage("1週間後"), - "after1Year": MessageLookupByLibrary.simpleMessage("1年後"), - "albumOwner": MessageLookupByLibrary.simpleMessage("所有者"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("アルバムタイトル"), - "albumUpdated": MessageLookupByLibrary.simpleMessage("アルバムが更新されました"), - "albums": MessageLookupByLibrary.simpleMessage("アルバム"), - "allClear": MessageLookupByLibrary.simpleMessage("✨ オールクリア"), - "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( - "すべての思い出が保存されました", - ), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "この人のグループ化がリセットされ、この人かもしれない写真への提案もなくなります", - ), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "これはグループ内の最初のものです。他の選択した写真は、この新しい日付に基づいて自動的にシフトされます", - ), - "allow": MessageLookupByLibrary.simpleMessage("許可"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "リンクを持つ人が共有アルバムに写真を追加できるようにします。", - ), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage("写真の追加を許可"), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "共有アルバムリンクを開くことをアプリに許可する", - ), - "allowDownloads": MessageLookupByLibrary.simpleMessage("ダウンロードを許可"), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "写真の追加をメンバーに許可する", - ), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Enteがライブラリを表示およびバックアップできるように、端末の設定から写真へのアクセスを許可してください。", - ), - "allowPermTitle": MessageLookupByLibrary.simpleMessage("写真へのアクセスを許可"), - "androidBiometricHint": MessageLookupByLibrary.simpleMessage("本人確認を行う"), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "認識できません。再試行してください。", - ), - "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( - "生体認証が必要です", - ), - "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("成功"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("キャンセル"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage("デバイスの認証情報が必要です"), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage("デバイスの認証情報が必要です"), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "生体認証がデバイスで設定されていません。生体認証を追加するには、\"設定 > セキュリティ\"を開いてください。", - ), - "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( - "Android、iOS、Web、Desktop", - ), - "androidSignInTitle": MessageLookupByLibrary.simpleMessage("認証が必要です"), - "appIcon": MessageLookupByLibrary.simpleMessage("アプリアイコン"), - "appLock": MessageLookupByLibrary.simpleMessage("アプリのロック"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "デバイスのデフォルトのロック画面と、カスタムロック画面のどちらを利用しますか?", - ), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), - "apply": MessageLookupByLibrary.simpleMessage("適用"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("コードを適用"), - "appstoreSubscription": MessageLookupByLibrary.simpleMessage( - "AppStore サブスクリプション", - ), - "archive": MessageLookupByLibrary.simpleMessage("アーカイブ"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("アルバムをアーカイブ"), - "archiving": MessageLookupByLibrary.simpleMessage("アーカイブ中です"), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage("本当にファミリープランを退会しますか?"), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "キャンセルしてもよろしいですか?", - ), - "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( - "プランを変更して良いですか?", - ), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "本当に中止してよろしいですか?", - ), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "本当にログアウトしてよろしいですか?", - ), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "更新してもよろしいですか?", - ), - "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( - "この人を忘れてもよろしいですね?", - ), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "サブスクリプションはキャンセルされました。理由を教えていただけますか?", - ), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "アカウントを削除する理由を教えて下さい", - ), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "あなたの愛する人にシェアしてもらうように頼んでください", - ), - "atAFalloutShelter": MessageLookupByLibrary.simpleMessage("核シェルターで"), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage("メール確認を変更するには認証してください"), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "画面のロックの設定を変更するためには認証が必要です", - ), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "メールアドレスを変更するには認証してください", - ), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "メールアドレスを変更するには認証してください", - ), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage("2段階認証を設定するには認証してください"), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "アカウントの削除をするためには認証が必要です", - ), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "信頼する連絡先を管理するために認証してください", - ), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "パスキーを表示するには認証してください", - ), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "削除したファイルを閲覧するには認証が必要です", - ), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "アクティブなセッションを表示するためには認証が必要です", - ), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "隠しファイルを表示するには認証してください", - ), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "思い出を閲覧するためには認証が必要です", - ), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "リカバリーキーを表示するためには認証が必要です", - ), - "authenticating": MessageLookupByLibrary.simpleMessage("認証中..."), - "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "認証が間違っています。もう一度お試しください", - ), - "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( - "認証に成功しました!", - ), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "利用可能なキャストデバイスが表示されます。", - ), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "ローカルネットワークへのアクセス許可がEnte Photosアプリに与えられているか確認してください", - ), - "autoLock": MessageLookupByLibrary.simpleMessage("自動ロック"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "アプリがバックグラウンドでロックするまでの時間", - ), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "技術的な不具合により、ログアウトしました。ご不便をおかけして申し訳ございません。", - ), - "autoPair": MessageLookupByLibrary.simpleMessage("オートペアリング"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "自動ペアリングは Chromecast に対応しているデバイスでのみ動作します。", - ), - "available": MessageLookupByLibrary.simpleMessage("ご利用可能"), - "availableStorageSpace": m10, - "backedUpFolders": MessageLookupByLibrary.simpleMessage("バックアップされたフォルダ"), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("バックアップ"), - "backupFailed": MessageLookupByLibrary.simpleMessage("バックアップ失敗"), - "backupFile": MessageLookupByLibrary.simpleMessage("バックアップファイル"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "モバイルデータを使ってバックアップ", - ), - "backupSettings": MessageLookupByLibrary.simpleMessage("バックアップ設定"), - "backupStatus": MessageLookupByLibrary.simpleMessage("バックアップの状態"), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "バックアップされたアイテムがここに表示されます", - ), - "backupVideos": MessageLookupByLibrary.simpleMessage("動画をバックアップ"), - "beach": MessageLookupByLibrary.simpleMessage("砂浜と海"), - "birthday": MessageLookupByLibrary.simpleMessage("誕生日"), - "blackFridaySale": MessageLookupByLibrary.simpleMessage("ブラックフライデーセール"), - "blog": MessageLookupByLibrary.simpleMessage("ブログ"), - "cachedData": MessageLookupByLibrary.simpleMessage("キャッシュデータ"), - "calculating": MessageLookupByLibrary.simpleMessage("計算中..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "申し訳ありません。このアルバムをアプリで開くことができませんでした。", - ), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage("このアルバムは開けません"), - "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( - "他の人が作ったアルバムにはアップロードできません", - ), - "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "あなたが所有するファイルのみリンクを作成できます", - ), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "あなたが所有しているファイルのみを削除できます", - ), - "cancel": MessageLookupByLibrary.simpleMessage("キャンセル"), - "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage("リカバリをキャンセル"), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "リカバリをキャンセルしてもよろしいですか?", - ), - "cancelOtherSubscription": m12, - "cancelSubscription": MessageLookupByLibrary.simpleMessage( - "サブスクリプションをキャンセル", - ), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "共有ファイルは削除できません", - ), - "castAlbum": MessageLookupByLibrary.simpleMessage("アルバムをキャスト"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "TVと同じネットワーク上にいることを確認してください。", - ), - "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( - "アルバムのキャストに失敗しました", - ), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "ペアリングしたいデバイスでcast.ente.ioにアクセスしてください。\n\nテレビでアルバムを再生するには以下のコードを入力してください。", - ), - "centerPoint": MessageLookupByLibrary.simpleMessage("中心点"), - "change": MessageLookupByLibrary.simpleMessage("変更"), - "changeEmail": MessageLookupByLibrary.simpleMessage("Eメールを変更"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "選択したアイテムの位置を変更しますか?", - ), - "changePassword": MessageLookupByLibrary.simpleMessage("パスワードを変更"), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage("パスワードを変更"), - "changePermissions": MessageLookupByLibrary.simpleMessage("権限を変更する"), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "自分自身の紹介コードを変更する", - ), - "checkForUpdates": MessageLookupByLibrary.simpleMessage("アップデートを確認"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "メールボックスを確認してEメールの所有を証明してください(見つからない場合は、スパムの中も確認してください)", - ), - "checkStatus": MessageLookupByLibrary.simpleMessage("ステータスの確認"), - "checking": MessageLookupByLibrary.simpleMessage("確認中…"), - "checkingModels": MessageLookupByLibrary.simpleMessage("モデルを確認しています..."), - "city": MessageLookupByLibrary.simpleMessage("市街"), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage("無料のストレージを受け取る"), - "claimMore": MessageLookupByLibrary.simpleMessage("もっと!"), - "claimed": MessageLookupByLibrary.simpleMessage("受け取り済"), - "claimedStorageSoFar": m14, - "cleanUncategorized": MessageLookupByLibrary.simpleMessage("未分類のクリーンアップ"), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "他のアルバムに存在する「未分類」からすべてのファイルを削除", - ), - "clearCaches": MessageLookupByLibrary.simpleMessage("キャッシュをクリア"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("行った処理をクリアする"), - "click": MessageLookupByLibrary.simpleMessage("• クリック"), - "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( - "• 三点ドットをクリックしてください", - ), - "close": MessageLookupByLibrary.simpleMessage("閉じる"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage("時間ごとにまとめる"), - "clubByFileName": MessageLookupByLibrary.simpleMessage("ファイル名ごとにまとめる"), - "clusteringProgress": MessageLookupByLibrary.simpleMessage("クラスタリングの進行状況"), - "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( - "コードが適用されました。", - ), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "コード変更の回数上限に達しました。", - ), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "コードがクリップボードにコピーされました", - ), - "codeUsedByYou": MessageLookupByLibrary.simpleMessage("あなたが使用したコード"), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Enteアプリやアカウントを持っていない人にも、共有アルバムに写真を追加したり表示したりできるリンクを作成します。", - ), - "collaborativeLink": MessageLookupByLibrary.simpleMessage("共同作業リンク"), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("コラボレーター"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage("コラボレーターは共有アルバムに写真やビデオを追加できます。"), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("レイアウト"), - "collageSaved": MessageLookupByLibrary.simpleMessage("コラージュをギャラリーに保存しました"), - "collect": MessageLookupByLibrary.simpleMessage("集める"), - "collectEventPhotos": MessageLookupByLibrary.simpleMessage("イベントの写真を集めよう"), - "collectPhotos": MessageLookupByLibrary.simpleMessage("写真を集めよう"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "友達が写真をアップロードできるリンクを作成できます", - ), - "color": MessageLookupByLibrary.simpleMessage("色"), - "configuration": MessageLookupByLibrary.simpleMessage("設定"), - "confirm": MessageLookupByLibrary.simpleMessage("確認"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "2 要素認証を無効にしてよろしいですか。", - ), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "アカウント削除の確認", - ), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "はい、アカウントとすべてのアプリのデータを削除します", - ), - "confirmPassword": MessageLookupByLibrary.simpleMessage("パスワードを確認"), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage("プランの変更を確認"), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage("リカバリーキーを確認"), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "リカバリーキーを確認", - ), - "connectToDevice": MessageLookupByLibrary.simpleMessage("デバイスに接続"), - "contactFamilyAdmin": m18, - "contactSupport": MessageLookupByLibrary.simpleMessage("お問い合わせ"), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("連絡先"), - "contents": MessageLookupByLibrary.simpleMessage("内容"), - "continueLabel": MessageLookupByLibrary.simpleMessage("つづける"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage("無料トライアルで続ける"), - "convertToAlbum": MessageLookupByLibrary.simpleMessage("アルバムに変換"), - "copyEmailAddress": MessageLookupByLibrary.simpleMessage("メールアドレスをコピー"), - "copyLink": MessageLookupByLibrary.simpleMessage("リンクをコピー"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage("認証アプリにこのコードをコピペしてください"), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "データをバックアップできませんでした。\n後で再試行します。", - ), - "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( - "スペースを解放できませんでした", - ), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "サブスクリプションを更新できませんでした", - ), - "count": MessageLookupByLibrary.simpleMessage("カウント"), - "crashReporting": MessageLookupByLibrary.simpleMessage("クラッシュを報告"), - "create": MessageLookupByLibrary.simpleMessage("作成"), - "createAccount": MessageLookupByLibrary.simpleMessage("アカウント作成"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "長押しで写真を選択し、+をクリックしてアルバムを作成します", - ), - "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( - "共同作業用リンクを作成", - ), - "createCollage": MessageLookupByLibrary.simpleMessage("コラージュを作る"), - "createNewAccount": MessageLookupByLibrary.simpleMessage("新規アカウントを作成"), - "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage("アルバムを作成または選択"), - "createPublicLink": MessageLookupByLibrary.simpleMessage("公開リンクを作成"), - "creatingLink": MessageLookupByLibrary.simpleMessage("リンクを作成中..."), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "重要なアップデートがあります", - ), - "crop": MessageLookupByLibrary.simpleMessage("クロップ"), - "currentUsageIs": MessageLookupByLibrary.simpleMessage("現在の使用状況 "), - "currentlyRunning": MessageLookupByLibrary.simpleMessage("現在実行中"), - "custom": MessageLookupByLibrary.simpleMessage("カスタム"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("ダーク"), - "dayToday": MessageLookupByLibrary.simpleMessage("今日"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("昨日"), - "declineTrustInvite": MessageLookupByLibrary.simpleMessage("招待を拒否する"), - "decrypting": MessageLookupByLibrary.simpleMessage("復号しています"), - "decryptingVideo": MessageLookupByLibrary.simpleMessage("ビデオの復号化中..."), - "deduplicateFiles": MessageLookupByLibrary.simpleMessage("重複ファイル"), - "delete": MessageLookupByLibrary.simpleMessage("削除"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("アカウントを削除"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "今までご利用ありがとうございました。改善点があれば、フィードバックをお寄せください", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "アカウントの削除", - ), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("アルバムの削除"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "このアルバムに含まれている写真 (およびビデオ) を すべて 他のアルバムからも削除しますか?", - ), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "空のアルバムはすべて削除されます。", - ), - "deleteAll": MessageLookupByLibrary.simpleMessage("全て削除"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "このアカウントは他のEnteアプリも使用している場合はそれらにも紐づけされています。\nすべてのEnteアプリでアップロードされたデータは削除され、アカウントは完全に削除されます。", - ), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "account-deletion@ente.ioにあなたの登録したメールアドレスからメールを送信してください", - ), - "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage("空のアルバムを削除"), - "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( - "空のアルバムを削除しますか?", - ), - "deleteFromBoth": MessageLookupByLibrary.simpleMessage("両方から削除"), - "deleteFromDevice": MessageLookupByLibrary.simpleMessage("デバイスから削除"), - "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Enteから削除"), - "deleteItemCount": m21, - "deleteLocation": MessageLookupByLibrary.simpleMessage("位置情報を削除"), - "deletePhotos": MessageLookupByLibrary.simpleMessage("写真を削除"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage("いちばん必要な機能がない"), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "アプリや特定の機能が想定通りに動かない", - ), - "deleteReason3": MessageLookupByLibrary.simpleMessage("より良いサービスを見つけた"), - "deleteReason4": MessageLookupByLibrary.simpleMessage("該当する理由がない"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "リクエストは72時間以内に処理されます", - ), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage("共有アルバムを削除しますか?"), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "このアルバムは他の人からも削除されます\n\n他の人が共有してくれた写真も、あなたからは見れなくなります", - ), - "deselectAll": MessageLookupByLibrary.simpleMessage("選択解除"), - "designedToOutlive": MessageLookupByLibrary.simpleMessage("生き延びるためのデザイン"), - "details": MessageLookupByLibrary.simpleMessage("詳細"), - "developerSettings": MessageLookupByLibrary.simpleMessage("開発者向け設定"), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "開発者向け設定を変更してもよろしいですか?", - ), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage("コードを入力する"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "このデバイス上アルバムに追加されたファイルは自動的にEnteにアップロードされます。", - ), - "deviceLock": MessageLookupByLibrary.simpleMessage("デバイスロック"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "進行中のバックアップがある場合、デバイスがスリープしないようにします。\n\n※容量の大きいアップロードがある際にご活用ください。", - ), - "deviceNotFound": MessageLookupByLibrary.simpleMessage("デバイスが見つかりません"), - "didYouKnow": MessageLookupByLibrary.simpleMessage("ご存知ですか?"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage("自動ロックを無効にする"), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "ビューアーはスクリーンショットを撮ったり、外部ツールを使用して写真のコピーを保存したりすることができます", - ), - "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( - "ご注意ください", - ), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage("2段階認証を無効にする"), - "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( - "2要素認証を無効にしています...", - ), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("新たな発見"), - "discover_babies": MessageLookupByLibrary.simpleMessage("赤ちゃん"), - "discover_celebrations": MessageLookupByLibrary.simpleMessage("お祝い"), - "discover_food": MessageLookupByLibrary.simpleMessage("食べ物"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("自然"), - "discover_hills": MessageLookupByLibrary.simpleMessage("丘"), - "discover_identity": MessageLookupByLibrary.simpleMessage("身分証"), - "discover_memes": MessageLookupByLibrary.simpleMessage("ミーム"), - "discover_notes": MessageLookupByLibrary.simpleMessage("メモ"), - "discover_pets": MessageLookupByLibrary.simpleMessage("ペット"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("レシート"), - "discover_screenshots": MessageLookupByLibrary.simpleMessage("スクリーンショット"), - "discover_selfies": MessageLookupByLibrary.simpleMessage("セルフィー"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("夕焼け"), - "discover_visiting_cards": MessageLookupByLibrary.simpleMessage("訪問カード"), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage("壁紙"), - "dismiss": MessageLookupByLibrary.simpleMessage("閉じる"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage("サインアウトしない"), - "doThisLater": MessageLookupByLibrary.simpleMessage("あとで行う"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage("編集を破棄しますか?"), - "done": MessageLookupByLibrary.simpleMessage("完了"), - "dontSave": MessageLookupByLibrary.simpleMessage("保存しない"), - "doubleYourStorage": MessageLookupByLibrary.simpleMessage("ストレージを倍にしよう"), - "download": MessageLookupByLibrary.simpleMessage("ダウンロード"), - "downloadFailed": MessageLookupByLibrary.simpleMessage("ダウンロード失敗"), - "downloading": MessageLookupByLibrary.simpleMessage("ダウンロード中…"), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("編集"), - "editLocation": MessageLookupByLibrary.simpleMessage("位置情報を編集"), - "editLocationTagTitle": MessageLookupByLibrary.simpleMessage("位置情報を編集"), - "editPerson": MessageLookupByLibrary.simpleMessage("人物を編集"), - "editTime": MessageLookupByLibrary.simpleMessage("時刻を編集"), - "editsSaved": MessageLookupByLibrary.simpleMessage("編集が保存されました"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage("位置情報の編集はEnteでのみ表示されます"), - "eligible": MessageLookupByLibrary.simpleMessage("対象となる"), - "email": MessageLookupByLibrary.simpleMessage("Eメール"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "このメールアドレスはすでに登録されています。", - ), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "このメールアドレスはまだ登録されていません。", - ), - "emailVerificationToggle": MessageLookupByLibrary.simpleMessage("メール確認"), - "emailYourLogs": MessageLookupByLibrary.simpleMessage("ログをメールで送信"), - "embracingThem": m32, - "emergencyContacts": MessageLookupByLibrary.simpleMessage("緊急連絡先"), - "empty": MessageLookupByLibrary.simpleMessage("空"), - "emptyTrash": MessageLookupByLibrary.simpleMessage("ゴミ箱を空にしますか?"), - "enable": MessageLookupByLibrary.simpleMessage("有効化"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "Enteは顔認識、マジック検索、その他の高度な検索機能のため、あなたのデバイス上で機械学習をしています", - ), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "マジック検索と顔認識のため、機械学習を有効にする", - ), - "enableMaps": MessageLookupByLibrary.simpleMessage("マップを有効にする"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "世界地図上にあなたの写真を表示します。\n\n地図はOpenStreetMapを利用しており、あなたの写真の位置情報が外部に共有されることはありません。\n\nこの機能は設定から無効にすることができます", - ), - "enabled": MessageLookupByLibrary.simpleMessage("有効"), - "encryptingBackup": MessageLookupByLibrary.simpleMessage("バックアップを暗号化中..."), - "encryption": MessageLookupByLibrary.simpleMessage("暗号化"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage("暗号化の鍵"), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "エンドポイントの更新に成功しました", - ), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "デフォルトで端末間で暗号化されています", - ), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "大切に保管します、Enteにファイルへのアクセスを許可してください", - ), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "写真を大切にバックアップするために許可が必要です", - ), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "Enteはあなたの思い出を保存します。デバイスを紛失しても、オンラインでアクセス可能です", - ), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "あなたの家族もあなたの有料プランに参加することができます。", - ), - "enterAlbumName": MessageLookupByLibrary.simpleMessage("アルバム名を入力"), - "enterCode": MessageLookupByLibrary.simpleMessage("コードを入力"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "もらったコードを入力して、無料のストレージを入手してください", - ), - "enterDateOfBirth": MessageLookupByLibrary.simpleMessage("誕生日(任意)"), - "enterEmail": MessageLookupByLibrary.simpleMessage("Eメールアドレスを入力してください"), - "enterFileName": MessageLookupByLibrary.simpleMessage("ファイル名を入力してください"), - "enterName": MessageLookupByLibrary.simpleMessage("名前を入力"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "あなたのデータを暗号化するための新しいパスワードを入力してください", - ), - "enterPassword": MessageLookupByLibrary.simpleMessage("パスワードを入力"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "あなたのデータを暗号化するためのパスワードを入力してください", - ), - "enterPersonName": MessageLookupByLibrary.simpleMessage("人名を入力してください"), - "enterPin": MessageLookupByLibrary.simpleMessage("PINを入力してください"), - "enterReferralCode": MessageLookupByLibrary.simpleMessage("紹介コードを入力してください"), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage("認証アプリに表示された 6 桁のコードを入力してください"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "有効なEメールアドレスを入力してください", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Eメールアドレスを入力", - ), - "enterYourPassword": MessageLookupByLibrary.simpleMessage("パスワードを入力"), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "リカバリーキーを入力してください", - ), - "error": MessageLookupByLibrary.simpleMessage("エラー"), - "everywhere": MessageLookupByLibrary.simpleMessage("どこでも"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": MessageLookupByLibrary.simpleMessage("既存のユーザー"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "このリンクは期限切れです。新たな期限を設定するか、期限設定そのものを無くすか、選択してください", - ), - "exportLogs": MessageLookupByLibrary.simpleMessage("ログのエクスポート"), - "exportYourData": MessageLookupByLibrary.simpleMessage("データをエクスポート"), - "extraPhotosFound": MessageLookupByLibrary.simpleMessage("追加の写真が見つかりました"), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "顔がまだ集まっていません。後で戻ってきてください", - ), - "faceRecognition": MessageLookupByLibrary.simpleMessage("顔認識"), - "faces": MessageLookupByLibrary.simpleMessage("顔"), - "failed": MessageLookupByLibrary.simpleMessage("失敗"), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage("コードを適用できませんでした"), - "failedToCancel": MessageLookupByLibrary.simpleMessage("キャンセルに失敗しました"), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( - "ビデオをダウンロードできませんでした", - ), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "アクティブなセッションの取得に失敗しました", - ), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "編集前の状態の取得に失敗しました", - ), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "紹介の詳細を取得できません。後でもう一度お試しください。", - ), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "アルバムの読み込みに失敗しました", - ), - "failedToPlayVideo": MessageLookupByLibrary.simpleMessage("動画の再生に失敗しました"), - "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( - "サブスクリプションの更新に失敗しました", - ), - "failedToRenew": MessageLookupByLibrary.simpleMessage("更新に失敗しました"), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "支払ステータスの確認に失敗しました", - ), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "5人までの家族をファミリープランに追加しましょう(追加料金無し)\n\n一人ひとりがプライベートなストレージを持ち、共有されない限りお互いに見ることはありません。\n\nファミリープランはEnteサブスクリプションに登録した人が利用できます。\n\nさっそく登録しましょう!", - ), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("ファミリー"), - "familyPlans": MessageLookupByLibrary.simpleMessage("ファミリープラン"), - "faq": MessageLookupByLibrary.simpleMessage("よくある質問"), - "faqs": MessageLookupByLibrary.simpleMessage("よくある質問"), - "favorite": MessageLookupByLibrary.simpleMessage("お気に入り"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("フィードバック"), - "file": MessageLookupByLibrary.simpleMessage("ファイル"), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "ギャラリーへの保存に失敗しました", - ), - "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage("説明を追加..."), - "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( - "ファイルがまだアップロードされていません", - ), - "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( - "ファイルをギャラリーに保存しました", - ), - "fileTypes": MessageLookupByLibrary.simpleMessage("ファイルの種類"), - "fileTypesAndNames": MessageLookupByLibrary.simpleMessage("ファイルの種類と名前"), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage("削除されたファイル"), - "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( - "写真をダウンロードしました", - ), - "findPeopleByName": MessageLookupByLibrary.simpleMessage("名前で人を探す"), - "findThemQuickly": MessageLookupByLibrary.simpleMessage("すばやく見つける"), - "flip": MessageLookupByLibrary.simpleMessage("反転"), - "food": MessageLookupByLibrary.simpleMessage("料理を楽しむ"), - "forYourMemories": MessageLookupByLibrary.simpleMessage("思い出の為に"), - "forgotPassword": MessageLookupByLibrary.simpleMessage("パスワードを忘れた"), - "foundFaces": MessageLookupByLibrary.simpleMessage("見つかった顔"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage("空き容量を受け取る"), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "無料のストレージが利用可能です", - ), - "freeTrial": MessageLookupByLibrary.simpleMessage("無料トライアル"), - "freeTrialValidTill": m38, - "freeUpAmount": m40, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage("デバイスの空き領域を解放する"), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "すでにバックアップされているファイルを消去して、デバイスの容量を空けます。", - ), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("スペースを解放する"), - "gallery": MessageLookupByLibrary.simpleMessage("ギャラリー"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "ギャラリーに表示されるメモリは最大1000個までです", - ), - "general": MessageLookupByLibrary.simpleMessage("設定"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "暗号化鍵を生成しています", - ), - "genericProgress": m42, - "goToSettings": MessageLookupByLibrary.simpleMessage("設定に移動"), - "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "設定アプリで、すべての写真へのアクセスを許可してください", - ), - "grantPermission": MessageLookupByLibrary.simpleMessage("許可する"), - "greenery": MessageLookupByLibrary.simpleMessage("緑の生活"), - "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage("近くの写真をグループ化"), - "guestView": MessageLookupByLibrary.simpleMessage("ゲストビュー"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "アプリのロックを有効にするには、システム設定でデバイスのパスコードまたは画面ロックを設定してください。", - ), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "私たちはアプリのインストールを追跡していませんが、もしよければ、Enteをお知りになった場所を教えてください!", - ), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Ente についてどのようにお聞きになりましたか?(任意)", - ), - "help": MessageLookupByLibrary.simpleMessage("ヘルプ"), - "hidden": MessageLookupByLibrary.simpleMessage("非表示"), - "hide": MessageLookupByLibrary.simpleMessage("非表示"), - "hideContent": MessageLookupByLibrary.simpleMessage("内容を非表示"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "アプリ画面を非表示にし、スクリーンショットを無効にします", - ), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "アプリ切り替え時に、アプリの画面を非表示にします", - ), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "ホームギャラリーから共有された写真等を非表示", - ), - "hiding": MessageLookupByLibrary.simpleMessage("非表示にしています"), - "hikingWithThem": m43, - "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage("OSM Franceでホスト"), - "howItWorks": MessageLookupByLibrary.simpleMessage("仕組みを知る"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "設定画面でメールアドレスを長押しし、両デバイスのIDが一致していることを確認してください。", - ), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "生体認証がデバイスで設定されていません。Touch ID もしくは Face ID を有効にしてください。", - ), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "生体認証が無効化されています。画面をロック・ロック解除して生体認証を有効化してください。", - ), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("無視する"), - "ignored": MessageLookupByLibrary.simpleMessage("無視された"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "このアルバムの一部のファイルは、以前にEnteから削除されたため、あえてアップロード時に無視されます", - ), - "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage("画像が分析されていません"), - "immediately": MessageLookupByLibrary.simpleMessage("すぐに"), - "importing": MessageLookupByLibrary.simpleMessage("インポート中..."), - "incorrectCode": MessageLookupByLibrary.simpleMessage("誤ったコード"), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( - "パスワードが間違っています", - ), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "リカバリーキーが正しくありません", - ), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "リカバリーキーが間違っています", - ), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "リカバリーキーの誤り", - ), - "indexedItems": MessageLookupByLibrary.simpleMessage("処理済みの項目"), - "ineligible": MessageLookupByLibrary.simpleMessage("対象外"), - "info": MessageLookupByLibrary.simpleMessage("情報"), - "insecureDevice": MessageLookupByLibrary.simpleMessage("安全でないデバイス"), - "installManually": MessageLookupByLibrary.simpleMessage("手動でインストール"), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage("無効なEメールアドレス"), - "invalidEndpoint": MessageLookupByLibrary.simpleMessage("無効なエンドポイントです"), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "入力されたエンドポイントは無効です。有効なエンドポイントを入力して再試行してください。", - ), - "invalidKey": MessageLookupByLibrary.simpleMessage("無効なキー"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "入力されたリカバリーキーが無効です。24 単語が含まれていることを確認し、それぞれのスペルを確認してください。\n\n古い形式のリカバリーコードを入力した場合は、64 文字であることを確認して、それぞれを確認してください。", - ), - "invite": MessageLookupByLibrary.simpleMessage("招待"), - "inviteToEnte": MessageLookupByLibrary.simpleMessage("Enteに招待する"), - "inviteYourFriends": MessageLookupByLibrary.simpleMessage("友達を招待"), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "友達をEnteに招待する", - ), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "問題が発生したようです。しばらくしてから再試行してください。エラーが解決しない場合は、サポートチームにお問い合わせください。", - ), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage("完全に削除されるまでの日数が項目に表示されます"), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "選択したアイテムはこのアルバムから削除されます", - ), - "join": MessageLookupByLibrary.simpleMessage("参加する"), - "joinAlbum": MessageLookupByLibrary.simpleMessage("アルバムに参加"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "アルバムに参加すると、参加者にメールアドレスが公開されます。", - ), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( - "写真を表示したり、追加したりするために", - ), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "これを共有アルバムに追加するために", - ), - "joinDiscord": MessageLookupByLibrary.simpleMessage("Discordに参加"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("写真を残す"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "よければ、情報をお寄せください", - ), - "language": MessageLookupByLibrary.simpleMessage("言語"), - "lastTimeWithThem": m45, - "lastUpdated": MessageLookupByLibrary.simpleMessage("更新された順"), - "lastYearsTrip": MessageLookupByLibrary.simpleMessage("昨年の旅行"), - "leave": MessageLookupByLibrary.simpleMessage("離脱"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("アルバムを抜ける"), - "leaveFamily": MessageLookupByLibrary.simpleMessage("ファミリープランから退会"), - "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( - "共有アルバムを抜けてよいですか?", - ), - "left": MessageLookupByLibrary.simpleMessage("左"), - "legacy": MessageLookupByLibrary.simpleMessage("レガシー"), - "legacyAccounts": MessageLookupByLibrary.simpleMessage("レガシーアカウント"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "レガシーでは、信頼できる連絡先が不在時(あなたが亡くなった時など)にアカウントにアクセスできます。", - ), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "信頼できる連絡先はアカウントの回復を開始することができます。30日以内にあなたが拒否しない場合は、その信頼する人がパスワードをリセットしてあなたのアカウントにアクセスできるようになります。", - ), - "light": MessageLookupByLibrary.simpleMessage("ライト"), - "lightTheme": MessageLookupByLibrary.simpleMessage("ライト"), - "link": MessageLookupByLibrary.simpleMessage("リンク"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "リンクをクリップボードにコピーしました", - ), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("デバイスの制限"), - "linkEmail": MessageLookupByLibrary.simpleMessage("メールアドレスをリンクする"), - "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( - "共有を高速化するために", - ), - "linkEnabled": MessageLookupByLibrary.simpleMessage("有効"), - "linkExpired": MessageLookupByLibrary.simpleMessage("期限切れ"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("リンクの期限切れ"), - "linkHasExpired": MessageLookupByLibrary.simpleMessage("リンクは期限切れです"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("なし"), - "linkPerson": MessageLookupByLibrary.simpleMessage("人を紐づけ"), - "linkPersonCaption": MessageLookupByLibrary.simpleMessage("良い経験を分かち合うために"), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("ライブフォト"), - "loadMessage1": MessageLookupByLibrary.simpleMessage("サブスクリプションを家族と共有できます"), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "私たちはあなたのデータのコピーを3つ保管しています。1つは地下のシェルターにあります。", - ), - "loadMessage4": MessageLookupByLibrary.simpleMessage("すべてのアプリはオープンソースです"), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "当社のソースコードと暗号方式は外部から監査されています", - ), - "loadMessage6": MessageLookupByLibrary.simpleMessage("アルバムへのリンクを共有できます"), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "当社のモバイルアプリはバックグラウンドで実行され、新しい写真を暗号化してバックアップします", - ), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.ioにはアップローダーがあります", - ), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Xchacha20Poly1305を使用してデータを安全に暗号化します。", - ), - "loadingExifData": MessageLookupByLibrary.simpleMessage( - "EXIF データを読み込み中...", - ), - "loadingGallery": MessageLookupByLibrary.simpleMessage("ギャラリーを読み込み中..."), - "loadingMessage": MessageLookupByLibrary.simpleMessage("あなたの写真を読み込み中..."), - "loadingModel": MessageLookupByLibrary.simpleMessage("モデルをダウンロード中"), - "loadingYourPhotos": MessageLookupByLibrary.simpleMessage("写真を読み込んでいます..."), - "localGallery": MessageLookupByLibrary.simpleMessage("デバイス上のギャラリー"), - "localIndexing": MessageLookupByLibrary.simpleMessage("このデバイス上での実行"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "ローカルの写真の同期には予想以上の時間がかかっています。問題が発生したようです。サポートチームまでご連絡ください。", - ), - "location": MessageLookupByLibrary.simpleMessage("場所"), - "locationName": MessageLookupByLibrary.simpleMessage("場所名"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "位置タグは、写真の半径内で撮影されたすべての写真をグループ化します", - ), - "locations": MessageLookupByLibrary.simpleMessage("場所"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("ロック"), - "lockscreen": MessageLookupByLibrary.simpleMessage("画面のロック"), - "logInLabel": MessageLookupByLibrary.simpleMessage("ログイン"), - "loggingOut": MessageLookupByLibrary.simpleMessage("ログアウト中..."), - "loginSessionExpired": MessageLookupByLibrary.simpleMessage("セッション切れ"), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "セッションの有効期限が切れました。再度ログインしてください。", - ), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "「ログイン」をクリックすることで、利用規約プライバシーポリシーに同意します", - ), - "loginWithTOTP": MessageLookupByLibrary.simpleMessage("TOTPでログイン"), - "logout": MessageLookupByLibrary.simpleMessage("ログアウト"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "これにより、問題のデバッグに役立つログが送信されます。 特定のファイルの問題を追跡するために、ファイル名が含まれることに注意してください。", - ), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "表示されているEメールアドレスを長押しして、暗号化を確認します。", - ), - "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( - "アイテムを長押しして全画面表示する", - ), - "loopVideoOff": MessageLookupByLibrary.simpleMessage("ビデオのループをオフ"), - "loopVideoOn": MessageLookupByLibrary.simpleMessage("ビデオのループをオン"), - "lostDevice": MessageLookupByLibrary.simpleMessage("デバイスを紛失しましたか?"), - "machineLearning": MessageLookupByLibrary.simpleMessage("機械学習"), - "magicSearch": MessageLookupByLibrary.simpleMessage("マジックサーチ"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "マジック検索では、「花」、「赤い車」、「本人確認書類」などの写真に写っているもので検索できます。", - ), - "manage": MessageLookupByLibrary.simpleMessage("管理"), - "manageDeviceStorage": MessageLookupByLibrary.simpleMessage("端末のキャッシュを管理"), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "端末上のキャッシュを確認・削除", - ), - "manageFamily": MessageLookupByLibrary.simpleMessage("ファミリーの管理"), - "manageLink": MessageLookupByLibrary.simpleMessage("リンクを管理"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("管理"), - "manageSubscription": MessageLookupByLibrary.simpleMessage("サブスクリプションの管理"), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "PINを使ってペアリングすると、どんなスクリーンで動作します。", - ), - "map": MessageLookupByLibrary.simpleMessage("地図"), - "maps": MessageLookupByLibrary.simpleMessage("地図"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("自分"), - "merchandise": MessageLookupByLibrary.simpleMessage("グッズ"), - "mergeWithExisting": MessageLookupByLibrary.simpleMessage("既存の人物とまとめる"), - "mergedPhotos": MessageLookupByLibrary.simpleMessage("統合された写真"), - "mlConsent": MessageLookupByLibrary.simpleMessage("機械学習を有効にする"), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "機械学習を可能にしたい", - ), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "機械学習を有効にすると、Enteは顔などの情報をファイルから抽出します。\n\nこれはお使いのデバイスで行われ、生成された生体情報は暗号化されます。", - ), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "この機能の詳細については、こちらをクリックしてください。", - ), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage("機械学習を有効にしますか?"), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "すべての項目が処理されるまで、機械学習は帯域幅とバッテリー使用量が高くなりますのでご注意ください。 処理を高速で終わらせたい場合はデスクトップアプリを使用するのがおすすめです。結果は自動的に同期されます。", - ), - "mobileWebDesktop": MessageLookupByLibrary.simpleMessage("モバイル、Web、デスクトップ"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("普通のパスワード"), - "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( - "クエリを変更するか、以下のように検索してみてください", - ), - "moments": MessageLookupByLibrary.simpleMessage("日々の瞬間"), - "month": MessageLookupByLibrary.simpleMessage("月"), - "monthly": MessageLookupByLibrary.simpleMessage("月額"), - "moon": MessageLookupByLibrary.simpleMessage("月明かりの中"), - "moreDetails": MessageLookupByLibrary.simpleMessage("さらに詳細を表示"), - "mostRecent": MessageLookupByLibrary.simpleMessage("新しい順"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("関連度順"), - "mountains": MessageLookupByLibrary.simpleMessage("丘を超えて"), - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "選択した写真を1つの日付に移動", - ), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("アルバムに移動"), - "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage("隠しアルバムに移動"), - "movedSuccessfullyTo": m52, - "movedToTrash": MessageLookupByLibrary.simpleMessage("ごみ箱へ移動"), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage("アルバムにファイルを移動中"), - "name": MessageLookupByLibrary.simpleMessage("名前順"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("アルバムに名前を付けよう"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Enteに接続できませんでした。しばらくしてから再試行してください。エラーが解決しない場合は、サポートにお問い合わせください。", - ), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Enteに接続できませんでした。ネットワーク設定を確認し、エラーが解決しない場合はサポートにお問い合わせください。", - ), - "never": MessageLookupByLibrary.simpleMessage("なし"), - "newAlbum": MessageLookupByLibrary.simpleMessage("新しいアルバム"), - "newLocation": MessageLookupByLibrary.simpleMessage("新しいロケーション"), - "newPerson": MessageLookupByLibrary.simpleMessage("新しい人物"), - "newRange": MessageLookupByLibrary.simpleMessage("範囲を追加"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Enteを初めて使用する"), - "newest": MessageLookupByLibrary.simpleMessage("新しい順"), - "next": MessageLookupByLibrary.simpleMessage("次へ"), - "no": MessageLookupByLibrary.simpleMessage("いいえ"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "あなたが共有したアルバムはまだありません", - ), - "noDeviceFound": MessageLookupByLibrary.simpleMessage("デバイスが見つかりません"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("なし"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "削除できるファイルがありません", - ), - "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ 重複なし"), - "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( - "アカウントがありません!", - ), - "noExifData": MessageLookupByLibrary.simpleMessage("EXIFデータはありません"), - "noFacesFound": MessageLookupByLibrary.simpleMessage("顔が見つかりません"), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "非表示の写真やビデオはありません", - ), - "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( - "位置情報のある画像がありません", - ), - "noInternetConnection": MessageLookupByLibrary.simpleMessage("インターネット接続なし"), - "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( - "現在バックアップされている写真はありません", - ), - "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage("写真が見つかりません"), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( - "クイックリンクが選択されていません", - ), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage("リカバリーキーがないですか?"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "あなたのデータはエンドツーエンド暗号化されており、パスワードかリカバリーキーがない場合、データを復号することはできません", - ), - "noResults": MessageLookupByLibrary.simpleMessage("該当なし"), - "noResultsFound": MessageLookupByLibrary.simpleMessage("一致する結果が見つかりませんでした"), - "noSuggestionsForPerson": m53, - "noSystemLockFound": MessageLookupByLibrary.simpleMessage( - "システムロックが見つかりませんでした", - ), - "notPersonLabel": m54, - "notThisPerson": MessageLookupByLibrary.simpleMessage("この人ではありませんか?"), - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "あなたに共有されたものはありません", - ), - "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( - "ここに表示されるものはありません! 👀", - ), - "notifications": MessageLookupByLibrary.simpleMessage("通知"), - "ok": MessageLookupByLibrary.simpleMessage("OK"), - "onDevice": MessageLookupByLibrary.simpleMessage("デバイス上"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "Enteが保管", - ), - "onTheRoad": MessageLookupByLibrary.simpleMessage("再び道で"), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("この人のみ"), - "oops": MessageLookupByLibrary.simpleMessage("Oops"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "編集を保存できませんでした", - ), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage("問題が発生しました"), - "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage("ブラウザでアルバムを開く"), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "このアルバムに写真を追加するには、Webアプリを使用してください", - ), - "openFile": MessageLookupByLibrary.simpleMessage("ファイルを開く"), - "openSettings": MessageLookupByLibrary.simpleMessage("設定を開く"), - "openTheItem": MessageLookupByLibrary.simpleMessage("• アイテムを開く"), - "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( - "OpenStreetMap のコントリビューター", - ), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "省略可能、好きなだけお書きください...", - ), - "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( - "既存のものと統合する", - ), - "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage("または既存のものを選択"), - "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( - "または連絡先から選択", - ), - "pair": MessageLookupByLibrary.simpleMessage("ペアリング"), - "pairWithPin": MessageLookupByLibrary.simpleMessage("PINを使ってペアリングする"), - "pairingComplete": MessageLookupByLibrary.simpleMessage("ペアリング完了"), - "panorama": MessageLookupByLibrary.simpleMessage("パノラマ"), - "partyWithThem": m56, - "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( - "検証はまだ保留中です", - ), - "passkey": MessageLookupByLibrary.simpleMessage("パスキー"), - "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage("パスキーの検証"), - "password": MessageLookupByLibrary.simpleMessage("パスワード"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "パスワードの変更に成功しました", - ), - "passwordLock": MessageLookupByLibrary.simpleMessage("パスワード保護"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "パスワードの長さ、使用される文字の種類を考慮してパスワードの強度は計算されます。", - ), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "このパスワードを忘れると、あなたのデータを復号することは私達にもできません", - ), - "paymentDetails": MessageLookupByLibrary.simpleMessage("お支払い情報"), - "paymentFailed": MessageLookupByLibrary.simpleMessage("支払いに失敗しました"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "残念ながらお支払いに失敗しました。サポートにお問い合わせください。お手伝いします!", - ), - "paymentFailedTalkToProvider": m58, - "pendingItems": MessageLookupByLibrary.simpleMessage("処理待ちの項目"), - "pendingSync": MessageLookupByLibrary.simpleMessage("同期を保留中"), - "people": MessageLookupByLibrary.simpleMessage("人物"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "あなたのコードを使っている人", - ), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "ゴミ箱を空にしました\n\nこの操作はもとに戻せません", - ), - "permanentlyDelete": MessageLookupByLibrary.simpleMessage("完全に削除"), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "デバイスから完全に削除しますか?", - ), - "personIsAge": m59, - "personName": MessageLookupByLibrary.simpleMessage("人名名"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("毛むくじゃらな仲間たち"), - "photoDescriptions": MessageLookupByLibrary.simpleMessage("写真の説明"), - "photoGridSize": MessageLookupByLibrary.simpleMessage("写真のグリッドサイズ"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("写真"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("写真"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage("あなたの追加した写真はこのアルバムから削除されます"), - "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( - "写真はお互いの相対的な時間差を維持します", - ), - "pickCenterPoint": MessageLookupByLibrary.simpleMessage("中心点を選択"), - "pinAlbum": MessageLookupByLibrary.simpleMessage("アルバムをピンする"), - "pinLock": MessageLookupByLibrary.simpleMessage("PINロック"), - "playOnTv": MessageLookupByLibrary.simpleMessage("TVでアルバムを再生"), - "playOriginal": MessageLookupByLibrary.simpleMessage("元動画を再生"), - "playStoreFreeTrialValidTill": m63, - "playStream": MessageLookupByLibrary.simpleMessage("再生"), - "playstoreSubscription": MessageLookupByLibrary.simpleMessage( - "PlayStoreサブスクリプション", - ), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage("インターネット接続を確認して、再試行してください。"), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Support@ente.ioにお問い合わせください、お手伝いいたします。", - ), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage("問題が解決しない場合はサポートにお問い合わせください"), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( - "権限を付与してください", - ), - "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage("もう一度試してください"), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "削除するクイックリンクを選択してください", - ), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("もう一度試してください"), - "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( - "入力したコードを確認してください", - ), - "pleaseWait": MessageLookupByLibrary.simpleMessage("お待ち下さい"), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "お待ちください、アルバムを削除しています", - ), - "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( - "再試行する前にしばらくお待ちください", - ), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "しばらくお待ちください。時間がかかります。", - ), - "posingWithThem": m66, - "preparingLogs": MessageLookupByLibrary.simpleMessage("ログを準備中..."), - "preserveMore": MessageLookupByLibrary.simpleMessage("もっと保存する"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "長押しで動画を再生", - ), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "画像の長押しで動画を再生", - ), - "previous": MessageLookupByLibrary.simpleMessage("前"), - "privacy": MessageLookupByLibrary.simpleMessage("プライバシー"), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage("プライバシーポリシー"), - "privateBackups": MessageLookupByLibrary.simpleMessage("プライベートバックアップ"), - "privateSharing": MessageLookupByLibrary.simpleMessage("プライベート共有"), - "proceed": MessageLookupByLibrary.simpleMessage("続行"), - "processed": MessageLookupByLibrary.simpleMessage("処理完了"), - "processing": MessageLookupByLibrary.simpleMessage("処理中"), - "processingImport": m67, - "processingVideos": MessageLookupByLibrary.simpleMessage("動画を処理中"), - "publicLinkCreated": MessageLookupByLibrary.simpleMessage("公開リンクが作成されました"), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage("公開リンクを有効にしました"), - "queued": MessageLookupByLibrary.simpleMessage("処理待ち"), - "quickLinks": MessageLookupByLibrary.simpleMessage("クイックリンク"), - "radius": MessageLookupByLibrary.simpleMessage("半径"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("サポートを受ける"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("アプリを評価"), - "rateUs": MessageLookupByLibrary.simpleMessage("評価して下さい"), - "rateUsOnStore": m68, - "reassignMe": MessageLookupByLibrary.simpleMessage("\"自分\" を再割り当て"), - "reassignedToName": m69, - "reassigningLoading": MessageLookupByLibrary.simpleMessage("再割り当て中..."), - "recover": MessageLookupByLibrary.simpleMessage("復元"), - "recoverAccount": MessageLookupByLibrary.simpleMessage("アカウントを復元"), - "recoverButton": MessageLookupByLibrary.simpleMessage("復元"), - "recoveryAccount": MessageLookupByLibrary.simpleMessage("アカウントを復元"), - "recoveryInitiated": MessageLookupByLibrary.simpleMessage("リカバリが開始されました"), - "recoveryInitiatedDesc": m70, - "recoveryKey": MessageLookupByLibrary.simpleMessage("リカバリーキー"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "リカバリーキーはクリップボードにコピーされました", - ), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "パスワードを忘れてしまったら、このリカバリーキーがあなたのデータを復元する唯一の方法です。", - ), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "リカバリーキーは私達も保管しません。この24個の単語を安全な場所に保管してください。", - ), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "リカバリーキーは有効です。ご確認いただきありがとうございます。\n\nリカバリーキーは今後も安全にバックアップしておいてください。", - ), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "リカバリキーが確認されました", - ), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "パスワードを忘れた場合、リカバリーキーは写真を復元するための唯一の方法になります。なお、設定 > アカウント でリカバリーキーを確認することができます。\n \n\nここにリカバリーキーを入力して、正しく保存できていることを確認してください。", - ), - "recoveryReady": m71, - "recoverySuccessful": MessageLookupByLibrary.simpleMessage("復元に成功しました!"), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "信頼する連絡先の持ち主があなたのアカウントにアクセスしようとしています", - ), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "このデバイスではパスワードを確認する能力が足りません。\n\n恐れ入りますが、リカバリーキーを入力してパスワードを再生成する必要があります。", - ), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage("パスワードを再生成"), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": MessageLookupByLibrary.simpleMessage("パスワードを再入力してください"), - "reenterPin": MessageLookupByLibrary.simpleMessage("PINを再入力してください"), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "友達に紹介して2倍", - ), - "referralStep1": MessageLookupByLibrary.simpleMessage("1. このコードを友達に贈りましょう"), - "referralStep2": MessageLookupByLibrary.simpleMessage("2. 友達が有料プランに登録"), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("リフェラル"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "リフェラルは現在一時停止しています", - ), - "rejectRecovery": MessageLookupByLibrary.simpleMessage("リカバリを拒否する"), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "また、空き領域を取得するには、「設定」→「ストレージ」から「最近削除した項目」を空にします", - ), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "「ゴミ箱」も空にするとアカウントのストレージが解放されます", - ), - "remoteImages": MessageLookupByLibrary.simpleMessage("デバイス上にない画像"), - "remoteThumbnails": MessageLookupByLibrary.simpleMessage("リモートのサムネイル画像"), - "remoteVideos": MessageLookupByLibrary.simpleMessage("デバイス上にない動画"), - "remove": MessageLookupByLibrary.simpleMessage("削除"), - "removeDuplicates": MessageLookupByLibrary.simpleMessage("重複した項目を削除"), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "完全に重複しているファイルを確認し、削除します。", - ), - "removeFromAlbum": MessageLookupByLibrary.simpleMessage("アルバムから削除"), - "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( - "アルバムから削除しますか?", - ), - "removeFromFavorite": MessageLookupByLibrary.simpleMessage("お気に入りリストから外す"), - "removeInvite": MessageLookupByLibrary.simpleMessage("招待を削除"), - "removeLink": MessageLookupByLibrary.simpleMessage("リンクを削除"), - "removeParticipant": MessageLookupByLibrary.simpleMessage("参加者を削除"), - "removeParticipantBody": m74, - "removePersonLabel": MessageLookupByLibrary.simpleMessage("人名を削除"), - "removePublicLink": MessageLookupByLibrary.simpleMessage("公開リンクを削除"), - "removePublicLinks": MessageLookupByLibrary.simpleMessage("公開リンクを削除"), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "削除したアイテムのいくつかは他の人によって追加されました。あなたはそれらへのアクセスを失います", - ), - "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("削除しますか?"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "あなた自身を信頼できる連絡先から削除", - ), - "removingFromFavorites": MessageLookupByLibrary.simpleMessage( - "お気に入りから削除しています...", - ), - "rename": MessageLookupByLibrary.simpleMessage("名前変更"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("アルバムの名前変更"), - "renameFile": MessageLookupByLibrary.simpleMessage("ファイル名を変更"), - "renewSubscription": MessageLookupByLibrary.simpleMessage("サブスクリプションの更新"), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("バグを報告"), - "reportBug": MessageLookupByLibrary.simpleMessage("バグを報告"), - "resendEmail": MessageLookupByLibrary.simpleMessage("メールを再送信"), - "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( - "アップロード時に無視されるファイルをリセット", - ), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage("パスワードをリセット"), - "resetPerson": MessageLookupByLibrary.simpleMessage("削除"), - "resetToDefault": MessageLookupByLibrary.simpleMessage("初期設定にリセット"), - "restore": MessageLookupByLibrary.simpleMessage("復元"), - "restoreToAlbum": MessageLookupByLibrary.simpleMessage("アルバムに戻す"), - "restoringFiles": MessageLookupByLibrary.simpleMessage("ファイルを復元中..."), - "resumableUploads": MessageLookupByLibrary.simpleMessage("再開可能なアップロード"), - "retry": MessageLookupByLibrary.simpleMessage("リトライ"), - "review": MessageLookupByLibrary.simpleMessage("確認"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "重複だと思うファイルを確認して削除してください", - ), - "reviewSuggestions": MessageLookupByLibrary.simpleMessage("提案を確認"), - "right": MessageLookupByLibrary.simpleMessage("右"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("回転"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("左に回転"), - "rotateRight": MessageLookupByLibrary.simpleMessage("右に回転"), - "safelyStored": MessageLookupByLibrary.simpleMessage("保管されています"), - "save": MessageLookupByLibrary.simpleMessage("保存"), - "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( - "その前に変更を保存しますか?", - ), - "saveCollage": MessageLookupByLibrary.simpleMessage("コラージュを保存"), - "saveCopy": MessageLookupByLibrary.simpleMessage("コピーを保存"), - "saveKey": MessageLookupByLibrary.simpleMessage("キーを保存"), - "savePerson": MessageLookupByLibrary.simpleMessage("人物を保存"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage("リカバリーキーを保存してください"), - "saving": MessageLookupByLibrary.simpleMessage("保存中…"), - "savingEdits": MessageLookupByLibrary.simpleMessage("編集を保存中..."), - "scanCode": MessageLookupByLibrary.simpleMessage("コードをスキャン"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage("認証アプリでQRコードをスキャンして下さい。"), - "search": MessageLookupByLibrary.simpleMessage("検索"), - "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("アルバム"), - "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage("アルバム名"), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• アルバム名 (e.g. \"Camera\")\n• ファイルの種類 (e.g. \"Videos\", \".gif\")\n• 年月日 (e.g. \"2022\", \"January\")\n• ホリデー (e.g. \"Christmas\")\n• 写真の説明文 (e.g. “#fun”)", - ), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "写真情報に \"#trip\" のように説明を追加すれば、ここで簡単に見つけることができます", - ), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "日付、月または年で検索", - ), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "処理と同期が完了すると、画像がここに表示されます", - ), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "学習が完了すると、ここに人が表示されます", - ), - "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( - "ファイルの種類と名前", - ), - "searchHint1": MessageLookupByLibrary.simpleMessage("デバイス上で高速検索"), - "searchHint2": MessageLookupByLibrary.simpleMessage("写真の日付、説明"), - "searchHint3": MessageLookupByLibrary.simpleMessage("アルバム、ファイル名、種類"), - "searchHint4": MessageLookupByLibrary.simpleMessage("場所"), - "searchHint5": MessageLookupByLibrary.simpleMessage("近日公開: フェイスとマジック検索 ✨"), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "当時の直近で撮影された写真をグループ化", - ), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "友達を招待すると、共有される写真はここから閲覧できます", - ), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "処理と同期が完了すると、ここに人々が表示されます", - ), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("セキュリティ"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "アプリ内で公開アルバムのリンクを見る", - ), - "selectALocation": MessageLookupByLibrary.simpleMessage("場所を選択"), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage( - "先に場所を選択してください", - ), - "selectAlbum": MessageLookupByLibrary.simpleMessage("アルバムを選択"), - "selectAll": MessageLookupByLibrary.simpleMessage("全て選択"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("すべて"), - "selectCoverPhoto": MessageLookupByLibrary.simpleMessage("カバー写真を選択"), - "selectDate": MessageLookupByLibrary.simpleMessage("日付を選択する"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "バックアップするフォルダを選択", - ), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "追加するアイテムを選んでください", - ), - "selectLanguage": MessageLookupByLibrary.simpleMessage("言語を選ぶ"), - "selectMailApp": MessageLookupByLibrary.simpleMessage("メールアプリを選択"), - "selectMorePhotos": MessageLookupByLibrary.simpleMessage("さらに写真を選択"), - "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( - "日付と時刻を1つ選択してください", - ), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "すべてに対して日付と時刻を1つ選択してください", - ), - "selectPersonToLink": MessageLookupByLibrary.simpleMessage("リンクする人を選択"), - "selectReason": MessageLookupByLibrary.simpleMessage(""), - "selectStartOfRange": MessageLookupByLibrary.simpleMessage("範囲の開始位置を選択"), - "selectTime": MessageLookupByLibrary.simpleMessage("時刻を選択"), - "selectYourFace": MessageLookupByLibrary.simpleMessage("あなたの顔を選択"), - "selectYourPlan": MessageLookupByLibrary.simpleMessage("プランを選びましょう"), - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "選択したファイルはEnte上にありません", - ), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage("選ばれたフォルダは暗号化されバックアップされます"), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "選択したアイテムはすべてのアルバムから削除され、ゴミ箱に移動されます。", - ), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "選択したアイテムはこの人としての登録が解除されますが、ライブラリからは削除されません。", - ), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("送信"), - "sendEmail": MessageLookupByLibrary.simpleMessage("メールを送信する"), - "sendInvite": MessageLookupByLibrary.simpleMessage("招待を送る"), - "sendLink": MessageLookupByLibrary.simpleMessage("リンクを送信"), - "serverEndpoint": MessageLookupByLibrary.simpleMessage("サーバーエンドポイント"), - "sessionExpired": MessageLookupByLibrary.simpleMessage("セッション切れ"), - "sessionIdMismatch": MessageLookupByLibrary.simpleMessage("セッションIDが一致しません"), - "setAPassword": MessageLookupByLibrary.simpleMessage("パスワードを設定"), - "setAs": MessageLookupByLibrary.simpleMessage("設定:"), - "setCover": MessageLookupByLibrary.simpleMessage("カバー画像をセット"), - "setLabel": MessageLookupByLibrary.simpleMessage("セット"), - "setNewPassword": MessageLookupByLibrary.simpleMessage("新しいパスワードを設定"), - "setNewPin": MessageLookupByLibrary.simpleMessage("新しいPINを設定"), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage("パスワードを決定"), - "setRadius": MessageLookupByLibrary.simpleMessage("半径の設定"), - "setupComplete": MessageLookupByLibrary.simpleMessage("セットアップ完了"), - "share": MessageLookupByLibrary.simpleMessage("共有"), - "shareALink": MessageLookupByLibrary.simpleMessage("リンクをシェアする"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "アルバムを開いて右上のシェアボタンをタップ", - ), - "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage("アルバムを共有"), - "shareLink": MessageLookupByLibrary.simpleMessage("リンクの共有"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "選んだ人と共有します", - ), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Enteをダウンロードして、写真や動画の共有を簡単に!\n\nhttps://ente.io", - ), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Enteを使っていない人に共有", - ), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( - "アルバムの共有をしてみましょう", - ), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "無料プランのユーザーを含む、他のEnteユーザーと共有および共同アルバムを作成します。", - ), - "sharedByMe": MessageLookupByLibrary.simpleMessage("あなたが共有しました"), - "sharedByYou": MessageLookupByLibrary.simpleMessage("あなたが共有しました"), - "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage("新しい共有写真"), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "誰かが写真を共有アルバムに追加した時に通知を受け取る", - ), - "sharedWith": m87, - "sharedWithMe": MessageLookupByLibrary.simpleMessage("あなたと共有されたアルバム"), - "sharedWithYou": MessageLookupByLibrary.simpleMessage("あなたと共有されています"), - "sharing": MessageLookupByLibrary.simpleMessage("共有中..."), - "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage("日付と時間のシフト"), - "showMemories": MessageLookupByLibrary.simpleMessage("思い出を表示"), - "showPerson": MessageLookupByLibrary.simpleMessage("人物を表示"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "他のデバイスからサインアウトする", - ), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "他の誰かがあなたのパスワードを知っている可能性があると判断した場合は、あなたのアカウントを使用している他のすべてのデバイスから強制的にサインアウトできます。", - ), - "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( - "他のデバイスからサインアウトする", - ), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "利用規約プライバシーポリシーに同意します", - ), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "全てのアルバムから削除されます。", - ), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("スキップ"), - "social": MessageLookupByLibrary.simpleMessage("SNS"), - "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( - "いくつかの項目は、Enteとお使いのデバイス上の両方にあります。", - ), - "someOfTheFilesYouAreTryingToDeleteAre": - MessageLookupByLibrary.simpleMessage( - "削除しようとしているファイルのいくつかは、お使いのデバイス上にのみあり、削除した場合は復元できません", - ), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage("アルバムを共有している人はデバイス上で同じIDを見るはずです。"), - "somethingWentWrong": MessageLookupByLibrary.simpleMessage("エラーが発生しました"), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "問題が起きてしまいました、もう一度試してください", - ), - "sorry": MessageLookupByLibrary.simpleMessage("すみません"), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "お気に入りに追加できませんでした。", - ), - "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( - "お気に入りから削除できませんでした", - ), - "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "入力されたコードは正しくありません", - ), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "このデバイスでは安全な鍵を生成することができませんでした。\n\n他のデバイスからサインアップを試みてください。", - ), - "sort": MessageLookupByLibrary.simpleMessage("並び替え"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("並び替え"), - "sortNewestFirst": MessageLookupByLibrary.simpleMessage("新しい順"), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage("古い順"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("成功✨"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": MessageLookupByLibrary.simpleMessage( - "あなた自身にスポットライト!", - ), - "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( - "リカバリを開始", - ), - "startBackup": MessageLookupByLibrary.simpleMessage("バックアップを開始"), - "status": MessageLookupByLibrary.simpleMessage("ステータス"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage("キャストを停止しますか?"), - "stopCastingTitle": MessageLookupByLibrary.simpleMessage("キャストを停止"), - "storage": MessageLookupByLibrary.simpleMessage("ストレージ"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("ファミリー"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("あなた"), - "storageInGB": m93, - "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( - "ストレージの上限を超えました", - ), - "storageUsageInfo": m94, - "streamDetails": MessageLookupByLibrary.simpleMessage("動画の詳細"), - "strongStrength": MessageLookupByLibrary.simpleMessage("強いパスワード"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("サブスクライブ"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "共有を有効にするには、有料サブスクリプションが必要です。", - ), - "subscription": MessageLookupByLibrary.simpleMessage("サブスクリプション"), - "success": MessageLookupByLibrary.simpleMessage("成功"), - "successfullyArchived": MessageLookupByLibrary.simpleMessage("アーカイブしました"), - "successfullyHid": MessageLookupByLibrary.simpleMessage("非表示にしました"), - "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( - "アーカイブを解除しました", - ), - "successfullyUnhid": MessageLookupByLibrary.simpleMessage("非表示を解除しました"), - "suggestFeatures": MessageLookupByLibrary.simpleMessage("機能を提案"), - "sunrise": MessageLookupByLibrary.simpleMessage("水平線"), - "support": MessageLookupByLibrary.simpleMessage("サポート"), - "syncProgress": m97, - "syncStopped": MessageLookupByLibrary.simpleMessage("同期が停止しました"), - "syncing": MessageLookupByLibrary.simpleMessage("同期中..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("システム"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("タップしてコピー"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage("タップしてコードを入力"), - "tapToUnlock": MessageLookupByLibrary.simpleMessage("タップして解除"), - "tapToUpload": MessageLookupByLibrary.simpleMessage("タップしてアップロード"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "問題が発生したようです。しばらくしてから再試行してください。エラーが解決しない場合は、サポートチームにお問い合わせください。", - ), - "terminate": MessageLookupByLibrary.simpleMessage("終了させる"), - "terminateSession": MessageLookupByLibrary.simpleMessage("セッションを終了"), - "terms": MessageLookupByLibrary.simpleMessage("規約"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("規約"), - "thankYou": MessageLookupByLibrary.simpleMessage("ありがとうございます"), - "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( - "ありがとうございます!", - ), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "ダウンロードを完了できませんでした", - ), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage("アクセスしようとしているリンクの期限が切れています。"), - "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "入力したリカバリーキーが間違っています", - ), - "theme": MessageLookupByLibrary.simpleMessage("テーマ"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage("これらの項目はデバイスから削除されます。"), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "全てのアルバムから削除されます。", - ), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "この操作は元に戻せません", - ), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage("このアルバムはすでにコラボレーションリンクが生成されています"), - "thisCanBeUsedToRecoverYourAccountIfYou": - MessageLookupByLibrary.simpleMessage( - "2段階認証を失った場合、アカウントを回復するために使用できます。", - ), - "thisDevice": MessageLookupByLibrary.simpleMessage("このデバイス"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "このメールアドレスはすでに使用されています。", - ), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "この画像にEXIFデータはありません", - ), - "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("これは私です"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "これはあなたの認証IDです", - ), - "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage("毎年のこの週"), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage("以下のデバイスからログアウトします:"), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "ログアウトします", - ), - "thisWillMakeTheDateAndTimeOfAllSelected": - MessageLookupByLibrary.simpleMessage("選択したすべての写真の日付と時刻が同じになります。"), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage("選択したすべてのクイックリンクの公開リンクを削除します。"), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "アプリのロックを有効にするには、システム設定でデバイスのパスコードまたは画面ロックを設定してください。", - ), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage("写真や動画を非表示にする"), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "パスワードのリセットをするには、まずEメールを確認してください", - ), - "todaysLogs": MessageLookupByLibrary.simpleMessage("今日のログ"), - "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( - "間違った回数が多すぎます", - ), - "total": MessageLookupByLibrary.simpleMessage("合計"), - "totalSize": MessageLookupByLibrary.simpleMessage("合計サイズ"), - "trash": MessageLookupByLibrary.simpleMessage("ゴミ箱"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("トリミング"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": MessageLookupByLibrary.simpleMessage("信頼する連絡先"), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("もう一度試してください"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "バックアップをオンにすると、このデバイスフォルダに追加されたファイルは自動的にEnteにアップロードされます。", - ), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "年次プランでは2ヶ月無料", - ), - "twofactor": MessageLookupByLibrary.simpleMessage("二段階認証"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage("二段階認証が無効になりました。"), - "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( - "2段階認証", - ), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage("2段階認証をリセットしました"), - "twofactorSetup": MessageLookupByLibrary.simpleMessage("2段階認証のセットアップ"), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("アーカイブ解除"), - "unarchiveAlbum": MessageLookupByLibrary.simpleMessage("アルバムのアーカイブ解除"), - "unarchiving": MessageLookupByLibrary.simpleMessage("アーカイブを解除中..."), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "このコードは利用できません", - ), - "uncategorized": MessageLookupByLibrary.simpleMessage("カテゴリなし"), - "unhide": MessageLookupByLibrary.simpleMessage("再表示"), - "unhideToAlbum": MessageLookupByLibrary.simpleMessage("アルバムを再表示する"), - "unhiding": MessageLookupByLibrary.simpleMessage("非表示を解除しています"), - "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "アルバムにファイルを表示しない", - ), - "unlock": MessageLookupByLibrary.simpleMessage("ロック解除"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("アルバムのピン留めを解除"), - "unselectAll": MessageLookupByLibrary.simpleMessage("すべての選択を解除"), - "update": MessageLookupByLibrary.simpleMessage("アップデート"), - "updateAvailable": MessageLookupByLibrary.simpleMessage("アップデートがあります"), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "フォルダの選択を更新しています...", - ), - "upgrade": MessageLookupByLibrary.simpleMessage("アップグレード"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "アルバムにファイルをアップロード中", - ), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( - "1メモリを保存しています...", - ), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "12月4日まで、最大50%オフ。", - ), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "使用可能なストレージは現在のプランによって制限されています。プランをアップグレードすると、あなたが手に入れたストレージが自動的に使用可能になります。", - ), - "useAsCover": MessageLookupByLibrary.simpleMessage("カバー写真として使用"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "この動画の再生に問題がありますか?別のプレイヤーを試すには、ここを長押ししてください。", - ), - "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( - "公開リンクを使用する(Enteを利用しない人と共有できます)", - ), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage("リカバリーキーを使用"), - "useSelectedPhoto": MessageLookupByLibrary.simpleMessage("選択した写真を使用"), - "usedSpace": MessageLookupByLibrary.simpleMessage("使用済み領域"), - "validTill": m110, - "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "確認に失敗しました、再試行してください", - ), - "verificationId": MessageLookupByLibrary.simpleMessage("確認用ID"), - "verify": MessageLookupByLibrary.simpleMessage("確認"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("Eメールの確認"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("確認"), - "verifyPasskey": MessageLookupByLibrary.simpleMessage("パスキーを確認"), - "verifyPassword": MessageLookupByLibrary.simpleMessage("パスワードの確認"), - "verifying": MessageLookupByLibrary.simpleMessage("確認中..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "リカバリキーを確認中...", - ), - "videoInfo": MessageLookupByLibrary.simpleMessage("ビデオ情報"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("ビデオ"), - "videos": MessageLookupByLibrary.simpleMessage("ビデオ"), - "viewActiveSessions": MessageLookupByLibrary.simpleMessage( - "アクティブなセッションを表示", - ), - "viewAddOnButton": MessageLookupByLibrary.simpleMessage("アドオンを表示"), - "viewAll": MessageLookupByLibrary.simpleMessage("すべて表示"), - "viewAllExifData": MessageLookupByLibrary.simpleMessage("全ての EXIF データを表示"), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("大きなファイル"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "最も多くのストレージを消費しているファイルを表示します。", - ), - "viewLogs": MessageLookupByLibrary.simpleMessage("ログを表示"), - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage("リカバリキーを表示"), - "viewer": MessageLookupByLibrary.simpleMessage("ビューアー"), - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "サブスクリプションを管理するにはweb.ente.ioをご覧ください", - ), - "waitingForVerification": MessageLookupByLibrary.simpleMessage( - "確認を待っています...", - ), - "waitingForWifi": MessageLookupByLibrary.simpleMessage("WiFi を待っています"), - "warning": MessageLookupByLibrary.simpleMessage("警告"), - "weAreOpenSource": MessageLookupByLibrary.simpleMessage("私たちはオープンソースです!"), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "あなたが所有していない写真やアルバムの編集はサポートされていません", - ), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("弱いパスワード"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("おかえりなさい!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("最新情報"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "信頼する連絡先は、データの復旧が必要な際に役立ちます。", - ), - "yearShort": MessageLookupByLibrary.simpleMessage("年"), - "yearly": MessageLookupByLibrary.simpleMessage("年額"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("はい"), - "yesCancel": MessageLookupByLibrary.simpleMessage("キャンセル"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage("ビューアーに変換する"), - "yesDelete": MessageLookupByLibrary.simpleMessage("はい、削除"), - "yesDiscardChanges": MessageLookupByLibrary.simpleMessage("はい、変更を破棄します。"), - "yesLogout": MessageLookupByLibrary.simpleMessage("はい、ログアウトします"), - "yesRemove": MessageLookupByLibrary.simpleMessage("削除"), - "yesRenew": MessageLookupByLibrary.simpleMessage("はい、更新する"), - "yesResetPerson": MessageLookupByLibrary.simpleMessage("リセット"), - "you": MessageLookupByLibrary.simpleMessage("あなた"), - "youAndThem": m117, - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( - "ファミリープランに入会しています!", - ), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "あなたは最新バージョンを使用しています", - ), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* 最大2倍のストレージまで", - ), - "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( - "作ったリンクは共有タブで管理できます", - ), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage("別の単語を検索してみてください。"), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "このプランにダウングレードはできません", - ), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "自分自身と共有することはできません", - ), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "アーカイブした項目はありません", - ), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "アカウントは削除されました", - ), - "yourMap": MessageLookupByLibrary.simpleMessage("あなたの地図"), - "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( - "プランはダウングレードされました", - ), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "プランはアップグレードされました", - ), - "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( - "決済に成功しました", - ), - "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( - "ストレージの詳細を取得できませんでした", - ), - "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( - "サブスクリプションの有効期限が終了しました", - ), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage("サブスクリプションが更新されました"), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "確認用コードが失効しました", - ), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage("削除できる同一ファイルはありません"), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage("このアルバムには消すファイルがありません"), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage("ズームアウトして写真を表示"), - }; + "aNewVersionOfEnteIsAvailable": + MessageLookupByLibrary.simpleMessage("Enteの新しいバージョンが利用可能です。"), + "about": MessageLookupByLibrary.simpleMessage("このアプリについて"), + "acceptTrustInvite": MessageLookupByLibrary.simpleMessage("招待を受け入れる"), + "account": MessageLookupByLibrary.simpleMessage("アカウント"), + "accountIsAlreadyConfigured": + MessageLookupByLibrary.simpleMessage("アカウントが既に設定されています"), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage("おかえりなさい!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "もしパスワードを忘れたら、自身のデータを失うことを理解しました"), + "activeSessions": MessageLookupByLibrary.simpleMessage("アクティブなセッション"), + "add": MessageLookupByLibrary.simpleMessage("追加"), + "addAName": MessageLookupByLibrary.simpleMessage("名前を追加"), + "addANewEmail": MessageLookupByLibrary.simpleMessage("新しいEメールアドレスを追加"), + "addCollaborator": MessageLookupByLibrary.simpleMessage("コラボレーターを追加"), + "addFiles": MessageLookupByLibrary.simpleMessage("ファイルを追加"), + "addFromDevice": MessageLookupByLibrary.simpleMessage("デバイスから追加"), + "addLocation": MessageLookupByLibrary.simpleMessage("位置情報を追加"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("追加"), + "addMore": MessageLookupByLibrary.simpleMessage("さらに追加"), + "addName": MessageLookupByLibrary.simpleMessage("名前を追加"), + "addNameOrMerge": + MessageLookupByLibrary.simpleMessage("名前をつける、あるいは既存の人物にまとめる"), + "addNew": MessageLookupByLibrary.simpleMessage("新規追加"), + "addNewPerson": MessageLookupByLibrary.simpleMessage("新しい人物を追加"), + "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage("アドオンの詳細"), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("アドオン"), + "addPhotos": MessageLookupByLibrary.simpleMessage("写真を追加"), + "addSelected": MessageLookupByLibrary.simpleMessage("選んだものをアルバムに追加"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("アルバムに追加"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Enteに追加"), + "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage("非表示アルバムに追加"), + "addTrustedContact": MessageLookupByLibrary.simpleMessage("信頼する連絡先を追加"), + "addViewer": MessageLookupByLibrary.simpleMessage("ビューアーを追加"), + "addYourPhotosNow": MessageLookupByLibrary.simpleMessage("写真を今すぐ追加する"), + "addedAs": MessageLookupByLibrary.simpleMessage("追加:"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": + MessageLookupByLibrary.simpleMessage("お気に入りに追加しています..."), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("詳細"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("高度な設定"), + "after1Day": MessageLookupByLibrary.simpleMessage("1日後"), + "after1Hour": MessageLookupByLibrary.simpleMessage("1時間後"), + "after1Month": MessageLookupByLibrary.simpleMessage("1ヶ月後"), + "after1Week": MessageLookupByLibrary.simpleMessage("1週間後"), + "after1Year": MessageLookupByLibrary.simpleMessage("1年後"), + "albumOwner": MessageLookupByLibrary.simpleMessage("所有者"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("アルバムタイトル"), + "albumUpdated": MessageLookupByLibrary.simpleMessage("アルバムが更新されました"), + "albums": MessageLookupByLibrary.simpleMessage("アルバム"), + "allClear": MessageLookupByLibrary.simpleMessage("✨ オールクリア"), + "allMemoriesPreserved": + MessageLookupByLibrary.simpleMessage("すべての思い出が保存されました"), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "この人のグループ化がリセットされ、この人かもしれない写真への提案もなくなります"), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "これはグループ内の最初のものです。他の選択した写真は、この新しい日付に基づいて自動的にシフトされます"), + "allow": MessageLookupByLibrary.simpleMessage("許可"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "リンクを持つ人が共有アルバムに写真を追加できるようにします。"), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage("写真の追加を許可"), + "allowAppToOpenSharedAlbumLinks": + MessageLookupByLibrary.simpleMessage("共有アルバムリンクを開くことをアプリに許可する"), + "allowDownloads": MessageLookupByLibrary.simpleMessage("ダウンロードを許可"), + "allowPeopleToAddPhotos": + MessageLookupByLibrary.simpleMessage("写真の追加をメンバーに許可する"), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Enteがライブラリを表示およびバックアップできるように、端末の設定から写真へのアクセスを許可してください。"), + "allowPermTitle": MessageLookupByLibrary.simpleMessage("写真へのアクセスを許可"), + "androidBiometricHint": MessageLookupByLibrary.simpleMessage("本人確認を行う"), + "androidBiometricNotRecognized": + MessageLookupByLibrary.simpleMessage("認識できません。再試行してください。"), + "androidBiometricRequiredTitle": + MessageLookupByLibrary.simpleMessage("生体認証が必要です"), + "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("成功"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("キャンセル"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage("デバイスの認証情報が必要です"), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage("デバイスの認証情報が必要です"), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "生体認証がデバイスで設定されていません。生体認証を追加するには、\"設定 > セキュリティ\"を開いてください。"), + "androidIosWebDesktop": + MessageLookupByLibrary.simpleMessage("Android、iOS、Web、Desktop"), + "androidSignInTitle": MessageLookupByLibrary.simpleMessage("認証が必要です"), + "appIcon": MessageLookupByLibrary.simpleMessage("アプリアイコン"), + "appLock": MessageLookupByLibrary.simpleMessage("アプリのロック"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "デバイスのデフォルトのロック画面と、カスタムロック画面のどちらを利用しますか?"), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), + "apply": MessageLookupByLibrary.simpleMessage("適用"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("コードを適用"), + "appstoreSubscription": + MessageLookupByLibrary.simpleMessage("AppStore サブスクリプション"), + "archive": MessageLookupByLibrary.simpleMessage("アーカイブ"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("アルバムをアーカイブ"), + "archiving": MessageLookupByLibrary.simpleMessage("アーカイブ中です"), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage("本当にファミリープランを退会しますか?"), + "areYouSureYouWantToCancel": + MessageLookupByLibrary.simpleMessage("キャンセルしてもよろしいですか?"), + "areYouSureYouWantToChangeYourPlan": + MessageLookupByLibrary.simpleMessage("プランを変更して良いですか?"), + "areYouSureYouWantToExit": + MessageLookupByLibrary.simpleMessage("本当に中止してよろしいですか?"), + "areYouSureYouWantToLogout": + MessageLookupByLibrary.simpleMessage("本当にログアウトしてよろしいですか?"), + "areYouSureYouWantToRenew": + MessageLookupByLibrary.simpleMessage("更新してもよろしいですか?"), + "areYouSureYouWantToResetThisPerson": + MessageLookupByLibrary.simpleMessage("この人を忘れてもよろしいですね?"), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "サブスクリプションはキャンセルされました。理由を教えていただけますか?"), + "askDeleteReason": + MessageLookupByLibrary.simpleMessage("アカウントを削除する理由を教えて下さい"), + "askYourLovedOnesToShare": + MessageLookupByLibrary.simpleMessage("あなたの愛する人にシェアしてもらうように頼んでください"), + "atAFalloutShelter": MessageLookupByLibrary.simpleMessage("核シェルターで"), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage("メール確認を変更するには認証してください"), + "authToChangeLockscreenSetting": + MessageLookupByLibrary.simpleMessage("画面のロックの設定を変更するためには認証が必要です"), + "authToChangeYourEmail": + MessageLookupByLibrary.simpleMessage("メールアドレスを変更するには認証してください"), + "authToChangeYourPassword": + MessageLookupByLibrary.simpleMessage("メールアドレスを変更するには認証してください"), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage("2段階認証を設定するには認証してください"), + "authToInitiateAccountDeletion": + MessageLookupByLibrary.simpleMessage("アカウントの削除をするためには認証が必要です"), + "authToManageLegacy": + MessageLookupByLibrary.simpleMessage("信頼する連絡先を管理するために認証してください"), + "authToViewPasskey": + MessageLookupByLibrary.simpleMessage("パスキーを表示するには認証してください"), + "authToViewTrashedFiles": + MessageLookupByLibrary.simpleMessage("削除したファイルを閲覧するには認証が必要です"), + "authToViewYourActiveSessions": + MessageLookupByLibrary.simpleMessage("アクティブなセッションを表示するためには認証が必要です"), + "authToViewYourHiddenFiles": + MessageLookupByLibrary.simpleMessage("隠しファイルを表示するには認証してください"), + "authToViewYourMemories": + MessageLookupByLibrary.simpleMessage("思い出を閲覧するためには認証が必要です"), + "authToViewYourRecoveryKey": + MessageLookupByLibrary.simpleMessage("リカバリーキーを表示するためには認証が必要です"), + "authenticating": MessageLookupByLibrary.simpleMessage("認証中..."), + "authenticationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage("認証が間違っています。もう一度お試しください"), + "authenticationSuccessful": + MessageLookupByLibrary.simpleMessage("認証に成功しました!"), + "autoCastDialogBody": + MessageLookupByLibrary.simpleMessage("利用可能なキャストデバイスが表示されます。"), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "ローカルネットワークへのアクセス許可がEnte Photosアプリに与えられているか確認してください"), + "autoLock": MessageLookupByLibrary.simpleMessage("自動ロック"), + "autoLockFeatureDescription": + MessageLookupByLibrary.simpleMessage("アプリがバックグラウンドでロックするまでの時間"), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "技術的な不具合により、ログアウトしました。ご不便をおかけして申し訳ございません。"), + "autoPair": MessageLookupByLibrary.simpleMessage("オートペアリング"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "自動ペアリングは Chromecast に対応しているデバイスでのみ動作します。"), + "available": MessageLookupByLibrary.simpleMessage("ご利用可能"), + "availableStorageSpace": m10, + "backedUpFolders": + MessageLookupByLibrary.simpleMessage("バックアップされたフォルダ"), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("バックアップ"), + "backupFailed": MessageLookupByLibrary.simpleMessage("バックアップ失敗"), + "backupFile": MessageLookupByLibrary.simpleMessage("バックアップファイル"), + "backupOverMobileData": + MessageLookupByLibrary.simpleMessage("モバイルデータを使ってバックアップ"), + "backupSettings": MessageLookupByLibrary.simpleMessage("バックアップ設定"), + "backupStatus": MessageLookupByLibrary.simpleMessage("バックアップの状態"), + "backupStatusDescription": + MessageLookupByLibrary.simpleMessage("バックアップされたアイテムがここに表示されます"), + "backupVideos": MessageLookupByLibrary.simpleMessage("動画をバックアップ"), + "beach": MessageLookupByLibrary.simpleMessage("砂浜と海"), + "birthday": MessageLookupByLibrary.simpleMessage("誕生日"), + "blackFridaySale": MessageLookupByLibrary.simpleMessage("ブラックフライデーセール"), + "blog": MessageLookupByLibrary.simpleMessage("ブログ"), + "cachedData": MessageLookupByLibrary.simpleMessage("キャッシュデータ"), + "calculating": MessageLookupByLibrary.simpleMessage("計算中..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "申し訳ありません。このアルバムをアプリで開くことができませんでした。"), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage("このアルバムは開けません"), + "canNotUploadToAlbumsOwnedByOthers": + MessageLookupByLibrary.simpleMessage("他の人が作ったアルバムにはアップロードできません"), + "canOnlyCreateLinkForFilesOwnedByYou": + MessageLookupByLibrary.simpleMessage("あなたが所有するファイルのみリンクを作成できます"), + "canOnlyRemoveFilesOwnedByYou": + MessageLookupByLibrary.simpleMessage("あなたが所有しているファイルのみを削除できます"), + "cancel": MessageLookupByLibrary.simpleMessage("キャンセル"), + "cancelAccountRecovery": + MessageLookupByLibrary.simpleMessage("リカバリをキャンセル"), + "cancelAccountRecoveryBody": + MessageLookupByLibrary.simpleMessage("リカバリをキャンセルしてもよろしいですか?"), + "cancelOtherSubscription": m12, + "cancelSubscription": + MessageLookupByLibrary.simpleMessage("サブスクリプションをキャンセル"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": + MessageLookupByLibrary.simpleMessage("共有ファイルは削除できません"), + "castAlbum": MessageLookupByLibrary.simpleMessage("アルバムをキャスト"), + "castIPMismatchBody": + MessageLookupByLibrary.simpleMessage("TVと同じネットワーク上にいることを確認してください。"), + "castIPMismatchTitle": + MessageLookupByLibrary.simpleMessage("アルバムのキャストに失敗しました"), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "ペアリングしたいデバイスでcast.ente.ioにアクセスしてください。\n\nテレビでアルバムを再生するには以下のコードを入力してください。"), + "centerPoint": MessageLookupByLibrary.simpleMessage("中心点"), + "change": MessageLookupByLibrary.simpleMessage("変更"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Eメールを変更"), + "changeLocationOfSelectedItems": + MessageLookupByLibrary.simpleMessage("選択したアイテムの位置を変更しますか?"), + "changePassword": MessageLookupByLibrary.simpleMessage("パスワードを変更"), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage("パスワードを変更"), + "changePermissions": MessageLookupByLibrary.simpleMessage("権限を変更する"), + "changeYourReferralCode": + MessageLookupByLibrary.simpleMessage("自分自身の紹介コードを変更する"), + "checkForUpdates": MessageLookupByLibrary.simpleMessage("アップデートを確認"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "メールボックスを確認してEメールの所有を証明してください(見つからない場合は、スパムの中も確認してください)"), + "checkStatus": MessageLookupByLibrary.simpleMessage("ステータスの確認"), + "checking": MessageLookupByLibrary.simpleMessage("確認中…"), + "checkingModels": + MessageLookupByLibrary.simpleMessage("モデルを確認しています..."), + "city": MessageLookupByLibrary.simpleMessage("市街"), + "claimFreeStorage": + MessageLookupByLibrary.simpleMessage("無料のストレージを受け取る"), + "claimMore": MessageLookupByLibrary.simpleMessage("もっと!"), + "claimed": MessageLookupByLibrary.simpleMessage("受け取り済"), + "claimedStorageSoFar": m14, + "cleanUncategorized": + MessageLookupByLibrary.simpleMessage("未分類のクリーンアップ"), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "他のアルバムに存在する「未分類」からすべてのファイルを削除"), + "clearCaches": MessageLookupByLibrary.simpleMessage("キャッシュをクリア"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("行った処理をクリアする"), + "click": MessageLookupByLibrary.simpleMessage("• クリック"), + "clickOnTheOverflowMenu": + MessageLookupByLibrary.simpleMessage("• 三点ドットをクリックしてください"), + "close": MessageLookupByLibrary.simpleMessage("閉じる"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage("時間ごとにまとめる"), + "clubByFileName": MessageLookupByLibrary.simpleMessage("ファイル名ごとにまとめる"), + "clusteringProgress": + MessageLookupByLibrary.simpleMessage("クラスタリングの進行状況"), + "codeAppliedPageTitle": + MessageLookupByLibrary.simpleMessage("コードが適用されました。"), + "codeChangeLimitReached": + MessageLookupByLibrary.simpleMessage("コード変更の回数上限に達しました。"), + "codeCopiedToClipboard": + MessageLookupByLibrary.simpleMessage("コードがクリップボードにコピーされました"), + "codeUsedByYou": MessageLookupByLibrary.simpleMessage("あなたが使用したコード"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Enteアプリやアカウントを持っていない人にも、共有アルバムに写真を追加したり表示したりできるリンクを作成します。"), + "collaborativeLink": MessageLookupByLibrary.simpleMessage("共同作業リンク"), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("コラボレーター"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "コラボレーターは共有アルバムに写真やビデオを追加できます。"), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("レイアウト"), + "collageSaved": + MessageLookupByLibrary.simpleMessage("コラージュをギャラリーに保存しました"), + "collect": MessageLookupByLibrary.simpleMessage("集める"), + "collectEventPhotos": + MessageLookupByLibrary.simpleMessage("イベントの写真を集めよう"), + "collectPhotos": MessageLookupByLibrary.simpleMessage("写真を集めよう"), + "collectPhotosDescription": + MessageLookupByLibrary.simpleMessage("友達が写真をアップロードできるリンクを作成できます"), + "color": MessageLookupByLibrary.simpleMessage("色"), + "configuration": MessageLookupByLibrary.simpleMessage("設定"), + "confirm": MessageLookupByLibrary.simpleMessage("確認"), + "confirm2FADisable": + MessageLookupByLibrary.simpleMessage("2 要素認証を無効にしてよろしいですか。"), + "confirmAccountDeletion": + MessageLookupByLibrary.simpleMessage("アカウント削除の確認"), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": + MessageLookupByLibrary.simpleMessage("はい、アカウントとすべてのアプリのデータを削除します"), + "confirmPassword": MessageLookupByLibrary.simpleMessage("パスワードを確認"), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage("プランの変更を確認"), + "confirmRecoveryKey": + MessageLookupByLibrary.simpleMessage("リカバリーキーを確認"), + "confirmYourRecoveryKey": + MessageLookupByLibrary.simpleMessage("リカバリーキーを確認"), + "connectToDevice": MessageLookupByLibrary.simpleMessage("デバイスに接続"), + "contactFamilyAdmin": m18, + "contactSupport": MessageLookupByLibrary.simpleMessage("お問い合わせ"), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("連絡先"), + "contents": MessageLookupByLibrary.simpleMessage("内容"), + "continueLabel": MessageLookupByLibrary.simpleMessage("つづける"), + "continueOnFreeTrial": + MessageLookupByLibrary.simpleMessage("無料トライアルで続ける"), + "convertToAlbum": MessageLookupByLibrary.simpleMessage("アルバムに変換"), + "copyEmailAddress": MessageLookupByLibrary.simpleMessage("メールアドレスをコピー"), + "copyLink": MessageLookupByLibrary.simpleMessage("リンクをコピー"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage("認証アプリにこのコードをコピペしてください"), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "データをバックアップできませんでした。\n後で再試行します。"), + "couldNotFreeUpSpace": + MessageLookupByLibrary.simpleMessage("スペースを解放できませんでした"), + "couldNotUpdateSubscription": + MessageLookupByLibrary.simpleMessage("サブスクリプションを更新できませんでした"), + "count": MessageLookupByLibrary.simpleMessage("カウント"), + "crashReporting": MessageLookupByLibrary.simpleMessage("クラッシュを報告"), + "create": MessageLookupByLibrary.simpleMessage("作成"), + "createAccount": MessageLookupByLibrary.simpleMessage("アカウント作成"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "長押しで写真を選択し、+をクリックしてアルバムを作成します"), + "createCollaborativeLink": + MessageLookupByLibrary.simpleMessage("共同作業用リンクを作成"), + "createCollage": MessageLookupByLibrary.simpleMessage("コラージュを作る"), + "createNewAccount": MessageLookupByLibrary.simpleMessage("新規アカウントを作成"), + "createOrSelectAlbum": + MessageLookupByLibrary.simpleMessage("アルバムを作成または選択"), + "createPublicLink": MessageLookupByLibrary.simpleMessage("公開リンクを作成"), + "creatingLink": MessageLookupByLibrary.simpleMessage("リンクを作成中..."), + "criticalUpdateAvailable": + MessageLookupByLibrary.simpleMessage("重要なアップデートがあります"), + "crop": MessageLookupByLibrary.simpleMessage("クロップ"), + "currentUsageIs": MessageLookupByLibrary.simpleMessage("現在の使用状況 "), + "currentlyRunning": MessageLookupByLibrary.simpleMessage("現在実行中"), + "custom": MessageLookupByLibrary.simpleMessage("カスタム"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("ダーク"), + "dayToday": MessageLookupByLibrary.simpleMessage("今日"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("昨日"), + "declineTrustInvite": MessageLookupByLibrary.simpleMessage("招待を拒否する"), + "decrypting": MessageLookupByLibrary.simpleMessage("復号しています"), + "decryptingVideo": MessageLookupByLibrary.simpleMessage("ビデオの復号化中..."), + "deduplicateFiles": MessageLookupByLibrary.simpleMessage("重複ファイル"), + "delete": MessageLookupByLibrary.simpleMessage("削除"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("アカウントを削除"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "今までご利用ありがとうございました。改善点があれば、フィードバックをお寄せください"), + "deleteAccountPermanentlyButton": + MessageLookupByLibrary.simpleMessage("アカウントの削除"), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("アルバムの削除"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "このアルバムに含まれている写真 (およびビデオ) を すべて 他のアルバムからも削除しますか?"), + "deleteAlbumsDialogBody": + MessageLookupByLibrary.simpleMessage("空のアルバムはすべて削除されます。"), + "deleteAll": MessageLookupByLibrary.simpleMessage("全て削除"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "このアカウントは他のEnteアプリも使用している場合はそれらにも紐づけされています。\nすべてのEnteアプリでアップロードされたデータは削除され、アカウントは完全に削除されます。"), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "account-deletion@ente.ioにあなたの登録したメールアドレスからメールを送信してください"), + "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage("空のアルバムを削除"), + "deleteEmptyAlbumsWithQuestionMark": + MessageLookupByLibrary.simpleMessage("空のアルバムを削除しますか?"), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage("両方から削除"), + "deleteFromDevice": MessageLookupByLibrary.simpleMessage("デバイスから削除"), + "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Enteから削除"), + "deleteItemCount": m21, + "deleteLocation": MessageLookupByLibrary.simpleMessage("位置情報を削除"), + "deletePhotos": MessageLookupByLibrary.simpleMessage("写真を削除"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage("いちばん必要な機能がない"), + "deleteReason2": + MessageLookupByLibrary.simpleMessage("アプリや特定の機能が想定通りに動かない"), + "deleteReason3": MessageLookupByLibrary.simpleMessage("より良いサービスを見つけた"), + "deleteReason4": MessageLookupByLibrary.simpleMessage("該当する理由がない"), + "deleteRequestSLAText": + MessageLookupByLibrary.simpleMessage("リクエストは72時間以内に処理されます"), + "deleteSharedAlbum": + MessageLookupByLibrary.simpleMessage("共有アルバムを削除しますか?"), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "このアルバムは他の人からも削除されます\n\n他の人が共有してくれた写真も、あなたからは見れなくなります"), + "deselectAll": MessageLookupByLibrary.simpleMessage("選択解除"), + "designedToOutlive": + MessageLookupByLibrary.simpleMessage("生き延びるためのデザイン"), + "details": MessageLookupByLibrary.simpleMessage("詳細"), + "developerSettings": MessageLookupByLibrary.simpleMessage("開発者向け設定"), + "developerSettingsWarning": + MessageLookupByLibrary.simpleMessage("開発者向け設定を変更してもよろしいですか?"), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage("コードを入力する"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "このデバイス上アルバムに追加されたファイルは自動的にEnteにアップロードされます。"), + "deviceLock": MessageLookupByLibrary.simpleMessage("デバイスロック"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "進行中のバックアップがある場合、デバイスがスリープしないようにします。\n\n※容量の大きいアップロードがある際にご活用ください。"), + "deviceNotFound": MessageLookupByLibrary.simpleMessage("デバイスが見つかりません"), + "didYouKnow": MessageLookupByLibrary.simpleMessage("ご存知ですか?"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage("自動ロックを無効にする"), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "ビューアーはスクリーンショットを撮ったり、外部ツールを使用して写真のコピーを保存したりすることができます"), + "disableDownloadWarningTitle": + MessageLookupByLibrary.simpleMessage("ご注意ください"), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage("2段階認証を無効にする"), + "disablingTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage("2要素認証を無効にしています..."), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("新たな発見"), + "discover_babies": MessageLookupByLibrary.simpleMessage("赤ちゃん"), + "discover_celebrations": MessageLookupByLibrary.simpleMessage("お祝い"), + "discover_food": MessageLookupByLibrary.simpleMessage("食べ物"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("自然"), + "discover_hills": MessageLookupByLibrary.simpleMessage("丘"), + "discover_identity": MessageLookupByLibrary.simpleMessage("身分証"), + "discover_memes": MessageLookupByLibrary.simpleMessage("ミーム"), + "discover_notes": MessageLookupByLibrary.simpleMessage("メモ"), + "discover_pets": MessageLookupByLibrary.simpleMessage("ペット"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("レシート"), + "discover_screenshots": + MessageLookupByLibrary.simpleMessage("スクリーンショット"), + "discover_selfies": MessageLookupByLibrary.simpleMessage("セルフィー"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("夕焼け"), + "discover_visiting_cards": + MessageLookupByLibrary.simpleMessage("訪問カード"), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage("壁紙"), + "dismiss": MessageLookupByLibrary.simpleMessage("閉じる"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage("サインアウトしない"), + "doThisLater": MessageLookupByLibrary.simpleMessage("あとで行う"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage("編集を破棄しますか?"), + "done": MessageLookupByLibrary.simpleMessage("完了"), + "dontSave": MessageLookupByLibrary.simpleMessage("保存しない"), + "doubleYourStorage": + MessageLookupByLibrary.simpleMessage("ストレージを倍にしよう"), + "download": MessageLookupByLibrary.simpleMessage("ダウンロード"), + "downloadFailed": MessageLookupByLibrary.simpleMessage("ダウンロード失敗"), + "downloading": MessageLookupByLibrary.simpleMessage("ダウンロード中…"), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("編集"), + "editLocation": MessageLookupByLibrary.simpleMessage("位置情報を編集"), + "editLocationTagTitle": MessageLookupByLibrary.simpleMessage("位置情報を編集"), + "editPerson": MessageLookupByLibrary.simpleMessage("人物を編集"), + "editTime": MessageLookupByLibrary.simpleMessage("時刻を編集"), + "editsSaved": MessageLookupByLibrary.simpleMessage("編集が保存されました"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage("位置情報の編集はEnteでのみ表示されます"), + "eligible": MessageLookupByLibrary.simpleMessage("対象となる"), + "email": MessageLookupByLibrary.simpleMessage("Eメール"), + "emailAlreadyRegistered": + MessageLookupByLibrary.simpleMessage("このメールアドレスはすでに登録されています。"), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": + MessageLookupByLibrary.simpleMessage("このメールアドレスはまだ登録されていません。"), + "emailVerificationToggle": + MessageLookupByLibrary.simpleMessage("メール確認"), + "emailYourLogs": MessageLookupByLibrary.simpleMessage("ログをメールで送信"), + "embracingThem": m32, + "emergencyContacts": MessageLookupByLibrary.simpleMessage("緊急連絡先"), + "empty": MessageLookupByLibrary.simpleMessage("空"), + "emptyTrash": MessageLookupByLibrary.simpleMessage("ゴミ箱を空にしますか?"), + "enable": MessageLookupByLibrary.simpleMessage("有効化"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "Enteは顔認識、マジック検索、その他の高度な検索機能のため、あなたのデバイス上で機械学習をしています"), + "enableMachineLearningBanner": + MessageLookupByLibrary.simpleMessage("マジック検索と顔認識のため、機械学習を有効にする"), + "enableMaps": MessageLookupByLibrary.simpleMessage("マップを有効にする"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "世界地図上にあなたの写真を表示します。\n\n地図はOpenStreetMapを利用しており、あなたの写真の位置情報が外部に共有されることはありません。\n\nこの機能は設定から無効にすることができます"), + "enabled": MessageLookupByLibrary.simpleMessage("有効"), + "encryptingBackup": + MessageLookupByLibrary.simpleMessage("バックアップを暗号化中..."), + "encryption": MessageLookupByLibrary.simpleMessage("暗号化"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage("暗号化の鍵"), + "endpointUpdatedMessage": + MessageLookupByLibrary.simpleMessage("エンドポイントの更新に成功しました"), + "endtoendEncryptedByDefault": + MessageLookupByLibrary.simpleMessage("デフォルトで端末間で暗号化されています"), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "大切に保管します、Enteにファイルへのアクセスを許可してください"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "写真を大切にバックアップするために許可が必要です"), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "Enteはあなたの思い出を保存します。デバイスを紛失しても、オンラインでアクセス可能です"), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "あなたの家族もあなたの有料プランに参加することができます。"), + "enterAlbumName": MessageLookupByLibrary.simpleMessage("アルバム名を入力"), + "enterCode": MessageLookupByLibrary.simpleMessage("コードを入力"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "もらったコードを入力して、無料のストレージを入手してください"), + "enterDateOfBirth": MessageLookupByLibrary.simpleMessage("誕生日(任意)"), + "enterEmail": MessageLookupByLibrary.simpleMessage("Eメールアドレスを入力してください"), + "enterFileName": MessageLookupByLibrary.simpleMessage("ファイル名を入力してください"), + "enterName": MessageLookupByLibrary.simpleMessage("名前を入力"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "あなたのデータを暗号化するための新しいパスワードを入力してください"), + "enterPassword": MessageLookupByLibrary.simpleMessage("パスワードを入力"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "あなたのデータを暗号化するためのパスワードを入力してください"), + "enterPersonName": MessageLookupByLibrary.simpleMessage("人名を入力してください"), + "enterPin": MessageLookupByLibrary.simpleMessage("PINを入力してください"), + "enterReferralCode": + MessageLookupByLibrary.simpleMessage("紹介コードを入力してください"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "認証アプリに表示された 6 桁のコードを入力してください"), + "enterValidEmail": + MessageLookupByLibrary.simpleMessage("有効なEメールアドレスを入力してください"), + "enterYourEmailAddress": + MessageLookupByLibrary.simpleMessage("Eメールアドレスを入力"), + "enterYourPassword": MessageLookupByLibrary.simpleMessage("パスワードを入力"), + "enterYourRecoveryKey": + MessageLookupByLibrary.simpleMessage("リカバリーキーを入力してください"), + "error": MessageLookupByLibrary.simpleMessage("エラー"), + "everywhere": MessageLookupByLibrary.simpleMessage("どこでも"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": MessageLookupByLibrary.simpleMessage("既存のユーザー"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "このリンクは期限切れです。新たな期限を設定するか、期限設定そのものを無くすか、選択してください"), + "exportLogs": MessageLookupByLibrary.simpleMessage("ログのエクスポート"), + "exportYourData": MessageLookupByLibrary.simpleMessage("データをエクスポート"), + "extraPhotosFound": + MessageLookupByLibrary.simpleMessage("追加の写真が見つかりました"), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": + MessageLookupByLibrary.simpleMessage("顔がまだ集まっていません。後で戻ってきてください"), + "faceRecognition": MessageLookupByLibrary.simpleMessage("顔認識"), + "faces": MessageLookupByLibrary.simpleMessage("顔"), + "failed": MessageLookupByLibrary.simpleMessage("失敗"), + "failedToApplyCode": + MessageLookupByLibrary.simpleMessage("コードを適用できませんでした"), + "failedToCancel": MessageLookupByLibrary.simpleMessage("キャンセルに失敗しました"), + "failedToDownloadVideo": + MessageLookupByLibrary.simpleMessage("ビデオをダウンロードできませんでした"), + "failedToFetchActiveSessions": + MessageLookupByLibrary.simpleMessage("アクティブなセッションの取得に失敗しました"), + "failedToFetchOriginalForEdit": + MessageLookupByLibrary.simpleMessage("編集前の状態の取得に失敗しました"), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "紹介の詳細を取得できません。後でもう一度お試しください。"), + "failedToLoadAlbums": + MessageLookupByLibrary.simpleMessage("アルバムの読み込みに失敗しました"), + "failedToPlayVideo": + MessageLookupByLibrary.simpleMessage("動画の再生に失敗しました"), + "failedToRefreshStripeSubscription": + MessageLookupByLibrary.simpleMessage("サブスクリプションの更新に失敗しました"), + "failedToRenew": MessageLookupByLibrary.simpleMessage("更新に失敗しました"), + "failedToVerifyPaymentStatus": + MessageLookupByLibrary.simpleMessage("支払ステータスの確認に失敗しました"), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "5人までの家族をファミリープランに追加しましょう(追加料金無し)\n\n一人ひとりがプライベートなストレージを持ち、共有されない限りお互いに見ることはありません。\n\nファミリープランはEnteサブスクリプションに登録した人が利用できます。\n\nさっそく登録しましょう!"), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("ファミリー"), + "familyPlans": MessageLookupByLibrary.simpleMessage("ファミリープラン"), + "faq": MessageLookupByLibrary.simpleMessage("よくある質問"), + "faqs": MessageLookupByLibrary.simpleMessage("よくある質問"), + "favorite": MessageLookupByLibrary.simpleMessage("お気に入り"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("フィードバック"), + "file": MessageLookupByLibrary.simpleMessage("ファイル"), + "fileFailedToSaveToGallery": + MessageLookupByLibrary.simpleMessage("ギャラリーへの保存に失敗しました"), + "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage("説明を追加..."), + "fileNotUploadedYet": + MessageLookupByLibrary.simpleMessage("ファイルがまだアップロードされていません"), + "fileSavedToGallery": + MessageLookupByLibrary.simpleMessage("ファイルをギャラリーに保存しました"), + "fileTypes": MessageLookupByLibrary.simpleMessage("ファイルの種類"), + "fileTypesAndNames": MessageLookupByLibrary.simpleMessage("ファイルの種類と名前"), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage("削除されたファイル"), + "filesSavedToGallery": + MessageLookupByLibrary.simpleMessage("写真をダウンロードしました"), + "findPeopleByName": MessageLookupByLibrary.simpleMessage("名前で人を探す"), + "findThemQuickly": MessageLookupByLibrary.simpleMessage("すばやく見つける"), + "flip": MessageLookupByLibrary.simpleMessage("反転"), + "food": MessageLookupByLibrary.simpleMessage("料理を楽しむ"), + "forYourMemories": MessageLookupByLibrary.simpleMessage("思い出の為に"), + "forgotPassword": MessageLookupByLibrary.simpleMessage("パスワードを忘れた"), + "foundFaces": MessageLookupByLibrary.simpleMessage("見つかった顔"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage("空き容量を受け取る"), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": + MessageLookupByLibrary.simpleMessage("無料のストレージが利用可能です"), + "freeTrial": MessageLookupByLibrary.simpleMessage("無料トライアル"), + "freeTrialValidTill": m38, + "freeUpAmount": m40, + "freeUpDeviceSpace": + MessageLookupByLibrary.simpleMessage("デバイスの空き領域を解放する"), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "すでにバックアップされているファイルを消去して、デバイスの容量を空けます。"), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("スペースを解放する"), + "gallery": MessageLookupByLibrary.simpleMessage("ギャラリー"), + "galleryMemoryLimitInfo": + MessageLookupByLibrary.simpleMessage("ギャラリーに表示されるメモリは最大1000個までです"), + "general": MessageLookupByLibrary.simpleMessage("設定"), + "generatingEncryptionKeys": + MessageLookupByLibrary.simpleMessage("暗号化鍵を生成しています"), + "genericProgress": m42, + "goToSettings": MessageLookupByLibrary.simpleMessage("設定に移動"), + "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "設定アプリで、すべての写真へのアクセスを許可してください"), + "grantPermission": MessageLookupByLibrary.simpleMessage("許可する"), + "greenery": MessageLookupByLibrary.simpleMessage("緑の生活"), + "groupNearbyPhotos": + MessageLookupByLibrary.simpleMessage("近くの写真をグループ化"), + "guestView": MessageLookupByLibrary.simpleMessage("ゲストビュー"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "アプリのロックを有効にするには、システム設定でデバイスのパスコードまたは画面ロックを設定してください。"), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "私たちはアプリのインストールを追跡していませんが、もしよければ、Enteをお知りになった場所を教えてください!"), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Ente についてどのようにお聞きになりましたか?(任意)"), + "help": MessageLookupByLibrary.simpleMessage("ヘルプ"), + "hidden": MessageLookupByLibrary.simpleMessage("非表示"), + "hide": MessageLookupByLibrary.simpleMessage("非表示"), + "hideContent": MessageLookupByLibrary.simpleMessage("内容を非表示"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "アプリ画面を非表示にし、スクリーンショットを無効にします"), + "hideContentDescriptionIos": + MessageLookupByLibrary.simpleMessage("アプリ切り替え時に、アプリの画面を非表示にします"), + "hideSharedItemsFromHomeGallery": + MessageLookupByLibrary.simpleMessage("ホームギャラリーから共有された写真等を非表示"), + "hiding": MessageLookupByLibrary.simpleMessage("非表示にしています"), + "hikingWithThem": m43, + "hostedAtOsmFrance": + MessageLookupByLibrary.simpleMessage("OSM Franceでホスト"), + "howItWorks": MessageLookupByLibrary.simpleMessage("仕組みを知る"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "設定画面でメールアドレスを長押しし、両デバイスのIDが一致していることを確認してください。"), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "生体認証がデバイスで設定されていません。Touch ID もしくは Face ID を有効にしてください。"), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "生体認証が無効化されています。画面をロック・ロック解除して生体認証を有効化してください。"), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("無視する"), + "ignored": MessageLookupByLibrary.simpleMessage("無視された"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "このアルバムの一部のファイルは、以前にEnteから削除されたため、あえてアップロード時に無視されます"), + "imageNotAnalyzed": + MessageLookupByLibrary.simpleMessage("画像が分析されていません"), + "immediately": MessageLookupByLibrary.simpleMessage("すぐに"), + "importing": MessageLookupByLibrary.simpleMessage("インポート中..."), + "incorrectCode": MessageLookupByLibrary.simpleMessage("誤ったコード"), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("パスワードが間違っています"), + "incorrectRecoveryKey": + MessageLookupByLibrary.simpleMessage("リカバリーキーが正しくありません"), + "incorrectRecoveryKeyBody": + MessageLookupByLibrary.simpleMessage("リカバリーキーが間違っています"), + "incorrectRecoveryKeyTitle": + MessageLookupByLibrary.simpleMessage("リカバリーキーの誤り"), + "indexedItems": MessageLookupByLibrary.simpleMessage("処理済みの項目"), + "ineligible": MessageLookupByLibrary.simpleMessage("対象外"), + "info": MessageLookupByLibrary.simpleMessage("情報"), + "insecureDevice": MessageLookupByLibrary.simpleMessage("安全でないデバイス"), + "installManually": MessageLookupByLibrary.simpleMessage("手動でインストール"), + "invalidEmailAddress": + MessageLookupByLibrary.simpleMessage("無効なEメールアドレス"), + "invalidEndpoint": MessageLookupByLibrary.simpleMessage("無効なエンドポイントです"), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "入力されたエンドポイントは無効です。有効なエンドポイントを入力して再試行してください。"), + "invalidKey": MessageLookupByLibrary.simpleMessage("無効なキー"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "入力されたリカバリーキーが無効です。24 単語が含まれていることを確認し、それぞれのスペルを確認してください。\n\n古い形式のリカバリーコードを入力した場合は、64 文字であることを確認して、それぞれを確認してください。"), + "invite": MessageLookupByLibrary.simpleMessage("招待"), + "inviteToEnte": MessageLookupByLibrary.simpleMessage("Enteに招待する"), + "inviteYourFriends": MessageLookupByLibrary.simpleMessage("友達を招待"), + "inviteYourFriendsToEnte": + MessageLookupByLibrary.simpleMessage("友達をEnteに招待する"), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "問題が発生したようです。しばらくしてから再試行してください。エラーが解決しない場合は、サポートチームにお問い合わせください。"), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage("完全に削除されるまでの日数が項目に表示されます"), + "itemsWillBeRemovedFromAlbum": + MessageLookupByLibrary.simpleMessage("選択したアイテムはこのアルバムから削除されます"), + "join": MessageLookupByLibrary.simpleMessage("参加する"), + "joinAlbum": MessageLookupByLibrary.simpleMessage("アルバムに参加"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "アルバムに参加すると、参加者にメールアドレスが公開されます。"), + "joinAlbumSubtext": + MessageLookupByLibrary.simpleMessage("写真を表示したり、追加したりするために"), + "joinAlbumSubtextViewer": + MessageLookupByLibrary.simpleMessage("これを共有アルバムに追加するために"), + "joinDiscord": MessageLookupByLibrary.simpleMessage("Discordに参加"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("写真を残す"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": + MessageLookupByLibrary.simpleMessage("よければ、情報をお寄せください"), + "language": MessageLookupByLibrary.simpleMessage("言語"), + "lastTimeWithThem": m45, + "lastUpdated": MessageLookupByLibrary.simpleMessage("更新された順"), + "lastYearsTrip": MessageLookupByLibrary.simpleMessage("昨年の旅行"), + "leave": MessageLookupByLibrary.simpleMessage("離脱"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("アルバムを抜ける"), + "leaveFamily": MessageLookupByLibrary.simpleMessage("ファミリープランから退会"), + "leaveSharedAlbum": + MessageLookupByLibrary.simpleMessage("共有アルバムを抜けてよいですか?"), + "left": MessageLookupByLibrary.simpleMessage("左"), + "legacy": MessageLookupByLibrary.simpleMessage("レガシー"), + "legacyAccounts": MessageLookupByLibrary.simpleMessage("レガシーアカウント"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "レガシーでは、信頼できる連絡先が不在時(あなたが亡くなった時など)にアカウントにアクセスできます。"), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "信頼できる連絡先はアカウントの回復を開始することができます。30日以内にあなたが拒否しない場合は、その信頼する人がパスワードをリセットしてあなたのアカウントにアクセスできるようになります。"), + "light": MessageLookupByLibrary.simpleMessage("ライト"), + "lightTheme": MessageLookupByLibrary.simpleMessage("ライト"), + "link": MessageLookupByLibrary.simpleMessage("リンク"), + "linkCopiedToClipboard": + MessageLookupByLibrary.simpleMessage("リンクをクリップボードにコピーしました"), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("デバイスの制限"), + "linkEmail": MessageLookupByLibrary.simpleMessage("メールアドレスをリンクする"), + "linkEmailToContactBannerCaption": + MessageLookupByLibrary.simpleMessage("共有を高速化するために"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("有効"), + "linkExpired": MessageLookupByLibrary.simpleMessage("期限切れ"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("リンクの期限切れ"), + "linkHasExpired": MessageLookupByLibrary.simpleMessage("リンクは期限切れです"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("なし"), + "linkPerson": MessageLookupByLibrary.simpleMessage("人を紐づけ"), + "linkPersonCaption": + MessageLookupByLibrary.simpleMessage("良い経験を分かち合うために"), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("ライブフォト"), + "loadMessage1": + MessageLookupByLibrary.simpleMessage("サブスクリプションを家族と共有できます"), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "私たちはあなたのデータのコピーを3つ保管しています。1つは地下のシェルターにあります。"), + "loadMessage4": + MessageLookupByLibrary.simpleMessage("すべてのアプリはオープンソースです"), + "loadMessage5": + MessageLookupByLibrary.simpleMessage("当社のソースコードと暗号方式は外部から監査されています"), + "loadMessage6": + MessageLookupByLibrary.simpleMessage("アルバムへのリンクを共有できます"), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "当社のモバイルアプリはバックグラウンドで実行され、新しい写真を暗号化してバックアップします"), + "loadMessage8": + MessageLookupByLibrary.simpleMessage("web.ente.ioにはアップローダーがあります"), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Xchacha20Poly1305を使用してデータを安全に暗号化します。"), + "loadingExifData": + MessageLookupByLibrary.simpleMessage("EXIF データを読み込み中..."), + "loadingGallery": + MessageLookupByLibrary.simpleMessage("ギャラリーを読み込み中..."), + "loadingMessage": + MessageLookupByLibrary.simpleMessage("あなたの写真を読み込み中..."), + "loadingModel": MessageLookupByLibrary.simpleMessage("モデルをダウンロード中"), + "loadingYourPhotos": + MessageLookupByLibrary.simpleMessage("写真を読み込んでいます..."), + "localGallery": MessageLookupByLibrary.simpleMessage("デバイス上のギャラリー"), + "localIndexing": MessageLookupByLibrary.simpleMessage("このデバイス上での実行"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "ローカルの写真の同期には予想以上の時間がかかっています。問題が発生したようです。サポートチームまでご連絡ください。"), + "location": MessageLookupByLibrary.simpleMessage("場所"), + "locationName": MessageLookupByLibrary.simpleMessage("場所名"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "位置タグは、写真の半径内で撮影されたすべての写真をグループ化します"), + "locations": MessageLookupByLibrary.simpleMessage("場所"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("ロック"), + "lockscreen": MessageLookupByLibrary.simpleMessage("画面のロック"), + "logInLabel": MessageLookupByLibrary.simpleMessage("ログイン"), + "loggingOut": MessageLookupByLibrary.simpleMessage("ログアウト中..."), + "loginSessionExpired": MessageLookupByLibrary.simpleMessage("セッション切れ"), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "セッションの有効期限が切れました。再度ログインしてください。"), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "「ログイン」をクリックすることで、利用規約プライバシーポリシーに同意します"), + "loginWithTOTP": MessageLookupByLibrary.simpleMessage("TOTPでログイン"), + "logout": MessageLookupByLibrary.simpleMessage("ログアウト"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "これにより、問題のデバッグに役立つログが送信されます。 特定のファイルの問題を追跡するために、ファイル名が含まれることに注意してください。"), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "表示されているEメールアドレスを長押しして、暗号化を確認します。"), + "longpressOnAnItemToViewInFullscreen": + MessageLookupByLibrary.simpleMessage("アイテムを長押しして全画面表示する"), + "loopVideoOff": MessageLookupByLibrary.simpleMessage("ビデオのループをオフ"), + "loopVideoOn": MessageLookupByLibrary.simpleMessage("ビデオのループをオン"), + "lostDevice": MessageLookupByLibrary.simpleMessage("デバイスを紛失しましたか?"), + "machineLearning": MessageLookupByLibrary.simpleMessage("機械学習"), + "magicSearch": MessageLookupByLibrary.simpleMessage("マジックサーチ"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "マジック検索では、「花」、「赤い車」、「本人確認書類」などの写真に写っているもので検索できます。"), + "manage": MessageLookupByLibrary.simpleMessage("管理"), + "manageDeviceStorage": + MessageLookupByLibrary.simpleMessage("端末のキャッシュを管理"), + "manageDeviceStorageDesc": + MessageLookupByLibrary.simpleMessage("端末上のキャッシュを確認・削除"), + "manageFamily": MessageLookupByLibrary.simpleMessage("ファミリーの管理"), + "manageLink": MessageLookupByLibrary.simpleMessage("リンクを管理"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("管理"), + "manageSubscription": + MessageLookupByLibrary.simpleMessage("サブスクリプションの管理"), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "PINを使ってペアリングすると、どんなスクリーンで動作します。"), + "map": MessageLookupByLibrary.simpleMessage("地図"), + "maps": MessageLookupByLibrary.simpleMessage("地図"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("自分"), + "merchandise": MessageLookupByLibrary.simpleMessage("グッズ"), + "mergeWithExisting": MessageLookupByLibrary.simpleMessage("既存の人物とまとめる"), + "mergedPhotos": MessageLookupByLibrary.simpleMessage("統合された写真"), + "mlConsent": MessageLookupByLibrary.simpleMessage("機械学習を有効にする"), + "mlConsentConfirmation": + MessageLookupByLibrary.simpleMessage("機械学習を可能にしたい"), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "機械学習を有効にすると、Enteは顔などの情報をファイルから抽出します。\n\nこれはお使いのデバイスで行われ、生成された生体情報は暗号化されます。"), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "この機能の詳細については、こちらをクリックしてください。"), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage("機械学習を有効にしますか?"), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "すべての項目が処理されるまで、機械学習は帯域幅とバッテリー使用量が高くなりますのでご注意ください。 処理を高速で終わらせたい場合はデスクトップアプリを使用するのがおすすめです。結果は自動的に同期されます。"), + "mobileWebDesktop": + MessageLookupByLibrary.simpleMessage("モバイル、Web、デスクトップ"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("普通のパスワード"), + "modifyYourQueryOrTrySearchingFor": + MessageLookupByLibrary.simpleMessage("クエリを変更するか、以下のように検索してみてください"), + "moments": MessageLookupByLibrary.simpleMessage("日々の瞬間"), + "month": MessageLookupByLibrary.simpleMessage("月"), + "monthly": MessageLookupByLibrary.simpleMessage("月額"), + "moon": MessageLookupByLibrary.simpleMessage("月明かりの中"), + "moreDetails": MessageLookupByLibrary.simpleMessage("さらに詳細を表示"), + "mostRecent": MessageLookupByLibrary.simpleMessage("新しい順"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("関連度順"), + "mountains": MessageLookupByLibrary.simpleMessage("丘を超えて"), + "moveSelectedPhotosToOneDate": + MessageLookupByLibrary.simpleMessage("選択した写真を1つの日付に移動"), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("アルバムに移動"), + "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage("隠しアルバムに移動"), + "movedSuccessfullyTo": m52, + "movedToTrash": MessageLookupByLibrary.simpleMessage("ごみ箱へ移動"), + "movingFilesToAlbum": + MessageLookupByLibrary.simpleMessage("アルバムにファイルを移動中"), + "name": MessageLookupByLibrary.simpleMessage("名前順"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("アルバムに名前を付けよう"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Enteに接続できませんでした。しばらくしてから再試行してください。エラーが解決しない場合は、サポートにお問い合わせください。"), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Enteに接続できませんでした。ネットワーク設定を確認し、エラーが解決しない場合はサポートにお問い合わせください。"), + "never": MessageLookupByLibrary.simpleMessage("なし"), + "newAlbum": MessageLookupByLibrary.simpleMessage("新しいアルバム"), + "newLocation": MessageLookupByLibrary.simpleMessage("新しいロケーション"), + "newPerson": MessageLookupByLibrary.simpleMessage("新しい人物"), + "newRange": MessageLookupByLibrary.simpleMessage("範囲を追加"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Enteを初めて使用する"), + "newest": MessageLookupByLibrary.simpleMessage("新しい順"), + "next": MessageLookupByLibrary.simpleMessage("次へ"), + "no": MessageLookupByLibrary.simpleMessage("いいえ"), + "noAlbumsSharedByYouYet": + MessageLookupByLibrary.simpleMessage("あなたが共有したアルバムはまだありません"), + "noDeviceFound": MessageLookupByLibrary.simpleMessage("デバイスが見つかりません"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("なし"), + "noDeviceThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage("削除できるファイルがありません"), + "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ 重複なし"), + "noEnteAccountExclamation": + MessageLookupByLibrary.simpleMessage("アカウントがありません!"), + "noExifData": MessageLookupByLibrary.simpleMessage("EXIFデータはありません"), + "noFacesFound": MessageLookupByLibrary.simpleMessage("顔が見つかりません"), + "noHiddenPhotosOrVideos": + MessageLookupByLibrary.simpleMessage("非表示の写真やビデオはありません"), + "noImagesWithLocation": + MessageLookupByLibrary.simpleMessage("位置情報のある画像がありません"), + "noInternetConnection": + MessageLookupByLibrary.simpleMessage("インターネット接続なし"), + "noPhotosAreBeingBackedUpRightNow": + MessageLookupByLibrary.simpleMessage("現在バックアップされている写真はありません"), + "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage("写真が見つかりません"), + "noQuickLinksSelected": + MessageLookupByLibrary.simpleMessage("クイックリンクが選択されていません"), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage("リカバリーキーがないですか?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "あなたのデータはエンドツーエンド暗号化されており、パスワードかリカバリーキーがない場合、データを復号することはできません"), + "noResults": MessageLookupByLibrary.simpleMessage("該当なし"), + "noResultsFound": + MessageLookupByLibrary.simpleMessage("一致する結果が見つかりませんでした"), + "noSuggestionsForPerson": m53, + "noSystemLockFound": + MessageLookupByLibrary.simpleMessage("システムロックが見つかりませんでした"), + "notPersonLabel": m54, + "notThisPerson": MessageLookupByLibrary.simpleMessage("この人ではありませんか?"), + "nothingSharedWithYouYet": + MessageLookupByLibrary.simpleMessage("あなたに共有されたものはありません"), + "nothingToSeeHere": + MessageLookupByLibrary.simpleMessage("ここに表示されるものはありません! 👀"), + "notifications": MessageLookupByLibrary.simpleMessage("通知"), + "ok": MessageLookupByLibrary.simpleMessage("OK"), + "onDevice": MessageLookupByLibrary.simpleMessage("デバイス上"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "Enteが保管"), + "onTheRoad": MessageLookupByLibrary.simpleMessage("再び道で"), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("この人のみ"), + "oops": MessageLookupByLibrary.simpleMessage("Oops"), + "oopsCouldNotSaveEdits": + MessageLookupByLibrary.simpleMessage("編集を保存できませんでした"), + "oopsSomethingWentWrong": + MessageLookupByLibrary.simpleMessage("問題が発生しました"), + "openAlbumInBrowser": + MessageLookupByLibrary.simpleMessage("ブラウザでアルバムを開く"), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "このアルバムに写真を追加するには、Webアプリを使用してください"), + "openFile": MessageLookupByLibrary.simpleMessage("ファイルを開く"), + "openSettings": MessageLookupByLibrary.simpleMessage("設定を開く"), + "openTheItem": MessageLookupByLibrary.simpleMessage("• アイテムを開く"), + "openstreetmapContributors": + MessageLookupByLibrary.simpleMessage("OpenStreetMap のコントリビューター"), + "optionalAsShortAsYouLike": + MessageLookupByLibrary.simpleMessage("省略可能、好きなだけお書きください..."), + "orMergeWithExistingPerson": + MessageLookupByLibrary.simpleMessage("既存のものと統合する"), + "orPickAnExistingOne": + MessageLookupByLibrary.simpleMessage("または既存のものを選択"), + "orPickFromYourContacts": + MessageLookupByLibrary.simpleMessage("または連絡先から選択"), + "pair": MessageLookupByLibrary.simpleMessage("ペアリング"), + "pairWithPin": MessageLookupByLibrary.simpleMessage("PINを使ってペアリングする"), + "pairingComplete": MessageLookupByLibrary.simpleMessage("ペアリング完了"), + "panorama": MessageLookupByLibrary.simpleMessage("パノラマ"), + "partyWithThem": m56, + "passKeyPendingVerification": + MessageLookupByLibrary.simpleMessage("検証はまだ保留中です"), + "passkey": MessageLookupByLibrary.simpleMessage("パスキー"), + "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage("パスキーの検証"), + "password": MessageLookupByLibrary.simpleMessage("パスワード"), + "passwordChangedSuccessfully": + MessageLookupByLibrary.simpleMessage("パスワードの変更に成功しました"), + "passwordLock": MessageLookupByLibrary.simpleMessage("パスワード保護"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "パスワードの長さ、使用される文字の種類を考慮してパスワードの強度は計算されます。"), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "このパスワードを忘れると、あなたのデータを復号することは私達にもできません"), + "paymentDetails": MessageLookupByLibrary.simpleMessage("お支払い情報"), + "paymentFailed": MessageLookupByLibrary.simpleMessage("支払いに失敗しました"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "残念ながらお支払いに失敗しました。サポートにお問い合わせください。お手伝いします!"), + "paymentFailedTalkToProvider": m58, + "pendingItems": MessageLookupByLibrary.simpleMessage("処理待ちの項目"), + "pendingSync": MessageLookupByLibrary.simpleMessage("同期を保留中"), + "people": MessageLookupByLibrary.simpleMessage("人物"), + "peopleUsingYourCode": + MessageLookupByLibrary.simpleMessage("あなたのコードを使っている人"), + "permDeleteWarning": + MessageLookupByLibrary.simpleMessage("ゴミ箱を空にしました\n\nこの操作はもとに戻せません"), + "permanentlyDelete": MessageLookupByLibrary.simpleMessage("完全に削除"), + "permanentlyDeleteFromDevice": + MessageLookupByLibrary.simpleMessage("デバイスから完全に削除しますか?"), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("人名名"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("毛むくじゃらな仲間たち"), + "photoDescriptions": MessageLookupByLibrary.simpleMessage("写真の説明"), + "photoGridSize": MessageLookupByLibrary.simpleMessage("写真のグリッドサイズ"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("写真"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("写真"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage("あなたの追加した写真はこのアルバムから削除されます"), + "photosKeepRelativeTimeDifference": + MessageLookupByLibrary.simpleMessage("写真はお互いの相対的な時間差を維持します"), + "pickCenterPoint": MessageLookupByLibrary.simpleMessage("中心点を選択"), + "pinAlbum": MessageLookupByLibrary.simpleMessage("アルバムをピンする"), + "pinLock": MessageLookupByLibrary.simpleMessage("PINロック"), + "playOnTv": MessageLookupByLibrary.simpleMessage("TVでアルバムを再生"), + "playOriginal": MessageLookupByLibrary.simpleMessage("元動画を再生"), + "playStoreFreeTrialValidTill": m63, + "playStream": MessageLookupByLibrary.simpleMessage("再生"), + "playstoreSubscription": + MessageLookupByLibrary.simpleMessage("PlayStoreサブスクリプション"), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage("インターネット接続を確認して、再試行してください。"), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Support@ente.ioにお問い合わせください、お手伝いいたします。"), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage("問題が解決しない場合はサポートにお問い合わせください"), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": + MessageLookupByLibrary.simpleMessage("権限を付与してください"), + "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage("もう一度試してください"), + "pleaseSelectQuickLinksToRemove": + MessageLookupByLibrary.simpleMessage("削除するクイックリンクを選択してください"), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("もう一度試してください"), + "pleaseVerifyTheCodeYouHaveEntered": + MessageLookupByLibrary.simpleMessage("入力したコードを確認してください"), + "pleaseWait": MessageLookupByLibrary.simpleMessage("お待ち下さい"), + "pleaseWaitDeletingAlbum": + MessageLookupByLibrary.simpleMessage("お待ちください、アルバムを削除しています"), + "pleaseWaitForSometimeBeforeRetrying": + MessageLookupByLibrary.simpleMessage("再試行する前にしばらくお待ちください"), + "pleaseWaitThisWillTakeAWhile": + MessageLookupByLibrary.simpleMessage("しばらくお待ちください。時間がかかります。"), + "posingWithThem": m66, + "preparingLogs": MessageLookupByLibrary.simpleMessage("ログを準備中..."), + "preserveMore": MessageLookupByLibrary.simpleMessage("もっと保存する"), + "pressAndHoldToPlayVideo": + MessageLookupByLibrary.simpleMessage("長押しで動画を再生"), + "pressAndHoldToPlayVideoDetailed": + MessageLookupByLibrary.simpleMessage("画像の長押しで動画を再生"), + "previous": MessageLookupByLibrary.simpleMessage("前"), + "privacy": MessageLookupByLibrary.simpleMessage("プライバシー"), + "privacyPolicyTitle": + MessageLookupByLibrary.simpleMessage("プライバシーポリシー"), + "privateBackups": MessageLookupByLibrary.simpleMessage("プライベートバックアップ"), + "privateSharing": MessageLookupByLibrary.simpleMessage("プライベート共有"), + "proceed": MessageLookupByLibrary.simpleMessage("続行"), + "processed": MessageLookupByLibrary.simpleMessage("処理完了"), + "processing": MessageLookupByLibrary.simpleMessage("処理中"), + "processingImport": m67, + "processingVideos": MessageLookupByLibrary.simpleMessage("動画を処理中"), + "publicLinkCreated": + MessageLookupByLibrary.simpleMessage("公開リンクが作成されました"), + "publicLinkEnabled": + MessageLookupByLibrary.simpleMessage("公開リンクを有効にしました"), + "queued": MessageLookupByLibrary.simpleMessage("処理待ち"), + "quickLinks": MessageLookupByLibrary.simpleMessage("クイックリンク"), + "radius": MessageLookupByLibrary.simpleMessage("半径"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("サポートを受ける"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("アプリを評価"), + "rateUs": MessageLookupByLibrary.simpleMessage("評価して下さい"), + "rateUsOnStore": m68, + "reassignMe": MessageLookupByLibrary.simpleMessage("\"自分\" を再割り当て"), + "reassignedToName": m69, + "reassigningLoading": MessageLookupByLibrary.simpleMessage("再割り当て中..."), + "recover": MessageLookupByLibrary.simpleMessage("復元"), + "recoverAccount": MessageLookupByLibrary.simpleMessage("アカウントを復元"), + "recoverButton": MessageLookupByLibrary.simpleMessage("復元"), + "recoveryAccount": MessageLookupByLibrary.simpleMessage("アカウントを復元"), + "recoveryInitiated": + MessageLookupByLibrary.simpleMessage("リカバリが開始されました"), + "recoveryInitiatedDesc": m70, + "recoveryKey": MessageLookupByLibrary.simpleMessage("リカバリーキー"), + "recoveryKeyCopiedToClipboard": + MessageLookupByLibrary.simpleMessage("リカバリーキーはクリップボードにコピーされました"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "パスワードを忘れてしまったら、このリカバリーキーがあなたのデータを復元する唯一の方法です。"), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "リカバリーキーは私達も保管しません。この24個の単語を安全な場所に保管してください。"), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "リカバリーキーは有効です。ご確認いただきありがとうございます。\n\nリカバリーキーは今後も安全にバックアップしておいてください。"), + "recoveryKeyVerified": + MessageLookupByLibrary.simpleMessage("リカバリキーが確認されました"), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "パスワードを忘れた場合、リカバリーキーは写真を復元するための唯一の方法になります。なお、設定 > アカウント でリカバリーキーを確認することができます。\n \n\nここにリカバリーキーを入力して、正しく保存できていることを確認してください。"), + "recoveryReady": m71, + "recoverySuccessful": + MessageLookupByLibrary.simpleMessage("復元に成功しました!"), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "信頼する連絡先の持ち主があなたのアカウントにアクセスしようとしています"), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "このデバイスではパスワードを確認する能力が足りません。\n\n恐れ入りますが、リカバリーキーを入力してパスワードを再生成する必要があります。"), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("パスワードを再生成"), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": + MessageLookupByLibrary.simpleMessage("パスワードを再入力してください"), + "reenterPin": MessageLookupByLibrary.simpleMessage("PINを再入力してください"), + "referFriendsAnd2xYourPlan": + MessageLookupByLibrary.simpleMessage("友達に紹介して2倍"), + "referralStep1": + MessageLookupByLibrary.simpleMessage("1. このコードを友達に贈りましょう"), + "referralStep2": MessageLookupByLibrary.simpleMessage("2. 友達が有料プランに登録"), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("リフェラル"), + "referralsAreCurrentlyPaused": + MessageLookupByLibrary.simpleMessage("リフェラルは現在一時停止しています"), + "rejectRecovery": MessageLookupByLibrary.simpleMessage("リカバリを拒否する"), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "また、空き領域を取得するには、「設定」→「ストレージ」から「最近削除した項目」を空にします"), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "「ゴミ箱」も空にするとアカウントのストレージが解放されます"), + "remoteImages": MessageLookupByLibrary.simpleMessage("デバイス上にない画像"), + "remoteThumbnails": + MessageLookupByLibrary.simpleMessage("リモートのサムネイル画像"), + "remoteVideos": MessageLookupByLibrary.simpleMessage("デバイス上にない動画"), + "remove": MessageLookupByLibrary.simpleMessage("削除"), + "removeDuplicates": MessageLookupByLibrary.simpleMessage("重複した項目を削除"), + "removeDuplicatesDesc": + MessageLookupByLibrary.simpleMessage("完全に重複しているファイルを確認し、削除します。"), + "removeFromAlbum": MessageLookupByLibrary.simpleMessage("アルバムから削除"), + "removeFromAlbumTitle": + MessageLookupByLibrary.simpleMessage("アルバムから削除しますか?"), + "removeFromFavorite": + MessageLookupByLibrary.simpleMessage("お気に入りリストから外す"), + "removeInvite": MessageLookupByLibrary.simpleMessage("招待を削除"), + "removeLink": MessageLookupByLibrary.simpleMessage("リンクを削除"), + "removeParticipant": MessageLookupByLibrary.simpleMessage("参加者を削除"), + "removeParticipantBody": m74, + "removePersonLabel": MessageLookupByLibrary.simpleMessage("人名を削除"), + "removePublicLink": MessageLookupByLibrary.simpleMessage("公開リンクを削除"), + "removePublicLinks": MessageLookupByLibrary.simpleMessage("公開リンクを削除"), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "削除したアイテムのいくつかは他の人によって追加されました。あなたはそれらへのアクセスを失います"), + "removeWithQuestionMark": + MessageLookupByLibrary.simpleMessage("削除しますか?"), + "removeYourselfAsTrustedContact": + MessageLookupByLibrary.simpleMessage("あなた自身を信頼できる連絡先から削除"), + "removingFromFavorites": + MessageLookupByLibrary.simpleMessage("お気に入りから削除しています..."), + "rename": MessageLookupByLibrary.simpleMessage("名前変更"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("アルバムの名前変更"), + "renameFile": MessageLookupByLibrary.simpleMessage("ファイル名を変更"), + "renewSubscription": + MessageLookupByLibrary.simpleMessage("サブスクリプションの更新"), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("バグを報告"), + "reportBug": MessageLookupByLibrary.simpleMessage("バグを報告"), + "resendEmail": MessageLookupByLibrary.simpleMessage("メールを再送信"), + "resetIgnoredFiles": + MessageLookupByLibrary.simpleMessage("アップロード時に無視されるファイルをリセット"), + "resetPasswordTitle": + MessageLookupByLibrary.simpleMessage("パスワードをリセット"), + "resetPerson": MessageLookupByLibrary.simpleMessage("削除"), + "resetToDefault": MessageLookupByLibrary.simpleMessage("初期設定にリセット"), + "restore": MessageLookupByLibrary.simpleMessage("復元"), + "restoreToAlbum": MessageLookupByLibrary.simpleMessage("アルバムに戻す"), + "restoringFiles": MessageLookupByLibrary.simpleMessage("ファイルを復元中..."), + "resumableUploads": MessageLookupByLibrary.simpleMessage("再開可能なアップロード"), + "retry": MessageLookupByLibrary.simpleMessage("リトライ"), + "review": MessageLookupByLibrary.simpleMessage("確認"), + "reviewDeduplicateItems": + MessageLookupByLibrary.simpleMessage("重複だと思うファイルを確認して削除してください"), + "reviewSuggestions": MessageLookupByLibrary.simpleMessage("提案を確認"), + "right": MessageLookupByLibrary.simpleMessage("右"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("回転"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("左に回転"), + "rotateRight": MessageLookupByLibrary.simpleMessage("右に回転"), + "safelyStored": MessageLookupByLibrary.simpleMessage("保管されています"), + "save": MessageLookupByLibrary.simpleMessage("保存"), + "saveChangesBeforeLeavingQuestion": + MessageLookupByLibrary.simpleMessage("その前に変更を保存しますか?"), + "saveCollage": MessageLookupByLibrary.simpleMessage("コラージュを保存"), + "saveCopy": MessageLookupByLibrary.simpleMessage("コピーを保存"), + "saveKey": MessageLookupByLibrary.simpleMessage("キーを保存"), + "savePerson": MessageLookupByLibrary.simpleMessage("人物を保存"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage("リカバリーキーを保存してください"), + "saving": MessageLookupByLibrary.simpleMessage("保存中…"), + "savingEdits": MessageLookupByLibrary.simpleMessage("編集を保存中..."), + "scanCode": MessageLookupByLibrary.simpleMessage("コードをスキャン"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage("認証アプリでQRコードをスキャンして下さい。"), + "search": MessageLookupByLibrary.simpleMessage("検索"), + "searchAlbumsEmptySection": + MessageLookupByLibrary.simpleMessage("アルバム"), + "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage("アルバム名"), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• アルバム名 (e.g. \"Camera\")\n• ファイルの種類 (e.g. \"Videos\", \".gif\")\n• 年月日 (e.g. \"2022\", \"January\")\n• ホリデー (e.g. \"Christmas\")\n• 写真の説明文 (e.g. “#fun”)"), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "写真情報に \"#trip\" のように説明を追加すれば、ここで簡単に見つけることができます"), + "searchDatesEmptySection": + MessageLookupByLibrary.simpleMessage("日付、月または年で検索"), + "searchDiscoverEmptySection": + MessageLookupByLibrary.simpleMessage("処理と同期が完了すると、画像がここに表示されます"), + "searchFaceEmptySection": + MessageLookupByLibrary.simpleMessage("学習が完了すると、ここに人が表示されます"), + "searchFileTypesAndNamesEmptySection": + MessageLookupByLibrary.simpleMessage("ファイルの種類と名前"), + "searchHint1": MessageLookupByLibrary.simpleMessage("デバイス上で高速検索"), + "searchHint2": MessageLookupByLibrary.simpleMessage("写真の日付、説明"), + "searchHint3": MessageLookupByLibrary.simpleMessage("アルバム、ファイル名、種類"), + "searchHint4": MessageLookupByLibrary.simpleMessage("場所"), + "searchHint5": + MessageLookupByLibrary.simpleMessage("近日公開: フェイスとマジック検索 ✨"), + "searchLocationEmptySection": + MessageLookupByLibrary.simpleMessage("当時の直近で撮影された写真をグループ化"), + "searchPeopleEmptySection": + MessageLookupByLibrary.simpleMessage("友達を招待すると、共有される写真はここから閲覧できます"), + "searchPersonsEmptySection": + MessageLookupByLibrary.simpleMessage("処理と同期が完了すると、ここに人々が表示されます"), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("セキュリティ"), + "seePublicAlbumLinksInApp": + MessageLookupByLibrary.simpleMessage("アプリ内で公開アルバムのリンクを見る"), + "selectALocation": MessageLookupByLibrary.simpleMessage("場所を選択"), + "selectALocationFirst": + MessageLookupByLibrary.simpleMessage("先に場所を選択してください"), + "selectAlbum": MessageLookupByLibrary.simpleMessage("アルバムを選択"), + "selectAll": MessageLookupByLibrary.simpleMessage("全て選択"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("すべて"), + "selectCoverPhoto": MessageLookupByLibrary.simpleMessage("カバー写真を選択"), + "selectDate": MessageLookupByLibrary.simpleMessage("日付を選択する"), + "selectFoldersForBackup": + MessageLookupByLibrary.simpleMessage("バックアップするフォルダを選択"), + "selectItemsToAdd": + MessageLookupByLibrary.simpleMessage("追加するアイテムを選んでください"), + "selectLanguage": MessageLookupByLibrary.simpleMessage("言語を選ぶ"), + "selectMailApp": MessageLookupByLibrary.simpleMessage("メールアプリを選択"), + "selectMorePhotos": MessageLookupByLibrary.simpleMessage("さらに写真を選択"), + "selectOneDateAndTime": + MessageLookupByLibrary.simpleMessage("日付と時刻を1つ選択してください"), + "selectOneDateAndTimeForAll": + MessageLookupByLibrary.simpleMessage("すべてに対して日付と時刻を1つ選択してください"), + "selectPersonToLink": MessageLookupByLibrary.simpleMessage("リンクする人を選択"), + "selectReason": MessageLookupByLibrary.simpleMessage(""), + "selectStartOfRange": + MessageLookupByLibrary.simpleMessage("範囲の開始位置を選択"), + "selectTime": MessageLookupByLibrary.simpleMessage("時刻を選択"), + "selectYourFace": MessageLookupByLibrary.simpleMessage("あなたの顔を選択"), + "selectYourPlan": MessageLookupByLibrary.simpleMessage("プランを選びましょう"), + "selectedFilesAreNotOnEnte": + MessageLookupByLibrary.simpleMessage("選択したファイルはEnte上にありません"), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage("選ばれたフォルダは暗号化されバックアップされます"), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "選択したアイテムはすべてのアルバムから削除され、ゴミ箱に移動されます。"), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "選択したアイテムはこの人としての登録が解除されますが、ライブラリからは削除されません。"), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("送信"), + "sendEmail": MessageLookupByLibrary.simpleMessage("メールを送信する"), + "sendInvite": MessageLookupByLibrary.simpleMessage("招待を送る"), + "sendLink": MessageLookupByLibrary.simpleMessage("リンクを送信"), + "serverEndpoint": MessageLookupByLibrary.simpleMessage("サーバーエンドポイント"), + "sessionExpired": MessageLookupByLibrary.simpleMessage("セッション切れ"), + "sessionIdMismatch": + MessageLookupByLibrary.simpleMessage("セッションIDが一致しません"), + "setAPassword": MessageLookupByLibrary.simpleMessage("パスワードを設定"), + "setAs": MessageLookupByLibrary.simpleMessage("設定:"), + "setCover": MessageLookupByLibrary.simpleMessage("カバー画像をセット"), + "setLabel": MessageLookupByLibrary.simpleMessage("セット"), + "setNewPassword": MessageLookupByLibrary.simpleMessage("新しいパスワードを設定"), + "setNewPin": MessageLookupByLibrary.simpleMessage("新しいPINを設定"), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage("パスワードを決定"), + "setRadius": MessageLookupByLibrary.simpleMessage("半径の設定"), + "setupComplete": MessageLookupByLibrary.simpleMessage("セットアップ完了"), + "share": MessageLookupByLibrary.simpleMessage("共有"), + "shareALink": MessageLookupByLibrary.simpleMessage("リンクをシェアする"), + "shareAlbumHint": + MessageLookupByLibrary.simpleMessage("アルバムを開いて右上のシェアボタンをタップ"), + "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage("アルバムを共有"), + "shareLink": MessageLookupByLibrary.simpleMessage("リンクの共有"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": + MessageLookupByLibrary.simpleMessage("選んだ人と共有します"), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Enteをダウンロードして、写真や動画の共有を簡単に!\n\nhttps://ente.io"), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": + MessageLookupByLibrary.simpleMessage("Enteを使っていない人に共有"), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": + MessageLookupByLibrary.simpleMessage("アルバムの共有をしてみましょう"), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "無料プランのユーザーを含む、他のEnteユーザーと共有および共同アルバムを作成します。"), + "sharedByMe": MessageLookupByLibrary.simpleMessage("あなたが共有しました"), + "sharedByYou": MessageLookupByLibrary.simpleMessage("あなたが共有しました"), + "sharedPhotoNotifications": + MessageLookupByLibrary.simpleMessage("新しい共有写真"), + "sharedPhotoNotificationsExplanation": + MessageLookupByLibrary.simpleMessage("誰かが写真を共有アルバムに追加した時に通知を受け取る"), + "sharedWith": m87, + "sharedWithMe": MessageLookupByLibrary.simpleMessage("あなたと共有されたアルバム"), + "sharedWithYou": MessageLookupByLibrary.simpleMessage("あなたと共有されています"), + "sharing": MessageLookupByLibrary.simpleMessage("共有中..."), + "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage("日付と時間のシフト"), + "showMemories": MessageLookupByLibrary.simpleMessage("思い出を表示"), + "showPerson": MessageLookupByLibrary.simpleMessage("人物を表示"), + "signOutFromOtherDevices": + MessageLookupByLibrary.simpleMessage("他のデバイスからサインアウトする"), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "他の誰かがあなたのパスワードを知っている可能性があると判断した場合は、あなたのアカウントを使用している他のすべてのデバイスから強制的にサインアウトできます。"), + "signOutOtherDevices": + MessageLookupByLibrary.simpleMessage("他のデバイスからサインアウトする"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "利用規約プライバシーポリシーに同意します"), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": + MessageLookupByLibrary.simpleMessage("全てのアルバムから削除されます。"), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("スキップ"), + "social": MessageLookupByLibrary.simpleMessage("SNS"), + "someItemsAreInBothEnteAndYourDevice": + MessageLookupByLibrary.simpleMessage( + "いくつかの項目は、Enteとお使いのデバイス上の両方にあります。"), + "someOfTheFilesYouAreTryingToDeleteAre": + MessageLookupByLibrary.simpleMessage( + "削除しようとしているファイルのいくつかは、お使いのデバイス上にのみあり、削除した場合は復元できません"), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "アルバムを共有している人はデバイス上で同じIDを見るはずです。"), + "somethingWentWrong": + MessageLookupByLibrary.simpleMessage("エラーが発生しました"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage("問題が起きてしまいました、もう一度試してください"), + "sorry": MessageLookupByLibrary.simpleMessage("すみません"), + "sorryCouldNotAddToFavorites": + MessageLookupByLibrary.simpleMessage("お気に入りに追加できませんでした。"), + "sorryCouldNotRemoveFromFavorites": + MessageLookupByLibrary.simpleMessage("お気に入りから削除できませんでした"), + "sorryTheCodeYouveEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage("入力されたコードは正しくありません"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "このデバイスでは安全な鍵を生成することができませんでした。\n\n他のデバイスからサインアップを試みてください。"), + "sort": MessageLookupByLibrary.simpleMessage("並び替え"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("並び替え"), + "sortNewestFirst": MessageLookupByLibrary.simpleMessage("新しい順"), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage("古い順"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("成功✨"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": + MessageLookupByLibrary.simpleMessage("あなた自身にスポットライト!"), + "startAccountRecoveryTitle": + MessageLookupByLibrary.simpleMessage("リカバリを開始"), + "startBackup": MessageLookupByLibrary.simpleMessage("バックアップを開始"), + "status": MessageLookupByLibrary.simpleMessage("ステータス"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage("キャストを停止しますか?"), + "stopCastingTitle": MessageLookupByLibrary.simpleMessage("キャストを停止"), + "storage": MessageLookupByLibrary.simpleMessage("ストレージ"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("ファミリー"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("あなた"), + "storageInGB": m93, + "storageLimitExceeded": + MessageLookupByLibrary.simpleMessage("ストレージの上限を超えました"), + "storageUsageInfo": m94, + "streamDetails": MessageLookupByLibrary.simpleMessage("動画の詳細"), + "strongStrength": MessageLookupByLibrary.simpleMessage("強いパスワード"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("サブスクライブ"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "共有を有効にするには、有料サブスクリプションが必要です。"), + "subscription": MessageLookupByLibrary.simpleMessage("サブスクリプション"), + "success": MessageLookupByLibrary.simpleMessage("成功"), + "successfullyArchived": + MessageLookupByLibrary.simpleMessage("アーカイブしました"), + "successfullyHid": MessageLookupByLibrary.simpleMessage("非表示にしました"), + "successfullyUnarchived": + MessageLookupByLibrary.simpleMessage("アーカイブを解除しました"), + "successfullyUnhid": MessageLookupByLibrary.simpleMessage("非表示を解除しました"), + "suggestFeatures": MessageLookupByLibrary.simpleMessage("機能を提案"), + "sunrise": MessageLookupByLibrary.simpleMessage("水平線"), + "support": MessageLookupByLibrary.simpleMessage("サポート"), + "syncProgress": m97, + "syncStopped": MessageLookupByLibrary.simpleMessage("同期が停止しました"), + "syncing": MessageLookupByLibrary.simpleMessage("同期中..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("システム"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("タップしてコピー"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage("タップしてコードを入力"), + "tapToUnlock": MessageLookupByLibrary.simpleMessage("タップして解除"), + "tapToUpload": MessageLookupByLibrary.simpleMessage("タップしてアップロード"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "問題が発生したようです。しばらくしてから再試行してください。エラーが解決しない場合は、サポートチームにお問い合わせください。"), + "terminate": MessageLookupByLibrary.simpleMessage("終了させる"), + "terminateSession": MessageLookupByLibrary.simpleMessage("セッションを終了"), + "terms": MessageLookupByLibrary.simpleMessage("規約"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("規約"), + "thankYou": MessageLookupByLibrary.simpleMessage("ありがとうございます"), + "thankYouForSubscribing": + MessageLookupByLibrary.simpleMessage("ありがとうございます!"), + "theDownloadCouldNotBeCompleted": + MessageLookupByLibrary.simpleMessage("ダウンロードを完了できませんでした"), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage("アクセスしようとしているリンクの期限が切れています。"), + "theRecoveryKeyYouEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage("入力したリカバリーキーが間違っています"), + "theme": MessageLookupByLibrary.simpleMessage("テーマ"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage("これらの項目はデバイスから削除されます。"), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": + MessageLookupByLibrary.simpleMessage("全てのアルバムから削除されます。"), + "thisActionCannotBeUndone": + MessageLookupByLibrary.simpleMessage("この操作は元に戻せません"), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "このアルバムはすでにコラボレーションリンクが生成されています"), + "thisCanBeUsedToRecoverYourAccountIfYou": + MessageLookupByLibrary.simpleMessage( + "2段階認証を失った場合、アカウントを回復するために使用できます。"), + "thisDevice": MessageLookupByLibrary.simpleMessage("このデバイス"), + "thisEmailIsAlreadyInUse": + MessageLookupByLibrary.simpleMessage("このメールアドレスはすでに使用されています。"), + "thisImageHasNoExifData": + MessageLookupByLibrary.simpleMessage("この画像にEXIFデータはありません"), + "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("これは私です"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": + MessageLookupByLibrary.simpleMessage("これはあなたの認証IDです"), + "thisWeekThroughTheYears": + MessageLookupByLibrary.simpleMessage("毎年のこの週"), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage("以下のデバイスからログアウトします:"), + "thisWillLogYouOutOfThisDevice": + MessageLookupByLibrary.simpleMessage("ログアウトします"), + "thisWillMakeTheDateAndTimeOfAllSelected": + MessageLookupByLibrary.simpleMessage("選択したすべての写真の日付と時刻が同じになります。"), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "選択したすべてのクイックリンクの公開リンクを削除します。"), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "アプリのロックを有効にするには、システム設定でデバイスのパスコードまたは画面ロックを設定してください。"), + "toHideAPhotoOrVideo": + MessageLookupByLibrary.simpleMessage("写真や動画を非表示にする"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "パスワードのリセットをするには、まずEメールを確認してください"), + "todaysLogs": MessageLookupByLibrary.simpleMessage("今日のログ"), + "tooManyIncorrectAttempts": + MessageLookupByLibrary.simpleMessage("間違った回数が多すぎます"), + "total": MessageLookupByLibrary.simpleMessage("合計"), + "totalSize": MessageLookupByLibrary.simpleMessage("合計サイズ"), + "trash": MessageLookupByLibrary.simpleMessage("ゴミ箱"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("トリミング"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": MessageLookupByLibrary.simpleMessage("信頼する連絡先"), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("もう一度試してください"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "バックアップをオンにすると、このデバイスフォルダに追加されたファイルは自動的にEnteにアップロードされます。"), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": + MessageLookupByLibrary.simpleMessage("年次プランでは2ヶ月無料"), + "twofactor": MessageLookupByLibrary.simpleMessage("二段階認証"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage("二段階認証が無効になりました。"), + "twofactorAuthenticationPageTitle": + MessageLookupByLibrary.simpleMessage("2段階認証"), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage("2段階認証をリセットしました"), + "twofactorSetup": MessageLookupByLibrary.simpleMessage("2段階認証のセットアップ"), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("アーカイブ解除"), + "unarchiveAlbum": MessageLookupByLibrary.simpleMessage("アルバムのアーカイブ解除"), + "unarchiving": MessageLookupByLibrary.simpleMessage("アーカイブを解除中..."), + "unavailableReferralCode": + MessageLookupByLibrary.simpleMessage("このコードは利用できません"), + "uncategorized": MessageLookupByLibrary.simpleMessage("カテゴリなし"), + "unhide": MessageLookupByLibrary.simpleMessage("再表示"), + "unhideToAlbum": MessageLookupByLibrary.simpleMessage("アルバムを再表示する"), + "unhiding": MessageLookupByLibrary.simpleMessage("非表示を解除しています"), + "unhidingFilesToAlbum": + MessageLookupByLibrary.simpleMessage("アルバムにファイルを表示しない"), + "unlock": MessageLookupByLibrary.simpleMessage("ロック解除"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("アルバムのピン留めを解除"), + "unselectAll": MessageLookupByLibrary.simpleMessage("すべての選択を解除"), + "update": MessageLookupByLibrary.simpleMessage("アップデート"), + "updateAvailable": MessageLookupByLibrary.simpleMessage("アップデートがあります"), + "updatingFolderSelection": + MessageLookupByLibrary.simpleMessage("フォルダの選択を更新しています..."), + "upgrade": MessageLookupByLibrary.simpleMessage("アップグレード"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": + MessageLookupByLibrary.simpleMessage("アルバムにファイルをアップロード中"), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": + MessageLookupByLibrary.simpleMessage("1メモリを保存しています..."), + "upto50OffUntil4thDec": + MessageLookupByLibrary.simpleMessage("12月4日まで、最大50%オフ。"), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "使用可能なストレージは現在のプランによって制限されています。プランをアップグレードすると、あなたが手に入れたストレージが自動的に使用可能になります。"), + "useAsCover": MessageLookupByLibrary.simpleMessage("カバー写真として使用"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "この動画の再生に問題がありますか?別のプレイヤーを試すには、ここを長押ししてください。"), + "usePublicLinksForPeopleNotOnEnte": + MessageLookupByLibrary.simpleMessage( + "公開リンクを使用する(Enteを利用しない人と共有できます)"), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage("リカバリーキーを使用"), + "useSelectedPhoto": MessageLookupByLibrary.simpleMessage("選択した写真を使用"), + "usedSpace": MessageLookupByLibrary.simpleMessage("使用済み領域"), + "validTill": m110, + "verificationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage("確認に失敗しました、再試行してください"), + "verificationId": MessageLookupByLibrary.simpleMessage("確認用ID"), + "verify": MessageLookupByLibrary.simpleMessage("確認"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("Eメールの確認"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("確認"), + "verifyPasskey": MessageLookupByLibrary.simpleMessage("パスキーを確認"), + "verifyPassword": MessageLookupByLibrary.simpleMessage("パスワードの確認"), + "verifying": MessageLookupByLibrary.simpleMessage("確認中..."), + "verifyingRecoveryKey": + MessageLookupByLibrary.simpleMessage("リカバリキーを確認中..."), + "videoInfo": MessageLookupByLibrary.simpleMessage("ビデオ情報"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("ビデオ"), + "videos": MessageLookupByLibrary.simpleMessage("ビデオ"), + "viewActiveSessions": + MessageLookupByLibrary.simpleMessage("アクティブなセッションを表示"), + "viewAddOnButton": MessageLookupByLibrary.simpleMessage("アドオンを表示"), + "viewAll": MessageLookupByLibrary.simpleMessage("すべて表示"), + "viewAllExifData": + MessageLookupByLibrary.simpleMessage("全ての EXIF データを表示"), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("大きなファイル"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "最も多くのストレージを消費しているファイルを表示します。"), + "viewLogs": MessageLookupByLibrary.simpleMessage("ログを表示"), + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage("リカバリキーを表示"), + "viewer": MessageLookupByLibrary.simpleMessage("ビューアー"), + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "サブスクリプションを管理するにはweb.ente.ioをご覧ください"), + "waitingForVerification": + MessageLookupByLibrary.simpleMessage("確認を待っています..."), + "waitingForWifi": MessageLookupByLibrary.simpleMessage("WiFi を待っています"), + "warning": MessageLookupByLibrary.simpleMessage("警告"), + "weAreOpenSource": + MessageLookupByLibrary.simpleMessage("私たちはオープンソースです!"), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "あなたが所有していない写真やアルバムの編集はサポートされていません"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("弱いパスワード"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("おかえりなさい!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("最新情報"), + "whyAddTrustContact": + MessageLookupByLibrary.simpleMessage("信頼する連絡先は、データの復旧が必要な際に役立ちます。"), + "yearShort": MessageLookupByLibrary.simpleMessage("年"), + "yearly": MessageLookupByLibrary.simpleMessage("年額"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("はい"), + "yesCancel": MessageLookupByLibrary.simpleMessage("キャンセル"), + "yesConvertToViewer": + MessageLookupByLibrary.simpleMessage("ビューアーに変換する"), + "yesDelete": MessageLookupByLibrary.simpleMessage("はい、削除"), + "yesDiscardChanges": + MessageLookupByLibrary.simpleMessage("はい、変更を破棄します。"), + "yesLogout": MessageLookupByLibrary.simpleMessage("はい、ログアウトします"), + "yesRemove": MessageLookupByLibrary.simpleMessage("削除"), + "yesRenew": MessageLookupByLibrary.simpleMessage("はい、更新する"), + "yesResetPerson": MessageLookupByLibrary.simpleMessage("リセット"), + "you": MessageLookupByLibrary.simpleMessage("あなた"), + "youAndThem": m117, + "youAreOnAFamilyPlan": + MessageLookupByLibrary.simpleMessage("ファミリープランに入会しています!"), + "youAreOnTheLatestVersion": + MessageLookupByLibrary.simpleMessage("あなたは最新バージョンを使用しています"), + "youCanAtMaxDoubleYourStorage": + MessageLookupByLibrary.simpleMessage("* 最大2倍のストレージまで"), + "youCanManageYourLinksInTheShareTab": + MessageLookupByLibrary.simpleMessage("作ったリンクは共有タブで管理できます"), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage("別の単語を検索してみてください。"), + "youCannotDowngradeToThisPlan": + MessageLookupByLibrary.simpleMessage("このプランにダウングレードはできません"), + "youCannotShareWithYourself": + MessageLookupByLibrary.simpleMessage("自分自身と共有することはできません"), + "youDontHaveAnyArchivedItems": + MessageLookupByLibrary.simpleMessage("アーカイブした項目はありません"), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": + MessageLookupByLibrary.simpleMessage("アカウントは削除されました"), + "yourMap": MessageLookupByLibrary.simpleMessage("あなたの地図"), + "yourPlanWasSuccessfullyDowngraded": + MessageLookupByLibrary.simpleMessage("プランはダウングレードされました"), + "yourPlanWasSuccessfullyUpgraded": + MessageLookupByLibrary.simpleMessage("プランはアップグレードされました"), + "yourPurchaseWasSuccessful": + MessageLookupByLibrary.simpleMessage("決済に成功しました"), + "yourStorageDetailsCouldNotBeFetched": + MessageLookupByLibrary.simpleMessage("ストレージの詳細を取得できませんでした"), + "yourSubscriptionHasExpired": + MessageLookupByLibrary.simpleMessage("サブスクリプションの有効期限が終了しました"), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage("サブスクリプションが更新されました"), + "yourVerificationCodeHasExpired": + MessageLookupByLibrary.simpleMessage("確認用コードが失効しました"), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage("削除できる同一ファイルはありません"), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage("このアルバムには消すファイルがありません"), + "zoomOutToSeePhotos": + MessageLookupByLibrary.simpleMessage("ズームアウトして写真を表示") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_ko.dart b/mobile/apps/photos/lib/generated/intl/messages_ko.dart index 5484114329..e378d62fd9 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_ko.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_ko.dart @@ -22,28 +22,26 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( - "다시 오신 것을 환영합니다!", - ), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "계정을 삭제하는 가장 큰 이유가 무엇인가요?", - ), - "cancel": MessageLookupByLibrary.simpleMessage("닫기"), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage("계정 삭제 확인"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("계정 삭제"), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "계정을 영구적으로 삭제", - ), - "email": MessageLookupByLibrary.simpleMessage("이메일"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "올바른 이메일 주소를 입력하세요.", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage("이메일을 입력하세요"), - "feedback": MessageLookupByLibrary.simpleMessage("피드백"), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage("잘못된 이메일 주소"), - "verify": MessageLookupByLibrary.simpleMessage("인증"), - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "계정이 삭제되었습니다.", - ), - }; + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("다시 오신 것을 환영합니다!"), + "askDeleteReason": + MessageLookupByLibrary.simpleMessage("계정을 삭제하는 가장 큰 이유가 무엇인가요?"), + "cancel": MessageLookupByLibrary.simpleMessage("닫기"), + "confirmAccountDeletion": + MessageLookupByLibrary.simpleMessage("계정 삭제 확인"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("계정 삭제"), + "deleteAccountPermanentlyButton": + MessageLookupByLibrary.simpleMessage("계정을 영구적으로 삭제"), + "email": MessageLookupByLibrary.simpleMessage("이메일"), + "enterValidEmail": + MessageLookupByLibrary.simpleMessage("올바른 이메일 주소를 입력하세요."), + "enterYourEmailAddress": + MessageLookupByLibrary.simpleMessage("이메일을 입력하세요"), + "feedback": MessageLookupByLibrary.simpleMessage("피드백"), + "invalidEmailAddress": + MessageLookupByLibrary.simpleMessage("잘못된 이메일 주소"), + "verify": MessageLookupByLibrary.simpleMessage("인증"), + "yourAccountHasBeenDeleted": + MessageLookupByLibrary.simpleMessage("계정이 삭제되었습니다.") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_lt.dart b/mobile/apps/photos/lib/generated/intl/messages_lt.dart index c018b0d7e9..267868e660 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_lt.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_lt.dart @@ -57,7 +57,11 @@ class MessageLookup extends MessageLookupByLibrary { "${user} negalės pridėti daugiau nuotraukų į šį albumą\n\nJie vis tiek galės pašalinti esamas pridėtas nuotraukas"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, {'true': 'Jūsų šeima gavo ${storageAmountInGb} GB iki šiol', 'false': 'Jūs gavote ${storageAmountInGb} GB iki šiol', 'other': 'Jūs gavote ${storageAmountInGb} GB iki šiol.'})}"; + "${Intl.select(isFamilyMember, { + 'true': 'Jūsų šeima gavo ${storageAmountInGb} GB iki šiol', + 'false': 'Jūs gavote ${storageAmountInGb} GB iki šiol', + 'other': 'Jūs gavote ${storageAmountInGb} GB iki šiol.', + })}"; static String m15(albumName) => "Bendradarbiavimo nuoroda sukurta albumui „${albumName}“"; @@ -261,11 +265,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, - usedStorageUnit, - totalAmount, - totalStorageUnit, - ) => + usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => "${usedAmount} ${usedStorageUnit} iš ${totalAmount} ${totalStorageUnit} naudojama"; static String m95(id) => @@ -330,2484 +330,1969 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Yra nauja „Ente“ versija.", - ), - "about": MessageLookupByLibrary.simpleMessage("Apie"), - "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( - "Priimti kvietimą", - ), - "account": MessageLookupByLibrary.simpleMessage("Paskyra"), - "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( - "Paskyra jau sukonfigūruota.", - ), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( - "Sveiki sugrįžę!", - ), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Suprantu, kad jei prarasiu slaptažodį, galiu prarasti savo duomenis, kadangi mano duomenys yra visapusiškai užšifruoti", - ), - "actionNotSupportedOnFavouritesAlbum": MessageLookupByLibrary.simpleMessage( - "Veiksmas nepalaikomas Mėgstamų albume.", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage("Aktyvūs seansai"), - "add": MessageLookupByLibrary.simpleMessage("Pridėti"), - "addAName": MessageLookupByLibrary.simpleMessage("Pridėti vardą"), - "addANewEmail": MessageLookupByLibrary.simpleMessage( - "Įtraukite naują el. paštą", - ), - "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Pridėkite albumo valdiklį prie savo pradžios ekrano ir grįžkite čia, kad tinkintumėte.", - ), - "addCollaborator": MessageLookupByLibrary.simpleMessage( - "Pridėti bendradarbį", - ), - "addCollaborators": m1, - "addFiles": MessageLookupByLibrary.simpleMessage("Pridėti failus"), - "addFromDevice": MessageLookupByLibrary.simpleMessage( - "Pridėti iš įrenginio", - ), - "addItem": m2, - "addLocation": MessageLookupByLibrary.simpleMessage("Pridėti vietovę"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Pridėti"), - "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Pridėkite prisiminimų valdiklį prie savo pradžios ekrano ir grįžkite čia, kad tinkintumėte.", - ), - "addMore": MessageLookupByLibrary.simpleMessage("Pridėti daugiau"), - "addName": MessageLookupByLibrary.simpleMessage("Pridėti vardą"), - "addNameOrMerge": MessageLookupByLibrary.simpleMessage( - "Pridėti vardą arba sujungti", - ), - "addNew": MessageLookupByLibrary.simpleMessage("Pridėti naują"), - "addNewPerson": MessageLookupByLibrary.simpleMessage( - "Pridėti naują asmenį", - ), - "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( - "Išsami informacija apie priedus", - ), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("Priedai"), - "addParticipants": MessageLookupByLibrary.simpleMessage("Įtraukti dalyvių"), - "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Pridėkite asmenų valdiklį prie savo pradžios ekrano ir grįžkite čia, kad tinkintumėte.", - ), - "addPhotos": MessageLookupByLibrary.simpleMessage("Įtraukti nuotraukų"), - "addSelected": MessageLookupByLibrary.simpleMessage("Pridėti pasirinktus"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("Pridėti į albumą"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Pridėti į „Ente“"), - "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Įtraukti į paslėptą albumą", - ), - "addTrustedContact": MessageLookupByLibrary.simpleMessage( - "Pridėti patikimą kontaktą", - ), - "addViewer": MessageLookupByLibrary.simpleMessage("Pridėti žiūrėtoją"), - "addViewers": m4, - "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( - "Įtraukite savo nuotraukas dabar", - ), - "addedAs": MessageLookupByLibrary.simpleMessage("Pridėta kaip"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": MessageLookupByLibrary.simpleMessage( - "Pridedama prie mėgstamų...", - ), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("Išplėstiniai"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Išplėstiniai"), - "after1Day": MessageLookupByLibrary.simpleMessage("Po 1 dienos"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Po 1 valandos"), - "after1Month": MessageLookupByLibrary.simpleMessage("Po 1 mėnesio"), - "after1Week": MessageLookupByLibrary.simpleMessage("Po 1 savaitės"), - "after1Year": MessageLookupByLibrary.simpleMessage("Po 1 metų"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Savininkas"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Albumo pavadinimas"), - "albumUpdated": MessageLookupByLibrary.simpleMessage("Atnaujintas albumas"), - "albums": MessageLookupByLibrary.simpleMessage("Albumai"), - "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Pasirinkite albumus, kuriuos norite matyti savo pradžios ekrane.", - ), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Viskas išvalyta"), - "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( - "Išsaugoti visi prisiminimai", - ), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "Visi šio asmens grupavimai bus iš naujo nustatyti, o jūs neteksite visų šiam asmeniui pateiktų pasiūlymų", - ), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "Tai – pirmoji šioje grupėje. Kitos pasirinktos nuotraukos bus automatiškai perkeltos pagal šią naują datą.", - ), - "allow": MessageLookupByLibrary.simpleMessage("Leisti"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Leiskite nuorodą turintiems asmenims taip pat pridėti nuotraukų į bendrinamą albumą.", - ), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( - "Leisti pridėti nuotraukų", - ), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "Leisti programai atverti bendrinamų albumų nuorodas", - ), - "allowDownloads": MessageLookupByLibrary.simpleMessage( - "Leisti atsisiuntimus", - ), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Leiskite asmenims pridėti nuotraukų", - ), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Iš nustatymų leiskite prieigą prie nuotraukų, kad „Ente“ galėtų rodyti ir kurti atsargines bibliotekos kopijas.", - ), - "allowPermTitle": MessageLookupByLibrary.simpleMessage( - "Leisti prieigą prie nuotraukų", - ), - "androidBiometricHint": MessageLookupByLibrary.simpleMessage( - "Patvirtinkite tapatybę", - ), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "Neatpažinta. Bandykite dar kartą.", - ), - "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( - "Privaloma biometrija", - ), - "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("Sėkmė"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Atšaukti"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage( - "Privalomi įrenginio kredencialai", - ), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage( - "Privalomi įrenginio kredencialai", - ), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Biometrinis tapatybės nustatymas jūsų įrenginyje nenustatytas. Eikite į Nustatymai > Saugumas ir pridėkite biometrinį tapatybės nustatymą.", - ), - "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( - "„Android“, „iOS“, internete ir darbalaukyje", - ), - "androidSignInTitle": MessageLookupByLibrary.simpleMessage( - "Privalomas tapatybės nustatymas", - ), - "appIcon": MessageLookupByLibrary.simpleMessage("Programos piktograma"), - "appLock": MessageLookupByLibrary.simpleMessage("Programos užraktas"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Pasirinkite tarp numatytojo įrenginio užrakinimo ekrano ir pasirinktinio užrakinimo ekrano su PIN kodu arba slaptažodžiu.", - ), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("„Apple ID“"), - "apply": MessageLookupByLibrary.simpleMessage("Taikyti"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Taikyti kodą"), - "appstoreSubscription": MessageLookupByLibrary.simpleMessage( - "„App Store“ prenumerata", - ), - "archive": MessageLookupByLibrary.simpleMessage("Archyvas"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("Archyvuoti albumą"), - "archiving": MessageLookupByLibrary.simpleMessage("Archyvuojama..."), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Ar tikrai norite palikti šeimos planą?", - ), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "Ar tikrai norite atšaukti?", - ), - "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( - "Ar tikrai norite keisti planą?", - ), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "Ar tikrai norite išeiti?", - ), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Ar tikrai norite atsijungti?", - ), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "Ar tikrai norite pratęsti?", - ), - "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( - "Ar tikrai norite iš naujo nustatyti šį asmenį?", - ), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "Jūsų prenumerata buvo atšaukta. Ar norėtumėte pasidalyti priežastimi?", - ), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Kokia yra pagrindinė priežastis, dėl kurios ištrinate savo paskyrą?", - ), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Paprašykite savo artimuosius bendrinti", - ), - "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( - "priešgaisrinėje slėptuvėje", - ), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Nustatykite tapatybę, kad pakeistumėte el. pašto patvirtinimą", - ), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Nustatykite tapatybę, kad pakeistumėte užrakinto ekrano nustatymą", - ), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Nustatykite tapatybę, kad pakeistumėte savo el. paštą", - ), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Nustatykite tapatybę, kad pakeistumėte slaptažodį", - ), - "authToConfigureTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( - "Nustatykite tapatybę, kad sukonfigūruotumėte dvigubą tapatybės nustatymą", - ), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Nustatykite tapatybę, kad pradėtumėte paskyros ištrynimą", - ), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Nustatykite tapatybę, kad tvarkytumėte patikimus kontaktus", - ), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Nustatykite tapatybę, kad peržiūrėtumėte savo slaptaraktį", - ), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Nustatykite tapatybę, kad peržiūrėtumėte išmestus failus", - ), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Nustatykite tapatybę, kad peržiūrėtumėte savo aktyvius seansus", - ), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Nustatykite tapatybę, kad peržiūrėtumėte paslėptus failus", - ), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Nustatykite tapatybę, kad peržiūrėtumėte savo prisiminimus", - ), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Nustatykite tapatybę, kad peržiūrėtumėte savo atkūrimo raktą", - ), - "authenticating": MessageLookupByLibrary.simpleMessage( - "Nustatoma tapatybė...", - ), - "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Tapatybės nustatymas nepavyko. Bandykite dar kartą.", - ), - "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( - "Tapatybės nustatymas sėkmingas.", - ), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Čia matysite pasiekiamus perdavimo įrenginius.", - ), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Įsitikinkite, kad programai „Ente“ nuotraukos yra įjungti vietinio tinklo leidimai, nustatymuose.", - ), - "autoLock": MessageLookupByLibrary.simpleMessage("Automatinis užraktas"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Laikas, po kurio programa užrakinama perkėlus ją į foną", - ), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "Dėl techninio trikdžio buvote atjungti. Atsiprašome už nepatogumus.", - ), - "autoPair": MessageLookupByLibrary.simpleMessage("Automatiškai susieti"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "Automatinis susiejimas veikia tik su įrenginiais, kurie palaiko „Chromecast“.", - ), - "available": MessageLookupByLibrary.simpleMessage("Prieinama"), - "availableStorageSpace": m10, - "backedUpFolders": MessageLookupByLibrary.simpleMessage( - "Sukurtos atsarginės aplankų kopijos", - ), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("Kurti atsarginę kopiją"), - "backupFailed": MessageLookupByLibrary.simpleMessage( - "Atsarginė kopija nepavyko", - ), - "backupFile": MessageLookupByLibrary.simpleMessage( - "Kurti atsarginę failo kopiją", - ), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Kurti atsargines kopijas per mobiliuosius duomenis", - ), - "backupSettings": MessageLookupByLibrary.simpleMessage( - "Atsarginės kopijos nustatymai", - ), - "backupStatus": MessageLookupByLibrary.simpleMessage( - "Atsarginės kopijos būsena", - ), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Čia bus rodomi elementai, kurių atsarginės kopijos buvo sukurtos.", - ), - "backupVideos": MessageLookupByLibrary.simpleMessage( - "Kurti atsargines vaizdo įrašų kopijas", - ), - "beach": MessageLookupByLibrary.simpleMessage("Smėlis ir jūra"), - "birthday": MessageLookupByLibrary.simpleMessage("Gimtadienis"), - "birthdayNotifications": MessageLookupByLibrary.simpleMessage( - "Gimtadienio pranešimai", - ), - "birthdays": MessageLookupByLibrary.simpleMessage("Gimtadieniai"), - "blackFridaySale": MessageLookupByLibrary.simpleMessage( - "Juodojo penktadienio išpardavimas", - ), - "blog": MessageLookupByLibrary.simpleMessage("Tinklaraštis"), - "cachedData": MessageLookupByLibrary.simpleMessage("Podėliuoti duomenis"), - "calculating": MessageLookupByLibrary.simpleMessage("Skaičiuojama..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Atsiprašome, šio albumo negalima atverti programoje.", - ), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( - "Negalima atverti šio albumo", - ), - "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( - "Negalima įkelti į kitiems priklausančius albumus", - ), - "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Galima sukurti nuorodą tik jums priklausantiems failams", - ), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Galima pašalinti tik jums priklausančius failus", - ), - "cancel": MessageLookupByLibrary.simpleMessage("Atšaukti"), - "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( - "Atšaukti atkūrimą", - ), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "Ar tikrai norite atšaukti atkūrimą?", - ), - "cancelOtherSubscription": m12, - "cancelSubscription": MessageLookupByLibrary.simpleMessage( - "Atsisakyti prenumeratos", - ), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Negalima ištrinti bendrinamų failų.", - ), - "castAlbum": MessageLookupByLibrary.simpleMessage("Perduoti albumą"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Įsitikinkite, kad esate tame pačiame tinkle kaip ir televizorius.", - ), - "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( - "Nepavyko perduoti albumo", - ), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Aplankykite cast.ente.io įrenginyje, kurį norite susieti.\n\nĮveskite toliau esantį kodą, kad paleistumėte albumą televizoriuje.", - ), - "centerPoint": MessageLookupByLibrary.simpleMessage("Centro taškas"), - "change": MessageLookupByLibrary.simpleMessage("Keisti"), - "changeEmail": MessageLookupByLibrary.simpleMessage("Keisti el. paštą"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Keisti pasirinktų elementų vietovę?", - ), - "changePassword": MessageLookupByLibrary.simpleMessage("Keisti slaptažodį"), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Keisti slaptažodį", - ), - "changePermissions": MessageLookupByLibrary.simpleMessage( - "Keisti leidimus?", - ), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Keisti savo rekomendacijos kodą", - ), - "checkForUpdates": MessageLookupByLibrary.simpleMessage( - "Tikrinti, ar yra atnaujinimų", - ), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Patikrinkite savo gautieją (ir šlamštą), kad užbaigtumėte patvirtinimą", - ), - "checkStatus": MessageLookupByLibrary.simpleMessage("Tikrinti būseną"), - "checking": MessageLookupByLibrary.simpleMessage("Tikrinama..."), - "checkingModels": MessageLookupByLibrary.simpleMessage( - "Tikrinami modeliai...", - ), - "city": MessageLookupByLibrary.simpleMessage("Mieste"), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage( - "Gaukite nemokamos saugyklos", - ), - "claimMore": MessageLookupByLibrary.simpleMessage("Gaukite daugiau!"), - "claimed": MessageLookupByLibrary.simpleMessage("Gauta"), - "claimedStorageSoFar": m14, - "cleanUncategorized": MessageLookupByLibrary.simpleMessage( - "Valyti nekategorizuotus", - ), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Pašalinkite iš nekategorizuotus visus failus, esančius kituose albumuose", - ), - "clearCaches": MessageLookupByLibrary.simpleMessage("Valyti podėlius"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Valyti indeksavimus"), - "click": MessageLookupByLibrary.simpleMessage("• Spauskite"), - "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( - "• Spustelėkite ant perpildymo meniu", - ), - "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( - "Spustelėkite, kad įdiegtumėte geriausią mūsų versiją iki šiol", - ), - "close": MessageLookupByLibrary.simpleMessage("Uždaryti"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( - "Grupuoti pagal užfiksavimo laiką", - ), - "clubByFileName": MessageLookupByLibrary.simpleMessage( - "Grupuoti pagal failo pavadinimą", - ), - "clusteringProgress": MessageLookupByLibrary.simpleMessage( - "Sankaupos vykdymas", - ), - "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( - "Pritaikytas kodas", - ), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Atsiprašome, pasiekėte kodo pakeitimų ribą.", - ), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Nukopijuotas kodas į iškarpinę", - ), - "codeUsedByYou": MessageLookupByLibrary.simpleMessage( - "Jūsų naudojamas kodas", - ), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Sukurkite nuorodą, kad asmenys galėtų pridėti ir peržiūrėti nuotraukas bendrinamame albume, nereikalaujant „Ente“ programos ar paskyros. Puikiai tinka įvykių nuotraukoms rinkti.", - ), - "collaborativeLink": MessageLookupByLibrary.simpleMessage( - "Bendradarbiavimo nuoroda", - ), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Bendradarbis"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Bendradarbiai gali pridėti nuotraukų ir vaizdo įrašų į bendrintą albumą.", - ), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("Išdėstymas"), - "collageSaved": MessageLookupByLibrary.simpleMessage( - "Koliažas išsaugotas į galeriją", - ), - "collect": MessageLookupByLibrary.simpleMessage("Rinkti"), - "collectEventPhotos": MessageLookupByLibrary.simpleMessage( - "Rinkti įvykių nuotraukas", - ), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Rinkti nuotraukas"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Sukurkite nuorodą, į kurią draugai gali įkelti originalios kokybės nuotraukas.", - ), - "color": MessageLookupByLibrary.simpleMessage("Spalva"), - "configuration": MessageLookupByLibrary.simpleMessage("Konfiguracija"), - "confirm": MessageLookupByLibrary.simpleMessage("Patvirtinti"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Ar tikrai norite išjungti dvigubą tapatybės nustatymą?", - ), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Patvirtinti paskyros ištrynimą", - ), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Taip, noriu negrįžtamai ištrinti šią paskyrą ir jos duomenis per visas programas", - ), - "confirmPassword": MessageLookupByLibrary.simpleMessage( - "Patvirtinkite slaptažodį", - ), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage( - "Patvirtinkite plano pakeitimą", - ), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Patvirtinkite atkūrimo raktą", - ), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Patvirtinkite savo atkūrimo raktą", - ), - "connectToDevice": MessageLookupByLibrary.simpleMessage( - "Prijungti prie įrenginio", - ), - "contactFamilyAdmin": m18, - "contactSupport": MessageLookupByLibrary.simpleMessage( - "Susisiekti su palaikymo komanda", - ), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Kontaktai"), - "contents": MessageLookupByLibrary.simpleMessage("Turinys"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Tęsti"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "Tęsti nemokame bandomajame laikotarpyje", - ), - "convertToAlbum": MessageLookupByLibrary.simpleMessage( - "Konvertuoti į albumą", - ), - "copyEmailAddress": MessageLookupByLibrary.simpleMessage( - "Kopijuoti el. pašto adresą", - ), - "copyLink": MessageLookupByLibrary.simpleMessage("Kopijuoti nuorodą"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Nukopijuokite ir įklijuokite šį kodą\nį autentifikatoriaus programą", - ), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "Nepavyko sukurti atsarginės duomenų kopijos.\nBandysime pakartotinai vėliau.", - ), - "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( - "Nepavyko atlaisvinti vietos.", - ), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Nepavyko atnaujinti prenumeratos", - ), - "count": MessageLookupByLibrary.simpleMessage("Skaičių"), - "crashReporting": MessageLookupByLibrary.simpleMessage( - "Pranešti apie strigčius", - ), - "create": MessageLookupByLibrary.simpleMessage("Kurti"), - "createAccount": MessageLookupByLibrary.simpleMessage("Kurti paskyrą"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Ilgai paspauskite, kad pasirinktumėte nuotraukas, ir spustelėkite +, kad sukurtumėte albumą", - ), - "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( - "Kurti bendradarbiavimo nuorodą", - ), - "createCollage": MessageLookupByLibrary.simpleMessage("Kurti koliažą"), - "createNewAccount": MessageLookupByLibrary.simpleMessage( - "Kurti naują paskyrą", - ), - "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( - "Kurkite arba pasirinkite albumą", - ), - "createPublicLink": MessageLookupByLibrary.simpleMessage( - "Kurti viešą nuorodą", - ), - "creatingLink": MessageLookupByLibrary.simpleMessage("Kuriama nuoroda..."), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "Yra kritinis naujinimas", - ), - "crop": MessageLookupByLibrary.simpleMessage("Apkirpti"), - "curatedMemories": MessageLookupByLibrary.simpleMessage( - "Kuruoti prisiminimai", - ), - "currentUsageIs": MessageLookupByLibrary.simpleMessage( - "Dabartinis naudojimas – ", - ), - "currentlyRunning": MessageLookupByLibrary.simpleMessage( - "šiuo metu vykdoma", - ), - "custom": MessageLookupByLibrary.simpleMessage("Pasirinktinis"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Tamsi"), - "dayToday": MessageLookupByLibrary.simpleMessage("Šiandien"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Vakar"), - "declineTrustInvite": MessageLookupByLibrary.simpleMessage( - "Atmesti kvietimą", - ), - "decrypting": MessageLookupByLibrary.simpleMessage("Iššifruojama..."), - "decryptingVideo": MessageLookupByLibrary.simpleMessage( - "Iššifruojamas vaizdo įrašas...", - ), - "deduplicateFiles": MessageLookupByLibrary.simpleMessage( - "Atdubliuoti failus", - ), - "delete": MessageLookupByLibrary.simpleMessage("Ištrinti"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Ištrinti paskyrą"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Apgailestaujame, kad išeinate. Pasidalykite savo atsiliepimais, kad padėtumėte mums tobulėti.", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Ištrinti paskyrą negrįžtamai", - ), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Ištrinti albumą"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Taip pat ištrinti šiame albume esančias nuotraukas (ir vaizdo įrašus) iš visų kitų albumų, kuriuose jos yra dalis?", - ), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "Tai ištrins visus tuščius albumus. Tai naudinga, kai norite sumažinti netvarką savo albumų sąraše.", - ), - "deleteAll": MessageLookupByLibrary.simpleMessage("Ištrinti viską"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "Ši paskyra susieta su kitomis „Ente“ programomis, jei jas naudojate. Jūsų įkelti duomenys per visas „Ente“ programas bus planuojama ištrinti, o jūsų paskyra bus ištrinta negrįžtamai.", - ), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Iš savo registruoto el. pašto adreso siųskite el. laišką adresu account-deletion@ente.io.", - ), - "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( - "Ištrinti tuščius albumus", - ), - "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( - "Ištrinti tuščius albumus?", - ), - "deleteFromBoth": MessageLookupByLibrary.simpleMessage( - "Ištrinti iš abiejų", - ), - "deleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Ištrinti iš įrenginio", - ), - "deleteFromEnte": MessageLookupByLibrary.simpleMessage( - "Ištrinti iš „Ente“", - ), - "deleteItemCount": m21, - "deleteLocation": MessageLookupByLibrary.simpleMessage("Ištrinti vietovę"), - "deleteMultipleAlbumDialog": m22, - "deletePhotos": MessageLookupByLibrary.simpleMessage("Ištrinti nuotraukas"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Trūksta pagrindinės funkcijos, kurios man reikia", - ), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "Programa arba tam tikra funkcija nesielgia taip, kaip, mano manymu, turėtų elgtis", - ), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Radau kitą paslaugą, kuri man patinka labiau", - ), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "Mano priežastis nenurodyta", - ), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Jūsų prašymas bus apdorotas per 72 valandas.", - ), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Ištrinti bendrinamą albumą?", - ), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "Albumas bus ištrintas visiems.\n\nPrarasite prieigą prie bendrinamų nuotraukų, esančių šiame albume ir priklausančių kitiems.", - ), - "deselectAll": MessageLookupByLibrary.simpleMessage( - "Naikinti visų pasirinkimą", - ), - "designedToOutlive": MessageLookupByLibrary.simpleMessage( - "Sukurta išgyventi", - ), - "details": MessageLookupByLibrary.simpleMessage("Išsami informacija"), - "developerSettings": MessageLookupByLibrary.simpleMessage( - "Kūrėjo nustatymai", - ), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Ar tikrai norite modifikuoti kūrėjo nustatymus?", - ), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Įveskite kodą"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "Į šį įrenginio albumą įtraukti failai bus automatiškai įkelti į „Ente“.", - ), - "deviceLock": MessageLookupByLibrary.simpleMessage("Įrenginio užraktas"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Išjunkite įrenginio ekrano užraktą, kai „Ente“ yra priekiniame fone ir kuriama atsarginės kopijos. Paprastai to nereikia, bet tai gali padėti greičiau užbaigti didelius įkėlimus ir pradinį didelių bibliotekų importą.", - ), - "deviceNotFound": MessageLookupByLibrary.simpleMessage( - "Įrenginys nerastas", - ), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Ar žinojote?"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage( - "Išjungti automatinį užraktą", - ), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Žiūrėtojai vis tiek gali daryti ekrano kopijas arba išsaugoti nuotraukų kopijas naudojant išorinius įrankius", - ), - "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( - "Atkreipkite dėmesį", - ), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "Išjungti dvigubą tapatybės nustatymą", - ), - "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( - "Išjungiamas dvigubas tapatybės nustatymas...", - ), - "discord": MessageLookupByLibrary.simpleMessage("„Discord“"), - "discover": MessageLookupByLibrary.simpleMessage("Atraskite"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Kūdikiai"), - "discover_celebrations": MessageLookupByLibrary.simpleMessage("Šventės"), - "discover_food": MessageLookupByLibrary.simpleMessage("Maistas"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Žaluma"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Kalvos"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Tapatybė"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Mėmai"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Užrašai"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Gyvūnai"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Kvitai"), - "discover_screenshots": MessageLookupByLibrary.simpleMessage( - "Ekrano kopijos", - ), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Asmenukės"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Saulėlydis"), - "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( - "Lankymo kortelės", - ), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Ekrano fonai"), - "dismiss": MessageLookupByLibrary.simpleMessage("Atmesti"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage("Neatsijungti"), - "doThisLater": MessageLookupByLibrary.simpleMessage("Daryti tai vėliau"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Ar norite atmesti atliktus pakeitimus?", - ), - "done": MessageLookupByLibrary.simpleMessage("Atlikta"), - "dontSave": MessageLookupByLibrary.simpleMessage("Neišsaugoti"), - "doubleYourStorage": MessageLookupByLibrary.simpleMessage( - "Padvigubinkite saugyklą", - ), - "download": MessageLookupByLibrary.simpleMessage("Atsisiųsti"), - "downloadFailed": MessageLookupByLibrary.simpleMessage( - "Atsisiuntimas nepavyko.", - ), - "downloading": MessageLookupByLibrary.simpleMessage("Atsisiunčiama..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Redaguoti"), - "editEmailAlreadyLinked": m28, - "editLocation": MessageLookupByLibrary.simpleMessage("Redaguoti vietovę"), - "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( - "Redaguoti vietovę", - ), - "editPerson": MessageLookupByLibrary.simpleMessage("Redaguoti asmenį"), - "editTime": MessageLookupByLibrary.simpleMessage("Redaguoti laiką"), - "editsSaved": MessageLookupByLibrary.simpleMessage("Redagavimai išsaugoti"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Vietovės pakeitimai bus matomi tik per „Ente“", - ), - "eligible": MessageLookupByLibrary.simpleMessage("tinkamas"), - "email": MessageLookupByLibrary.simpleMessage("El. paštas"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "El. paštas jau užregistruotas.", - ), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "El. paštas neregistruotas.", - ), - "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( - "El. pašto patvirtinimas", - ), - "emailYourLogs": MessageLookupByLibrary.simpleMessage( - "Atsiųskite žurnalus el. laišku", - ), - "embracingThem": m32, - "emergencyContacts": MessageLookupByLibrary.simpleMessage( - "Skubios pagalbos kontaktai", - ), - "empty": MessageLookupByLibrary.simpleMessage("Ištuštinti"), - "emptyTrash": MessageLookupByLibrary.simpleMessage("Ištuštinti šiukšlinę?"), - "enable": MessageLookupByLibrary.simpleMessage("Įjungti"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "„Ente“ palaiko įrenginyje mašininį mokymąsi, skirtą veidų atpažinimui, magiškai paieškai ir kitoms išplėstinėms paieškos funkcijoms", - ), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Įjunkite mašininį mokymąsi magiškai paieškai ir veidų atpažinimui", - ), - "enableMaps": MessageLookupByLibrary.simpleMessage("Įjungti žemėlapius"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "Tai parodys jūsų nuotraukas pasaulio žemėlapyje.\n\nŠį žemėlapį talpina „OpenStreetMap“, o tiksliomis nuotraukų vietovėmis niekada nebendrinama.\n\nŠią funkciją bet kada galite išjungti iš nustatymų.", - ), - "enabled": MessageLookupByLibrary.simpleMessage("Įjungta"), - "encryptingBackup": MessageLookupByLibrary.simpleMessage( - "Šifruojama atsarginė kopija...", - ), - "encryption": MessageLookupByLibrary.simpleMessage("Šifravimas"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage("Šifravimo raktai"), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Galutinis taškas sėkmingai atnaujintas", - ), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Pagal numatytąjį užšifruota visapusiškai", - ), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "„Ente“ gali užšifruoti ir išsaugoti failus tik tada, jei suteikiate prieigą prie jų.", - ), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "„Ente“ reikia leidimo išsaugoti jūsų nuotraukas", - ), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "„Ente“ išsaugo jūsų prisiminimus, todėl jie visada bus pasiekiami, net jei prarasite įrenginį.", - ), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Į planą galima pridėti ir savo šeimą.", - ), - "enterAlbumName": MessageLookupByLibrary.simpleMessage( - "Įveskite albumo pavadinimą", - ), - "enterCode": MessageLookupByLibrary.simpleMessage("Įvesti kodą"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Įveskite draugo pateiktą kodą, kad gautumėte nemokamą saugyklą abiem.", - ), - "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( - "Gimtadienis (neprivaloma)", - ), - "enterEmail": MessageLookupByLibrary.simpleMessage("Įveskite el. paštą"), - "enterFileName": MessageLookupByLibrary.simpleMessage( - "Įveskite failo pavadinimą", - ), - "enterName": MessageLookupByLibrary.simpleMessage("Įveskite vardą"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Įveskite naują slaptažodį, kurį galime naudoti jūsų duomenims šifruoti", - ), - "enterPassword": MessageLookupByLibrary.simpleMessage( - "Įveskite slaptažodį", - ), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Įveskite slaptažodį, kurį galime naudoti jūsų duomenims šifruoti", - ), - "enterPersonName": MessageLookupByLibrary.simpleMessage( - "Įveskite asmens vardą", - ), - "enterPin": MessageLookupByLibrary.simpleMessage("Įveskite PIN"), - "enterReferralCode": MessageLookupByLibrary.simpleMessage( - "Įveskite rekomendacijos kodą", - ), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Įveskite 6 skaitmenų kodą\niš autentifikatoriaus programos", - ), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Įveskite tinkamą el. pašto adresą.", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Įveskite savo el. pašto adresą", - ), - "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( - "Įveskite savo naują el. pašto adresą", - ), - "enterYourPassword": MessageLookupByLibrary.simpleMessage( - "Įveskite savo slaptažodį", - ), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Įveskite atkūrimo raktą", - ), - "error": MessageLookupByLibrary.simpleMessage("Klaida"), - "everywhere": MessageLookupByLibrary.simpleMessage("visur"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": MessageLookupByLibrary.simpleMessage("Esamas naudotojas"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Ši nuoroda nebegalioja. Pasirinkite naują galiojimo laiką arba išjunkite nuorodos galiojimo laiką.", - ), - "exportLogs": MessageLookupByLibrary.simpleMessage("Eksportuoti žurnalus"), - "exportYourData": MessageLookupByLibrary.simpleMessage( - "Eksportuoti duomenis", - ), - "extraPhotosFound": MessageLookupByLibrary.simpleMessage( - "Rastos papildomos nuotraukos", - ), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Veidas dar nesugrupuotas. Grįžkite vėliau.", - ), - "faceRecognition": MessageLookupByLibrary.simpleMessage( - "Veido atpažinimas", - ), - "faces": MessageLookupByLibrary.simpleMessage("Veidai"), - "failed": MessageLookupByLibrary.simpleMessage("Nepavyko"), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage( - "Nepavyko pritaikyti kodo.", - ), - "failedToCancel": MessageLookupByLibrary.simpleMessage( - "Nepavyko atsisakyti", - ), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( - "Nepavyko atsisiųsti vaizdo įrašo.", - ), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Nepavyko gauti aktyvių seansų.", - ), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Nepavyko gauti originalo redagavimui.", - ), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Nepavyksta gauti rekomendacijos išsamios informacijos. Bandykite dar kartą vėliau.", - ), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "Nepavyko įkelti albumų.", - ), - "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Nepavyko paleisti vaizdo įrašą. ", - ), - "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( - "Nepavyko atnaujinti prenumeratos.", - ), - "failedToRenew": MessageLookupByLibrary.simpleMessage("Nepavyko pratęsti."), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Nepavyko patvirtinti mokėjimo būsenos", - ), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Įtraukite 5 šeimos narius į jūsų esamą planą nemokėdami papildomai.\n\nKiekvienas narys gauna savo asmeninę vietą ir negali matyti vienas kito failų, nebent jie bendrinami.\n\nŠeimos planai pasiekiami klientams, kurie turi mokamą „Ente“ prenumeratą.\n\nPrenumeruokite dabar, kad pradėtumėte!", - ), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Šeima"), - "familyPlans": MessageLookupByLibrary.simpleMessage("Šeimos planai"), - "faq": MessageLookupByLibrary.simpleMessage("DUK"), - "faqs": MessageLookupByLibrary.simpleMessage("DUK"), - "favorite": MessageLookupByLibrary.simpleMessage("Pamėgti"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("Atsiliepimai"), - "file": MessageLookupByLibrary.simpleMessage("Failas"), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Nepavyko išsaugoti failo į galeriją", - ), - "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( - "Pridėti aprašymą...", - ), - "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( - "Failas dar neįkeltas.", - ), - "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Failas išsaugotas į galeriją", - ), - "fileTypes": MessageLookupByLibrary.simpleMessage("Failų tipai"), - "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( - "Failų tipai ir pavadinimai", - ), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage("Failai ištrinti"), - "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Failai išsaugoti į galeriją", - ), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Greitai suraskite žmones pagal vardą", - ), - "findThemQuickly": MessageLookupByLibrary.simpleMessage( - "Raskite juos greitai", - ), - "flip": MessageLookupByLibrary.simpleMessage("Apversti"), - "food": MessageLookupByLibrary.simpleMessage("Kulinarinis malonumas"), - "forYourMemories": MessageLookupByLibrary.simpleMessage( - "jūsų prisiminimams", - ), - "forgotPassword": MessageLookupByLibrary.simpleMessage( - "Pamiršau slaptažodį", - ), - "foundFaces": MessageLookupByLibrary.simpleMessage("Rasti veidai"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( - "Gauta nemokama saugykla", - ), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Naudojama nemokama saugykla", - ), - "freeTrial": MessageLookupByLibrary.simpleMessage( - "Nemokamas bandomasis laikotarpis", - ), - "freeTrialValidTill": m38, - "freeUpAccessPostDelete": m39, - "freeUpAmount": m40, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( - "Atlaisvinti įrenginio vietą", - ), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Sutaupykite vietos savo įrenginyje išvalydami failus, kurių atsarginės kopijos jau buvo sukurtos.", - ), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("Atlaisvinti vietos"), - "freeUpSpaceSaving": m41, - "gallery": MessageLookupByLibrary.simpleMessage("Galerija"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "Galerijoje rodoma iki 1000 prisiminimų", - ), - "general": MessageLookupByLibrary.simpleMessage("Bendrieji"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Generuojami šifravimo raktai...", - ), - "genericProgress": m42, - "goToSettings": MessageLookupByLibrary.simpleMessage("Eiti į nustatymus"), - "googlePlayId": MessageLookupByLibrary.simpleMessage("„Google Play“ ID"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Leiskite prieigą prie visų nuotraukų nustatymų programoje.", - ), - "grantPermission": MessageLookupByLibrary.simpleMessage("Suteikti leidimą"), - "greenery": MessageLookupByLibrary.simpleMessage("Žaliasis gyvenimas"), - "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( - "Grupuoti netoliese nuotraukas", - ), - "guestView": MessageLookupByLibrary.simpleMessage("Svečio peržiūra"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "Kad įjungtumėte svečio peržiūrą, sistemos nustatymuose nustatykite įrenginio prieigos kodą arba ekrano užraktą.", - ), - "happyBirthday": MessageLookupByLibrary.simpleMessage("Su gimtadieniu! 🥳"), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "Mes nesekame programų diegimų. Mums padėtų, jei pasakytumėte, kur mus radote.", - ), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Kaip išgirdote apie „Ente“? (nebūtina)", - ), - "help": MessageLookupByLibrary.simpleMessage("Pagalba"), - "hidden": MessageLookupByLibrary.simpleMessage("Paslėpti"), - "hide": MessageLookupByLibrary.simpleMessage("Slėpti"), - "hideContent": MessageLookupByLibrary.simpleMessage("Slėpti turinį"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Paslepia programų turinį programų perjungiklyje ir išjungia ekrano kopijas", - ), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Paslepia programos turinį programos perjungiklyje", - ), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "Slėpti bendrinamus elementus iš pagrindinės galerijos", - ), - "hiding": MessageLookupByLibrary.simpleMessage("Slepiama..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( - "Talpinama OSM Prancūzijoje", - ), - "howItWorks": MessageLookupByLibrary.simpleMessage("Kaip tai veikia"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Paprašykite jų ilgai paspausti savo el. pašto adresą nustatymų ekrane ir patvirtinti, kad abiejų įrenginių ID sutampa.", - ), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Biometrinis tapatybės nustatymas jūsų įrenginyje nenustatytas. Telefone įjunkite „Touch ID“ arba „Face ID“.", - ), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "Biometrinis tapatybės nustatymas išjungtas. Kad jį įjungtumėte, užrakinkite ir atrakinkite ekraną.", - ), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("Gerai"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignoruoti"), - "ignored": MessageLookupByLibrary.simpleMessage("ignoruota"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Kai kurie šio albumo failai ignoruojami, nes anksčiau buvo ištrinti iš „Ente“.", - ), - "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( - "Vaizdas neanalizuotas.", - ), - "immediately": MessageLookupByLibrary.simpleMessage("Iš karto"), - "importing": MessageLookupByLibrary.simpleMessage("Importuojama...."), - "incorrectCode": MessageLookupByLibrary.simpleMessage("Neteisingas kodas."), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Neteisingas slaptažodis", - ), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Neteisingas atkūrimo raktas", - ), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "Įvestas atkūrimo raktas yra neteisingas.", - ), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Neteisingas atkūrimo raktas", - ), - "indexedItems": MessageLookupByLibrary.simpleMessage( - "Indeksuoti elementai", - ), - "ineligible": MessageLookupByLibrary.simpleMessage("Netinkami"), - "info": MessageLookupByLibrary.simpleMessage("Informacija"), - "insecureDevice": MessageLookupByLibrary.simpleMessage( - "Nesaugus įrenginys", - ), - "installManually": MessageLookupByLibrary.simpleMessage( - "Diegti rankiniu būdu", - ), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "Netinkamas el. pašto adresas", - ), - "invalidEndpoint": MessageLookupByLibrary.simpleMessage( - "Netinkamas galutinis taškas", - ), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Atsiprašome, įvestas galutinis taškas netinkamas. Įveskite tinkamą galutinį tašką ir bandykite dar kartą.", - ), - "invalidKey": MessageLookupByLibrary.simpleMessage("Netinkamas raktas."), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Įvestas atkūrimo raktas yra netinkamas. Įsitikinkite, kad jame yra 24 žodžiai, ir patikrinkite kiekvieno iš jų rašybą.\n\nJei įvedėte senesnį atkūrimo kodą, įsitikinkite, kad jis yra 64 simbolių ilgio, ir patikrinkite kiekvieną iš jų.", - ), - "invite": MessageLookupByLibrary.simpleMessage("Kviesti"), - "inviteToEnte": MessageLookupByLibrary.simpleMessage("Kviesti į „Ente“"), - "inviteYourFriends": MessageLookupByLibrary.simpleMessage( - "Kviesti savo draugus", - ), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "Pakvieskite savo draugus į „Ente“", - ), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Atrodo, kad kažkas nutiko ne taip. Bandykite pakartotinai po kurio laiko. Jei klaida tęsiasi, susisiekite su mūsų palaikymo komanda.", - ), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "Elementai rodo likusių dienų skaičių iki visiško ištrynimo.", - ), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Pasirinkti elementai bus pašalinti iš šio albumo", - ), - "join": MessageLookupByLibrary.simpleMessage("Jungtis"), - "joinAlbum": MessageLookupByLibrary.simpleMessage("Junkitės prie albumo"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "Prisijungus prie albumo, jūsų el. paštas bus matomas jo dalyviams.", - ), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( - "kad peržiūrėtumėte ir pridėtumėte savo nuotraukas", - ), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "kad pridėtumėte tai prie bendrinamų albumų", - ), - "joinDiscord": MessageLookupByLibrary.simpleMessage( - "Jungtis prie „Discord“", - ), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Palikti nuotraukas"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Maloniai padėkite mums su šia informacija.", - ), - "language": MessageLookupByLibrary.simpleMessage("Kalba"), - "lastTimeWithThem": m45, - "lastUpdated": MessageLookupByLibrary.simpleMessage( - "Paskutinį kartą atnaujintą", - ), - "lastYearsTrip": MessageLookupByLibrary.simpleMessage( - "Pastarųjų metų kelionė", - ), - "leave": MessageLookupByLibrary.simpleMessage("Palikti"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Palikti albumą"), - "leaveFamily": MessageLookupByLibrary.simpleMessage("Palikti šeimą"), - "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Palikti bendrinamą albumą?", - ), - "left": MessageLookupByLibrary.simpleMessage("Kairė"), - "legacy": MessageLookupByLibrary.simpleMessage("Palikimas"), - "legacyAccounts": MessageLookupByLibrary.simpleMessage("Palikimo paskyros"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "Palikimas leidžia patikimiems kontaktams pasiekti jūsų paskyrą jums nesant.", - ), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "Patikimi kontaktai gali pradėti paskyros atkūrimą, o jei per 30 dienų paskyra neužblokuojama, iš naujo nustatyti slaptažodį ir pasiekti paskyrą.", - ), - "light": MessageLookupByLibrary.simpleMessage("Šviesi"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Šviesi"), - "link": MessageLookupByLibrary.simpleMessage("Susieti"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Nuoroda nukopijuota į iškarpinę", - ), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Įrenginių riba"), - "linkEmail": MessageLookupByLibrary.simpleMessage("Susieti el. paštą"), - "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( - "spartesniam bendrinimui", - ), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Įjungta"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Nebegalioja"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage( - "Nuorodos galiojimo laikas", - ), - "linkHasExpired": MessageLookupByLibrary.simpleMessage( - "Nuoroda nebegalioja", - ), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Niekada"), - "linkPerson": MessageLookupByLibrary.simpleMessage("Susiekite asmenį,"), - "linkPersonCaption": MessageLookupByLibrary.simpleMessage( - "geresniam bendrinimo patirčiai", - ), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("Gyvos nuotraukos"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "Galite bendrinti savo prenumeratą su šeima.", - ), - "loadMessage2": MessageLookupByLibrary.simpleMessage( - "Iki šiol išsaugojome daugiau nei 200 milijonų prisiminimų.", - ), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "Laikome 3 jūsų duomenų kopijas, vieną iš jų – požeminėje priešgaisrinėje slėptuvėje.", - ), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "Visos mūsų programos yra atvirojo kodo.", - ), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Mūsų šaltinio kodas ir kriptografija buvo išoriškai audituoti.", - ), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "Galite bendrinti savo albumų nuorodas su artimaisiais.", - ), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Mūsų mobiliosios programos veikia fone, kad užšifruotų ir sukurtų atsarginę kopiją visų naujų nuotraukų, kurias spustelėjate.", - ), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io turi sklandų įkėlėją", - ), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Naudojame „Xchacha20Poly1305“, kad saugiai užšifruotume jūsų duomenis.", - ), - "loadingExifData": MessageLookupByLibrary.simpleMessage( - "Įkeliami EXIF duomenys...", - ), - "loadingGallery": MessageLookupByLibrary.simpleMessage( - "Įkeliama galerija...", - ), - "loadingMessage": MessageLookupByLibrary.simpleMessage( - "Įkeliamos jūsų nuotraukos...", - ), - "loadingModel": MessageLookupByLibrary.simpleMessage( - "Atsisiunčiami modeliai...", - ), - "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( - "Įkeliamos nuotraukos...", - ), - "localGallery": MessageLookupByLibrary.simpleMessage("Vietinė galerija"), - "localIndexing": MessageLookupByLibrary.simpleMessage( - "Vietinis indeksavimas", - ), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Atrodo, kad kažkas nutiko ne taip, nes vietinių nuotraukų sinchronizavimas trunka ilgiau nei tikėtasi. Susisiekite su mūsų palaikymo komanda.", - ), - "location": MessageLookupByLibrary.simpleMessage("Vietovė"), - "locationName": MessageLookupByLibrary.simpleMessage( - "Vietovės pavadinimas", - ), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Vietos žymė grupuoja visas nuotraukas, kurios buvo padarytos tam tikru spinduliu nuo nuotraukos", - ), - "locations": MessageLookupByLibrary.simpleMessage("Vietovės"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Užrakinti"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Ekrano užraktas"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Prisijungti"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Atsijungiama..."), - "loginSessionExpired": MessageLookupByLibrary.simpleMessage( - "Seansas baigėsi", - ), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "Jūsų seansas baigėsi. Prisijunkite iš naujo.", - ), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Spustelėjus Prisijungti sutinku su paslaugų sąlygomis ir privatumo politika", - ), - "loginWithTOTP": MessageLookupByLibrary.simpleMessage( - "Prisijungti su TOTP", - ), - "logout": MessageLookupByLibrary.simpleMessage("Atsijungti"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Tai nusiųs žurnalus, kurie padės mums išspręsti jūsų problemą. Atkreipkite dėmesį, kad failų pavadinimai bus įtraukti, kad būtų lengviau atsekti problemas su konkrečiais failais.", - ), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Ilgai paspauskite el. paštą, kad patvirtintumėte visapusį šifravimą.", - ), - "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( - "Ilgai paspauskite elementą, kad peržiūrėtumėte per visą ekraną", - ), - "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( - "Pažvelkite atgal į savo prisiminimus 🌄", - ), - "loopVideoOff": MessageLookupByLibrary.simpleMessage( - "Išjungtas vaizdo įrašo ciklas", - ), - "loopVideoOn": MessageLookupByLibrary.simpleMessage( - "Įjungtas vaizdo įrašo ciklas", - ), - "lostDevice": MessageLookupByLibrary.simpleMessage("Prarastas įrenginys?"), - "machineLearning": MessageLookupByLibrary.simpleMessage( - "Mašininis mokymasis", - ), - "magicSearch": MessageLookupByLibrary.simpleMessage("Magiška paieška"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "Magiška paieška leidžia ieškoti nuotraukų pagal jų turinį, pvz., „gėlė“, „raudonas automobilis“, „tapatybės dokumentai“", - ), - "manage": MessageLookupByLibrary.simpleMessage("Tvarkyti"), - "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( - "Tvarkyti įrenginio podėlį", - ), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Peržiūrėkite ir išvalykite vietinę podėlį.", - ), - "manageFamily": MessageLookupByLibrary.simpleMessage("Tvarkyti šeimą"), - "manageLink": MessageLookupByLibrary.simpleMessage("Tvarkyti nuorodą"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Tvarkyti"), - "manageSubscription": MessageLookupByLibrary.simpleMessage( - "Tvarkyti prenumeratą", - ), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "Susieti su PIN kodu veikia bet kuriame ekrane, kuriame norite peržiūrėti albumą.", - ), - "map": MessageLookupByLibrary.simpleMessage("Žemėlapis"), - "maps": MessageLookupByLibrary.simpleMessage("Žemėlapiai"), - "mastodon": MessageLookupByLibrary.simpleMessage("„Mastodon“"), - "matrix": MessageLookupByLibrary.simpleMessage("„Matrix“"), - "me": MessageLookupByLibrary.simpleMessage("Aš"), - "memories": MessageLookupByLibrary.simpleMessage("Prisiminimai"), - "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Pasirinkite, kokius prisiminimus norite matyti savo pradžios ekrane.", - ), - "memoryCount": m50, - "merchandise": MessageLookupByLibrary.simpleMessage("Atributika"), - "mergeWithExisting": MessageLookupByLibrary.simpleMessage( - "Sujungti su esamais", - ), - "mergedPhotos": MessageLookupByLibrary.simpleMessage( - "Sujungtos nuotraukos", - ), - "mlConsent": MessageLookupByLibrary.simpleMessage( - "Įjungti mašininį mokymąsi", - ), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Suprantu ir noriu įjungti mašininį mokymąsi", - ), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Jei įjungsite mašininį mokymąsi, „Ente“ išsitrauks tokią informaciją kaip veido geometrija iš failų, įskaitant tuos, kuriais su jumis bendrinama.\n\nTai bus daroma jūsų įrenginyje, o visa sugeneruota biometrinė informacija bus visapusiškai užšifruota.", - ), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Spustelėkite čia dėl išsamesnės informacijos apie šią funkciją mūsų privatumo politikoje", - ), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "Įjungti mašininį mokymąsi?", - ), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Atkreipkite dėmesį, kad mašininis mokymasis padidins pralaidumą ir akumuliatoriaus naudojimą, kol bus indeksuoti visi elementai. Apsvarstykite galimybę naudoti darbalaukio programą, kad indeksavimas būtų spartesnis – visi rezultatai bus sinchronizuojami automatiškai.", - ), - "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( - "Mobiliuosiuose, internete ir darbalaukyje", - ), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Vidutinė"), - "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( - "Modifikuokite užklausą arba bandykite ieškoti", - ), - "moments": MessageLookupByLibrary.simpleMessage("Akimirkos"), - "month": MessageLookupByLibrary.simpleMessage("mėnesis"), - "monthly": MessageLookupByLibrary.simpleMessage("Mėnesinis"), - "moon": MessageLookupByLibrary.simpleMessage("Mėnulio šviesoje"), - "moreDetails": MessageLookupByLibrary.simpleMessage( - "Daugiau išsamios informacijos", - ), - "mostRecent": MessageLookupByLibrary.simpleMessage("Naujausią"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("Aktualiausią"), - "mountains": MessageLookupByLibrary.simpleMessage("Per kalvas"), - "moveItem": m51, - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "Perkelti pasirinktas nuotraukas į vieną datą", - ), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("Perkelti į albumą"), - "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Perkelti į paslėptą albumą", - ), - "movedSuccessfullyTo": m52, - "movedToTrash": MessageLookupByLibrary.simpleMessage( - "Perkelta į šiukšlinę", - ), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Perkeliami failai į albumą...", - ), - "name": MessageLookupByLibrary.simpleMessage("Pavadinimą"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Pavadinkite albumą"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Nepavyksta prisijungti prie „Ente“. Bandykite dar kartą po kurio laiko. Jei klaida tęsiasi, susisiekite su palaikymo komanda.", - ), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Nepavyksta prisijungti prie „Ente“. Patikrinkite tinklo nustatymus ir susisiekite su palaikymo komanda, jei klaida tęsiasi.", - ), - "never": MessageLookupByLibrary.simpleMessage("Niekada"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Naujas albumas"), - "newLocation": MessageLookupByLibrary.simpleMessage("Nauja vietovė"), - "newPerson": MessageLookupByLibrary.simpleMessage("Naujas asmuo"), - "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" naujas 📸"), - "newRange": MessageLookupByLibrary.simpleMessage("Naujas intervalas"), - "newToEnte": MessageLookupByLibrary.simpleMessage( - "Naujas platformoje „Ente“", - ), - "newest": MessageLookupByLibrary.simpleMessage("Naujausią"), - "next": MessageLookupByLibrary.simpleMessage("Toliau"), - "no": MessageLookupByLibrary.simpleMessage("Ne"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Dar nėra albumų, kuriais bendrinotės.", - ), - "noDeviceFound": MessageLookupByLibrary.simpleMessage("Įrenginys nerastas"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Jokio"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "Neturite šiame įrenginyje failų, kuriuos galima ištrinti.", - ), - "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Dublikatų nėra"), - "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( - "Nėra „Ente“ paskyros!", - ), - "noExifData": MessageLookupByLibrary.simpleMessage("Nėra EXIF duomenų"), - "noFacesFound": MessageLookupByLibrary.simpleMessage("Nerasta veidų."), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "Nėra paslėptų nuotraukų arba vaizdo įrašų", - ), - "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( - "Nėra vaizdų su vietove", - ), - "noInternetConnection": MessageLookupByLibrary.simpleMessage( - "Nėra interneto ryšio", - ), - "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( - "Šiuo metu nekuriamos atsarginės nuotraukų kopijos", - ), - "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( - "Nuotraukų čia nerasta", - ), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( - "Nėra pasirinktų sparčiųjų nuorodų", - ), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Neturite atkūrimo rakto?", - ), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Dėl mūsų visapusio šifravimo protokolo pobūdžio jūsų duomenų negalima iššifruoti be slaptažodžio arba atkūrimo rakto", - ), - "noResults": MessageLookupByLibrary.simpleMessage("Rezultatų nėra."), - "noResultsFound": MessageLookupByLibrary.simpleMessage( - "Rezultatų nerasta.", - ), - "noSuggestionsForPerson": m53, - "noSystemLockFound": MessageLookupByLibrary.simpleMessage( - "Nerastas sistemos užraktas", - ), - "notPersonLabel": m54, - "notThisPerson": MessageLookupByLibrary.simpleMessage("Ne šis asmuo?"), - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "Kol kas su jumis niekuo nesibendrinama.", - ), - "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( - "Čia nėra nieko, ką pamatyti. 👀", - ), - "notifications": MessageLookupByLibrary.simpleMessage("Pranešimai"), - "ok": MessageLookupByLibrary.simpleMessage("Gerai"), - "onDevice": MessageLookupByLibrary.simpleMessage("Įrenginyje"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "Saugykloje ente", - ), - "onTheRoad": MessageLookupByLibrary.simpleMessage("Vėl kelyje"), - "onThisDay": MessageLookupByLibrary.simpleMessage("Šią dieną"), - "onThisDayMemories": MessageLookupByLibrary.simpleMessage( - "Šios dienos prisiminimai", - ), - "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( - "Gaukite priminimus apie praėjusių metų šios dienos prisiminimus.", - ), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Tik jiems"), - "oops": MessageLookupByLibrary.simpleMessage("Ups"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Ups, nepavyko išsaugoti redagavimų.", - ), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Ups, kažkas nutiko ne taip", - ), - "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( - "Atverti albumą naršyklėje", - ), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Naudokite interneto programą, kad pridėtumėte nuotraukų į šį albumą.", - ), - "openFile": MessageLookupByLibrary.simpleMessage("Atverti failą"), - "openSettings": MessageLookupByLibrary.simpleMessage("Atverti nustatymus"), - "openTheItem": MessageLookupByLibrary.simpleMessage( - "• Atverkite elementą.", - ), - "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( - "„OpenStreetMap“ bendradarbiai", - ), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Nebūtina, trumpai, kaip jums patinka...", - ), - "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( - "Arba sujunkite su esamais", - ), - "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( - "Arba pasirinkite esamą", - ), - "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( - "arba pasirinkite iš savo kontaktų", - ), - "pair": MessageLookupByLibrary.simpleMessage("Susieti"), - "pairWithPin": MessageLookupByLibrary.simpleMessage("Susieti su PIN"), - "pairingComplete": MessageLookupByLibrary.simpleMessage( - "Susiejimas baigtas", - ), - "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), - "partyWithThem": m56, - "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( - "Vis dar laukiama patvirtinimo", - ), - "passkey": MessageLookupByLibrary.simpleMessage("Slaptaraktis"), - "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( - "Slaptarakčio patvirtinimas", - ), - "password": MessageLookupByLibrary.simpleMessage("Slaptažodis"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Slaptažodis sėkmingai pakeistas", - ), - "passwordLock": MessageLookupByLibrary.simpleMessage( - "Slaptažodžio užraktas", - ), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "Slaptažodžio stiprumas apskaičiuojamas atsižvelgiant į slaptažodžio ilgį, naudotus simbolius ir į tai, ar slaptažodis patenka į 10 000 dažniausiai naudojamų slaptažodžių.", - ), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Šio slaptažodžio nesaugome, todėl jei jį pamiršite, negalėsime iššifruoti jūsų duomenų", - ), - "pastYearsMemories": MessageLookupByLibrary.simpleMessage( - "Praėjusių metų prisiminimai", - ), - "paymentDetails": MessageLookupByLibrary.simpleMessage("Mokėjimo duomenys"), - "paymentFailed": MessageLookupByLibrary.simpleMessage("Mokėjimas nepavyko"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "Deja, jūsų mokėjimas nepavyko. Susisiekite su palaikymo komanda ir mes jums padėsime!", - ), - "paymentFailedTalkToProvider": m58, - "pendingItems": MessageLookupByLibrary.simpleMessage("Laukiami elementai"), - "pendingSync": MessageLookupByLibrary.simpleMessage( - "Laukiama sinchronizacija", - ), - "people": MessageLookupByLibrary.simpleMessage("Asmenys"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Asmenys, naudojantys jūsų kodą", - ), - "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Pasirinkite asmenis, kuriuos norite matyti savo pradžios ekrane.", - ), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Visi elementai šiukšlinėje bus negrįžtamai ištrinti.\n\nŠio veiksmo negalima anuliuoti.", - ), - "permanentlyDelete": MessageLookupByLibrary.simpleMessage( - "Ištrinti negrįžtamai", - ), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Ištrinti negrįžtamai iš įrenginio?", - ), - "personIsAge": m59, - "personName": MessageLookupByLibrary.simpleMessage("Asmens vardas"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("Furio draugai"), - "photoDescriptions": MessageLookupByLibrary.simpleMessage( - "Nuotraukų aprašai", - ), - "photoGridSize": MessageLookupByLibrary.simpleMessage( - "Nuotraukų tinklelio dydis", - ), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("nuotrauka"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("Nuotraukos"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "Jūsų pridėtos nuotraukos bus pašalintos iš albumo", - ), - "photosCount": m62, - "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( - "Nuotraukos išlaiko santykinį laiko skirtumą", - ), - "pickCenterPoint": MessageLookupByLibrary.simpleMessage( - "Pasirinkite centro tašką", - ), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Prisegti albumą"), - "pinLock": MessageLookupByLibrary.simpleMessage("PIN užrakinimas"), - "playOnTv": MessageLookupByLibrary.simpleMessage( - "Paleisti albumą televizoriuje", - ), - "playOriginal": MessageLookupByLibrary.simpleMessage("Leisti originalą"), - "playStoreFreeTrialValidTill": m63, - "playStream": MessageLookupByLibrary.simpleMessage( - "Leisti srautinį perdavimą", - ), - "playstoreSubscription": MessageLookupByLibrary.simpleMessage( - "„PlayStore“ prenumerata", - ), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Patikrinkite savo interneto ryšį ir bandykite dar kartą.", - ), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Susisiekite adresu support@ente.io ir mes mielai padėsime!", - ), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Jei problema išlieka, susisiekite su pagalbos komanda.", - ), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( - "Suteikite leidimus.", - ), - "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( - "Prisijunkite iš naujo.", - ), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Pasirinkite sparčiąsias nuorodas, kad pašalintumėte", - ), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Bandykite dar kartą.", - ), - "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( - "Patvirtinkite įvestą kodą.", - ), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Palaukite..."), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Palaukite. Ištrinamas albumas", - ), - "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( - "Palaukite kurį laiką prieš bandydami pakartotinai", - ), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "Palaukite, tai šiek tiek užtruks.", - ), - "posingWithThem": m66, - "preparingLogs": MessageLookupByLibrary.simpleMessage( - "Ruošiami žurnalai...", - ), - "preserveMore": MessageLookupByLibrary.simpleMessage("Išsaugoti daugiau"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Paspauskite ir palaikykite, kad paleistumėte vaizdo įrašą", - ), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Paspauskite ir palaikykite vaizdą, kad paleistumėte vaizdo įrašą", - ), - "previous": MessageLookupByLibrary.simpleMessage("Ankstesnis"), - "privacy": MessageLookupByLibrary.simpleMessage("Privatumas"), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( - "Privatumo politika", - ), - "privateBackups": MessageLookupByLibrary.simpleMessage( - "Privačios atsarginės kopijos", - ), - "privateSharing": MessageLookupByLibrary.simpleMessage( - "Privatus bendrinimas", - ), - "proceed": MessageLookupByLibrary.simpleMessage("Tęsti"), - "processed": MessageLookupByLibrary.simpleMessage("Apdorota"), - "processing": MessageLookupByLibrary.simpleMessage("Apdorojama"), - "processingImport": m67, - "processingVideos": MessageLookupByLibrary.simpleMessage( - "Apdorojami vaizdo įrašai", - ), - "publicLinkCreated": MessageLookupByLibrary.simpleMessage( - "Vieša nuoroda sukurta", - ), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( - "Įjungta viešoji nuoroda", - ), - "queued": MessageLookupByLibrary.simpleMessage("Įtraukta eilėje"), - "quickLinks": MessageLookupByLibrary.simpleMessage("Sparčios nuorodos"), - "radius": MessageLookupByLibrary.simpleMessage("Spindulys"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Sukurti paraišką"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("Vertinti programą"), - "rateUs": MessageLookupByLibrary.simpleMessage("Vertinti mus"), - "rateUsOnStore": m68, - "reassignMe": MessageLookupByLibrary.simpleMessage("Perskirstyti „Aš“"), - "reassignedToName": m69, - "reassigningLoading": MessageLookupByLibrary.simpleMessage( - "Perskirstoma...", - ), - "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( - "Gaukite priminimus, kai yra kažkieno gimtadienis. Paliesdami pranešimą, pateksite į gimtadienio šventės asmens nuotraukas.", - ), - "recover": MessageLookupByLibrary.simpleMessage("Atkurti"), - "recoverAccount": MessageLookupByLibrary.simpleMessage("Atkurti paskyrą"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Atkurti"), - "recoveryAccount": MessageLookupByLibrary.simpleMessage("Atkurti paskyrą"), - "recoveryInitiated": MessageLookupByLibrary.simpleMessage( - "Pradėtas atkūrimas", - ), - "recoveryInitiatedDesc": m70, - "recoveryKey": MessageLookupByLibrary.simpleMessage("Atkūrimo raktas"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Nukopijuotas atkūrimo raktas į iškarpinę", - ), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Jei pamiršote slaptažodį, vienintelis būdas atkurti duomenis – naudoti šį raktą.", - ), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Šio rakto nesaugome, todėl išsaugokite šį 24 žodžių raktą saugioje vietoje.", - ), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Puiku! Jūsų atkūrimo raktas tinkamas. Dėkojame už patvirtinimą.\n\nNepamirškite sukurti saugią atkūrimo rakto atsarginę kopiją.", - ), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Patvirtintas atkūrimo raktas", - ), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Atkūrimo raktas – vienintelis būdas atkurti nuotraukas, jei pamiršote slaptažodį. Atkūrimo raktą galite rasti Nustatymose > Paskyra.\n\nĮveskite savo atkūrimo raktą čia, kad patvirtintumėte, ar teisingai jį išsaugojote.", - ), - "recoveryReady": m71, - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "Atkūrimas sėkmingas.", - ), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "Patikimas kontaktas bando pasiekti jūsų paskyrą.", - ), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "Dabartinis įrenginys nėra pakankamai galingas, kad patvirtintų jūsų slaptažodį, bet mes galime iš naujo sugeneruoti taip, kad jis veiktų su visais įrenginiais.\n\nPrisijunkite naudojant atkūrimo raktą ir sugeneruokite iš naujo slaptažodį (jei norite, galite vėl naudoti tą patį).", - ), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Iš naujo sukurti slaptažodį", - ), - "reddit": MessageLookupByLibrary.simpleMessage("„Reddit“"), - "reenterPassword": MessageLookupByLibrary.simpleMessage( - "Įveskite slaptažodį iš naujo", - ), - "reenterPin": MessageLookupByLibrary.simpleMessage("Įveskite PIN iš naujo"), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Rekomenduokite draugams ir 2 kartus padidinkite savo planą", - ), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Duokite šį kodą savo draugams", - ), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Jie užsiregistruoja mokamą planą", - ), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Rekomendacijos"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "Šiuo metu rekomendacijos yra pristabdytos", - ), - "rejectRecovery": MessageLookupByLibrary.simpleMessage("Atmesti atkūrimą"), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "Taip pat ištuštinkite Neseniai ištrinti iš Nustatymai -> Saugykla, kad atlaisvintumėte vietos.", - ), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Taip pat ištuštinkite šiukšlinę, kad gautumėte laisvos vietos.", - ), - "remoteImages": MessageLookupByLibrary.simpleMessage("Nuotoliniai vaizdai"), - "remoteThumbnails": MessageLookupByLibrary.simpleMessage( - "Nuotolinės miniatiūros", - ), - "remoteVideos": MessageLookupByLibrary.simpleMessage( - "Nuotoliniai vaizdo įrašai", - ), - "remove": MessageLookupByLibrary.simpleMessage("Šalinti"), - "removeDuplicates": MessageLookupByLibrary.simpleMessage( - "Šalinti dublikatus", - ), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Peržiūrėkite ir pašalinkite failus, kurie yra tiksliai dublikatai.", - ), - "removeFromAlbum": MessageLookupByLibrary.simpleMessage( - "Šalinti iš albumo", - ), - "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( - "Pašalinti iš albumo?", - ), - "removeFromFavorite": MessageLookupByLibrary.simpleMessage( - "Šalinti iš mėgstamų", - ), - "removeInvite": MessageLookupByLibrary.simpleMessage("Šalinti kvietimą"), - "removeLink": MessageLookupByLibrary.simpleMessage("Šalinti nuorodą"), - "removeParticipant": MessageLookupByLibrary.simpleMessage("Šalinti dalyvį"), - "removeParticipantBody": m74, - "removePersonLabel": MessageLookupByLibrary.simpleMessage( - "Šalinti asmens žymą", - ), - "removePublicLink": MessageLookupByLibrary.simpleMessage( - "Šalinti viešą nuorodą", - ), - "removePublicLinks": MessageLookupByLibrary.simpleMessage( - "Šalinti viešąsias nuorodas", - ), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Kai kuriuos elementus, kuriuos šalinate, pridėjo kiti asmenys, todėl prarasite prieigą prie jų", - ), - "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Šalinti?"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Šalinti save kaip patikimą kontaktą", - ), - "removingFromFavorites": MessageLookupByLibrary.simpleMessage( - "Pašalinama iš mėgstamų...", - ), - "rename": MessageLookupByLibrary.simpleMessage("Pervadinti"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("Pervadinti albumą"), - "renameFile": MessageLookupByLibrary.simpleMessage("Pervadinti failą"), - "renewSubscription": MessageLookupByLibrary.simpleMessage( - "Pratęsti prenumeratą", - ), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Pranešti apie riktą"), - "reportBug": MessageLookupByLibrary.simpleMessage("Pranešti apie riktą"), - "resendEmail": MessageLookupByLibrary.simpleMessage( - "Iš naujo siųsti el. laišką", - ), - "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( - "Atkurti ignoruojamus failus", - ), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Nustatyti slaptažodį iš naujo", - ), - "resetPerson": MessageLookupByLibrary.simpleMessage("Šalinti"), - "resetToDefault": MessageLookupByLibrary.simpleMessage( - "Atkurti numatytąsias reikšmes", - ), - "restore": MessageLookupByLibrary.simpleMessage("Atkurti"), - "restoreToAlbum": MessageLookupByLibrary.simpleMessage("Atkurti į albumą"), - "restoringFiles": MessageLookupByLibrary.simpleMessage( - "Atkuriami failai...", - ), - "resumableUploads": MessageLookupByLibrary.simpleMessage( - "Tęstiniai įkėlimai", - ), - "retry": MessageLookupByLibrary.simpleMessage("Kartoti"), - "review": MessageLookupByLibrary.simpleMessage("Peržiūrėti"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Peržiūrėkite ir ištrinkite elementus, kurie, jūsų manymu, yra dublikatai.", - ), - "reviewSuggestions": MessageLookupByLibrary.simpleMessage( - "Peržiūrėti pasiūlymus", - ), - "right": MessageLookupByLibrary.simpleMessage("Dešinė"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("Sukti"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Sukti į kairę"), - "rotateRight": MessageLookupByLibrary.simpleMessage("Sukti į dešinę"), - "safelyStored": MessageLookupByLibrary.simpleMessage("Saugiai saugoma"), - "save": MessageLookupByLibrary.simpleMessage("Išsaugoti"), - "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( - "Išsaugoti pakeitimus prieš išeinant?", - ), - "saveCollage": MessageLookupByLibrary.simpleMessage("Išsaugoti koliažą"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Išsaugoti kopiją"), - "saveKey": MessageLookupByLibrary.simpleMessage("Išsaugoti raktą"), - "savePerson": MessageLookupByLibrary.simpleMessage("Išsaugoti asmenį"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Išsaugokite atkūrimo raktą, jei dar to nepadarėte", - ), - "saving": MessageLookupByLibrary.simpleMessage("Išsaugoma..."), - "savingEdits": MessageLookupByLibrary.simpleMessage( - "Išsaugomi redagavimai...", - ), - "scanCode": MessageLookupByLibrary.simpleMessage("Skenuoti kodą"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Skenuokite šį QR kodą\nsu autentifikatoriaus programa", - ), - "search": MessageLookupByLibrary.simpleMessage("Ieškokite"), - "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Albumai"), - "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage( - "Albumo pavadinimas", - ), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Albumų pavadinimai (pvz., „Fotoaparatas“)\n• Failų tipai (pvz., „Vaizdo įrašai“, „.gif“)\n• Metai ir mėnesiai (pvz., „2022“, „sausis“)\n• Šventės (pvz., „Kalėdos“)\n• Nuotraukų aprašymai (pvz., „#džiaugsmas“)", - ), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Pridėkite aprašymus, pavyzdžiui, „#kelionė“, į nuotraukos informaciją, kad greičiau jas čia rastumėte.", - ), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Ieškokite pagal datą, mėnesį arba metus", - ), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "Vaizdai bus rodomi čia, kai bus užbaigtas apdorojimas ir sinchronizavimas.", - ), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "Asmenys bus rodomi čia, kai bus užbaigtas indeksavimas.", - ), - "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( - "Failų tipai ir pavadinimai", - ), - "searchHint1": MessageLookupByLibrary.simpleMessage( - "Sparti paieška įrenginyje", - ), - "searchHint2": MessageLookupByLibrary.simpleMessage( - "Nuotraukų datos ir aprašai", - ), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "Albumai, failų pavadinimai ir tipai", - ), - "searchHint4": MessageLookupByLibrary.simpleMessage("Vietovė"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "Jau netrukus: veidų ir magiškos paieškos ✨", - ), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Grupės nuotraukos, kurios padarytos tam tikru spinduliu nuo nuotraukos", - ), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "Pakvieskite asmenis ir čia matysite visas jų bendrinamas nuotraukas.", - ), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "Asmenys bus rodomi čia, kai bus užbaigtas apdorojimas ir sinchronizavimas.", - ), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Saugumas"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "Žiūrėti viešų albumų nuorodas programoje", - ), - "selectALocation": MessageLookupByLibrary.simpleMessage( - "Pasirinkite vietovę", - ), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage( - "Pirmiausia pasirinkite vietovę", - ), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Pasirinkti albumą"), - "selectAll": MessageLookupByLibrary.simpleMessage("Pasirinkti viską"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("Viskas"), - "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( - "Pasirinkite viršelio nuotrauką", - ), - "selectDate": MessageLookupByLibrary.simpleMessage("Pasirinkti datą"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Pasirinkite aplankus atsarginėms kopijoms kurti", - ), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "Pasirinkite elementus įtraukti", - ), - "selectLanguage": MessageLookupByLibrary.simpleMessage("Pasirinkite kalbą"), - "selectMailApp": MessageLookupByLibrary.simpleMessage( - "Pasirinkti pašto programą", - ), - "selectMorePhotos": MessageLookupByLibrary.simpleMessage( - "Pasirinkti daugiau nuotraukų", - ), - "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( - "Pasirinkti vieną datą ir laiką", - ), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "Pasirinkti vieną datą ir laiką viskam", - ), - "selectPersonToLink": MessageLookupByLibrary.simpleMessage( - "Pasirinkite asmenį, kurį susieti.", - ), - "selectReason": MessageLookupByLibrary.simpleMessage( - "Pasirinkite priežastį", - ), - "selectStartOfRange": MessageLookupByLibrary.simpleMessage( - "Pasirinkti intervalo pradžią", - ), - "selectTime": MessageLookupByLibrary.simpleMessage("Pasirinkti laiką"), - "selectYourFace": MessageLookupByLibrary.simpleMessage( - "Pasirinkite savo veidą", - ), - "selectYourPlan": MessageLookupByLibrary.simpleMessage("Pasirinkite planą"), - "selectedAlbums": m79, - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Pasirinkti failai nėra platformoje „Ente“", - ), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Pasirinkti aplankai bus užšifruoti ir sukurtos atsarginės kopijos.", - ), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Pasirinkti elementai bus ištrinti iš visų albumų ir perkelti į šiukšlinę.", - ), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "Pasirinkti elementai bus pašalinti iš šio asmens, bet nebus ištrinti iš jūsų bibliotekos.", - ), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("Siųsti"), - "sendEmail": MessageLookupByLibrary.simpleMessage("Siųsti el. laišką"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Siųsti kvietimą"), - "sendLink": MessageLookupByLibrary.simpleMessage("Siųsti nuorodą"), - "serverEndpoint": MessageLookupByLibrary.simpleMessage( - "Serverio galutinis taškas", - ), - "sessionExpired": MessageLookupByLibrary.simpleMessage("Seansas baigėsi"), - "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( - "Seanso ID nesutampa.", - ), - "setAPassword": MessageLookupByLibrary.simpleMessage( - "Nustatyti slaptažodį", - ), - "setAs": MessageLookupByLibrary.simpleMessage("Nustatyti kaip"), - "setCover": MessageLookupByLibrary.simpleMessage("Nustatyti viršelį"), - "setLabel": MessageLookupByLibrary.simpleMessage("Nustatyti"), - "setNewPassword": MessageLookupByLibrary.simpleMessage( - "Nustatykite naują slaptažodį", - ), - "setNewPin": MessageLookupByLibrary.simpleMessage("Nustatykite naują PIN"), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Nustatyti slaptažodį", - ), - "setRadius": MessageLookupByLibrary.simpleMessage("Nustatyti spindulį"), - "setupComplete": MessageLookupByLibrary.simpleMessage("Sąranka baigta"), - "share": MessageLookupByLibrary.simpleMessage("Bendrinti"), - "shareALink": MessageLookupByLibrary.simpleMessage("Bendrinkite nuorodą"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Atidarykite albumą ir palieskite bendrinimo mygtuką viršuje dešinėje, kad bendrintumėte.", - ), - "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( - "Bendrinti albumą dabar", - ), - "shareLink": MessageLookupByLibrary.simpleMessage("Bendrinti nuorodą"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Bendrinkite tik su tais asmenimis, su kuriais norite", - ), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Atsisiųskite „Ente“, kad galėtume lengvai bendrinti originalios kokybės nuotraukas ir vaizdo įrašus.\n\nhttps://ente.io", - ), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Bendrinkite su ne „Ente“ naudotojais.", - ), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( - "Bendrinkite savo pirmąjį albumą", - ), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Sukurkite bendrinamus ir bendradarbiaujamus albumus su kitais „Ente“ naudotojais, įskaitant naudotojus nemokamuose planuose.", - ), - "sharedByMe": MessageLookupByLibrary.simpleMessage("Bendrinta manimi"), - "sharedByYou": MessageLookupByLibrary.simpleMessage("Bendrinta iš jūsų"), - "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( - "Naujos bendrintos nuotraukos", - ), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Gaukite pranešimus, kai kas nors įtraukia nuotrauką į bendrinamą albumą, kuriame dalyvaujate.", - ), - "sharedWith": m87, - "sharedWithMe": MessageLookupByLibrary.simpleMessage("Bendrinta su manimi"), - "sharedWithYou": MessageLookupByLibrary.simpleMessage("Bendrinta su jumis"), - "sharing": MessageLookupByLibrary.simpleMessage("Bendrinima..."), - "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( - "Pastumti datas ir laiką", - ), - "showMemories": MessageLookupByLibrary.simpleMessage("Rodyti prisiminimus"), - "showPerson": MessageLookupByLibrary.simpleMessage("Rodyti asmenį"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "Atsijungti iš kitų įrenginių", - ), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Jei manote, kad kas nors gali žinoti jūsų slaptažodį, galite priverstinai atsijungti iš visų kitų įrenginių, naudojančių jūsų paskyrą.", - ), - "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( - "Atsijungti kitus įrenginius", - ), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Sutinku su paslaugų sąlygomis ir privatumo politika", - ), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Jis bus ištrintas iš visų albumų.", - ), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Praleisti"), - "smartMemories": MessageLookupByLibrary.simpleMessage( - "Išmanieji prisiminimai", - ), - "social": MessageLookupByLibrary.simpleMessage("Socialinės"), - "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( - "Kai kurie elementai yra ir platformoje „Ente“ bei jūsų įrenginyje.", - ), - "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( - "Kai kurie failai, kuriuos bandote ištrinti, yra pasiekiami tik jūsų įrenginyje ir jų negalima atkurti, jei jie buvo ištrinti.", - ), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Asmuo, kuris bendrina albumus su jumis, savo įrenginyje turėtų matyti tą patį ID.", - ), - "somethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Kažkas nutiko ne taip", - ), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Kažkas nutiko ne taip. Bandykite dar kartą.", - ), - "sorry": MessageLookupByLibrary.simpleMessage("Atsiprašome"), - "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( - "Atsiprašome, šiuo metu negalėjome sukurti atsarginės šio failo kopijos. Bandysime pakartoti vėliau.", - ), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Atsiprašome, nepavyko pridėti prie mėgstamų.", - ), - "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( - "Atsiprašome, nepavyko pašalinti iš mėgstamų.", - ), - "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "Atsiprašome, įvestas kodas yra neteisingas.", - ), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Atsiprašome, šiame įrenginyje nepavyko sugeneruoti saugių raktų.\n\nRegistruokitės iš kito įrenginio.", - ), - "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( - "Atsiprašome, turėjome pristabdyti jūsų atsarginių kopijų kūrimą.", - ), - "sort": MessageLookupByLibrary.simpleMessage("Rikiuoti"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Rikiuoti pagal"), - "sortNewestFirst": MessageLookupByLibrary.simpleMessage( - "Naujausią pirmiausiai", - ), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage( - "Seniausią pirmiausiai", - ), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Sėkmė"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": MessageLookupByLibrary.simpleMessage( - "Dėmesys į save", - ), - "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( - "Pradėti atkūrimą", - ), - "startBackup": MessageLookupByLibrary.simpleMessage( - "Pradėti kurti atsarginę kopiją", - ), - "status": MessageLookupByLibrary.simpleMessage("Būsena"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "Ar norite sustabdyti perdavimą?", - ), - "stopCastingTitle": MessageLookupByLibrary.simpleMessage( - "Stabdyti perdavimą", - ), - "storage": MessageLookupByLibrary.simpleMessage("Saugykla"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Šeima"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Jūs"), - "storageInGB": m93, - "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( - "Viršyta saugyklos riba.", - ), - "storageUsageInfo": m94, - "streamDetails": MessageLookupByLibrary.simpleMessage( - "Srautinio perdavimo išsami informacija", - ), - "strongStrength": MessageLookupByLibrary.simpleMessage("Stipri"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Prenumeruoti"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Kad įjungtumėte bendrinimą, reikia aktyvios mokamos prenumeratos.", - ), - "subscription": MessageLookupByLibrary.simpleMessage("Prenumerata"), - "success": MessageLookupByLibrary.simpleMessage("Sėkmė"), - "successfullyArchived": MessageLookupByLibrary.simpleMessage( - "Sėkmingai suarchyvuota", - ), - "successfullyHid": MessageLookupByLibrary.simpleMessage( - "Sėkmingai paslėptas", - ), - "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( - "Sėkmingai išarchyvuota", - ), - "successfullyUnhid": MessageLookupByLibrary.simpleMessage( - "Sėkmingai atslėptas", - ), - "suggestFeatures": MessageLookupByLibrary.simpleMessage( - "Siūlyti funkcijas", - ), - "sunrise": MessageLookupByLibrary.simpleMessage("Akiratyje"), - "support": MessageLookupByLibrary.simpleMessage("Pagalba"), - "syncProgress": m97, - "syncStopped": MessageLookupByLibrary.simpleMessage( - "Sinchronizavimas sustabdytas", - ), - "syncing": MessageLookupByLibrary.simpleMessage("Sinchronizuojama..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("Sistemos"), - "tapToCopy": MessageLookupByLibrary.simpleMessage( - "palieskite, kad nukopijuotumėte", - ), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage( - "Palieskite, kad įvestumėte kodą", - ), - "tapToUnlock": MessageLookupByLibrary.simpleMessage( - "Palieskite, kad atrakintumėte", - ), - "tapToUpload": MessageLookupByLibrary.simpleMessage( - "Palieskite, kad įkeltumėte", - ), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Atrodo, kad kažkas nutiko ne taip. Bandykite dar kartą po kurio laiko. Jei klaida tęsiasi, susisiekite su mūsų palaikymo komanda.", - ), - "terminate": MessageLookupByLibrary.simpleMessage("Baigti"), - "terminateSession": MessageLookupByLibrary.simpleMessage("Baigti seansą?"), - "terms": MessageLookupByLibrary.simpleMessage("Sąlygos"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Sąlygos"), - "thankYou": MessageLookupByLibrary.simpleMessage("Dėkojame"), - "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( - "Dėkojame, kad užsiprenumeravote!", - ), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "Atsisiuntimas negalėjo būti baigtas.", - ), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "Nuoroda, kurią bandote pasiekti, nebegalioja.", - ), - "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "Įvestas atkūrimo raktas yra neteisingas.", - ), - "theme": MessageLookupByLibrary.simpleMessage("Tema"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Šie elementai bus ištrinti iš jūsų įrenginio.", - ), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "Jie bus ištrinti iš visų albumų.", - ), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Šio veiksmo negalima anuliuoti.", - ), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "Šis albumas jau turi bendradarbiavimo nuorodą.", - ), - "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( - "Tai gali būti naudojama paskyrai atkurti, jei prarandate dvigubo tapatybės nustatymą", - ), - "thisDevice": MessageLookupByLibrary.simpleMessage("Šis įrenginys"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "Šis el. paštas jau naudojamas.", - ), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Šis vaizdas neturi Exif duomenų", - ), - "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("Tai aš!"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Tai – jūsų patvirtinimo ID", - ), - "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( - "Ši savaitė per metus", - ), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Tai jus atjungs nuo toliau nurodyto įrenginio:", - ), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Tai jus atjungs nuo šio įrenginio.", - ), - "thisWillMakeTheDateAndTimeOfAllSelected": - MessageLookupByLibrary.simpleMessage( - "Tai padarys visų pasirinktų nuotraukų datą ir laiką vienodus.", - ), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "Tai pašalins visų pasirinktų sparčiųjų nuorodų viešąsias nuorodas.", - ), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "Kad įjungtumėte programos užraktą, sistemos nustatymuose nustatykite įrenginio prieigos kodą arba ekrano užraktą.", - ), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( - "Kad paslėptumėte nuotrauką ar vaizdo įrašą", - ), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Kad iš naujo nustatytumėte slaptažodį, pirmiausia patvirtinkite savo el. paštą.", - ), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Šiandienos žurnalai"), - "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( - "Per daug neteisingų bandymų.", - ), - "total": MessageLookupByLibrary.simpleMessage("iš viso"), - "totalSize": MessageLookupByLibrary.simpleMessage("Bendrą dydį"), - "trash": MessageLookupByLibrary.simpleMessage("Šiukšlinė"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Trumpinti"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": MessageLookupByLibrary.simpleMessage( - "Patikimi kontaktai", - ), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Bandyti dar kartą"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Įjunkite atsarginės kopijos kūrimą, kad automatiškai įkeltumėte į šį įrenginio aplanką įtrauktus failus į „Ente“.", - ), - "twitter": MessageLookupByLibrary.simpleMessage("„Twitter“"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "2 mėnesiai nemokamai metiniuose planuose", - ), - "twofactor": MessageLookupByLibrary.simpleMessage( - "Dvigubas tapatybės nustatymas", - ), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "Dvigubas tapatybės nustatymas išjungtas.", - ), - "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( - "Dvigubas tapatybės nustatymas", - ), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "Dvigubas tapatybės nustatymas sėkmingai iš naujo nustatytas.", - ), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Dvigubo tapatybės nustatymo sąranka", - ), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("Išarchyvuoti"), - "unarchiveAlbum": MessageLookupByLibrary.simpleMessage( - "Išarchyvuoti albumą", - ), - "unarchiving": MessageLookupByLibrary.simpleMessage("Išarchyvuojama..."), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Atsiprašome, šis kodas nepasiekiamas.", - ), - "uncategorized": MessageLookupByLibrary.simpleMessage("Nekategorizuoti"), - "unhide": MessageLookupByLibrary.simpleMessage("Rodyti"), - "unhideToAlbum": MessageLookupByLibrary.simpleMessage("Rodyti į albumą"), - "unhiding": MessageLookupByLibrary.simpleMessage("Rodoma..."), - "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Rodomi failai į albumą", - ), - "unlock": MessageLookupByLibrary.simpleMessage("Atrakinti"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("Atsegti albumą"), - "unselectAll": MessageLookupByLibrary.simpleMessage("Nesirinkti visų"), - "update": MessageLookupByLibrary.simpleMessage("Atnaujinti"), - "updateAvailable": MessageLookupByLibrary.simpleMessage("Yra naujinimas"), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Atnaujinamas aplankų pasirinkimas...", - ), - "upgrade": MessageLookupByLibrary.simpleMessage("Keisti planą"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Įkeliami failai į albumą...", - ), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( - "Išsaugomas prisiminimas...", - ), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "Iki 50% nuolaida, gruodžio 4 d.", - ), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "Naudojama saugykla ribojama pagal jūsų dabartinį planą. Perteklinė gauta saugykla automatiškai taps tinkama naudoti, kai pakeisite planą.", - ), - "useAsCover": MessageLookupByLibrary.simpleMessage("Naudoti kaip viršelį"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "Turite problemų paleidžiant šį vaizdo įrašą? Ilgai paspauskite čia, kad išbandytumėte kitą leistuvę.", - ), - "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Naudokite viešas nuorodas asmenimis, kurie nėra sistemoje „Ente“", - ), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Naudoti atkūrimo raktą", - ), - "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( - "Naudoti pasirinktą nuotrauką", - ), - "usedSpace": MessageLookupByLibrary.simpleMessage("Naudojama vieta"), - "validTill": m110, - "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Patvirtinimas nepavyko. Bandykite dar kartą.", - ), - "verificationId": MessageLookupByLibrary.simpleMessage("Patvirtinimo ID"), - "verify": MessageLookupByLibrary.simpleMessage("Patvirtinti"), - "verifyEmail": MessageLookupByLibrary.simpleMessage( - "Patvirtinti el. paštą", - ), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Patvirtinti"), - "verifyPasskey": MessageLookupByLibrary.simpleMessage( - "Patvirtinti slaptaraktį", - ), - "verifyPassword": MessageLookupByLibrary.simpleMessage( - "Patvirtinkite slaptažodį", - ), - "verifying": MessageLookupByLibrary.simpleMessage("Patvirtinama..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Patvirtinima atkūrimo raktą...", - ), - "videoInfo": MessageLookupByLibrary.simpleMessage( - "Vaizdo įrašo informacija", - ), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("vaizdo įrašas"), - "videoStreaming": MessageLookupByLibrary.simpleMessage( - "Srautiniai vaizdo įrašai", - ), - "videos": MessageLookupByLibrary.simpleMessage("Vaizdo įrašai"), - "viewActiveSessions": MessageLookupByLibrary.simpleMessage( - "Peržiūrėti aktyvius seansus", - ), - "viewAddOnButton": MessageLookupByLibrary.simpleMessage( - "Peržiūrėti priedus", - ), - "viewAll": MessageLookupByLibrary.simpleMessage("Peržiūrėti viską"), - "viewAllExifData": MessageLookupByLibrary.simpleMessage( - "Peržiūrėti visus EXIF duomenis", - ), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Dideli failai"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Peržiūrėkite failus, kurie užima daugiausiai saugyklos vietos.", - ), - "viewLogs": MessageLookupByLibrary.simpleMessage("Peržiūrėti žurnalus"), - "viewPersonToUnlink": m112, - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Peržiūrėti atkūrimo raktą", - ), - "viewer": MessageLookupByLibrary.simpleMessage("Žiūrėtojas"), - "viewersSuccessfullyAdded": m113, - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Aplankykite web.ente.io, kad tvarkytumėte savo prenumeratą", - ), - "waitingForVerification": MessageLookupByLibrary.simpleMessage( - "Laukiama patvirtinimo...", - ), - "waitingForWifi": MessageLookupByLibrary.simpleMessage( - "Laukiama „WiFi“...", - ), - "warning": MessageLookupByLibrary.simpleMessage("Įspėjimas"), - "weAreOpenSource": MessageLookupByLibrary.simpleMessage( - "Esame atviro kodo!", - ), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "Nepalaikome nuotraukų ir albumų redagavimo, kurių dar neturite.", - ), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Silpna"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("Sveiki sugrįžę!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("Kas naujo"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "Patikimas kontaktas gali padėti atkurti jūsų duomenis.", - ), - "widgets": MessageLookupByLibrary.simpleMessage("Valdikliai"), - "wishThemAHappyBirthday": m115, - "yearShort": MessageLookupByLibrary.simpleMessage("m."), - "yearly": MessageLookupByLibrary.simpleMessage("Metinis"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Taip"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Taip, atsisakyti"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "Taip, keisti į žiūrėtoją", - ), - "yesDelete": MessageLookupByLibrary.simpleMessage("Taip, ištrinti"), - "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( - "Taip, atmesti pakeitimus", - ), - "yesLogout": MessageLookupByLibrary.simpleMessage("Taip, atsijungti"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Taip, šalinti"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Taip, pratęsti"), - "yesResetPerson": MessageLookupByLibrary.simpleMessage( - "Taip, nustatyti asmenį iš naujo", - ), - "you": MessageLookupByLibrary.simpleMessage("Jūs"), - "youAndThem": m117, - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( - "Esate šeimos plane!", - ), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Esate naujausioje versijoje", - ), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Galite daugiausiai padvigubinti savo saugyklą.", - ), - "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( - "Nuorodas galite valdyti bendrinimo kortelėje.", - ), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "Galite pabandyti ieškoti pagal kitą užklausą.", - ), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "Negalite pakeisti į šį planą", - ), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Negalite bendrinti su savimi.", - ), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "Neturite jokių archyvuotų elementų.", - ), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "Jūsų paskyra ištrinta", - ), - "yourMap": MessageLookupByLibrary.simpleMessage("Jūsų žemėlapis"), - "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( - "Jūsų planas sėkmingai pakeistas į žemesnį", - ), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "Jūsų planas sėkmingai pakeistas", - ), - "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( - "Jūsų pirkimas buvo sėkmingas", - ), - "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( - "Nepavyko gauti jūsų saugyklos duomenų.", - ), - "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( - "Jūsų prenumerata baigėsi.", - ), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "Jūsų prenumerata buvo sėkmingai atnaujinta", - ), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "Jūsų patvirtinimo kodas nebegaliojantis.", - ), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage( - "Neturite dubliuotų failų, kuriuos būtų galima išvalyti.", - ), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "Neturite šiame albume failų, kuriuos būtų galima ištrinti.", - ), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( - "Padidinkite mastelį, kad matytumėte nuotraukas", - ), - }; + "aNewVersionOfEnteIsAvailable": + MessageLookupByLibrary.simpleMessage("Yra nauja „Ente“ versija."), + "about": MessageLookupByLibrary.simpleMessage("Apie"), + "acceptTrustInvite": + MessageLookupByLibrary.simpleMessage("Priimti kvietimą"), + "account": MessageLookupByLibrary.simpleMessage("Paskyra"), + "accountIsAlreadyConfigured": + MessageLookupByLibrary.simpleMessage("Paskyra jau sukonfigūruota."), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("Sveiki sugrįžę!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Suprantu, kad jei prarasiu slaptažodį, galiu prarasti savo duomenis, kadangi mano duomenys yra visapusiškai užšifruoti"), + "actionNotSupportedOnFavouritesAlbum": + MessageLookupByLibrary.simpleMessage( + "Veiksmas nepalaikomas Mėgstamų albume."), + "activeSessions": + MessageLookupByLibrary.simpleMessage("Aktyvūs seansai"), + "add": MessageLookupByLibrary.simpleMessage("Pridėti"), + "addAName": MessageLookupByLibrary.simpleMessage("Pridėti vardą"), + "addANewEmail": + MessageLookupByLibrary.simpleMessage("Įtraukite naują el. paštą"), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Pridėkite albumo valdiklį prie savo pradžios ekrano ir grįžkite čia, kad tinkintumėte."), + "addCollaborator": + MessageLookupByLibrary.simpleMessage("Pridėti bendradarbį"), + "addCollaborators": m1, + "addFiles": MessageLookupByLibrary.simpleMessage("Pridėti failus"), + "addFromDevice": + MessageLookupByLibrary.simpleMessage("Pridėti iš įrenginio"), + "addItem": m2, + "addLocation": MessageLookupByLibrary.simpleMessage("Pridėti vietovę"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Pridėti"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Pridėkite prisiminimų valdiklį prie savo pradžios ekrano ir grįžkite čia, kad tinkintumėte."), + "addMore": MessageLookupByLibrary.simpleMessage("Pridėti daugiau"), + "addName": MessageLookupByLibrary.simpleMessage("Pridėti vardą"), + "addNameOrMerge": + MessageLookupByLibrary.simpleMessage("Pridėti vardą arba sujungti"), + "addNew": MessageLookupByLibrary.simpleMessage("Pridėti naują"), + "addNewPerson": + MessageLookupByLibrary.simpleMessage("Pridėti naują asmenį"), + "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( + "Išsami informacija apie priedus"), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("Priedai"), + "addParticipants": + MessageLookupByLibrary.simpleMessage("Įtraukti dalyvių"), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Pridėkite asmenų valdiklį prie savo pradžios ekrano ir grįžkite čia, kad tinkintumėte."), + "addPhotos": MessageLookupByLibrary.simpleMessage("Įtraukti nuotraukų"), + "addSelected": + MessageLookupByLibrary.simpleMessage("Pridėti pasirinktus"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("Pridėti į albumą"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Pridėti į „Ente“"), + "addToHiddenAlbum": + MessageLookupByLibrary.simpleMessage("Įtraukti į paslėptą albumą"), + "addTrustedContact": + MessageLookupByLibrary.simpleMessage("Pridėti patikimą kontaktą"), + "addViewer": MessageLookupByLibrary.simpleMessage("Pridėti žiūrėtoją"), + "addViewers": m4, + "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( + "Įtraukite savo nuotraukas dabar"), + "addedAs": MessageLookupByLibrary.simpleMessage("Pridėta kaip"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": + MessageLookupByLibrary.simpleMessage("Pridedama prie mėgstamų..."), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("Išplėstiniai"), + "advancedSettings": + MessageLookupByLibrary.simpleMessage("Išplėstiniai"), + "after1Day": MessageLookupByLibrary.simpleMessage("Po 1 dienos"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Po 1 valandos"), + "after1Month": MessageLookupByLibrary.simpleMessage("Po 1 mėnesio"), + "after1Week": MessageLookupByLibrary.simpleMessage("Po 1 savaitės"), + "after1Year": MessageLookupByLibrary.simpleMessage("Po 1 metų"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Savininkas"), + "albumParticipantsCount": m8, + "albumTitle": + MessageLookupByLibrary.simpleMessage("Albumo pavadinimas"), + "albumUpdated": + MessageLookupByLibrary.simpleMessage("Atnaujintas albumas"), + "albums": MessageLookupByLibrary.simpleMessage("Albumai"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Pasirinkite albumus, kuriuos norite matyti savo pradžios ekrane."), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Viskas išvalyta"), + "allMemoriesPreserved": + MessageLookupByLibrary.simpleMessage("Išsaugoti visi prisiminimai"), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "Visi šio asmens grupavimai bus iš naujo nustatyti, o jūs neteksite visų šiam asmeniui pateiktų pasiūlymų"), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "Tai – pirmoji šioje grupėje. Kitos pasirinktos nuotraukos bus automatiškai perkeltos pagal šią naują datą."), + "allow": MessageLookupByLibrary.simpleMessage("Leisti"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Leiskite nuorodą turintiems asmenims taip pat pridėti nuotraukų į bendrinamą albumą."), + "allowAddingPhotos": + MessageLookupByLibrary.simpleMessage("Leisti pridėti nuotraukų"), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "Leisti programai atverti bendrinamų albumų nuorodas"), + "allowDownloads": + MessageLookupByLibrary.simpleMessage("Leisti atsisiuntimus"), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Leiskite asmenims pridėti nuotraukų"), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Iš nustatymų leiskite prieigą prie nuotraukų, kad „Ente“ galėtų rodyti ir kurti atsargines bibliotekos kopijas."), + "allowPermTitle": MessageLookupByLibrary.simpleMessage( + "Leisti prieigą prie nuotraukų"), + "androidBiometricHint": + MessageLookupByLibrary.simpleMessage("Patvirtinkite tapatybę"), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "Neatpažinta. Bandykite dar kartą."), + "androidBiometricRequiredTitle": + MessageLookupByLibrary.simpleMessage("Privaloma biometrija"), + "androidBiometricSuccess": + MessageLookupByLibrary.simpleMessage("Sėkmė"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Atšaukti"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage( + "Privalomi įrenginio kredencialai"), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage( + "Privalomi įrenginio kredencialai"), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Biometrinis tapatybės nustatymas jūsų įrenginyje nenustatytas. Eikite į Nustatymai > Saugumas ir pridėkite biometrinį tapatybės nustatymą."), + "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( + "„Android“, „iOS“, internete ir darbalaukyje"), + "androidSignInTitle": MessageLookupByLibrary.simpleMessage( + "Privalomas tapatybės nustatymas"), + "appIcon": MessageLookupByLibrary.simpleMessage("Programos piktograma"), + "appLock": MessageLookupByLibrary.simpleMessage("Programos užraktas"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Pasirinkite tarp numatytojo įrenginio užrakinimo ekrano ir pasirinktinio užrakinimo ekrano su PIN kodu arba slaptažodžiu."), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("„Apple ID“"), + "apply": MessageLookupByLibrary.simpleMessage("Taikyti"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Taikyti kodą"), + "appstoreSubscription": + MessageLookupByLibrary.simpleMessage("„App Store“ prenumerata"), + "archive": MessageLookupByLibrary.simpleMessage("Archyvas"), + "archiveAlbum": + MessageLookupByLibrary.simpleMessage("Archyvuoti albumą"), + "archiving": MessageLookupByLibrary.simpleMessage("Archyvuojama..."), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Ar tikrai norite palikti šeimos planą?"), + "areYouSureYouWantToCancel": + MessageLookupByLibrary.simpleMessage("Ar tikrai norite atšaukti?"), + "areYouSureYouWantToChangeYourPlan": + MessageLookupByLibrary.simpleMessage( + "Ar tikrai norite keisti planą?"), + "areYouSureYouWantToExit": + MessageLookupByLibrary.simpleMessage("Ar tikrai norite išeiti?"), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Ar tikrai norite atsijungti?"), + "areYouSureYouWantToRenew": + MessageLookupByLibrary.simpleMessage("Ar tikrai norite pratęsti?"), + "areYouSureYouWantToResetThisPerson": + MessageLookupByLibrary.simpleMessage( + "Ar tikrai norite iš naujo nustatyti šį asmenį?"), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "Jūsų prenumerata buvo atšaukta. Ar norėtumėte pasidalyti priežastimi?"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Kokia yra pagrindinė priežastis, dėl kurios ištrinate savo paskyrą?"), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Paprašykite savo artimuosius bendrinti"), + "atAFalloutShelter": + MessageLookupByLibrary.simpleMessage("priešgaisrinėje slėptuvėje"), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Nustatykite tapatybę, kad pakeistumėte el. pašto patvirtinimą"), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Nustatykite tapatybę, kad pakeistumėte užrakinto ekrano nustatymą"), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Nustatykite tapatybę, kad pakeistumėte savo el. paštą"), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Nustatykite tapatybę, kad pakeistumėte slaptažodį"), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Nustatykite tapatybę, kad sukonfigūruotumėte dvigubą tapatybės nustatymą"), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Nustatykite tapatybę, kad pradėtumėte paskyros ištrynimą"), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Nustatykite tapatybę, kad tvarkytumėte patikimus kontaktus"), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Nustatykite tapatybę, kad peržiūrėtumėte savo slaptaraktį"), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Nustatykite tapatybę, kad peržiūrėtumėte išmestus failus"), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Nustatykite tapatybę, kad peržiūrėtumėte savo aktyvius seansus"), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Nustatykite tapatybę, kad peržiūrėtumėte paslėptus failus"), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Nustatykite tapatybę, kad peržiūrėtumėte savo prisiminimus"), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Nustatykite tapatybę, kad peržiūrėtumėte savo atkūrimo raktą"), + "authenticating": + MessageLookupByLibrary.simpleMessage("Nustatoma tapatybė..."), + "authenticationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Tapatybės nustatymas nepavyko. Bandykite dar kartą."), + "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( + "Tapatybės nustatymas sėkmingas."), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Čia matysite pasiekiamus perdavimo įrenginius."), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Įsitikinkite, kad programai „Ente“ nuotraukos yra įjungti vietinio tinklo leidimai, nustatymuose."), + "autoLock": + MessageLookupByLibrary.simpleMessage("Automatinis užraktas"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Laikas, po kurio programa užrakinama perkėlus ją į foną"), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "Dėl techninio trikdžio buvote atjungti. Atsiprašome už nepatogumus."), + "autoPair": + MessageLookupByLibrary.simpleMessage("Automatiškai susieti"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "Automatinis susiejimas veikia tik su įrenginiais, kurie palaiko „Chromecast“."), + "available": MessageLookupByLibrary.simpleMessage("Prieinama"), + "availableStorageSpace": m10, + "backedUpFolders": MessageLookupByLibrary.simpleMessage( + "Sukurtos atsarginės aplankų kopijos"), + "backgroundWithThem": m11, + "backup": + MessageLookupByLibrary.simpleMessage("Kurti atsarginę kopiją"), + "backupFailed": + MessageLookupByLibrary.simpleMessage("Atsarginė kopija nepavyko"), + "backupFile": MessageLookupByLibrary.simpleMessage( + "Kurti atsarginę failo kopiją"), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Kurti atsargines kopijas per mobiliuosius duomenis"), + "backupSettings": MessageLookupByLibrary.simpleMessage( + "Atsarginės kopijos nustatymai"), + "backupStatus": + MessageLookupByLibrary.simpleMessage("Atsarginės kopijos būsena"), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Čia bus rodomi elementai, kurių atsarginės kopijos buvo sukurtos."), + "backupVideos": MessageLookupByLibrary.simpleMessage( + "Kurti atsargines vaizdo įrašų kopijas"), + "beach": MessageLookupByLibrary.simpleMessage("Smėlis ir jūra"), + "birthday": MessageLookupByLibrary.simpleMessage("Gimtadienis"), + "birthdayNotifications": + MessageLookupByLibrary.simpleMessage("Gimtadienio pranešimai"), + "birthdays": MessageLookupByLibrary.simpleMessage("Gimtadieniai"), + "blackFridaySale": MessageLookupByLibrary.simpleMessage( + "Juodojo penktadienio išpardavimas"), + "blog": MessageLookupByLibrary.simpleMessage("Tinklaraštis"), + "cachedData": + MessageLookupByLibrary.simpleMessage("Podėliuoti duomenis"), + "calculating": MessageLookupByLibrary.simpleMessage("Skaičiuojama..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Atsiprašome, šio albumo negalima atverti programoje."), + "canNotOpenTitle": + MessageLookupByLibrary.simpleMessage("Negalima atverti šio albumo"), + "canNotUploadToAlbumsOwnedByOthers": + MessageLookupByLibrary.simpleMessage( + "Negalima įkelti į kitiems priklausančius albumus"), + "canOnlyCreateLinkForFilesOwnedByYou": + MessageLookupByLibrary.simpleMessage( + "Galima sukurti nuorodą tik jums priklausantiems failams"), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Galima pašalinti tik jums priklausančius failus"), + "cancel": MessageLookupByLibrary.simpleMessage("Atšaukti"), + "cancelAccountRecovery": + MessageLookupByLibrary.simpleMessage("Atšaukti atkūrimą"), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "Ar tikrai norite atšaukti atkūrimą?"), + "cancelOtherSubscription": m12, + "cancelSubscription": + MessageLookupByLibrary.simpleMessage("Atsisakyti prenumeratos"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Negalima ištrinti bendrinamų failų."), + "castAlbum": MessageLookupByLibrary.simpleMessage("Perduoti albumą"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Įsitikinkite, kad esate tame pačiame tinkle kaip ir televizorius."), + "castIPMismatchTitle": + MessageLookupByLibrary.simpleMessage("Nepavyko perduoti albumo"), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Aplankykite cast.ente.io įrenginyje, kurį norite susieti.\n\nĮveskite toliau esantį kodą, kad paleistumėte albumą televizoriuje."), + "centerPoint": MessageLookupByLibrary.simpleMessage("Centro taškas"), + "change": MessageLookupByLibrary.simpleMessage("Keisti"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Keisti el. paštą"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Keisti pasirinktų elementų vietovę?"), + "changePassword": + MessageLookupByLibrary.simpleMessage("Keisti slaptažodį"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("Keisti slaptažodį"), + "changePermissions": + MessageLookupByLibrary.simpleMessage("Keisti leidimus?"), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Keisti savo rekomendacijos kodą"), + "checkForUpdates": MessageLookupByLibrary.simpleMessage( + "Tikrinti, ar yra atnaujinimų"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Patikrinkite savo gautieją (ir šlamštą), kad užbaigtumėte patvirtinimą"), + "checkStatus": MessageLookupByLibrary.simpleMessage("Tikrinti būseną"), + "checking": MessageLookupByLibrary.simpleMessage("Tikrinama..."), + "checkingModels": + MessageLookupByLibrary.simpleMessage("Tikrinami modeliai..."), + "city": MessageLookupByLibrary.simpleMessage("Mieste"), + "claimFreeStorage": + MessageLookupByLibrary.simpleMessage("Gaukite nemokamos saugyklos"), + "claimMore": MessageLookupByLibrary.simpleMessage("Gaukite daugiau!"), + "claimed": MessageLookupByLibrary.simpleMessage("Gauta"), + "claimedStorageSoFar": m14, + "cleanUncategorized": + MessageLookupByLibrary.simpleMessage("Valyti nekategorizuotus"), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Pašalinkite iš nekategorizuotus visus failus, esančius kituose albumuose"), + "clearCaches": MessageLookupByLibrary.simpleMessage("Valyti podėlius"), + "clearIndexes": + MessageLookupByLibrary.simpleMessage("Valyti indeksavimus"), + "click": MessageLookupByLibrary.simpleMessage("• Spauskite"), + "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( + "• Spustelėkite ant perpildymo meniu"), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Spustelėkite, kad įdiegtumėte geriausią mūsų versiją iki šiol"), + "close": MessageLookupByLibrary.simpleMessage("Uždaryti"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( + "Grupuoti pagal užfiksavimo laiką"), + "clubByFileName": MessageLookupByLibrary.simpleMessage( + "Grupuoti pagal failo pavadinimą"), + "clusteringProgress": + MessageLookupByLibrary.simpleMessage("Sankaupos vykdymas"), + "codeAppliedPageTitle": + MessageLookupByLibrary.simpleMessage("Pritaikytas kodas"), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Atsiprašome, pasiekėte kodo pakeitimų ribą."), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Nukopijuotas kodas į iškarpinę"), + "codeUsedByYou": + MessageLookupByLibrary.simpleMessage("Jūsų naudojamas kodas"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Sukurkite nuorodą, kad asmenys galėtų pridėti ir peržiūrėti nuotraukas bendrinamame albume, nereikalaujant „Ente“ programos ar paskyros. Puikiai tinka įvykių nuotraukoms rinkti."), + "collaborativeLink": + MessageLookupByLibrary.simpleMessage("Bendradarbiavimo nuoroda"), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Bendradarbis"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Bendradarbiai gali pridėti nuotraukų ir vaizdo įrašų į bendrintą albumą."), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("Išdėstymas"), + "collageSaved": MessageLookupByLibrary.simpleMessage( + "Koliažas išsaugotas į galeriją"), + "collect": MessageLookupByLibrary.simpleMessage("Rinkti"), + "collectEventPhotos": + MessageLookupByLibrary.simpleMessage("Rinkti įvykių nuotraukas"), + "collectPhotos": + MessageLookupByLibrary.simpleMessage("Rinkti nuotraukas"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Sukurkite nuorodą, į kurią draugai gali įkelti originalios kokybės nuotraukas."), + "color": MessageLookupByLibrary.simpleMessage("Spalva"), + "configuration": MessageLookupByLibrary.simpleMessage("Konfiguracija"), + "confirm": MessageLookupByLibrary.simpleMessage("Patvirtinti"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Ar tikrai norite išjungti dvigubą tapatybės nustatymą?"), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Patvirtinti paskyros ištrynimą"), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Taip, noriu negrįžtamai ištrinti šią paskyrą ir jos duomenis per visas programas"), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("Patvirtinkite slaptažodį"), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage( + "Patvirtinkite plano pakeitimą"), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Patvirtinkite atkūrimo raktą"), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Patvirtinkite savo atkūrimo raktą"), + "connectToDevice": + MessageLookupByLibrary.simpleMessage("Prijungti prie įrenginio"), + "contactFamilyAdmin": m18, + "contactSupport": MessageLookupByLibrary.simpleMessage( + "Susisiekti su palaikymo komanda"), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Kontaktai"), + "contents": MessageLookupByLibrary.simpleMessage("Turinys"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Tęsti"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "Tęsti nemokame bandomajame laikotarpyje"), + "convertToAlbum": + MessageLookupByLibrary.simpleMessage("Konvertuoti į albumą"), + "copyEmailAddress": + MessageLookupByLibrary.simpleMessage("Kopijuoti el. pašto adresą"), + "copyLink": MessageLookupByLibrary.simpleMessage("Kopijuoti nuorodą"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Nukopijuokite ir įklijuokite šį kodą\nį autentifikatoriaus programą"), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "Nepavyko sukurti atsarginės duomenų kopijos.\nBandysime pakartotinai vėliau."), + "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( + "Nepavyko atlaisvinti vietos."), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Nepavyko atnaujinti prenumeratos"), + "count": MessageLookupByLibrary.simpleMessage("Skaičių"), + "crashReporting": + MessageLookupByLibrary.simpleMessage("Pranešti apie strigčius"), + "create": MessageLookupByLibrary.simpleMessage("Kurti"), + "createAccount": MessageLookupByLibrary.simpleMessage("Kurti paskyrą"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Ilgai paspauskite, kad pasirinktumėte nuotraukas, ir spustelėkite +, kad sukurtumėte albumą"), + "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( + "Kurti bendradarbiavimo nuorodą"), + "createCollage": MessageLookupByLibrary.simpleMessage("Kurti koliažą"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("Kurti naują paskyrą"), + "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( + "Kurkite arba pasirinkite albumą"), + "createPublicLink": + MessageLookupByLibrary.simpleMessage("Kurti viešą nuorodą"), + "creatingLink": + MessageLookupByLibrary.simpleMessage("Kuriama nuoroda..."), + "criticalUpdateAvailable": + MessageLookupByLibrary.simpleMessage("Yra kritinis naujinimas"), + "crop": MessageLookupByLibrary.simpleMessage("Apkirpti"), + "curatedMemories": + MessageLookupByLibrary.simpleMessage("Kuruoti prisiminimai"), + "currentUsageIs": + MessageLookupByLibrary.simpleMessage("Dabartinis naudojimas – "), + "currentlyRunning": + MessageLookupByLibrary.simpleMessage("šiuo metu vykdoma"), + "custom": MessageLookupByLibrary.simpleMessage("Pasirinktinis"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Tamsi"), + "dayToday": MessageLookupByLibrary.simpleMessage("Šiandien"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Vakar"), + "declineTrustInvite": + MessageLookupByLibrary.simpleMessage("Atmesti kvietimą"), + "decrypting": MessageLookupByLibrary.simpleMessage("Iššifruojama..."), + "decryptingVideo": MessageLookupByLibrary.simpleMessage( + "Iššifruojamas vaizdo įrašas..."), + "deduplicateFiles": + MessageLookupByLibrary.simpleMessage("Atdubliuoti failus"), + "delete": MessageLookupByLibrary.simpleMessage("Ištrinti"), + "deleteAccount": + MessageLookupByLibrary.simpleMessage("Ištrinti paskyrą"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Apgailestaujame, kad išeinate. Pasidalykite savo atsiliepimais, kad padėtumėte mums tobulėti."), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Ištrinti paskyrą negrįžtamai"), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Ištrinti albumą"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Taip pat ištrinti šiame albume esančias nuotraukas (ir vaizdo įrašus) iš visų kitų albumų, kuriuose jos yra dalis?"), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "Tai ištrins visus tuščius albumus. Tai naudinga, kai norite sumažinti netvarką savo albumų sąraše."), + "deleteAll": MessageLookupByLibrary.simpleMessage("Ištrinti viską"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "Ši paskyra susieta su kitomis „Ente“ programomis, jei jas naudojate. Jūsų įkelti duomenys per visas „Ente“ programas bus planuojama ištrinti, o jūsų paskyra bus ištrinta negrįžtamai."), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Iš savo registruoto el. pašto adreso siųskite el. laišką adresu account-deletion@ente.io."), + "deleteEmptyAlbums": + MessageLookupByLibrary.simpleMessage("Ištrinti tuščius albumus"), + "deleteEmptyAlbumsWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Ištrinti tuščius albumus?"), + "deleteFromBoth": + MessageLookupByLibrary.simpleMessage("Ištrinti iš abiejų"), + "deleteFromDevice": + MessageLookupByLibrary.simpleMessage("Ištrinti iš įrenginio"), + "deleteFromEnte": + MessageLookupByLibrary.simpleMessage("Ištrinti iš „Ente“"), + "deleteItemCount": m21, + "deleteLocation": + MessageLookupByLibrary.simpleMessage("Ištrinti vietovę"), + "deleteMultipleAlbumDialog": m22, + "deletePhotos": + MessageLookupByLibrary.simpleMessage("Ištrinti nuotraukas"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Trūksta pagrindinės funkcijos, kurios man reikia"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "Programa arba tam tikra funkcija nesielgia taip, kaip, mano manymu, turėtų elgtis"), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Radau kitą paslaugą, kuri man patinka labiau"), + "deleteReason4": + MessageLookupByLibrary.simpleMessage("Mano priežastis nenurodyta"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Jūsų prašymas bus apdorotas per 72 valandas."), + "deleteSharedAlbum": + MessageLookupByLibrary.simpleMessage("Ištrinti bendrinamą albumą?"), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "Albumas bus ištrintas visiems.\n\nPrarasite prieigą prie bendrinamų nuotraukų, esančių šiame albume ir priklausančių kitiems."), + "deselectAll": + MessageLookupByLibrary.simpleMessage("Naikinti visų pasirinkimą"), + "designedToOutlive": + MessageLookupByLibrary.simpleMessage("Sukurta išgyventi"), + "details": MessageLookupByLibrary.simpleMessage("Išsami informacija"), + "developerSettings": + MessageLookupByLibrary.simpleMessage("Kūrėjo nustatymai"), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Ar tikrai norite modifikuoti kūrėjo nustatymus?"), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Įveskite kodą"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "Į šį įrenginio albumą įtraukti failai bus automatiškai įkelti į „Ente“."), + "deviceLock": + MessageLookupByLibrary.simpleMessage("Įrenginio užraktas"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Išjunkite įrenginio ekrano užraktą, kai „Ente“ yra priekiniame fone ir kuriama atsarginės kopijos. Paprastai to nereikia, bet tai gali padėti greičiau užbaigti didelius įkėlimus ir pradinį didelių bibliotekų importą."), + "deviceNotFound": + MessageLookupByLibrary.simpleMessage("Įrenginys nerastas"), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Ar žinojote?"), + "disableAutoLock": + MessageLookupByLibrary.simpleMessage("Išjungti automatinį užraktą"), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Žiūrėtojai vis tiek gali daryti ekrano kopijas arba išsaugoti nuotraukų kopijas naudojant išorinius įrankius"), + "disableDownloadWarningTitle": + MessageLookupByLibrary.simpleMessage("Atkreipkite dėmesį"), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "Išjungti dvigubą tapatybės nustatymą"), + "disablingTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Išjungiamas dvigubas tapatybės nustatymas..."), + "discord": MessageLookupByLibrary.simpleMessage("„Discord“"), + "discover": MessageLookupByLibrary.simpleMessage("Atraskite"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Kūdikiai"), + "discover_celebrations": + MessageLookupByLibrary.simpleMessage("Šventės"), + "discover_food": MessageLookupByLibrary.simpleMessage("Maistas"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Žaluma"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Kalvos"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Tapatybė"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Mėmai"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Užrašai"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Gyvūnai"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Kvitai"), + "discover_screenshots": + MessageLookupByLibrary.simpleMessage("Ekrano kopijos"), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Asmenukės"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Saulėlydis"), + "discover_visiting_cards": + MessageLookupByLibrary.simpleMessage("Lankymo kortelės"), + "discover_wallpapers": + MessageLookupByLibrary.simpleMessage("Ekrano fonai"), + "dismiss": MessageLookupByLibrary.simpleMessage("Atmesti"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage("Neatsijungti"), + "doThisLater": + MessageLookupByLibrary.simpleMessage("Daryti tai vėliau"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Ar norite atmesti atliktus pakeitimus?"), + "done": MessageLookupByLibrary.simpleMessage("Atlikta"), + "dontSave": MessageLookupByLibrary.simpleMessage("Neišsaugoti"), + "doubleYourStorage": + MessageLookupByLibrary.simpleMessage("Padvigubinkite saugyklą"), + "download": MessageLookupByLibrary.simpleMessage("Atsisiųsti"), + "downloadFailed": + MessageLookupByLibrary.simpleMessage("Atsisiuntimas nepavyko."), + "downloading": MessageLookupByLibrary.simpleMessage("Atsisiunčiama..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Redaguoti"), + "editEmailAlreadyLinked": m28, + "editLocation": + MessageLookupByLibrary.simpleMessage("Redaguoti vietovę"), + "editLocationTagTitle": + MessageLookupByLibrary.simpleMessage("Redaguoti vietovę"), + "editPerson": MessageLookupByLibrary.simpleMessage("Redaguoti asmenį"), + "editTime": MessageLookupByLibrary.simpleMessage("Redaguoti laiką"), + "editsSaved": + MessageLookupByLibrary.simpleMessage("Redagavimai išsaugoti"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Vietovės pakeitimai bus matomi tik per „Ente“"), + "eligible": MessageLookupByLibrary.simpleMessage("tinkamas"), + "email": MessageLookupByLibrary.simpleMessage("El. paštas"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "El. paštas jau užregistruotas."), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": + MessageLookupByLibrary.simpleMessage("El. paštas neregistruotas."), + "emailVerificationToggle": + MessageLookupByLibrary.simpleMessage("El. pašto patvirtinimas"), + "emailYourLogs": MessageLookupByLibrary.simpleMessage( + "Atsiųskite žurnalus el. laišku"), + "embracingThem": m32, + "emergencyContacts": + MessageLookupByLibrary.simpleMessage("Skubios pagalbos kontaktai"), + "empty": MessageLookupByLibrary.simpleMessage("Ištuštinti"), + "emptyTrash": + MessageLookupByLibrary.simpleMessage("Ištuštinti šiukšlinę?"), + "enable": MessageLookupByLibrary.simpleMessage("Įjungti"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "„Ente“ palaiko įrenginyje mašininį mokymąsi, skirtą veidų atpažinimui, magiškai paieškai ir kitoms išplėstinėms paieškos funkcijoms"), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Įjunkite mašininį mokymąsi magiškai paieškai ir veidų atpažinimui"), + "enableMaps": + MessageLookupByLibrary.simpleMessage("Įjungti žemėlapius"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "Tai parodys jūsų nuotraukas pasaulio žemėlapyje.\n\nŠį žemėlapį talpina „OpenStreetMap“, o tiksliomis nuotraukų vietovėmis niekada nebendrinama.\n\nŠią funkciją bet kada galite išjungti iš nustatymų."), + "enabled": MessageLookupByLibrary.simpleMessage("Įjungta"), + "encryptingBackup": MessageLookupByLibrary.simpleMessage( + "Šifruojama atsarginė kopija..."), + "encryption": MessageLookupByLibrary.simpleMessage("Šifravimas"), + "encryptionKeys": + MessageLookupByLibrary.simpleMessage("Šifravimo raktai"), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Galutinis taškas sėkmingai atnaujintas"), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Pagal numatytąjį užšifruota visapusiškai"), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "„Ente“ gali užšifruoti ir išsaugoti failus tik tada, jei suteikiate prieigą prie jų."), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "„Ente“ reikia leidimo išsaugoti jūsų nuotraukas"), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "„Ente“ išsaugo jūsų prisiminimus, todėl jie visada bus pasiekiami, net jei prarasite įrenginį."), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Į planą galima pridėti ir savo šeimą."), + "enterAlbumName": + MessageLookupByLibrary.simpleMessage("Įveskite albumo pavadinimą"), + "enterCode": MessageLookupByLibrary.simpleMessage("Įvesti kodą"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Įveskite draugo pateiktą kodą, kad gautumėte nemokamą saugyklą abiem."), + "enterDateOfBirth": + MessageLookupByLibrary.simpleMessage("Gimtadienis (neprivaloma)"), + "enterEmail": + MessageLookupByLibrary.simpleMessage("Įveskite el. paštą"), + "enterFileName": + MessageLookupByLibrary.simpleMessage("Įveskite failo pavadinimą"), + "enterName": MessageLookupByLibrary.simpleMessage("Įveskite vardą"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Įveskite naują slaptažodį, kurį galime naudoti jūsų duomenims šifruoti"), + "enterPassword": + MessageLookupByLibrary.simpleMessage("Įveskite slaptažodį"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Įveskite slaptažodį, kurį galime naudoti jūsų duomenims šifruoti"), + "enterPersonName": + MessageLookupByLibrary.simpleMessage("Įveskite asmens vardą"), + "enterPin": MessageLookupByLibrary.simpleMessage("Įveskite PIN"), + "enterReferralCode": MessageLookupByLibrary.simpleMessage( + "Įveskite rekomendacijos kodą"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Įveskite 6 skaitmenų kodą\niš autentifikatoriaus programos"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Įveskite tinkamą el. pašto adresą."), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Įveskite savo el. pašto adresą"), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Įveskite savo naują el. pašto adresą"), + "enterYourPassword": + MessageLookupByLibrary.simpleMessage("Įveskite savo slaptažodį"), + "enterYourRecoveryKey": + MessageLookupByLibrary.simpleMessage("Įveskite atkūrimo raktą"), + "error": MessageLookupByLibrary.simpleMessage("Klaida"), + "everywhere": MessageLookupByLibrary.simpleMessage("visur"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": + MessageLookupByLibrary.simpleMessage("Esamas naudotojas"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Ši nuoroda nebegalioja. Pasirinkite naują galiojimo laiką arba išjunkite nuorodos galiojimo laiką."), + "exportLogs": + MessageLookupByLibrary.simpleMessage("Eksportuoti žurnalus"), + "exportYourData": + MessageLookupByLibrary.simpleMessage("Eksportuoti duomenis"), + "extraPhotosFound": MessageLookupByLibrary.simpleMessage( + "Rastos papildomos nuotraukos"), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Veidas dar nesugrupuotas. Grįžkite vėliau."), + "faceRecognition": + MessageLookupByLibrary.simpleMessage("Veido atpažinimas"), + "faces": MessageLookupByLibrary.simpleMessage("Veidai"), + "failed": MessageLookupByLibrary.simpleMessage("Nepavyko"), + "failedToApplyCode": + MessageLookupByLibrary.simpleMessage("Nepavyko pritaikyti kodo."), + "failedToCancel": + MessageLookupByLibrary.simpleMessage("Nepavyko atsisakyti"), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( + "Nepavyko atsisiųsti vaizdo įrašo."), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Nepavyko gauti aktyvių seansų."), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Nepavyko gauti originalo redagavimui."), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Nepavyksta gauti rekomendacijos išsamios informacijos. Bandykite dar kartą vėliau."), + "failedToLoadAlbums": + MessageLookupByLibrary.simpleMessage("Nepavyko įkelti albumų."), + "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Nepavyko paleisti vaizdo įrašą. "), + "failedToRefreshStripeSubscription": + MessageLookupByLibrary.simpleMessage( + "Nepavyko atnaujinti prenumeratos."), + "failedToRenew": + MessageLookupByLibrary.simpleMessage("Nepavyko pratęsti."), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Nepavyko patvirtinti mokėjimo būsenos"), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Įtraukite 5 šeimos narius į jūsų esamą planą nemokėdami papildomai.\n\nKiekvienas narys gauna savo asmeninę vietą ir negali matyti vienas kito failų, nebent jie bendrinami.\n\nŠeimos planai pasiekiami klientams, kurie turi mokamą „Ente“ prenumeratą.\n\nPrenumeruokite dabar, kad pradėtumėte!"), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Šeima"), + "familyPlans": MessageLookupByLibrary.simpleMessage("Šeimos planai"), + "faq": MessageLookupByLibrary.simpleMessage("DUK"), + "faqs": MessageLookupByLibrary.simpleMessage("DUK"), + "favorite": MessageLookupByLibrary.simpleMessage("Pamėgti"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("Atsiliepimai"), + "file": MessageLookupByLibrary.simpleMessage("Failas"), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Nepavyko išsaugoti failo į galeriją"), + "fileInfoAddDescHint": + MessageLookupByLibrary.simpleMessage("Pridėti aprašymą..."), + "fileNotUploadedYet": + MessageLookupByLibrary.simpleMessage("Failas dar neįkeltas."), + "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Failas išsaugotas į galeriją"), + "fileTypes": MessageLookupByLibrary.simpleMessage("Failų tipai"), + "fileTypesAndNames": + MessageLookupByLibrary.simpleMessage("Failų tipai ir pavadinimai"), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage("Failai ištrinti"), + "filesSavedToGallery": + MessageLookupByLibrary.simpleMessage("Failai išsaugoti į galeriją"), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "Greitai suraskite žmones pagal vardą"), + "findThemQuickly": + MessageLookupByLibrary.simpleMessage("Raskite juos greitai"), + "flip": MessageLookupByLibrary.simpleMessage("Apversti"), + "food": MessageLookupByLibrary.simpleMessage("Kulinarinis malonumas"), + "forYourMemories": + MessageLookupByLibrary.simpleMessage("jūsų prisiminimams"), + "forgotPassword": + MessageLookupByLibrary.simpleMessage("Pamiršau slaptažodį"), + "foundFaces": MessageLookupByLibrary.simpleMessage("Rasti veidai"), + "freeStorageClaimed": + MessageLookupByLibrary.simpleMessage("Gauta nemokama saugykla"), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": + MessageLookupByLibrary.simpleMessage("Naudojama nemokama saugykla"), + "freeTrial": MessageLookupByLibrary.simpleMessage( + "Nemokamas bandomasis laikotarpis"), + "freeTrialValidTill": m38, + "freeUpAccessPostDelete": m39, + "freeUpAmount": m40, + "freeUpDeviceSpace": + MessageLookupByLibrary.simpleMessage("Atlaisvinti įrenginio vietą"), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Sutaupykite vietos savo įrenginyje išvalydami failus, kurių atsarginės kopijos jau buvo sukurtos."), + "freeUpSpace": + MessageLookupByLibrary.simpleMessage("Atlaisvinti vietos"), + "freeUpSpaceSaving": m41, + "gallery": MessageLookupByLibrary.simpleMessage("Galerija"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "Galerijoje rodoma iki 1000 prisiminimų"), + "general": MessageLookupByLibrary.simpleMessage("Bendrieji"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Generuojami šifravimo raktai..."), + "genericProgress": m42, + "goToSettings": + MessageLookupByLibrary.simpleMessage("Eiti į nustatymus"), + "googlePlayId": + MessageLookupByLibrary.simpleMessage("„Google Play“ ID"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Leiskite prieigą prie visų nuotraukų nustatymų programoje."), + "grantPermission": + MessageLookupByLibrary.simpleMessage("Suteikti leidimą"), + "greenery": MessageLookupByLibrary.simpleMessage("Žaliasis gyvenimas"), + "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( + "Grupuoti netoliese nuotraukas"), + "guestView": MessageLookupByLibrary.simpleMessage("Svečio peržiūra"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "Kad įjungtumėte svečio peržiūrą, sistemos nustatymuose nustatykite įrenginio prieigos kodą arba ekrano užraktą."), + "happyBirthday": + MessageLookupByLibrary.simpleMessage("Su gimtadieniu! 🥳"), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "Mes nesekame programų diegimų. Mums padėtų, jei pasakytumėte, kur mus radote."), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Kaip išgirdote apie „Ente“? (nebūtina)"), + "help": MessageLookupByLibrary.simpleMessage("Pagalba"), + "hidden": MessageLookupByLibrary.simpleMessage("Paslėpti"), + "hide": MessageLookupByLibrary.simpleMessage("Slėpti"), + "hideContent": MessageLookupByLibrary.simpleMessage("Slėpti turinį"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Paslepia programų turinį programų perjungiklyje ir išjungia ekrano kopijas"), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Paslepia programos turinį programos perjungiklyje"), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Slėpti bendrinamus elementus iš pagrindinės galerijos"), + "hiding": MessageLookupByLibrary.simpleMessage("Slepiama..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": + MessageLookupByLibrary.simpleMessage("Talpinama OSM Prancūzijoje"), + "howItWorks": MessageLookupByLibrary.simpleMessage("Kaip tai veikia"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Paprašykite jų ilgai paspausti savo el. pašto adresą nustatymų ekrane ir patvirtinti, kad abiejų įrenginių ID sutampa."), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Biometrinis tapatybės nustatymas jūsų įrenginyje nenustatytas. Telefone įjunkite „Touch ID“ arba „Face ID“."), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "Biometrinis tapatybės nustatymas išjungtas. Kad jį įjungtumėte, užrakinkite ir atrakinkite ekraną."), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("Gerai"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignoruoti"), + "ignored": MessageLookupByLibrary.simpleMessage("ignoruota"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Kai kurie šio albumo failai ignoruojami, nes anksčiau buvo ištrinti iš „Ente“."), + "imageNotAnalyzed": + MessageLookupByLibrary.simpleMessage("Vaizdas neanalizuotas."), + "immediately": MessageLookupByLibrary.simpleMessage("Iš karto"), + "importing": MessageLookupByLibrary.simpleMessage("Importuojama...."), + "incorrectCode": + MessageLookupByLibrary.simpleMessage("Neteisingas kodas."), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("Neteisingas slaptažodis"), + "incorrectRecoveryKey": + MessageLookupByLibrary.simpleMessage("Neteisingas atkūrimo raktas"), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Įvestas atkūrimo raktas yra neteisingas."), + "incorrectRecoveryKeyTitle": + MessageLookupByLibrary.simpleMessage("Neteisingas atkūrimo raktas"), + "indexedItems": + MessageLookupByLibrary.simpleMessage("Indeksuoti elementai"), + "ineligible": MessageLookupByLibrary.simpleMessage("Netinkami"), + "info": MessageLookupByLibrary.simpleMessage("Informacija"), + "insecureDevice": + MessageLookupByLibrary.simpleMessage("Nesaugus įrenginys"), + "installManually": + MessageLookupByLibrary.simpleMessage("Diegti rankiniu būdu"), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "Netinkamas el. pašto adresas"), + "invalidEndpoint": + MessageLookupByLibrary.simpleMessage("Netinkamas galutinis taškas"), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Atsiprašome, įvestas galutinis taškas netinkamas. Įveskite tinkamą galutinį tašką ir bandykite dar kartą."), + "invalidKey": + MessageLookupByLibrary.simpleMessage("Netinkamas raktas."), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Įvestas atkūrimo raktas yra netinkamas. Įsitikinkite, kad jame yra 24 žodžiai, ir patikrinkite kiekvieno iš jų rašybą.\n\nJei įvedėte senesnį atkūrimo kodą, įsitikinkite, kad jis yra 64 simbolių ilgio, ir patikrinkite kiekvieną iš jų."), + "invite": MessageLookupByLibrary.simpleMessage("Kviesti"), + "inviteToEnte": + MessageLookupByLibrary.simpleMessage("Kviesti į „Ente“"), + "inviteYourFriends": + MessageLookupByLibrary.simpleMessage("Kviesti savo draugus"), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "Pakvieskite savo draugus į „Ente“"), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Atrodo, kad kažkas nutiko ne taip. Bandykite pakartotinai po kurio laiko. Jei klaida tęsiasi, susisiekite su mūsų palaikymo komanda."), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "Elementai rodo likusių dienų skaičių iki visiško ištrynimo."), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Pasirinkti elementai bus pašalinti iš šio albumo"), + "join": MessageLookupByLibrary.simpleMessage("Jungtis"), + "joinAlbum": + MessageLookupByLibrary.simpleMessage("Junkitės prie albumo"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "Prisijungus prie albumo, jūsų el. paštas bus matomas jo dalyviams."), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( + "kad peržiūrėtumėte ir pridėtumėte savo nuotraukas"), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "kad pridėtumėte tai prie bendrinamų albumų"), + "joinDiscord": + MessageLookupByLibrary.simpleMessage("Jungtis prie „Discord“"), + "keepPhotos": + MessageLookupByLibrary.simpleMessage("Palikti nuotraukas"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Maloniai padėkite mums su šia informacija."), + "language": MessageLookupByLibrary.simpleMessage("Kalba"), + "lastTimeWithThem": m45, + "lastUpdated": + MessageLookupByLibrary.simpleMessage("Paskutinį kartą atnaujintą"), + "lastYearsTrip": + MessageLookupByLibrary.simpleMessage("Pastarųjų metų kelionė"), + "leave": MessageLookupByLibrary.simpleMessage("Palikti"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Palikti albumą"), + "leaveFamily": MessageLookupByLibrary.simpleMessage("Palikti šeimą"), + "leaveSharedAlbum": + MessageLookupByLibrary.simpleMessage("Palikti bendrinamą albumą?"), + "left": MessageLookupByLibrary.simpleMessage("Kairė"), + "legacy": MessageLookupByLibrary.simpleMessage("Palikimas"), + "legacyAccounts": + MessageLookupByLibrary.simpleMessage("Palikimo paskyros"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "Palikimas leidžia patikimiems kontaktams pasiekti jūsų paskyrą jums nesant."), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "Patikimi kontaktai gali pradėti paskyros atkūrimą, o jei per 30 dienų paskyra neužblokuojama, iš naujo nustatyti slaptažodį ir pasiekti paskyrą."), + "light": MessageLookupByLibrary.simpleMessage("Šviesi"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Šviesi"), + "link": MessageLookupByLibrary.simpleMessage("Susieti"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Nuoroda nukopijuota į iškarpinę"), + "linkDeviceLimit": + MessageLookupByLibrary.simpleMessage("Įrenginių riba"), + "linkEmail": MessageLookupByLibrary.simpleMessage("Susieti el. paštą"), + "linkEmailToContactBannerCaption": + MessageLookupByLibrary.simpleMessage("spartesniam bendrinimui"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Įjungta"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Nebegalioja"), + "linkExpiresOn": m47, + "linkExpiry": + MessageLookupByLibrary.simpleMessage("Nuorodos galiojimo laikas"), + "linkHasExpired": + MessageLookupByLibrary.simpleMessage("Nuoroda nebegalioja"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Niekada"), + "linkPerson": MessageLookupByLibrary.simpleMessage("Susiekite asmenį,"), + "linkPersonCaption": MessageLookupByLibrary.simpleMessage( + "geresniam bendrinimo patirčiai"), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("Gyvos nuotraukos"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "Galite bendrinti savo prenumeratą su šeima."), + "loadMessage2": MessageLookupByLibrary.simpleMessage( + "Iki šiol išsaugojome daugiau nei 200 milijonų prisiminimų."), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "Laikome 3 jūsų duomenų kopijas, vieną iš jų – požeminėje priešgaisrinėje slėptuvėje."), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "Visos mūsų programos yra atvirojo kodo."), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Mūsų šaltinio kodas ir kriptografija buvo išoriškai audituoti."), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "Galite bendrinti savo albumų nuorodas su artimaisiais."), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Mūsų mobiliosios programos veikia fone, kad užšifruotų ir sukurtų atsarginę kopiją visų naujų nuotraukų, kurias spustelėjate."), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io turi sklandų įkėlėją"), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Naudojame „Xchacha20Poly1305“, kad saugiai užšifruotume jūsų duomenis."), + "loadingExifData": + MessageLookupByLibrary.simpleMessage("Įkeliami EXIF duomenys..."), + "loadingGallery": + MessageLookupByLibrary.simpleMessage("Įkeliama galerija..."), + "loadingMessage": MessageLookupByLibrary.simpleMessage( + "Įkeliamos jūsų nuotraukos..."), + "loadingModel": + MessageLookupByLibrary.simpleMessage("Atsisiunčiami modeliai..."), + "loadingYourPhotos": + MessageLookupByLibrary.simpleMessage("Įkeliamos nuotraukos..."), + "localGallery": + MessageLookupByLibrary.simpleMessage("Vietinė galerija"), + "localIndexing": + MessageLookupByLibrary.simpleMessage("Vietinis indeksavimas"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Atrodo, kad kažkas nutiko ne taip, nes vietinių nuotraukų sinchronizavimas trunka ilgiau nei tikėtasi. Susisiekite su mūsų palaikymo komanda."), + "location": MessageLookupByLibrary.simpleMessage("Vietovė"), + "locationName": + MessageLookupByLibrary.simpleMessage("Vietovės pavadinimas"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Vietos žymė grupuoja visas nuotraukas, kurios buvo padarytos tam tikru spinduliu nuo nuotraukos"), + "locations": MessageLookupByLibrary.simpleMessage("Vietovės"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Užrakinti"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Ekrano užraktas"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Prisijungti"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Atsijungiama..."), + "loginSessionExpired": + MessageLookupByLibrary.simpleMessage("Seansas baigėsi"), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "Jūsų seansas baigėsi. Prisijunkite iš naujo."), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Spustelėjus Prisijungti sutinku su paslaugų sąlygomis ir privatumo politika"), + "loginWithTOTP": + MessageLookupByLibrary.simpleMessage("Prisijungti su TOTP"), + "logout": MessageLookupByLibrary.simpleMessage("Atsijungti"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "Tai nusiųs žurnalus, kurie padės mums išspręsti jūsų problemą. Atkreipkite dėmesį, kad failų pavadinimai bus įtraukti, kad būtų lengviau atsekti problemas su konkrečiais failais."), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Ilgai paspauskite el. paštą, kad patvirtintumėte visapusį šifravimą."), + "longpressOnAnItemToViewInFullscreen": + MessageLookupByLibrary.simpleMessage( + "Ilgai paspauskite elementą, kad peržiūrėtumėte per visą ekraną"), + "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( + "Pažvelkite atgal į savo prisiminimus 🌄"), + "loopVideoOff": MessageLookupByLibrary.simpleMessage( + "Išjungtas vaizdo įrašo ciklas"), + "loopVideoOn": MessageLookupByLibrary.simpleMessage( + "Įjungtas vaizdo įrašo ciklas"), + "lostDevice": + MessageLookupByLibrary.simpleMessage("Prarastas įrenginys?"), + "machineLearning": + MessageLookupByLibrary.simpleMessage("Mašininis mokymasis"), + "magicSearch": MessageLookupByLibrary.simpleMessage("Magiška paieška"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "Magiška paieška leidžia ieškoti nuotraukų pagal jų turinį, pvz., „gėlė“, „raudonas automobilis“, „tapatybės dokumentai“"), + "manage": MessageLookupByLibrary.simpleMessage("Tvarkyti"), + "manageDeviceStorage": + MessageLookupByLibrary.simpleMessage("Tvarkyti įrenginio podėlį"), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Peržiūrėkite ir išvalykite vietinę podėlį."), + "manageFamily": MessageLookupByLibrary.simpleMessage("Tvarkyti šeimą"), + "manageLink": MessageLookupByLibrary.simpleMessage("Tvarkyti nuorodą"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Tvarkyti"), + "manageSubscription": + MessageLookupByLibrary.simpleMessage("Tvarkyti prenumeratą"), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "Susieti su PIN kodu veikia bet kuriame ekrane, kuriame norite peržiūrėti albumą."), + "map": MessageLookupByLibrary.simpleMessage("Žemėlapis"), + "maps": MessageLookupByLibrary.simpleMessage("Žemėlapiai"), + "mastodon": MessageLookupByLibrary.simpleMessage("„Mastodon“"), + "matrix": MessageLookupByLibrary.simpleMessage("„Matrix“"), + "me": MessageLookupByLibrary.simpleMessage("Aš"), + "memories": MessageLookupByLibrary.simpleMessage("Prisiminimai"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Pasirinkite, kokius prisiminimus norite matyti savo pradžios ekrane."), + "memoryCount": m50, + "merchandise": MessageLookupByLibrary.simpleMessage("Atributika"), + "mergeWithExisting": + MessageLookupByLibrary.simpleMessage("Sujungti su esamais"), + "mergedPhotos": + MessageLookupByLibrary.simpleMessage("Sujungtos nuotraukos"), + "mlConsent": + MessageLookupByLibrary.simpleMessage("Įjungti mašininį mokymąsi"), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Suprantu ir noriu įjungti mašininį mokymąsi"), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Jei įjungsite mašininį mokymąsi, „Ente“ išsitrauks tokią informaciją kaip veido geometrija iš failų, įskaitant tuos, kuriais su jumis bendrinama.\n\nTai bus daroma jūsų įrenginyje, o visa sugeneruota biometrinė informacija bus visapusiškai užšifruota."), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Spustelėkite čia dėl išsamesnės informacijos apie šią funkciją mūsų privatumo politikoje"), + "mlConsentTitle": + MessageLookupByLibrary.simpleMessage("Įjungti mašininį mokymąsi?"), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Atkreipkite dėmesį, kad mašininis mokymasis padidins pralaidumą ir akumuliatoriaus naudojimą, kol bus indeksuoti visi elementai. Apsvarstykite galimybę naudoti darbalaukio programą, kad indeksavimas būtų spartesnis – visi rezultatai bus sinchronizuojami automatiškai."), + "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( + "Mobiliuosiuose, internete ir darbalaukyje"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Vidutinė"), + "modifyYourQueryOrTrySearchingFor": + MessageLookupByLibrary.simpleMessage( + "Modifikuokite užklausą arba bandykite ieškoti"), + "moments": MessageLookupByLibrary.simpleMessage("Akimirkos"), + "month": MessageLookupByLibrary.simpleMessage("mėnesis"), + "monthly": MessageLookupByLibrary.simpleMessage("Mėnesinis"), + "moon": MessageLookupByLibrary.simpleMessage("Mėnulio šviesoje"), + "moreDetails": MessageLookupByLibrary.simpleMessage( + "Daugiau išsamios informacijos"), + "mostRecent": MessageLookupByLibrary.simpleMessage("Naujausią"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("Aktualiausią"), + "mountains": MessageLookupByLibrary.simpleMessage("Per kalvas"), + "moveItem": m51, + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "Perkelti pasirinktas nuotraukas į vieną datą"), + "moveToAlbum": + MessageLookupByLibrary.simpleMessage("Perkelti į albumą"), + "moveToHiddenAlbum": + MessageLookupByLibrary.simpleMessage("Perkelti į paslėptą albumą"), + "movedSuccessfullyTo": m52, + "movedToTrash": + MessageLookupByLibrary.simpleMessage("Perkelta į šiukšlinę"), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Perkeliami failai į albumą..."), + "name": MessageLookupByLibrary.simpleMessage("Pavadinimą"), + "nameTheAlbum": + MessageLookupByLibrary.simpleMessage("Pavadinkite albumą"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Nepavyksta prisijungti prie „Ente“. Bandykite dar kartą po kurio laiko. Jei klaida tęsiasi, susisiekite su palaikymo komanda."), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Nepavyksta prisijungti prie „Ente“. Patikrinkite tinklo nustatymus ir susisiekite su palaikymo komanda, jei klaida tęsiasi."), + "never": MessageLookupByLibrary.simpleMessage("Niekada"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Naujas albumas"), + "newLocation": MessageLookupByLibrary.simpleMessage("Nauja vietovė"), + "newPerson": MessageLookupByLibrary.simpleMessage("Naujas asmuo"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" naujas 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("Naujas intervalas"), + "newToEnte": + MessageLookupByLibrary.simpleMessage("Naujas platformoje „Ente“"), + "newest": MessageLookupByLibrary.simpleMessage("Naujausią"), + "next": MessageLookupByLibrary.simpleMessage("Toliau"), + "no": MessageLookupByLibrary.simpleMessage("Ne"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Dar nėra albumų, kuriais bendrinotės."), + "noDeviceFound": + MessageLookupByLibrary.simpleMessage("Įrenginys nerastas"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Jokio"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "Neturite šiame įrenginyje failų, kuriuos galima ištrinti."), + "noDuplicates": + MessageLookupByLibrary.simpleMessage("✨ Dublikatų nėra"), + "noEnteAccountExclamation": + MessageLookupByLibrary.simpleMessage("Nėra „Ente“ paskyros!"), + "noExifData": MessageLookupByLibrary.simpleMessage("Nėra EXIF duomenų"), + "noFacesFound": MessageLookupByLibrary.simpleMessage("Nerasta veidų."), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "Nėra paslėptų nuotraukų arba vaizdo įrašų"), + "noImagesWithLocation": + MessageLookupByLibrary.simpleMessage("Nėra vaizdų su vietove"), + "noInternetConnection": + MessageLookupByLibrary.simpleMessage("Nėra interneto ryšio"), + "noPhotosAreBeingBackedUpRightNow": + MessageLookupByLibrary.simpleMessage( + "Šiuo metu nekuriamos atsarginės nuotraukų kopijos"), + "noPhotosFoundHere": + MessageLookupByLibrary.simpleMessage("Nuotraukų čia nerasta"), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( + "Nėra pasirinktų sparčiųjų nuorodų"), + "noRecoveryKey": + MessageLookupByLibrary.simpleMessage("Neturite atkūrimo rakto?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Dėl mūsų visapusio šifravimo protokolo pobūdžio jūsų duomenų negalima iššifruoti be slaptažodžio arba atkūrimo rakto"), + "noResults": MessageLookupByLibrary.simpleMessage("Rezultatų nėra."), + "noResultsFound": + MessageLookupByLibrary.simpleMessage("Rezultatų nerasta."), + "noSuggestionsForPerson": m53, + "noSystemLockFound": + MessageLookupByLibrary.simpleMessage("Nerastas sistemos užraktas"), + "notPersonLabel": m54, + "notThisPerson": MessageLookupByLibrary.simpleMessage("Ne šis asmuo?"), + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "Kol kas su jumis niekuo nesibendrinama."), + "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( + "Čia nėra nieko, ką pamatyti. 👀"), + "notifications": MessageLookupByLibrary.simpleMessage("Pranešimai"), + "ok": MessageLookupByLibrary.simpleMessage("Gerai"), + "onDevice": MessageLookupByLibrary.simpleMessage("Įrenginyje"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "Saugykloje ente"), + "onTheRoad": MessageLookupByLibrary.simpleMessage("Vėl kelyje"), + "onThisDay": MessageLookupByLibrary.simpleMessage("Šią dieną"), + "onThisDayMemories": + MessageLookupByLibrary.simpleMessage("Šios dienos prisiminimai"), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "Gaukite priminimus apie praėjusių metų šios dienos prisiminimus."), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Tik jiems"), + "oops": MessageLookupByLibrary.simpleMessage("Ups"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Ups, nepavyko išsaugoti redagavimų."), + "oopsSomethingWentWrong": + MessageLookupByLibrary.simpleMessage("Ups, kažkas nutiko ne taip"), + "openAlbumInBrowser": + MessageLookupByLibrary.simpleMessage("Atverti albumą naršyklėje"), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Naudokite interneto programą, kad pridėtumėte nuotraukų į šį albumą."), + "openFile": MessageLookupByLibrary.simpleMessage("Atverti failą"), + "openSettings": + MessageLookupByLibrary.simpleMessage("Atverti nustatymus"), + "openTheItem": + MessageLookupByLibrary.simpleMessage("• Atverkite elementą."), + "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( + "„OpenStreetMap“ bendradarbiai"), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Nebūtina, trumpai, kaip jums patinka..."), + "orMergeWithExistingPerson": + MessageLookupByLibrary.simpleMessage("Arba sujunkite su esamais"), + "orPickAnExistingOne": + MessageLookupByLibrary.simpleMessage("Arba pasirinkite esamą"), + "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( + "arba pasirinkite iš savo kontaktų"), + "pair": MessageLookupByLibrary.simpleMessage("Susieti"), + "pairWithPin": MessageLookupByLibrary.simpleMessage("Susieti su PIN"), + "pairingComplete": + MessageLookupByLibrary.simpleMessage("Susiejimas baigtas"), + "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), + "partyWithThem": m56, + "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( + "Vis dar laukiama patvirtinimo"), + "passkey": MessageLookupByLibrary.simpleMessage("Slaptaraktis"), + "passkeyAuthTitle": + MessageLookupByLibrary.simpleMessage("Slaptarakčio patvirtinimas"), + "password": MessageLookupByLibrary.simpleMessage("Slaptažodis"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Slaptažodis sėkmingai pakeistas"), + "passwordLock": + MessageLookupByLibrary.simpleMessage("Slaptažodžio užraktas"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "Slaptažodžio stiprumas apskaičiuojamas atsižvelgiant į slaptažodžio ilgį, naudotus simbolius ir į tai, ar slaptažodis patenka į 10 000 dažniausiai naudojamų slaptažodžių."), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Šio slaptažodžio nesaugome, todėl jei jį pamiršite, negalėsime iššifruoti jūsų duomenų"), + "pastYearsMemories": + MessageLookupByLibrary.simpleMessage("Praėjusių metų prisiminimai"), + "paymentDetails": + MessageLookupByLibrary.simpleMessage("Mokėjimo duomenys"), + "paymentFailed": + MessageLookupByLibrary.simpleMessage("Mokėjimas nepavyko"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "Deja, jūsų mokėjimas nepavyko. Susisiekite su palaikymo komanda ir mes jums padėsime!"), + "paymentFailedTalkToProvider": m58, + "pendingItems": + MessageLookupByLibrary.simpleMessage("Laukiami elementai"), + "pendingSync": + MessageLookupByLibrary.simpleMessage("Laukiama sinchronizacija"), + "people": MessageLookupByLibrary.simpleMessage("Asmenys"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Asmenys, naudojantys jūsų kodą"), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Pasirinkite asmenis, kuriuos norite matyti savo pradžios ekrane."), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Visi elementai šiukšlinėje bus negrįžtamai ištrinti.\n\nŠio veiksmo negalima anuliuoti."), + "permanentlyDelete": + MessageLookupByLibrary.simpleMessage("Ištrinti negrįžtamai"), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Ištrinti negrįžtamai iš įrenginio?"), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("Asmens vardas"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("Furio draugai"), + "photoDescriptions": + MessageLookupByLibrary.simpleMessage("Nuotraukų aprašai"), + "photoGridSize": + MessageLookupByLibrary.simpleMessage("Nuotraukų tinklelio dydis"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("nuotrauka"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("Nuotraukos"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "Jūsų pridėtos nuotraukos bus pašalintos iš albumo"), + "photosCount": m62, + "photosKeepRelativeTimeDifference": + MessageLookupByLibrary.simpleMessage( + "Nuotraukos išlaiko santykinį laiko skirtumą"), + "pickCenterPoint": + MessageLookupByLibrary.simpleMessage("Pasirinkite centro tašką"), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Prisegti albumą"), + "pinLock": MessageLookupByLibrary.simpleMessage("PIN užrakinimas"), + "playOnTv": MessageLookupByLibrary.simpleMessage( + "Paleisti albumą televizoriuje"), + "playOriginal": + MessageLookupByLibrary.simpleMessage("Leisti originalą"), + "playStoreFreeTrialValidTill": m63, + "playStream": + MessageLookupByLibrary.simpleMessage("Leisti srautinį perdavimą"), + "playstoreSubscription": + MessageLookupByLibrary.simpleMessage("„PlayStore“ prenumerata"), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Patikrinkite savo interneto ryšį ir bandykite dar kartą."), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Susisiekite adresu support@ente.io ir mes mielai padėsime!"), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Jei problema išlieka, susisiekite su pagalbos komanda."), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": + MessageLookupByLibrary.simpleMessage("Suteikite leidimus."), + "pleaseLoginAgain": + MessageLookupByLibrary.simpleMessage("Prisijunkite iš naujo."), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Pasirinkite sparčiąsias nuorodas, kad pašalintumėte"), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": + MessageLookupByLibrary.simpleMessage("Bandykite dar kartą."), + "pleaseVerifyTheCodeYouHaveEntered": + MessageLookupByLibrary.simpleMessage("Patvirtinkite įvestą kodą."), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Palaukite..."), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Palaukite. Ištrinamas albumas"), + "pleaseWaitForSometimeBeforeRetrying": + MessageLookupByLibrary.simpleMessage( + "Palaukite kurį laiką prieš bandydami pakartotinai"), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "Palaukite, tai šiek tiek užtruks."), + "posingWithThem": m66, + "preparingLogs": + MessageLookupByLibrary.simpleMessage("Ruošiami žurnalai..."), + "preserveMore": + MessageLookupByLibrary.simpleMessage("Išsaugoti daugiau"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Paspauskite ir palaikykite, kad paleistumėte vaizdo įrašą"), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Paspauskite ir palaikykite vaizdą, kad paleistumėte vaizdo įrašą"), + "previous": MessageLookupByLibrary.simpleMessage("Ankstesnis"), + "privacy": MessageLookupByLibrary.simpleMessage("Privatumas"), + "privacyPolicyTitle": + MessageLookupByLibrary.simpleMessage("Privatumo politika"), + "privateBackups": MessageLookupByLibrary.simpleMessage( + "Privačios atsarginės kopijos"), + "privateSharing": + MessageLookupByLibrary.simpleMessage("Privatus bendrinimas"), + "proceed": MessageLookupByLibrary.simpleMessage("Tęsti"), + "processed": MessageLookupByLibrary.simpleMessage("Apdorota"), + "processing": MessageLookupByLibrary.simpleMessage("Apdorojama"), + "processingImport": m67, + "processingVideos": + MessageLookupByLibrary.simpleMessage("Apdorojami vaizdo įrašai"), + "publicLinkCreated": + MessageLookupByLibrary.simpleMessage("Vieša nuoroda sukurta"), + "publicLinkEnabled": + MessageLookupByLibrary.simpleMessage("Įjungta viešoji nuoroda"), + "queued": MessageLookupByLibrary.simpleMessage("Įtraukta eilėje"), + "quickLinks": MessageLookupByLibrary.simpleMessage("Sparčios nuorodos"), + "radius": MessageLookupByLibrary.simpleMessage("Spindulys"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Sukurti paraišką"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("Vertinti programą"), + "rateUs": MessageLookupByLibrary.simpleMessage("Vertinti mus"), + "rateUsOnStore": m68, + "reassignMe": MessageLookupByLibrary.simpleMessage("Perskirstyti „Aš“"), + "reassignedToName": m69, + "reassigningLoading": + MessageLookupByLibrary.simpleMessage("Perskirstoma..."), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Gaukite priminimus, kai yra kažkieno gimtadienis. Paliesdami pranešimą, pateksite į gimtadienio šventės asmens nuotraukas."), + "recover": MessageLookupByLibrary.simpleMessage("Atkurti"), + "recoverAccount": + MessageLookupByLibrary.simpleMessage("Atkurti paskyrą"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Atkurti"), + "recoveryAccount": + MessageLookupByLibrary.simpleMessage("Atkurti paskyrą"), + "recoveryInitiated": + MessageLookupByLibrary.simpleMessage("Pradėtas atkūrimas"), + "recoveryInitiatedDesc": m70, + "recoveryKey": MessageLookupByLibrary.simpleMessage("Atkūrimo raktas"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Nukopijuotas atkūrimo raktas į iškarpinę"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Jei pamiršote slaptažodį, vienintelis būdas atkurti duomenis – naudoti šį raktą."), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Šio rakto nesaugome, todėl išsaugokite šį 24 žodžių raktą saugioje vietoje."), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Puiku! Jūsų atkūrimo raktas tinkamas. Dėkojame už patvirtinimą.\n\nNepamirškite sukurti saugią atkūrimo rakto atsarginę kopiją."), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Patvirtintas atkūrimo raktas"), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Atkūrimo raktas – vienintelis būdas atkurti nuotraukas, jei pamiršote slaptažodį. Atkūrimo raktą galite rasti Nustatymose > Paskyra.\n\nĮveskite savo atkūrimo raktą čia, kad patvirtintumėte, ar teisingai jį išsaugojote."), + "recoveryReady": m71, + "recoverySuccessful": + MessageLookupByLibrary.simpleMessage("Atkūrimas sėkmingas."), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "Patikimas kontaktas bando pasiekti jūsų paskyrą."), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Dabartinis įrenginys nėra pakankamai galingas, kad patvirtintų jūsų slaptažodį, bet mes galime iš naujo sugeneruoti taip, kad jis veiktų su visais įrenginiais.\n\nPrisijunkite naudojant atkūrimo raktą ir sugeneruokite iš naujo slaptažodį (jei norite, galite vėl naudoti tą patį)."), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("Iš naujo sukurti slaptažodį"), + "reddit": MessageLookupByLibrary.simpleMessage("„Reddit“"), + "reenterPassword": MessageLookupByLibrary.simpleMessage( + "Įveskite slaptažodį iš naujo"), + "reenterPin": + MessageLookupByLibrary.simpleMessage("Įveskite PIN iš naujo"), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Rekomenduokite draugams ir 2 kartus padidinkite savo planą"), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Duokite šį kodą savo draugams"), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Jie užsiregistruoja mokamą planą"), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Rekomendacijos"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "Šiuo metu rekomendacijos yra pristabdytos"), + "rejectRecovery": + MessageLookupByLibrary.simpleMessage("Atmesti atkūrimą"), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "Taip pat ištuštinkite Neseniai ištrinti iš Nustatymai -> Saugykla, kad atlaisvintumėte vietos."), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Taip pat ištuštinkite šiukšlinę, kad gautumėte laisvos vietos."), + "remoteImages": + MessageLookupByLibrary.simpleMessage("Nuotoliniai vaizdai"), + "remoteThumbnails": + MessageLookupByLibrary.simpleMessage("Nuotolinės miniatiūros"), + "remoteVideos": + MessageLookupByLibrary.simpleMessage("Nuotoliniai vaizdo įrašai"), + "remove": MessageLookupByLibrary.simpleMessage("Šalinti"), + "removeDuplicates": + MessageLookupByLibrary.simpleMessage("Šalinti dublikatus"), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Peržiūrėkite ir pašalinkite failus, kurie yra tiksliai dublikatai."), + "removeFromAlbum": + MessageLookupByLibrary.simpleMessage("Šalinti iš albumo"), + "removeFromAlbumTitle": + MessageLookupByLibrary.simpleMessage("Pašalinti iš albumo?"), + "removeFromFavorite": + MessageLookupByLibrary.simpleMessage("Šalinti iš mėgstamų"), + "removeInvite": + MessageLookupByLibrary.simpleMessage("Šalinti kvietimą"), + "removeLink": MessageLookupByLibrary.simpleMessage("Šalinti nuorodą"), + "removeParticipant": + MessageLookupByLibrary.simpleMessage("Šalinti dalyvį"), + "removeParticipantBody": m74, + "removePersonLabel": + MessageLookupByLibrary.simpleMessage("Šalinti asmens žymą"), + "removePublicLink": + MessageLookupByLibrary.simpleMessage("Šalinti viešą nuorodą"), + "removePublicLinks": + MessageLookupByLibrary.simpleMessage("Šalinti viešąsias nuorodas"), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Kai kuriuos elementus, kuriuos šalinate, pridėjo kiti asmenys, todėl prarasite prieigą prie jų"), + "removeWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Šalinti?"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Šalinti save kaip patikimą kontaktą"), + "removingFromFavorites": + MessageLookupByLibrary.simpleMessage("Pašalinama iš mėgstamų..."), + "rename": MessageLookupByLibrary.simpleMessage("Pervadinti"), + "renameAlbum": + MessageLookupByLibrary.simpleMessage("Pervadinti albumą"), + "renameFile": MessageLookupByLibrary.simpleMessage("Pervadinti failą"), + "renewSubscription": + MessageLookupByLibrary.simpleMessage("Pratęsti prenumeratą"), + "renewsOn": m75, + "reportABug": + MessageLookupByLibrary.simpleMessage("Pranešti apie riktą"), + "reportBug": + MessageLookupByLibrary.simpleMessage("Pranešti apie riktą"), + "resendEmail": + MessageLookupByLibrary.simpleMessage("Iš naujo siųsti el. laišką"), + "resetIgnoredFiles": + MessageLookupByLibrary.simpleMessage("Atkurti ignoruojamus failus"), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( + "Nustatyti slaptažodį iš naujo"), + "resetPerson": MessageLookupByLibrary.simpleMessage("Šalinti"), + "resetToDefault": MessageLookupByLibrary.simpleMessage( + "Atkurti numatytąsias reikšmes"), + "restore": MessageLookupByLibrary.simpleMessage("Atkurti"), + "restoreToAlbum": + MessageLookupByLibrary.simpleMessage("Atkurti į albumą"), + "restoringFiles": + MessageLookupByLibrary.simpleMessage("Atkuriami failai..."), + "resumableUploads": + MessageLookupByLibrary.simpleMessage("Tęstiniai įkėlimai"), + "retry": MessageLookupByLibrary.simpleMessage("Kartoti"), + "review": MessageLookupByLibrary.simpleMessage("Peržiūrėti"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Peržiūrėkite ir ištrinkite elementus, kurie, jūsų manymu, yra dublikatai."), + "reviewSuggestions": + MessageLookupByLibrary.simpleMessage("Peržiūrėti pasiūlymus"), + "right": MessageLookupByLibrary.simpleMessage("Dešinė"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("Sukti"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Sukti į kairę"), + "rotateRight": MessageLookupByLibrary.simpleMessage("Sukti į dešinę"), + "safelyStored": MessageLookupByLibrary.simpleMessage("Saugiai saugoma"), + "save": MessageLookupByLibrary.simpleMessage("Išsaugoti"), + "saveChangesBeforeLeavingQuestion": + MessageLookupByLibrary.simpleMessage( + "Išsaugoti pakeitimus prieš išeinant?"), + "saveCollage": + MessageLookupByLibrary.simpleMessage("Išsaugoti koliažą"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Išsaugoti kopiją"), + "saveKey": MessageLookupByLibrary.simpleMessage("Išsaugoti raktą"), + "savePerson": MessageLookupByLibrary.simpleMessage("Išsaugoti asmenį"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Išsaugokite atkūrimo raktą, jei dar to nepadarėte"), + "saving": MessageLookupByLibrary.simpleMessage("Išsaugoma..."), + "savingEdits": + MessageLookupByLibrary.simpleMessage("Išsaugomi redagavimai..."), + "scanCode": MessageLookupByLibrary.simpleMessage("Skenuoti kodą"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Skenuokite šį QR kodą\nsu autentifikatoriaus programa"), + "search": MessageLookupByLibrary.simpleMessage("Ieškokite"), + "searchAlbumsEmptySection": + MessageLookupByLibrary.simpleMessage("Albumai"), + "searchByAlbumNameHint": + MessageLookupByLibrary.simpleMessage("Albumo pavadinimas"), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Albumų pavadinimai (pvz., „Fotoaparatas“)\n• Failų tipai (pvz., „Vaizdo įrašai“, „.gif“)\n• Metai ir mėnesiai (pvz., „2022“, „sausis“)\n• Šventės (pvz., „Kalėdos“)\n• Nuotraukų aprašymai (pvz., „#džiaugsmas“)"), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Pridėkite aprašymus, pavyzdžiui, „#kelionė“, į nuotraukos informaciją, kad greičiau jas čia rastumėte."), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Ieškokite pagal datą, mėnesį arba metus"), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "Vaizdai bus rodomi čia, kai bus užbaigtas apdorojimas ir sinchronizavimas."), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "Asmenys bus rodomi čia, kai bus užbaigtas indeksavimas."), + "searchFileTypesAndNamesEmptySection": + MessageLookupByLibrary.simpleMessage("Failų tipai ir pavadinimai"), + "searchHint1": + MessageLookupByLibrary.simpleMessage("Sparti paieška įrenginyje"), + "searchHint2": + MessageLookupByLibrary.simpleMessage("Nuotraukų datos ir aprašai"), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "Albumai, failų pavadinimai ir tipai"), + "searchHint4": MessageLookupByLibrary.simpleMessage("Vietovė"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "Jau netrukus: veidų ir magiškos paieškos ✨"), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Grupės nuotraukos, kurios padarytos tam tikru spinduliu nuo nuotraukos"), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "Pakvieskite asmenis ir čia matysite visas jų bendrinamas nuotraukas."), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "Asmenys bus rodomi čia, kai bus užbaigtas apdorojimas ir sinchronizavimas."), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Saugumas"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "Žiūrėti viešų albumų nuorodas programoje"), + "selectALocation": + MessageLookupByLibrary.simpleMessage("Pasirinkite vietovę"), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage( + "Pirmiausia pasirinkite vietovę"), + "selectAlbum": + MessageLookupByLibrary.simpleMessage("Pasirinkti albumą"), + "selectAll": MessageLookupByLibrary.simpleMessage("Pasirinkti viską"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("Viskas"), + "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( + "Pasirinkite viršelio nuotrauką"), + "selectDate": MessageLookupByLibrary.simpleMessage("Pasirinkti datą"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Pasirinkite aplankus atsarginėms kopijoms kurti"), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "Pasirinkite elementus įtraukti"), + "selectLanguage": + MessageLookupByLibrary.simpleMessage("Pasirinkite kalbą"), + "selectMailApp": + MessageLookupByLibrary.simpleMessage("Pasirinkti pašto programą"), + "selectMorePhotos": MessageLookupByLibrary.simpleMessage( + "Pasirinkti daugiau nuotraukų"), + "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( + "Pasirinkti vieną datą ir laiką"), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "Pasirinkti vieną datą ir laiką viskam"), + "selectPersonToLink": MessageLookupByLibrary.simpleMessage( + "Pasirinkite asmenį, kurį susieti."), + "selectReason": + MessageLookupByLibrary.simpleMessage("Pasirinkite priežastį"), + "selectStartOfRange": MessageLookupByLibrary.simpleMessage( + "Pasirinkti intervalo pradžią"), + "selectTime": MessageLookupByLibrary.simpleMessage("Pasirinkti laiką"), + "selectYourFace": + MessageLookupByLibrary.simpleMessage("Pasirinkite savo veidą"), + "selectYourPlan": + MessageLookupByLibrary.simpleMessage("Pasirinkite planą"), + "selectedAlbums": m79, + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Pasirinkti failai nėra platformoje „Ente“"), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Pasirinkti aplankai bus užšifruoti ir sukurtos atsarginės kopijos."), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Pasirinkti elementai bus ištrinti iš visų albumų ir perkelti į šiukšlinę."), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "Pasirinkti elementai bus pašalinti iš šio asmens, bet nebus ištrinti iš jūsų bibliotekos."), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("Siųsti"), + "sendEmail": MessageLookupByLibrary.simpleMessage("Siųsti el. laišką"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Siųsti kvietimą"), + "sendLink": MessageLookupByLibrary.simpleMessage("Siųsti nuorodą"), + "serverEndpoint": + MessageLookupByLibrary.simpleMessage("Serverio galutinis taškas"), + "sessionExpired": + MessageLookupByLibrary.simpleMessage("Seansas baigėsi"), + "sessionIdMismatch": + MessageLookupByLibrary.simpleMessage("Seanso ID nesutampa."), + "setAPassword": + MessageLookupByLibrary.simpleMessage("Nustatyti slaptažodį"), + "setAs": MessageLookupByLibrary.simpleMessage("Nustatyti kaip"), + "setCover": MessageLookupByLibrary.simpleMessage("Nustatyti viršelį"), + "setLabel": MessageLookupByLibrary.simpleMessage("Nustatyti"), + "setNewPassword": MessageLookupByLibrary.simpleMessage( + "Nustatykite naują slaptažodį"), + "setNewPin": + MessageLookupByLibrary.simpleMessage("Nustatykite naują PIN"), + "setPasswordTitle": + MessageLookupByLibrary.simpleMessage("Nustatyti slaptažodį"), + "setRadius": MessageLookupByLibrary.simpleMessage("Nustatyti spindulį"), + "setupComplete": MessageLookupByLibrary.simpleMessage("Sąranka baigta"), + "share": MessageLookupByLibrary.simpleMessage("Bendrinti"), + "shareALink": + MessageLookupByLibrary.simpleMessage("Bendrinkite nuorodą"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Atidarykite albumą ir palieskite bendrinimo mygtuką viršuje dešinėje, kad bendrintumėte."), + "shareAnAlbumNow": + MessageLookupByLibrary.simpleMessage("Bendrinti albumą dabar"), + "shareLink": MessageLookupByLibrary.simpleMessage("Bendrinti nuorodą"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Bendrinkite tik su tais asmenimis, su kuriais norite"), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Atsisiųskite „Ente“, kad galėtume lengvai bendrinti originalios kokybės nuotraukas ir vaizdo įrašus.\n\nhttps://ente.io"), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Bendrinkite su ne „Ente“ naudotojais."), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( + "Bendrinkite savo pirmąjį albumą"), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Sukurkite bendrinamus ir bendradarbiaujamus albumus su kitais „Ente“ naudotojais, įskaitant naudotojus nemokamuose planuose."), + "sharedByMe": MessageLookupByLibrary.simpleMessage("Bendrinta manimi"), + "sharedByYou": + MessageLookupByLibrary.simpleMessage("Bendrinta iš jūsų"), + "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( + "Naujos bendrintos nuotraukos"), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Gaukite pranešimus, kai kas nors įtraukia nuotrauką į bendrinamą albumą, kuriame dalyvaujate."), + "sharedWith": m87, + "sharedWithMe": + MessageLookupByLibrary.simpleMessage("Bendrinta su manimi"), + "sharedWithYou": + MessageLookupByLibrary.simpleMessage("Bendrinta su jumis"), + "sharing": MessageLookupByLibrary.simpleMessage("Bendrinima..."), + "shiftDatesAndTime": + MessageLookupByLibrary.simpleMessage("Pastumti datas ir laiką"), + "showMemories": + MessageLookupByLibrary.simpleMessage("Rodyti prisiminimus"), + "showPerson": MessageLookupByLibrary.simpleMessage("Rodyti asmenį"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "Atsijungti iš kitų įrenginių"), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Jei manote, kad kas nors gali žinoti jūsų slaptažodį, galite priverstinai atsijungti iš visų kitų įrenginių, naudojančių jūsų paskyrą."), + "signOutOtherDevices": + MessageLookupByLibrary.simpleMessage("Atsijungti kitus įrenginius"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Sutinku su paslaugų sąlygomis ir privatumo politika"), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Jis bus ištrintas iš visų albumų."), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Praleisti"), + "smartMemories": + MessageLookupByLibrary.simpleMessage("Išmanieji prisiminimai"), + "social": MessageLookupByLibrary.simpleMessage("Socialinės"), + "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( + "Kai kurie elementai yra ir platformoje „Ente“ bei jūsų įrenginyje."), + "someOfTheFilesYouAreTryingToDeleteAre": + MessageLookupByLibrary.simpleMessage( + "Kai kurie failai, kuriuos bandote ištrinti, yra pasiekiami tik jūsų įrenginyje ir jų negalima atkurti, jei jie buvo ištrinti."), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Asmuo, kuris bendrina albumus su jumis, savo įrenginyje turėtų matyti tą patį ID."), + "somethingWentWrong": + MessageLookupByLibrary.simpleMessage("Kažkas nutiko ne taip"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Kažkas nutiko ne taip. Bandykite dar kartą."), + "sorry": MessageLookupByLibrary.simpleMessage("Atsiprašome"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "Atsiprašome, šiuo metu negalėjome sukurti atsarginės šio failo kopijos. Bandysime pakartoti vėliau."), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Atsiprašome, nepavyko pridėti prie mėgstamų."), + "sorryCouldNotRemoveFromFavorites": + MessageLookupByLibrary.simpleMessage( + "Atsiprašome, nepavyko pašalinti iš mėgstamų."), + "sorryTheCodeYouveEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "Atsiprašome, įvestas kodas yra neteisingas."), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Atsiprašome, šiame įrenginyje nepavyko sugeneruoti saugių raktų.\n\nRegistruokitės iš kito įrenginio."), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Atsiprašome, turėjome pristabdyti jūsų atsarginių kopijų kūrimą."), + "sort": MessageLookupByLibrary.simpleMessage("Rikiuoti"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Rikiuoti pagal"), + "sortNewestFirst": + MessageLookupByLibrary.simpleMessage("Naujausią pirmiausiai"), + "sortOldestFirst": + MessageLookupByLibrary.simpleMessage("Seniausią pirmiausiai"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Sėkmė"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": + MessageLookupByLibrary.simpleMessage("Dėmesys į save"), + "startAccountRecoveryTitle": + MessageLookupByLibrary.simpleMessage("Pradėti atkūrimą"), + "startBackup": MessageLookupByLibrary.simpleMessage( + "Pradėti kurti atsarginę kopiją"), + "status": MessageLookupByLibrary.simpleMessage("Būsena"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "Ar norite sustabdyti perdavimą?"), + "stopCastingTitle": + MessageLookupByLibrary.simpleMessage("Stabdyti perdavimą"), + "storage": MessageLookupByLibrary.simpleMessage("Saugykla"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Šeima"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Jūs"), + "storageInGB": m93, + "storageLimitExceeded": + MessageLookupByLibrary.simpleMessage("Viršyta saugyklos riba."), + "storageUsageInfo": m94, + "streamDetails": MessageLookupByLibrary.simpleMessage( + "Srautinio perdavimo išsami informacija"), + "strongStrength": MessageLookupByLibrary.simpleMessage("Stipri"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Prenumeruoti"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Kad įjungtumėte bendrinimą, reikia aktyvios mokamos prenumeratos."), + "subscription": MessageLookupByLibrary.simpleMessage("Prenumerata"), + "success": MessageLookupByLibrary.simpleMessage("Sėkmė"), + "successfullyArchived": + MessageLookupByLibrary.simpleMessage("Sėkmingai suarchyvuota"), + "successfullyHid": + MessageLookupByLibrary.simpleMessage("Sėkmingai paslėptas"), + "successfullyUnarchived": + MessageLookupByLibrary.simpleMessage("Sėkmingai išarchyvuota"), + "successfullyUnhid": + MessageLookupByLibrary.simpleMessage("Sėkmingai atslėptas"), + "suggestFeatures": + MessageLookupByLibrary.simpleMessage("Siūlyti funkcijas"), + "sunrise": MessageLookupByLibrary.simpleMessage("Akiratyje"), + "support": MessageLookupByLibrary.simpleMessage("Pagalba"), + "syncProgress": m97, + "syncStopped": MessageLookupByLibrary.simpleMessage( + "Sinchronizavimas sustabdytas"), + "syncing": MessageLookupByLibrary.simpleMessage("Sinchronizuojama..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("Sistemos"), + "tapToCopy": MessageLookupByLibrary.simpleMessage( + "palieskite, kad nukopijuotumėte"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage( + "Palieskite, kad įvestumėte kodą"), + "tapToUnlock": MessageLookupByLibrary.simpleMessage( + "Palieskite, kad atrakintumėte"), + "tapToUpload": + MessageLookupByLibrary.simpleMessage("Palieskite, kad įkeltumėte"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Atrodo, kad kažkas nutiko ne taip. Bandykite dar kartą po kurio laiko. Jei klaida tęsiasi, susisiekite su mūsų palaikymo komanda."), + "terminate": MessageLookupByLibrary.simpleMessage("Baigti"), + "terminateSession": + MessageLookupByLibrary.simpleMessage("Baigti seansą?"), + "terms": MessageLookupByLibrary.simpleMessage("Sąlygos"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Sąlygos"), + "thankYou": MessageLookupByLibrary.simpleMessage("Dėkojame"), + "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( + "Dėkojame, kad užsiprenumeravote!"), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "Atsisiuntimas negalėjo būti baigtas."), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "Nuoroda, kurią bandote pasiekti, nebegalioja."), + "theRecoveryKeyYouEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "Įvestas atkūrimo raktas yra neteisingas."), + "theme": MessageLookupByLibrary.simpleMessage("Tema"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Šie elementai bus ištrinti iš jūsų įrenginio."), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "Jie bus ištrinti iš visų albumų."), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Šio veiksmo negalima anuliuoti."), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "Šis albumas jau turi bendradarbiavimo nuorodą."), + "thisCanBeUsedToRecoverYourAccountIfYou": + MessageLookupByLibrary.simpleMessage( + "Tai gali būti naudojama paskyrai atkurti, jei prarandate dvigubo tapatybės nustatymą"), + "thisDevice": MessageLookupByLibrary.simpleMessage("Šis įrenginys"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "Šis el. paštas jau naudojamas."), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Šis vaizdas neturi Exif duomenų"), + "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("Tai aš!"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": + MessageLookupByLibrary.simpleMessage("Tai – jūsų patvirtinimo ID"), + "thisWeekThroughTheYears": + MessageLookupByLibrary.simpleMessage("Ši savaitė per metus"), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Tai jus atjungs nuo toliau nurodyto įrenginio:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Tai jus atjungs nuo šio įrenginio."), + "thisWillMakeTheDateAndTimeOfAllSelected": + MessageLookupByLibrary.simpleMessage( + "Tai padarys visų pasirinktų nuotraukų datą ir laiką vienodus."), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "Tai pašalins visų pasirinktų sparčiųjų nuorodų viešąsias nuorodas."), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "Kad įjungtumėte programos užraktą, sistemos nustatymuose nustatykite įrenginio prieigos kodą arba ekrano užraktą."), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( + "Kad paslėptumėte nuotrauką ar vaizdo įrašą"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Kad iš naujo nustatytumėte slaptažodį, pirmiausia patvirtinkite savo el. paštą."), + "todaysLogs": + MessageLookupByLibrary.simpleMessage("Šiandienos žurnalai"), + "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( + "Per daug neteisingų bandymų."), + "total": MessageLookupByLibrary.simpleMessage("iš viso"), + "totalSize": MessageLookupByLibrary.simpleMessage("Bendrą dydį"), + "trash": MessageLookupByLibrary.simpleMessage("Šiukšlinė"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Trumpinti"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": + MessageLookupByLibrary.simpleMessage("Patikimi kontaktai"), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Bandyti dar kartą"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Įjunkite atsarginės kopijos kūrimą, kad automatiškai įkeltumėte į šį įrenginio aplanką įtrauktus failus į „Ente“."), + "twitter": MessageLookupByLibrary.simpleMessage("„Twitter“"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "2 mėnesiai nemokamai metiniuose planuose"), + "twofactor": MessageLookupByLibrary.simpleMessage( + "Dvigubas tapatybės nustatymas"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "Dvigubas tapatybės nustatymas išjungtas."), + "twofactorAuthenticationPageTitle": + MessageLookupByLibrary.simpleMessage( + "Dvigubas tapatybės nustatymas"), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "Dvigubas tapatybės nustatymas sėkmingai iš naujo nustatytas."), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Dvigubo tapatybės nustatymo sąranka"), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("Išarchyvuoti"), + "unarchiveAlbum": + MessageLookupByLibrary.simpleMessage("Išarchyvuoti albumą"), + "unarchiving": + MessageLookupByLibrary.simpleMessage("Išarchyvuojama..."), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Atsiprašome, šis kodas nepasiekiamas."), + "uncategorized": + MessageLookupByLibrary.simpleMessage("Nekategorizuoti"), + "unhide": MessageLookupByLibrary.simpleMessage("Rodyti"), + "unhideToAlbum": + MessageLookupByLibrary.simpleMessage("Rodyti į albumą"), + "unhiding": MessageLookupByLibrary.simpleMessage("Rodoma..."), + "unhidingFilesToAlbum": + MessageLookupByLibrary.simpleMessage("Rodomi failai į albumą"), + "unlock": MessageLookupByLibrary.simpleMessage("Atrakinti"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("Atsegti albumą"), + "unselectAll": MessageLookupByLibrary.simpleMessage("Nesirinkti visų"), + "update": MessageLookupByLibrary.simpleMessage("Atnaujinti"), + "updateAvailable": + MessageLookupByLibrary.simpleMessage("Yra naujinimas"), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Atnaujinamas aplankų pasirinkimas..."), + "upgrade": MessageLookupByLibrary.simpleMessage("Keisti planą"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": + MessageLookupByLibrary.simpleMessage("Įkeliami failai į albumą..."), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": + MessageLookupByLibrary.simpleMessage("Išsaugomas prisiminimas..."), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "Iki 50% nuolaida, gruodžio 4 d."), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "Naudojama saugykla ribojama pagal jūsų dabartinį planą. Perteklinė gauta saugykla automatiškai taps tinkama naudoti, kai pakeisite planą."), + "useAsCover": + MessageLookupByLibrary.simpleMessage("Naudoti kaip viršelį"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "Turite problemų paleidžiant šį vaizdo įrašą? Ilgai paspauskite čia, kad išbandytumėte kitą leistuvę."), + "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Naudokite viešas nuorodas asmenimis, kurie nėra sistemoje „Ente“"), + "useRecoveryKey": + MessageLookupByLibrary.simpleMessage("Naudoti atkūrimo raktą"), + "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( + "Naudoti pasirinktą nuotrauką"), + "usedSpace": MessageLookupByLibrary.simpleMessage("Naudojama vieta"), + "validTill": m110, + "verificationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Patvirtinimas nepavyko. Bandykite dar kartą."), + "verificationId": + MessageLookupByLibrary.simpleMessage("Patvirtinimo ID"), + "verify": MessageLookupByLibrary.simpleMessage("Patvirtinti"), + "verifyEmail": + MessageLookupByLibrary.simpleMessage("Patvirtinti el. paštą"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Patvirtinti"), + "verifyPasskey": + MessageLookupByLibrary.simpleMessage("Patvirtinti slaptaraktį"), + "verifyPassword": + MessageLookupByLibrary.simpleMessage("Patvirtinkite slaptažodį"), + "verifying": MessageLookupByLibrary.simpleMessage("Patvirtinama..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Patvirtinima atkūrimo raktą..."), + "videoInfo": + MessageLookupByLibrary.simpleMessage("Vaizdo įrašo informacija"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("vaizdo įrašas"), + "videoStreaming": + MessageLookupByLibrary.simpleMessage("Srautiniai vaizdo įrašai"), + "videos": MessageLookupByLibrary.simpleMessage("Vaizdo įrašai"), + "viewActiveSessions": + MessageLookupByLibrary.simpleMessage("Peržiūrėti aktyvius seansus"), + "viewAddOnButton": + MessageLookupByLibrary.simpleMessage("Peržiūrėti priedus"), + "viewAll": MessageLookupByLibrary.simpleMessage("Peržiūrėti viską"), + "viewAllExifData": MessageLookupByLibrary.simpleMessage( + "Peržiūrėti visus EXIF duomenis"), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Dideli failai"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Peržiūrėkite failus, kurie užima daugiausiai saugyklos vietos."), + "viewLogs": MessageLookupByLibrary.simpleMessage("Peržiūrėti žurnalus"), + "viewPersonToUnlink": m112, + "viewRecoveryKey": + MessageLookupByLibrary.simpleMessage("Peržiūrėti atkūrimo raktą"), + "viewer": MessageLookupByLibrary.simpleMessage("Žiūrėtojas"), + "viewersSuccessfullyAdded": m113, + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Aplankykite web.ente.io, kad tvarkytumėte savo prenumeratą"), + "waitingForVerification": + MessageLookupByLibrary.simpleMessage("Laukiama patvirtinimo..."), + "waitingForWifi": + MessageLookupByLibrary.simpleMessage("Laukiama „WiFi“..."), + "warning": MessageLookupByLibrary.simpleMessage("Įspėjimas"), + "weAreOpenSource": + MessageLookupByLibrary.simpleMessage("Esame atviro kodo!"), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "Nepalaikome nuotraukų ir albumų redagavimo, kurių dar neturite."), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Silpna"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("Sveiki sugrįžę!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("Kas naujo"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "Patikimas kontaktas gali padėti atkurti jūsų duomenis."), + "widgets": MessageLookupByLibrary.simpleMessage("Valdikliai"), + "wishThemAHappyBirthday": m115, + "yearShort": MessageLookupByLibrary.simpleMessage("m."), + "yearly": MessageLookupByLibrary.simpleMessage("Metinis"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Taip"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Taip, atsisakyti"), + "yesConvertToViewer": + MessageLookupByLibrary.simpleMessage("Taip, keisti į žiūrėtoją"), + "yesDelete": MessageLookupByLibrary.simpleMessage("Taip, ištrinti"), + "yesDiscardChanges": + MessageLookupByLibrary.simpleMessage("Taip, atmesti pakeitimus"), + "yesLogout": MessageLookupByLibrary.simpleMessage("Taip, atsijungti"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Taip, šalinti"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Taip, pratęsti"), + "yesResetPerson": MessageLookupByLibrary.simpleMessage( + "Taip, nustatyti asmenį iš naujo"), + "you": MessageLookupByLibrary.simpleMessage("Jūs"), + "youAndThem": m117, + "youAreOnAFamilyPlan": + MessageLookupByLibrary.simpleMessage("Esate šeimos plane!"), + "youAreOnTheLatestVersion": + MessageLookupByLibrary.simpleMessage("Esate naujausioje versijoje"), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Galite daugiausiai padvigubinti savo saugyklą."), + "youCanManageYourLinksInTheShareTab": + MessageLookupByLibrary.simpleMessage( + "Nuorodas galite valdyti bendrinimo kortelėje."), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "Galite pabandyti ieškoti pagal kitą užklausą."), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "Negalite pakeisti į šį planą"), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Negalite bendrinti su savimi."), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "Neturite jokių archyvuotų elementų."), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": + MessageLookupByLibrary.simpleMessage("Jūsų paskyra ištrinta"), + "yourMap": MessageLookupByLibrary.simpleMessage("Jūsų žemėlapis"), + "yourPlanWasSuccessfullyDowngraded": + MessageLookupByLibrary.simpleMessage( + "Jūsų planas sėkmingai pakeistas į žemesnį"), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "Jūsų planas sėkmingai pakeistas"), + "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( + "Jūsų pirkimas buvo sėkmingas"), + "yourStorageDetailsCouldNotBeFetched": + MessageLookupByLibrary.simpleMessage( + "Nepavyko gauti jūsų saugyklos duomenų."), + "yourSubscriptionHasExpired": + MessageLookupByLibrary.simpleMessage("Jūsų prenumerata baigėsi."), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "Jūsų prenumerata buvo sėkmingai atnaujinta"), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "Jūsų patvirtinimo kodas nebegaliojantis."), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "Neturite dubliuotų failų, kuriuos būtų galima išvalyti."), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "Neturite šiame albume failų, kuriuos būtų galima ištrinti."), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( + "Padidinkite mastelį, kad matytumėte nuotraukas") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_ml.dart b/mobile/apps/photos/lib/generated/intl/messages_ml.dart index 4ceca5cf96..6a3eec447c 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_ml.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_ml.dart @@ -22,134 +22,120 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( - "വീണ്ടും സ്വാഗതം!", - ), - "albumOwner": MessageLookupByLibrary.simpleMessage("ഉടമ"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "അക്കൗണ്ട് ഉപേക്ഷിക്കുവാൻ പ്രധാന കാരണമെന്താണ്?", - ), - "available": MessageLookupByLibrary.simpleMessage("ലഭ്യമാണ്"), - "calculating": MessageLookupByLibrary.simpleMessage("കണക്കുകൂട്ടുന്നു..."), - "cancel": MessageLookupByLibrary.simpleMessage("റദ്ദാക്കുക"), - "changeEmail": MessageLookupByLibrary.simpleMessage("ഇമെയിൽ മാറ്റുക"), - "close": MessageLookupByLibrary.simpleMessage("അടക്കുക"), - "confirm": MessageLookupByLibrary.simpleMessage("നിജപ്പെടുത്തുക"), - "confirmPassword": MessageLookupByLibrary.simpleMessage( - "സങ്കേതക്കുറി ഉറപ്പിക്കുക", - ), - "continueLabel": MessageLookupByLibrary.simpleMessage("തുടരൂ"), - "count": MessageLookupByLibrary.simpleMessage("എണ്ണം"), - "createAccount": MessageLookupByLibrary.simpleMessage("അക്കൗണ്ട് തുറക്കുക"), - "createNewAccount": MessageLookupByLibrary.simpleMessage( - "പുതിയ അക്കൗണ്ട് തുറക്കുക", - ), - "custom": MessageLookupByLibrary.simpleMessage("ഇഷ്‌ടാനുസൃതം"), - "darkTheme": MessageLookupByLibrary.simpleMessage("ഇരുണ്ട"), - "deleteAccount": MessageLookupByLibrary.simpleMessage( - "അക്കൗണ്ട് ഉപേക്ഷിക്കു", - ), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "സേവനം ഉപേക്ഷിക്കുന്നതിൽ ഖേദിക്കുന്നു. മെച്ചപ്പെടുത്താൻ ഞങ്ങളെ സഹായിക്കുന്നതിനായി ദയവായി നിങ്ങളുടെ അഭിപ്രായം പങ്കിടുക.", - ), - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "അത്യാവശപെട്ടയൊരു സുവിഷേശത ഇതിൽ ഇല്ല", - ), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "ഇതിനേക്കാൾ ഇഷ്ടപ്പെടുന്ന മറ്റൊരു സേവനം കണ്ടെത്തി", - ), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "എന്റെ കാരണം ഉൾകൊണ്ടിട്ടില്ല", - ), - "doThisLater": MessageLookupByLibrary.simpleMessage("പിന്നീട് ചെയ്യുക"), - "email": MessageLookupByLibrary.simpleMessage("ഇമെയിൽ"), - "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( - "ഇമെയിൽ ദൃഢീകരണം", - ), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "സാധുവായ ഒരു ഇമെയിൽ നൽകുക.", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "നിങ്ങളുടെ ഇമെയിൽ വിലാസം നൽകുക", - ), - "faqs": MessageLookupByLibrary.simpleMessage("പതിവുചോദ്യങ്ങൾ"), - "favorite": MessageLookupByLibrary.simpleMessage("പ്രിയപ്പെട്ടവ"), - "feedback": MessageLookupByLibrary.simpleMessage("അഭിപ്രായം"), - "forgotPassword": MessageLookupByLibrary.simpleMessage( - "സങ്കേതക്കുറി മറന്നുപോയി", - ), - "general": MessageLookupByLibrary.simpleMessage("പൊതുവായവ"), - "hide": MessageLookupByLibrary.simpleMessage("മറയ്ക്കുക"), - "howItWorks": MessageLookupByLibrary.simpleMessage("പ്രവർത്തന രീതി"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("അവഗണിക്കുക"), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( - "തെറ്റായ സങ്കേതക്കുറി", - ), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "അസാധുവായ ഇമെയിൽ വിലാസം", - ), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "വിവരങ്ങൾ തന്നു സഹായിക്കുക", - ), - "lightTheme": MessageLookupByLibrary.simpleMessage("തെളിഞ"), - "linkExpired": MessageLookupByLibrary.simpleMessage("കാലഹരണപ്പെട്ടു"), - "mastodon": MessageLookupByLibrary.simpleMessage("മാസ്റ്റഡോൺ"), - "matrix": MessageLookupByLibrary.simpleMessage("മേട്രിക്സ്"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("ഇടത്തരം"), - "monthly": MessageLookupByLibrary.simpleMessage("പ്രതിമാസം"), - "name": MessageLookupByLibrary.simpleMessage("പേര്"), - "no": MessageLookupByLibrary.simpleMessage("വേണ്ട"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("ഒന്നുമില്ല"), - "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( - "ഇവിടൊന്നും കാണ്മാനില്ല! 👀", - ), - "ok": MessageLookupByLibrary.simpleMessage("ശരി"), - "oops": MessageLookupByLibrary.simpleMessage("അയ്യോ"), - "password": MessageLookupByLibrary.simpleMessage("സങ്കേതക്കുറി"), - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "ദയവായി വീണ്ടും ശ്രമിക്കുക", - ), - "privacy": MessageLookupByLibrary.simpleMessage("സ്വകാര്യത"), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage("സ്വകാര്യതാനയം"), - "recoverButton": MessageLookupByLibrary.simpleMessage("വീണ്ടെടുക്കുക"), - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "വീണ്ടെടുക്കൽ വിജയകരം!", - ), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "സങ്കേതക്കുറി പുനസൃഷ്ടിക്കുക", - ), - "reddit": MessageLookupByLibrary.simpleMessage("റെഡ്ഡിറ്റ്"), - "retry": MessageLookupByLibrary.simpleMessage("പുനശ്രമിക്കുക"), - "security": MessageLookupByLibrary.simpleMessage("സുരക്ഷ"), - "selectReason": MessageLookupByLibrary.simpleMessage("കാരണം തിരഞ്ഞെടുക്കൂ"), - "send": MessageLookupByLibrary.simpleMessage("അയക്കുക"), - "sendEmail": MessageLookupByLibrary.simpleMessage("ഇമെയിൽ അയക്കുക"), - "setupComplete": MessageLookupByLibrary.simpleMessage( - "സജ്ജീകരണം പൂർത്തിയായി", - ), - "share": MessageLookupByLibrary.simpleMessage("പങ്കിടുക"), - "sharedByMe": MessageLookupByLibrary.simpleMessage("ഞാനാൽ പങ്കിട്ടവ"), - "sharedWithMe": MessageLookupByLibrary.simpleMessage("എന്നോട് പങ്കിട്ടവ"), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "എന്തോ കുഴപ്പം സംഭവിച്ചു, ദയവായി വീണ്ടും ശ്രമിക്കുക", - ), - "sorry": MessageLookupByLibrary.simpleMessage("ക്ഷമിക്കുക"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("ഇപ്രകാരം അടുക്കുക"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ സഫലം"), - "strongStrength": MessageLookupByLibrary.simpleMessage("ശക്തം"), - "success": MessageLookupByLibrary.simpleMessage("സഫലം"), - "support": MessageLookupByLibrary.simpleMessage("പിന്തുണ"), - "terms": MessageLookupByLibrary.simpleMessage("നിബന്ധനകൾ"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("നിബന്ധനകൾ"), - "thankYou": MessageLookupByLibrary.simpleMessage("നന്ദി"), - "thisDevice": MessageLookupByLibrary.simpleMessage("ഈ ഉപകരണം"), - "verify": MessageLookupByLibrary.simpleMessage("ഉറപ്പിക്കുക"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("ഇമെയിൽ ദൃഢീകരിക്കുക"), - "verifyPassword": MessageLookupByLibrary.simpleMessage( - "സങ്കേതക്കുറി ദൃഢീകരിക്കുക", - ), - "weakStrength": MessageLookupByLibrary.simpleMessage("ദുർബലം"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("വീണ്ടും സ്വാഗതം!"), - "yearly": MessageLookupByLibrary.simpleMessage("പ്രതിവർഷം"), - }; + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("വീണ്ടും സ്വാഗതം!"), + "albumOwner": MessageLookupByLibrary.simpleMessage("ഉടമ"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "അക്കൗണ്ട് ഉപേക്ഷിക്കുവാൻ പ്രധാന കാരണമെന്താണ്?"), + "available": MessageLookupByLibrary.simpleMessage("ലഭ്യമാണ്"), + "calculating": + MessageLookupByLibrary.simpleMessage("കണക്കുകൂട്ടുന്നു..."), + "cancel": MessageLookupByLibrary.simpleMessage("റദ്ദാക്കുക"), + "changeEmail": MessageLookupByLibrary.simpleMessage("ഇമെയിൽ മാറ്റുക"), + "close": MessageLookupByLibrary.simpleMessage("അടക്കുക"), + "confirm": MessageLookupByLibrary.simpleMessage("നിജപ്പെടുത്തുക"), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("സങ്കേതക്കുറി ഉറപ്പിക്കുക"), + "continueLabel": MessageLookupByLibrary.simpleMessage("തുടരൂ"), + "count": MessageLookupByLibrary.simpleMessage("എണ്ണം"), + "createAccount": + MessageLookupByLibrary.simpleMessage("അക്കൗണ്ട് തുറക്കുക"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("പുതിയ അക്കൗണ്ട് തുറക്കുക"), + "custom": MessageLookupByLibrary.simpleMessage("ഇഷ്‌ടാനുസൃതം"), + "darkTheme": MessageLookupByLibrary.simpleMessage("ഇരുണ്ട"), + "deleteAccount": + MessageLookupByLibrary.simpleMessage("അക്കൗണ്ട് ഉപേക്ഷിക്കു"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "സേവനം ഉപേക്ഷിക്കുന്നതിൽ ഖേദിക്കുന്നു. മെച്ചപ്പെടുത്താൻ ഞങ്ങളെ സഹായിക്കുന്നതിനായി ദയവായി നിങ്ങളുടെ അഭിപ്രായം പങ്കിടുക."), + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "അത്യാവശപെട്ടയൊരു സുവിഷേശത ഇതിൽ ഇല്ല"), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "ഇതിനേക്കാൾ ഇഷ്ടപ്പെടുന്ന മറ്റൊരു സേവനം കണ്ടെത്തി"), + "deleteReason4": + MessageLookupByLibrary.simpleMessage("എന്റെ കാരണം ഉൾകൊണ്ടിട്ടില്ല"), + "doThisLater": MessageLookupByLibrary.simpleMessage("പിന്നീട് ചെയ്യുക"), + "email": MessageLookupByLibrary.simpleMessage("ഇമെയിൽ"), + "emailVerificationToggle": + MessageLookupByLibrary.simpleMessage("ഇമെയിൽ ദൃഢീകരണം"), + "enterValidEmail": + MessageLookupByLibrary.simpleMessage("സാധുവായ ഒരു ഇമെയിൽ നൽകുക."), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "നിങ്ങളുടെ ഇമെയിൽ വിലാസം നൽകുക"), + "faqs": MessageLookupByLibrary.simpleMessage("പതിവുചോദ്യങ്ങൾ"), + "favorite": MessageLookupByLibrary.simpleMessage("പ്രിയപ്പെട്ടവ"), + "feedback": MessageLookupByLibrary.simpleMessage("അഭിപ്രായം"), + "forgotPassword": + MessageLookupByLibrary.simpleMessage("സങ്കേതക്കുറി മറന്നുപോയി"), + "general": MessageLookupByLibrary.simpleMessage("പൊതുവായവ"), + "hide": MessageLookupByLibrary.simpleMessage("മറയ്ക്കുക"), + "howItWorks": MessageLookupByLibrary.simpleMessage("പ്രവർത്തന രീതി"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("അവഗണിക്കുക"), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("തെറ്റായ സങ്കേതക്കുറി"), + "invalidEmailAddress": + MessageLookupByLibrary.simpleMessage("അസാധുവായ ഇമെയിൽ വിലാസം"), + "kindlyHelpUsWithThisInformation": + MessageLookupByLibrary.simpleMessage("വിവരങ്ങൾ തന്നു സഹായിക്കുക"), + "lightTheme": MessageLookupByLibrary.simpleMessage("തെളിഞ"), + "linkExpired": MessageLookupByLibrary.simpleMessage("കാലഹരണപ്പെട്ടു"), + "mastodon": MessageLookupByLibrary.simpleMessage("മാസ്റ്റഡോൺ"), + "matrix": MessageLookupByLibrary.simpleMessage("മേട്രിക്സ്"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("ഇടത്തരം"), + "monthly": MessageLookupByLibrary.simpleMessage("പ്രതിമാസം"), + "name": MessageLookupByLibrary.simpleMessage("പേര്"), + "no": MessageLookupByLibrary.simpleMessage("വേണ്ട"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("ഒന്നുമില്ല"), + "nothingToSeeHere": + MessageLookupByLibrary.simpleMessage("ഇവിടൊന്നും കാണ്മാനില്ല! 👀"), + "ok": MessageLookupByLibrary.simpleMessage("ശരി"), + "oops": MessageLookupByLibrary.simpleMessage("അയ്യോ"), + "password": MessageLookupByLibrary.simpleMessage("സങ്കേതക്കുറി"), + "pleaseTryAgain": + MessageLookupByLibrary.simpleMessage("ദയവായി വീണ്ടും ശ്രമിക്കുക"), + "privacy": MessageLookupByLibrary.simpleMessage("സ്വകാര്യത"), + "privacyPolicyTitle": + MessageLookupByLibrary.simpleMessage("സ്വകാര്യതാനയം"), + "recoverButton": MessageLookupByLibrary.simpleMessage("വീണ്ടെടുക്കുക"), + "recoverySuccessful": + MessageLookupByLibrary.simpleMessage("വീണ്ടെടുക്കൽ വിജയകരം!"), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("സങ്കേതക്കുറി പുനസൃഷ്ടിക്കുക"), + "reddit": MessageLookupByLibrary.simpleMessage("റെഡ്ഡിറ്റ്"), + "retry": MessageLookupByLibrary.simpleMessage("പുനശ്രമിക്കുക"), + "security": MessageLookupByLibrary.simpleMessage("സുരക്ഷ"), + "selectReason": + MessageLookupByLibrary.simpleMessage("കാരണം തിരഞ്ഞെടുക്കൂ"), + "send": MessageLookupByLibrary.simpleMessage("അയക്കുക"), + "sendEmail": MessageLookupByLibrary.simpleMessage("ഇമെയിൽ അയക്കുക"), + "setupComplete": + MessageLookupByLibrary.simpleMessage("സജ്ജീകരണം പൂർത്തിയായി"), + "share": MessageLookupByLibrary.simpleMessage("പങ്കിടുക"), + "sharedByMe": MessageLookupByLibrary.simpleMessage("ഞാനാൽ പങ്കിട്ടവ"), + "sharedWithMe": + MessageLookupByLibrary.simpleMessage("എന്നോട് പങ്കിട്ടവ"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "എന്തോ കുഴപ്പം സംഭവിച്ചു, ദയവായി വീണ്ടും ശ്രമിക്കുക"), + "sorry": MessageLookupByLibrary.simpleMessage("ക്ഷമിക്കുക"), + "sortAlbumsBy": + MessageLookupByLibrary.simpleMessage("ഇപ്രകാരം അടുക്കുക"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ സഫലം"), + "strongStrength": MessageLookupByLibrary.simpleMessage("ശക്തം"), + "success": MessageLookupByLibrary.simpleMessage("സഫലം"), + "support": MessageLookupByLibrary.simpleMessage("പിന്തുണ"), + "terms": MessageLookupByLibrary.simpleMessage("നിബന്ധനകൾ"), + "termsOfServicesTitle": + MessageLookupByLibrary.simpleMessage("നിബന്ധനകൾ"), + "thankYou": MessageLookupByLibrary.simpleMessage("നന്ദി"), + "thisDevice": MessageLookupByLibrary.simpleMessage("ഈ ഉപകരണം"), + "verify": MessageLookupByLibrary.simpleMessage("ഉറപ്പിക്കുക"), + "verifyEmail": + MessageLookupByLibrary.simpleMessage("ഇമെയിൽ ദൃഢീകരിക്കുക"), + "verifyPassword": + MessageLookupByLibrary.simpleMessage("സങ്കേതക്കുറി ദൃഢീകരിക്കുക"), + "weakStrength": MessageLookupByLibrary.simpleMessage("ദുർബലം"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("വീണ്ടും സ്വാഗതം!"), + "yearly": MessageLookupByLibrary.simpleMessage("പ്രതിവർഷം") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_nl.dart b/mobile/apps/photos/lib/generated/intl/messages_nl.dart index 02a997f997..b6ea039739 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_nl.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_nl.dart @@ -57,7 +57,12 @@ class MessageLookup extends MessageLookupByLibrary { "${user} zal geen foto\'s meer kunnen toevoegen aan dit album\n\nDe gebruiker zal nog steeds bestaande foto\'s kunnen verwijderen die door hen zijn toegevoegd"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, {'true': 'Jouw familie heeft ${storageAmountInGb} GB geclaimd tot nu toe', 'false': 'Je hebt ${storageAmountInGb} GB geclaimd tot nu toe', 'other': 'Je hebt ${storageAmountInGb} GB geclaimd tot nu toe!'})}"; + "${Intl.select(isFamilyMember, { + 'true': + 'Jouw familie heeft ${storageAmountInGb} GB geclaimd tot nu toe', + 'false': 'Je hebt ${storageAmountInGb} GB geclaimd tot nu toe', + 'other': 'Je hebt ${storageAmountInGb} GB geclaimd tot nu toe!', + })}"; static String m15(albumName) => "Gezamenlijke link aangemaakt voor ${albumName}"; @@ -263,11 +268,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, - usedStorageUnit, - totalAmount, - totalStorageUnit, - ) => + usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => "${usedAmount} ${usedStorageUnit} van ${totalAmount} ${totalStorageUnit} gebruikt"; static String m95(id) => @@ -333,2478 +334,1982 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Er is een nieuwe versie van Ente beschikbaar.", - ), - "about": MessageLookupByLibrary.simpleMessage("Over"), - "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( - "Uitnodiging accepteren", - ), - "account": MessageLookupByLibrary.simpleMessage("Account"), - "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( - "Account is al geconfigureerd.", - ), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage("Welkom terug!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Ik begrijp dat als ik mijn wachtwoord verlies, ik mijn gegevens kan verliezen omdat mijn gegevens end-to-end versleuteld zijn.", - ), - "actionNotSupportedOnFavouritesAlbum": MessageLookupByLibrary.simpleMessage( - "Actie niet ondersteund op Favorieten album", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage("Actieve sessies"), - "add": MessageLookupByLibrary.simpleMessage("Toevoegen"), - "addAName": MessageLookupByLibrary.simpleMessage("Een naam toevoegen"), - "addANewEmail": MessageLookupByLibrary.simpleMessage( - "Nieuw e-mailadres toevoegen", - ), - "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Voeg een widget toe aan je beginscherm en kom hier terug om aan te passen.", - ), - "addCollaborator": MessageLookupByLibrary.simpleMessage( - "Samenwerker toevoegen", - ), - "addCollaborators": m1, - "addFiles": MessageLookupByLibrary.simpleMessage("Bestanden toevoegen"), - "addFromDevice": MessageLookupByLibrary.simpleMessage( - "Toevoegen vanaf apparaat", - ), - "addItem": m2, - "addLocation": MessageLookupByLibrary.simpleMessage("Locatie toevoegen"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Toevoegen"), - "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Voeg een widget toe aan je beginscherm en kom hier terug om aan te passen.", - ), - "addMore": MessageLookupByLibrary.simpleMessage("Meer toevoegen"), - "addName": MessageLookupByLibrary.simpleMessage("Naam toevoegen"), - "addNameOrMerge": MessageLookupByLibrary.simpleMessage( - "Naam toevoegen of samenvoegen", - ), - "addNew": MessageLookupByLibrary.simpleMessage("Nieuwe toevoegen"), - "addNewPerson": MessageLookupByLibrary.simpleMessage( - "Nieuw persoon toevoegen", - ), - "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( - "Details van add-ons", - ), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("Add-ons"), - "addParticipants": MessageLookupByLibrary.simpleMessage( - "Voeg deelnemers toe", - ), - "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Voeg een widget toe aan je beginscherm en kom hier terug om aan te passen.", - ), - "addPhotos": MessageLookupByLibrary.simpleMessage("Foto\'s toevoegen"), - "addSelected": MessageLookupByLibrary.simpleMessage( - "Voeg geselecteerde toe", - ), - "addToAlbum": MessageLookupByLibrary.simpleMessage("Toevoegen aan album"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Toevoegen aan Ente"), - "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Toevoegen aan verborgen album", - ), - "addTrustedContact": MessageLookupByLibrary.simpleMessage( - "Vertrouwd contact toevoegen", - ), - "addViewer": MessageLookupByLibrary.simpleMessage("Voeg kijker toe"), - "addViewers": m4, - "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( - "Voeg nu je foto\'s toe", - ), - "addedAs": MessageLookupByLibrary.simpleMessage("Toegevoegd als"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": MessageLookupByLibrary.simpleMessage( - "Toevoegen aan favorieten...", - ), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("Geavanceerd"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Geavanceerd"), - "after1Day": MessageLookupByLibrary.simpleMessage("Na 1 dag"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Na 1 uur"), - "after1Month": MessageLookupByLibrary.simpleMessage("Na 1 maand"), - "after1Week": MessageLookupByLibrary.simpleMessage("Na 1 week"), - "after1Year": MessageLookupByLibrary.simpleMessage("Na 1 jaar"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Eigenaar"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Albumtitel"), - "albumUpdated": MessageLookupByLibrary.simpleMessage("Album bijgewerkt"), - "albums": MessageLookupByLibrary.simpleMessage("Albums"), - "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Selecteer de albums die je wilt zien op je beginscherm.", - ), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Alles in orde"), - "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( - "Alle herinneringen bewaard", - ), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "Alle groepen voor deze persoon worden gereset, en je verliest alle suggesties die voor deze persoon zijn gedaan", - ), - "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": - MessageLookupByLibrary.simpleMessage( - "Alle naamloze groepen worden samengevoegd met de geselecteerde persoon. Dit kan nog steeds ongedaan worden gemaakt vanuit het geschiedenisoverzicht van de persoon.", - ), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "Dit is de eerste in de groep. Andere geselecteerde foto\'s worden automatisch verschoven op basis van deze nieuwe datum", - ), - "allow": MessageLookupByLibrary.simpleMessage("Toestaan"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Sta toe dat mensen met de link ook foto\'s kunnen toevoegen aan het gedeelde album.", - ), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( - "Foto\'s toevoegen toestaan", - ), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "App toestaan gedeelde album links te openen", - ), - "allowDownloads": MessageLookupByLibrary.simpleMessage( - "Downloads toestaan", - ), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Mensen toestaan foto\'s toe te voegen", - ), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Geef toegang tot je foto\'s vanuit Instellingen zodat Ente je bibliotheek kan weergeven en back-uppen.", - ), - "allowPermTitle": MessageLookupByLibrary.simpleMessage( - "Toegang tot foto\'s toestaan", - ), - "androidBiometricHint": MessageLookupByLibrary.simpleMessage( - "Identiteit verifiëren", - ), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "Niet herkend. Probeer het opnieuw.", - ), - "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( - "Biometrische verificatie vereist", - ), - "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("Succes"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Annuleren"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage("Apparaatgegevens vereist"), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage("Apparaatgegevens vereist"), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Biometrische verificatie is niet ingesteld op uw apparaat. Ga naar \'Instellingen > Beveiliging\' om biometrische verificatie toe te voegen.", - ), - "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( - "Android, iOS, Web, Desktop", - ), - "androidSignInTitle": MessageLookupByLibrary.simpleMessage( - "Verificatie vereist", - ), - "appIcon": MessageLookupByLibrary.simpleMessage("App icoon"), - "appLock": MessageLookupByLibrary.simpleMessage("App-vergrendeling"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Kies tussen het standaard vergrendelscherm van uw apparaat en een aangepast vergrendelscherm met een pincode of wachtwoord.", - ), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), - "apply": MessageLookupByLibrary.simpleMessage("Toepassen"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Code toepassen"), - "appstoreSubscription": MessageLookupByLibrary.simpleMessage( - "PlayStore abonnement", - ), - "archive": MessageLookupByLibrary.simpleMessage("Archiveer"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("Album archiveren"), - "archiving": MessageLookupByLibrary.simpleMessage("Archiveren..."), - "areThey": MessageLookupByLibrary.simpleMessage("Is dit "), - "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( - "Weet je zeker dat je dit gezicht van deze persoon wilt verwijderen?", - ), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Weet u zeker dat u het familie abonnement wilt verlaten?", - ), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "Weet u zeker dat u wilt opzeggen?", - ), - "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( - "Weet u zeker dat u uw abonnement wilt wijzigen?", - ), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "Weet u zeker dat u wilt afsluiten?", - ), - "areYouSureYouWantToIgnoreThesePersons": - MessageLookupByLibrary.simpleMessage( - "Weet je zeker dat je deze personen wilt negeren?", - ), - "areYouSureYouWantToIgnoreThisPerson": MessageLookupByLibrary.simpleMessage( - "Weet je zeker dat je deze persoon wilt negeren?", - ), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Weet je zeker dat je wilt uitloggen?", - ), - "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( - "Weet je zeker dat je ze wilt samenvoegen?", - ), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "Weet u zeker dat u wilt verlengen?", - ), - "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( - "Weet u zeker dat u deze persoon wilt resetten?", - ), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "Uw abonnement is opgezegd. Wilt u de reden delen?", - ), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Wat is de voornaamste reden dat je jouw account verwijdert?", - ), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Vraag uw dierbaren om te delen", - ), - "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( - "in een kernbunker", - ), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Gelieve te verifiëren om de e-mailverificatie te wijzigen", - ), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Graag verifiëren om de vergrendelscherm instellingen te wijzigen", - ), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Gelieve te verifiëren om je e-mailadres te wijzigen", - ), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Gelieve te verifiëren om je wachtwoord te wijzigen", - ), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Graag verifiëren om tweestapsverificatie te configureren", - ), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Gelieve te verifiëren om het verwijderen van je account te starten", - ), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Verifieer om je vertrouwde contacten te beheren", - ), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Verifieer uzelf om uw toegangssleutel te bekijken", - ), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Graag verifiëren om je verwijderde bestanden te bekijken", - ), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Graag verifiëren om uw actieve sessies te bekijken", - ), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Gelieve te verifiëren om je verborgen bestanden te bekijken", - ), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Graag verifiëren om uw herinneringen te bekijken", - ), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Graag verifiëren om uw herstelsleutel te bekijken", - ), - "authenticating": MessageLookupByLibrary.simpleMessage("Verifiëren..."), - "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Verificatie mislukt, probeer het opnieuw", - ), - "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( - "Verificatie geslaagd!", - ), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Je zult de beschikbare Cast apparaten hier zien.", - ), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Zorg ervoor dat lokale netwerkrechten zijn ingeschakeld voor de Ente Photos app, in Instellingen.", - ), - "autoLock": MessageLookupByLibrary.simpleMessage( - "Automatische vergrendeling", - ), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Tijd waarna de app wordt vergrendeld wanneer deze in achtergrond-modus is gezet", - ), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "Door een technische storing bent u uitgelogd. Onze excuses voor het ongemak.", - ), - "autoPair": MessageLookupByLibrary.simpleMessage("Automatisch koppelen"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "Automatisch koppelen werkt alleen met apparaten die Chromecast ondersteunen.", - ), - "available": MessageLookupByLibrary.simpleMessage("Beschikbaar"), - "availableStorageSpace": m10, - "backedUpFolders": MessageLookupByLibrary.simpleMessage("Back-up mappen"), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("Back-up"), - "backupFailed": MessageLookupByLibrary.simpleMessage("Back-up mislukt"), - "backupFile": MessageLookupByLibrary.simpleMessage("Back-up bestand"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Back-up maken via mobiele data", - ), - "backupSettings": MessageLookupByLibrary.simpleMessage( - "Back-up instellingen", - ), - "backupStatus": MessageLookupByLibrary.simpleMessage("Back-up status"), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Items die zijn geback-upt, worden hier getoond", - ), - "backupVideos": MessageLookupByLibrary.simpleMessage("Back-up video\'s"), - "beach": MessageLookupByLibrary.simpleMessage("Zand en zee"), - "birthday": MessageLookupByLibrary.simpleMessage("Verjaardag"), - "birthdayNotifications": MessageLookupByLibrary.simpleMessage( - "Meldingen over verjaardagen", - ), - "birthdays": MessageLookupByLibrary.simpleMessage("Verjaardagen"), - "blackFridaySale": MessageLookupByLibrary.simpleMessage( - "Black Friday-aanbieding", - ), - "blog": MessageLookupByLibrary.simpleMessage("Blog"), - "cachedData": MessageLookupByLibrary.simpleMessage("Cachegegevens"), - "calculating": MessageLookupByLibrary.simpleMessage("Berekenen..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Sorry, dit album kan niet worden geopend in de app.", - ), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( - "Kan dit album niet openen", - ), - "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( - "Kan niet uploaden naar albums die van anderen zijn", - ), - "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Kan alleen een link maken voor bestanden die van u zijn", - ), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Kan alleen bestanden verwijderen die jouw eigendom zijn", - ), - "cancel": MessageLookupByLibrary.simpleMessage("Annuleer"), - "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( - "Herstel annuleren", - ), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "Weet je zeker dat je het herstel wilt annuleren?", - ), - "cancelOtherSubscription": m12, - "cancelSubscription": MessageLookupByLibrary.simpleMessage( - "Abonnement opzeggen", - ), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Kan gedeelde bestanden niet verwijderen", - ), - "castAlbum": MessageLookupByLibrary.simpleMessage("Album casten"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Zorg ervoor dat je op hetzelfde netwerk zit als de tv.", - ), - "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( - "Album casten mislukt", - ), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Bezoek cast.ente.io op het apparaat dat u wilt koppelen.\n\nVoer de code hieronder in om het album op uw TV af te spelen.", - ), - "centerPoint": MessageLookupByLibrary.simpleMessage("Middelpunt"), - "change": MessageLookupByLibrary.simpleMessage("Wijzigen"), - "changeEmail": MessageLookupByLibrary.simpleMessage("E-mail wijzigen"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Locatie van geselecteerde items wijzigen?", - ), - "changePassword": MessageLookupByLibrary.simpleMessage( - "Wachtwoord wijzigen", - ), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Wachtwoord wijzigen", - ), - "changePermissions": MessageLookupByLibrary.simpleMessage( - "Rechten aanpassen?", - ), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Wijzig uw verwijzingscode", - ), - "checkForUpdates": MessageLookupByLibrary.simpleMessage( - "Controleer op updates", - ), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Controleer je inbox (en spam) om verificatie te voltooien", - ), - "checkStatus": MessageLookupByLibrary.simpleMessage("Status controleren"), - "checking": MessageLookupByLibrary.simpleMessage("Controleren..."), - "checkingModels": MessageLookupByLibrary.simpleMessage( - "Modellen controleren...", - ), - "city": MessageLookupByLibrary.simpleMessage("In de stad"), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage( - "Claim gratis opslag", - ), - "claimMore": MessageLookupByLibrary.simpleMessage("Claim meer!"), - "claimed": MessageLookupByLibrary.simpleMessage("Geclaimd"), - "claimedStorageSoFar": m14, - "cleanUncategorized": MessageLookupByLibrary.simpleMessage( - "Ongecategoriseerd opschonen", - ), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Verwijder alle bestanden van Ongecategoriseerd die aanwezig zijn in andere albums", - ), - "clearCaches": MessageLookupByLibrary.simpleMessage("Cache legen"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Index wissen"), - "click": MessageLookupByLibrary.simpleMessage("• Click"), - "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( - "• Klik op het menu", - ), - "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( - "Klik om onze beste versie tot nu toe te installeren", - ), - "close": MessageLookupByLibrary.simpleMessage("Sluiten"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( - "Samenvoegen op tijd", - ), - "clubByFileName": MessageLookupByLibrary.simpleMessage( - "Samenvoegen op bestandsnaam", - ), - "clusteringProgress": MessageLookupByLibrary.simpleMessage( - "Voortgang clusteren", - ), - "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( - "Code toegepast", - ), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Sorry, u heeft de limiet van het aantal codewijzigingen bereikt.", - ), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Code gekopieerd naar klembord", - ), - "codeUsedByYou": MessageLookupByLibrary.simpleMessage( - "Code gebruikt door jou", - ), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Maak een link waarmee mensen foto\'s in jouw gedeelde album kunnen toevoegen en bekijken zonder dat ze daarvoor een Ente app of account nodig hebben. Handig voor het verzamelen van foto\'s van evenementen.", - ), - "collaborativeLink": MessageLookupByLibrary.simpleMessage( - "Gezamenlijke link", - ), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Samenwerker"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Samenwerkers kunnen foto\'s en video\'s toevoegen aan het gedeelde album.", - ), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("Layout"), - "collageSaved": MessageLookupByLibrary.simpleMessage( - "Collage opgeslagen in gallerij", - ), - "collect": MessageLookupByLibrary.simpleMessage("Verzamelen"), - "collectEventPhotos": MessageLookupByLibrary.simpleMessage( - "Foto\'s van gebeurtenissen verzamelen", - ), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Foto\'s verzamelen"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Maak een link waarin je vrienden foto\'s kunnen uploaden in de originele kwaliteit.", - ), - "color": MessageLookupByLibrary.simpleMessage("Kleur"), - "configuration": MessageLookupByLibrary.simpleMessage("Configuratie"), - "confirm": MessageLookupByLibrary.simpleMessage("Bevestig"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Weet u zeker dat u tweestapsverificatie wilt uitschakelen?", - ), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Account verwijderen bevestigen", - ), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Ja, ik wil mijn account en de bijbehorende gegevens verspreid over alle apps permanent verwijderen.", - ), - "confirmPassword": MessageLookupByLibrary.simpleMessage( - "Wachtwoord bevestigen", - ), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage( - "Bevestig verandering van abonnement", - ), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Bevestig herstelsleutel", - ), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Bevestig herstelsleutel", - ), - "connectToDevice": MessageLookupByLibrary.simpleMessage( - "Verbinding maken met apparaat", - ), - "contactFamilyAdmin": m18, - "contactSupport": MessageLookupByLibrary.simpleMessage( - "Contacteer klantenservice", - ), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Contacten"), - "contents": MessageLookupByLibrary.simpleMessage("Inhoud"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Doorgaan"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "Doorgaan met gratis proefversie", - ), - "convertToAlbum": MessageLookupByLibrary.simpleMessage( - "Omzetten naar album", - ), - "copyEmailAddress": MessageLookupByLibrary.simpleMessage( - "E-mailadres kopiëren", - ), - "copyLink": MessageLookupByLibrary.simpleMessage("Kopieer link"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Kopieer en plak deze code\nnaar je authenticator app", - ), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "We konden uw gegevens niet back-uppen.\nWe zullen het later opnieuw proberen.", - ), - "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( - "Kon geen ruimte vrijmaken", - ), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Kon abonnement niet wijzigen", - ), - "count": MessageLookupByLibrary.simpleMessage("Aantal"), - "crashReporting": MessageLookupByLibrary.simpleMessage( - "Crash rapportering", - ), - "create": MessageLookupByLibrary.simpleMessage("Creëren"), - "createAccount": MessageLookupByLibrary.simpleMessage("Account aanmaken"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Lang indrukken om foto\'s te selecteren en klik + om een album te maken", - ), - "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( - "Maak een gezamenlijke link", - ), - "createCollage": MessageLookupByLibrary.simpleMessage("Creëer collage"), - "createNewAccount": MessageLookupByLibrary.simpleMessage( - "Nieuw account aanmaken", - ), - "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( - "Maak of selecteer album", - ), - "createPublicLink": MessageLookupByLibrary.simpleMessage( - "Maak publieke link", - ), - "creatingLink": MessageLookupByLibrary.simpleMessage("Link aanmaken..."), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "Belangrijke update beschikbaar", - ), - "crop": MessageLookupByLibrary.simpleMessage("Bijsnijden"), - "curatedMemories": MessageLookupByLibrary.simpleMessage( - "Samengestelde herinneringen", - ), - "currentUsageIs": MessageLookupByLibrary.simpleMessage( - "Huidig gebruik is ", - ), - "currentlyRunning": MessageLookupByLibrary.simpleMessage("momenteel bezig"), - "custom": MessageLookupByLibrary.simpleMessage("Aangepast"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Donker"), - "dayToday": MessageLookupByLibrary.simpleMessage("Vandaag"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Gisteren"), - "declineTrustInvite": MessageLookupByLibrary.simpleMessage( - "Uitnodiging afwijzen", - ), - "decrypting": MessageLookupByLibrary.simpleMessage("Ontsleutelen..."), - "decryptingVideo": MessageLookupByLibrary.simpleMessage( - "Video ontsleutelen...", - ), - "deduplicateFiles": MessageLookupByLibrary.simpleMessage( - "Dubbele bestanden verwijderen", - ), - "delete": MessageLookupByLibrary.simpleMessage("Verwijderen"), - "deleteAccount": MessageLookupByLibrary.simpleMessage( - "Account verwijderen", - ), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "We vinden het jammer je te zien gaan. Deel je feedback om ons te helpen verbeteren.", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Account permanent verwijderen", - ), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Verwijder album"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Verwijder de foto\'s (en video\'s) van dit album ook uit alle andere albums waar deze deel van uitmaken?", - ), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "Hiermee worden alle lege albums verwijderd. Dit is handig wanneer je rommel in je albumlijst wilt verminderen.", - ), - "deleteAll": MessageLookupByLibrary.simpleMessage("Alles Verwijderen"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "Dit account is gekoppeld aan andere Ente apps, als je er gebruik van maakt. Je geüploade gegevens worden in alle Ente apps gepland voor verwijdering, en je account wordt permanent verwijderd voor alle Ente diensten.", - ), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Stuur een e-mail naar account-deletion@ente.io vanaf het door jou geregistreerde e-mailadres.", - ), - "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( - "Lege albums verwijderen", - ), - "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( - "Lege albums verwijderen?", - ), - "deleteFromBoth": MessageLookupByLibrary.simpleMessage( - "Verwijder van beide", - ), - "deleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Verwijder van apparaat", - ), - "deleteFromEnte": MessageLookupByLibrary.simpleMessage( - "Verwijder van Ente", - ), - "deleteItemCount": m21, - "deleteLocation": MessageLookupByLibrary.simpleMessage("Verwijder locatie"), - "deleteMultipleAlbumDialog": m22, - "deletePhotos": MessageLookupByLibrary.simpleMessage("Foto\'s verwijderen"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Ik mis een belangrijke functie", - ), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "De app of een bepaalde functie functioneert niet zoals ik verwacht", - ), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Ik heb een andere dienst gevonden die me beter bevalt", - ), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "Mijn reden wordt niet vermeld", - ), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Je verzoek wordt binnen 72 uur verwerkt.", - ), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Gedeeld album verwijderen?", - ), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "Het album wordt verwijderd voor iedereen\n\nJe verliest de toegang tot gedeelde foto\'s in dit album die eigendom zijn van anderen", - ), - "deselectAll": MessageLookupByLibrary.simpleMessage("Alles deselecteren"), - "designedToOutlive": MessageLookupByLibrary.simpleMessage( - "Ontworpen om levenslang mee te gaan", - ), - "details": MessageLookupByLibrary.simpleMessage("Details"), - "developerSettings": MessageLookupByLibrary.simpleMessage( - "Ontwikkelaarsinstellingen", - ), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Weet je zeker dat je de ontwikkelaarsinstellingen wilt wijzigen?", - ), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Voer de code in"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "Bestanden toegevoegd aan dit album van dit apparaat zullen automatisch geüpload worden naar Ente.", - ), - "deviceLock": MessageLookupByLibrary.simpleMessage("Apparaat vergrendeld"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Schakel de schermvergrendeling van het apparaat uit wanneer Ente op de voorgrond is en er een back-up aan de gang is. Dit is normaal gesproken niet nodig, maar kan grote uploads en initiële imports van grote mappen sneller laten verlopen.", - ), - "deviceNotFound": MessageLookupByLibrary.simpleMessage( - "Apparaat niet gevonden", - ), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Wist u dat?"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage( - "Automatisch vergrendelen uitschakelen", - ), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Kijkers kunnen nog steeds screenshots maken of een kopie van je foto\'s opslaan met behulp van externe tools", - ), - "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( - "Let op", - ), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "Tweestapsverificatie uitschakelen", - ), - "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( - "Tweestapsverificatie uitschakelen...", - ), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Ontdek"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Baby\'s"), - "discover_celebrations": MessageLookupByLibrary.simpleMessage("Vieringen"), - "discover_food": MessageLookupByLibrary.simpleMessage("Voedsel"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Natuur"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Heuvels"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Identiteit"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Notities"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Huisdieren"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Bonnen"), - "discover_screenshots": MessageLookupByLibrary.simpleMessage( - "Schermafbeeldingen", - ), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfies"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Zonsondergang"), - "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( - "Visite kaartjes", - ), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage( - "Achtergronden", - ), - "dismiss": MessageLookupByLibrary.simpleMessage("Afwijzen"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage("Niet uitloggen"), - "doThisLater": MessageLookupByLibrary.simpleMessage("Doe dit later"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Wilt u de bewerkingen die u hebt gemaakt annuleren?", - ), - "done": MessageLookupByLibrary.simpleMessage("Voltooid"), - "dontSave": MessageLookupByLibrary.simpleMessage("Niet opslaan"), - "doubleYourStorage": MessageLookupByLibrary.simpleMessage( - "Verdubbel uw opslagruimte", - ), - "download": MessageLookupByLibrary.simpleMessage("Downloaden"), - "downloadFailed": MessageLookupByLibrary.simpleMessage("Download mislukt"), - "downloading": MessageLookupByLibrary.simpleMessage("Downloaden..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Bewerken"), - "editEmailAlreadyLinked": m28, - "editLocation": MessageLookupByLibrary.simpleMessage("Locatie bewerken"), - "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( - "Locatie bewerken", - ), - "editPerson": MessageLookupByLibrary.simpleMessage("Persoon bewerken"), - "editTime": MessageLookupByLibrary.simpleMessage("Tijd bewerken"), - "editsSaved": MessageLookupByLibrary.simpleMessage( - "Bewerkingen opgeslagen", - ), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Bewerkte locatie wordt alleen gezien binnen Ente", - ), - "eligible": MessageLookupByLibrary.simpleMessage("gerechtigd"), - "email": MessageLookupByLibrary.simpleMessage("E-mail"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "E-mail is al geregistreerd.", - ), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "E-mail niet geregistreerd.", - ), - "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( - "E-mailverificatie", - ), - "emailYourLogs": MessageLookupByLibrary.simpleMessage( - "E-mail uw logboeken", - ), - "embracingThem": m32, - "emergencyContacts": MessageLookupByLibrary.simpleMessage("Noodcontacten"), - "empty": MessageLookupByLibrary.simpleMessage("Leeg"), - "emptyTrash": MessageLookupByLibrary.simpleMessage("Prullenbak leegmaken?"), - "enable": MessageLookupByLibrary.simpleMessage("Inschakelen"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "Ente ondersteunt on-device machine learning voor gezichtsherkenning, magisch zoeken en andere geavanceerde zoekfuncties", - ), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Schakel machine learning in voor magische zoekopdrachten en gezichtsherkenning", - ), - "enableMaps": MessageLookupByLibrary.simpleMessage("Kaarten inschakelen"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "Dit toont jouw foto\'s op een wereldkaart.\n\nDeze kaart wordt gehost door Open Street Map, en de exacte locaties van jouw foto\'s worden nooit gedeeld.\n\nJe kunt deze functie op elk gewenst moment uitschakelen via de instellingen.", - ), - "enabled": MessageLookupByLibrary.simpleMessage("Ingeschakeld"), - "encryptingBackup": MessageLookupByLibrary.simpleMessage( - "Back-up versleutelen...", - ), - "encryption": MessageLookupByLibrary.simpleMessage("Encryptie"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage("Encryptiesleutels"), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Eindpunt met succes bijgewerkt", - ), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Standaard end-to-end versleuteld", - ), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente kan bestanden alleen versleutelen en bewaren als u toegang tot ze geeft", - ), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente heeft toestemming nodig om je foto\'s te bewaren", - ), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "Ente bewaart uw herinneringen, zodat ze altijd beschikbaar voor u zijn, zelfs als u uw apparaat verliest.", - ), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Je familie kan ook aan je abonnement worden toegevoegd.", - ), - "enterAlbumName": MessageLookupByLibrary.simpleMessage("Voer albumnaam in"), - "enterCode": MessageLookupByLibrary.simpleMessage("Voer code in"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Voer de code van de vriend in om gratis opslag voor jullie beiden te claimen", - ), - "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( - "Verjaardag (optioneel)", - ), - "enterEmail": MessageLookupByLibrary.simpleMessage("Voer e-mailadres in"), - "enterFileName": MessageLookupByLibrary.simpleMessage( - "Geef bestandsnaam op", - ), - "enterName": MessageLookupByLibrary.simpleMessage("Naam invoeren"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Voer een nieuw wachtwoord in dat we kunnen gebruiken om je gegevens te versleutelen", - ), - "enterPassword": MessageLookupByLibrary.simpleMessage("Voer wachtwoord in"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Voer een wachtwoord in dat we kunnen gebruiken om je gegevens te versleutelen", - ), - "enterPersonName": MessageLookupByLibrary.simpleMessage( - "Naam van persoon invoeren", - ), - "enterPin": MessageLookupByLibrary.simpleMessage("PIN invoeren"), - "enterReferralCode": MessageLookupByLibrary.simpleMessage( - "Voer verwijzingscode in", - ), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Voer de 6-cijferige code van je verificatie-app in", - ), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Voer een geldig e-mailadres in.", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Voer je e-mailadres in", - ), - "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( - "Voer uw nieuwe e-mailadres in", - ), - "enterYourPassword": MessageLookupByLibrary.simpleMessage( - "Voer je wachtwoord in", - ), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Voer je herstelcode in", - ), - "error": MessageLookupByLibrary.simpleMessage("Foutmelding"), - "everywhere": MessageLookupByLibrary.simpleMessage("overal"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": MessageLookupByLibrary.simpleMessage("Bestaande gebruiker"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Deze link is verlopen. Selecteer een nieuwe vervaltijd of schakel de vervaldatum uit.", - ), - "exportLogs": MessageLookupByLibrary.simpleMessage("Logboek exporteren"), - "exportYourData": MessageLookupByLibrary.simpleMessage( - "Exporteer je gegevens", - ), - "extraPhotosFound": MessageLookupByLibrary.simpleMessage( - "Extra foto\'s gevonden", - ), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Gezicht nog niet geclusterd, kom later terug", - ), - "faceRecognition": MessageLookupByLibrary.simpleMessage( - "Gezichtsherkenning", - ), - "faces": MessageLookupByLibrary.simpleMessage("Gezichten"), - "failed": MessageLookupByLibrary.simpleMessage("Mislukt"), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage( - "Code toepassen mislukt", - ), - "failedToCancel": MessageLookupByLibrary.simpleMessage("Opzeggen mislukt"), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( - "Downloaden van video mislukt", - ), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Ophalen van actieve sessies mislukt", - ), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Fout bij ophalen origineel voor bewerking", - ), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Kan geen verwijzingsgegevens ophalen. Probeer het later nog eens.", - ), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "Laden van albums mislukt", - ), - "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Afspelen van video mislukt", - ), - "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( - "Abonnement vernieuwen mislukt", - ), - "failedToRenew": MessageLookupByLibrary.simpleMessage("Verlengen mislukt"), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Betalingsstatus verifiëren mislukt", - ), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Voeg 5 gezinsleden toe aan je bestaande abonnement zonder extra te betalen.\n\nElk lid krijgt zijn eigen privé ruimte en kan elkaars bestanden niet zien tenzij ze zijn gedeeld.\n\nFamilieplannen zijn beschikbaar voor klanten die een betaald Ente abonnement hebben.\n\nAbonneer nu om aan de slag te gaan!", - ), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Familie"), - "familyPlans": MessageLookupByLibrary.simpleMessage("Familie abonnement"), - "faq": MessageLookupByLibrary.simpleMessage("Veelgestelde vragen"), - "faqs": MessageLookupByLibrary.simpleMessage("Veelgestelde vragen"), - "favorite": MessageLookupByLibrary.simpleMessage( - "Toevoegen aan favorieten", - ), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("Feedback"), - "file": MessageLookupByLibrary.simpleMessage("Bestand"), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Opslaan van bestand naar galerij mislukt", - ), - "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( - "Voeg een beschrijving toe...", - ), - "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( - "Bestand nog niet geüpload", - ), - "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Bestand opgeslagen in galerij", - ), - "fileTypes": MessageLookupByLibrary.simpleMessage("Bestandstype"), - "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( - "Bestandstypen en namen", - ), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage( - "Bestanden verwijderd", - ), - "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Bestand opgeslagen in galerij", - ), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Mensen snel op naam zoeken", - ), - "findThemQuickly": MessageLookupByLibrary.simpleMessage("Vind ze snel"), - "flip": MessageLookupByLibrary.simpleMessage("Omdraaien"), - "food": MessageLookupByLibrary.simpleMessage("Culinaire vreugde"), - "forYourMemories": MessageLookupByLibrary.simpleMessage( - "voor uw herinneringen", - ), - "forgotPassword": MessageLookupByLibrary.simpleMessage( - "Wachtwoord vergeten", - ), - "foundFaces": MessageLookupByLibrary.simpleMessage("Gezichten gevonden"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( - "Gratis opslag geclaimd", - ), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Gratis opslag bruikbaar", - ), - "freeTrial": MessageLookupByLibrary.simpleMessage("Gratis proefversie"), - "freeTrialValidTill": m38, - "freeUpAccessPostDelete": m39, - "freeUpAmount": m40, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( - "Apparaatruimte vrijmaken", - ), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Bespaar ruimte op je apparaat door bestanden die al geback-upt zijn te wissen.", - ), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("Ruimte vrijmaken"), - "freeUpSpaceSaving": m41, - "gallery": MessageLookupByLibrary.simpleMessage("Galerij"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "Tot 1000 herinneringen getoond in de galerij", - ), - "general": MessageLookupByLibrary.simpleMessage("Algemeen"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Encryptiesleutels genereren...", - ), - "genericProgress": m42, - "goToSettings": MessageLookupByLibrary.simpleMessage( - "Ga naar instellingen", - ), - "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Geef toegang tot alle foto\'s in de Instellingen app", - ), - "grantPermission": MessageLookupByLibrary.simpleMessage( - "Toestemming verlenen", - ), - "greenery": MessageLookupByLibrary.simpleMessage("Het groene leven"), - "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( - "Groep foto\'s in de buurt", - ), - "guestView": MessageLookupByLibrary.simpleMessage("Gasten weergave"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "Om gasten weergave in te schakelen, moet u een toegangscode of schermvergrendeling instellen in uw systeeminstellingen.", - ), - "happyBirthday": MessageLookupByLibrary.simpleMessage( - "Fijne verjaardag! 🥳", - ), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "Wij gebruiken geen tracking. Het zou helpen als je ons vertelt waar je ons gevonden hebt!", - ), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Hoe hoorde je over Ente? (optioneel)", - ), - "help": MessageLookupByLibrary.simpleMessage("Hulp"), - "hidden": MessageLookupByLibrary.simpleMessage("Verborgen"), - "hide": MessageLookupByLibrary.simpleMessage("Verbergen"), - "hideContent": MessageLookupByLibrary.simpleMessage("Inhoud verbergen"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Verbergt app-inhoud in de app-schakelaar en schakelt schermopnamen uit", - ), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Verbergt de inhoud van de app in de app-schakelaar", - ), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "Verberg gedeelde bestanden uit de galerij", - ), - "hiding": MessageLookupByLibrary.simpleMessage("Verbergen..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( - "Gehost bij OSM France", - ), - "howItWorks": MessageLookupByLibrary.simpleMessage("Hoe het werkt"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Vraag hen om hun e-mailadres lang in te drukken op het instellingenscherm en te controleren dat de ID\'s op beide apparaten overeenkomen.", - ), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Biometrische authenticatie is niet ingesteld op uw apparaat. Schakel Touch ID of Face ID in op uw telefoon.", - ), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "Biometrische verificatie is uitgeschakeld. Vergrendel en ontgrendel uw scherm om het in te schakelen.", - ), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("Oké"), - "ignore": MessageLookupByLibrary.simpleMessage("Negeren"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Negeren"), - "ignored": MessageLookupByLibrary.simpleMessage("genegeerd"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Sommige bestanden in dit album worden genegeerd voor uploaden omdat ze eerder van Ente zijn verwijderd.", - ), - "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( - "Afbeelding niet geanalyseerd", - ), - "immediately": MessageLookupByLibrary.simpleMessage("Onmiddellijk"), - "importing": MessageLookupByLibrary.simpleMessage("Importeren...."), - "incorrectCode": MessageLookupByLibrary.simpleMessage("Onjuiste code"), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Onjuist wachtwoord", - ), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Onjuiste herstelsleutel", - ), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "De ingevoerde herstelsleutel is onjuist", - ), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Onjuiste herstelsleutel", - ), - "indexedItems": MessageLookupByLibrary.simpleMessage( - "Geïndexeerde bestanden", - ), - "ineligible": MessageLookupByLibrary.simpleMessage("Ongerechtigd"), - "info": MessageLookupByLibrary.simpleMessage("Info"), - "insecureDevice": MessageLookupByLibrary.simpleMessage("Onveilig apparaat"), - "installManually": MessageLookupByLibrary.simpleMessage( - "Installeer handmatig", - ), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "Ongeldig e-mailadres", - ), - "invalidEndpoint": MessageLookupByLibrary.simpleMessage( - "Ongeldig eindpunt", - ), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Sorry, het eindpunt dat je hebt ingevoerd is ongeldig. Voer een geldig eindpunt in en probeer het opnieuw.", - ), - "invalidKey": MessageLookupByLibrary.simpleMessage("Ongeldige sleutel"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "De herstelsleutel die je hebt ingevoerd is niet geldig. Zorg ervoor dat deze 24 woorden bevat en controleer de spelling van elk van deze woorden.\n\nAls je een oudere herstelcode hebt ingevoerd, zorg ervoor dat deze 64 tekens lang is, en controleer ze allemaal.", - ), - "invite": MessageLookupByLibrary.simpleMessage("Uitnodigen"), - "inviteToEnte": MessageLookupByLibrary.simpleMessage( - "Uitnodigen voor Ente", - ), - "inviteYourFriends": MessageLookupByLibrary.simpleMessage( - "Vrienden uitnodigen", - ), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "Vrienden uitnodigen voor Ente", - ), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Het lijkt erop dat er iets fout is gegaan. Probeer het later opnieuw. Als de fout zich blijft voordoen, neem dan contact op met ons supportteam.", - ), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "Bestanden tonen het aantal resterende dagen voordat ze permanent worden verwijderd", - ), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Geselecteerde items zullen worden verwijderd uit dit album", - ), - "join": MessageLookupByLibrary.simpleMessage("Deelnemen"), - "joinAlbum": MessageLookupByLibrary.simpleMessage("Deelnemen aan album"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "Deelnemen aan een album maakt je e-mail zichtbaar voor de deelnemers.", - ), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( - "om je foto\'s te bekijken en toe te voegen", - ), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "om dit aan gedeelde albums toe te voegen", - ), - "joinDiscord": MessageLookupByLibrary.simpleMessage("Join de Discord"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Foto\'s behouden"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Help ons alsjeblieft met deze informatie", - ), - "language": MessageLookupByLibrary.simpleMessage("Taal"), - "lastTimeWithThem": m45, - "lastUpdated": MessageLookupByLibrary.simpleMessage("Laatst gewijzigd"), - "lastYearsTrip": MessageLookupByLibrary.simpleMessage( - "Reis van vorig jaar", - ), - "leave": MessageLookupByLibrary.simpleMessage("Verlaten"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Album verlaten"), - "leaveFamily": MessageLookupByLibrary.simpleMessage( - "Familie abonnement verlaten", - ), - "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Gedeeld album verlaten?", - ), - "left": MessageLookupByLibrary.simpleMessage("Links"), - "legacy": MessageLookupByLibrary.simpleMessage("Legacy"), - "legacyAccounts": MessageLookupByLibrary.simpleMessage("Legacy accounts"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "Legacy geeft vertrouwde contacten toegang tot je account bij afwezigheid.", - ), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "Vertrouwde contacten kunnen accountherstel starten, en indien deze niet binnen 30 dagen wordt geblokkeerd, je wachtwoord resetten en toegang krijgen tot je account.", - ), - "light": MessageLookupByLibrary.simpleMessage("Licht"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Licht"), - "link": MessageLookupByLibrary.simpleMessage("Link"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Link gekopieerd naar klembord", - ), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Apparaat limiet"), - "linkEmail": MessageLookupByLibrary.simpleMessage("Link email"), - "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( - "voor sneller delen", - ), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Ingeschakeld"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Verlopen"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Vervaldatum"), - "linkHasExpired": MessageLookupByLibrary.simpleMessage("Link is vervallen"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Nooit"), - "linkPerson": MessageLookupByLibrary.simpleMessage("Link persoon"), - "linkPersonCaption": MessageLookupByLibrary.simpleMessage( - "voor een betere ervaring met delen", - ), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("Live foto"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "U kunt uw abonnement met uw familie delen", - ), - "loadMessage2": MessageLookupByLibrary.simpleMessage( - "We hebben tot nu toe meer dan 200 miljoen herinneringen bewaard", - ), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "We bewaren 3 kopieën van uw bestanden, één in een ondergrondse kernbunker", - ), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "Al onze apps zijn open source", - ), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Onze broncode en cryptografie zijn extern gecontroleerd en geverifieerd", - ), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "Je kunt links naar je albums delen met je dierbaren", - ), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Onze mobiele apps draaien op de achtergrond om alle nieuwe foto\'s die je maakt te versleutelen en te back-uppen", - ), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io heeft een vlotte uploader", - ), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "We gebruiken Xchacha20Poly1305 om uw gegevens veilig te versleutelen", - ), - "loadingExifData": MessageLookupByLibrary.simpleMessage( - "EXIF-gegevens laden...", - ), - "loadingGallery": MessageLookupByLibrary.simpleMessage( - "Laden van gallerij...", - ), - "loadingMessage": MessageLookupByLibrary.simpleMessage( - "Uw foto\'s laden...", - ), - "loadingModel": MessageLookupByLibrary.simpleMessage( - "Modellen downloaden...", - ), - "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( - "Je foto\'s worden geladen...", - ), - "localGallery": MessageLookupByLibrary.simpleMessage("Lokale galerij"), - "localIndexing": MessageLookupByLibrary.simpleMessage("Lokaal indexeren"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Het lijkt erop dat er iets mis is gegaan omdat het synchroniseren van lokale foto\'s meer tijd kost dan verwacht. Neem contact op met ons supportteam", - ), - "location": MessageLookupByLibrary.simpleMessage("Locatie"), - "locationName": MessageLookupByLibrary.simpleMessage("Locatie naam"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Een locatie tag groept alle foto\'s die binnen een bepaalde straal van een foto zijn genomen", - ), - "locations": MessageLookupByLibrary.simpleMessage("Locaties"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Vergrendel"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Vergrendelscherm"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Inloggen"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Uitloggen..."), - "loginSessionExpired": MessageLookupByLibrary.simpleMessage( - "Sessie verlopen", - ), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "Jouw sessie is verlopen. Log opnieuw in.", - ), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Door op inloggen te klikken, ga ik akkoord met de gebruiksvoorwaarden en privacybeleid", - ), - "loginWithTOTP": MessageLookupByLibrary.simpleMessage("Inloggen met TOTP"), - "logout": MessageLookupByLibrary.simpleMessage("Uitloggen"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Dit zal logboeken verzenden om ons te helpen uw probleem op te lossen. Houd er rekening mee dat bestandsnamen zullen worden meegenomen om problemen met specifieke bestanden bij te houden.", - ), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Druk lang op een e-mail om de versleuteling te verifiëren.", - ), - "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( - "Houd een bestand lang ingedrukt om te bekijken op volledig scherm", - ), - "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( - "Kijk terug op je herinneringen 🌄", - ), - "loopVideoOff": MessageLookupByLibrary.simpleMessage( - "Video in lus afspelen uit", - ), - "loopVideoOn": MessageLookupByLibrary.simpleMessage( - "Video in lus afspelen aan", - ), - "lostDevice": MessageLookupByLibrary.simpleMessage("Apparaat verloren?"), - "machineLearning": MessageLookupByLibrary.simpleMessage("Machine Learning"), - "magicSearch": MessageLookupByLibrary.simpleMessage("Magische zoekfunctie"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "Magisch zoeken maakt het mogelijk om foto\'s op hun inhoud worden gezocht, bijvoorbeeld \"bloem\", \"rode auto\", \"identiteitsdocumenten\"", - ), - "manage": MessageLookupByLibrary.simpleMessage("Beheren"), - "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( - "Apparaatcache beheren", - ), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Bekijk en wis lokale cache opslag.", - ), - "manageFamily": MessageLookupByLibrary.simpleMessage( - "Familie abonnement beheren", - ), - "manageLink": MessageLookupByLibrary.simpleMessage("Beheer link"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Beheren"), - "manageSubscription": MessageLookupByLibrary.simpleMessage( - "Abonnement beheren", - ), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "Koppelen met de PIN werkt met elk scherm waarop je jouw album wilt zien.", - ), - "map": MessageLookupByLibrary.simpleMessage("Kaart"), - "maps": MessageLookupByLibrary.simpleMessage("Kaarten"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("Ik"), - "memories": MessageLookupByLibrary.simpleMessage("Herinneringen"), - "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Selecteer het soort herinneringen dat je wilt zien op je beginscherm.", - ), - "memoryCount": m50, - "merchandise": MessageLookupByLibrary.simpleMessage("Merchandise"), - "merge": MessageLookupByLibrary.simpleMessage("Samenvoegen"), - "mergeWithExisting": MessageLookupByLibrary.simpleMessage( - "Samenvoegen met bestaand", - ), - "mergedPhotos": MessageLookupByLibrary.simpleMessage( - "Samengevoegde foto\'s", - ), - "mlConsent": MessageLookupByLibrary.simpleMessage( - "Schakel machine learning in", - ), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Ik begrijp het, en wil machine learning inschakelen", - ), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Als u machine learning inschakelt, zal Ente informatie zoals gezichtsgeometrie uit bestanden extraheren, inclusief degenen die met u gedeeld worden.\n\nDit gebeurt op uw apparaat, en alle gegenereerde biometrische informatie zal end-to-end versleuteld worden.", - ), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Klik hier voor meer details over deze functie in ons privacybeleid.", - ), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "Machine learning inschakelen?", - ), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Houd er rekening mee dat machine learning zal leiden tot hoger bandbreedte- en batterijgebruik totdat alle items geïndexeerd zijn. Overweeg het gebruik van de desktop app voor snellere indexering. Alle resultaten worden automatisch gesynchroniseerd.", - ), - "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( - "Mobiel, Web, Desktop", - ), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Matig"), - "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( - "Pas je zoekopdracht aan of zoek naar", - ), - "moments": MessageLookupByLibrary.simpleMessage("Momenten"), - "month": MessageLookupByLibrary.simpleMessage("maand"), - "monthly": MessageLookupByLibrary.simpleMessage("Maandelijks"), - "moon": MessageLookupByLibrary.simpleMessage("In het maanlicht"), - "moreDetails": MessageLookupByLibrary.simpleMessage("Meer details"), - "mostRecent": MessageLookupByLibrary.simpleMessage("Meest recent"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("Meest relevant"), - "mountains": MessageLookupByLibrary.simpleMessage("Over de heuvels"), - "moveItem": m51, - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "Verplaats de geselecteerde foto\'s naar één datum", - ), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("Verplaats naar album"), - "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Verplaatsen naar verborgen album", - ), - "movedSuccessfullyTo": m52, - "movedToTrash": MessageLookupByLibrary.simpleMessage( - "Naar prullenbak verplaatst", - ), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Bestanden verplaatsen naar album...", - ), - "name": MessageLookupByLibrary.simpleMessage("Naam"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Album benoemen"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Kan geen verbinding maken met Ente, probeer het later opnieuw. Als de fout zich blijft voordoen, neem dan contact op met support.", - ), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Kan geen verbinding maken met Ente, controleer uw netwerkinstellingen en neem contact op met ondersteuning als de fout zich blijft voordoen.", - ), - "never": MessageLookupByLibrary.simpleMessage("Nooit"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Nieuw album"), - "newLocation": MessageLookupByLibrary.simpleMessage("Nieuwe locatie"), - "newPerson": MessageLookupByLibrary.simpleMessage("Nieuw persoon"), - "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" nieuwe 📸"), - "newRange": MessageLookupByLibrary.simpleMessage("Nieuwe reeks"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Nieuw bij Ente"), - "newest": MessageLookupByLibrary.simpleMessage("Nieuwste"), - "next": MessageLookupByLibrary.simpleMessage("Volgende"), - "no": MessageLookupByLibrary.simpleMessage("Nee"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Nog geen albums gedeeld door jou", - ), - "noDeviceFound": MessageLookupByLibrary.simpleMessage( - "Geen apparaat gevonden", - ), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Geen"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "Je hebt geen bestanden op dit apparaat die verwijderd kunnen worden", - ), - "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Geen duplicaten"), - "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( - "Geen Ente account!", - ), - "noExifData": MessageLookupByLibrary.simpleMessage("Geen EXIF gegevens"), - "noFacesFound": MessageLookupByLibrary.simpleMessage( - "Geen gezichten gevonden", - ), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "Geen verborgen foto\'s of video\'s", - ), - "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( - "Geen afbeeldingen met locatie", - ), - "noInternetConnection": MessageLookupByLibrary.simpleMessage( - "Geen internetverbinding", - ), - "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( - "Er worden momenteel geen foto\'s geback-upt", - ), - "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( - "Geen foto\'s gevonden hier", - ), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( - "Geen snelle links geselecteerd", - ), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage("Geen herstelcode?"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Door de aard van ons end-to-end encryptieprotocol kunnen je gegevens niet worden ontsleuteld zonder je wachtwoord of herstelsleutel", - ), - "noResults": MessageLookupByLibrary.simpleMessage("Geen resultaten"), - "noResultsFound": MessageLookupByLibrary.simpleMessage( - "Geen resultaten gevonden", - ), - "noSuggestionsForPerson": m53, - "noSystemLockFound": MessageLookupByLibrary.simpleMessage( - "Geen systeemvergrendeling gevonden", - ), - "notPersonLabel": m54, - "notThisPerson": MessageLookupByLibrary.simpleMessage( - "Niet dezelfde persoon?", - ), - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "Nog niets met je gedeeld", - ), - "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( - "Nog niets te zien hier! 👀", - ), - "notifications": MessageLookupByLibrary.simpleMessage("Meldingen"), - "ok": MessageLookupByLibrary.simpleMessage("Oké"), - "onDevice": MessageLookupByLibrary.simpleMessage("Op het apparaat"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "Op ente", - ), - "onTheRoad": MessageLookupByLibrary.simpleMessage("Onderweg"), - "onThisDay": MessageLookupByLibrary.simpleMessage("Op deze dag"), - "onThisDayMemories": MessageLookupByLibrary.simpleMessage( - "Op deze dag herinneringen", - ), - "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( - "Ontvang meldingen over herinneringen op deze dag door de jaren heen.", - ), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Alleen hen"), - "oops": MessageLookupByLibrary.simpleMessage("Oeps"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Oeps, kon bewerkingen niet opslaan", - ), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Oeps, er is iets misgegaan", - ), - "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( - "Open album in browser", - ), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Gebruik de webapp om foto\'s aan dit album toe te voegen", - ), - "openFile": MessageLookupByLibrary.simpleMessage("Bestand openen"), - "openSettings": MessageLookupByLibrary.simpleMessage("Instellingen openen"), - "openTheItem": MessageLookupByLibrary.simpleMessage("• Open het item"), - "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( - "OpenStreetMap bijdragers", - ), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Optioneel, zo kort als je wilt...", - ), - "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( - "Of samenvoegen met bestaande", - ), - "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( - "Of kies een bestaande", - ), - "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( - "of kies uit je contacten", - ), - "otherDetectedFaces": MessageLookupByLibrary.simpleMessage( - "Andere gedetecteerde gezichten", - ), - "pair": MessageLookupByLibrary.simpleMessage("Koppelen"), - "pairWithPin": MessageLookupByLibrary.simpleMessage("Koppelen met PIN"), - "pairingComplete": MessageLookupByLibrary.simpleMessage( - "Koppeling voltooid", - ), - "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), - "partyWithThem": m56, - "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( - "Verificatie is nog in behandeling", - ), - "passkey": MessageLookupByLibrary.simpleMessage("Passkey"), - "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( - "Passkey verificatie", - ), - "password": MessageLookupByLibrary.simpleMessage("Wachtwoord"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Wachtwoord succesvol aangepast", - ), - "passwordLock": MessageLookupByLibrary.simpleMessage("Wachtwoord slot"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "De wachtwoordsterkte wordt berekend aan de hand van de lengte van het wachtwoord, de gebruikte tekens en of het wachtwoord al dan niet in de top 10.000 van meest gebruikte wachtwoorden staat", - ), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Wij slaan dit wachtwoord niet op, dus als je het vergeet, kunnen we je gegevens niet ontsleutelen", - ), - "pastYearsMemories": MessageLookupByLibrary.simpleMessage( - "Afgelopen jaren", - ), - "paymentDetails": MessageLookupByLibrary.simpleMessage("Betaalgegevens"), - "paymentFailed": MessageLookupByLibrary.simpleMessage("Betaling mislukt"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "Helaas is je betaling mislukt. Neem contact op met support zodat we je kunnen helpen!", - ), - "paymentFailedTalkToProvider": m58, - "pendingItems": MessageLookupByLibrary.simpleMessage( - "Bestanden in behandeling", - ), - "pendingSync": MessageLookupByLibrary.simpleMessage( - "Synchronisatie in behandeling", - ), - "people": MessageLookupByLibrary.simpleMessage("Personen"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Mensen die jouw code gebruiken", - ), - "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Selecteer de mensen die je wilt zien op je beginscherm.", - ), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Alle bestanden in de prullenbak zullen permanent worden verwijderd\n\nDeze actie kan niet ongedaan worden gemaakt", - ), - "permanentlyDelete": MessageLookupByLibrary.simpleMessage( - "Permanent verwijderen", - ), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Permanent verwijderen van apparaat?", - ), - "personIsAge": m59, - "personName": MessageLookupByLibrary.simpleMessage("Naam van persoon"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("Harige kameraden"), - "photoDescriptions": MessageLookupByLibrary.simpleMessage( - "Foto beschrijvingen", - ), - "photoGridSize": MessageLookupByLibrary.simpleMessage( - "Foto raster grootte", - ), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("Foto\'s"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "Foto\'s toegevoegd door u zullen worden verwijderd uit het album", - ), - "photosCount": m62, - "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( - "Foto\'s behouden relatief tijdsverschil", - ), - "pickCenterPoint": MessageLookupByLibrary.simpleMessage("Kies middelpunt"), - "pinAlbum": MessageLookupByLibrary.simpleMessage( - "Album bovenaan vastzetten", - ), - "pinLock": MessageLookupByLibrary.simpleMessage("PIN vergrendeling"), - "playOnTv": MessageLookupByLibrary.simpleMessage("Album afspelen op TV"), - "playOriginal": MessageLookupByLibrary.simpleMessage("Origineel afspelen"), - "playStoreFreeTrialValidTill": m63, - "playStream": MessageLookupByLibrary.simpleMessage("Stream afspelen"), - "playstoreSubscription": MessageLookupByLibrary.simpleMessage( - "PlayStore abonnement", - ), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Controleer je internetverbinding en probeer het opnieuw.", - ), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Neem alstublieft contact op met support@ente.io en we helpen u graag!", - ), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Neem contact op met klantenservice als het probleem aanhoudt", - ), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( - "Geef alstublieft toestemming", - ), - "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage("Log opnieuw in"), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Selecteer snelle links om te verwijderen", - ), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Probeer het nog eens", - ), - "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( - "Controleer de code die u hebt ingevoerd", - ), - "pleaseWait": MessageLookupByLibrary.simpleMessage( - "Een ogenblik geduld...", - ), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Een ogenblik geduld, album wordt verwijderd", - ), - "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( - "Gelieve even te wachten voordat u opnieuw probeert", - ), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "Een ogenblik geduld, dit zal even duren.", - ), - "posingWithThem": m66, - "preparingLogs": MessageLookupByLibrary.simpleMessage( - "Logboeken voorbereiden...", - ), - "preserveMore": MessageLookupByLibrary.simpleMessage("Meer bewaren"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Ingedrukt houden om video af te spelen", - ), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Houd de afbeelding ingedrukt om video af te spelen", - ), - "previous": MessageLookupByLibrary.simpleMessage("Vorige"), - "privacy": MessageLookupByLibrary.simpleMessage("Privacy"), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage("Privacybeleid"), - "privateBackups": MessageLookupByLibrary.simpleMessage("Privé back-ups"), - "privateSharing": MessageLookupByLibrary.simpleMessage("Privé delen"), - "proceed": MessageLookupByLibrary.simpleMessage("Verder"), - "processed": MessageLookupByLibrary.simpleMessage("Verwerkt"), - "processing": MessageLookupByLibrary.simpleMessage("Verwerken"), - "processingImport": m67, - "processingVideos": MessageLookupByLibrary.simpleMessage( - "Video\'s verwerken", - ), - "publicLinkCreated": MessageLookupByLibrary.simpleMessage( - "Publieke link aangemaakt", - ), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( - "Publieke link ingeschakeld", - ), - "questionmark": MessageLookupByLibrary.simpleMessage("?"), - "queued": MessageLookupByLibrary.simpleMessage("In wachtrij"), - "quickLinks": MessageLookupByLibrary.simpleMessage("Snelle links"), - "radius": MessageLookupByLibrary.simpleMessage("Straal"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Meld probleem"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("Beoordeel de app"), - "rateUs": MessageLookupByLibrary.simpleMessage("Beoordeel ons"), - "rateUsOnStore": m68, - "reassignMe": MessageLookupByLibrary.simpleMessage( - "\"Ik\" opnieuw toewijzen", - ), - "reassignedToName": m69, - "reassigningLoading": MessageLookupByLibrary.simpleMessage( - "Opnieuw toewijzen...", - ), - "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( - "Ontvang herinneringen wanneer iemand jarig is. Als je op de melding drukt, krijg je foto\'s van de jarige.", - ), - "recover": MessageLookupByLibrary.simpleMessage("Herstellen"), - "recoverAccount": MessageLookupByLibrary.simpleMessage( - "Account herstellen", - ), - "recoverButton": MessageLookupByLibrary.simpleMessage("Herstellen"), - "recoveryAccount": MessageLookupByLibrary.simpleMessage( - "Account herstellen", - ), - "recoveryInitiated": MessageLookupByLibrary.simpleMessage( - "Herstel gestart", - ), - "recoveryInitiatedDesc": m70, - "recoveryKey": MessageLookupByLibrary.simpleMessage("Herstelsleutel"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Herstelsleutel gekopieerd naar klembord", - ), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Als je je wachtwoord vergeet, kun je alleen met deze sleutel je gegevens herstellen.", - ), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "We slaan deze sleutel niet op, bewaar deze 24 woorden sleutel op een veilige plaats.", - ), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Super! Je herstelsleutel is geldig. Bedankt voor het verifiëren.\n\nVergeet niet om je herstelsleutel veilig te bewaren.", - ), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Herstel sleutel geverifieerd", - ), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Je herstelsleutel is de enige manier om je foto\'s te herstellen als je je wachtwoord bent vergeten. Je vindt je herstelsleutel in Instellingen > Account.\n\nVoer hier je herstelsleutel in om te controleren of je hem correct hebt opgeslagen.", - ), - "recoveryReady": m71, - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "Herstel succesvol!", - ), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "Een vertrouwd contact probeert toegang te krijgen tot je account", - ), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "Het huidige apparaat is niet krachtig genoeg om je wachtwoord te verifiëren, dus moeten we de code een keer opnieuw genereren op een manier die met alle apparaten werkt.\n\nLog in met behulp van uw herstelcode en genereer opnieuw uw wachtwoord (je kunt dezelfde indien gewenst opnieuw gebruiken).", - ), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Wachtwoord opnieuw instellen", - ), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": MessageLookupByLibrary.simpleMessage( - "Wachtwoord opnieuw invoeren", - ), - "reenterPin": MessageLookupByLibrary.simpleMessage("PIN opnieuw invoeren"), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Verwijs vrienden en 2x uw abonnement", - ), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Geef deze code aan je vrienden", - ), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Ze registreren voor een betaald plan", - ), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Referenties"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "Verwijzingen zijn momenteel gepauzeerd", - ), - "rejectRecovery": MessageLookupByLibrary.simpleMessage("Herstel weigeren"), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "Leeg ook \"Onlangs verwijderd\" uit \"Instellingen\" -> \"Opslag\" om de vrij gekomen ruimte te benutten", - ), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Leeg ook uw \"Prullenbak\" om de vrij gekomen ruimte te benutten", - ), - "remoteImages": MessageLookupByLibrary.simpleMessage( - "Externe afbeeldingen", - ), - "remoteThumbnails": MessageLookupByLibrary.simpleMessage( - "Externe thumbnails", - ), - "remoteVideos": MessageLookupByLibrary.simpleMessage("Externe video\'s"), - "remove": MessageLookupByLibrary.simpleMessage("Verwijder"), - "removeDuplicates": MessageLookupByLibrary.simpleMessage( - "Duplicaten verwijderen", - ), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Controleer en verwijder bestanden die exacte kopieën zijn.", - ), - "removeFromAlbum": MessageLookupByLibrary.simpleMessage( - "Verwijder uit album", - ), - "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( - "Uit album verwijderen?", - ), - "removeFromFavorite": MessageLookupByLibrary.simpleMessage( - "Verwijder van favorieten", - ), - "removeInvite": MessageLookupByLibrary.simpleMessage( - "Verwijder uitnodiging", - ), - "removeLink": MessageLookupByLibrary.simpleMessage("Verwijder link"), - "removeParticipant": MessageLookupByLibrary.simpleMessage( - "Deelnemer verwijderen", - ), - "removeParticipantBody": m74, - "removePersonLabel": MessageLookupByLibrary.simpleMessage( - "Verwijder persoonslabel", - ), - "removePublicLink": MessageLookupByLibrary.simpleMessage( - "Verwijder publieke link", - ), - "removePublicLinks": MessageLookupByLibrary.simpleMessage( - "Verwijder publieke link", - ), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Sommige van de items die je verwijdert zijn door andere mensen toegevoegd, en je verliest de toegang daartoe", - ), - "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage( - "Verwijder?", - ), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Verwijder jezelf als vertrouwd contact", - ), - "removingFromFavorites": MessageLookupByLibrary.simpleMessage( - "Verwijderen uit favorieten...", - ), - "rename": MessageLookupByLibrary.simpleMessage("Naam wijzigen"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("Albumnaam wijzigen"), - "renameFile": MessageLookupByLibrary.simpleMessage("Bestandsnaam wijzigen"), - "renewSubscription": MessageLookupByLibrary.simpleMessage( - "Abonnement verlengen", - ), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Een fout melden"), - "reportBug": MessageLookupByLibrary.simpleMessage("Fout melden"), - "resendEmail": MessageLookupByLibrary.simpleMessage( - "E-mail opnieuw versturen", - ), - "reset": MessageLookupByLibrary.simpleMessage("Reset"), - "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( - "Reset genegeerde bestanden", - ), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Wachtwoord resetten", - ), - "resetPerson": MessageLookupByLibrary.simpleMessage("Verwijderen"), - "resetToDefault": MessageLookupByLibrary.simpleMessage( - "Standaardinstellingen herstellen", - ), - "restore": MessageLookupByLibrary.simpleMessage("Herstellen"), - "restoreToAlbum": MessageLookupByLibrary.simpleMessage( - "Terugzetten naar album", - ), - "restoringFiles": MessageLookupByLibrary.simpleMessage( - "Bestanden herstellen...", - ), - "resumableUploads": MessageLookupByLibrary.simpleMessage( - "Hervatbare uploads", - ), - "retry": MessageLookupByLibrary.simpleMessage("Opnieuw"), - "review": MessageLookupByLibrary.simpleMessage("Beoordelen"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Controleer en verwijder de bestanden die u denkt dat dubbel zijn.", - ), - "reviewSuggestions": MessageLookupByLibrary.simpleMessage( - "Suggesties beoordelen", - ), - "right": MessageLookupByLibrary.simpleMessage("Rechts"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("Roteren"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Roteer links"), - "rotateRight": MessageLookupByLibrary.simpleMessage("Rechtsom draaien"), - "safelyStored": MessageLookupByLibrary.simpleMessage("Veilig opgeslagen"), - "save": MessageLookupByLibrary.simpleMessage("Opslaan"), - "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage( - "Opslaan als ander persoon", - ), - "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( - "Wijzigingen opslaan voor verlaten?", - ), - "saveCollage": MessageLookupByLibrary.simpleMessage("Sla collage op"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Kopie opslaan"), - "saveKey": MessageLookupByLibrary.simpleMessage("Bewaar sleutel"), - "savePerson": MessageLookupByLibrary.simpleMessage("Persoon opslaan"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Sla je herstelsleutel op als je dat nog niet gedaan hebt", - ), - "saving": MessageLookupByLibrary.simpleMessage("Opslaan..."), - "savingEdits": MessageLookupByLibrary.simpleMessage("Bewerken opslaan..."), - "scanCode": MessageLookupByLibrary.simpleMessage("Scan code"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Scan deze barcode met\nje authenticator app", - ), - "search": MessageLookupByLibrary.simpleMessage("Zoeken"), - "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Albums"), - "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage("Albumnaam"), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Albumnamen (bijv. \"Camera\")\n• Types van bestanden (bijv. \"Video\'s\", \".gif\")\n• Jaren en maanden (bijv. \"2022\", \"januari\")\n• Feestdagen (bijv. \"Kerstmis\")\n• Fotobeschrijvingen (bijv. \"#fun\")", - ), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Voeg beschrijvingen zoals \"#weekendje weg\" toe in foto-info om ze snel hier te vinden", - ), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Zoeken op een datum, maand of jaar", - ), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "Afbeeldingen worden hier getoond zodra verwerking en synchroniseren voltooid is", - ), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "Mensen worden hier getoond als het indexeren klaar is", - ), - "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( - "Bestandstypen en namen", - ), - "searchHint1": MessageLookupByLibrary.simpleMessage( - "Snelle, lokale zoekfunctie", - ), - "searchHint2": MessageLookupByLibrary.simpleMessage( - "Foto datums, beschrijvingen", - ), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "Albums, bestandsnamen en typen", - ), - "searchHint4": MessageLookupByLibrary.simpleMessage("Locatie"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "Binnenkort beschikbaar: Gezichten & magische zoekopdrachten ✨", - ), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Foto\'s groeperen die in een bepaalde straal van een foto worden genomen", - ), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "Nodig mensen uit, en je ziet alle foto\'s die door hen worden gedeeld hier", - ), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "Personen worden hier getoond zodra verwerking en synchroniseren voltooid is", - ), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Beveiliging"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "Bekijk publieke album links in de app", - ), - "selectALocation": MessageLookupByLibrary.simpleMessage( - "Selecteer een locatie", - ), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage( - "Selecteer eerst een locatie", - ), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Album selecteren"), - "selectAll": MessageLookupByLibrary.simpleMessage("Selecteer alles"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("Alle"), - "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( - "Selecteer omslagfoto", - ), - "selectDate": MessageLookupByLibrary.simpleMessage("Selecteer datum"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Selecteer mappen voor back-up", - ), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "Selecteer items om toe te voegen", - ), - "selectLanguage": MessageLookupByLibrary.simpleMessage("Taal selecteren"), - "selectMailApp": MessageLookupByLibrary.simpleMessage("Selecteer mail app"), - "selectMorePhotos": MessageLookupByLibrary.simpleMessage( - "Selecteer meer foto\'s", - ), - "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( - "Selecteer één datum en tijd", - ), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "Selecteer één datum en tijd voor allen", - ), - "selectPersonToLink": MessageLookupByLibrary.simpleMessage( - "Kies persoon om te linken", - ), - "selectReason": MessageLookupByLibrary.simpleMessage("Selecteer reden"), - "selectStartOfRange": MessageLookupByLibrary.simpleMessage( - "Selecteer start van reeks", - ), - "selectTime": MessageLookupByLibrary.simpleMessage("Tijd selecteren"), - "selectYourFace": MessageLookupByLibrary.simpleMessage( - "Selecteer je gezicht", - ), - "selectYourPlan": MessageLookupByLibrary.simpleMessage( - "Kies uw abonnement", - ), - "selectedAlbums": m79, - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Geselecteerde bestanden staan niet op Ente", - ), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Geselecteerde mappen worden versleuteld en geback-upt", - ), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Geselecteerde bestanden worden verwijderd uit alle albums en verplaatst naar de prullenbak.", - ), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "Geselecteerde bestanden worden van deze persoon verwijderd, maar niet uit uw bibliotheek verwijderd.", - ), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("Verzenden"), - "sendEmail": MessageLookupByLibrary.simpleMessage("E-mail versturen"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Stuur een uitnodiging"), - "sendLink": MessageLookupByLibrary.simpleMessage("Stuur link"), - "serverEndpoint": MessageLookupByLibrary.simpleMessage("Server eindpunt"), - "sessionExpired": MessageLookupByLibrary.simpleMessage("Sessie verlopen"), - "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( - "Sessie ID komt niet overeen", - ), - "setAPassword": MessageLookupByLibrary.simpleMessage( - "Stel een wachtwoord in", - ), - "setAs": MessageLookupByLibrary.simpleMessage("Instellen als"), - "setCover": MessageLookupByLibrary.simpleMessage("Omslag instellen"), - "setLabel": MessageLookupByLibrary.simpleMessage("Instellen"), - "setNewPassword": MessageLookupByLibrary.simpleMessage( - "Nieuw wachtwoord instellen", - ), - "setNewPin": MessageLookupByLibrary.simpleMessage("Nieuwe PIN instellen"), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Wachtwoord instellen", - ), - "setRadius": MessageLookupByLibrary.simpleMessage("Radius instellen"), - "setupComplete": MessageLookupByLibrary.simpleMessage("Setup voltooid"), - "share": MessageLookupByLibrary.simpleMessage("Delen"), - "shareALink": MessageLookupByLibrary.simpleMessage("Deel een link"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Open een album en tik op de deelknop rechts bovenaan om te delen.", - ), - "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( - "Deel nu een album", - ), - "shareLink": MessageLookupByLibrary.simpleMessage("Link delen"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Deel alleen met de mensen die u wilt", - ), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Download Ente zodat we gemakkelijk foto\'s en video\'s in originele kwaliteit kunnen delen\n\nhttps://ente.io", - ), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Delen met niet-Ente gebruikers", - ), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( - "Deel jouw eerste album", - ), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Maak gedeelde en collaboratieve albums met andere Ente gebruikers, inclusief gebruikers met gratis abonnementen.", - ), - "sharedByMe": MessageLookupByLibrary.simpleMessage("Gedeeld door mij"), - "sharedByYou": MessageLookupByLibrary.simpleMessage("Gedeeld door jou"), - "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( - "Nieuwe gedeelde foto\'s", - ), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Ontvang meldingen wanneer iemand een foto toevoegt aan een gedeeld album waar je deel van uitmaakt", - ), - "sharedWith": m87, - "sharedWithMe": MessageLookupByLibrary.simpleMessage("Gedeeld met mij"), - "sharedWithYou": MessageLookupByLibrary.simpleMessage("Gedeeld met jou"), - "sharing": MessageLookupByLibrary.simpleMessage("Delen..."), - "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( - "Verschuif datum en tijd", - ), - "showLessFaces": MessageLookupByLibrary.simpleMessage( - "Minder gezichten weergeven", - ), - "showMemories": MessageLookupByLibrary.simpleMessage("Toon herinneringen"), - "showMoreFaces": MessageLookupByLibrary.simpleMessage( - "Minder gezichten weergeven", - ), - "showPerson": MessageLookupByLibrary.simpleMessage("Toon persoon"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "Log uit op andere apparaten", - ), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Als je denkt dat iemand je wachtwoord zou kunnen kennen, kun je alle andere apparaten die je account gebruiken dwingen om uit te loggen.", - ), - "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( - "Log uit op andere apparaten", - ), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Ik ga akkoord met de gebruiksvoorwaarden en privacybeleid", - ), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Het wordt uit alle albums verwijderd.", - ), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Overslaan"), - "smartMemories": MessageLookupByLibrary.simpleMessage( - "Slimme herinneringen", - ), - "social": MessageLookupByLibrary.simpleMessage("Sociale media"), - "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( - "Sommige bestanden bevinden zich zowel in Ente als op jouw apparaat.", - ), - "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( - "Sommige bestanden die u probeert te verwijderen zijn alleen beschikbaar op uw apparaat en kunnen niet hersteld worden als deze verwijderd worden", - ), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Iemand die albums met je deelt zou hetzelfde ID op hun apparaat moeten zien.", - ), - "somethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Er ging iets mis", - ), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Er is iets fout gegaan, probeer het opnieuw", - ), - "sorry": MessageLookupByLibrary.simpleMessage("Sorry"), - "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( - "Sorry, we kunnen dit bestand nu niet back-uppen, we zullen het later opnieuw proberen.", - ), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Sorry, kon niet aan favorieten worden toegevoegd!", - ), - "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( - "Sorry, kon niet uit favorieten worden verwijderd!", - ), - "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "Sorry, de ingevoerde code is onjuist", - ), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Sorry, we konden geen beveiligde sleutels genereren op dit apparaat.\n\nGelieve je aan te melden vanaf een ander apparaat.", - ), - "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( - "Sorry, we moesten je back-ups pauzeren", - ), - "sort": MessageLookupByLibrary.simpleMessage("Sorteren"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sorteren op"), - "sortNewestFirst": MessageLookupByLibrary.simpleMessage("Nieuwste eerst"), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Oudste eerst"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Succes"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": MessageLookupByLibrary.simpleMessage( - "Spotlicht op jezelf", - ), - "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( - "Herstel starten", - ), - "startBackup": MessageLookupByLibrary.simpleMessage("Back-up starten"), - "status": MessageLookupByLibrary.simpleMessage("Status"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "Wil je stoppen met casten?", - ), - "stopCastingTitle": MessageLookupByLibrary.simpleMessage("Casten stoppen"), - "storage": MessageLookupByLibrary.simpleMessage("Opslagruimte"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Familie"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Jij"), - "storageInGB": m93, - "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( - "Opslaglimiet overschreden", - ), - "storageUsageInfo": m94, - "streamDetails": MessageLookupByLibrary.simpleMessage("Stream details"), - "strongStrength": MessageLookupByLibrary.simpleMessage("Sterk"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Abonneer"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Je hebt een actief betaald abonnement nodig om delen mogelijk te maken.", - ), - "subscription": MessageLookupByLibrary.simpleMessage("Abonnement"), - "success": MessageLookupByLibrary.simpleMessage("Succes"), - "successfullyArchived": MessageLookupByLibrary.simpleMessage( - "Succesvol gearchiveerd", - ), - "successfullyHid": MessageLookupByLibrary.simpleMessage( - "Succesvol verborgen", - ), - "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( - "Succesvol uit archief gehaald", - ), - "successfullyUnhid": MessageLookupByLibrary.simpleMessage( - "Met succes zichtbaar gemaakt", - ), - "suggestFeatures": MessageLookupByLibrary.simpleMessage( - "Features voorstellen", - ), - "sunrise": MessageLookupByLibrary.simpleMessage("Aan de horizon"), - "support": MessageLookupByLibrary.simpleMessage("Ondersteuning"), - "syncProgress": m97, - "syncStopped": MessageLookupByLibrary.simpleMessage( - "Synchronisatie gestopt", - ), - "syncing": MessageLookupByLibrary.simpleMessage("Synchroniseren..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("Systeem"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("tik om te kopiëren"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage( - "Tik om code in te voeren", - ), - "tapToUnlock": MessageLookupByLibrary.simpleMessage( - "Tik om te ontgrendelen", - ), - "tapToUpload": MessageLookupByLibrary.simpleMessage("Tik om te uploaden"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Het lijkt erop dat er iets fout is gegaan. Probeer het later opnieuw. Als de fout zich blijft voordoen, neem dan contact op met ons supportteam.", - ), - "terminate": MessageLookupByLibrary.simpleMessage("Beëindigen"), - "terminateSession": MessageLookupByLibrary.simpleMessage( - "Sessie beëindigen?", - ), - "terms": MessageLookupByLibrary.simpleMessage("Voorwaarden"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Voorwaarden"), - "thankYou": MessageLookupByLibrary.simpleMessage("Bedankt"), - "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( - "Dank je wel voor het abonneren!", - ), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "De download kon niet worden voltooid", - ), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "De link die je probeert te openen is verlopen.", - ), - "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "De groepen worden niet meer getoond in de personen sectie. Foto\'s blijven ongemoeid.", - ), - "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "De persoon wordt niet meer getoond in de personen sectie. Foto\'s blijven ongemoeid.", - ), - "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "De ingevoerde herstelsleutel is onjuist", - ), - "theme": MessageLookupByLibrary.simpleMessage("Thema"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Deze bestanden zullen worden verwijderd van uw apparaat.", - ), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "Ze zullen uit alle albums worden verwijderd.", - ), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Deze actie kan niet ongedaan gemaakt worden", - ), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "Dit album heeft al een gezamenlijke link", - ), - "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( - "Dit kan worden gebruikt om je account te herstellen als je je tweede factor verliest", - ), - "thisDevice": MessageLookupByLibrary.simpleMessage("Dit apparaat"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "Dit e-mailadres is al in gebruik", - ), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Deze foto heeft geen exif gegevens", - ), - "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("Dit ben ik!"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Dit is uw verificatie-ID", - ), - "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( - "Deze week door de jaren", - ), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Dit zal je uitloggen van het volgende apparaat:", - ), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Dit zal je uitloggen van dit apparaat!", - ), - "thisWillMakeTheDateAndTimeOfAllSelected": - MessageLookupByLibrary.simpleMessage( - "Dit maakt de datum en tijd van alle geselecteerde foto\'s hetzelfde.", - ), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "Hiermee worden openbare links van alle geselecteerde snelle links verwijderd.", - ), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "Om appvergrendeling in te schakelen, moet u een toegangscode of schermvergrendeling instellen in uw systeeminstellingen.", - ), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( - "Om een foto of video te verbergen", - ), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Verifieer eerst je e-mailadres om je wachtwoord opnieuw in te stellen.", - ), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Logboeken van vandaag"), - "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( - "Te veel onjuiste pogingen", - ), - "total": MessageLookupByLibrary.simpleMessage("totaal"), - "totalSize": MessageLookupByLibrary.simpleMessage("Totale grootte"), - "trash": MessageLookupByLibrary.simpleMessage("Prullenbak"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Knippen"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": MessageLookupByLibrary.simpleMessage( - "Vertrouwde contacten", - ), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Probeer opnieuw"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Schakel back-up in om bestanden die toegevoegd zijn aan deze map op dit apparaat automatisch te uploaden.", - ), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "Krijg 2 maanden gratis bij jaarlijkse abonnementen", - ), - "twofactor": MessageLookupByLibrary.simpleMessage("Tweestapsverificatie"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "Tweestapsverificatie is uitgeschakeld", - ), - "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( - "Tweestapsverificatie", - ), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "Tweestapsverificatie succesvol gereset", - ), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Tweestapsverificatie", - ), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("Uit archief halen"), - "unarchiveAlbum": MessageLookupByLibrary.simpleMessage( - "Album uit archief halen", - ), - "unarchiving": MessageLookupByLibrary.simpleMessage( - "Uit het archief halen...", - ), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Deze code is helaas niet beschikbaar.", - ), - "uncategorized": MessageLookupByLibrary.simpleMessage("Ongecategoriseerd"), - "unhide": MessageLookupByLibrary.simpleMessage("Zichtbaar maken"), - "unhideToAlbum": MessageLookupByLibrary.simpleMessage( - "Zichtbaar maken in album", - ), - "unhiding": MessageLookupByLibrary.simpleMessage("Zichtbaar maken..."), - "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Bestanden zichtbaar maken in album", - ), - "unlock": MessageLookupByLibrary.simpleMessage("Ontgrendelen"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("Album losmaken"), - "unselectAll": MessageLookupByLibrary.simpleMessage("Deselecteer alles"), - "update": MessageLookupByLibrary.simpleMessage("Update"), - "updateAvailable": MessageLookupByLibrary.simpleMessage( - "Update beschikbaar", - ), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Map selectie bijwerken...", - ), - "upgrade": MessageLookupByLibrary.simpleMessage("Upgraden"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Bestanden worden geüpload naar album...", - ), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( - "1 herinnering veiligstellen...", - ), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "Tot 50% korting, tot 4 december.", - ), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "Bruikbare opslag is beperkt door je huidige abonnement. Buitensporige geclaimde opslag zal automatisch bruikbaar worden wanneer je je abonnement upgrade.", - ), - "useAsCover": MessageLookupByLibrary.simpleMessage("Als cover gebruiken"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "Problemen met het afspelen van deze video? Hier ingedrukt houden om een andere speler te proberen.", - ), - "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Gebruik publieke links voor mensen die geen Ente account hebben", - ), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Herstelcode gebruiken", - ), - "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( - "Gebruik geselecteerde foto", - ), - "usedSpace": MessageLookupByLibrary.simpleMessage("Gebruikte ruimte"), - "validTill": m110, - "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Verificatie mislukt, probeer het opnieuw", - ), - "verificationId": MessageLookupByLibrary.simpleMessage("Verificatie ID"), - "verify": MessageLookupByLibrary.simpleMessage("Verifiëren"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("Bevestig e-mail"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Verifiëren"), - "verifyPasskey": MessageLookupByLibrary.simpleMessage("Bevestig passkey"), - "verifyPassword": MessageLookupByLibrary.simpleMessage( - "Bevestig wachtwoord", - ), - "verifying": MessageLookupByLibrary.simpleMessage("Verifiëren..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Herstelsleutel verifiëren...", - ), - "videoInfo": MessageLookupByLibrary.simpleMessage("Video-info"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), - "videoStreaming": MessageLookupByLibrary.simpleMessage( - "Video\'s met stream", - ), - "videos": MessageLookupByLibrary.simpleMessage("Video\'s"), - "viewActiveSessions": MessageLookupByLibrary.simpleMessage( - "Actieve sessies bekijken", - ), - "viewAddOnButton": MessageLookupByLibrary.simpleMessage("Add-ons bekijken"), - "viewAll": MessageLookupByLibrary.simpleMessage("Alles weergeven"), - "viewAllExifData": MessageLookupByLibrary.simpleMessage( - "Bekijk alle EXIF gegevens", - ), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Grote bestanden"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Bekijk bestanden die de meeste opslagruimte verbruiken.", - ), - "viewLogs": MessageLookupByLibrary.simpleMessage("Logboeken bekijken"), - "viewPersonToUnlink": m112, - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Toon herstelsleutel", - ), - "viewer": MessageLookupByLibrary.simpleMessage("Kijker"), - "viewersSuccessfullyAdded": m113, - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Bezoek alstublieft web.ente.io om uw abonnement te beheren", - ), - "waitingForVerification": MessageLookupByLibrary.simpleMessage( - "Wachten op verificatie...", - ), - "waitingForWifi": MessageLookupByLibrary.simpleMessage( - "Wachten op WiFi...", - ), - "warning": MessageLookupByLibrary.simpleMessage("Waarschuwing"), - "weAreOpenSource": MessageLookupByLibrary.simpleMessage( - "We zijn open source!", - ), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "We ondersteunen het bewerken van foto\'s en albums waar je niet de eigenaar van bent nog niet", - ), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Zwak"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("Welkom terug!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("Nieuw"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "Vertrouwde contacten kunnen helpen bij het herstellen van je data.", - ), - "widgets": MessageLookupByLibrary.simpleMessage("Widgets"), - "wishThemAHappyBirthday": m115, - "yearShort": MessageLookupByLibrary.simpleMessage("jr"), - "yearly": MessageLookupByLibrary.simpleMessage("Jaarlijks"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Ja"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Ja, opzeggen"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "Ja, converteren naar viewer", - ), - "yesDelete": MessageLookupByLibrary.simpleMessage("Ja, verwijderen"), - "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( - "Ja, wijzigingen negeren", - ), - "yesIgnore": MessageLookupByLibrary.simpleMessage("Ja, negeer"), - "yesLogout": MessageLookupByLibrary.simpleMessage("Ja, log uit"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Ja, verwijderen"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Ja, verlengen"), - "yesResetPerson": MessageLookupByLibrary.simpleMessage("Ja, reset persoon"), - "you": MessageLookupByLibrary.simpleMessage("Jij"), - "youAndThem": m117, - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( - "U bent onderdeel van een familie abonnement!", - ), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Je hebt de laatste versie", - ), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Je kunt maximaal je opslag verdubbelen", - ), - "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( - "U kunt uw links beheren in het tabblad \'Delen\'.", - ), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "U kunt proberen een andere zoekopdracht te vinden.", - ), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "U kunt niet downgraden naar dit abonnement", - ), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Je kunt niet met jezelf delen", - ), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "U heeft geen gearchiveerde bestanden.", - ), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "Je account is verwijderd", - ), - "yourMap": MessageLookupByLibrary.simpleMessage("Jouw kaart"), - "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( - "Uw abonnement is succesvol gedegradeerd", - ), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "Uw abonnement is succesvol opgewaardeerd", - ), - "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( - "Uw betaling is geslaagd", - ), - "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( - "Uw opslaggegevens konden niet worden opgehaald", - ), - "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( - "Uw abonnement is verlopen", - ), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "Uw abonnement is succesvol bijgewerkt", - ), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "Uw verificatiecode is verlopen", - ), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage( - "Je hebt geen dubbele bestanden die kunnen worden gewist", - ), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "Je hebt geen bestanden in dit album die verwijderd kunnen worden", - ), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( - "Zoom uit om foto\'s te zien", - ), - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Er is een nieuwe versie van Ente beschikbaar."), + "about": MessageLookupByLibrary.simpleMessage("Over"), + "acceptTrustInvite": + MessageLookupByLibrary.simpleMessage("Uitnodiging accepteren"), + "account": MessageLookupByLibrary.simpleMessage("Account"), + "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( + "Account is al geconfigureerd."), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("Welkom terug!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Ik begrijp dat als ik mijn wachtwoord verlies, ik mijn gegevens kan verliezen omdat mijn gegevens end-to-end versleuteld zijn."), + "actionNotSupportedOnFavouritesAlbum": + MessageLookupByLibrary.simpleMessage( + "Actie niet ondersteund op Favorieten album"), + "activeSessions": + MessageLookupByLibrary.simpleMessage("Actieve sessies"), + "add": MessageLookupByLibrary.simpleMessage("Toevoegen"), + "addAName": MessageLookupByLibrary.simpleMessage("Een naam toevoegen"), + "addANewEmail": + MessageLookupByLibrary.simpleMessage("Nieuw e-mailadres toevoegen"), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Voeg een widget toe aan je beginscherm en kom hier terug om aan te passen."), + "addCollaborator": + MessageLookupByLibrary.simpleMessage("Samenwerker toevoegen"), + "addCollaborators": m1, + "addFiles": MessageLookupByLibrary.simpleMessage("Bestanden toevoegen"), + "addFromDevice": + MessageLookupByLibrary.simpleMessage("Toevoegen vanaf apparaat"), + "addItem": m2, + "addLocation": + MessageLookupByLibrary.simpleMessage("Locatie toevoegen"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Toevoegen"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Voeg een widget toe aan je beginscherm en kom hier terug om aan te passen."), + "addMore": MessageLookupByLibrary.simpleMessage("Meer toevoegen"), + "addName": MessageLookupByLibrary.simpleMessage("Naam toevoegen"), + "addNameOrMerge": MessageLookupByLibrary.simpleMessage( + "Naam toevoegen of samenvoegen"), + "addNew": MessageLookupByLibrary.simpleMessage("Nieuwe toevoegen"), + "addNewPerson": + MessageLookupByLibrary.simpleMessage("Nieuw persoon toevoegen"), + "addOnPageSubtitle": + MessageLookupByLibrary.simpleMessage("Details van add-ons"), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("Add-ons"), + "addParticipants": + MessageLookupByLibrary.simpleMessage("Voeg deelnemers toe"), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Voeg een widget toe aan je beginscherm en kom hier terug om aan te passen."), + "addPhotos": MessageLookupByLibrary.simpleMessage("Foto\'s toevoegen"), + "addSelected": + MessageLookupByLibrary.simpleMessage("Voeg geselecteerde toe"), + "addToAlbum": + MessageLookupByLibrary.simpleMessage("Toevoegen aan album"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Toevoegen aan Ente"), + "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Toevoegen aan verborgen album"), + "addTrustedContact": + MessageLookupByLibrary.simpleMessage("Vertrouwd contact toevoegen"), + "addViewer": MessageLookupByLibrary.simpleMessage("Voeg kijker toe"), + "addViewers": m4, + "addYourPhotosNow": + MessageLookupByLibrary.simpleMessage("Voeg nu je foto\'s toe"), + "addedAs": MessageLookupByLibrary.simpleMessage("Toegevoegd als"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": + MessageLookupByLibrary.simpleMessage("Toevoegen aan favorieten..."), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("Geavanceerd"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Geavanceerd"), + "after1Day": MessageLookupByLibrary.simpleMessage("Na 1 dag"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Na 1 uur"), + "after1Month": MessageLookupByLibrary.simpleMessage("Na 1 maand"), + "after1Week": MessageLookupByLibrary.simpleMessage("Na 1 week"), + "after1Year": MessageLookupByLibrary.simpleMessage("Na 1 jaar"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Eigenaar"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Albumtitel"), + "albumUpdated": + MessageLookupByLibrary.simpleMessage("Album bijgewerkt"), + "albums": MessageLookupByLibrary.simpleMessage("Albums"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Selecteer de albums die je wilt zien op je beginscherm."), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Alles in orde"), + "allMemoriesPreserved": + MessageLookupByLibrary.simpleMessage("Alle herinneringen bewaard"), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "Alle groepen voor deze persoon worden gereset, en je verliest alle suggesties die voor deze persoon zijn gedaan"), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "Alle naamloze groepen worden samengevoegd met de geselecteerde persoon. Dit kan nog steeds ongedaan worden gemaakt vanuit het geschiedenisoverzicht van de persoon."), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "Dit is de eerste in de groep. Andere geselecteerde foto\'s worden automatisch verschoven op basis van deze nieuwe datum"), + "allow": MessageLookupByLibrary.simpleMessage("Toestaan"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Sta toe dat mensen met de link ook foto\'s kunnen toevoegen aan het gedeelde album."), + "allowAddingPhotos": + MessageLookupByLibrary.simpleMessage("Foto\'s toevoegen toestaan"), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "App toestaan gedeelde album links te openen"), + "allowDownloads": + MessageLookupByLibrary.simpleMessage("Downloads toestaan"), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Mensen toestaan foto\'s toe te voegen"), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Geef toegang tot je foto\'s vanuit Instellingen zodat Ente je bibliotheek kan weergeven en back-uppen."), + "allowPermTitle": MessageLookupByLibrary.simpleMessage( + "Toegang tot foto\'s toestaan"), + "androidBiometricHint": + MessageLookupByLibrary.simpleMessage("Identiteit verifiëren"), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "Niet herkend. Probeer het opnieuw."), + "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( + "Biometrische verificatie vereist"), + "androidBiometricSuccess": + MessageLookupByLibrary.simpleMessage("Succes"), + "androidCancelButton": + MessageLookupByLibrary.simpleMessage("Annuleren"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage("Apparaatgegevens vereist"), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage("Apparaatgegevens vereist"), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Biometrische verificatie is niet ingesteld op uw apparaat. Ga naar \'Instellingen > Beveiliging\' om biometrische verificatie toe te voegen."), + "androidIosWebDesktop": + MessageLookupByLibrary.simpleMessage("Android, iOS, Web, Desktop"), + "androidSignInTitle": + MessageLookupByLibrary.simpleMessage("Verificatie vereist"), + "appIcon": MessageLookupByLibrary.simpleMessage("App icoon"), + "appLock": MessageLookupByLibrary.simpleMessage("App-vergrendeling"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Kies tussen het standaard vergrendelscherm van uw apparaat en een aangepast vergrendelscherm met een pincode of wachtwoord."), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), + "apply": MessageLookupByLibrary.simpleMessage("Toepassen"), + "applyCodeTitle": + MessageLookupByLibrary.simpleMessage("Code toepassen"), + "appstoreSubscription": + MessageLookupByLibrary.simpleMessage("PlayStore abonnement"), + "archive": MessageLookupByLibrary.simpleMessage("Archiveer"), + "archiveAlbum": + MessageLookupByLibrary.simpleMessage("Album archiveren"), + "archiving": MessageLookupByLibrary.simpleMessage("Archiveren..."), + "areThey": MessageLookupByLibrary.simpleMessage("Is dit "), + "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( + "Weet je zeker dat je dit gezicht van deze persoon wilt verwijderen?"), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Weet u zeker dat u het familie abonnement wilt verlaten?"), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "Weet u zeker dat u wilt opzeggen?"), + "areYouSureYouWantToChangeYourPlan": + MessageLookupByLibrary.simpleMessage( + "Weet u zeker dat u uw abonnement wilt wijzigen?"), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "Weet u zeker dat u wilt afsluiten?"), + "areYouSureYouWantToIgnoreThesePersons": + MessageLookupByLibrary.simpleMessage( + "Weet je zeker dat je deze personen wilt negeren?"), + "areYouSureYouWantToIgnoreThisPerson": + MessageLookupByLibrary.simpleMessage( + "Weet je zeker dat je deze persoon wilt negeren?"), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Weet je zeker dat je wilt uitloggen?"), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "Weet je zeker dat je ze wilt samenvoegen?"), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "Weet u zeker dat u wilt verlengen?"), + "areYouSureYouWantToResetThisPerson": + MessageLookupByLibrary.simpleMessage( + "Weet u zeker dat u deze persoon wilt resetten?"), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "Uw abonnement is opgezegd. Wilt u de reden delen?"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Wat is de voornaamste reden dat je jouw account verwijdert?"), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Vraag uw dierbaren om te delen"), + "atAFalloutShelter": + MessageLookupByLibrary.simpleMessage("in een kernbunker"), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Gelieve te verifiëren om de e-mailverificatie te wijzigen"), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Graag verifiëren om de vergrendelscherm instellingen te wijzigen"), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Gelieve te verifiëren om je e-mailadres te wijzigen"), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Gelieve te verifiëren om je wachtwoord te wijzigen"), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Graag verifiëren om tweestapsverificatie te configureren"), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Gelieve te verifiëren om het verwijderen van je account te starten"), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Verifieer om je vertrouwde contacten te beheren"), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Verifieer uzelf om uw toegangssleutel te bekijken"), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Graag verifiëren om je verwijderde bestanden te bekijken"), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Graag verifiëren om uw actieve sessies te bekijken"), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Gelieve te verifiëren om je verborgen bestanden te bekijken"), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Graag verifiëren om uw herinneringen te bekijken"), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Graag verifiëren om uw herstelsleutel te bekijken"), + "authenticating": MessageLookupByLibrary.simpleMessage("Verifiëren..."), + "authenticationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Verificatie mislukt, probeer het opnieuw"), + "authenticationSuccessful": + MessageLookupByLibrary.simpleMessage("Verificatie geslaagd!"), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Je zult de beschikbare Cast apparaten hier zien."), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Zorg ervoor dat lokale netwerkrechten zijn ingeschakeld voor de Ente Photos app, in Instellingen."), + "autoLock": + MessageLookupByLibrary.simpleMessage("Automatische vergrendeling"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Tijd waarna de app wordt vergrendeld wanneer deze in achtergrond-modus is gezet"), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "Door een technische storing bent u uitgelogd. Onze excuses voor het ongemak."), + "autoPair": + MessageLookupByLibrary.simpleMessage("Automatisch koppelen"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "Automatisch koppelen werkt alleen met apparaten die Chromecast ondersteunen."), + "available": MessageLookupByLibrary.simpleMessage("Beschikbaar"), + "availableStorageSpace": m10, + "backedUpFolders": + MessageLookupByLibrary.simpleMessage("Back-up mappen"), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("Back-up"), + "backupFailed": MessageLookupByLibrary.simpleMessage("Back-up mislukt"), + "backupFile": MessageLookupByLibrary.simpleMessage("Back-up bestand"), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Back-up maken via mobiele data"), + "backupSettings": + MessageLookupByLibrary.simpleMessage("Back-up instellingen"), + "backupStatus": MessageLookupByLibrary.simpleMessage("Back-up status"), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Items die zijn geback-upt, worden hier getoond"), + "backupVideos": + MessageLookupByLibrary.simpleMessage("Back-up video\'s"), + "beach": MessageLookupByLibrary.simpleMessage("Zand en zee"), + "birthday": MessageLookupByLibrary.simpleMessage("Verjaardag"), + "birthdayNotifications": + MessageLookupByLibrary.simpleMessage("Meldingen over verjaardagen"), + "birthdays": MessageLookupByLibrary.simpleMessage("Verjaardagen"), + "blackFridaySale": + MessageLookupByLibrary.simpleMessage("Black Friday-aanbieding"), + "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cachedData": MessageLookupByLibrary.simpleMessage("Cachegegevens"), + "calculating": MessageLookupByLibrary.simpleMessage("Berekenen..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Sorry, dit album kan niet worden geopend in de app."), + "canNotOpenTitle": + MessageLookupByLibrary.simpleMessage("Kan dit album niet openen"), + "canNotUploadToAlbumsOwnedByOthers": + MessageLookupByLibrary.simpleMessage( + "Kan niet uploaden naar albums die van anderen zijn"), + "canOnlyCreateLinkForFilesOwnedByYou": + MessageLookupByLibrary.simpleMessage( + "Kan alleen een link maken voor bestanden die van u zijn"), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Kan alleen bestanden verwijderen die jouw eigendom zijn"), + "cancel": MessageLookupByLibrary.simpleMessage("Annuleer"), + "cancelAccountRecovery": + MessageLookupByLibrary.simpleMessage("Herstel annuleren"), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "Weet je zeker dat je het herstel wilt annuleren?"), + "cancelOtherSubscription": m12, + "cancelSubscription": + MessageLookupByLibrary.simpleMessage("Abonnement opzeggen"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Kan gedeelde bestanden niet verwijderen"), + "castAlbum": MessageLookupByLibrary.simpleMessage("Album casten"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Zorg ervoor dat je op hetzelfde netwerk zit als de tv."), + "castIPMismatchTitle": + MessageLookupByLibrary.simpleMessage("Album casten mislukt"), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Bezoek cast.ente.io op het apparaat dat u wilt koppelen.\n\nVoer de code hieronder in om het album op uw TV af te spelen."), + "centerPoint": MessageLookupByLibrary.simpleMessage("Middelpunt"), + "change": MessageLookupByLibrary.simpleMessage("Wijzigen"), + "changeEmail": MessageLookupByLibrary.simpleMessage("E-mail wijzigen"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Locatie van geselecteerde items wijzigen?"), + "changePassword": + MessageLookupByLibrary.simpleMessage("Wachtwoord wijzigen"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("Wachtwoord wijzigen"), + "changePermissions": + MessageLookupByLibrary.simpleMessage("Rechten aanpassen?"), + "changeYourReferralCode": + MessageLookupByLibrary.simpleMessage("Wijzig uw verwijzingscode"), + "checkForUpdates": + MessageLookupByLibrary.simpleMessage("Controleer op updates"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Controleer je inbox (en spam) om verificatie te voltooien"), + "checkStatus": + MessageLookupByLibrary.simpleMessage("Status controleren"), + "checking": MessageLookupByLibrary.simpleMessage("Controleren..."), + "checkingModels": + MessageLookupByLibrary.simpleMessage("Modellen controleren..."), + "city": MessageLookupByLibrary.simpleMessage("In de stad"), + "claimFreeStorage": + MessageLookupByLibrary.simpleMessage("Claim gratis opslag"), + "claimMore": MessageLookupByLibrary.simpleMessage("Claim meer!"), + "claimed": MessageLookupByLibrary.simpleMessage("Geclaimd"), + "claimedStorageSoFar": m14, + "cleanUncategorized": + MessageLookupByLibrary.simpleMessage("Ongecategoriseerd opschonen"), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Verwijder alle bestanden van Ongecategoriseerd die aanwezig zijn in andere albums"), + "clearCaches": MessageLookupByLibrary.simpleMessage("Cache legen"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Index wissen"), + "click": MessageLookupByLibrary.simpleMessage("• Click"), + "clickOnTheOverflowMenu": + MessageLookupByLibrary.simpleMessage("• Klik op het menu"), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Klik om onze beste versie tot nu toe te installeren"), + "close": MessageLookupByLibrary.simpleMessage("Sluiten"), + "clubByCaptureTime": + MessageLookupByLibrary.simpleMessage("Samenvoegen op tijd"), + "clubByFileName": + MessageLookupByLibrary.simpleMessage("Samenvoegen op bestandsnaam"), + "clusteringProgress": + MessageLookupByLibrary.simpleMessage("Voortgang clusteren"), + "codeAppliedPageTitle": + MessageLookupByLibrary.simpleMessage("Code toegepast"), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Sorry, u heeft de limiet van het aantal codewijzigingen bereikt."), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Code gekopieerd naar klembord"), + "codeUsedByYou": + MessageLookupByLibrary.simpleMessage("Code gebruikt door jou"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Maak een link waarmee mensen foto\'s in jouw gedeelde album kunnen toevoegen en bekijken zonder dat ze daarvoor een Ente app of account nodig hebben. Handig voor het verzamelen van foto\'s van evenementen."), + "collaborativeLink": + MessageLookupByLibrary.simpleMessage("Gezamenlijke link"), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Samenwerker"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Samenwerkers kunnen foto\'s en video\'s toevoegen aan het gedeelde album."), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("Layout"), + "collageSaved": MessageLookupByLibrary.simpleMessage( + "Collage opgeslagen in gallerij"), + "collect": MessageLookupByLibrary.simpleMessage("Verzamelen"), + "collectEventPhotos": MessageLookupByLibrary.simpleMessage( + "Foto\'s van gebeurtenissen verzamelen"), + "collectPhotos": + MessageLookupByLibrary.simpleMessage("Foto\'s verzamelen"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Maak een link waarin je vrienden foto\'s kunnen uploaden in de originele kwaliteit."), + "color": MessageLookupByLibrary.simpleMessage("Kleur"), + "configuration": MessageLookupByLibrary.simpleMessage("Configuratie"), + "confirm": MessageLookupByLibrary.simpleMessage("Bevestig"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Weet u zeker dat u tweestapsverificatie wilt uitschakelen?"), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Account verwijderen bevestigen"), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Ja, ik wil mijn account en de bijbehorende gegevens verspreid over alle apps permanent verwijderen."), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("Wachtwoord bevestigen"), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage( + "Bevestig verandering van abonnement"), + "confirmRecoveryKey": + MessageLookupByLibrary.simpleMessage("Bevestig herstelsleutel"), + "confirmYourRecoveryKey": + MessageLookupByLibrary.simpleMessage("Bevestig herstelsleutel"), + "connectToDevice": MessageLookupByLibrary.simpleMessage( + "Verbinding maken met apparaat"), + "contactFamilyAdmin": m18, + "contactSupport": + MessageLookupByLibrary.simpleMessage("Contacteer klantenservice"), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Contacten"), + "contents": MessageLookupByLibrary.simpleMessage("Inhoud"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Doorgaan"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "Doorgaan met gratis proefversie"), + "convertToAlbum": + MessageLookupByLibrary.simpleMessage("Omzetten naar album"), + "copyEmailAddress": + MessageLookupByLibrary.simpleMessage("E-mailadres kopiëren"), + "copyLink": MessageLookupByLibrary.simpleMessage("Kopieer link"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Kopieer en plak deze code\nnaar je authenticator app"), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "We konden uw gegevens niet back-uppen.\nWe zullen het later opnieuw proberen."), + "couldNotFreeUpSpace": + MessageLookupByLibrary.simpleMessage("Kon geen ruimte vrijmaken"), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Kon abonnement niet wijzigen"), + "count": MessageLookupByLibrary.simpleMessage("Aantal"), + "crashReporting": + MessageLookupByLibrary.simpleMessage("Crash rapportering"), + "create": MessageLookupByLibrary.simpleMessage("Creëren"), + "createAccount": + MessageLookupByLibrary.simpleMessage("Account aanmaken"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Lang indrukken om foto\'s te selecteren en klik + om een album te maken"), + "createCollaborativeLink": + MessageLookupByLibrary.simpleMessage("Maak een gezamenlijke link"), + "createCollage": MessageLookupByLibrary.simpleMessage("Creëer collage"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("Nieuw account aanmaken"), + "createOrSelectAlbum": + MessageLookupByLibrary.simpleMessage("Maak of selecteer album"), + "createPublicLink": + MessageLookupByLibrary.simpleMessage("Maak publieke link"), + "creatingLink": + MessageLookupByLibrary.simpleMessage("Link aanmaken..."), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "Belangrijke update beschikbaar"), + "crop": MessageLookupByLibrary.simpleMessage("Bijsnijden"), + "curatedMemories": + MessageLookupByLibrary.simpleMessage("Samengestelde herinneringen"), + "currentUsageIs": + MessageLookupByLibrary.simpleMessage("Huidig gebruik is "), + "currentlyRunning": + MessageLookupByLibrary.simpleMessage("momenteel bezig"), + "custom": MessageLookupByLibrary.simpleMessage("Aangepast"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Donker"), + "dayToday": MessageLookupByLibrary.simpleMessage("Vandaag"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Gisteren"), + "declineTrustInvite": + MessageLookupByLibrary.simpleMessage("Uitnodiging afwijzen"), + "decrypting": MessageLookupByLibrary.simpleMessage("Ontsleutelen..."), + "decryptingVideo": + MessageLookupByLibrary.simpleMessage("Video ontsleutelen..."), + "deduplicateFiles": MessageLookupByLibrary.simpleMessage( + "Dubbele bestanden verwijderen"), + "delete": MessageLookupByLibrary.simpleMessage("Verwijderen"), + "deleteAccount": + MessageLookupByLibrary.simpleMessage("Account verwijderen"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "We vinden het jammer je te zien gaan. Deel je feedback om ons te helpen verbeteren."), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Account permanent verwijderen"), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Verwijder album"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Verwijder de foto\'s (en video\'s) van dit album ook uit alle andere albums waar deze deel van uitmaken?"), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "Hiermee worden alle lege albums verwijderd. Dit is handig wanneer je rommel in je albumlijst wilt verminderen."), + "deleteAll": MessageLookupByLibrary.simpleMessage("Alles Verwijderen"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "Dit account is gekoppeld aan andere Ente apps, als je er gebruik van maakt. Je geüploade gegevens worden in alle Ente apps gepland voor verwijdering, en je account wordt permanent verwijderd voor alle Ente diensten."), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Stuur een e-mail naar account-deletion@ente.io vanaf het door jou geregistreerde e-mailadres."), + "deleteEmptyAlbums": + MessageLookupByLibrary.simpleMessage("Lege albums verwijderen"), + "deleteEmptyAlbumsWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Lege albums verwijderen?"), + "deleteFromBoth": + MessageLookupByLibrary.simpleMessage("Verwijder van beide"), + "deleteFromDevice": + MessageLookupByLibrary.simpleMessage("Verwijder van apparaat"), + "deleteFromEnte": + MessageLookupByLibrary.simpleMessage("Verwijder van Ente"), + "deleteItemCount": m21, + "deleteLocation": + MessageLookupByLibrary.simpleMessage("Verwijder locatie"), + "deleteMultipleAlbumDialog": m22, + "deletePhotos": + MessageLookupByLibrary.simpleMessage("Foto\'s verwijderen"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Ik mis een belangrijke functie"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "De app of een bepaalde functie functioneert niet zoals ik verwacht"), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Ik heb een andere dienst gevonden die me beter bevalt"), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "Mijn reden wordt niet vermeld"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Je verzoek wordt binnen 72 uur verwerkt."), + "deleteSharedAlbum": + MessageLookupByLibrary.simpleMessage("Gedeeld album verwijderen?"), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "Het album wordt verwijderd voor iedereen\n\nJe verliest de toegang tot gedeelde foto\'s in dit album die eigendom zijn van anderen"), + "deselectAll": + MessageLookupByLibrary.simpleMessage("Alles deselecteren"), + "designedToOutlive": MessageLookupByLibrary.simpleMessage( + "Ontworpen om levenslang mee te gaan"), + "details": MessageLookupByLibrary.simpleMessage("Details"), + "developerSettings": + MessageLookupByLibrary.simpleMessage("Ontwikkelaarsinstellingen"), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Weet je zeker dat je de ontwikkelaarsinstellingen wilt wijzigen?"), + "deviceCodeHint": + MessageLookupByLibrary.simpleMessage("Voer de code in"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "Bestanden toegevoegd aan dit album van dit apparaat zullen automatisch geüpload worden naar Ente."), + "deviceLock": + MessageLookupByLibrary.simpleMessage("Apparaat vergrendeld"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Schakel de schermvergrendeling van het apparaat uit wanneer Ente op de voorgrond is en er een back-up aan de gang is. Dit is normaal gesproken niet nodig, maar kan grote uploads en initiële imports van grote mappen sneller laten verlopen."), + "deviceNotFound": + MessageLookupByLibrary.simpleMessage("Apparaat niet gevonden"), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Wist u dat?"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage( + "Automatisch vergrendelen uitschakelen"), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Kijkers kunnen nog steeds screenshots maken of een kopie van je foto\'s opslaan met behulp van externe tools"), + "disableDownloadWarningTitle": + MessageLookupByLibrary.simpleMessage("Let op"), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "Tweestapsverificatie uitschakelen"), + "disablingTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Tweestapsverificatie uitschakelen..."), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Ontdek"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Baby\'s"), + "discover_celebrations": + MessageLookupByLibrary.simpleMessage("Vieringen"), + "discover_food": MessageLookupByLibrary.simpleMessage("Voedsel"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Natuur"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Heuvels"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Identiteit"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Notities"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Huisdieren"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Bonnen"), + "discover_screenshots": + MessageLookupByLibrary.simpleMessage("Schermafbeeldingen"), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfies"), + "discover_sunset": + MessageLookupByLibrary.simpleMessage("Zonsondergang"), + "discover_visiting_cards": + MessageLookupByLibrary.simpleMessage("Visite kaartjes"), + "discover_wallpapers": + MessageLookupByLibrary.simpleMessage("Achtergronden"), + "dismiss": MessageLookupByLibrary.simpleMessage("Afwijzen"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage("Niet uitloggen"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Doe dit later"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Wilt u de bewerkingen die u hebt gemaakt annuleren?"), + "done": MessageLookupByLibrary.simpleMessage("Voltooid"), + "dontSave": MessageLookupByLibrary.simpleMessage("Niet opslaan"), + "doubleYourStorage": + MessageLookupByLibrary.simpleMessage("Verdubbel uw opslagruimte"), + "download": MessageLookupByLibrary.simpleMessage("Downloaden"), + "downloadFailed": + MessageLookupByLibrary.simpleMessage("Download mislukt"), + "downloading": MessageLookupByLibrary.simpleMessage("Downloaden..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Bewerken"), + "editEmailAlreadyLinked": m28, + "editLocation": + MessageLookupByLibrary.simpleMessage("Locatie bewerken"), + "editLocationTagTitle": + MessageLookupByLibrary.simpleMessage("Locatie bewerken"), + "editPerson": MessageLookupByLibrary.simpleMessage("Persoon bewerken"), + "editTime": MessageLookupByLibrary.simpleMessage("Tijd bewerken"), + "editsSaved": + MessageLookupByLibrary.simpleMessage("Bewerkingen opgeslagen"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Bewerkte locatie wordt alleen gezien binnen Ente"), + "eligible": MessageLookupByLibrary.simpleMessage("gerechtigd"), + "email": MessageLookupByLibrary.simpleMessage("E-mail"), + "emailAlreadyRegistered": + MessageLookupByLibrary.simpleMessage("E-mail is al geregistreerd."), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": + MessageLookupByLibrary.simpleMessage("E-mail niet geregistreerd."), + "emailVerificationToggle": + MessageLookupByLibrary.simpleMessage("E-mailverificatie"), + "emailYourLogs": + MessageLookupByLibrary.simpleMessage("E-mail uw logboeken"), + "embracingThem": m32, + "emergencyContacts": + MessageLookupByLibrary.simpleMessage("Noodcontacten"), + "empty": MessageLookupByLibrary.simpleMessage("Leeg"), + "emptyTrash": + MessageLookupByLibrary.simpleMessage("Prullenbak leegmaken?"), + "enable": MessageLookupByLibrary.simpleMessage("Inschakelen"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "Ente ondersteunt on-device machine learning voor gezichtsherkenning, magisch zoeken en andere geavanceerde zoekfuncties"), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Schakel machine learning in voor magische zoekopdrachten en gezichtsherkenning"), + "enableMaps": + MessageLookupByLibrary.simpleMessage("Kaarten inschakelen"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "Dit toont jouw foto\'s op een wereldkaart.\n\nDeze kaart wordt gehost door Open Street Map, en de exacte locaties van jouw foto\'s worden nooit gedeeld.\n\nJe kunt deze functie op elk gewenst moment uitschakelen via de instellingen."), + "enabled": MessageLookupByLibrary.simpleMessage("Ingeschakeld"), + "encryptingBackup": + MessageLookupByLibrary.simpleMessage("Back-up versleutelen..."), + "encryption": MessageLookupByLibrary.simpleMessage("Encryptie"), + "encryptionKeys": + MessageLookupByLibrary.simpleMessage("Encryptiesleutels"), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Eindpunt met succes bijgewerkt"), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Standaard end-to-end versleuteld"), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente kan bestanden alleen versleutelen en bewaren als u toegang tot ze geeft"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente heeft toestemming nodig om je foto\'s te bewaren"), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "Ente bewaart uw herinneringen, zodat ze altijd beschikbaar voor u zijn, zelfs als u uw apparaat verliest."), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Je familie kan ook aan je abonnement worden toegevoegd."), + "enterAlbumName": + MessageLookupByLibrary.simpleMessage("Voer albumnaam in"), + "enterCode": MessageLookupByLibrary.simpleMessage("Voer code in"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Voer de code van de vriend in om gratis opslag voor jullie beiden te claimen"), + "enterDateOfBirth": + MessageLookupByLibrary.simpleMessage("Verjaardag (optioneel)"), + "enterEmail": + MessageLookupByLibrary.simpleMessage("Voer e-mailadres in"), + "enterFileName": + MessageLookupByLibrary.simpleMessage("Geef bestandsnaam op"), + "enterName": MessageLookupByLibrary.simpleMessage("Naam invoeren"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Voer een nieuw wachtwoord in dat we kunnen gebruiken om je gegevens te versleutelen"), + "enterPassword": + MessageLookupByLibrary.simpleMessage("Voer wachtwoord in"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Voer een wachtwoord in dat we kunnen gebruiken om je gegevens te versleutelen"), + "enterPersonName": + MessageLookupByLibrary.simpleMessage("Naam van persoon invoeren"), + "enterPin": MessageLookupByLibrary.simpleMessage("PIN invoeren"), + "enterReferralCode": + MessageLookupByLibrary.simpleMessage("Voer verwijzingscode in"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Voer de 6-cijferige code van je verificatie-app in"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Voer een geldig e-mailadres in."), + "enterYourEmailAddress": + MessageLookupByLibrary.simpleMessage("Voer je e-mailadres in"), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Voer uw nieuwe e-mailadres in"), + "enterYourPassword": + MessageLookupByLibrary.simpleMessage("Voer je wachtwoord in"), + "enterYourRecoveryKey": + MessageLookupByLibrary.simpleMessage("Voer je herstelcode in"), + "error": MessageLookupByLibrary.simpleMessage("Foutmelding"), + "everywhere": MessageLookupByLibrary.simpleMessage("overal"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": + MessageLookupByLibrary.simpleMessage("Bestaande gebruiker"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Deze link is verlopen. Selecteer een nieuwe vervaltijd of schakel de vervaldatum uit."), + "exportLogs": + MessageLookupByLibrary.simpleMessage("Logboek exporteren"), + "exportYourData": + MessageLookupByLibrary.simpleMessage("Exporteer je gegevens"), + "extraPhotosFound": + MessageLookupByLibrary.simpleMessage("Extra foto\'s gevonden"), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Gezicht nog niet geclusterd, kom later terug"), + "faceRecognition": + MessageLookupByLibrary.simpleMessage("Gezichtsherkenning"), + "faces": MessageLookupByLibrary.simpleMessage("Gezichten"), + "failed": MessageLookupByLibrary.simpleMessage("Mislukt"), + "failedToApplyCode": + MessageLookupByLibrary.simpleMessage("Code toepassen mislukt"), + "failedToCancel": + MessageLookupByLibrary.simpleMessage("Opzeggen mislukt"), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( + "Downloaden van video mislukt"), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Ophalen van actieve sessies mislukt"), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Fout bij ophalen origineel voor bewerking"), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Kan geen verwijzingsgegevens ophalen. Probeer het later nog eens."), + "failedToLoadAlbums": + MessageLookupByLibrary.simpleMessage("Laden van albums mislukt"), + "failedToPlayVideo": + MessageLookupByLibrary.simpleMessage("Afspelen van video mislukt"), + "failedToRefreshStripeSubscription": + MessageLookupByLibrary.simpleMessage( + "Abonnement vernieuwen mislukt"), + "failedToRenew": + MessageLookupByLibrary.simpleMessage("Verlengen mislukt"), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Betalingsstatus verifiëren mislukt"), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Voeg 5 gezinsleden toe aan je bestaande abonnement zonder extra te betalen.\n\nElk lid krijgt zijn eigen privé ruimte en kan elkaars bestanden niet zien tenzij ze zijn gedeeld.\n\nFamilieplannen zijn beschikbaar voor klanten die een betaald Ente abonnement hebben.\n\nAbonneer nu om aan de slag te gaan!"), + "familyPlanPortalTitle": + MessageLookupByLibrary.simpleMessage("Familie"), + "familyPlans": + MessageLookupByLibrary.simpleMessage("Familie abonnement"), + "faq": MessageLookupByLibrary.simpleMessage("Veelgestelde vragen"), + "faqs": MessageLookupByLibrary.simpleMessage("Veelgestelde vragen"), + "favorite": + MessageLookupByLibrary.simpleMessage("Toevoegen aan favorieten"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("Feedback"), + "file": MessageLookupByLibrary.simpleMessage("Bestand"), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Opslaan van bestand naar galerij mislukt"), + "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( + "Voeg een beschrijving toe..."), + "fileNotUploadedYet": + MessageLookupByLibrary.simpleMessage("Bestand nog niet geüpload"), + "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Bestand opgeslagen in galerij"), + "fileTypes": MessageLookupByLibrary.simpleMessage("Bestandstype"), + "fileTypesAndNames": + MessageLookupByLibrary.simpleMessage("Bestandstypen en namen"), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": + MessageLookupByLibrary.simpleMessage("Bestanden verwijderd"), + "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Bestand opgeslagen in galerij"), + "findPeopleByName": + MessageLookupByLibrary.simpleMessage("Mensen snel op naam zoeken"), + "findThemQuickly": MessageLookupByLibrary.simpleMessage("Vind ze snel"), + "flip": MessageLookupByLibrary.simpleMessage("Omdraaien"), + "food": MessageLookupByLibrary.simpleMessage("Culinaire vreugde"), + "forYourMemories": + MessageLookupByLibrary.simpleMessage("voor uw herinneringen"), + "forgotPassword": + MessageLookupByLibrary.simpleMessage("Wachtwoord vergeten"), + "foundFaces": + MessageLookupByLibrary.simpleMessage("Gezichten gevonden"), + "freeStorageClaimed": + MessageLookupByLibrary.simpleMessage("Gratis opslag geclaimd"), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": + MessageLookupByLibrary.simpleMessage("Gratis opslag bruikbaar"), + "freeTrial": MessageLookupByLibrary.simpleMessage("Gratis proefversie"), + "freeTrialValidTill": m38, + "freeUpAccessPostDelete": m39, + "freeUpAmount": m40, + "freeUpDeviceSpace": + MessageLookupByLibrary.simpleMessage("Apparaatruimte vrijmaken"), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Bespaar ruimte op je apparaat door bestanden die al geback-upt zijn te wissen."), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("Ruimte vrijmaken"), + "freeUpSpaceSaving": m41, + "gallery": MessageLookupByLibrary.simpleMessage("Galerij"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "Tot 1000 herinneringen getoond in de galerij"), + "general": MessageLookupByLibrary.simpleMessage("Algemeen"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Encryptiesleutels genereren..."), + "genericProgress": m42, + "goToSettings": + MessageLookupByLibrary.simpleMessage("Ga naar instellingen"), + "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Geef toegang tot alle foto\'s in de Instellingen app"), + "grantPermission": + MessageLookupByLibrary.simpleMessage("Toestemming verlenen"), + "greenery": MessageLookupByLibrary.simpleMessage("Het groene leven"), + "groupNearbyPhotos": + MessageLookupByLibrary.simpleMessage("Groep foto\'s in de buurt"), + "guestView": MessageLookupByLibrary.simpleMessage("Gasten weergave"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "Om gasten weergave in te schakelen, moet u een toegangscode of schermvergrendeling instellen in uw systeeminstellingen."), + "happyBirthday": + MessageLookupByLibrary.simpleMessage("Fijne verjaardag! 🥳"), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "Wij gebruiken geen tracking. Het zou helpen als je ons vertelt waar je ons gevonden hebt!"), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Hoe hoorde je over Ente? (optioneel)"), + "help": MessageLookupByLibrary.simpleMessage("Hulp"), + "hidden": MessageLookupByLibrary.simpleMessage("Verborgen"), + "hide": MessageLookupByLibrary.simpleMessage("Verbergen"), + "hideContent": MessageLookupByLibrary.simpleMessage("Inhoud verbergen"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Verbergt app-inhoud in de app-schakelaar en schakelt schermopnamen uit"), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Verbergt de inhoud van de app in de app-schakelaar"), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Verberg gedeelde bestanden uit de galerij"), + "hiding": MessageLookupByLibrary.simpleMessage("Verbergen..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": + MessageLookupByLibrary.simpleMessage("Gehost bij OSM France"), + "howItWorks": MessageLookupByLibrary.simpleMessage("Hoe het werkt"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Vraag hen om hun e-mailadres lang in te drukken op het instellingenscherm en te controleren dat de ID\'s op beide apparaten overeenkomen."), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Biometrische authenticatie is niet ingesteld op uw apparaat. Schakel Touch ID of Face ID in op uw telefoon."), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "Biometrische verificatie is uitgeschakeld. Vergrendel en ontgrendel uw scherm om het in te schakelen."), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("Oké"), + "ignore": MessageLookupByLibrary.simpleMessage("Negeren"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Negeren"), + "ignored": MessageLookupByLibrary.simpleMessage("genegeerd"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Sommige bestanden in dit album worden genegeerd voor uploaden omdat ze eerder van Ente zijn verwijderd."), + "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( + "Afbeelding niet geanalyseerd"), + "immediately": MessageLookupByLibrary.simpleMessage("Onmiddellijk"), + "importing": MessageLookupByLibrary.simpleMessage("Importeren...."), + "incorrectCode": MessageLookupByLibrary.simpleMessage("Onjuiste code"), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("Onjuist wachtwoord"), + "incorrectRecoveryKey": + MessageLookupByLibrary.simpleMessage("Onjuiste herstelsleutel"), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "De ingevoerde herstelsleutel is onjuist"), + "incorrectRecoveryKeyTitle": + MessageLookupByLibrary.simpleMessage("Onjuiste herstelsleutel"), + "indexedItems": + MessageLookupByLibrary.simpleMessage("Geïndexeerde bestanden"), + "ineligible": MessageLookupByLibrary.simpleMessage("Ongerechtigd"), + "info": MessageLookupByLibrary.simpleMessage("Info"), + "insecureDevice": + MessageLookupByLibrary.simpleMessage("Onveilig apparaat"), + "installManually": + MessageLookupByLibrary.simpleMessage("Installeer handmatig"), + "invalidEmailAddress": + MessageLookupByLibrary.simpleMessage("Ongeldig e-mailadres"), + "invalidEndpoint": + MessageLookupByLibrary.simpleMessage("Ongeldig eindpunt"), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Sorry, het eindpunt dat je hebt ingevoerd is ongeldig. Voer een geldig eindpunt in en probeer het opnieuw."), + "invalidKey": MessageLookupByLibrary.simpleMessage("Ongeldige sleutel"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "De herstelsleutel die je hebt ingevoerd is niet geldig. Zorg ervoor dat deze 24 woorden bevat en controleer de spelling van elk van deze woorden.\n\nAls je een oudere herstelcode hebt ingevoerd, zorg ervoor dat deze 64 tekens lang is, en controleer ze allemaal."), + "invite": MessageLookupByLibrary.simpleMessage("Uitnodigen"), + "inviteToEnte": + MessageLookupByLibrary.simpleMessage("Uitnodigen voor Ente"), + "inviteYourFriends": + MessageLookupByLibrary.simpleMessage("Vrienden uitnodigen"), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "Vrienden uitnodigen voor Ente"), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Het lijkt erop dat er iets fout is gegaan. Probeer het later opnieuw. Als de fout zich blijft voordoen, neem dan contact op met ons supportteam."), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "Bestanden tonen het aantal resterende dagen voordat ze permanent worden verwijderd"), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Geselecteerde items zullen worden verwijderd uit dit album"), + "join": MessageLookupByLibrary.simpleMessage("Deelnemen"), + "joinAlbum": + MessageLookupByLibrary.simpleMessage("Deelnemen aan album"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "Deelnemen aan een album maakt je e-mail zichtbaar voor de deelnemers."), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( + "om je foto\'s te bekijken en toe te voegen"), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "om dit aan gedeelde albums toe te voegen"), + "joinDiscord": MessageLookupByLibrary.simpleMessage("Join de Discord"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Foto\'s behouden"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Help ons alsjeblieft met deze informatie"), + "language": MessageLookupByLibrary.simpleMessage("Taal"), + "lastTimeWithThem": m45, + "lastUpdated": MessageLookupByLibrary.simpleMessage("Laatst gewijzigd"), + "lastYearsTrip": + MessageLookupByLibrary.simpleMessage("Reis van vorig jaar"), + "leave": MessageLookupByLibrary.simpleMessage("Verlaten"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Album verlaten"), + "leaveFamily": + MessageLookupByLibrary.simpleMessage("Familie abonnement verlaten"), + "leaveSharedAlbum": + MessageLookupByLibrary.simpleMessage("Gedeeld album verlaten?"), + "left": MessageLookupByLibrary.simpleMessage("Links"), + "legacy": MessageLookupByLibrary.simpleMessage("Legacy"), + "legacyAccounts": + MessageLookupByLibrary.simpleMessage("Legacy accounts"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "Legacy geeft vertrouwde contacten toegang tot je account bij afwezigheid."), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "Vertrouwde contacten kunnen accountherstel starten, en indien deze niet binnen 30 dagen wordt geblokkeerd, je wachtwoord resetten en toegang krijgen tot je account."), + "light": MessageLookupByLibrary.simpleMessage("Licht"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Licht"), + "link": MessageLookupByLibrary.simpleMessage("Link"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Link gekopieerd naar klembord"), + "linkDeviceLimit": + MessageLookupByLibrary.simpleMessage("Apparaat limiet"), + "linkEmail": MessageLookupByLibrary.simpleMessage("Link email"), + "linkEmailToContactBannerCaption": + MessageLookupByLibrary.simpleMessage("voor sneller delen"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Ingeschakeld"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Verlopen"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Vervaldatum"), + "linkHasExpired": + MessageLookupByLibrary.simpleMessage("Link is vervallen"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Nooit"), + "linkPerson": MessageLookupByLibrary.simpleMessage("Link persoon"), + "linkPersonCaption": MessageLookupByLibrary.simpleMessage( + "voor een betere ervaring met delen"), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("Live foto"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "U kunt uw abonnement met uw familie delen"), + "loadMessage2": MessageLookupByLibrary.simpleMessage( + "We hebben tot nu toe meer dan 200 miljoen herinneringen bewaard"), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "We bewaren 3 kopieën van uw bestanden, één in een ondergrondse kernbunker"), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "Al onze apps zijn open source"), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Onze broncode en cryptografie zijn extern gecontroleerd en geverifieerd"), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "Je kunt links naar je albums delen met je dierbaren"), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Onze mobiele apps draaien op de achtergrond om alle nieuwe foto\'s die je maakt te versleutelen en te back-uppen"), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io heeft een vlotte uploader"), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "We gebruiken Xchacha20Poly1305 om uw gegevens veilig te versleutelen"), + "loadingExifData": + MessageLookupByLibrary.simpleMessage("EXIF-gegevens laden..."), + "loadingGallery": + MessageLookupByLibrary.simpleMessage("Laden van gallerij..."), + "loadingMessage": + MessageLookupByLibrary.simpleMessage("Uw foto\'s laden..."), + "loadingModel": + MessageLookupByLibrary.simpleMessage("Modellen downloaden..."), + "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( + "Je foto\'s worden geladen..."), + "localGallery": MessageLookupByLibrary.simpleMessage("Lokale galerij"), + "localIndexing": + MessageLookupByLibrary.simpleMessage("Lokaal indexeren"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Het lijkt erop dat er iets mis is gegaan omdat het synchroniseren van lokale foto\'s meer tijd kost dan verwacht. Neem contact op met ons supportteam"), + "location": MessageLookupByLibrary.simpleMessage("Locatie"), + "locationName": MessageLookupByLibrary.simpleMessage("Locatie naam"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Een locatie tag groept alle foto\'s die binnen een bepaalde straal van een foto zijn genomen"), + "locations": MessageLookupByLibrary.simpleMessage("Locaties"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Vergrendel"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Vergrendelscherm"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Inloggen"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Uitloggen..."), + "loginSessionExpired": + MessageLookupByLibrary.simpleMessage("Sessie verlopen"), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "Jouw sessie is verlopen. Log opnieuw in."), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Door op inloggen te klikken, ga ik akkoord met de gebruiksvoorwaarden en privacybeleid"), + "loginWithTOTP": + MessageLookupByLibrary.simpleMessage("Inloggen met TOTP"), + "logout": MessageLookupByLibrary.simpleMessage("Uitloggen"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "Dit zal logboeken verzenden om ons te helpen uw probleem op te lossen. Houd er rekening mee dat bestandsnamen zullen worden meegenomen om problemen met specifieke bestanden bij te houden."), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Druk lang op een e-mail om de versleuteling te verifiëren."), + "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( + "Houd een bestand lang ingedrukt om te bekijken op volledig scherm"), + "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( + "Kijk terug op je herinneringen 🌄"), + "loopVideoOff": + MessageLookupByLibrary.simpleMessage("Video in lus afspelen uit"), + "loopVideoOn": + MessageLookupByLibrary.simpleMessage("Video in lus afspelen aan"), + "lostDevice": + MessageLookupByLibrary.simpleMessage("Apparaat verloren?"), + "machineLearning": + MessageLookupByLibrary.simpleMessage("Machine Learning"), + "magicSearch": + MessageLookupByLibrary.simpleMessage("Magische zoekfunctie"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "Magisch zoeken maakt het mogelijk om foto\'s op hun inhoud worden gezocht, bijvoorbeeld \"bloem\", \"rode auto\", \"identiteitsdocumenten\""), + "manage": MessageLookupByLibrary.simpleMessage("Beheren"), + "manageDeviceStorage": + MessageLookupByLibrary.simpleMessage("Apparaatcache beheren"), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Bekijk en wis lokale cache opslag."), + "manageFamily": + MessageLookupByLibrary.simpleMessage("Familie abonnement beheren"), + "manageLink": MessageLookupByLibrary.simpleMessage("Beheer link"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Beheren"), + "manageSubscription": + MessageLookupByLibrary.simpleMessage("Abonnement beheren"), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "Koppelen met de PIN werkt met elk scherm waarop je jouw album wilt zien."), + "map": MessageLookupByLibrary.simpleMessage("Kaart"), + "maps": MessageLookupByLibrary.simpleMessage("Kaarten"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("Ik"), + "memories": MessageLookupByLibrary.simpleMessage("Herinneringen"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Selecteer het soort herinneringen dat je wilt zien op je beginscherm."), + "memoryCount": m50, + "merchandise": MessageLookupByLibrary.simpleMessage("Merchandise"), + "merge": MessageLookupByLibrary.simpleMessage("Samenvoegen"), + "mergeWithExisting": + MessageLookupByLibrary.simpleMessage("Samenvoegen met bestaand"), + "mergedPhotos": + MessageLookupByLibrary.simpleMessage("Samengevoegde foto\'s"), + "mlConsent": + MessageLookupByLibrary.simpleMessage("Schakel machine learning in"), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Ik begrijp het, en wil machine learning inschakelen"), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Als u machine learning inschakelt, zal Ente informatie zoals gezichtsgeometrie uit bestanden extraheren, inclusief degenen die met u gedeeld worden.\n\nDit gebeurt op uw apparaat, en alle gegenereerde biometrische informatie zal end-to-end versleuteld worden."), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Klik hier voor meer details over deze functie in ons privacybeleid."), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "Machine learning inschakelen?"), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Houd er rekening mee dat machine learning zal leiden tot hoger bandbreedte- en batterijgebruik totdat alle items geïndexeerd zijn. Overweeg het gebruik van de desktop app voor snellere indexering. Alle resultaten worden automatisch gesynchroniseerd."), + "mobileWebDesktop": + MessageLookupByLibrary.simpleMessage("Mobiel, Web, Desktop"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Matig"), + "modifyYourQueryOrTrySearchingFor": + MessageLookupByLibrary.simpleMessage( + "Pas je zoekopdracht aan of zoek naar"), + "moments": MessageLookupByLibrary.simpleMessage("Momenten"), + "month": MessageLookupByLibrary.simpleMessage("maand"), + "monthly": MessageLookupByLibrary.simpleMessage("Maandelijks"), + "moon": MessageLookupByLibrary.simpleMessage("In het maanlicht"), + "moreDetails": MessageLookupByLibrary.simpleMessage("Meer details"), + "mostRecent": MessageLookupByLibrary.simpleMessage("Meest recent"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("Meest relevant"), + "mountains": MessageLookupByLibrary.simpleMessage("Over de heuvels"), + "moveItem": m51, + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "Verplaats de geselecteerde foto\'s naar één datum"), + "moveToAlbum": + MessageLookupByLibrary.simpleMessage("Verplaats naar album"), + "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Verplaatsen naar verborgen album"), + "movedSuccessfullyTo": m52, + "movedToTrash": + MessageLookupByLibrary.simpleMessage("Naar prullenbak verplaatst"), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Bestanden verplaatsen naar album..."), + "name": MessageLookupByLibrary.simpleMessage("Naam"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Album benoemen"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Kan geen verbinding maken met Ente, probeer het later opnieuw. Als de fout zich blijft voordoen, neem dan contact op met support."), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Kan geen verbinding maken met Ente, controleer uw netwerkinstellingen en neem contact op met ondersteuning als de fout zich blijft voordoen."), + "never": MessageLookupByLibrary.simpleMessage("Nooit"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Nieuw album"), + "newLocation": MessageLookupByLibrary.simpleMessage("Nieuwe locatie"), + "newPerson": MessageLookupByLibrary.simpleMessage("Nieuw persoon"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" nieuwe 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("Nieuwe reeks"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Nieuw bij Ente"), + "newest": MessageLookupByLibrary.simpleMessage("Nieuwste"), + "next": MessageLookupByLibrary.simpleMessage("Volgende"), + "no": MessageLookupByLibrary.simpleMessage("Nee"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Nog geen albums gedeeld door jou"), + "noDeviceFound": + MessageLookupByLibrary.simpleMessage("Geen apparaat gevonden"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Geen"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "Je hebt geen bestanden op dit apparaat die verwijderd kunnen worden"), + "noDuplicates": + MessageLookupByLibrary.simpleMessage("✨ Geen duplicaten"), + "noEnteAccountExclamation": + MessageLookupByLibrary.simpleMessage("Geen Ente account!"), + "noExifData": + MessageLookupByLibrary.simpleMessage("Geen EXIF gegevens"), + "noFacesFound": + MessageLookupByLibrary.simpleMessage("Geen gezichten gevonden"), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "Geen verborgen foto\'s of video\'s"), + "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( + "Geen afbeeldingen met locatie"), + "noInternetConnection": + MessageLookupByLibrary.simpleMessage("Geen internetverbinding"), + "noPhotosAreBeingBackedUpRightNow": + MessageLookupByLibrary.simpleMessage( + "Er worden momenteel geen foto\'s geback-upt"), + "noPhotosFoundHere": + MessageLookupByLibrary.simpleMessage("Geen foto\'s gevonden hier"), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( + "Geen snelle links geselecteerd"), + "noRecoveryKey": + MessageLookupByLibrary.simpleMessage("Geen herstelcode?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Door de aard van ons end-to-end encryptieprotocol kunnen je gegevens niet worden ontsleuteld zonder je wachtwoord of herstelsleutel"), + "noResults": MessageLookupByLibrary.simpleMessage("Geen resultaten"), + "noResultsFound": + MessageLookupByLibrary.simpleMessage("Geen resultaten gevonden"), + "noSuggestionsForPerson": m53, + "noSystemLockFound": MessageLookupByLibrary.simpleMessage( + "Geen systeemvergrendeling gevonden"), + "notPersonLabel": m54, + "notThisPerson": + MessageLookupByLibrary.simpleMessage("Niet dezelfde persoon?"), + "nothingSharedWithYouYet": + MessageLookupByLibrary.simpleMessage("Nog niets met je gedeeld"), + "nothingToSeeHere": + MessageLookupByLibrary.simpleMessage("Nog niets te zien hier! 👀"), + "notifications": MessageLookupByLibrary.simpleMessage("Meldingen"), + "ok": MessageLookupByLibrary.simpleMessage("Oké"), + "onDevice": MessageLookupByLibrary.simpleMessage("Op het apparaat"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "Op ente"), + "onTheRoad": MessageLookupByLibrary.simpleMessage("Onderweg"), + "onThisDay": MessageLookupByLibrary.simpleMessage("Op deze dag"), + "onThisDayMemories": + MessageLookupByLibrary.simpleMessage("Op deze dag herinneringen"), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "Ontvang meldingen over herinneringen op deze dag door de jaren heen."), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Alleen hen"), + "oops": MessageLookupByLibrary.simpleMessage("Oeps"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Oeps, kon bewerkingen niet opslaan"), + "oopsSomethingWentWrong": + MessageLookupByLibrary.simpleMessage("Oeps, er is iets misgegaan"), + "openAlbumInBrowser": + MessageLookupByLibrary.simpleMessage("Open album in browser"), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Gebruik de webapp om foto\'s aan dit album toe te voegen"), + "openFile": MessageLookupByLibrary.simpleMessage("Bestand openen"), + "openSettings": + MessageLookupByLibrary.simpleMessage("Instellingen openen"), + "openTheItem": MessageLookupByLibrary.simpleMessage("• Open het item"), + "openstreetmapContributors": + MessageLookupByLibrary.simpleMessage("OpenStreetMap bijdragers"), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Optioneel, zo kort als je wilt..."), + "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( + "Of samenvoegen met bestaande"), + "orPickAnExistingOne": + MessageLookupByLibrary.simpleMessage("Of kies een bestaande"), + "orPickFromYourContacts": + MessageLookupByLibrary.simpleMessage("of kies uit je contacten"), + "otherDetectedFaces": MessageLookupByLibrary.simpleMessage( + "Andere gedetecteerde gezichten"), + "pair": MessageLookupByLibrary.simpleMessage("Koppelen"), + "pairWithPin": MessageLookupByLibrary.simpleMessage("Koppelen met PIN"), + "pairingComplete": + MessageLookupByLibrary.simpleMessage("Koppeling voltooid"), + "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), + "partyWithThem": m56, + "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( + "Verificatie is nog in behandeling"), + "passkey": MessageLookupByLibrary.simpleMessage("Passkey"), + "passkeyAuthTitle": + MessageLookupByLibrary.simpleMessage("Passkey verificatie"), + "password": MessageLookupByLibrary.simpleMessage("Wachtwoord"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Wachtwoord succesvol aangepast"), + "passwordLock": MessageLookupByLibrary.simpleMessage("Wachtwoord slot"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "De wachtwoordsterkte wordt berekend aan de hand van de lengte van het wachtwoord, de gebruikte tekens en of het wachtwoord al dan niet in de top 10.000 van meest gebruikte wachtwoorden staat"), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Wij slaan dit wachtwoord niet op, dus als je het vergeet, kunnen we je gegevens niet ontsleutelen"), + "pastYearsMemories": + MessageLookupByLibrary.simpleMessage("Afgelopen jaren"), + "paymentDetails": + MessageLookupByLibrary.simpleMessage("Betaalgegevens"), + "paymentFailed": + MessageLookupByLibrary.simpleMessage("Betaling mislukt"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "Helaas is je betaling mislukt. Neem contact op met support zodat we je kunnen helpen!"), + "paymentFailedTalkToProvider": m58, + "pendingItems": + MessageLookupByLibrary.simpleMessage("Bestanden in behandeling"), + "pendingSync": MessageLookupByLibrary.simpleMessage( + "Synchronisatie in behandeling"), + "people": MessageLookupByLibrary.simpleMessage("Personen"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Mensen die jouw code gebruiken"), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Selecteer de mensen die je wilt zien op je beginscherm."), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Alle bestanden in de prullenbak zullen permanent worden verwijderd\n\nDeze actie kan niet ongedaan worden gemaakt"), + "permanentlyDelete": + MessageLookupByLibrary.simpleMessage("Permanent verwijderen"), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Permanent verwijderen van apparaat?"), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("Naam van persoon"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("Harige kameraden"), + "photoDescriptions": + MessageLookupByLibrary.simpleMessage("Foto beschrijvingen"), + "photoGridSize": + MessageLookupByLibrary.simpleMessage("Foto raster grootte"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("Foto\'s"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "Foto\'s toegevoegd door u zullen worden verwijderd uit het album"), + "photosCount": m62, + "photosKeepRelativeTimeDifference": + MessageLookupByLibrary.simpleMessage( + "Foto\'s behouden relatief tijdsverschil"), + "pickCenterPoint": + MessageLookupByLibrary.simpleMessage("Kies middelpunt"), + "pinAlbum": + MessageLookupByLibrary.simpleMessage("Album bovenaan vastzetten"), + "pinLock": MessageLookupByLibrary.simpleMessage("PIN vergrendeling"), + "playOnTv": + MessageLookupByLibrary.simpleMessage("Album afspelen op TV"), + "playOriginal": + MessageLookupByLibrary.simpleMessage("Origineel afspelen"), + "playStoreFreeTrialValidTill": m63, + "playStream": MessageLookupByLibrary.simpleMessage("Stream afspelen"), + "playstoreSubscription": + MessageLookupByLibrary.simpleMessage("PlayStore abonnement"), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Controleer je internetverbinding en probeer het opnieuw."), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Neem alstublieft contact op met support@ente.io en we helpen u graag!"), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Neem contact op met klantenservice als het probleem aanhoudt"), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( + "Geef alstublieft toestemming"), + "pleaseLoginAgain": + MessageLookupByLibrary.simpleMessage("Log opnieuw in"), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Selecteer snelle links om te verwijderen"), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": + MessageLookupByLibrary.simpleMessage("Probeer het nog eens"), + "pleaseVerifyTheCodeYouHaveEntered": + MessageLookupByLibrary.simpleMessage( + "Controleer de code die u hebt ingevoerd"), + "pleaseWait": + MessageLookupByLibrary.simpleMessage("Een ogenblik geduld..."), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Een ogenblik geduld, album wordt verwijderd"), + "pleaseWaitForSometimeBeforeRetrying": + MessageLookupByLibrary.simpleMessage( + "Gelieve even te wachten voordat u opnieuw probeert"), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "Een ogenblik geduld, dit zal even duren."), + "posingWithThem": m66, + "preparingLogs": + MessageLookupByLibrary.simpleMessage("Logboeken voorbereiden..."), + "preserveMore": MessageLookupByLibrary.simpleMessage("Meer bewaren"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Ingedrukt houden om video af te spelen"), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Houd de afbeelding ingedrukt om video af te spelen"), + "previous": MessageLookupByLibrary.simpleMessage("Vorige"), + "privacy": MessageLookupByLibrary.simpleMessage("Privacy"), + "privacyPolicyTitle": + MessageLookupByLibrary.simpleMessage("Privacybeleid"), + "privateBackups": + MessageLookupByLibrary.simpleMessage("Privé back-ups"), + "privateSharing": MessageLookupByLibrary.simpleMessage("Privé delen"), + "proceed": MessageLookupByLibrary.simpleMessage("Verder"), + "processed": MessageLookupByLibrary.simpleMessage("Verwerkt"), + "processing": MessageLookupByLibrary.simpleMessage("Verwerken"), + "processingImport": m67, + "processingVideos": + MessageLookupByLibrary.simpleMessage("Video\'s verwerken"), + "publicLinkCreated": + MessageLookupByLibrary.simpleMessage("Publieke link aangemaakt"), + "publicLinkEnabled": + MessageLookupByLibrary.simpleMessage("Publieke link ingeschakeld"), + "questionmark": MessageLookupByLibrary.simpleMessage("?"), + "queued": MessageLookupByLibrary.simpleMessage("In wachtrij"), + "quickLinks": MessageLookupByLibrary.simpleMessage("Snelle links"), + "radius": MessageLookupByLibrary.simpleMessage("Straal"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Meld probleem"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("Beoordeel de app"), + "rateUs": MessageLookupByLibrary.simpleMessage("Beoordeel ons"), + "rateUsOnStore": m68, + "reassignMe": + MessageLookupByLibrary.simpleMessage("\"Ik\" opnieuw toewijzen"), + "reassignedToName": m69, + "reassigningLoading": + MessageLookupByLibrary.simpleMessage("Opnieuw toewijzen..."), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Ontvang herinneringen wanneer iemand jarig is. Als je op de melding drukt, krijg je foto\'s van de jarige."), + "recover": MessageLookupByLibrary.simpleMessage("Herstellen"), + "recoverAccount": + MessageLookupByLibrary.simpleMessage("Account herstellen"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Herstellen"), + "recoveryAccount": + MessageLookupByLibrary.simpleMessage("Account herstellen"), + "recoveryInitiated": + MessageLookupByLibrary.simpleMessage("Herstel gestart"), + "recoveryInitiatedDesc": m70, + "recoveryKey": MessageLookupByLibrary.simpleMessage("Herstelsleutel"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Herstelsleutel gekopieerd naar klembord"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Als je je wachtwoord vergeet, kun je alleen met deze sleutel je gegevens herstellen."), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "We slaan deze sleutel niet op, bewaar deze 24 woorden sleutel op een veilige plaats."), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Super! Je herstelsleutel is geldig. Bedankt voor het verifiëren.\n\nVergeet niet om je herstelsleutel veilig te bewaren."), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Herstel sleutel geverifieerd"), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Je herstelsleutel is de enige manier om je foto\'s te herstellen als je je wachtwoord bent vergeten. Je vindt je herstelsleutel in Instellingen > Account.\n\nVoer hier je herstelsleutel in om te controleren of je hem correct hebt opgeslagen."), + "recoveryReady": m71, + "recoverySuccessful": + MessageLookupByLibrary.simpleMessage("Herstel succesvol!"), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "Een vertrouwd contact probeert toegang te krijgen tot je account"), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Het huidige apparaat is niet krachtig genoeg om je wachtwoord te verifiëren, dus moeten we de code een keer opnieuw genereren op een manier die met alle apparaten werkt.\n\nLog in met behulp van uw herstelcode en genereer opnieuw uw wachtwoord (je kunt dezelfde indien gewenst opnieuw gebruiken)."), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Wachtwoord opnieuw instellen"), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": + MessageLookupByLibrary.simpleMessage("Wachtwoord opnieuw invoeren"), + "reenterPin": + MessageLookupByLibrary.simpleMessage("PIN opnieuw invoeren"), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Verwijs vrienden en 2x uw abonnement"), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Geef deze code aan je vrienden"), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Ze registreren voor een betaald plan"), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Referenties"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "Verwijzingen zijn momenteel gepauzeerd"), + "rejectRecovery": + MessageLookupByLibrary.simpleMessage("Herstel weigeren"), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "Leeg ook \"Onlangs verwijderd\" uit \"Instellingen\" -> \"Opslag\" om de vrij gekomen ruimte te benutten"), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Leeg ook uw \"Prullenbak\" om de vrij gekomen ruimte te benutten"), + "remoteImages": + MessageLookupByLibrary.simpleMessage("Externe afbeeldingen"), + "remoteThumbnails": + MessageLookupByLibrary.simpleMessage("Externe thumbnails"), + "remoteVideos": + MessageLookupByLibrary.simpleMessage("Externe video\'s"), + "remove": MessageLookupByLibrary.simpleMessage("Verwijder"), + "removeDuplicates": + MessageLookupByLibrary.simpleMessage("Duplicaten verwijderen"), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Controleer en verwijder bestanden die exacte kopieën zijn."), + "removeFromAlbum": + MessageLookupByLibrary.simpleMessage("Verwijder uit album"), + "removeFromAlbumTitle": + MessageLookupByLibrary.simpleMessage("Uit album verwijderen?"), + "removeFromFavorite": + MessageLookupByLibrary.simpleMessage("Verwijder van favorieten"), + "removeInvite": + MessageLookupByLibrary.simpleMessage("Verwijder uitnodiging"), + "removeLink": MessageLookupByLibrary.simpleMessage("Verwijder link"), + "removeParticipant": + MessageLookupByLibrary.simpleMessage("Deelnemer verwijderen"), + "removeParticipantBody": m74, + "removePersonLabel": + MessageLookupByLibrary.simpleMessage("Verwijder persoonslabel"), + "removePublicLink": + MessageLookupByLibrary.simpleMessage("Verwijder publieke link"), + "removePublicLinks": + MessageLookupByLibrary.simpleMessage("Verwijder publieke link"), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Sommige van de items die je verwijdert zijn door andere mensen toegevoegd, en je verliest de toegang daartoe"), + "removeWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Verwijder?"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Verwijder jezelf als vertrouwd contact"), + "removingFromFavorites": MessageLookupByLibrary.simpleMessage( + "Verwijderen uit favorieten..."), + "rename": MessageLookupByLibrary.simpleMessage("Naam wijzigen"), + "renameAlbum": + MessageLookupByLibrary.simpleMessage("Albumnaam wijzigen"), + "renameFile": + MessageLookupByLibrary.simpleMessage("Bestandsnaam wijzigen"), + "renewSubscription": + MessageLookupByLibrary.simpleMessage("Abonnement verlengen"), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Een fout melden"), + "reportBug": MessageLookupByLibrary.simpleMessage("Fout melden"), + "resendEmail": + MessageLookupByLibrary.simpleMessage("E-mail opnieuw versturen"), + "reset": MessageLookupByLibrary.simpleMessage("Reset"), + "resetIgnoredFiles": + MessageLookupByLibrary.simpleMessage("Reset genegeerde bestanden"), + "resetPasswordTitle": + MessageLookupByLibrary.simpleMessage("Wachtwoord resetten"), + "resetPerson": MessageLookupByLibrary.simpleMessage("Verwijderen"), + "resetToDefault": MessageLookupByLibrary.simpleMessage( + "Standaardinstellingen herstellen"), + "restore": MessageLookupByLibrary.simpleMessage("Herstellen"), + "restoreToAlbum": + MessageLookupByLibrary.simpleMessage("Terugzetten naar album"), + "restoringFiles": + MessageLookupByLibrary.simpleMessage("Bestanden herstellen..."), + "resumableUploads": + MessageLookupByLibrary.simpleMessage("Hervatbare uploads"), + "retry": MessageLookupByLibrary.simpleMessage("Opnieuw"), + "review": MessageLookupByLibrary.simpleMessage("Beoordelen"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Controleer en verwijder de bestanden die u denkt dat dubbel zijn."), + "reviewSuggestions": + MessageLookupByLibrary.simpleMessage("Suggesties beoordelen"), + "right": MessageLookupByLibrary.simpleMessage("Rechts"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("Roteren"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Roteer links"), + "rotateRight": MessageLookupByLibrary.simpleMessage("Rechtsom draaien"), + "safelyStored": + MessageLookupByLibrary.simpleMessage("Veilig opgeslagen"), + "save": MessageLookupByLibrary.simpleMessage("Opslaan"), + "saveAsAnotherPerson": + MessageLookupByLibrary.simpleMessage("Opslaan als ander persoon"), + "saveChangesBeforeLeavingQuestion": + MessageLookupByLibrary.simpleMessage( + "Wijzigingen opslaan voor verlaten?"), + "saveCollage": MessageLookupByLibrary.simpleMessage("Sla collage op"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Kopie opslaan"), + "saveKey": MessageLookupByLibrary.simpleMessage("Bewaar sleutel"), + "savePerson": MessageLookupByLibrary.simpleMessage("Persoon opslaan"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Sla je herstelsleutel op als je dat nog niet gedaan hebt"), + "saving": MessageLookupByLibrary.simpleMessage("Opslaan..."), + "savingEdits": + MessageLookupByLibrary.simpleMessage("Bewerken opslaan..."), + "scanCode": MessageLookupByLibrary.simpleMessage("Scan code"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Scan deze barcode met\nje authenticator app"), + "search": MessageLookupByLibrary.simpleMessage("Zoeken"), + "searchAlbumsEmptySection": + MessageLookupByLibrary.simpleMessage("Albums"), + "searchByAlbumNameHint": + MessageLookupByLibrary.simpleMessage("Albumnaam"), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Albumnamen (bijv. \"Camera\")\n• Types van bestanden (bijv. \"Video\'s\", \".gif\")\n• Jaren en maanden (bijv. \"2022\", \"januari\")\n• Feestdagen (bijv. \"Kerstmis\")\n• Fotobeschrijvingen (bijv. \"#fun\")"), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Voeg beschrijvingen zoals \"#weekendje weg\" toe in foto-info om ze snel hier te vinden"), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Zoeken op een datum, maand of jaar"), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "Afbeeldingen worden hier getoond zodra verwerking en synchroniseren voltooid is"), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "Mensen worden hier getoond als het indexeren klaar is"), + "searchFileTypesAndNamesEmptySection": + MessageLookupByLibrary.simpleMessage("Bestandstypen en namen"), + "searchHint1": + MessageLookupByLibrary.simpleMessage("Snelle, lokale zoekfunctie"), + "searchHint2": + MessageLookupByLibrary.simpleMessage("Foto datums, beschrijvingen"), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "Albums, bestandsnamen en typen"), + "searchHint4": MessageLookupByLibrary.simpleMessage("Locatie"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "Binnenkort beschikbaar: Gezichten & magische zoekopdrachten ✨"), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Foto\'s groeperen die in een bepaalde straal van een foto worden genomen"), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "Nodig mensen uit, en je ziet alle foto\'s die door hen worden gedeeld hier"), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "Personen worden hier getoond zodra verwerking en synchroniseren voltooid is"), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Beveiliging"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "Bekijk publieke album links in de app"), + "selectALocation": + MessageLookupByLibrary.simpleMessage("Selecteer een locatie"), + "selectALocationFirst": + MessageLookupByLibrary.simpleMessage("Selecteer eerst een locatie"), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Album selecteren"), + "selectAll": MessageLookupByLibrary.simpleMessage("Selecteer alles"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("Alle"), + "selectCoverPhoto": + MessageLookupByLibrary.simpleMessage("Selecteer omslagfoto"), + "selectDate": MessageLookupByLibrary.simpleMessage("Selecteer datum"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Selecteer mappen voor back-up"), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "Selecteer items om toe te voegen"), + "selectLanguage": + MessageLookupByLibrary.simpleMessage("Taal selecteren"), + "selectMailApp": + MessageLookupByLibrary.simpleMessage("Selecteer mail app"), + "selectMorePhotos": + MessageLookupByLibrary.simpleMessage("Selecteer meer foto\'s"), + "selectOneDateAndTime": + MessageLookupByLibrary.simpleMessage("Selecteer één datum en tijd"), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "Selecteer één datum en tijd voor allen"), + "selectPersonToLink": + MessageLookupByLibrary.simpleMessage("Kies persoon om te linken"), + "selectReason": MessageLookupByLibrary.simpleMessage("Selecteer reden"), + "selectStartOfRange": + MessageLookupByLibrary.simpleMessage("Selecteer start van reeks"), + "selectTime": MessageLookupByLibrary.simpleMessage("Tijd selecteren"), + "selectYourFace": + MessageLookupByLibrary.simpleMessage("Selecteer je gezicht"), + "selectYourPlan": + MessageLookupByLibrary.simpleMessage("Kies uw abonnement"), + "selectedAlbums": m79, + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Geselecteerde bestanden staan niet op Ente"), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Geselecteerde mappen worden versleuteld en geback-upt"), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Geselecteerde bestanden worden verwijderd uit alle albums en verplaatst naar de prullenbak."), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "Geselecteerde bestanden worden van deze persoon verwijderd, maar niet uit uw bibliotheek verwijderd."), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("Verzenden"), + "sendEmail": MessageLookupByLibrary.simpleMessage("E-mail versturen"), + "sendInvite": + MessageLookupByLibrary.simpleMessage("Stuur een uitnodiging"), + "sendLink": MessageLookupByLibrary.simpleMessage("Stuur link"), + "serverEndpoint": + MessageLookupByLibrary.simpleMessage("Server eindpunt"), + "sessionExpired": + MessageLookupByLibrary.simpleMessage("Sessie verlopen"), + "sessionIdMismatch": + MessageLookupByLibrary.simpleMessage("Sessie ID komt niet overeen"), + "setAPassword": + MessageLookupByLibrary.simpleMessage("Stel een wachtwoord in"), + "setAs": MessageLookupByLibrary.simpleMessage("Instellen als"), + "setCover": MessageLookupByLibrary.simpleMessage("Omslag instellen"), + "setLabel": MessageLookupByLibrary.simpleMessage("Instellen"), + "setNewPassword": + MessageLookupByLibrary.simpleMessage("Nieuw wachtwoord instellen"), + "setNewPin": + MessageLookupByLibrary.simpleMessage("Nieuwe PIN instellen"), + "setPasswordTitle": + MessageLookupByLibrary.simpleMessage("Wachtwoord instellen"), + "setRadius": MessageLookupByLibrary.simpleMessage("Radius instellen"), + "setupComplete": MessageLookupByLibrary.simpleMessage("Setup voltooid"), + "share": MessageLookupByLibrary.simpleMessage("Delen"), + "shareALink": MessageLookupByLibrary.simpleMessage("Deel een link"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Open een album en tik op de deelknop rechts bovenaan om te delen."), + "shareAnAlbumNow": + MessageLookupByLibrary.simpleMessage("Deel nu een album"), + "shareLink": MessageLookupByLibrary.simpleMessage("Link delen"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Deel alleen met de mensen die u wilt"), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Download Ente zodat we gemakkelijk foto\'s en video\'s in originele kwaliteit kunnen delen\n\nhttps://ente.io"), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Delen met niet-Ente gebruikers"), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": + MessageLookupByLibrary.simpleMessage("Deel jouw eerste album"), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Maak gedeelde en collaboratieve albums met andere Ente gebruikers, inclusief gebruikers met gratis abonnementen."), + "sharedByMe": MessageLookupByLibrary.simpleMessage("Gedeeld door mij"), + "sharedByYou": MessageLookupByLibrary.simpleMessage("Gedeeld door jou"), + "sharedPhotoNotifications": + MessageLookupByLibrary.simpleMessage("Nieuwe gedeelde foto\'s"), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Ontvang meldingen wanneer iemand een foto toevoegt aan een gedeeld album waar je deel van uitmaakt"), + "sharedWith": m87, + "sharedWithMe": MessageLookupByLibrary.simpleMessage("Gedeeld met mij"), + "sharedWithYou": + MessageLookupByLibrary.simpleMessage("Gedeeld met jou"), + "sharing": MessageLookupByLibrary.simpleMessage("Delen..."), + "shiftDatesAndTime": + MessageLookupByLibrary.simpleMessage("Verschuif datum en tijd"), + "showLessFaces": + MessageLookupByLibrary.simpleMessage("Minder gezichten weergeven"), + "showMemories": + MessageLookupByLibrary.simpleMessage("Toon herinneringen"), + "showMoreFaces": + MessageLookupByLibrary.simpleMessage("Minder gezichten weergeven"), + "showPerson": MessageLookupByLibrary.simpleMessage("Toon persoon"), + "signOutFromOtherDevices": + MessageLookupByLibrary.simpleMessage("Log uit op andere apparaten"), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Als je denkt dat iemand je wachtwoord zou kunnen kennen, kun je alle andere apparaten die je account gebruiken dwingen om uit te loggen."), + "signOutOtherDevices": + MessageLookupByLibrary.simpleMessage("Log uit op andere apparaten"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Ik ga akkoord met de gebruiksvoorwaarden en privacybeleid"), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Het wordt uit alle albums verwijderd."), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Overslaan"), + "smartMemories": + MessageLookupByLibrary.simpleMessage("Slimme herinneringen"), + "social": MessageLookupByLibrary.simpleMessage("Sociale media"), + "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( + "Sommige bestanden bevinden zich zowel in Ente als op jouw apparaat."), + "someOfTheFilesYouAreTryingToDeleteAre": + MessageLookupByLibrary.simpleMessage( + "Sommige bestanden die u probeert te verwijderen zijn alleen beschikbaar op uw apparaat en kunnen niet hersteld worden als deze verwijderd worden"), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Iemand die albums met je deelt zou hetzelfde ID op hun apparaat moeten zien."), + "somethingWentWrong": + MessageLookupByLibrary.simpleMessage("Er ging iets mis"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Er is iets fout gegaan, probeer het opnieuw"), + "sorry": MessageLookupByLibrary.simpleMessage("Sorry"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "Sorry, we kunnen dit bestand nu niet back-uppen, we zullen het later opnieuw proberen."), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Sorry, kon niet aan favorieten worden toegevoegd!"), + "sorryCouldNotRemoveFromFavorites": + MessageLookupByLibrary.simpleMessage( + "Sorry, kon niet uit favorieten worden verwijderd!"), + "sorryTheCodeYouveEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "Sorry, de ingevoerde code is onjuist"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Sorry, we konden geen beveiligde sleutels genereren op dit apparaat.\n\nGelieve je aan te melden vanaf een ander apparaat."), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Sorry, we moesten je back-ups pauzeren"), + "sort": MessageLookupByLibrary.simpleMessage("Sorteren"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sorteren op"), + "sortNewestFirst": + MessageLookupByLibrary.simpleMessage("Nieuwste eerst"), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Oudste eerst"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Succes"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": + MessageLookupByLibrary.simpleMessage("Spotlicht op jezelf"), + "startAccountRecoveryTitle": + MessageLookupByLibrary.simpleMessage("Herstel starten"), + "startBackup": MessageLookupByLibrary.simpleMessage("Back-up starten"), + "status": MessageLookupByLibrary.simpleMessage("Status"), + "stopCastingBody": + MessageLookupByLibrary.simpleMessage("Wil je stoppen met casten?"), + "stopCastingTitle": + MessageLookupByLibrary.simpleMessage("Casten stoppen"), + "storage": MessageLookupByLibrary.simpleMessage("Opslagruimte"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Familie"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Jij"), + "storageInGB": m93, + "storageLimitExceeded": + MessageLookupByLibrary.simpleMessage("Opslaglimiet overschreden"), + "storageUsageInfo": m94, + "streamDetails": MessageLookupByLibrary.simpleMessage("Stream details"), + "strongStrength": MessageLookupByLibrary.simpleMessage("Sterk"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Abonneer"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Je hebt een actief betaald abonnement nodig om delen mogelijk te maken."), + "subscription": MessageLookupByLibrary.simpleMessage("Abonnement"), + "success": MessageLookupByLibrary.simpleMessage("Succes"), + "successfullyArchived": + MessageLookupByLibrary.simpleMessage("Succesvol gearchiveerd"), + "successfullyHid": + MessageLookupByLibrary.simpleMessage("Succesvol verborgen"), + "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( + "Succesvol uit archief gehaald"), + "successfullyUnhid": MessageLookupByLibrary.simpleMessage( + "Met succes zichtbaar gemaakt"), + "suggestFeatures": + MessageLookupByLibrary.simpleMessage("Features voorstellen"), + "sunrise": MessageLookupByLibrary.simpleMessage("Aan de horizon"), + "support": MessageLookupByLibrary.simpleMessage("Ondersteuning"), + "syncProgress": m97, + "syncStopped": + MessageLookupByLibrary.simpleMessage("Synchronisatie gestopt"), + "syncing": MessageLookupByLibrary.simpleMessage("Synchroniseren..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("Systeem"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("tik om te kopiëren"), + "tapToEnterCode": + MessageLookupByLibrary.simpleMessage("Tik om code in te voeren"), + "tapToUnlock": + MessageLookupByLibrary.simpleMessage("Tik om te ontgrendelen"), + "tapToUpload": + MessageLookupByLibrary.simpleMessage("Tik om te uploaden"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Het lijkt erop dat er iets fout is gegaan. Probeer het later opnieuw. Als de fout zich blijft voordoen, neem dan contact op met ons supportteam."), + "terminate": MessageLookupByLibrary.simpleMessage("Beëindigen"), + "terminateSession": + MessageLookupByLibrary.simpleMessage("Sessie beëindigen?"), + "terms": MessageLookupByLibrary.simpleMessage("Voorwaarden"), + "termsOfServicesTitle": + MessageLookupByLibrary.simpleMessage("Voorwaarden"), + "thankYou": MessageLookupByLibrary.simpleMessage("Bedankt"), + "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( + "Dank je wel voor het abonneren!"), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "De download kon niet worden voltooid"), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "De link die je probeert te openen is verlopen."), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "De groepen worden niet meer getoond in de personen sectie. Foto\'s blijven ongemoeid."), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "De persoon wordt niet meer getoond in de personen sectie. Foto\'s blijven ongemoeid."), + "theRecoveryKeyYouEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "De ingevoerde herstelsleutel is onjuist"), + "theme": MessageLookupByLibrary.simpleMessage("Thema"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Deze bestanden zullen worden verwijderd van uw apparaat."), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "Ze zullen uit alle albums worden verwijderd."), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Deze actie kan niet ongedaan gemaakt worden"), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "Dit album heeft al een gezamenlijke link"), + "thisCanBeUsedToRecoverYourAccountIfYou": + MessageLookupByLibrary.simpleMessage( + "Dit kan worden gebruikt om je account te herstellen als je je tweede factor verliest"), + "thisDevice": MessageLookupByLibrary.simpleMessage("Dit apparaat"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "Dit e-mailadres is al in gebruik"), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Deze foto heeft geen exif gegevens"), + "thisIsMeExclamation": + MessageLookupByLibrary.simpleMessage("Dit ben ik!"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": + MessageLookupByLibrary.simpleMessage("Dit is uw verificatie-ID"), + "thisWeekThroughTheYears": + MessageLookupByLibrary.simpleMessage("Deze week door de jaren"), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Dit zal je uitloggen van het volgende apparaat:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Dit zal je uitloggen van dit apparaat!"), + "thisWillMakeTheDateAndTimeOfAllSelected": + MessageLookupByLibrary.simpleMessage( + "Dit maakt de datum en tijd van alle geselecteerde foto\'s hetzelfde."), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "Hiermee worden openbare links van alle geselecteerde snelle links verwijderd."), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "Om appvergrendeling in te schakelen, moet u een toegangscode of schermvergrendeling instellen in uw systeeminstellingen."), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( + "Om een foto of video te verbergen"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Verifieer eerst je e-mailadres om je wachtwoord opnieuw in te stellen."), + "todaysLogs": + MessageLookupByLibrary.simpleMessage("Logboeken van vandaag"), + "tooManyIncorrectAttempts": + MessageLookupByLibrary.simpleMessage("Te veel onjuiste pogingen"), + "total": MessageLookupByLibrary.simpleMessage("totaal"), + "totalSize": MessageLookupByLibrary.simpleMessage("Totale grootte"), + "trash": MessageLookupByLibrary.simpleMessage("Prullenbak"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Knippen"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": + MessageLookupByLibrary.simpleMessage("Vertrouwde contacten"), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Probeer opnieuw"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Schakel back-up in om bestanden die toegevoegd zijn aan deze map op dit apparaat automatisch te uploaden."), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "Krijg 2 maanden gratis bij jaarlijkse abonnementen"), + "twofactor": + MessageLookupByLibrary.simpleMessage("Tweestapsverificatie"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "Tweestapsverificatie is uitgeschakeld"), + "twofactorAuthenticationPageTitle": + MessageLookupByLibrary.simpleMessage("Tweestapsverificatie"), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "Tweestapsverificatie succesvol gereset"), + "twofactorSetup": + MessageLookupByLibrary.simpleMessage("Tweestapsverificatie"), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("Uit archief halen"), + "unarchiveAlbum": + MessageLookupByLibrary.simpleMessage("Album uit archief halen"), + "unarchiving": + MessageLookupByLibrary.simpleMessage("Uit het archief halen..."), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Deze code is helaas niet beschikbaar."), + "uncategorized": + MessageLookupByLibrary.simpleMessage("Ongecategoriseerd"), + "unhide": MessageLookupByLibrary.simpleMessage("Zichtbaar maken"), + "unhideToAlbum": + MessageLookupByLibrary.simpleMessage("Zichtbaar maken in album"), + "unhiding": MessageLookupByLibrary.simpleMessage("Zichtbaar maken..."), + "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Bestanden zichtbaar maken in album"), + "unlock": MessageLookupByLibrary.simpleMessage("Ontgrendelen"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("Album losmaken"), + "unselectAll": + MessageLookupByLibrary.simpleMessage("Deselecteer alles"), + "update": MessageLookupByLibrary.simpleMessage("Update"), + "updateAvailable": + MessageLookupByLibrary.simpleMessage("Update beschikbaar"), + "updatingFolderSelection": + MessageLookupByLibrary.simpleMessage("Map selectie bijwerken..."), + "upgrade": MessageLookupByLibrary.simpleMessage("Upgraden"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Bestanden worden geüpload naar album..."), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( + "1 herinnering veiligstellen..."), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "Tot 50% korting, tot 4 december."), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "Bruikbare opslag is beperkt door je huidige abonnement. Buitensporige geclaimde opslag zal automatisch bruikbaar worden wanneer je je abonnement upgrade."), + "useAsCover": + MessageLookupByLibrary.simpleMessage("Als cover gebruiken"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "Problemen met het afspelen van deze video? Hier ingedrukt houden om een andere speler te proberen."), + "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Gebruik publieke links voor mensen die geen Ente account hebben"), + "useRecoveryKey": + MessageLookupByLibrary.simpleMessage("Herstelcode gebruiken"), + "useSelectedPhoto": + MessageLookupByLibrary.simpleMessage("Gebruik geselecteerde foto"), + "usedSpace": MessageLookupByLibrary.simpleMessage("Gebruikte ruimte"), + "validTill": m110, + "verificationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Verificatie mislukt, probeer het opnieuw"), + "verificationId": + MessageLookupByLibrary.simpleMessage("Verificatie ID"), + "verify": MessageLookupByLibrary.simpleMessage("Verifiëren"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("Bevestig e-mail"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Verifiëren"), + "verifyPasskey": + MessageLookupByLibrary.simpleMessage("Bevestig passkey"), + "verifyPassword": + MessageLookupByLibrary.simpleMessage("Bevestig wachtwoord"), + "verifying": MessageLookupByLibrary.simpleMessage("Verifiëren..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Herstelsleutel verifiëren..."), + "videoInfo": MessageLookupByLibrary.simpleMessage("Video-info"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), + "videoStreaming": + MessageLookupByLibrary.simpleMessage("Video\'s met stream"), + "videos": MessageLookupByLibrary.simpleMessage("Video\'s"), + "viewActiveSessions": + MessageLookupByLibrary.simpleMessage("Actieve sessies bekijken"), + "viewAddOnButton": + MessageLookupByLibrary.simpleMessage("Add-ons bekijken"), + "viewAll": MessageLookupByLibrary.simpleMessage("Alles weergeven"), + "viewAllExifData": + MessageLookupByLibrary.simpleMessage("Bekijk alle EXIF gegevens"), + "viewLargeFiles": + MessageLookupByLibrary.simpleMessage("Grote bestanden"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Bekijk bestanden die de meeste opslagruimte verbruiken."), + "viewLogs": MessageLookupByLibrary.simpleMessage("Logboeken bekijken"), + "viewPersonToUnlink": m112, + "viewRecoveryKey": + MessageLookupByLibrary.simpleMessage("Toon herstelsleutel"), + "viewer": MessageLookupByLibrary.simpleMessage("Kijker"), + "viewersSuccessfullyAdded": m113, + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Bezoek alstublieft web.ente.io om uw abonnement te beheren"), + "waitingForVerification": + MessageLookupByLibrary.simpleMessage("Wachten op verificatie..."), + "waitingForWifi": + MessageLookupByLibrary.simpleMessage("Wachten op WiFi..."), + "warning": MessageLookupByLibrary.simpleMessage("Waarschuwing"), + "weAreOpenSource": + MessageLookupByLibrary.simpleMessage("We zijn open source!"), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "We ondersteunen het bewerken van foto\'s en albums waar je niet de eigenaar van bent nog niet"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Zwak"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("Welkom terug!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("Nieuw"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "Vertrouwde contacten kunnen helpen bij het herstellen van je data."), + "widgets": MessageLookupByLibrary.simpleMessage("Widgets"), + "wishThemAHappyBirthday": m115, + "yearShort": MessageLookupByLibrary.simpleMessage("jr"), + "yearly": MessageLookupByLibrary.simpleMessage("Jaarlijks"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Ja"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Ja, opzeggen"), + "yesConvertToViewer": + MessageLookupByLibrary.simpleMessage("Ja, converteren naar viewer"), + "yesDelete": MessageLookupByLibrary.simpleMessage("Ja, verwijderen"), + "yesDiscardChanges": + MessageLookupByLibrary.simpleMessage("Ja, wijzigingen negeren"), + "yesIgnore": MessageLookupByLibrary.simpleMessage("Ja, negeer"), + "yesLogout": MessageLookupByLibrary.simpleMessage("Ja, log uit"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Ja, verwijderen"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Ja, verlengen"), + "yesResetPerson": + MessageLookupByLibrary.simpleMessage("Ja, reset persoon"), + "you": MessageLookupByLibrary.simpleMessage("Jij"), + "youAndThem": m117, + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( + "U bent onderdeel van een familie abonnement!"), + "youAreOnTheLatestVersion": + MessageLookupByLibrary.simpleMessage("Je hebt de laatste versie"), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Je kunt maximaal je opslag verdubbelen"), + "youCanManageYourLinksInTheShareTab": + MessageLookupByLibrary.simpleMessage( + "U kunt uw links beheren in het tabblad \'Delen\'."), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "U kunt proberen een andere zoekopdracht te vinden."), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "U kunt niet downgraden naar dit abonnement"), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Je kunt niet met jezelf delen"), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "U heeft geen gearchiveerde bestanden."), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": + MessageLookupByLibrary.simpleMessage("Je account is verwijderd"), + "yourMap": MessageLookupByLibrary.simpleMessage("Jouw kaart"), + "yourPlanWasSuccessfullyDowngraded": + MessageLookupByLibrary.simpleMessage( + "Uw abonnement is succesvol gedegradeerd"), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "Uw abonnement is succesvol opgewaardeerd"), + "yourPurchaseWasSuccessful": + MessageLookupByLibrary.simpleMessage("Uw betaling is geslaagd"), + "yourStorageDetailsCouldNotBeFetched": + MessageLookupByLibrary.simpleMessage( + "Uw opslaggegevens konden niet worden opgehaald"), + "yourSubscriptionHasExpired": + MessageLookupByLibrary.simpleMessage("Uw abonnement is verlopen"), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "Uw abonnement is succesvol bijgewerkt"), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "Uw verificatiecode is verlopen"), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "Je hebt geen dubbele bestanden die kunnen worden gewist"), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "Je hebt geen bestanden in dit album die verwijderd kunnen worden"), + "zoomOutToSeePhotos": + MessageLookupByLibrary.simpleMessage("Zoom uit om foto\'s te zien") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_no.dart b/mobile/apps/photos/lib/generated/intl/messages_no.dart index 612b2d5728..2ae4bbd57b 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_no.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_no.dart @@ -51,7 +51,12 @@ class MessageLookup extends MessageLookupByLibrary { "${user} vil ikke kunne legge til flere bilder til dette albumet\n\nDe vil fortsatt kunne fjerne eksisterende bilder lagt til av dem"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, {'true': 'Familien din har gjort krav på ${storageAmountInGb} GB så langt', 'false': 'Du har gjort krav på ${storageAmountInGb} GB så langt', 'other': 'Du har gjort krav på ${storageAmountInGb} GB så langt!'})}\n"; + "${Intl.select(isFamilyMember, { + 'true': + 'Familien din har gjort krav på ${storageAmountInGb} GB så langt', + 'false': 'Du har gjort krav på ${storageAmountInGb} GB så langt', + 'other': 'Du har gjort krav på ${storageAmountInGb} GB så langt!', + })}\n"; static String m15(albumName) => "Samarbeidslenke er opprettet for ${albumName}"; @@ -239,11 +244,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, - usedStorageUnit, - totalAmount, - totalStorageUnit, - ) => + usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => "${usedAmount} ${usedStorageUnit} av ${totalAmount} ${totalStorageUnit} brukt"; static String m95(id) => @@ -300,2296 +301,1857 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "En ny versjon av Ente er tilgjengelig.", - ), - "about": MessageLookupByLibrary.simpleMessage("Om"), - "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( - "Godta invitasjonen", - ), - "account": MessageLookupByLibrary.simpleMessage("Konto"), - "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( - "Kontoen er allerede konfigurert.", - ), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( - "Velkommen tilbake!", - ), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Jeg forstår at dersom jeg mister passordet mitt, kan jeg miste dataen min, siden daten er ende-til-ende-kryptert.", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage("Aktive økter"), - "add": MessageLookupByLibrary.simpleMessage("Legg til"), - "addAName": MessageLookupByLibrary.simpleMessage("Legg til et navn"), - "addANewEmail": MessageLookupByLibrary.simpleMessage("Legg til ny e-post"), - "addCollaborator": MessageLookupByLibrary.simpleMessage( - "Legg til samarbeidspartner", - ), - "addFiles": MessageLookupByLibrary.simpleMessage("Legg til filer"), - "addFromDevice": MessageLookupByLibrary.simpleMessage("Legg til fra enhet"), - "addItem": m2, - "addLocation": MessageLookupByLibrary.simpleMessage("Legg til sted"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Legg til"), - "addMore": MessageLookupByLibrary.simpleMessage("Legg til flere"), - "addName": MessageLookupByLibrary.simpleMessage("Legg til navn"), - "addNameOrMerge": MessageLookupByLibrary.simpleMessage( - "Legg til navn eller sammenslåing", - ), - "addNew": MessageLookupByLibrary.simpleMessage("Legg til ny"), - "addNewPerson": MessageLookupByLibrary.simpleMessage("Legg til ny person"), - "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( - "Detaljer om tillegg", - ), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("Tillegg"), - "addPhotos": MessageLookupByLibrary.simpleMessage("Legg til bilder"), - "addSelected": MessageLookupByLibrary.simpleMessage("Legg til valgte"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("Legg til i album"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Legg til i Ente"), - "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Legg til i skjult album", - ), - "addTrustedContact": MessageLookupByLibrary.simpleMessage( - "Legg til betrodd kontakt", - ), - "addViewer": MessageLookupByLibrary.simpleMessage("Legg til seer"), - "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( - "Legg til bildene dine nå", - ), - "addedAs": MessageLookupByLibrary.simpleMessage("Lagt til som"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": MessageLookupByLibrary.simpleMessage( - "Legger til i favoritter...", - ), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("Avansert"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Avansert"), - "after1Day": MessageLookupByLibrary.simpleMessage("Etter 1 dag"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Etter 1 time"), - "after1Month": MessageLookupByLibrary.simpleMessage("Etter 1 måned"), - "after1Week": MessageLookupByLibrary.simpleMessage("Etter 1 uke"), - "after1Year": MessageLookupByLibrary.simpleMessage("Etter 1 år"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Eier"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Albumtittel"), - "albumUpdated": MessageLookupByLibrary.simpleMessage("Album oppdatert"), - "albums": MessageLookupByLibrary.simpleMessage("Album"), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Alt klart"), - "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( - "Alle minner bevart", - ), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "Alle grupperinger for denne personen vil bli tilbakestilt, og du vil miste alle forslag for denne personen", - ), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "Dette er den første i gruppen. Andre valgte bilder vil automatisk forflyttet basert på denne nye datoen", - ), - "allow": MessageLookupByLibrary.simpleMessage("Tillat"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Tillat folk med lenken å også legge til bilder til det delte albumet.", - ), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( - "Tillat å legge til bilder", - ), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "Tillat app å åpne delte albumlenker", - ), - "allowDownloads": MessageLookupByLibrary.simpleMessage( - "Tillat nedlastinger", - ), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Tillat folk å legge til bilder", - ), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Vennligst gi tilgang til bildene dine i Innstillinger, slik at Ente kan vise og sikkerhetskopiere biblioteket.", - ), - "allowPermTitle": MessageLookupByLibrary.simpleMessage( - "Gi tilgang til bilder", - ), - "androidBiometricHint": MessageLookupByLibrary.simpleMessage( - "Verifiser identitet", - ), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "Ikke gjenkjent. Prøv igjen.", - ), - "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( - "Biometri kreves", - ), - "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage( - "Vellykket", - ), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Avbryt"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage( - "Enhetens påloggingsinformasjon kreves", - ), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage( - "Enhetens påloggingsinformasjon kreves", - ), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Biometrisk autentisering er ikke satt opp på enheten din. Gå til \'Innstillinger > Sikkerhet\' for å legge til biometrisk godkjenning.", - ), - "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( - "Android, iOS, Web, Desktop", - ), - "androidSignInTitle": MessageLookupByLibrary.simpleMessage( - "Krever innlogging", - ), - "appIcon": MessageLookupByLibrary.simpleMessage("App-ikon"), - "appLock": MessageLookupByLibrary.simpleMessage("Applås"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Velg mellom enhetens standard låseskjerm og en egendefinert låseskjerm med en PIN-kode eller passord.", - ), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), - "apply": MessageLookupByLibrary.simpleMessage("Anvend"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Bruk kode"), - "appstoreSubscription": MessageLookupByLibrary.simpleMessage( - "AppStore subscription", - ), - "archive": MessageLookupByLibrary.simpleMessage("Arkiv"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("Arkiver album"), - "archiving": MessageLookupByLibrary.simpleMessage( - "Legger til i arkivet...", - ), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Er du sikker på at du vil forlate familieabonnementet?", - ), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "Er du sikker på at du vil avslutte?", - ), - "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( - "Er du sikker på at du vil endre abonnement?", - ), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "Er du sikker på at du vil avslutte?", - ), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Er du sikker på at du vil logge ut?", - ), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "Er du sikker på at du vil fornye?", - ), - "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( - "Er du sikker på at du vil tilbakestille denne personen?", - ), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "Abonnementet ble avbrutt. Ønsker du å dele grunnen?", - ), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Hva er hovedårsaken til at du sletter kontoen din?", - ), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Spør dine kjære om å dele", - ), - "atAFalloutShelter": MessageLookupByLibrary.simpleMessage("i en bunker"), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Vennligst autentiser deg for å endre e-postbekreftelse", - ), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Autentiser deg for å endre låseskjerminnstillingen", - ), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Vennlist autentiser deg for å endre e-postadressen din", - ), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Vennligst autentiser deg for å endre passordet ditt", - ), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Autentiser deg for å konfigurere tofaktorautentisering", - ), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Vennlist autentiser deg for å starte sletting av konto", - ), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Vennlist autentiser deg for å administrere de betrodde kontaktene dine", - ), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Vennligst autentiser deg for å se gjennopprettingsnøkkelen din", - ), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Vennligst autentiser deg for å se dine slettede filer", - ), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Vennligst autentiser deg for å se dine aktive økter", - ), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Vennligst autentiser deg for å se dine skjulte filer", - ), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Vennligst autentiser deg for å se minnene dine", - ), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Vennligst autentiser deg for å se gjennopprettingsnøkkelen din", - ), - "authenticating": MessageLookupByLibrary.simpleMessage("Autentiserer..."), - "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Autentisering mislyktes, prøv igjen", - ), - "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( - "Autentisering var vellykket!", - ), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Du vil se tilgjengelige Cast enheter her.", - ), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Kontroller at lokale nettverkstillatelser er slått på for Ente Photos-appen, i innstillinger.", - ), - "autoLock": MessageLookupByLibrary.simpleMessage("Lås automatisk"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Tid før appen låses etter at den er lagt i bakgrunnen", - ), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "Du har blitt logget ut på grunn av en teknisk feil. Vi beklager ulempen.", - ), - "autoPair": MessageLookupByLibrary.simpleMessage("Automatisk parring"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "Automatisk par fungerer kun med enheter som støtter Chromecast.", - ), - "available": MessageLookupByLibrary.simpleMessage("Tilgjengelig"), - "availableStorageSpace": m10, - "backedUpFolders": MessageLookupByLibrary.simpleMessage( - "Sikkerhetskopierte mapper", - ), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("Sikkerhetskopi"), - "backupFailed": MessageLookupByLibrary.simpleMessage( - "Sikkerhetskopiering mislyktes", - ), - "backupFile": MessageLookupByLibrary.simpleMessage( - "Sikkerhetskopieringsfil\n", - ), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Sikkerhetskopier via mobildata", - ), - "backupSettings": MessageLookupByLibrary.simpleMessage( - "Sikkerhetskopier innstillinger", - ), - "backupStatus": MessageLookupByLibrary.simpleMessage( - "Status for sikkerhetskopi", - ), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Elementer som har blitt sikkerhetskopiert vil vises her", - ), - "backupVideos": MessageLookupByLibrary.simpleMessage( - "Sikkerhetskopier videoer", - ), - "beach": MessageLookupByLibrary.simpleMessage("Sand og sjø"), - "birthday": MessageLookupByLibrary.simpleMessage("Bursdag"), - "blackFridaySale": MessageLookupByLibrary.simpleMessage( - "Black Friday salg", - ), - "blog": MessageLookupByLibrary.simpleMessage("Blogg"), - "cachedData": MessageLookupByLibrary.simpleMessage("Bufrede data"), - "calculating": MessageLookupByLibrary.simpleMessage("Beregner..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Beklager, dette albumet kan ikke åpnes i appen.", - ), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( - "Kan ikke åpne dette albumet", - ), - "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( - "Kan ikke laste opp til album eid av andre", - ), - "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Kan bare opprette link for filer som eies av deg", - ), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Du kan kun fjerne filer som eies av deg", - ), - "cancel": MessageLookupByLibrary.simpleMessage("Avbryt"), - "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( - "Avbryt gjenoppretting", - ), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "Er du sikker på at du vil avbryte gjenoppretting?", - ), - "cancelOtherSubscription": m12, - "cancelSubscription": MessageLookupByLibrary.simpleMessage( - "Avslutt abonnement", - ), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Kan ikke slette delte filer", - ), - "castAlbum": MessageLookupByLibrary.simpleMessage("Cast album"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Kontroller at du er på samme nettverk som TV-en.", - ), - "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( - "Kunne ikke strømme album", - ), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Besøk cast.ente.io på enheten du vil parre.\n\nSkriv inn koden under for å spille albumet på TV-en din.", - ), - "centerPoint": MessageLookupByLibrary.simpleMessage("Midtstill punkt"), - "change": MessageLookupByLibrary.simpleMessage("Endre"), - "changeEmail": MessageLookupByLibrary.simpleMessage("Endre e-postadresse"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Endre plassering av valgte elementer?", - ), - "changePassword": MessageLookupByLibrary.simpleMessage("Bytt passord"), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage("Bytt passord"), - "changePermissions": MessageLookupByLibrary.simpleMessage( - "Endre tillatelser?", - ), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Endre din vervekode", - ), - "checkForUpdates": MessageLookupByLibrary.simpleMessage( - "Se etter oppdateringer", - ), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Vennligst sjekk innboksen din (og søppelpost) for å fullføre verifiseringen", - ), - "checkStatus": MessageLookupByLibrary.simpleMessage("Kontroller status"), - "checking": MessageLookupByLibrary.simpleMessage("Sjekker..."), - "checkingModels": MessageLookupByLibrary.simpleMessage( - "Sjekker modeller...", - ), - "city": MessageLookupByLibrary.simpleMessage("I byen"), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage( - "Få gratis lagring", - ), - "claimMore": MessageLookupByLibrary.simpleMessage("Løs inn mer!"), - "claimed": MessageLookupByLibrary.simpleMessage("Løst inn"), - "claimedStorageSoFar": m14, - "cleanUncategorized": MessageLookupByLibrary.simpleMessage( - "Tøm ukategorisert", - ), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Fjern alle filer fra Ukategoriserte som finnes i andre album", - ), - "clearCaches": MessageLookupByLibrary.simpleMessage("Tom hurtigbuffer"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Tøm indekser"), - "click": MessageLookupByLibrary.simpleMessage("• Klikk"), - "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( - "• Klikk på menyen med tre prikker", - ), - "close": MessageLookupByLibrary.simpleMessage("Lukk"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( - "Grupper etter tidspunkt for opptak", - ), - "clubByFileName": MessageLookupByLibrary.simpleMessage( - "Grupper etter filnavn", - ), - "clusteringProgress": MessageLookupByLibrary.simpleMessage( - "Fremdrift for klynging", - ), - "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage("Kode brukt"), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Beklager, du har nådd grensen for kodeendringer.", - ), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Koden er kopiert til utklippstavlen", - ), - "codeUsedByYou": MessageLookupByLibrary.simpleMessage( - "Kode som brukes av deg", - ), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Opprett en lenke slik at folk kan legge til og se bilder i det delte albumet ditt uten å trenge Ente-appen eller en konto. Perfekt for å samle bilder fra arrangementer.", - ), - "collaborativeLink": MessageLookupByLibrary.simpleMessage( - "Samarbeidslenke", - ), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Samarbeidspartner"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Samarbeidspartnere kan legge til bilder og videoer i det delte albumet.", - ), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("Utforming"), - "collageSaved": MessageLookupByLibrary.simpleMessage( - "Kollasje lagret i galleriet", - ), - "collect": MessageLookupByLibrary.simpleMessage("Samle"), - "collectEventPhotos": MessageLookupByLibrary.simpleMessage( - "Samle arrangementbilder", - ), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Samle bilder"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Opprett en link hvor vennene dine kan laste opp bilder i original kvalitet.", - ), - "color": MessageLookupByLibrary.simpleMessage("Farge"), - "configuration": MessageLookupByLibrary.simpleMessage("Konfigurasjon"), - "confirm": MessageLookupByLibrary.simpleMessage("Bekreft"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Er du sikker på at du vil deaktivere tofaktorautentisering?", - ), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Bekreft sletting av konto", - ), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Ja, jeg ønsker å slette denne kontoen og all dataen dens permanent.", - ), - "confirmPassword": MessageLookupByLibrary.simpleMessage( - "Bekreft passordet", - ), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage( - "Bekreft endring av abonnement", - ), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Bekreft gjenopprettingsnøkkel", - ), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Bekreft din gjenopprettingsnøkkel", - ), - "connectToDevice": MessageLookupByLibrary.simpleMessage( - "Koble til enheten", - ), - "contactFamilyAdmin": m18, - "contactSupport": MessageLookupByLibrary.simpleMessage( - "Kontakt kundestøtte", - ), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Kontakter"), - "contents": MessageLookupByLibrary.simpleMessage("Innhold"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Fortsett"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "Fortsett med gratis prøveversjon", - ), - "convertToAlbum": MessageLookupByLibrary.simpleMessage("Gjør om til album"), - "copyEmailAddress": MessageLookupByLibrary.simpleMessage( - "Kopier e-postadresse", - ), - "copyLink": MessageLookupByLibrary.simpleMessage("Kopier lenke"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Kopier og lim inn denne koden\ntil autentiseringsappen din", - ), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "Vi kunne ikke sikkerhetskopiere dine data.\nVi vil prøve på nytt senere.", - ), - "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( - "Kunne ikke frigjøre plass", - ), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Kunne ikke oppdatere abonnement", - ), - "count": MessageLookupByLibrary.simpleMessage("Antall"), - "crashReporting": MessageLookupByLibrary.simpleMessage("Krasjrapportering"), - "create": MessageLookupByLibrary.simpleMessage("Opprett"), - "createAccount": MessageLookupByLibrary.simpleMessage("Opprett konto"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Trykk og holde inne for å velge bilder, og trykk på + for å lage et album", - ), - "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( - "Samarbeidslenke", - ), - "createCollage": MessageLookupByLibrary.simpleMessage("Opprett kollasje"), - "createNewAccount": MessageLookupByLibrary.simpleMessage( - "Opprett ny konto", - ), - "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( - "Opprett eller velg album", - ), - "createPublicLink": MessageLookupByLibrary.simpleMessage( - "Opprett offentlig lenke", - ), - "creatingLink": MessageLookupByLibrary.simpleMessage("Lager lenke..."), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "Kritisk oppdatering er tilgjengelig", - ), - "crop": MessageLookupByLibrary.simpleMessage("Beskjær"), - "currentUsageIs": MessageLookupByLibrary.simpleMessage( - "Nåværende bruk er ", - ), - "currentlyRunning": MessageLookupByLibrary.simpleMessage( - "Kjører for øyeblikket", - ), - "custom": MessageLookupByLibrary.simpleMessage("Egendefinert"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Mørk"), - "dayToday": MessageLookupByLibrary.simpleMessage("I dag"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("I går"), - "declineTrustInvite": MessageLookupByLibrary.simpleMessage( - "Avslå invitasjon", - ), - "decrypting": MessageLookupByLibrary.simpleMessage("Dekrypterer..."), - "decryptingVideo": MessageLookupByLibrary.simpleMessage( - "Dekrypterer video...", - ), - "deduplicateFiles": MessageLookupByLibrary.simpleMessage( - "Fjern duplikatfiler", - ), - "delete": MessageLookupByLibrary.simpleMessage("Slett"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Slett konto"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Vi er lei oss for at du forlater oss. Gi oss gjerne en tilbakemelding så vi kan forbedre oss.", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Slett bruker for altid", - ), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Slett album"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Også slette bilder (og videoer) i dette albumet fra alle andre album de er del av?", - ), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "Dette vil slette alle tomme albumer. Dette er nyttig når du vil redusere rotet i albumlisten din.", - ), - "deleteAll": MessageLookupByLibrary.simpleMessage("Slett alt"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "Denne kontoen er knyttet til andre Ente-apper, hvis du bruker noen. De opplastede dataene, i alle Ente-apper, vil bli planlagt slettet, og kontoen din vil bli slettet permanent.", - ), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Vennligst send en e-post til account-deletion@ente.io fra din registrerte e-postadresse.", - ), - "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( - "Slett tomme album", - ), - "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( - "Slette tomme albumer?", - ), - "deleteFromBoth": MessageLookupByLibrary.simpleMessage("Slett fra begge"), - "deleteFromDevice": MessageLookupByLibrary.simpleMessage("Slett fra enhet"), - "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Slett fra Ente"), - "deleteItemCount": m21, - "deleteLocation": MessageLookupByLibrary.simpleMessage("Slett sted"), - "deletePhotos": MessageLookupByLibrary.simpleMessage("Slett bilder"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Det mangler en hovedfunksjon jeg trenger", - ), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "Appen, eller en bestemt funksjon, fungerer ikke slik jeg tror den skal", - ), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Jeg fant en annen tjeneste jeg liker bedre", - ), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "Årsaken min er ikke oppført", - ), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Forespørselen din vil bli behandlet innen 72 timer.", - ), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Slett delt album?", - ), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "Albumet vil bli slettet for alle\n\nDu vil miste tilgang til delte bilder i dette albumet som eies av andre", - ), - "deselectAll": MessageLookupByLibrary.simpleMessage("Fjern alle valg"), - "designedToOutlive": MessageLookupByLibrary.simpleMessage( - "Laget for å vare lenger enn", - ), - "details": MessageLookupByLibrary.simpleMessage("Detaljer"), - "developerSettings": MessageLookupByLibrary.simpleMessage( - "Utviklerinnstillinger", - ), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Er du sikker på at du vil endre utviklerinnstillingene?", - ), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Skriv inn koden"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "Filer lagt til dette enhetsalbumet vil automatisk bli lastet opp til Ente.", - ), - "deviceLock": MessageLookupByLibrary.simpleMessage("Enhetslås"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Deaktiver enhetens skjermlås når Ente er i forgrunnen og det er en sikkerhetskopi som pågår. Dette trengs normalt ikke, men kan hjelpe store opplastinger og førstegangsimport av store biblioteker med å fullføre raskere.", - ), - "deviceNotFound": MessageLookupByLibrary.simpleMessage("Enhet ikke funnet"), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Visste du at?"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage( - "Deaktiver autolås", - ), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Seere kan fremdeles ta skjermbilder eller lagre en kopi av bildene dine ved bruk av eksterne verktøy", - ), - "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( - "Vær oppmerksom på", - ), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "Deaktiver tofaktor", - ), - "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( - "Deaktiverer tofaktorautentisering...", - ), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Oppdag"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Babyer"), - "discover_celebrations": MessageLookupByLibrary.simpleMessage("Feiringer"), - "discover_food": MessageLookupByLibrary.simpleMessage("Mat"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Grøntområder"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Åser"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Identitet"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Notater"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Kjæledyr"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Kvitteringer"), - "discover_screenshots": MessageLookupByLibrary.simpleMessage( - "Skjermbilder", - ), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfier"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Solnedgang"), - "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( - "Visittkort", - ), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage( - "Bakgrunnsbilder", - ), - "dismiss": MessageLookupByLibrary.simpleMessage("Avvis "), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage("Ikke logg ut"), - "doThisLater": MessageLookupByLibrary.simpleMessage("Gjør dette senere"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Vil du forkaste endringene du har gjort?", - ), - "done": MessageLookupByLibrary.simpleMessage("Ferdig"), - "dontSave": MessageLookupByLibrary.simpleMessage("Ikke lagre"), - "doubleYourStorage": MessageLookupByLibrary.simpleMessage( - "Doble lagringsplassen din", - ), - "download": MessageLookupByLibrary.simpleMessage("Last ned"), - "downloadFailed": MessageLookupByLibrary.simpleMessage( - "Nedlasting mislyktes", - ), - "downloading": MessageLookupByLibrary.simpleMessage("Laster ned..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Rediger"), - "editLocation": MessageLookupByLibrary.simpleMessage("Rediger plassering"), - "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( - "Rediger plassering", - ), - "editPerson": MessageLookupByLibrary.simpleMessage("Rediger person"), - "editTime": MessageLookupByLibrary.simpleMessage("Endre tidspunkt"), - "editsSaved": MessageLookupByLibrary.simpleMessage("Endringer lagret"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Endringer i plassering vil kun være synlige i Ente", - ), - "eligible": MessageLookupByLibrary.simpleMessage("kvalifisert"), - "email": MessageLookupByLibrary.simpleMessage("E-post"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "E-postadressen er allerede registrert.", - ), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "E-postadressen er ikke registrert.", - ), - "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( - "E-postbekreftelse", - ), - "emailYourLogs": MessageLookupByLibrary.simpleMessage( - "Send loggene dine på e-post", - ), - "embracingThem": m32, - "emergencyContacts": MessageLookupByLibrary.simpleMessage("Nødkontakter"), - "empty": MessageLookupByLibrary.simpleMessage("Tom"), - "emptyTrash": MessageLookupByLibrary.simpleMessage("Tøm papirkurv?"), - "enable": MessageLookupByLibrary.simpleMessage("Aktiver"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "Ente støtter maskinlæring på enheten for ansiktsgjenkjenning, magisk søk og andre avanserte søkefunksjoner", - ), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Aktiver maskinlæring for magisk søk og ansiktsgjenkjenning", - ), - "enableMaps": MessageLookupByLibrary.simpleMessage("Aktiver kart"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "Dette viser dine bilder på et verdenskart.\n\nDette kartet er hostet av Open Street Map, og de nøyaktige stedene for dine bilder blir aldri delt.\n\nDu kan deaktivere denne funksjonen når som helst fra Innstillinger.", - ), - "enabled": MessageLookupByLibrary.simpleMessage("Aktivert"), - "encryptingBackup": MessageLookupByLibrary.simpleMessage( - "Krypterer sikkerhetskopi...", - ), - "encryption": MessageLookupByLibrary.simpleMessage("Kryptering"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage("Krypteringsnøkkel"), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Endepunktet ble oppdatert", - ), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Ende-til-ende kryptert som standard", - ), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente kan bare kryptere og bevare filer hvis du gir tilgang til dem", - ), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente trenger tillatelse for å bevare bildene dine", - ), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "Ente bevarer minnene dine, slik at de er alltid tilgjengelig for deg, selv om du mister enheten.", - ), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Familien din kan også legges til abonnementet ditt.", - ), - "enterAlbumName": MessageLookupByLibrary.simpleMessage( - "Skriv inn albumnavn", - ), - "enterCode": MessageLookupByLibrary.simpleMessage("Angi kode"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Angi koden fra vennen din for å få gratis lagringsplass for dere begge", - ), - "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( - "Bursdag (valgfritt)", - ), - "enterEmail": MessageLookupByLibrary.simpleMessage("Skriv inn e-post"), - "enterFileName": MessageLookupByLibrary.simpleMessage("Skriv inn filnavn"), - "enterName": MessageLookupByLibrary.simpleMessage("Angi navn"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Angi et nytt passord vi kan bruke til å kryptere dataene dine", - ), - "enterPassword": MessageLookupByLibrary.simpleMessage("Angi passord"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Angi et passord vi kan bruke til å kryptere dataene dine", - ), - "enterPersonName": MessageLookupByLibrary.simpleMessage("Angi personnavn"), - "enterPin": MessageLookupByLibrary.simpleMessage("Skriv inn PIN-koden"), - "enterReferralCode": MessageLookupByLibrary.simpleMessage("Angi vervekode"), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Skriv inn den 6-sifrede koden fra\ndin autentiseringsapp", - ), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Vennligst skriv inn en gyldig e-postadresse.", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Skriv inn e-postadressen din", - ), - "enterYourPassword": MessageLookupByLibrary.simpleMessage( - "Angi passordet ditt", - ), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Skriv inn din gjenopprettingsnøkkel", - ), - "error": MessageLookupByLibrary.simpleMessage("Feil"), - "everywhere": MessageLookupByLibrary.simpleMessage("Overalt"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": MessageLookupByLibrary.simpleMessage("Eksisterende bruker"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Denne lenken er utløpt. Vennligst velg en ny utløpstid eller deaktiver lenkeutløp.", - ), - "exportLogs": MessageLookupByLibrary.simpleMessage("Eksporter logger"), - "exportYourData": MessageLookupByLibrary.simpleMessage( - "Eksporter dine data", - ), - "extraPhotosFound": MessageLookupByLibrary.simpleMessage( - "Ekstra bilder funnet", - ), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Ansikt ikke gruppert ennå, vennligst kom tilbake senere", - ), - "faceRecognition": MessageLookupByLibrary.simpleMessage( - "Ansiktsgjenkjenning", - ), - "faces": MessageLookupByLibrary.simpleMessage("Ansikt"), - "failed": MessageLookupByLibrary.simpleMessage("Mislykket"), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage( - "Kunne ikke bruke koden", - ), - "failedToCancel": MessageLookupByLibrary.simpleMessage("Kan ikke avbryte"), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( - "Kan ikke laste ned video", - ), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Kunne ikke hente aktive økter", - ), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Kunne ikke hente originalen for redigering", - ), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Kan ikke hente vervedetaljer. Prøv igjen senere.", - ), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "Kunne ikke laste inn album", - ), - "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Kunne ikke spille av video", - ), - "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( - "Kunne ikke oppdatere abonnement", - ), - "failedToRenew": MessageLookupByLibrary.simpleMessage("Kunne ikke fornye"), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Kunne ikke verifisere betalingsstatus", - ), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Legg til 5 familiemedlemmer til det eksisterende abonnementet uten å betale ekstra.\n\nHvert medlem får sitt eget private område, og kan ikke se hverandres filer med mindre de er delt.\n\nFamilieabonnement er tilgjengelige for kunder som har et betalt Ente-abonnement.\n\nAbonner nå for å komme i gang!", - ), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Familie"), - "familyPlans": MessageLookupByLibrary.simpleMessage("Familieabonnementer"), - "faq": MessageLookupByLibrary.simpleMessage("Ofte stilte spørsmål"), - "faqs": MessageLookupByLibrary.simpleMessage("Ofte stilte spørsmål"), - "favorite": MessageLookupByLibrary.simpleMessage("Favoritt"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("Tilbakemelding"), - "file": MessageLookupByLibrary.simpleMessage("Fil"), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Kunne ikke lagre filen i galleriet", - ), - "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( - "Legg til en beskrivelse...", - ), - "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( - "Filen er ikke lastet opp enda", - ), - "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Fil lagret i galleriet", - ), - "fileTypes": MessageLookupByLibrary.simpleMessage("Filtyper"), - "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( - "Filtyper og navn", - ), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage("Filene er slettet"), - "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Filer lagret i galleriet", - ), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Finn folk raskt med navn", - ), - "findThemQuickly": MessageLookupByLibrary.simpleMessage("Finn dem raskt"), - "flip": MessageLookupByLibrary.simpleMessage("Speilvend"), - "food": MessageLookupByLibrary.simpleMessage("Kulinær glede"), - "forYourMemories": MessageLookupByLibrary.simpleMessage("for dine minner"), - "forgotPassword": MessageLookupByLibrary.simpleMessage("Glemt passord"), - "foundFaces": MessageLookupByLibrary.simpleMessage("Fant ansikter"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( - "Gratis lagringplass aktivert", - ), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Gratis lagringsplass som kan brukes", - ), - "freeTrial": MessageLookupByLibrary.simpleMessage("Gratis prøveversjon"), - "freeTrialValidTill": m38, - "freeUpAmount": m40, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( - "Frigjør plass på enheten", - ), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Spar plass på enheten ved å fjerne filer som allerede er sikkerhetskopiert.", - ), - "freeUpSpace": MessageLookupByLibrary.simpleMessage( - "Frigjør lagringsplass", - ), - "gallery": MessageLookupByLibrary.simpleMessage("Galleri"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "Opptil 1000 minner vist i galleriet", - ), - "general": MessageLookupByLibrary.simpleMessage("Generelt"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Genererer krypteringsnøkler...", - ), - "genericProgress": m42, - "goToSettings": MessageLookupByLibrary.simpleMessage( - "Gå til innstillinger", - ), - "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Vennligst gi tilgang til alle bilder i Innstillinger-appen", - ), - "grantPermission": MessageLookupByLibrary.simpleMessage("Gi tillatelse"), - "greenery": MessageLookupByLibrary.simpleMessage("Det grønne livet"), - "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( - "Grupper nærliggende bilder", - ), - "guestView": MessageLookupByLibrary.simpleMessage("Gjestevisning"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "For å aktivere gjestevisning, vennligst konfigurer enhetens passord eller skjermlås i systeminnstillingene.", - ), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "Vi sporer ikke app-installasjoner. Det hadde vært til hjelp om du fortalte oss hvor du fant oss!", - ), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Hvordan fikk du høre om Ente? (valgfritt)", - ), - "help": MessageLookupByLibrary.simpleMessage("Hjelp"), - "hidden": MessageLookupByLibrary.simpleMessage("Skjult"), - "hide": MessageLookupByLibrary.simpleMessage("Skjul"), - "hideContent": MessageLookupByLibrary.simpleMessage("Skjul innhold"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Skjuler appinnhold i appveksleren og deaktiverer skjermbilder", - ), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Skjuler appinnhold i appveksleren", - ), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "Skjul delte elementer fra hjemgalleriet", - ), - "hiding": MessageLookupByLibrary.simpleMessage("Skjuler..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( - "Hostet på OSM France", - ), - "howItWorks": MessageLookupByLibrary.simpleMessage("Hvordan det fungerer"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Vennligst be dem om å trykke og holde inne på e-postadressen sin på innstillingsskjermen, og bekreft at ID-ene på begge enhetene er like.", - ), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Biometrisk autentisering er ikke satt opp på enheten din. Aktiver enten Touch-ID eller Ansikts-ID på telefonen.", - ), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "Biometrisk autentisering er deaktivert. Vennligst lås og lås opp skjermen for å aktivere den.", - ), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorer"), - "ignored": MessageLookupByLibrary.simpleMessage("ignorert"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Noen filer i dette albumet ble ikke lastet opp fordi de tidligere har blitt slettet fra Ente.", - ), - "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( - "Bilde ikke analysert", - ), - "immediately": MessageLookupByLibrary.simpleMessage("Umiddelbart"), - "importing": MessageLookupByLibrary.simpleMessage("Importerer...."), - "incorrectCode": MessageLookupByLibrary.simpleMessage("Feil kode"), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Feil passord", - ), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Feil gjenopprettingsnøkkel", - ), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "Gjennopprettingsnøkkelen du skrev inn er feil", - ), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Feil gjenopprettingsnøkkel", - ), - "indexedItems": MessageLookupByLibrary.simpleMessage( - "Indekserte elementer", - ), - "ineligible": MessageLookupByLibrary.simpleMessage("Ikke aktuell"), - "info": MessageLookupByLibrary.simpleMessage("Info"), - "insecureDevice": MessageLookupByLibrary.simpleMessage("Usikker enhet"), - "installManually": MessageLookupByLibrary.simpleMessage( - "Installer manuelt", - ), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "Ugyldig e-postadresse", - ), - "invalidEndpoint": MessageLookupByLibrary.simpleMessage( - "Ugyldig endepunkt", - ), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Beklager, endepunktet du skrev inn er ugyldig. Skriv inn et gyldig endepunkt og prøv igjen.", - ), - "invalidKey": MessageLookupByLibrary.simpleMessage("Ugyldig nøkkel"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Gjenopprettingsnøkkelen du har skrevet inn er ikke gyldig. Kontroller at den inneholder 24 ord og kontroller stavemåten av hvert ord.\n\nHvis du har angitt en eldre gjenopprettingskode, må du kontrollere at den er 64 tegn lang, og kontrollere hvert av dem.", - ), - "invite": MessageLookupByLibrary.simpleMessage("Inviter"), - "inviteToEnte": MessageLookupByLibrary.simpleMessage("Inviter til Ente"), - "inviteYourFriends": MessageLookupByLibrary.simpleMessage( - "Inviter vennene dine", - ), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "Inviter vennene dine til Ente", - ), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Det ser ut til at noe gikk galt. Prøv på nytt etter en stund. Hvis feilen vedvarer, kan du kontakte kundestøtte.", - ), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "Elementer viser gjenværende dager før de slettes for godt", - ), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Valgte elementer vil bli fjernet fra dette albumet", - ), - "join": MessageLookupByLibrary.simpleMessage("Bli med"), - "joinAlbum": MessageLookupByLibrary.simpleMessage("Bli med i albumet"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "Å bli med i et album vil gjøre e-postadressen din synlig for dens deltakere.", - ), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( - "for å se og legge til bildene dine", - ), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "for å legge dette til til delte album", - ), - "joinDiscord": MessageLookupByLibrary.simpleMessage("Bli med i Discord"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Behold Bilder"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Vær vennlig og hjelp oss med denne informasjonen", - ), - "language": MessageLookupByLibrary.simpleMessage("Språk"), - "lastTimeWithThem": m45, - "lastUpdated": MessageLookupByLibrary.simpleMessage("Sist oppdatert"), - "lastYearsTrip": MessageLookupByLibrary.simpleMessage("Fjorårets tur"), - "leave": MessageLookupByLibrary.simpleMessage("Forlat"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Forlat album"), - "leaveFamily": MessageLookupByLibrary.simpleMessage("Forlat familie"), - "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Slett delt album?", - ), - "left": MessageLookupByLibrary.simpleMessage("Venstre"), - "legacy": MessageLookupByLibrary.simpleMessage("Arv"), - "legacyAccounts": MessageLookupByLibrary.simpleMessage("Eldre kontoer"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "Arv-funksjonen lar betrodde kontakter få tilgang til kontoen din i ditt fravær.", - ), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "Betrodde kontakter kan starte gjenoppretting av kontoen, og hvis de ikke blir blokkert innen 30 dager, tilbakestille passordet ditt og få tilgang til kontoen din.", - ), - "light": MessageLookupByLibrary.simpleMessage("Lys"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Lys"), - "link": MessageLookupByLibrary.simpleMessage("Lenke"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Lenker er kopiert til utklippstavlen", - ), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Enhetsgrense"), - "linkEmail": MessageLookupByLibrary.simpleMessage("Koble til e-post"), - "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( - "for raskere deling", - ), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Aktivert"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Utløpt"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Lenkeutløp"), - "linkHasExpired": MessageLookupByLibrary.simpleMessage("Lenken har utløpt"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Aldri"), - "linkPerson": MessageLookupByLibrary.simpleMessage("Knytt til person"), - "linkPersonCaption": MessageLookupByLibrary.simpleMessage( - "for bedre delingsopplevelse", - ), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("Live-bilder"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "Du kan dele abonnementet med familien din", - ), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "Vi beholder 3 kopier av dine data, en i en underjordisk bunker", - ), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "Alle våre apper har åpen kildekode", - ), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Vår kildekode og kryptografi har blitt revidert eksternt", - ), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "Du kan dele lenker til dine album med dine kjære", - ), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Våre mobilapper kjører i bakgrunnen for å kryptere og sikkerhetskopiere de nye bildene du klikker", - ), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io har en flott opplaster", - ), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Vi bruker Xcha20Poly1305 for å trygt kryptere dataene dine", - ), - "loadingExifData": MessageLookupByLibrary.simpleMessage( - "Laster inn EXIF-data...", - ), - "loadingGallery": MessageLookupByLibrary.simpleMessage("Laster galleri..."), - "loadingMessage": MessageLookupByLibrary.simpleMessage( - "Laster bildene dine...", - ), - "loadingModel": MessageLookupByLibrary.simpleMessage( - "Laster ned modeller...", - ), - "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( - "Laster bildene dine...", - ), - "localGallery": MessageLookupByLibrary.simpleMessage("Lokalt galleri"), - "localIndexing": MessageLookupByLibrary.simpleMessage("Lokal indeksering"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Ser ut som noe gikk galt siden lokal synkronisering av bilder tar lengre tid enn forventet. Vennligst kontakt vårt supportteam", - ), - "location": MessageLookupByLibrary.simpleMessage("Plassering"), - "locationName": MessageLookupByLibrary.simpleMessage("Stedsnavn"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "En plasseringsetikett grupperer alle bilder som ble tatt innenfor en gitt radius av et bilde", - ), - "locations": MessageLookupByLibrary.simpleMessage("Plasseringer"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Lås"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Låseskjerm"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Logg inn"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Logger ut..."), - "loginSessionExpired": MessageLookupByLibrary.simpleMessage( - "Økten har utløpt", - ), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "Økten er utløpt. Vennligst logg inn på nytt.", - ), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Ved å klikke Logg inn, godtar jeg brukervilkårene og personvernreglene", - ), - "loginWithTOTP": MessageLookupByLibrary.simpleMessage("Pålogging med TOTP"), - "logout": MessageLookupByLibrary.simpleMessage("Logg ut"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Dette vil sende over logger for å hjelpe oss med å feilsøke problemet. Vær oppmerksom på at filnavn vil bli inkludert for å hjelpe å spore problemer med spesifikke filer.", - ), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Trykk og hold på en e-post for å bekrefte ende-til-ende-kryptering.", - ), - "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( - "Lang-trykk på en gjenstand for å vise i fullskjerm", - ), - "loopVideoOff": MessageLookupByLibrary.simpleMessage("Gjenta video av"), - "loopVideoOn": MessageLookupByLibrary.simpleMessage("Gjenta video på"), - "lostDevice": MessageLookupByLibrary.simpleMessage("Mistet enhet?"), - "machineLearning": MessageLookupByLibrary.simpleMessage("Maskinlæring"), - "magicSearch": MessageLookupByLibrary.simpleMessage("Magisk søk"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "Magisk søk lar deg finne bilder basert på innholdet i dem, for eksempel ‘blomst’, ‘rød bil’, ‘ID-dokumenter\'", - ), - "manage": MessageLookupByLibrary.simpleMessage("Administrer"), - "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( - "Behandle enhetens hurtigbuffer", - ), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Gjennomgå og fjern lokal hurtigbuffer.", - ), - "manageFamily": MessageLookupByLibrary.simpleMessage("Administrer familie"), - "manageLink": MessageLookupByLibrary.simpleMessage("Administrer lenke"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Administrer"), - "manageSubscription": MessageLookupByLibrary.simpleMessage( - "Administrer abonnement", - ), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "Koble til PIN fungerer med alle skjermer du vil se albumet på.", - ), - "map": MessageLookupByLibrary.simpleMessage("Kart"), - "maps": MessageLookupByLibrary.simpleMessage("Kart"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("Meg"), - "memoryCount": m50, - "merchandise": MessageLookupByLibrary.simpleMessage("Varer"), - "mergeWithExisting": MessageLookupByLibrary.simpleMessage( - "Slå sammen med eksisterende", - ), - "mergedPhotos": MessageLookupByLibrary.simpleMessage("Sammenslåtte bilder"), - "mlConsent": MessageLookupByLibrary.simpleMessage("Aktiver maskinlæring"), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Jeg forstår, og ønsker å aktivere maskinlæring", - ), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Hvis du aktiverer maskinlæring, vil Ente hente ut informasjon som ansiktsgeometri fra filer, inkludert de som er delt med deg.\n\nDette skjer på enheten din, og all generert biometrisk informasjon blir ende-til-ende-kryptert.", - ), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Klikk her for mer informasjon om denne funksjonen i våre retningslinjer for personvern", - ), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "Aktiver maskinlæring?", - ), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Vær oppmerksom på at maskinlæring vil resultere i høyere båndbredde og batteribruk inntil alle elementer er indeksert. Vurder å bruke skrivebordsappen for raskere indeksering, alle resultater vil bli synkronisert automatisk.", - ), - "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( - "Mobil, Web, Datamaskin", - ), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Moderat"), - "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( - "Juster søket ditt, eller prøv å søke etter", - ), - "moments": MessageLookupByLibrary.simpleMessage("Øyeblikk"), - "month": MessageLookupByLibrary.simpleMessage("måned"), - "monthly": MessageLookupByLibrary.simpleMessage("Månedlig"), - "moon": MessageLookupByLibrary.simpleMessage("I månelyset"), - "moreDetails": MessageLookupByLibrary.simpleMessage("Flere detaljer"), - "mostRecent": MessageLookupByLibrary.simpleMessage("Nyeste"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("Mest relevant"), - "mountains": MessageLookupByLibrary.simpleMessage("Over åsene"), - "moveItem": m51, - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "Flytt valgte bilder til en dato", - ), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("Flytt til album"), - "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Flytt til skjult album", - ), - "movedSuccessfullyTo": m52, - "movedToTrash": MessageLookupByLibrary.simpleMessage( - "Flyttet til papirkurven", - ), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Flytter filer til album...", - ), - "name": MessageLookupByLibrary.simpleMessage("Navn"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Navngi albumet"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Kan ikke koble til Ente, prøv igjen etter en stund. Hvis feilen vedvarer, vennligst kontakt kundestøtte.", - ), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Kan ikke koble til Ente, kontroller nettverksinnstillingene og kontakt kundestøtte hvis feilen vedvarer.", - ), - "never": MessageLookupByLibrary.simpleMessage("Aldri"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Nytt album"), - "newLocation": MessageLookupByLibrary.simpleMessage("Ny plassering"), - "newPerson": MessageLookupByLibrary.simpleMessage("Ny person"), - "newRange": MessageLookupByLibrary.simpleMessage("Ny rekkevidde"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Ny til Ente"), - "newest": MessageLookupByLibrary.simpleMessage("Nyeste"), - "next": MessageLookupByLibrary.simpleMessage("Neste"), - "no": MessageLookupByLibrary.simpleMessage("Nei"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Ingen album delt av deg enda", - ), - "noDeviceFound": MessageLookupByLibrary.simpleMessage( - "Ingen enheter funnet", - ), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Ingen"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "Du har ingen filer i dette albumet som kan bli slettet", - ), - "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Ingen duplikater"), - "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( - "Ingen Ente-konto!", - ), - "noExifData": MessageLookupByLibrary.simpleMessage("Ingen EXIF-data"), - "noFacesFound": MessageLookupByLibrary.simpleMessage( - "Ingen ansikter funnet", - ), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "Ingen skjulte bilder eller videoer", - ), - "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( - "Ingen bilder med plassering", - ), - "noInternetConnection": MessageLookupByLibrary.simpleMessage( - "Ingen nettverksforbindelse", - ), - "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( - "Ingen bilder er blitt sikkerhetskopiert akkurat nå", - ), - "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( - "Ingen bilder funnet her", - ), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( - "Ingen hurtiglenker er valgt", - ), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Ingen gjenopprettingsnøkkel?", - ), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Grunnet vår type ente-til-ende-krypteringsprotokoll kan ikke dine data dekrypteres uten passordet ditt eller gjenopprettingsnøkkelen din", - ), - "noResults": MessageLookupByLibrary.simpleMessage("Ingen resultater"), - "noResultsFound": MessageLookupByLibrary.simpleMessage( - "Ingen resultater funnet", - ), - "noSuggestionsForPerson": m53, - "noSystemLockFound": MessageLookupByLibrary.simpleMessage( - "Ingen systemlås funnet", - ), - "notPersonLabel": m54, - "notThisPerson": MessageLookupByLibrary.simpleMessage( - "Ikke denne personen?", - ), - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "Ingenting delt med deg enda", - ), - "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( - "Ingenting å se her! 👀", - ), - "notifications": MessageLookupByLibrary.simpleMessage("Varslinger"), - "ok": MessageLookupByLibrary.simpleMessage("Ok"), - "onDevice": MessageLookupByLibrary.simpleMessage("På enhet"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "På ente", - ), - "onTheRoad": MessageLookupByLibrary.simpleMessage("På veien igjen"), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Bare de"), - "oops": MessageLookupByLibrary.simpleMessage("Oisann"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Oisann, kunne ikke lagre endringer", - ), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Oisann! Noe gikk galt", - ), - "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( - "Åpne album i nettleser", - ), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Vennligst bruk webapplikasjonen for å legge til bilder til dette albumet", - ), - "openFile": MessageLookupByLibrary.simpleMessage("Åpne fil"), - "openSettings": MessageLookupByLibrary.simpleMessage("Åpne innstillinger"), - "openTheItem": MessageLookupByLibrary.simpleMessage("• Åpne elementet"), - "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( - "OpenStreetMap bidragsytere", - ), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Valgfri, så kort som du vil...", - ), - "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( - "Eller slå sammen med eksisterende", - ), - "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( - "Eller velg en eksisterende", - ), - "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( - "Eller velg fra kontaktene dine", - ), - "pair": MessageLookupByLibrary.simpleMessage("Par"), - "pairWithPin": MessageLookupByLibrary.simpleMessage("Parr sammen med PIN"), - "pairingComplete": MessageLookupByLibrary.simpleMessage( - "Sammenkobling fullført", - ), - "panorama": MessageLookupByLibrary.simpleMessage("Panora"), - "partyWithThem": m56, - "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( - "Bekreftelse venter fortsatt", - ), - "passkey": MessageLookupByLibrary.simpleMessage("Tilgangsnøkkel"), - "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( - "Verifisering av tilgangsnøkkel", - ), - "password": MessageLookupByLibrary.simpleMessage("Passord"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Passordet ble endret", - ), - "passwordLock": MessageLookupByLibrary.simpleMessage("Passordlås"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "Passordstyrken beregnes basert på passordets lengde, brukte tegn, og om passordet finnes blant de 10 000 mest brukte passordene", - ), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Vi lagrer ikke dette passordet, så hvis du glemmer det, kan vi ikke dekryptere dataene dine", - ), - "paymentDetails": MessageLookupByLibrary.simpleMessage( - "Betalingsinformasjon", - ), - "paymentFailed": MessageLookupByLibrary.simpleMessage("Betaling feilet"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "Betalingen din mislyktes. Kontakt kundestøtte og vi vil hjelpe deg!", - ), - "paymentFailedTalkToProvider": m58, - "pendingItems": MessageLookupByLibrary.simpleMessage("Ventende elementer"), - "pendingSync": MessageLookupByLibrary.simpleMessage( - "Ventende synkronisering", - ), - "people": MessageLookupByLibrary.simpleMessage("Folk"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Personer som bruker koden din", - ), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Alle elementer i papirkurven vil slettes permanent\n\nDenne handlingen kan ikke angres", - ), - "permanentlyDelete": MessageLookupByLibrary.simpleMessage( - "Slette for godt", - ), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Slett permanent fra enhet?", - ), - "personIsAge": m59, - "personName": MessageLookupByLibrary.simpleMessage("Personnavn"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("Pelsvenner"), - "photoDescriptions": MessageLookupByLibrary.simpleMessage( - "Bildebeskrivelser", - ), - "photoGridSize": MessageLookupByLibrary.simpleMessage( - "Bilderutenettstørrelse", - ), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("bilde"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("Bilder"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "Bilder lagt til av deg vil bli fjernet fra albumet", - ), - "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( - "Bilder holder relativ tidsforskjell", - ), - "pickCenterPoint": MessageLookupByLibrary.simpleMessage("Velg midtpunkt"), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Fest album"), - "pinLock": MessageLookupByLibrary.simpleMessage("PIN-kode lås"), - "playOnTv": MessageLookupByLibrary.simpleMessage("Spill av album på TV"), - "playOriginal": MessageLookupByLibrary.simpleMessage("Spill av original"), - "playStoreFreeTrialValidTill": m63, - "playStream": MessageLookupByLibrary.simpleMessage("Spill av strøm"), - "playstoreSubscription": MessageLookupByLibrary.simpleMessage( - "PlayStore abonnement", - ), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Kontroller Internett-tilkoblingen din og prøv igjen.", - ), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Vennligst kontakt support@ente.io og vi vil gjerne hjelpe!", - ), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Vennligst kontakt kundestøtte hvis problemet vedvarer", - ), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( - "Vennligst gi tillatelser", - ), - "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( - "Vennligst logg inn igjen", - ), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Velg hurtiglenker å fjerne", - ), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Vennligst prøv igjen", - ), - "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( - "Bekreft koden du har skrevet inn", - ), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Vennligst vent..."), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Vennligst vent, sletter album", - ), - "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( - "Vennligst vent en stund før du prøver på nytt", - ), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "Vennligst vent, dette vil ta litt tid.", - ), - "posingWithThem": m66, - "preparingLogs": MessageLookupByLibrary.simpleMessage( - "Forbereder logger...", - ), - "preserveMore": MessageLookupByLibrary.simpleMessage("Behold mer"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Trykk og hold inne for å spille av video", - ), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Trykk og hold inne bildet for å spille av video", - ), - "previous": MessageLookupByLibrary.simpleMessage("Forrige"), - "privacy": MessageLookupByLibrary.simpleMessage("Personvern"), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( - "Personvernserklæring", - ), - "privateBackups": MessageLookupByLibrary.simpleMessage( - "Private sikkerhetskopier", - ), - "privateSharing": MessageLookupByLibrary.simpleMessage("Privat deling"), - "proceed": MessageLookupByLibrary.simpleMessage("Fortsett"), - "processed": MessageLookupByLibrary.simpleMessage("Behandlet"), - "processing": MessageLookupByLibrary.simpleMessage("Behandler"), - "processingImport": m67, - "processingVideos": MessageLookupByLibrary.simpleMessage( - "Behandler videoer", - ), - "publicLinkCreated": MessageLookupByLibrary.simpleMessage( - "Offentlig lenke opprettet", - ), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( - "Offentlig lenke aktivert", - ), - "queued": MessageLookupByLibrary.simpleMessage("I køen"), - "quickLinks": MessageLookupByLibrary.simpleMessage("Hurtiglenker"), - "radius": MessageLookupByLibrary.simpleMessage("Radius"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Opprett sak"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("Vurder appen"), - "rateUs": MessageLookupByLibrary.simpleMessage("Vurder oss"), - "rateUsOnStore": m68, - "reassignMe": MessageLookupByLibrary.simpleMessage("Tildel \"Meg\""), - "reassignedToName": m69, - "reassigningLoading": MessageLookupByLibrary.simpleMessage("Tildeler..."), - "recover": MessageLookupByLibrary.simpleMessage("Gjenopprett"), - "recoverAccount": MessageLookupByLibrary.simpleMessage("Gjenopprett konto"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Gjenopprett"), - "recoveryAccount": MessageLookupByLibrary.simpleMessage( - "Gjenopprett konto", - ), - "recoveryInitiated": MessageLookupByLibrary.simpleMessage( - "Gjenoppretting startet", - ), - "recoveryInitiatedDesc": m70, - "recoveryKey": MessageLookupByLibrary.simpleMessage( - "Gjenopprettingsnøkkel", - ), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Gjenopprettingsnøkkel kopiert til utklippstavlen", - ), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Hvis du glemmer passordet ditt er den eneste måten du kan gjenopprette dataene dine på med denne nøkkelen.", - ), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Vi lagrer ikke denne nøkkelen, vennligst lagre denne 24-ords nøkkelen på et trygt sted.", - ), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Flott! Din gjenopprettingsnøkkel er gyldig. Takk for bekreftelsen.\n\nVennligst husk å holde gjenopprettingsnøkkelen din trygt sikkerhetskopiert.", - ), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Gjenopprettingsnøkkel bekreftet", - ), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Gjenopprettingsnøkkelen er den eneste måten å gjenopprette bildene dine på hvis du glemmer passordet ditt. Du finner gjenopprettingsnøkkelen din i Innstillinger > Konto.\n\nVennligst skriv inn gjenopprettingsnøkkelen din her for å bekrefte at du har lagret den riktig.", - ), - "recoveryReady": m71, - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "Gjenopprettingen var vellykket!", - ), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "En betrodd kontakt prøver å få tilgang til kontoen din", - ), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "Den gjeldende enheten er ikke kraftig nok til å verifisere passordet ditt, men vi kan regenerere på en måte som fungerer på alle enheter.\n\nVennligst logg inn med gjenopprettingsnøkkelen og regenerer passordet (du kan bruke den samme igjen om du vil).", - ), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Gjenopprett passord", - ), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": MessageLookupByLibrary.simpleMessage( - "Skriv inn passord på nytt", - ), - "reenterPin": MessageLookupByLibrary.simpleMessage( - "Skriv inn PIN-kode på nytt", - ), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Verv venner og doble abonnementet ditt", - ), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Gi denne koden til vennene dine", - ), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "De registrerer seg for en betalt plan", - ), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Vervinger"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "Vervinger er for øyeblikket satt på pause", - ), - "rejectRecovery": MessageLookupByLibrary.simpleMessage( - "Avslå gjenoppretting", - ), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "Tøm også \"Nylig slettet\" fra \"Innstillinger\" → \"Lagring\" for å få frigjort plass", - ), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Du kan også tømme \"Papirkurven\" for å få den frigjorte lagringsplassen", - ), - "remoteImages": MessageLookupByLibrary.simpleMessage("Eksterne bilder"), - "remoteThumbnails": MessageLookupByLibrary.simpleMessage( - "Eksterne miniatyrbilder", - ), - "remoteVideos": MessageLookupByLibrary.simpleMessage("Eksterne videoer"), - "remove": MessageLookupByLibrary.simpleMessage("Fjern"), - "removeDuplicates": MessageLookupByLibrary.simpleMessage( - "Fjern duplikater", - ), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Gjennomgå og fjern filer som er eksakte duplikater.", - ), - "removeFromAlbum": MessageLookupByLibrary.simpleMessage("Fjern fra album"), - "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( - "Fjern fra album?", - ), - "removeFromFavorite": MessageLookupByLibrary.simpleMessage( - "Fjern fra favoritter", - ), - "removeInvite": MessageLookupByLibrary.simpleMessage("Fjern invitasjon"), - "removeLink": MessageLookupByLibrary.simpleMessage("Fjern lenke"), - "removeParticipant": MessageLookupByLibrary.simpleMessage("Fjern deltaker"), - "removeParticipantBody": m74, - "removePersonLabel": MessageLookupByLibrary.simpleMessage( - "Fjern etikett for person", - ), - "removePublicLink": MessageLookupByLibrary.simpleMessage( - "Fjern offentlig lenke", - ), - "removePublicLinks": MessageLookupByLibrary.simpleMessage( - "Fjern offentlige lenker", - ), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Noen av elementene du fjerner ble lagt til av andre personer, og du vil miste tilgang til dem", - ), - "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Fjern?"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Fjern deg selv som betrodd kontakt", - ), - "removingFromFavorites": MessageLookupByLibrary.simpleMessage( - "Fjerner fra favoritter...", - ), - "rename": MessageLookupByLibrary.simpleMessage("Endre navn"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("Gi album nytt navn"), - "renameFile": MessageLookupByLibrary.simpleMessage("Gi nytt filnavn"), - "renewSubscription": MessageLookupByLibrary.simpleMessage( - "Forny abonnement", - ), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Rapporter en feil"), - "reportBug": MessageLookupByLibrary.simpleMessage("Rapporter feil"), - "resendEmail": MessageLookupByLibrary.simpleMessage( - "Send e-posten på nytt", - ), - "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( - "Tilbakestill ignorerte filer", - ), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Tilbakestill passord", - ), - "resetPerson": MessageLookupByLibrary.simpleMessage("Fjern"), - "resetToDefault": MessageLookupByLibrary.simpleMessage( - "Tilbakestill til standard", - ), - "restore": MessageLookupByLibrary.simpleMessage("Gjenopprett"), - "restoreToAlbum": MessageLookupByLibrary.simpleMessage( - "Gjenopprett til album", - ), - "restoringFiles": MessageLookupByLibrary.simpleMessage( - "Gjenoppretter filer...", - ), - "resumableUploads": MessageLookupByLibrary.simpleMessage( - "Fortsette opplastinger", - ), - "retry": MessageLookupByLibrary.simpleMessage("Prøv på nytt"), - "review": MessageLookupByLibrary.simpleMessage("Gjennomgå"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Vennligst gjennomgå og slett elementene du tror er duplikater.", - ), - "reviewSuggestions": MessageLookupByLibrary.simpleMessage( - "Gjennomgå forslag", - ), - "right": MessageLookupByLibrary.simpleMessage("Høyre"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("Roter"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Roter mot venstre"), - "rotateRight": MessageLookupByLibrary.simpleMessage("Roter mot høyre"), - "safelyStored": MessageLookupByLibrary.simpleMessage("Trygt lagret"), - "save": MessageLookupByLibrary.simpleMessage("Lagre"), - "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( - "Lagre endringer før du drar?", - ), - "saveCollage": MessageLookupByLibrary.simpleMessage("Lagre kollasje"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Lagre en kopi"), - "saveKey": MessageLookupByLibrary.simpleMessage("Lagre nøkkel"), - "savePerson": MessageLookupByLibrary.simpleMessage("Lagre person"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Lagre gjenopprettingsnøkkelen hvis du ikke allerede har gjort det", - ), - "saving": MessageLookupByLibrary.simpleMessage("Lagrer..."), - "savingEdits": MessageLookupByLibrary.simpleMessage( - "Lagrer redigeringer...", - ), - "scanCode": MessageLookupByLibrary.simpleMessage("Skann kode"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Skann denne strekkoden med\nautentiseringsappen din", - ), - "search": MessageLookupByLibrary.simpleMessage("Søk"), - "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Album"), - "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage("Albumnavn"), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Albumnavn (f.eks. \"Kamera\")\n• Filtyper (f.eks. \"Videoer\", \".gif\")\n• År og måneder (f.eks. \"2022\", \"January\")\n• Hellidager (f.eks. \"Jul\")\n• Bildebeskrivelser (f.eks. \"#moro\")", - ), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Legg til beskrivelser som \"#tur\" i bildeinfo for raskt å finne dem her", - ), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Søk etter dato, måned eller år", - ), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "Bilder vil vises her når behandlingen og synkronisering er fullført", - ), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "Folk vil vises her når indeksering er gjort", - ), - "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( - "Filtyper og navn", - ), - "searchHint1": MessageLookupByLibrary.simpleMessage("Raskt søk på enheten"), - "searchHint2": MessageLookupByLibrary.simpleMessage( - "Bildedatoer, beskrivelser", - ), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "Albumer, filnavn og typer", - ), - "searchHint4": MessageLookupByLibrary.simpleMessage("Plassering"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "Kommer snart: ansikt & magisk søk ✨", - ), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Gruppebilder som er tatt innenfor noen radius av et bilde", - ), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "Inviter folk, og du vil se alle bilder som deles av dem her", - ), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "Folk vil vises her når behandling og synkronisering er fullført", - ), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Sikkerhet"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "Se offentlige albumlenker i appen", - ), - "selectALocation": MessageLookupByLibrary.simpleMessage( - "Velg en plassering", - ), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage( - "Velg en plassering først", - ), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Velg album"), - "selectAll": MessageLookupByLibrary.simpleMessage("Velg alle"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("Alle"), - "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( - "Velg forsidebilde", - ), - "selectDate": MessageLookupByLibrary.simpleMessage("Velg dato"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Velg mapper for sikkerhetskopiering", - ), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "Velg produkter å legge til", - ), - "selectLanguage": MessageLookupByLibrary.simpleMessage("Velg språk"), - "selectMailApp": MessageLookupByLibrary.simpleMessage("Velg e-post-app"), - "selectMorePhotos": MessageLookupByLibrary.simpleMessage( - "Velg flere bilder", - ), - "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( - "Velg en dato og klokkeslett", - ), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "Velg én dato og klokkeslett for alle", - ), - "selectPersonToLink": MessageLookupByLibrary.simpleMessage( - "Velg person å knytte til", - ), - "selectReason": MessageLookupByLibrary.simpleMessage("Velg grunn"), - "selectStartOfRange": MessageLookupByLibrary.simpleMessage( - "Velg starten på rekkevidde", - ), - "selectTime": MessageLookupByLibrary.simpleMessage("Velg tidspunkt"), - "selectYourFace": MessageLookupByLibrary.simpleMessage( - "Velg ansiktet ditt", - ), - "selectYourPlan": MessageLookupByLibrary.simpleMessage( - "Velg abonnementet ditt", - ), - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Valgte filer er ikke på Ente", - ), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Valgte mapper vil bli kryptert og sikkerhetskopiert", - ), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Valgte elementer vil bli slettet fra alle album og flyttet til papirkurven.", - ), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "Valgte elementer fjernes fra denne personen, men blir ikke slettet fra biblioteket ditt.", - ), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("Send"), - "sendEmail": MessageLookupByLibrary.simpleMessage("Send e-post"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Send invitasjon"), - "sendLink": MessageLookupByLibrary.simpleMessage("Send lenke"), - "serverEndpoint": MessageLookupByLibrary.simpleMessage("Serverendepunkt"), - "sessionExpired": MessageLookupByLibrary.simpleMessage("Økten har utløpt"), - "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( - "Økt-ID stemmer ikke", - ), - "setAPassword": MessageLookupByLibrary.simpleMessage("Lag et passord"), - "setAs": MessageLookupByLibrary.simpleMessage("Angi som"), - "setCover": MessageLookupByLibrary.simpleMessage("Angi forside"), - "setLabel": MessageLookupByLibrary.simpleMessage("Angi"), - "setNewPassword": MessageLookupByLibrary.simpleMessage("Angi nytt passord"), - "setNewPin": MessageLookupByLibrary.simpleMessage("Angi ny PIN-kode"), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage("Angi passord"), - "setRadius": MessageLookupByLibrary.simpleMessage("Angi radius"), - "setupComplete": MessageLookupByLibrary.simpleMessage("Oppsett fullført"), - "share": MessageLookupByLibrary.simpleMessage("Del"), - "shareALink": MessageLookupByLibrary.simpleMessage("Del en lenke"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Åpne et album og trykk på del-knappen øverst til høyre for å dele.", - ), - "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage("Del et album nå"), - "shareLink": MessageLookupByLibrary.simpleMessage("Del link"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Del bare med de du vil", - ), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Last ned Ente slik at vi lett kan dele bilder og videoer av original kvalitet\n\nhttps://ente.io", - ), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Del med brukere som ikke har Ente", - ), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( - "Del ditt første album", - ), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Opprett delte album du kan samarbeide om med andre Ente-brukere, inkludert brukere med gratisabonnement.", - ), - "sharedByMe": MessageLookupByLibrary.simpleMessage("Delt av meg"), - "sharedByYou": MessageLookupByLibrary.simpleMessage("Delt av deg"), - "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( - "Nye delte bilder", - ), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Motta varsler når noen legger til et bilde i et delt album som du er en del av", - ), - "sharedWith": m87, - "sharedWithMe": MessageLookupByLibrary.simpleMessage("Delt med meg"), - "sharedWithYou": MessageLookupByLibrary.simpleMessage("Delt med deg"), - "sharing": MessageLookupByLibrary.simpleMessage("Deler..."), - "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( - "Forskyv datoer og klokkeslett", - ), - "showMemories": MessageLookupByLibrary.simpleMessage("Vis minner"), - "showPerson": MessageLookupByLibrary.simpleMessage("Vis person"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "Logg ut fra andre enheter", - ), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Hvis du tror noen kjenner til ditt passord, kan du tvinge alle andre enheter som bruker kontoen din til å logge ut.", - ), - "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( - "Logg ut andre enheter", - ), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Jeg godtar bruksvilkårene og personvernreglene", - ), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Den vil bli slettet fra alle album.", - ), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Hopp over"), - "social": MessageLookupByLibrary.simpleMessage("Sosial"), - "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( - "Noen elementer er i både Ente og på enheten din.", - ), - "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( - "Noen av filene du prøver å slette, er kun tilgjengelig på enheten og kan ikke gjenopprettes dersom det blir slettet", - ), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Folk som deler album med deg bør se den samme ID-en på deres enhet.", - ), - "somethingWentWrong": MessageLookupByLibrary.simpleMessage("Noe gikk galt"), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Noe gikk galt. Vennligst prøv igjen", - ), - "sorry": MessageLookupByLibrary.simpleMessage("Beklager"), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Beklager, kan ikke legge til i favoritter!", - ), - "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( - "Beklager, kunne ikke fjerne fra favoritter!", - ), - "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "Beklager, koden du skrev inn er feil", - ), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Beklager, vi kunne ikke generere sikre nøkler på denne enheten.\n\nvennligst registrer deg fra en annen enhet.", - ), - "sort": MessageLookupByLibrary.simpleMessage("Sorter"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sorter etter"), - "sortNewestFirst": MessageLookupByLibrary.simpleMessage("Nyeste først"), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Eldste først"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Suksess"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": MessageLookupByLibrary.simpleMessage( - "Fremhev deg selv", - ), - "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( - "Start gjenoppretting", - ), - "startBackup": MessageLookupByLibrary.simpleMessage( - "Start sikkerhetskopiering", - ), - "status": MessageLookupByLibrary.simpleMessage("Status"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "Vil du avbryte strømmingen?", - ), - "stopCastingTitle": MessageLookupByLibrary.simpleMessage( - "Stopp strømmingen", - ), - "storage": MessageLookupByLibrary.simpleMessage("Lagring"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Familie"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Deg"), - "storageInGB": m93, - "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( - "Lagringsplassen er full", - ), - "storageUsageInfo": m94, - "streamDetails": MessageLookupByLibrary.simpleMessage("Strømmedetaljer"), - "strongStrength": MessageLookupByLibrary.simpleMessage("Sterkt"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Abonner"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Du trenger et aktivt betalt abonnement for å aktivere deling.", - ), - "subscription": MessageLookupByLibrary.simpleMessage("Abonnement"), - "success": MessageLookupByLibrary.simpleMessage("Suksess"), - "successfullyArchived": MessageLookupByLibrary.simpleMessage( - "Lagt til i arkivet", - ), - "successfullyHid": MessageLookupByLibrary.simpleMessage("Vellykket skjult"), - "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( - "Fjernet fra arkviet", - ), - "successfullyUnhid": MessageLookupByLibrary.simpleMessage( - "Vellykket synliggjøring", - ), - "suggestFeatures": MessageLookupByLibrary.simpleMessage( - "Foreslå funksjoner", - ), - "sunrise": MessageLookupByLibrary.simpleMessage("På horisonten"), - "support": MessageLookupByLibrary.simpleMessage("Brukerstøtte"), - "syncProgress": m97, - "syncStopped": MessageLookupByLibrary.simpleMessage( - "Synkronisering stoppet", - ), - "syncing": MessageLookupByLibrary.simpleMessage("Synkroniserer..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("System"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("trykk for å kopiere"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage( - "Trykk for å angi kode", - ), - "tapToUnlock": MessageLookupByLibrary.simpleMessage("Trykk for å låse opp"), - "tapToUpload": MessageLookupByLibrary.simpleMessage( - "Trykk for å laste opp", - ), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Det ser ut som noe gikk galt. Prøv på nytt etter en stund. Hvis feilen vedvarer, kontakt kundestøtte.", - ), - "terminate": MessageLookupByLibrary.simpleMessage("Avslutte"), - "terminateSession": MessageLookupByLibrary.simpleMessage("Avslutte økten?"), - "terms": MessageLookupByLibrary.simpleMessage("Vilkår"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Vilkår"), - "thankYou": MessageLookupByLibrary.simpleMessage("Tusen takk"), - "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( - "Takk for at du abonnerer!", - ), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "Nedlastingen kunne ikke fullføres", - ), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "Lenken du prøver å få tilgang til, er utløpt.", - ), - "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "Gjennopprettingsnøkkelen du skrev inn er feil", - ), - "theme": MessageLookupByLibrary.simpleMessage("Tema"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Disse elementene vil bli slettet fra enheten din.", - ), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "De vil bli slettet fra alle album.", - ), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Denne handlingen kan ikke angres", - ), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "Dette albumet har allerede en samarbeidslenke", - ), - "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( - "Dette kan brukes til å gjenopprette kontoen din hvis du mister din andre faktor", - ), - "thisDevice": MessageLookupByLibrary.simpleMessage("Denne enheten"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "Denne e-postadressen er allerede i bruk", - ), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Dette bildet har ingen exif-data", - ), - "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage( - "Dette er meg!", - ), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Dette er din bekreftelses-ID", - ), - "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( - "Denne uka gjennom årene", - ), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Dette vil logge deg ut av følgende enhet:", - ), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Dette vil logge deg ut av denne enheten!", - ), - "thisWillMakeTheDateAndTimeOfAllSelected": - MessageLookupByLibrary.simpleMessage( - "Dette vil gjøre dato og klokkeslett for alle valgte bilder det samme.", - ), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "Dette fjerner de offentlige lenkene av alle valgte hurtiglenker.", - ), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "For å aktivere applås, vennligst angi passord eller skjermlås i systeminnstillingene.", - ), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( - "For å skjule et bilde eller video", - ), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "For å tilbakestille passordet ditt, vennligst bekreft e-posten din først.", - ), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Dagens logger"), - "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( - "For mange gale forsøk", - ), - "total": MessageLookupByLibrary.simpleMessage("totalt"), - "totalSize": MessageLookupByLibrary.simpleMessage("Total størrelse"), - "trash": MessageLookupByLibrary.simpleMessage("Papirkurv"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Beskjær"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": MessageLookupByLibrary.simpleMessage( - "Betrodde kontakter", - ), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Prøv igjen"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Slå på sikkerhetskopi for å automatisk laste opp filer lagt til denne enhetsmappen i Ente.", - ), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "2 måneder gratis med årsabonnement", - ), - "twofactor": MessageLookupByLibrary.simpleMessage("Tofaktor"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "Tofaktorautentisering har blitt deaktivert", - ), - "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( - "Tofaktorautentisering", - ), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "Tofaktorautentisering ble tilbakestilt", - ), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Oppsett av to-faktor", - ), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("Opphev arkivering"), - "unarchiveAlbum": MessageLookupByLibrary.simpleMessage("Gjenopprett album"), - "unarchiving": MessageLookupByLibrary.simpleMessage( - "Fjerner fra arkivet...", - ), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Beklager, denne koden er utilgjengelig.", - ), - "uncategorized": MessageLookupByLibrary.simpleMessage("Ukategorisert"), - "unhide": MessageLookupByLibrary.simpleMessage("Gjør synligjort"), - "unhideToAlbum": MessageLookupByLibrary.simpleMessage( - "Gjør synlig i album", - ), - "unhiding": MessageLookupByLibrary.simpleMessage("Synliggjør..."), - "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Gjør filer synlige i albumet", - ), - "unlock": MessageLookupByLibrary.simpleMessage("Lås opp"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("Løsne album"), - "unselectAll": MessageLookupByLibrary.simpleMessage("Velg bort alle"), - "update": MessageLookupByLibrary.simpleMessage("Oppdater"), - "updateAvailable": MessageLookupByLibrary.simpleMessage( - "En oppdatering er tilgjengelig", - ), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Oppdaterer mappevalg...", - ), - "upgrade": MessageLookupByLibrary.simpleMessage("Oppgrader"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Laster opp filer til albumet...", - ), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( - "Bevarer 1 minne...", - ), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "Opptil 50 % rabatt, frem til 4. desember.", - ), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "Brukbar lagringsplass er begrenset av abonnementet ditt. Lagring du har gjort krav på utover denne grensen blir automatisk tilgjengelig når du oppgraderer abonnementet ditt.", - ), - "useAsCover": MessageLookupByLibrary.simpleMessage("Bruk som forsidebilde"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "Har du problemer med å spille av denne videoen? Hold inne her for å prøve en annen avspiller.", - ), - "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Bruk offentlige lenker for folk som ikke bruker Ente", - ), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Bruk gjenopprettingsnøkkel", - ), - "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( - "Bruk valgt bilde", - ), - "usedSpace": MessageLookupByLibrary.simpleMessage("Benyttet lagringsplass"), - "validTill": m110, - "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Bekreftelse mislyktes, vennligst prøv igjen", - ), - "verificationId": MessageLookupByLibrary.simpleMessage("Verifiserings-ID"), - "verify": MessageLookupByLibrary.simpleMessage("Bekreft"), - "verifyEmail": MessageLookupByLibrary.simpleMessage( - "Bekreft e-postadresse", - ), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Bekreft"), - "verifyPasskey": MessageLookupByLibrary.simpleMessage( - "Bekreft tilgangsnøkkel", - ), - "verifyPassword": MessageLookupByLibrary.simpleMessage("Bekreft passord"), - "verifying": MessageLookupByLibrary.simpleMessage("Verifiserer..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Verifiserer gjenopprettingsnøkkel...", - ), - "videoInfo": MessageLookupByLibrary.simpleMessage("Videoinformasjon"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), - "videos": MessageLookupByLibrary.simpleMessage("Videoer"), - "viewActiveSessions": MessageLookupByLibrary.simpleMessage( - "Vis aktive økter", - ), - "viewAddOnButton": MessageLookupByLibrary.simpleMessage("Vis tillegg"), - "viewAll": MessageLookupByLibrary.simpleMessage("Vis alle"), - "viewAllExifData": MessageLookupByLibrary.simpleMessage( - "Vis alle EXIF-data", - ), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Store filer"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Vis filer som bruker mest lagringsplass.", - ), - "viewLogs": MessageLookupByLibrary.simpleMessage("Se logger"), - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Vis gjenopprettingsnøkkel", - ), - "viewer": MessageLookupByLibrary.simpleMessage("Seer"), - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Vennligst besøk web.ente.io for å administrere abonnementet", - ), - "waitingForVerification": MessageLookupByLibrary.simpleMessage( - "Venter på verifikasjon...", - ), - "waitingForWifi": MessageLookupByLibrary.simpleMessage("Venter på WiFi..."), - "warning": MessageLookupByLibrary.simpleMessage("Advarsel"), - "weAreOpenSource": MessageLookupByLibrary.simpleMessage( - "Vi har åpen kildekode!", - ), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "Vi støtter ikke redigering av bilder og album som du ikke eier ennå", - ), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Svakt"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("Velkommen tilbake!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("Det som er nytt"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "Betrodd kontakt kan hjelpe til med å gjenopprette dine data.", - ), - "yearShort": MessageLookupByLibrary.simpleMessage("år"), - "yearly": MessageLookupByLibrary.simpleMessage("Årlig"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Ja"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Ja, avslutt"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "Ja, konverter til seer", - ), - "yesDelete": MessageLookupByLibrary.simpleMessage("Ja, slett"), - "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( - "Ja, forkast endringer", - ), - "yesLogout": MessageLookupByLibrary.simpleMessage("Ja, logg ut"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Ja, fjern"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Ja, forny"), - "yesResetPerson": MessageLookupByLibrary.simpleMessage( - "Ja, tilbakestill person", - ), - "you": MessageLookupByLibrary.simpleMessage("Deg"), - "youAndThem": m117, - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( - "Du har et familieabonnement!", - ), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Du er på den nyeste versjonen", - ), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Du kan maksimalt doble lagringsplassen din", - ), - "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( - "Du kan administrere koblingene dine i fanen for deling.", - ), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "Du kan prøve å søke etter noe annet.", - ), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "Du kan ikke nedgradere til dette abonnementet", - ), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Du kan ikke dele med deg selv", - ), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "Du har ingen arkiverte elementer.", - ), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "Brukeren din har blitt slettet", - ), - "yourMap": MessageLookupByLibrary.simpleMessage("Ditt kart"), - "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( - "Abonnementet ditt ble nedgradert", - ), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "Abonnementet ditt ble oppgradert", - ), - "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( - "Ditt kjøp var vellykket", - ), - "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( - "Lagringsdetaljene dine kunne ikke hentes", - ), - "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( - "Abonnementet har utløpt", - ), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage("Abonnementet ditt ble oppdatert"), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "Bekreftelseskoden er utløpt", - ), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage( - "Du har ingen duplikatfiler som kan fjernes", - ), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "Du har ingen filer i dette albumet som kan bli slettet", - ), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( - "Zoom ut for å se bilder", - ), - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "En ny versjon av Ente er tilgjengelig."), + "about": MessageLookupByLibrary.simpleMessage("Om"), + "acceptTrustInvite": + MessageLookupByLibrary.simpleMessage("Godta invitasjonen"), + "account": MessageLookupByLibrary.simpleMessage("Konto"), + "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( + "Kontoen er allerede konfigurert."), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("Velkommen tilbake!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Jeg forstår at dersom jeg mister passordet mitt, kan jeg miste dataen min, siden daten er ende-til-ende-kryptert."), + "activeSessions": MessageLookupByLibrary.simpleMessage("Aktive økter"), + "add": MessageLookupByLibrary.simpleMessage("Legg til"), + "addAName": MessageLookupByLibrary.simpleMessage("Legg til et navn"), + "addANewEmail": + MessageLookupByLibrary.simpleMessage("Legg til ny e-post"), + "addCollaborator": + MessageLookupByLibrary.simpleMessage("Legg til samarbeidspartner"), + "addFiles": MessageLookupByLibrary.simpleMessage("Legg til filer"), + "addFromDevice": + MessageLookupByLibrary.simpleMessage("Legg til fra enhet"), + "addItem": m2, + "addLocation": MessageLookupByLibrary.simpleMessage("Legg til sted"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Legg til"), + "addMore": MessageLookupByLibrary.simpleMessage("Legg til flere"), + "addName": MessageLookupByLibrary.simpleMessage("Legg til navn"), + "addNameOrMerge": MessageLookupByLibrary.simpleMessage( + "Legg til navn eller sammenslåing"), + "addNew": MessageLookupByLibrary.simpleMessage("Legg til ny"), + "addNewPerson": + MessageLookupByLibrary.simpleMessage("Legg til ny person"), + "addOnPageSubtitle": + MessageLookupByLibrary.simpleMessage("Detaljer om tillegg"), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("Tillegg"), + "addPhotos": MessageLookupByLibrary.simpleMessage("Legg til bilder"), + "addSelected": MessageLookupByLibrary.simpleMessage("Legg til valgte"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("Legg til i album"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Legg til i Ente"), + "addToHiddenAlbum": + MessageLookupByLibrary.simpleMessage("Legg til i skjult album"), + "addTrustedContact": + MessageLookupByLibrary.simpleMessage("Legg til betrodd kontakt"), + "addViewer": MessageLookupByLibrary.simpleMessage("Legg til seer"), + "addYourPhotosNow": + MessageLookupByLibrary.simpleMessage("Legg til bildene dine nå"), + "addedAs": MessageLookupByLibrary.simpleMessage("Lagt til som"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": + MessageLookupByLibrary.simpleMessage("Legger til i favoritter..."), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("Avansert"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Avansert"), + "after1Day": MessageLookupByLibrary.simpleMessage("Etter 1 dag"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Etter 1 time"), + "after1Month": MessageLookupByLibrary.simpleMessage("Etter 1 måned"), + "after1Week": MessageLookupByLibrary.simpleMessage("Etter 1 uke"), + "after1Year": MessageLookupByLibrary.simpleMessage("Etter 1 år"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Eier"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Albumtittel"), + "albumUpdated": MessageLookupByLibrary.simpleMessage("Album oppdatert"), + "albums": MessageLookupByLibrary.simpleMessage("Album"), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Alt klart"), + "allMemoriesPreserved": + MessageLookupByLibrary.simpleMessage("Alle minner bevart"), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "Alle grupperinger for denne personen vil bli tilbakestilt, og du vil miste alle forslag for denne personen"), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "Dette er den første i gruppen. Andre valgte bilder vil automatisk forflyttet basert på denne nye datoen"), + "allow": MessageLookupByLibrary.simpleMessage("Tillat"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Tillat folk med lenken å også legge til bilder til det delte albumet."), + "allowAddingPhotos": + MessageLookupByLibrary.simpleMessage("Tillat å legge til bilder"), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "Tillat app å åpne delte albumlenker"), + "allowDownloads": + MessageLookupByLibrary.simpleMessage("Tillat nedlastinger"), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Tillat folk å legge til bilder"), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Vennligst gi tilgang til bildene dine i Innstillinger, slik at Ente kan vise og sikkerhetskopiere biblioteket."), + "allowPermTitle": + MessageLookupByLibrary.simpleMessage("Gi tilgang til bilder"), + "androidBiometricHint": + MessageLookupByLibrary.simpleMessage("Verifiser identitet"), + "androidBiometricNotRecognized": + MessageLookupByLibrary.simpleMessage("Ikke gjenkjent. Prøv igjen."), + "androidBiometricRequiredTitle": + MessageLookupByLibrary.simpleMessage("Biometri kreves"), + "androidBiometricSuccess": + MessageLookupByLibrary.simpleMessage("Vellykket"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Avbryt"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage( + "Enhetens påloggingsinformasjon kreves"), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage( + "Enhetens påloggingsinformasjon kreves"), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Biometrisk autentisering er ikke satt opp på enheten din. Gå til \'Innstillinger > Sikkerhet\' for å legge til biometrisk godkjenning."), + "androidIosWebDesktop": + MessageLookupByLibrary.simpleMessage("Android, iOS, Web, Desktop"), + "androidSignInTitle": + MessageLookupByLibrary.simpleMessage("Krever innlogging"), + "appIcon": MessageLookupByLibrary.simpleMessage("App-ikon"), + "appLock": MessageLookupByLibrary.simpleMessage("Applås"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Velg mellom enhetens standard låseskjerm og en egendefinert låseskjerm med en PIN-kode eller passord."), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), + "apply": MessageLookupByLibrary.simpleMessage("Anvend"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Bruk kode"), + "appstoreSubscription": + MessageLookupByLibrary.simpleMessage("AppStore subscription"), + "archive": MessageLookupByLibrary.simpleMessage("Arkiv"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("Arkiver album"), + "archiving": + MessageLookupByLibrary.simpleMessage("Legger til i arkivet..."), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Er du sikker på at du vil forlate familieabonnementet?"), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "Er du sikker på at du vil avslutte?"), + "areYouSureYouWantToChangeYourPlan": + MessageLookupByLibrary.simpleMessage( + "Er du sikker på at du vil endre abonnement?"), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "Er du sikker på at du vil avslutte?"), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Er du sikker på at du vil logge ut?"), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "Er du sikker på at du vil fornye?"), + "areYouSureYouWantToResetThisPerson": + MessageLookupByLibrary.simpleMessage( + "Er du sikker på at du vil tilbakestille denne personen?"), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "Abonnementet ble avbrutt. Ønsker du å dele grunnen?"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Hva er hovedårsaken til at du sletter kontoen din?"), + "askYourLovedOnesToShare": + MessageLookupByLibrary.simpleMessage("Spør dine kjære om å dele"), + "atAFalloutShelter": + MessageLookupByLibrary.simpleMessage("i en bunker"), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Vennligst autentiser deg for å endre e-postbekreftelse"), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Autentiser deg for å endre låseskjerminnstillingen"), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Vennlist autentiser deg for å endre e-postadressen din"), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Vennligst autentiser deg for å endre passordet ditt"), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Autentiser deg for å konfigurere tofaktorautentisering"), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Vennlist autentiser deg for å starte sletting av konto"), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Vennlist autentiser deg for å administrere de betrodde kontaktene dine"), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Vennligst autentiser deg for å se gjennopprettingsnøkkelen din"), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Vennligst autentiser deg for å se dine slettede filer"), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Vennligst autentiser deg for å se dine aktive økter"), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Vennligst autentiser deg for å se dine skjulte filer"), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Vennligst autentiser deg for å se minnene dine"), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Vennligst autentiser deg for å se gjennopprettingsnøkkelen din"), + "authenticating": + MessageLookupByLibrary.simpleMessage("Autentiserer..."), + "authenticationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Autentisering mislyktes, prøv igjen"), + "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( + "Autentisering var vellykket!"), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Du vil se tilgjengelige Cast enheter her."), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Kontroller at lokale nettverkstillatelser er slått på for Ente Photos-appen, i innstillinger."), + "autoLock": MessageLookupByLibrary.simpleMessage("Lås automatisk"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Tid før appen låses etter at den er lagt i bakgrunnen"), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "Du har blitt logget ut på grunn av en teknisk feil. Vi beklager ulempen."), + "autoPair": MessageLookupByLibrary.simpleMessage("Automatisk parring"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "Automatisk par fungerer kun med enheter som støtter Chromecast."), + "available": MessageLookupByLibrary.simpleMessage("Tilgjengelig"), + "availableStorageSpace": m10, + "backedUpFolders": + MessageLookupByLibrary.simpleMessage("Sikkerhetskopierte mapper"), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("Sikkerhetskopi"), + "backupFailed": MessageLookupByLibrary.simpleMessage( + "Sikkerhetskopiering mislyktes"), + "backupFile": + MessageLookupByLibrary.simpleMessage("Sikkerhetskopieringsfil\n"), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Sikkerhetskopier via mobildata"), + "backupSettings": MessageLookupByLibrary.simpleMessage( + "Sikkerhetskopier innstillinger"), + "backupStatus": + MessageLookupByLibrary.simpleMessage("Status for sikkerhetskopi"), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Elementer som har blitt sikkerhetskopiert vil vises her"), + "backupVideos": + MessageLookupByLibrary.simpleMessage("Sikkerhetskopier videoer"), + "beach": MessageLookupByLibrary.simpleMessage("Sand og sjø"), + "birthday": MessageLookupByLibrary.simpleMessage("Bursdag"), + "blackFridaySale": + MessageLookupByLibrary.simpleMessage("Black Friday salg"), + "blog": MessageLookupByLibrary.simpleMessage("Blogg"), + "cachedData": MessageLookupByLibrary.simpleMessage("Bufrede data"), + "calculating": MessageLookupByLibrary.simpleMessage("Beregner..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Beklager, dette albumet kan ikke åpnes i appen."), + "canNotOpenTitle": + MessageLookupByLibrary.simpleMessage("Kan ikke åpne dette albumet"), + "canNotUploadToAlbumsOwnedByOthers": + MessageLookupByLibrary.simpleMessage( + "Kan ikke laste opp til album eid av andre"), + "canOnlyCreateLinkForFilesOwnedByYou": + MessageLookupByLibrary.simpleMessage( + "Kan bare opprette link for filer som eies av deg"), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Du kan kun fjerne filer som eies av deg"), + "cancel": MessageLookupByLibrary.simpleMessage("Avbryt"), + "cancelAccountRecovery": + MessageLookupByLibrary.simpleMessage("Avbryt gjenoppretting"), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "Er du sikker på at du vil avbryte gjenoppretting?"), + "cancelOtherSubscription": m12, + "cancelSubscription": + MessageLookupByLibrary.simpleMessage("Avslutt abonnement"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": + MessageLookupByLibrary.simpleMessage("Kan ikke slette delte filer"), + "castAlbum": MessageLookupByLibrary.simpleMessage("Cast album"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Kontroller at du er på samme nettverk som TV-en."), + "castIPMismatchTitle": + MessageLookupByLibrary.simpleMessage("Kunne ikke strømme album"), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Besøk cast.ente.io på enheten du vil parre.\n\nSkriv inn koden under for å spille albumet på TV-en din."), + "centerPoint": MessageLookupByLibrary.simpleMessage("Midtstill punkt"), + "change": MessageLookupByLibrary.simpleMessage("Endre"), + "changeEmail": + MessageLookupByLibrary.simpleMessage("Endre e-postadresse"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Endre plassering av valgte elementer?"), + "changePassword": MessageLookupByLibrary.simpleMessage("Bytt passord"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("Bytt passord"), + "changePermissions": + MessageLookupByLibrary.simpleMessage("Endre tillatelser?"), + "changeYourReferralCode": + MessageLookupByLibrary.simpleMessage("Endre din vervekode"), + "checkForUpdates": + MessageLookupByLibrary.simpleMessage("Se etter oppdateringer"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Vennligst sjekk innboksen din (og søppelpost) for å fullføre verifiseringen"), + "checkStatus": + MessageLookupByLibrary.simpleMessage("Kontroller status"), + "checking": MessageLookupByLibrary.simpleMessage("Sjekker..."), + "checkingModels": + MessageLookupByLibrary.simpleMessage("Sjekker modeller..."), + "city": MessageLookupByLibrary.simpleMessage("I byen"), + "claimFreeStorage": + MessageLookupByLibrary.simpleMessage("Få gratis lagring"), + "claimMore": MessageLookupByLibrary.simpleMessage("Løs inn mer!"), + "claimed": MessageLookupByLibrary.simpleMessage("Løst inn"), + "claimedStorageSoFar": m14, + "cleanUncategorized": + MessageLookupByLibrary.simpleMessage("Tøm ukategorisert"), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Fjern alle filer fra Ukategoriserte som finnes i andre album"), + "clearCaches": MessageLookupByLibrary.simpleMessage("Tom hurtigbuffer"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Tøm indekser"), + "click": MessageLookupByLibrary.simpleMessage("• Klikk"), + "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( + "• Klikk på menyen med tre prikker"), + "close": MessageLookupByLibrary.simpleMessage("Lukk"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( + "Grupper etter tidspunkt for opptak"), + "clubByFileName": + MessageLookupByLibrary.simpleMessage("Grupper etter filnavn"), + "clusteringProgress": + MessageLookupByLibrary.simpleMessage("Fremdrift for klynging"), + "codeAppliedPageTitle": + MessageLookupByLibrary.simpleMessage("Kode brukt"), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Beklager, du har nådd grensen for kodeendringer."), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Koden er kopiert til utklippstavlen"), + "codeUsedByYou": + MessageLookupByLibrary.simpleMessage("Kode som brukes av deg"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Opprett en lenke slik at folk kan legge til og se bilder i det delte albumet ditt uten å trenge Ente-appen eller en konto. Perfekt for å samle bilder fra arrangementer."), + "collaborativeLink": + MessageLookupByLibrary.simpleMessage("Samarbeidslenke"), + "collaborativeLinkCreatedFor": m15, + "collaborator": + MessageLookupByLibrary.simpleMessage("Samarbeidspartner"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Samarbeidspartnere kan legge til bilder og videoer i det delte albumet."), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("Utforming"), + "collageSaved": + MessageLookupByLibrary.simpleMessage("Kollasje lagret i galleriet"), + "collect": MessageLookupByLibrary.simpleMessage("Samle"), + "collectEventPhotos": + MessageLookupByLibrary.simpleMessage("Samle arrangementbilder"), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Samle bilder"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Opprett en link hvor vennene dine kan laste opp bilder i original kvalitet."), + "color": MessageLookupByLibrary.simpleMessage("Farge"), + "configuration": MessageLookupByLibrary.simpleMessage("Konfigurasjon"), + "confirm": MessageLookupByLibrary.simpleMessage("Bekreft"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Er du sikker på at du vil deaktivere tofaktorautentisering?"), + "confirmAccountDeletion": + MessageLookupByLibrary.simpleMessage("Bekreft sletting av konto"), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Ja, jeg ønsker å slette denne kontoen og all dataen dens permanent."), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("Bekreft passordet"), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage( + "Bekreft endring av abonnement"), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Bekreft gjenopprettingsnøkkel"), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Bekreft din gjenopprettingsnøkkel"), + "connectToDevice": + MessageLookupByLibrary.simpleMessage("Koble til enheten"), + "contactFamilyAdmin": m18, + "contactSupport": + MessageLookupByLibrary.simpleMessage("Kontakt kundestøtte"), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Kontakter"), + "contents": MessageLookupByLibrary.simpleMessage("Innhold"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Fortsett"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "Fortsett med gratis prøveversjon"), + "convertToAlbum": + MessageLookupByLibrary.simpleMessage("Gjør om til album"), + "copyEmailAddress": + MessageLookupByLibrary.simpleMessage("Kopier e-postadresse"), + "copyLink": MessageLookupByLibrary.simpleMessage("Kopier lenke"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Kopier og lim inn denne koden\ntil autentiseringsappen din"), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "Vi kunne ikke sikkerhetskopiere dine data.\nVi vil prøve på nytt senere."), + "couldNotFreeUpSpace": + MessageLookupByLibrary.simpleMessage("Kunne ikke frigjøre plass"), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Kunne ikke oppdatere abonnement"), + "count": MessageLookupByLibrary.simpleMessage("Antall"), + "crashReporting": + MessageLookupByLibrary.simpleMessage("Krasjrapportering"), + "create": MessageLookupByLibrary.simpleMessage("Opprett"), + "createAccount": MessageLookupByLibrary.simpleMessage("Opprett konto"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Trykk og holde inne for å velge bilder, og trykk på + for å lage et album"), + "createCollaborativeLink": + MessageLookupByLibrary.simpleMessage("Samarbeidslenke"), + "createCollage": + MessageLookupByLibrary.simpleMessage("Opprett kollasje"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("Opprett ny konto"), + "createOrSelectAlbum": + MessageLookupByLibrary.simpleMessage("Opprett eller velg album"), + "createPublicLink": + MessageLookupByLibrary.simpleMessage("Opprett offentlig lenke"), + "creatingLink": MessageLookupByLibrary.simpleMessage("Lager lenke..."), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "Kritisk oppdatering er tilgjengelig"), + "crop": MessageLookupByLibrary.simpleMessage("Beskjær"), + "currentUsageIs": + MessageLookupByLibrary.simpleMessage("Nåværende bruk er "), + "currentlyRunning": + MessageLookupByLibrary.simpleMessage("Kjører for øyeblikket"), + "custom": MessageLookupByLibrary.simpleMessage("Egendefinert"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Mørk"), + "dayToday": MessageLookupByLibrary.simpleMessage("I dag"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("I går"), + "declineTrustInvite": + MessageLookupByLibrary.simpleMessage("Avslå invitasjon"), + "decrypting": MessageLookupByLibrary.simpleMessage("Dekrypterer..."), + "decryptingVideo": + MessageLookupByLibrary.simpleMessage("Dekrypterer video..."), + "deduplicateFiles": + MessageLookupByLibrary.simpleMessage("Fjern duplikatfiler"), + "delete": MessageLookupByLibrary.simpleMessage("Slett"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Slett konto"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Vi er lei oss for at du forlater oss. Gi oss gjerne en tilbakemelding så vi kan forbedre oss."), + "deleteAccountPermanentlyButton": + MessageLookupByLibrary.simpleMessage("Slett bruker for altid"), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Slett album"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Også slette bilder (og videoer) i dette albumet fra alle andre album de er del av?"), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "Dette vil slette alle tomme albumer. Dette er nyttig når du vil redusere rotet i albumlisten din."), + "deleteAll": MessageLookupByLibrary.simpleMessage("Slett alt"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "Denne kontoen er knyttet til andre Ente-apper, hvis du bruker noen. De opplastede dataene, i alle Ente-apper, vil bli planlagt slettet, og kontoen din vil bli slettet permanent."), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Vennligst send en e-post til account-deletion@ente.io fra din registrerte e-postadresse."), + "deleteEmptyAlbums": + MessageLookupByLibrary.simpleMessage("Slett tomme album"), + "deleteEmptyAlbumsWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Slette tomme albumer?"), + "deleteFromBoth": + MessageLookupByLibrary.simpleMessage("Slett fra begge"), + "deleteFromDevice": + MessageLookupByLibrary.simpleMessage("Slett fra enhet"), + "deleteFromEnte": + MessageLookupByLibrary.simpleMessage("Slett fra Ente"), + "deleteItemCount": m21, + "deleteLocation": MessageLookupByLibrary.simpleMessage("Slett sted"), + "deletePhotos": MessageLookupByLibrary.simpleMessage("Slett bilder"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Det mangler en hovedfunksjon jeg trenger"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "Appen, eller en bestemt funksjon, fungerer ikke slik jeg tror den skal"), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Jeg fant en annen tjeneste jeg liker bedre"), + "deleteReason4": + MessageLookupByLibrary.simpleMessage("Årsaken min er ikke oppført"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Forespørselen din vil bli behandlet innen 72 timer."), + "deleteSharedAlbum": + MessageLookupByLibrary.simpleMessage("Slett delt album?"), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "Albumet vil bli slettet for alle\n\nDu vil miste tilgang til delte bilder i dette albumet som eies av andre"), + "deselectAll": MessageLookupByLibrary.simpleMessage("Fjern alle valg"), + "designedToOutlive": + MessageLookupByLibrary.simpleMessage("Laget for å vare lenger enn"), + "details": MessageLookupByLibrary.simpleMessage("Detaljer"), + "developerSettings": + MessageLookupByLibrary.simpleMessage("Utviklerinnstillinger"), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Er du sikker på at du vil endre utviklerinnstillingene?"), + "deviceCodeHint": + MessageLookupByLibrary.simpleMessage("Skriv inn koden"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "Filer lagt til dette enhetsalbumet vil automatisk bli lastet opp til Ente."), + "deviceLock": MessageLookupByLibrary.simpleMessage("Enhetslås"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Deaktiver enhetens skjermlås når Ente er i forgrunnen og det er en sikkerhetskopi som pågår. Dette trengs normalt ikke, men kan hjelpe store opplastinger og førstegangsimport av store biblioteker med å fullføre raskere."), + "deviceNotFound": + MessageLookupByLibrary.simpleMessage("Enhet ikke funnet"), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Visste du at?"), + "disableAutoLock": + MessageLookupByLibrary.simpleMessage("Deaktiver autolås"), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Seere kan fremdeles ta skjermbilder eller lagre en kopi av bildene dine ved bruk av eksterne verktøy"), + "disableDownloadWarningTitle": + MessageLookupByLibrary.simpleMessage("Vær oppmerksom på"), + "disableLinkMessage": m24, + "disableTwofactor": + MessageLookupByLibrary.simpleMessage("Deaktiver tofaktor"), + "disablingTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Deaktiverer tofaktorautentisering..."), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Oppdag"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Babyer"), + "discover_celebrations": + MessageLookupByLibrary.simpleMessage("Feiringer"), + "discover_food": MessageLookupByLibrary.simpleMessage("Mat"), + "discover_greenery": + MessageLookupByLibrary.simpleMessage("Grøntområder"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Åser"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Identitet"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Notater"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Kjæledyr"), + "discover_receipts": + MessageLookupByLibrary.simpleMessage("Kvitteringer"), + "discover_screenshots": + MessageLookupByLibrary.simpleMessage("Skjermbilder"), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfier"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Solnedgang"), + "discover_visiting_cards": + MessageLookupByLibrary.simpleMessage("Visittkort"), + "discover_wallpapers": + MessageLookupByLibrary.simpleMessage("Bakgrunnsbilder"), + "dismiss": MessageLookupByLibrary.simpleMessage("Avvis "), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage("Ikke logg ut"), + "doThisLater": + MessageLookupByLibrary.simpleMessage("Gjør dette senere"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Vil du forkaste endringene du har gjort?"), + "done": MessageLookupByLibrary.simpleMessage("Ferdig"), + "dontSave": MessageLookupByLibrary.simpleMessage("Ikke lagre"), + "doubleYourStorage": + MessageLookupByLibrary.simpleMessage("Doble lagringsplassen din"), + "download": MessageLookupByLibrary.simpleMessage("Last ned"), + "downloadFailed": + MessageLookupByLibrary.simpleMessage("Nedlasting mislyktes"), + "downloading": MessageLookupByLibrary.simpleMessage("Laster ned..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Rediger"), + "editLocation": + MessageLookupByLibrary.simpleMessage("Rediger plassering"), + "editLocationTagTitle": + MessageLookupByLibrary.simpleMessage("Rediger plassering"), + "editPerson": MessageLookupByLibrary.simpleMessage("Rediger person"), + "editTime": MessageLookupByLibrary.simpleMessage("Endre tidspunkt"), + "editsSaved": MessageLookupByLibrary.simpleMessage("Endringer lagret"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Endringer i plassering vil kun være synlige i Ente"), + "eligible": MessageLookupByLibrary.simpleMessage("kvalifisert"), + "email": MessageLookupByLibrary.simpleMessage("E-post"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "E-postadressen er allerede registrert."), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "E-postadressen er ikke registrert."), + "emailVerificationToggle": + MessageLookupByLibrary.simpleMessage("E-postbekreftelse"), + "emailYourLogs": + MessageLookupByLibrary.simpleMessage("Send loggene dine på e-post"), + "embracingThem": m32, + "emergencyContacts": + MessageLookupByLibrary.simpleMessage("Nødkontakter"), + "empty": MessageLookupByLibrary.simpleMessage("Tom"), + "emptyTrash": MessageLookupByLibrary.simpleMessage("Tøm papirkurv?"), + "enable": MessageLookupByLibrary.simpleMessage("Aktiver"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "Ente støtter maskinlæring på enheten for ansiktsgjenkjenning, magisk søk og andre avanserte søkefunksjoner"), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Aktiver maskinlæring for magisk søk og ansiktsgjenkjenning"), + "enableMaps": MessageLookupByLibrary.simpleMessage("Aktiver kart"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "Dette viser dine bilder på et verdenskart.\n\nDette kartet er hostet av Open Street Map, og de nøyaktige stedene for dine bilder blir aldri delt.\n\nDu kan deaktivere denne funksjonen når som helst fra Innstillinger."), + "enabled": MessageLookupByLibrary.simpleMessage("Aktivert"), + "encryptingBackup": + MessageLookupByLibrary.simpleMessage("Krypterer sikkerhetskopi..."), + "encryption": MessageLookupByLibrary.simpleMessage("Kryptering"), + "encryptionKeys": + MessageLookupByLibrary.simpleMessage("Krypteringsnøkkel"), + "endpointUpdatedMessage": + MessageLookupByLibrary.simpleMessage("Endepunktet ble oppdatert"), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Ende-til-ende kryptert som standard"), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente kan bare kryptere og bevare filer hvis du gir tilgang til dem"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente trenger tillatelse for å bevare bildene dine"), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "Ente bevarer minnene dine, slik at de er alltid tilgjengelig for deg, selv om du mister enheten."), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Familien din kan også legges til abonnementet ditt."), + "enterAlbumName": + MessageLookupByLibrary.simpleMessage("Skriv inn albumnavn"), + "enterCode": MessageLookupByLibrary.simpleMessage("Angi kode"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Angi koden fra vennen din for å få gratis lagringsplass for dere begge"), + "enterDateOfBirth": + MessageLookupByLibrary.simpleMessage("Bursdag (valgfritt)"), + "enterEmail": MessageLookupByLibrary.simpleMessage("Skriv inn e-post"), + "enterFileName": + MessageLookupByLibrary.simpleMessage("Skriv inn filnavn"), + "enterName": MessageLookupByLibrary.simpleMessage("Angi navn"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Angi et nytt passord vi kan bruke til å kryptere dataene dine"), + "enterPassword": MessageLookupByLibrary.simpleMessage("Angi passord"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Angi et passord vi kan bruke til å kryptere dataene dine"), + "enterPersonName": + MessageLookupByLibrary.simpleMessage("Angi personnavn"), + "enterPin": MessageLookupByLibrary.simpleMessage("Skriv inn PIN-koden"), + "enterReferralCode": + MessageLookupByLibrary.simpleMessage("Angi vervekode"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Skriv inn den 6-sifrede koden fra\ndin autentiseringsapp"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Vennligst skriv inn en gyldig e-postadresse."), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Skriv inn e-postadressen din"), + "enterYourPassword": + MessageLookupByLibrary.simpleMessage("Angi passordet ditt"), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Skriv inn din gjenopprettingsnøkkel"), + "error": MessageLookupByLibrary.simpleMessage("Feil"), + "everywhere": MessageLookupByLibrary.simpleMessage("Overalt"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": + MessageLookupByLibrary.simpleMessage("Eksisterende bruker"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Denne lenken er utløpt. Vennligst velg en ny utløpstid eller deaktiver lenkeutløp."), + "exportLogs": MessageLookupByLibrary.simpleMessage("Eksporter logger"), + "exportYourData": + MessageLookupByLibrary.simpleMessage("Eksporter dine data"), + "extraPhotosFound": + MessageLookupByLibrary.simpleMessage("Ekstra bilder funnet"), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Ansikt ikke gruppert ennå, vennligst kom tilbake senere"), + "faceRecognition": + MessageLookupByLibrary.simpleMessage("Ansiktsgjenkjenning"), + "faces": MessageLookupByLibrary.simpleMessage("Ansikt"), + "failed": MessageLookupByLibrary.simpleMessage("Mislykket"), + "failedToApplyCode": + MessageLookupByLibrary.simpleMessage("Kunne ikke bruke koden"), + "failedToCancel": + MessageLookupByLibrary.simpleMessage("Kan ikke avbryte"), + "failedToDownloadVideo": + MessageLookupByLibrary.simpleMessage("Kan ikke laste ned video"), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Kunne ikke hente aktive økter"), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Kunne ikke hente originalen for redigering"), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Kan ikke hente vervedetaljer. Prøv igjen senere."), + "failedToLoadAlbums": + MessageLookupByLibrary.simpleMessage("Kunne ikke laste inn album"), + "failedToPlayVideo": + MessageLookupByLibrary.simpleMessage("Kunne ikke spille av video"), + "failedToRefreshStripeSubscription": + MessageLookupByLibrary.simpleMessage( + "Kunne ikke oppdatere abonnement"), + "failedToRenew": + MessageLookupByLibrary.simpleMessage("Kunne ikke fornye"), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Kunne ikke verifisere betalingsstatus"), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Legg til 5 familiemedlemmer til det eksisterende abonnementet uten å betale ekstra.\n\nHvert medlem får sitt eget private område, og kan ikke se hverandres filer med mindre de er delt.\n\nFamilieabonnement er tilgjengelige for kunder som har et betalt Ente-abonnement.\n\nAbonner nå for å komme i gang!"), + "familyPlanPortalTitle": + MessageLookupByLibrary.simpleMessage("Familie"), + "familyPlans": + MessageLookupByLibrary.simpleMessage("Familieabonnementer"), + "faq": MessageLookupByLibrary.simpleMessage("Ofte stilte spørsmål"), + "faqs": MessageLookupByLibrary.simpleMessage("Ofte stilte spørsmål"), + "favorite": MessageLookupByLibrary.simpleMessage("Favoritt"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("Tilbakemelding"), + "file": MessageLookupByLibrary.simpleMessage("Fil"), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Kunne ikke lagre filen i galleriet"), + "fileInfoAddDescHint": + MessageLookupByLibrary.simpleMessage("Legg til en beskrivelse..."), + "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( + "Filen er ikke lastet opp enda"), + "fileSavedToGallery": + MessageLookupByLibrary.simpleMessage("Fil lagret i galleriet"), + "fileTypes": MessageLookupByLibrary.simpleMessage("Filtyper"), + "fileTypesAndNames": + MessageLookupByLibrary.simpleMessage("Filtyper og navn"), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": + MessageLookupByLibrary.simpleMessage("Filene er slettet"), + "filesSavedToGallery": + MessageLookupByLibrary.simpleMessage("Filer lagret i galleriet"), + "findPeopleByName": + MessageLookupByLibrary.simpleMessage("Finn folk raskt med navn"), + "findThemQuickly": + MessageLookupByLibrary.simpleMessage("Finn dem raskt"), + "flip": MessageLookupByLibrary.simpleMessage("Speilvend"), + "food": MessageLookupByLibrary.simpleMessage("Kulinær glede"), + "forYourMemories": + MessageLookupByLibrary.simpleMessage("for dine minner"), + "forgotPassword": MessageLookupByLibrary.simpleMessage("Glemt passord"), + "foundFaces": MessageLookupByLibrary.simpleMessage("Fant ansikter"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( + "Gratis lagringplass aktivert"), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Gratis lagringsplass som kan brukes"), + "freeTrial": + MessageLookupByLibrary.simpleMessage("Gratis prøveversjon"), + "freeTrialValidTill": m38, + "freeUpAmount": m40, + "freeUpDeviceSpace": + MessageLookupByLibrary.simpleMessage("Frigjør plass på enheten"), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Spar plass på enheten ved å fjerne filer som allerede er sikkerhetskopiert."), + "freeUpSpace": + MessageLookupByLibrary.simpleMessage("Frigjør lagringsplass"), + "gallery": MessageLookupByLibrary.simpleMessage("Galleri"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "Opptil 1000 minner vist i galleriet"), + "general": MessageLookupByLibrary.simpleMessage("Generelt"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Genererer krypteringsnøkler..."), + "genericProgress": m42, + "goToSettings": + MessageLookupByLibrary.simpleMessage("Gå til innstillinger"), + "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Vennligst gi tilgang til alle bilder i Innstillinger-appen"), + "grantPermission": + MessageLookupByLibrary.simpleMessage("Gi tillatelse"), + "greenery": MessageLookupByLibrary.simpleMessage("Det grønne livet"), + "groupNearbyPhotos": + MessageLookupByLibrary.simpleMessage("Grupper nærliggende bilder"), + "guestView": MessageLookupByLibrary.simpleMessage("Gjestevisning"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "For å aktivere gjestevisning, vennligst konfigurer enhetens passord eller skjermlås i systeminnstillingene."), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "Vi sporer ikke app-installasjoner. Det hadde vært til hjelp om du fortalte oss hvor du fant oss!"), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Hvordan fikk du høre om Ente? (valgfritt)"), + "help": MessageLookupByLibrary.simpleMessage("Hjelp"), + "hidden": MessageLookupByLibrary.simpleMessage("Skjult"), + "hide": MessageLookupByLibrary.simpleMessage("Skjul"), + "hideContent": MessageLookupByLibrary.simpleMessage("Skjul innhold"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Skjuler appinnhold i appveksleren og deaktiverer skjermbilder"), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Skjuler appinnhold i appveksleren"), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Skjul delte elementer fra hjemgalleriet"), + "hiding": MessageLookupByLibrary.simpleMessage("Skjuler..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": + MessageLookupByLibrary.simpleMessage("Hostet på OSM France"), + "howItWorks": + MessageLookupByLibrary.simpleMessage("Hvordan det fungerer"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Vennligst be dem om å trykke og holde inne på e-postadressen sin på innstillingsskjermen, og bekreft at ID-ene på begge enhetene er like."), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Biometrisk autentisering er ikke satt opp på enheten din. Aktiver enten Touch-ID eller Ansikts-ID på telefonen."), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "Biometrisk autentisering er deaktivert. Vennligst lås og lås opp skjermen for å aktivere den."), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorer"), + "ignored": MessageLookupByLibrary.simpleMessage("ignorert"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Noen filer i dette albumet ble ikke lastet opp fordi de tidligere har blitt slettet fra Ente."), + "imageNotAnalyzed": + MessageLookupByLibrary.simpleMessage("Bilde ikke analysert"), + "immediately": MessageLookupByLibrary.simpleMessage("Umiddelbart"), + "importing": MessageLookupByLibrary.simpleMessage("Importerer...."), + "incorrectCode": MessageLookupByLibrary.simpleMessage("Feil kode"), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("Feil passord"), + "incorrectRecoveryKey": + MessageLookupByLibrary.simpleMessage("Feil gjenopprettingsnøkkel"), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Gjennopprettingsnøkkelen du skrev inn er feil"), + "incorrectRecoveryKeyTitle": + MessageLookupByLibrary.simpleMessage("Feil gjenopprettingsnøkkel"), + "indexedItems": + MessageLookupByLibrary.simpleMessage("Indekserte elementer"), + "ineligible": MessageLookupByLibrary.simpleMessage("Ikke aktuell"), + "info": MessageLookupByLibrary.simpleMessage("Info"), + "insecureDevice": MessageLookupByLibrary.simpleMessage("Usikker enhet"), + "installManually": + MessageLookupByLibrary.simpleMessage("Installer manuelt"), + "invalidEmailAddress": + MessageLookupByLibrary.simpleMessage("Ugyldig e-postadresse"), + "invalidEndpoint": + MessageLookupByLibrary.simpleMessage("Ugyldig endepunkt"), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Beklager, endepunktet du skrev inn er ugyldig. Skriv inn et gyldig endepunkt og prøv igjen."), + "invalidKey": MessageLookupByLibrary.simpleMessage("Ugyldig nøkkel"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Gjenopprettingsnøkkelen du har skrevet inn er ikke gyldig. Kontroller at den inneholder 24 ord og kontroller stavemåten av hvert ord.\n\nHvis du har angitt en eldre gjenopprettingskode, må du kontrollere at den er 64 tegn lang, og kontrollere hvert av dem."), + "invite": MessageLookupByLibrary.simpleMessage("Inviter"), + "inviteToEnte": + MessageLookupByLibrary.simpleMessage("Inviter til Ente"), + "inviteYourFriends": + MessageLookupByLibrary.simpleMessage("Inviter vennene dine"), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "Inviter vennene dine til Ente"), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Det ser ut til at noe gikk galt. Prøv på nytt etter en stund. Hvis feilen vedvarer, kan du kontakte kundestøtte."), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "Elementer viser gjenværende dager før de slettes for godt"), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Valgte elementer vil bli fjernet fra dette albumet"), + "join": MessageLookupByLibrary.simpleMessage("Bli med"), + "joinAlbum": MessageLookupByLibrary.simpleMessage("Bli med i albumet"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "Å bli med i et album vil gjøre e-postadressen din synlig for dens deltakere."), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( + "for å se og legge til bildene dine"), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "for å legge dette til til delte album"), + "joinDiscord": + MessageLookupByLibrary.simpleMessage("Bli med i Discord"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Behold Bilder"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Vær vennlig og hjelp oss med denne informasjonen"), + "language": MessageLookupByLibrary.simpleMessage("Språk"), + "lastTimeWithThem": m45, + "lastUpdated": MessageLookupByLibrary.simpleMessage("Sist oppdatert"), + "lastYearsTrip": MessageLookupByLibrary.simpleMessage("Fjorårets tur"), + "leave": MessageLookupByLibrary.simpleMessage("Forlat"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Forlat album"), + "leaveFamily": MessageLookupByLibrary.simpleMessage("Forlat familie"), + "leaveSharedAlbum": + MessageLookupByLibrary.simpleMessage("Slett delt album?"), + "left": MessageLookupByLibrary.simpleMessage("Venstre"), + "legacy": MessageLookupByLibrary.simpleMessage("Arv"), + "legacyAccounts": MessageLookupByLibrary.simpleMessage("Eldre kontoer"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "Arv-funksjonen lar betrodde kontakter få tilgang til kontoen din i ditt fravær."), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "Betrodde kontakter kan starte gjenoppretting av kontoen, og hvis de ikke blir blokkert innen 30 dager, tilbakestille passordet ditt og få tilgang til kontoen din."), + "light": MessageLookupByLibrary.simpleMessage("Lys"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Lys"), + "link": MessageLookupByLibrary.simpleMessage("Lenke"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Lenker er kopiert til utklippstavlen"), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Enhetsgrense"), + "linkEmail": MessageLookupByLibrary.simpleMessage("Koble til e-post"), + "linkEmailToContactBannerCaption": + MessageLookupByLibrary.simpleMessage("for raskere deling"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Aktivert"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Utløpt"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Lenkeutløp"), + "linkHasExpired": + MessageLookupByLibrary.simpleMessage("Lenken har utløpt"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Aldri"), + "linkPerson": MessageLookupByLibrary.simpleMessage("Knytt til person"), + "linkPersonCaption": + MessageLookupByLibrary.simpleMessage("for bedre delingsopplevelse"), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("Live-bilder"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "Du kan dele abonnementet med familien din"), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "Vi beholder 3 kopier av dine data, en i en underjordisk bunker"), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "Alle våre apper har åpen kildekode"), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Vår kildekode og kryptografi har blitt revidert eksternt"), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "Du kan dele lenker til dine album med dine kjære"), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Våre mobilapper kjører i bakgrunnen for å kryptere og sikkerhetskopiere de nye bildene du klikker"), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io har en flott opplaster"), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Vi bruker Xcha20Poly1305 for å trygt kryptere dataene dine"), + "loadingExifData": + MessageLookupByLibrary.simpleMessage("Laster inn EXIF-data..."), + "loadingGallery": + MessageLookupByLibrary.simpleMessage("Laster galleri..."), + "loadingMessage": + MessageLookupByLibrary.simpleMessage("Laster bildene dine..."), + "loadingModel": + MessageLookupByLibrary.simpleMessage("Laster ned modeller..."), + "loadingYourPhotos": + MessageLookupByLibrary.simpleMessage("Laster bildene dine..."), + "localGallery": MessageLookupByLibrary.simpleMessage("Lokalt galleri"), + "localIndexing": + MessageLookupByLibrary.simpleMessage("Lokal indeksering"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Ser ut som noe gikk galt siden lokal synkronisering av bilder tar lengre tid enn forventet. Vennligst kontakt vårt supportteam"), + "location": MessageLookupByLibrary.simpleMessage("Plassering"), + "locationName": MessageLookupByLibrary.simpleMessage("Stedsnavn"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "En plasseringsetikett grupperer alle bilder som ble tatt innenfor en gitt radius av et bilde"), + "locations": MessageLookupByLibrary.simpleMessage("Plasseringer"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Lås"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Låseskjerm"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Logg inn"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Logger ut..."), + "loginSessionExpired": + MessageLookupByLibrary.simpleMessage("Økten har utløpt"), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "Økten er utløpt. Vennligst logg inn på nytt."), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Ved å klikke Logg inn, godtar jeg brukervilkårene og personvernreglene"), + "loginWithTOTP": + MessageLookupByLibrary.simpleMessage("Pålogging med TOTP"), + "logout": MessageLookupByLibrary.simpleMessage("Logg ut"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "Dette vil sende over logger for å hjelpe oss med å feilsøke problemet. Vær oppmerksom på at filnavn vil bli inkludert for å hjelpe å spore problemer med spesifikke filer."), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Trykk og hold på en e-post for å bekrefte ende-til-ende-kryptering."), + "longpressOnAnItemToViewInFullscreen": + MessageLookupByLibrary.simpleMessage( + "Lang-trykk på en gjenstand for å vise i fullskjerm"), + "loopVideoOff": MessageLookupByLibrary.simpleMessage("Gjenta video av"), + "loopVideoOn": MessageLookupByLibrary.simpleMessage("Gjenta video på"), + "lostDevice": MessageLookupByLibrary.simpleMessage("Mistet enhet?"), + "machineLearning": MessageLookupByLibrary.simpleMessage("Maskinlæring"), + "magicSearch": MessageLookupByLibrary.simpleMessage("Magisk søk"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "Magisk søk lar deg finne bilder basert på innholdet i dem, for eksempel ‘blomst’, ‘rød bil’, ‘ID-dokumenter\'"), + "manage": MessageLookupByLibrary.simpleMessage("Administrer"), + "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( + "Behandle enhetens hurtigbuffer"), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Gjennomgå og fjern lokal hurtigbuffer."), + "manageFamily": + MessageLookupByLibrary.simpleMessage("Administrer familie"), + "manageLink": MessageLookupByLibrary.simpleMessage("Administrer lenke"), + "manageParticipants": + MessageLookupByLibrary.simpleMessage("Administrer"), + "manageSubscription": + MessageLookupByLibrary.simpleMessage("Administrer abonnement"), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "Koble til PIN fungerer med alle skjermer du vil se albumet på."), + "map": MessageLookupByLibrary.simpleMessage("Kart"), + "maps": MessageLookupByLibrary.simpleMessage("Kart"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("Meg"), + "memoryCount": m50, + "merchandise": MessageLookupByLibrary.simpleMessage("Varer"), + "mergeWithExisting": + MessageLookupByLibrary.simpleMessage("Slå sammen med eksisterende"), + "mergedPhotos": + MessageLookupByLibrary.simpleMessage("Sammenslåtte bilder"), + "mlConsent": + MessageLookupByLibrary.simpleMessage("Aktiver maskinlæring"), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Jeg forstår, og ønsker å aktivere maskinlæring"), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Hvis du aktiverer maskinlæring, vil Ente hente ut informasjon som ansiktsgeometri fra filer, inkludert de som er delt med deg.\n\nDette skjer på enheten din, og all generert biometrisk informasjon blir ende-til-ende-kryptert."), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Klikk her for mer informasjon om denne funksjonen i våre retningslinjer for personvern"), + "mlConsentTitle": + MessageLookupByLibrary.simpleMessage("Aktiver maskinlæring?"), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Vær oppmerksom på at maskinlæring vil resultere i høyere båndbredde og batteribruk inntil alle elementer er indeksert. Vurder å bruke skrivebordsappen for raskere indeksering, alle resultater vil bli synkronisert automatisk."), + "mobileWebDesktop": + MessageLookupByLibrary.simpleMessage("Mobil, Web, Datamaskin"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Moderat"), + "modifyYourQueryOrTrySearchingFor": + MessageLookupByLibrary.simpleMessage( + "Juster søket ditt, eller prøv å søke etter"), + "moments": MessageLookupByLibrary.simpleMessage("Øyeblikk"), + "month": MessageLookupByLibrary.simpleMessage("måned"), + "monthly": MessageLookupByLibrary.simpleMessage("Månedlig"), + "moon": MessageLookupByLibrary.simpleMessage("I månelyset"), + "moreDetails": MessageLookupByLibrary.simpleMessage("Flere detaljer"), + "mostRecent": MessageLookupByLibrary.simpleMessage("Nyeste"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("Mest relevant"), + "mountains": MessageLookupByLibrary.simpleMessage("Over åsene"), + "moveItem": m51, + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "Flytt valgte bilder til en dato"), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("Flytt til album"), + "moveToHiddenAlbum": + MessageLookupByLibrary.simpleMessage("Flytt til skjult album"), + "movedSuccessfullyTo": m52, + "movedToTrash": + MessageLookupByLibrary.simpleMessage("Flyttet til papirkurven"), + "movingFilesToAlbum": + MessageLookupByLibrary.simpleMessage("Flytter filer til album..."), + "name": MessageLookupByLibrary.simpleMessage("Navn"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Navngi albumet"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Kan ikke koble til Ente, prøv igjen etter en stund. Hvis feilen vedvarer, vennligst kontakt kundestøtte."), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Kan ikke koble til Ente, kontroller nettverksinnstillingene og kontakt kundestøtte hvis feilen vedvarer."), + "never": MessageLookupByLibrary.simpleMessage("Aldri"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Nytt album"), + "newLocation": MessageLookupByLibrary.simpleMessage("Ny plassering"), + "newPerson": MessageLookupByLibrary.simpleMessage("Ny person"), + "newRange": MessageLookupByLibrary.simpleMessage("Ny rekkevidde"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Ny til Ente"), + "newest": MessageLookupByLibrary.simpleMessage("Nyeste"), + "next": MessageLookupByLibrary.simpleMessage("Neste"), + "no": MessageLookupByLibrary.simpleMessage("Nei"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Ingen album delt av deg enda"), + "noDeviceFound": + MessageLookupByLibrary.simpleMessage("Ingen enheter funnet"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Ingen"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "Du har ingen filer i dette albumet som kan bli slettet"), + "noDuplicates": + MessageLookupByLibrary.simpleMessage("✨ Ingen duplikater"), + "noEnteAccountExclamation": + MessageLookupByLibrary.simpleMessage("Ingen Ente-konto!"), + "noExifData": MessageLookupByLibrary.simpleMessage("Ingen EXIF-data"), + "noFacesFound": + MessageLookupByLibrary.simpleMessage("Ingen ansikter funnet"), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "Ingen skjulte bilder eller videoer"), + "noImagesWithLocation": + MessageLookupByLibrary.simpleMessage("Ingen bilder med plassering"), + "noInternetConnection": + MessageLookupByLibrary.simpleMessage("Ingen nettverksforbindelse"), + "noPhotosAreBeingBackedUpRightNow": + MessageLookupByLibrary.simpleMessage( + "Ingen bilder er blitt sikkerhetskopiert akkurat nå"), + "noPhotosFoundHere": + MessageLookupByLibrary.simpleMessage("Ingen bilder funnet her"), + "noQuickLinksSelected": + MessageLookupByLibrary.simpleMessage("Ingen hurtiglenker er valgt"), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Ingen gjenopprettingsnøkkel?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Grunnet vår type ente-til-ende-krypteringsprotokoll kan ikke dine data dekrypteres uten passordet ditt eller gjenopprettingsnøkkelen din"), + "noResults": MessageLookupByLibrary.simpleMessage("Ingen resultater"), + "noResultsFound": + MessageLookupByLibrary.simpleMessage("Ingen resultater funnet"), + "noSuggestionsForPerson": m53, + "noSystemLockFound": + MessageLookupByLibrary.simpleMessage("Ingen systemlås funnet"), + "notPersonLabel": m54, + "notThisPerson": + MessageLookupByLibrary.simpleMessage("Ikke denne personen?"), + "nothingSharedWithYouYet": + MessageLookupByLibrary.simpleMessage("Ingenting delt med deg enda"), + "nothingToSeeHere": + MessageLookupByLibrary.simpleMessage("Ingenting å se her! 👀"), + "notifications": MessageLookupByLibrary.simpleMessage("Varslinger"), + "ok": MessageLookupByLibrary.simpleMessage("Ok"), + "onDevice": MessageLookupByLibrary.simpleMessage("På enhet"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "På ente"), + "onTheRoad": MessageLookupByLibrary.simpleMessage("På veien igjen"), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Bare de"), + "oops": MessageLookupByLibrary.simpleMessage("Oisann"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Oisann, kunne ikke lagre endringer"), + "oopsSomethingWentWrong": + MessageLookupByLibrary.simpleMessage("Oisann! Noe gikk galt"), + "openAlbumInBrowser": + MessageLookupByLibrary.simpleMessage("Åpne album i nettleser"), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Vennligst bruk webapplikasjonen for å legge til bilder til dette albumet"), + "openFile": MessageLookupByLibrary.simpleMessage("Åpne fil"), + "openSettings": + MessageLookupByLibrary.simpleMessage("Åpne innstillinger"), + "openTheItem": MessageLookupByLibrary.simpleMessage("• Åpne elementet"), + "openstreetmapContributors": + MessageLookupByLibrary.simpleMessage("OpenStreetMap bidragsytere"), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Valgfri, så kort som du vil..."), + "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( + "Eller slå sammen med eksisterende"), + "orPickAnExistingOne": + MessageLookupByLibrary.simpleMessage("Eller velg en eksisterende"), + "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( + "Eller velg fra kontaktene dine"), + "pair": MessageLookupByLibrary.simpleMessage("Par"), + "pairWithPin": + MessageLookupByLibrary.simpleMessage("Parr sammen med PIN"), + "pairingComplete": + MessageLookupByLibrary.simpleMessage("Sammenkobling fullført"), + "panorama": MessageLookupByLibrary.simpleMessage("Panora"), + "partyWithThem": m56, + "passKeyPendingVerification": + MessageLookupByLibrary.simpleMessage("Bekreftelse venter fortsatt"), + "passkey": MessageLookupByLibrary.simpleMessage("Tilgangsnøkkel"), + "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( + "Verifisering av tilgangsnøkkel"), + "password": MessageLookupByLibrary.simpleMessage("Passord"), + "passwordChangedSuccessfully": + MessageLookupByLibrary.simpleMessage("Passordet ble endret"), + "passwordLock": MessageLookupByLibrary.simpleMessage("Passordlås"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "Passordstyrken beregnes basert på passordets lengde, brukte tegn, og om passordet finnes blant de 10 000 mest brukte passordene"), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Vi lagrer ikke dette passordet, så hvis du glemmer det, kan vi ikke dekryptere dataene dine"), + "paymentDetails": + MessageLookupByLibrary.simpleMessage("Betalingsinformasjon"), + "paymentFailed": + MessageLookupByLibrary.simpleMessage("Betaling feilet"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "Betalingen din mislyktes. Kontakt kundestøtte og vi vil hjelpe deg!"), + "paymentFailedTalkToProvider": m58, + "pendingItems": + MessageLookupByLibrary.simpleMessage("Ventende elementer"), + "pendingSync": + MessageLookupByLibrary.simpleMessage("Ventende synkronisering"), + "people": MessageLookupByLibrary.simpleMessage("Folk"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Personer som bruker koden din"), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Alle elementer i papirkurven vil slettes permanent\n\nDenne handlingen kan ikke angres"), + "permanentlyDelete": + MessageLookupByLibrary.simpleMessage("Slette for godt"), + "permanentlyDeleteFromDevice": + MessageLookupByLibrary.simpleMessage("Slett permanent fra enhet?"), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("Personnavn"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("Pelsvenner"), + "photoDescriptions": + MessageLookupByLibrary.simpleMessage("Bildebeskrivelser"), + "photoGridSize": + MessageLookupByLibrary.simpleMessage("Bilderutenettstørrelse"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("bilde"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("Bilder"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "Bilder lagt til av deg vil bli fjernet fra albumet"), + "photosKeepRelativeTimeDifference": + MessageLookupByLibrary.simpleMessage( + "Bilder holder relativ tidsforskjell"), + "pickCenterPoint": + MessageLookupByLibrary.simpleMessage("Velg midtpunkt"), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Fest album"), + "pinLock": MessageLookupByLibrary.simpleMessage("PIN-kode lås"), + "playOnTv": + MessageLookupByLibrary.simpleMessage("Spill av album på TV"), + "playOriginal": + MessageLookupByLibrary.simpleMessage("Spill av original"), + "playStoreFreeTrialValidTill": m63, + "playStream": MessageLookupByLibrary.simpleMessage("Spill av strøm"), + "playstoreSubscription": + MessageLookupByLibrary.simpleMessage("PlayStore abonnement"), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Kontroller Internett-tilkoblingen din og prøv igjen."), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Vennligst kontakt support@ente.io og vi vil gjerne hjelpe!"), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Vennligst kontakt kundestøtte hvis problemet vedvarer"), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": + MessageLookupByLibrary.simpleMessage("Vennligst gi tillatelser"), + "pleaseLoginAgain": + MessageLookupByLibrary.simpleMessage("Vennligst logg inn igjen"), + "pleaseSelectQuickLinksToRemove": + MessageLookupByLibrary.simpleMessage("Velg hurtiglenker å fjerne"), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": + MessageLookupByLibrary.simpleMessage("Vennligst prøv igjen"), + "pleaseVerifyTheCodeYouHaveEntered": + MessageLookupByLibrary.simpleMessage( + "Bekreft koden du har skrevet inn"), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Vennligst vent..."), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Vennligst vent, sletter album"), + "pleaseWaitForSometimeBeforeRetrying": + MessageLookupByLibrary.simpleMessage( + "Vennligst vent en stund før du prøver på nytt"), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "Vennligst vent, dette vil ta litt tid."), + "posingWithThem": m66, + "preparingLogs": + MessageLookupByLibrary.simpleMessage("Forbereder logger..."), + "preserveMore": MessageLookupByLibrary.simpleMessage("Behold mer"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Trykk og hold inne for å spille av video"), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Trykk og hold inne bildet for å spille av video"), + "previous": MessageLookupByLibrary.simpleMessage("Forrige"), + "privacy": MessageLookupByLibrary.simpleMessage("Personvern"), + "privacyPolicyTitle": + MessageLookupByLibrary.simpleMessage("Personvernserklæring"), + "privateBackups": + MessageLookupByLibrary.simpleMessage("Private sikkerhetskopier"), + "privateSharing": MessageLookupByLibrary.simpleMessage("Privat deling"), + "proceed": MessageLookupByLibrary.simpleMessage("Fortsett"), + "processed": MessageLookupByLibrary.simpleMessage("Behandlet"), + "processing": MessageLookupByLibrary.simpleMessage("Behandler"), + "processingImport": m67, + "processingVideos": + MessageLookupByLibrary.simpleMessage("Behandler videoer"), + "publicLinkCreated": + MessageLookupByLibrary.simpleMessage("Offentlig lenke opprettet"), + "publicLinkEnabled": + MessageLookupByLibrary.simpleMessage("Offentlig lenke aktivert"), + "queued": MessageLookupByLibrary.simpleMessage("I køen"), + "quickLinks": MessageLookupByLibrary.simpleMessage("Hurtiglenker"), + "radius": MessageLookupByLibrary.simpleMessage("Radius"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Opprett sak"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("Vurder appen"), + "rateUs": MessageLookupByLibrary.simpleMessage("Vurder oss"), + "rateUsOnStore": m68, + "reassignMe": MessageLookupByLibrary.simpleMessage("Tildel \"Meg\""), + "reassignedToName": m69, + "reassigningLoading": + MessageLookupByLibrary.simpleMessage("Tildeler..."), + "recover": MessageLookupByLibrary.simpleMessage("Gjenopprett"), + "recoverAccount": + MessageLookupByLibrary.simpleMessage("Gjenopprett konto"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Gjenopprett"), + "recoveryAccount": + MessageLookupByLibrary.simpleMessage("Gjenopprett konto"), + "recoveryInitiated": + MessageLookupByLibrary.simpleMessage("Gjenoppretting startet"), + "recoveryInitiatedDesc": m70, + "recoveryKey": + MessageLookupByLibrary.simpleMessage("Gjenopprettingsnøkkel"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Gjenopprettingsnøkkel kopiert til utklippstavlen"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Hvis du glemmer passordet ditt er den eneste måten du kan gjenopprette dataene dine på med denne nøkkelen."), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Vi lagrer ikke denne nøkkelen, vennligst lagre denne 24-ords nøkkelen på et trygt sted."), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Flott! Din gjenopprettingsnøkkel er gyldig. Takk for bekreftelsen.\n\nVennligst husk å holde gjenopprettingsnøkkelen din trygt sikkerhetskopiert."), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Gjenopprettingsnøkkel bekreftet"), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Gjenopprettingsnøkkelen er den eneste måten å gjenopprette bildene dine på hvis du glemmer passordet ditt. Du finner gjenopprettingsnøkkelen din i Innstillinger > Konto.\n\nVennligst skriv inn gjenopprettingsnøkkelen din her for å bekrefte at du har lagret den riktig."), + "recoveryReady": m71, + "recoverySuccessful": MessageLookupByLibrary.simpleMessage( + "Gjenopprettingen var vellykket!"), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "En betrodd kontakt prøver å få tilgang til kontoen din"), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Den gjeldende enheten er ikke kraftig nok til å verifisere passordet ditt, men vi kan regenerere på en måte som fungerer på alle enheter.\n\nVennligst logg inn med gjenopprettingsnøkkelen og regenerer passordet (du kan bruke den samme igjen om du vil)."), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("Gjenopprett passord"), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": + MessageLookupByLibrary.simpleMessage("Skriv inn passord på nytt"), + "reenterPin": + MessageLookupByLibrary.simpleMessage("Skriv inn PIN-kode på nytt"), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Verv venner og doble abonnementet ditt"), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Gi denne koden til vennene dine"), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "De registrerer seg for en betalt plan"), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Vervinger"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "Vervinger er for øyeblikket satt på pause"), + "rejectRecovery": + MessageLookupByLibrary.simpleMessage("Avslå gjenoppretting"), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "Tøm også \"Nylig slettet\" fra \"Innstillinger\" → \"Lagring\" for å få frigjort plass"), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Du kan også tømme \"Papirkurven\" for å få den frigjorte lagringsplassen"), + "remoteImages": MessageLookupByLibrary.simpleMessage("Eksterne bilder"), + "remoteThumbnails": + MessageLookupByLibrary.simpleMessage("Eksterne miniatyrbilder"), + "remoteVideos": + MessageLookupByLibrary.simpleMessage("Eksterne videoer"), + "remove": MessageLookupByLibrary.simpleMessage("Fjern"), + "removeDuplicates": + MessageLookupByLibrary.simpleMessage("Fjern duplikater"), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Gjennomgå og fjern filer som er eksakte duplikater."), + "removeFromAlbum": + MessageLookupByLibrary.simpleMessage("Fjern fra album"), + "removeFromAlbumTitle": + MessageLookupByLibrary.simpleMessage("Fjern fra album?"), + "removeFromFavorite": + MessageLookupByLibrary.simpleMessage("Fjern fra favoritter"), + "removeInvite": + MessageLookupByLibrary.simpleMessage("Fjern invitasjon"), + "removeLink": MessageLookupByLibrary.simpleMessage("Fjern lenke"), + "removeParticipant": + MessageLookupByLibrary.simpleMessage("Fjern deltaker"), + "removeParticipantBody": m74, + "removePersonLabel": + MessageLookupByLibrary.simpleMessage("Fjern etikett for person"), + "removePublicLink": + MessageLookupByLibrary.simpleMessage("Fjern offentlig lenke"), + "removePublicLinks": + MessageLookupByLibrary.simpleMessage("Fjern offentlige lenker"), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Noen av elementene du fjerner ble lagt til av andre personer, og du vil miste tilgang til dem"), + "removeWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Fjern?"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Fjern deg selv som betrodd kontakt"), + "removingFromFavorites": + MessageLookupByLibrary.simpleMessage("Fjerner fra favoritter..."), + "rename": MessageLookupByLibrary.simpleMessage("Endre navn"), + "renameAlbum": + MessageLookupByLibrary.simpleMessage("Gi album nytt navn"), + "renameFile": MessageLookupByLibrary.simpleMessage("Gi nytt filnavn"), + "renewSubscription": + MessageLookupByLibrary.simpleMessage("Forny abonnement"), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Rapporter en feil"), + "reportBug": MessageLookupByLibrary.simpleMessage("Rapporter feil"), + "resendEmail": + MessageLookupByLibrary.simpleMessage("Send e-posten på nytt"), + "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( + "Tilbakestill ignorerte filer"), + "resetPasswordTitle": + MessageLookupByLibrary.simpleMessage("Tilbakestill passord"), + "resetPerson": MessageLookupByLibrary.simpleMessage("Fjern"), + "resetToDefault": + MessageLookupByLibrary.simpleMessage("Tilbakestill til standard"), + "restore": MessageLookupByLibrary.simpleMessage("Gjenopprett"), + "restoreToAlbum": + MessageLookupByLibrary.simpleMessage("Gjenopprett til album"), + "restoringFiles": + MessageLookupByLibrary.simpleMessage("Gjenoppretter filer..."), + "resumableUploads": + MessageLookupByLibrary.simpleMessage("Fortsette opplastinger"), + "retry": MessageLookupByLibrary.simpleMessage("Prøv på nytt"), + "review": MessageLookupByLibrary.simpleMessage("Gjennomgå"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Vennligst gjennomgå og slett elementene du tror er duplikater."), + "reviewSuggestions": + MessageLookupByLibrary.simpleMessage("Gjennomgå forslag"), + "right": MessageLookupByLibrary.simpleMessage("Høyre"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("Roter"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Roter mot venstre"), + "rotateRight": MessageLookupByLibrary.simpleMessage("Roter mot høyre"), + "safelyStored": MessageLookupByLibrary.simpleMessage("Trygt lagret"), + "save": MessageLookupByLibrary.simpleMessage("Lagre"), + "saveChangesBeforeLeavingQuestion": + MessageLookupByLibrary.simpleMessage( + "Lagre endringer før du drar?"), + "saveCollage": MessageLookupByLibrary.simpleMessage("Lagre kollasje"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Lagre en kopi"), + "saveKey": MessageLookupByLibrary.simpleMessage("Lagre nøkkel"), + "savePerson": MessageLookupByLibrary.simpleMessage("Lagre person"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Lagre gjenopprettingsnøkkelen hvis du ikke allerede har gjort det"), + "saving": MessageLookupByLibrary.simpleMessage("Lagrer..."), + "savingEdits": + MessageLookupByLibrary.simpleMessage("Lagrer redigeringer..."), + "scanCode": MessageLookupByLibrary.simpleMessage("Skann kode"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Skann denne strekkoden med\nautentiseringsappen din"), + "search": MessageLookupByLibrary.simpleMessage("Søk"), + "searchAlbumsEmptySection": + MessageLookupByLibrary.simpleMessage("Album"), + "searchByAlbumNameHint": + MessageLookupByLibrary.simpleMessage("Albumnavn"), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Albumnavn (f.eks. \"Kamera\")\n• Filtyper (f.eks. \"Videoer\", \".gif\")\n• År og måneder (f.eks. \"2022\", \"January\")\n• Hellidager (f.eks. \"Jul\")\n• Bildebeskrivelser (f.eks. \"#moro\")"), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Legg til beskrivelser som \"#tur\" i bildeinfo for raskt å finne dem her"), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Søk etter dato, måned eller år"), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "Bilder vil vises her når behandlingen og synkronisering er fullført"), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "Folk vil vises her når indeksering er gjort"), + "searchFileTypesAndNamesEmptySection": + MessageLookupByLibrary.simpleMessage("Filtyper og navn"), + "searchHint1": + MessageLookupByLibrary.simpleMessage("Raskt søk på enheten"), + "searchHint2": + MessageLookupByLibrary.simpleMessage("Bildedatoer, beskrivelser"), + "searchHint3": + MessageLookupByLibrary.simpleMessage("Albumer, filnavn og typer"), + "searchHint4": MessageLookupByLibrary.simpleMessage("Plassering"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "Kommer snart: ansikt & magisk søk ✨"), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Gruppebilder som er tatt innenfor noen radius av et bilde"), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "Inviter folk, og du vil se alle bilder som deles av dem her"), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "Folk vil vises her når behandling og synkronisering er fullført"), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Sikkerhet"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "Se offentlige albumlenker i appen"), + "selectALocation": + MessageLookupByLibrary.simpleMessage("Velg en plassering"), + "selectALocationFirst": + MessageLookupByLibrary.simpleMessage("Velg en plassering først"), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Velg album"), + "selectAll": MessageLookupByLibrary.simpleMessage("Velg alle"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("Alle"), + "selectCoverPhoto": + MessageLookupByLibrary.simpleMessage("Velg forsidebilde"), + "selectDate": MessageLookupByLibrary.simpleMessage("Velg dato"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Velg mapper for sikkerhetskopiering"), + "selectItemsToAdd": + MessageLookupByLibrary.simpleMessage("Velg produkter å legge til"), + "selectLanguage": MessageLookupByLibrary.simpleMessage("Velg språk"), + "selectMailApp": + MessageLookupByLibrary.simpleMessage("Velg e-post-app"), + "selectMorePhotos": + MessageLookupByLibrary.simpleMessage("Velg flere bilder"), + "selectOneDateAndTime": + MessageLookupByLibrary.simpleMessage("Velg en dato og klokkeslett"), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "Velg én dato og klokkeslett for alle"), + "selectPersonToLink": + MessageLookupByLibrary.simpleMessage("Velg person å knytte til"), + "selectReason": MessageLookupByLibrary.simpleMessage("Velg grunn"), + "selectStartOfRange": + MessageLookupByLibrary.simpleMessage("Velg starten på rekkevidde"), + "selectTime": MessageLookupByLibrary.simpleMessage("Velg tidspunkt"), + "selectYourFace": + MessageLookupByLibrary.simpleMessage("Velg ansiktet ditt"), + "selectYourPlan": + MessageLookupByLibrary.simpleMessage("Velg abonnementet ditt"), + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Valgte filer er ikke på Ente"), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Valgte mapper vil bli kryptert og sikkerhetskopiert"), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Valgte elementer vil bli slettet fra alle album og flyttet til papirkurven."), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "Valgte elementer fjernes fra denne personen, men blir ikke slettet fra biblioteket ditt."), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("Send"), + "sendEmail": MessageLookupByLibrary.simpleMessage("Send e-post"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Send invitasjon"), + "sendLink": MessageLookupByLibrary.simpleMessage("Send lenke"), + "serverEndpoint": + MessageLookupByLibrary.simpleMessage("Serverendepunkt"), + "sessionExpired": + MessageLookupByLibrary.simpleMessage("Økten har utløpt"), + "sessionIdMismatch": + MessageLookupByLibrary.simpleMessage("Økt-ID stemmer ikke"), + "setAPassword": MessageLookupByLibrary.simpleMessage("Lag et passord"), + "setAs": MessageLookupByLibrary.simpleMessage("Angi som"), + "setCover": MessageLookupByLibrary.simpleMessage("Angi forside"), + "setLabel": MessageLookupByLibrary.simpleMessage("Angi"), + "setNewPassword": + MessageLookupByLibrary.simpleMessage("Angi nytt passord"), + "setNewPin": MessageLookupByLibrary.simpleMessage("Angi ny PIN-kode"), + "setPasswordTitle": + MessageLookupByLibrary.simpleMessage("Angi passord"), + "setRadius": MessageLookupByLibrary.simpleMessage("Angi radius"), + "setupComplete": + MessageLookupByLibrary.simpleMessage("Oppsett fullført"), + "share": MessageLookupByLibrary.simpleMessage("Del"), + "shareALink": MessageLookupByLibrary.simpleMessage("Del en lenke"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Åpne et album og trykk på del-knappen øverst til høyre for å dele."), + "shareAnAlbumNow": + MessageLookupByLibrary.simpleMessage("Del et album nå"), + "shareLink": MessageLookupByLibrary.simpleMessage("Del link"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": + MessageLookupByLibrary.simpleMessage("Del bare med de du vil"), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Last ned Ente slik at vi lett kan dele bilder og videoer av original kvalitet\n\nhttps://ente.io"), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Del med brukere som ikke har Ente"), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": + MessageLookupByLibrary.simpleMessage("Del ditt første album"), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Opprett delte album du kan samarbeide om med andre Ente-brukere, inkludert brukere med gratisabonnement."), + "sharedByMe": MessageLookupByLibrary.simpleMessage("Delt av meg"), + "sharedByYou": MessageLookupByLibrary.simpleMessage("Delt av deg"), + "sharedPhotoNotifications": + MessageLookupByLibrary.simpleMessage("Nye delte bilder"), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Motta varsler når noen legger til et bilde i et delt album som du er en del av"), + "sharedWith": m87, + "sharedWithMe": MessageLookupByLibrary.simpleMessage("Delt med meg"), + "sharedWithYou": MessageLookupByLibrary.simpleMessage("Delt med deg"), + "sharing": MessageLookupByLibrary.simpleMessage("Deler..."), + "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( + "Forskyv datoer og klokkeslett"), + "showMemories": MessageLookupByLibrary.simpleMessage("Vis minner"), + "showPerson": MessageLookupByLibrary.simpleMessage("Vis person"), + "signOutFromOtherDevices": + MessageLookupByLibrary.simpleMessage("Logg ut fra andre enheter"), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Hvis du tror noen kjenner til ditt passord, kan du tvinge alle andre enheter som bruker kontoen din til å logge ut."), + "signOutOtherDevices": + MessageLookupByLibrary.simpleMessage("Logg ut andre enheter"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Jeg godtar bruksvilkårene og personvernreglene"), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Den vil bli slettet fra alle album."), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Hopp over"), + "social": MessageLookupByLibrary.simpleMessage("Sosial"), + "someItemsAreInBothEnteAndYourDevice": + MessageLookupByLibrary.simpleMessage( + "Noen elementer er i både Ente og på enheten din."), + "someOfTheFilesYouAreTryingToDeleteAre": + MessageLookupByLibrary.simpleMessage( + "Noen av filene du prøver å slette, er kun tilgjengelig på enheten og kan ikke gjenopprettes dersom det blir slettet"), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Folk som deler album med deg bør se den samme ID-en på deres enhet."), + "somethingWentWrong": + MessageLookupByLibrary.simpleMessage("Noe gikk galt"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Noe gikk galt. Vennligst prøv igjen"), + "sorry": MessageLookupByLibrary.simpleMessage("Beklager"), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Beklager, kan ikke legge til i favoritter!"), + "sorryCouldNotRemoveFromFavorites": + MessageLookupByLibrary.simpleMessage( + "Beklager, kunne ikke fjerne fra favoritter!"), + "sorryTheCodeYouveEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "Beklager, koden du skrev inn er feil"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Beklager, vi kunne ikke generere sikre nøkler på denne enheten.\n\nvennligst registrer deg fra en annen enhet."), + "sort": MessageLookupByLibrary.simpleMessage("Sorter"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sorter etter"), + "sortNewestFirst": MessageLookupByLibrary.simpleMessage("Nyeste først"), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Eldste først"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Suksess"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": + MessageLookupByLibrary.simpleMessage("Fremhev deg selv"), + "startAccountRecoveryTitle": + MessageLookupByLibrary.simpleMessage("Start gjenoppretting"), + "startBackup": + MessageLookupByLibrary.simpleMessage("Start sikkerhetskopiering"), + "status": MessageLookupByLibrary.simpleMessage("Status"), + "stopCastingBody": + MessageLookupByLibrary.simpleMessage("Vil du avbryte strømmingen?"), + "stopCastingTitle": + MessageLookupByLibrary.simpleMessage("Stopp strømmingen"), + "storage": MessageLookupByLibrary.simpleMessage("Lagring"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Familie"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Deg"), + "storageInGB": m93, + "storageLimitExceeded": + MessageLookupByLibrary.simpleMessage("Lagringsplassen er full"), + "storageUsageInfo": m94, + "streamDetails": + MessageLookupByLibrary.simpleMessage("Strømmedetaljer"), + "strongStrength": MessageLookupByLibrary.simpleMessage("Sterkt"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Abonner"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Du trenger et aktivt betalt abonnement for å aktivere deling."), + "subscription": MessageLookupByLibrary.simpleMessage("Abonnement"), + "success": MessageLookupByLibrary.simpleMessage("Suksess"), + "successfullyArchived": + MessageLookupByLibrary.simpleMessage("Lagt til i arkivet"), + "successfullyHid": + MessageLookupByLibrary.simpleMessage("Vellykket skjult"), + "successfullyUnarchived": + MessageLookupByLibrary.simpleMessage("Fjernet fra arkviet"), + "successfullyUnhid": + MessageLookupByLibrary.simpleMessage("Vellykket synliggjøring"), + "suggestFeatures": + MessageLookupByLibrary.simpleMessage("Foreslå funksjoner"), + "sunrise": MessageLookupByLibrary.simpleMessage("På horisonten"), + "support": MessageLookupByLibrary.simpleMessage("Brukerstøtte"), + "syncProgress": m97, + "syncStopped": + MessageLookupByLibrary.simpleMessage("Synkronisering stoppet"), + "syncing": MessageLookupByLibrary.simpleMessage("Synkroniserer..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("System"), + "tapToCopy": + MessageLookupByLibrary.simpleMessage("trykk for å kopiere"), + "tapToEnterCode": + MessageLookupByLibrary.simpleMessage("Trykk for å angi kode"), + "tapToUnlock": + MessageLookupByLibrary.simpleMessage("Trykk for å låse opp"), + "tapToUpload": + MessageLookupByLibrary.simpleMessage("Trykk for å laste opp"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Det ser ut som noe gikk galt. Prøv på nytt etter en stund. Hvis feilen vedvarer, kontakt kundestøtte."), + "terminate": MessageLookupByLibrary.simpleMessage("Avslutte"), + "terminateSession": + MessageLookupByLibrary.simpleMessage("Avslutte økten?"), + "terms": MessageLookupByLibrary.simpleMessage("Vilkår"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Vilkår"), + "thankYou": MessageLookupByLibrary.simpleMessage("Tusen takk"), + "thankYouForSubscribing": + MessageLookupByLibrary.simpleMessage("Takk for at du abonnerer!"), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "Nedlastingen kunne ikke fullføres"), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "Lenken du prøver å få tilgang til, er utløpt."), + "theRecoveryKeyYouEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "Gjennopprettingsnøkkelen du skrev inn er feil"), + "theme": MessageLookupByLibrary.simpleMessage("Tema"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Disse elementene vil bli slettet fra enheten din."), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "De vil bli slettet fra alle album."), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Denne handlingen kan ikke angres"), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "Dette albumet har allerede en samarbeidslenke"), + "thisCanBeUsedToRecoverYourAccountIfYou": + MessageLookupByLibrary.simpleMessage( + "Dette kan brukes til å gjenopprette kontoen din hvis du mister din andre faktor"), + "thisDevice": MessageLookupByLibrary.simpleMessage("Denne enheten"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "Denne e-postadressen er allerede i bruk"), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Dette bildet har ingen exif-data"), + "thisIsMeExclamation": + MessageLookupByLibrary.simpleMessage("Dette er meg!"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Dette er din bekreftelses-ID"), + "thisWeekThroughTheYears": + MessageLookupByLibrary.simpleMessage("Denne uka gjennom årene"), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Dette vil logge deg ut av følgende enhet:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Dette vil logge deg ut av denne enheten!"), + "thisWillMakeTheDateAndTimeOfAllSelected": + MessageLookupByLibrary.simpleMessage( + "Dette vil gjøre dato og klokkeslett for alle valgte bilder det samme."), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "Dette fjerner de offentlige lenkene av alle valgte hurtiglenker."), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "For å aktivere applås, vennligst angi passord eller skjermlås i systeminnstillingene."), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( + "For å skjule et bilde eller video"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "For å tilbakestille passordet ditt, vennligst bekreft e-posten din først."), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Dagens logger"), + "tooManyIncorrectAttempts": + MessageLookupByLibrary.simpleMessage("For mange gale forsøk"), + "total": MessageLookupByLibrary.simpleMessage("totalt"), + "totalSize": MessageLookupByLibrary.simpleMessage("Total størrelse"), + "trash": MessageLookupByLibrary.simpleMessage("Papirkurv"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Beskjær"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": + MessageLookupByLibrary.simpleMessage("Betrodde kontakter"), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Prøv igjen"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Slå på sikkerhetskopi for å automatisk laste opp filer lagt til denne enhetsmappen i Ente."), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "2 måneder gratis med årsabonnement"), + "twofactor": MessageLookupByLibrary.simpleMessage("Tofaktor"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "Tofaktorautentisering har blitt deaktivert"), + "twofactorAuthenticationPageTitle": + MessageLookupByLibrary.simpleMessage("Tofaktorautentisering"), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "Tofaktorautentisering ble tilbakestilt"), + "twofactorSetup": + MessageLookupByLibrary.simpleMessage("Oppsett av to-faktor"), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("Opphev arkivering"), + "unarchiveAlbum": + MessageLookupByLibrary.simpleMessage("Gjenopprett album"), + "unarchiving": + MessageLookupByLibrary.simpleMessage("Fjerner fra arkivet..."), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Beklager, denne koden er utilgjengelig."), + "uncategorized": MessageLookupByLibrary.simpleMessage("Ukategorisert"), + "unhide": MessageLookupByLibrary.simpleMessage("Gjør synligjort"), + "unhideToAlbum": + MessageLookupByLibrary.simpleMessage("Gjør synlig i album"), + "unhiding": MessageLookupByLibrary.simpleMessage("Synliggjør..."), + "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Gjør filer synlige i albumet"), + "unlock": MessageLookupByLibrary.simpleMessage("Lås opp"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("Løsne album"), + "unselectAll": MessageLookupByLibrary.simpleMessage("Velg bort alle"), + "update": MessageLookupByLibrary.simpleMessage("Oppdater"), + "updateAvailable": MessageLookupByLibrary.simpleMessage( + "En oppdatering er tilgjengelig"), + "updatingFolderSelection": + MessageLookupByLibrary.simpleMessage("Oppdaterer mappevalg..."), + "upgrade": MessageLookupByLibrary.simpleMessage("Oppgrader"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Laster opp filer til albumet..."), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": + MessageLookupByLibrary.simpleMessage("Bevarer 1 minne..."), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "Opptil 50 % rabatt, frem til 4. desember."), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "Brukbar lagringsplass er begrenset av abonnementet ditt. Lagring du har gjort krav på utover denne grensen blir automatisk tilgjengelig når du oppgraderer abonnementet ditt."), + "useAsCover": + MessageLookupByLibrary.simpleMessage("Bruk som forsidebilde"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "Har du problemer med å spille av denne videoen? Hold inne her for å prøve en annen avspiller."), + "usePublicLinksForPeopleNotOnEnte": + MessageLookupByLibrary.simpleMessage( + "Bruk offentlige lenker for folk som ikke bruker Ente"), + "useRecoveryKey": + MessageLookupByLibrary.simpleMessage("Bruk gjenopprettingsnøkkel"), + "useSelectedPhoto": + MessageLookupByLibrary.simpleMessage("Bruk valgt bilde"), + "usedSpace": + MessageLookupByLibrary.simpleMessage("Benyttet lagringsplass"), + "validTill": m110, + "verificationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Bekreftelse mislyktes, vennligst prøv igjen"), + "verificationId": + MessageLookupByLibrary.simpleMessage("Verifiserings-ID"), + "verify": MessageLookupByLibrary.simpleMessage("Bekreft"), + "verifyEmail": + MessageLookupByLibrary.simpleMessage("Bekreft e-postadresse"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Bekreft"), + "verifyPasskey": + MessageLookupByLibrary.simpleMessage("Bekreft tilgangsnøkkel"), + "verifyPassword": + MessageLookupByLibrary.simpleMessage("Bekreft passord"), + "verifying": MessageLookupByLibrary.simpleMessage("Verifiserer..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Verifiserer gjenopprettingsnøkkel..."), + "videoInfo": MessageLookupByLibrary.simpleMessage("Videoinformasjon"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), + "videos": MessageLookupByLibrary.simpleMessage("Videoer"), + "viewActiveSessions": + MessageLookupByLibrary.simpleMessage("Vis aktive økter"), + "viewAddOnButton": MessageLookupByLibrary.simpleMessage("Vis tillegg"), + "viewAll": MessageLookupByLibrary.simpleMessage("Vis alle"), + "viewAllExifData": + MessageLookupByLibrary.simpleMessage("Vis alle EXIF-data"), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Store filer"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Vis filer som bruker mest lagringsplass."), + "viewLogs": MessageLookupByLibrary.simpleMessage("Se logger"), + "viewRecoveryKey": + MessageLookupByLibrary.simpleMessage("Vis gjenopprettingsnøkkel"), + "viewer": MessageLookupByLibrary.simpleMessage("Seer"), + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Vennligst besøk web.ente.io for å administrere abonnementet"), + "waitingForVerification": + MessageLookupByLibrary.simpleMessage("Venter på verifikasjon..."), + "waitingForWifi": + MessageLookupByLibrary.simpleMessage("Venter på WiFi..."), + "warning": MessageLookupByLibrary.simpleMessage("Advarsel"), + "weAreOpenSource": + MessageLookupByLibrary.simpleMessage("Vi har åpen kildekode!"), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "Vi støtter ikke redigering av bilder og album som du ikke eier ennå"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Svakt"), + "welcomeBack": + MessageLookupByLibrary.simpleMessage("Velkommen tilbake!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("Det som er nytt"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "Betrodd kontakt kan hjelpe til med å gjenopprette dine data."), + "yearShort": MessageLookupByLibrary.simpleMessage("år"), + "yearly": MessageLookupByLibrary.simpleMessage("Årlig"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Ja"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Ja, avslutt"), + "yesConvertToViewer": + MessageLookupByLibrary.simpleMessage("Ja, konverter til seer"), + "yesDelete": MessageLookupByLibrary.simpleMessage("Ja, slett"), + "yesDiscardChanges": + MessageLookupByLibrary.simpleMessage("Ja, forkast endringer"), + "yesLogout": MessageLookupByLibrary.simpleMessage("Ja, logg ut"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Ja, fjern"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Ja, forny"), + "yesResetPerson": + MessageLookupByLibrary.simpleMessage("Ja, tilbakestill person"), + "you": MessageLookupByLibrary.simpleMessage("Deg"), + "youAndThem": m117, + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( + "Du har et familieabonnement!"), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Du er på den nyeste versjonen"), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Du kan maksimalt doble lagringsplassen din"), + "youCanManageYourLinksInTheShareTab": + MessageLookupByLibrary.simpleMessage( + "Du kan administrere koblingene dine i fanen for deling."), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "Du kan prøve å søke etter noe annet."), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "Du kan ikke nedgradere til dette abonnementet"), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Du kan ikke dele med deg selv"), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "Du har ingen arkiverte elementer."), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "Brukeren din har blitt slettet"), + "yourMap": MessageLookupByLibrary.simpleMessage("Ditt kart"), + "yourPlanWasSuccessfullyDowngraded": + MessageLookupByLibrary.simpleMessage( + "Abonnementet ditt ble nedgradert"), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "Abonnementet ditt ble oppgradert"), + "yourPurchaseWasSuccessful": + MessageLookupByLibrary.simpleMessage("Ditt kjøp var vellykket"), + "yourStorageDetailsCouldNotBeFetched": + MessageLookupByLibrary.simpleMessage( + "Lagringsdetaljene dine kunne ikke hentes"), + "yourSubscriptionHasExpired": + MessageLookupByLibrary.simpleMessage("Abonnementet har utløpt"), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "Abonnementet ditt ble oppdatert"), + "yourVerificationCodeHasExpired": + MessageLookupByLibrary.simpleMessage("Bekreftelseskoden er utløpt"), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "Du har ingen duplikatfiler som kan fjernes"), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "Du har ingen filer i dette albumet som kan bli slettet"), + "zoomOutToSeePhotos": + MessageLookupByLibrary.simpleMessage("Zoom ut for å se bilder") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_pl.dart b/mobile/apps/photos/lib/generated/intl/messages_pl.dart index 691d72cbb7..7736624f6e 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_pl.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_pl.dart @@ -48,7 +48,12 @@ class MessageLookup extends MessageLookupByLibrary { "${user} nie będzie mógł dodać więcej zdjęć do tego albumu\n\nJednak nadal będą mogli usunąć istniejące zdjęcia, które dodali"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, {'true': 'Twoja rodzina odebrała ${storageAmountInGb} GB do tej pory', 'false': 'Odebrałeś ${storageAmountInGb} GB do tej pory', 'other': 'Odebrałeś ${storageAmountInGb} GB do tej pory!'})}"; + "${Intl.select(isFamilyMember, { + 'true': + 'Twoja rodzina odebrała ${storageAmountInGb} GB do tej pory', + 'false': 'Odebrałeś ${storageAmountInGb} GB do tej pory', + 'other': 'Odebrałeś ${storageAmountInGb} GB do tej pory!', + })}"; static String m15(albumName) => "Utworzono link współpracy dla ${albumName}"; @@ -230,11 +235,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, - usedStorageUnit, - totalAmount, - totalStorageUnit, - ) => + usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => "Użyto ${usedAmount} ${usedStorageUnit} z ${totalAmount} ${totalStorageUnit}"; static String m95(id) => @@ -292,2520 +293,1985 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Dostępna jest nowa wersja Ente.", - ), - "about": MessageLookupByLibrary.simpleMessage("O nas"), - "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( - "Zaakceptuj Zaproszenie", - ), - "account": MessageLookupByLibrary.simpleMessage("Konto"), - "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( - "Konto jest już skonfigurowane.", - ), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( - "Witaj ponownie!", - ), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Rozumiem, że jeśli utracę hasło, mogę utracić dane, ponieważ moje dane są całkowicie zaszyfrowane.", - ), - "actionNotSupportedOnFavouritesAlbum": MessageLookupByLibrary.simpleMessage( - "Akcja nie jest obsługiwana na Ulubionym albumie", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage("Aktywne sesje"), - "add": MessageLookupByLibrary.simpleMessage("Dodaj"), - "addAName": MessageLookupByLibrary.simpleMessage("Dodaj nazwę"), - "addANewEmail": MessageLookupByLibrary.simpleMessage( - "Dodaj nowy adres e-mail", - ), - "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Dodaj widżet albumu do ekranu głównego i wróć tutaj, aby dostosować.", - ), - "addCollaborator": MessageLookupByLibrary.simpleMessage( - "Dodaj współuczestnika", - ), - "addFiles": MessageLookupByLibrary.simpleMessage("Dodaj Pliki"), - "addFromDevice": MessageLookupByLibrary.simpleMessage("Dodaj z urządzenia"), - "addLocation": MessageLookupByLibrary.simpleMessage("Dodaj lokalizację"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Dodaj"), - "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Dodaj widżet wspomnień do ekranu głównego i wróć tutaj, aby dostosować.", - ), - "addMore": MessageLookupByLibrary.simpleMessage("Dodaj więcej"), - "addName": MessageLookupByLibrary.simpleMessage("Dodaj nazwę"), - "addNameOrMerge": MessageLookupByLibrary.simpleMessage( - "Dodaj nazwę lub scal", - ), - "addNew": MessageLookupByLibrary.simpleMessage("Dodaj nowe"), - "addNewPerson": MessageLookupByLibrary.simpleMessage("Dodaj nową osobę"), - "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( - "Szczegóły dodatków", - ), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("Dodatki"), - "addParticipants": MessageLookupByLibrary.simpleMessage( - "Dodaj uczestników", - ), - "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Dodaj widżet ludzi do ekranu głównego i wróć tutaj, aby dostosować.", - ), - "addPhotos": MessageLookupByLibrary.simpleMessage("Dodaj zdjęcia"), - "addSelected": MessageLookupByLibrary.simpleMessage("Dodaj zaznaczone"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("Dodaj do albumu"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Dodaj do Ente"), - "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Dodaj do ukrytego albumu", - ), - "addTrustedContact": MessageLookupByLibrary.simpleMessage( - "Dodaj Zaufany Kontakt", - ), - "addViewer": MessageLookupByLibrary.simpleMessage("Dodaj widza"), - "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( - "Dodaj swoje zdjęcia teraz", - ), - "addedAs": MessageLookupByLibrary.simpleMessage("Dodano jako"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": MessageLookupByLibrary.simpleMessage( - "Dodawanie do ulubionych...", - ), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("Zaawansowane"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Zaawansowane"), - "after1Day": MessageLookupByLibrary.simpleMessage("Po 1 dniu"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Po 1 godzinie"), - "after1Month": MessageLookupByLibrary.simpleMessage("Po 1 miesiącu"), - "after1Week": MessageLookupByLibrary.simpleMessage("Po 1 tygodniu"), - "after1Year": MessageLookupByLibrary.simpleMessage("Po 1 roku"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Właściciel"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Tytuł albumu"), - "albumUpdated": MessageLookupByLibrary.simpleMessage( - "Album został zaktualizowany", - ), - "albums": MessageLookupByLibrary.simpleMessage("Albumy"), - "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Wybierz albumy, które chcesz zobaczyć na ekranie głównym.", - ), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Wszystko wyczyszczone"), - "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( - "Wszystkie wspomnienia zachowane", - ), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "Wszystkie grupy dla tej osoby zostaną zresetowane i stracisz wszystkie sugestie dla tej osoby", - ), - "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": - MessageLookupByLibrary.simpleMessage( - "Wszystkie nienazwane grupy zostaną scalone z wybraną osobą. To nadal może zostać cofnięte z przeglądu historii sugestii danej osoby.", - ), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "To jest pierwsze w grupie. Inne wybrane zdjęcia zostaną automatycznie przesunięte w oparciu o tę nową datę", - ), - "allow": MessageLookupByLibrary.simpleMessage("Zezwól"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Pozwól osobom z linkiem na dodawania zdjęć do udostępnionego albumu.", - ), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( - "Pozwól na dodawanie zdjęć", - ), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "Zezwalaj aplikacji na otwieranie udostępnianych linków do albumu", - ), - "allowDownloads": MessageLookupByLibrary.simpleMessage( - "Zezwól na pobieranie", - ), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Pozwól innym dodawać zdjęcia", - ), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Prosimy zezwolić na dostęp do swoich zdjęć w Ustawieniach, aby Ente mogło wyświetlać i tworzyć kopię zapasową Twojej biblioteki.", - ), - "allowPermTitle": MessageLookupByLibrary.simpleMessage( - "Zezwól na dostęp do zdjęć", - ), - "androidBiometricHint": MessageLookupByLibrary.simpleMessage( - "Potwierdź swoją tożsamość", - ), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "Nie rozpoznano. Spróbuj ponownie.", - ), - "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( - "Wymagana biometria", - ), - "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("Sukces"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Anuluj"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage( - "Wymagane dane logowania urządzenia", - ), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage( - "Wymagane dane logowania urządzenia", - ), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Uwierzytelnianie biometryczne nie jest skonfigurowane na tym urządzeniu. Przejdź do \'Ustawienia > Bezpieczeństwo\', aby dodać uwierzytelnianie biometryczne.", - ), - "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( - "Android, iOS, Strona Internetowa, Aplikacja Komputerowa", - ), - "androidSignInTitle": MessageLookupByLibrary.simpleMessage( - "Wymagane uwierzytelnienie", - ), - "appIcon": MessageLookupByLibrary.simpleMessage("Ikona aplikacji"), - "appLock": MessageLookupByLibrary.simpleMessage( - "Blokada dostępu do aplikacji", - ), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Wybierz między domyślnym ekranem blokady urządzenia a niestandardowym ekranem blokady z kodem PIN lub hasłem.", - ), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), - "apply": MessageLookupByLibrary.simpleMessage("Zastosuj"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Użyj kodu"), - "appstoreSubscription": MessageLookupByLibrary.simpleMessage( - "Subskrypcja AppStore", - ), - "archive": MessageLookupByLibrary.simpleMessage("Archiwum"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("Archiwizuj album"), - "archiving": MessageLookupByLibrary.simpleMessage("Archiwizowanie..."), - "areThey": MessageLookupByLibrary.simpleMessage("Czy są "), - "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( - "Czy na pewno chcesz usunąć tę twarz z tej osoby?", - ), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Czy jesteś pewien/pewna, że chcesz opuścić plan rodzinny?", - ), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "Czy na pewno chcesz anulować?", - ), - "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( - "Czy na pewno chcesz zmienić swój plan?", - ), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "Czy na pewno chcesz wyjść?", - ), - "areYouSureYouWantToIgnoreThesePersons": - MessageLookupByLibrary.simpleMessage( - "Czy na pewno chcesz zignorować te osoby?", - ), - "areYouSureYouWantToIgnoreThisPerson": MessageLookupByLibrary.simpleMessage( - "Czy na pewno chcesz zignorować tę osobę?", - ), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Czy na pewno chcesz się wylogować?", - ), - "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( - "Czy na pewno chcesz je scalić?", - ), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "Czy na pewno chcesz odnowić?", - ), - "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( - "Czy na pewno chcesz zresetować tę osobę?", - ), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "Twoja subskrypcja została anulowana. Czy chcesz podzielić się powodem?", - ), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Jaka jest główna przyczyna usunięcia Twojego konta?", - ), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Poproś swoich bliskich o udostępnienie", - ), - "atAFalloutShelter": MessageLookupByLibrary.simpleMessage("w schronie"), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Prosimy uwierzytelnić się, aby zmienić weryfikację e-mail", - ), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Prosimy uwierzytelnić się, aby zmienić ustawienia ekranu blokady", - ), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Prosimy uwierzytelnić się, aby zmienić swój adres e-mail", - ), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Prosimy uwierzytelnić się, aby zmienić hasło", - ), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Uwierzytelnij się, aby skonfigurować uwierzytelnianie dwustopniowe", - ), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Prosimy uwierzytelnić się, aby zainicjować usuwanie konta", - ), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Prosimy uwierzytelnić się, aby zarządzać zaufanymi kontaktami", - ), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Prosimy uwierzytelnić się, aby wyświetlić swój klucz dostępu", - ), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Prosimy uwierzytelnić się, aby wyświetlić swoje pliki w koszu", - ), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Prosimy uwierzytelnić się, aby wyświetlić swoje aktywne sesje", - ), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Prosimy uwierzytelnić się, aby wyświetlić ukryte pliki", - ), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Prosimy uwierzytelnić się, aby wyświetlić swoje wspomnienia", - ), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Prosimy uwierzytelnić się, aby wyświetlić swój klucz odzyskiwania", - ), - "authenticating": MessageLookupByLibrary.simpleMessage( - "Uwierzytelnianie...", - ), - "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Uwierzytelnianie nie powiodło się, prosimy spróbować ponownie", - ), - "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( - "Uwierzytelnianie powiodło się!", - ), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Tutaj zobaczysz dostępne urządzenia Cast.", - ), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Upewnij się, że uprawnienia sieci lokalnej są włączone dla aplikacji Zdjęcia Ente w Ustawieniach.", - ), - "autoLock": MessageLookupByLibrary.simpleMessage("Automatyczna blokada"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Czas, po którym aplikacja blokuje się po umieszczeniu jej w tle", - ), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "Z powodu technicznego błędu, zostałeś wylogowany. Przepraszamy za niedogodności.", - ), - "autoPair": MessageLookupByLibrary.simpleMessage("Automatyczne parowanie"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "Automatyczne parowanie działa tylko z urządzeniami obsługującymi Chromecast.", - ), - "available": MessageLookupByLibrary.simpleMessage("Dostępne"), - "availableStorageSpace": m10, - "backedUpFolders": MessageLookupByLibrary.simpleMessage( - "Foldery kopii zapasowej", - ), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("Kopia zapasowa"), - "backupFailed": MessageLookupByLibrary.simpleMessage( - "Tworzenie kopii zapasowej nie powiodło się", - ), - "backupFile": MessageLookupByLibrary.simpleMessage( - "Zrób kopię zapasową pliku", - ), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Kopia zapasowa przez dane mobilne", - ), - "backupSettings": MessageLookupByLibrary.simpleMessage( - "Ustawienia kopii zapasowej", - ), - "backupStatus": MessageLookupByLibrary.simpleMessage( - "Status kopii zapasowej", - ), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Elementy, których kopia zapasowa została utworzona, zostaną wyświetlone w tym miejscu", - ), - "backupVideos": MessageLookupByLibrary.simpleMessage( - "Utwórz kopię zapasową wideo", - ), - "beach": MessageLookupByLibrary.simpleMessage("Piasek i morze"), - "birthday": MessageLookupByLibrary.simpleMessage("Urodziny"), - "birthdayNotifications": MessageLookupByLibrary.simpleMessage( - "Powiadomienia o urodzinach", - ), - "birthdays": MessageLookupByLibrary.simpleMessage("Urodziny"), - "blackFridaySale": MessageLookupByLibrary.simpleMessage( - "Wyprzedaż z okazji Czarnego Piątku", - ), - "blog": MessageLookupByLibrary.simpleMessage("Blog"), - "cLDesc1": MessageLookupByLibrary.simpleMessage( - "W związku z uruchomieniem wersji beta przesyłania strumieniowego wideo oraz pracami nad możliwością wznawiania przesyłania i pobierania plików, zwiększyliśmy limit przesyłanych plików do 10 GB. Jest to już dostępne zarówno w aplikacjach na komputery, jak i na urządzenia mobilne.", - ), - "cLDesc2": MessageLookupByLibrary.simpleMessage( - "Funkcja przesyłania w tle jest teraz obsługiwana również na urządzeniach z systemem iOS, oprócz urządzeń z Androidem. Nie trzeba już otwierać aplikacji, aby utworzyć kopię zapasową najnowszych zdjęć i filmów.", - ), - "cLDesc3": MessageLookupByLibrary.simpleMessage( - "Wprowadziliśmy istotne ulepszenia w funkcji wspomnień, w tym automatyczne odtwarzanie, przesuwanie do kolejnego wspomnienia i wiele innych.", - ), - "cLDesc4": MessageLookupByLibrary.simpleMessage( - "Wraz z kilkoma ulepszeniami w mechanizmie teraz znacznie łatwiej jest widzieć wszystkie wykryte twarze, zapewniać informacje zwrotne o podobnych twarzach i dodawać/usuwać twarze z jednego zdjęcia.", - ), - "cLDesc5": MessageLookupByLibrary.simpleMessage( - "Od teraz otrzymasz powiadomienie z możliwością rezygnacji dotyczące wszystkich zapisanych urodzin w Ente, wraz z kolekcją najlepszych zdjęć danej osoby.", - ), - "cLDesc6": MessageLookupByLibrary.simpleMessage( - "Nie musisz już czekać na zakończenie przesyłania ani pobierania, żeby móc zamknąć aplikację. Wszystkie operacje przesyłania i pobierania można teraz wstrzymać w dowolnym momencie i wznowić od miejsca, w którym zostały przerwane.", - ), - "cLTitle1": MessageLookupByLibrary.simpleMessage( - "Przesyłanie Dużych Plików Wideo", - ), - "cLTitle2": MessageLookupByLibrary.simpleMessage("Przesyłanie w Tle"), - "cLTitle3": MessageLookupByLibrary.simpleMessage( - "Automatyczne Odtwarzanie Wspomnień", - ), - "cLTitle4": MessageLookupByLibrary.simpleMessage( - "Ulepszone Rozpoznawanie Twarzy", - ), - "cLTitle5": MessageLookupByLibrary.simpleMessage( - "Powiadomienia o Urodzinach", - ), - "cLTitle6": MessageLookupByLibrary.simpleMessage( - "Wznawialne Przesyłanie i Pobieranie Danych", - ), - "cachedData": MessageLookupByLibrary.simpleMessage( - "Dane w pamięci podręcznej", - ), - "calculating": MessageLookupByLibrary.simpleMessage("Obliczanie..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Przepraszamy, ten album nie może zostać otwarty w aplikacji.", - ), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( - "Nie można otworzyć tego albumu", - ), - "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( - "Nie można przesłać do albumów należących do innych", - ), - "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Można tylko utworzyć link dla plików należących do Ciebie", - ), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Można usuwać tylko pliki należące do Ciebie", - ), - "cancel": MessageLookupByLibrary.simpleMessage("Anuluj"), - "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( - "Anuluj odzyskiwanie", - ), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "Czy na pewno chcesz anulować odzyskiwanie?", - ), - "cancelOtherSubscription": m12, - "cancelSubscription": MessageLookupByLibrary.simpleMessage( - "Anuluj subskrypcję", - ), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Nie można usunąć udostępnionych plików", - ), - "castAlbum": MessageLookupByLibrary.simpleMessage("Odtwórz album"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Upewnij się, że jesteś w tej samej sieci co telewizor.", - ), - "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( - "Nie udało się wyświetlić albumu", - ), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Odwiedź cast.ente.io na urządzeniu, które chcesz sparować.\n\nWprowadź poniższy kod, aby odtworzyć album na telewizorze.", - ), - "centerPoint": MessageLookupByLibrary.simpleMessage("Punkt środkowy"), - "change": MessageLookupByLibrary.simpleMessage("Zmień"), - "changeEmail": MessageLookupByLibrary.simpleMessage("Zmień adres e-mail"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Zmienić lokalizację wybranych elementów?", - ), - "changePassword": MessageLookupByLibrary.simpleMessage("Zmień hasło"), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage("Zmień hasło"), - "changePermissions": MessageLookupByLibrary.simpleMessage( - "Zmień uprawnienia?", - ), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Zmień swój kod polecający", - ), - "checkForUpdates": MessageLookupByLibrary.simpleMessage( - "Sprawdź dostępne aktualizacje", - ), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Sprawdź swoją skrzynkę odbiorczą (i spam), aby zakończyć weryfikację", - ), - "checkStatus": MessageLookupByLibrary.simpleMessage("Sprawdź stan"), - "checking": MessageLookupByLibrary.simpleMessage("Sprawdzanie..."), - "checkingModels": MessageLookupByLibrary.simpleMessage( - "Sprawdzanie modeli...", - ), - "city": MessageLookupByLibrary.simpleMessage("W mieście"), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage( - "Odbierz bezpłatną przestrzeń dyskową", - ), - "claimMore": MessageLookupByLibrary.simpleMessage("Zdobądź więcej!"), - "claimed": MessageLookupByLibrary.simpleMessage("Odebrano"), - "claimedStorageSoFar": m14, - "cleanUncategorized": MessageLookupByLibrary.simpleMessage( - "Wyczyść Nieskategoryzowane", - ), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Usuń wszystkie pliki z Nieskategoryzowanych, które są obecne w innych albumach", - ), - "clearCaches": MessageLookupByLibrary.simpleMessage( - "Wyczyść pamięć podręczną", - ), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Wyczyść indeksy"), - "click": MessageLookupByLibrary.simpleMessage("• Kliknij"), - "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( - "• Kliknij na menu przepełnienia", - ), - "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( - "Kliknij, aby zainstalować naszą najlepszą wersję", - ), - "close": MessageLookupByLibrary.simpleMessage("Zamknij"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( - "Club według czasu przechwycenia", - ), - "clubByFileName": MessageLookupByLibrary.simpleMessage( - "Club według nazwy pliku", - ), - "clusteringProgress": MessageLookupByLibrary.simpleMessage( - "Postęp tworzenia klastrów", - ), - "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( - "Kod został zastosowany", - ), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Przepraszamy, osiągnięto limit zmian kodu.", - ), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Kod został skopiowany do schowka", - ), - "codeUsedByYou": MessageLookupByLibrary.simpleMessage( - "Kod użyty przez Ciebie", - ), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Utwórz link, aby umożliwić innym dodawanie i przeglądanie zdjęć w udostępnionym albumie bez konieczności korzystania z aplikacji lub konta Ente. Świetne rozwiązanie do gromadzenia zdjęć ze wspólnych wydarzeń.", - ), - "collaborativeLink": MessageLookupByLibrary.simpleMessage( - "Link do współpracy", - ), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Współuczestnik"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Współuczestnicy mogą dodawać zdjęcia i wideo do udostępnionego albumu.", - ), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("Układ"), - "collageSaved": MessageLookupByLibrary.simpleMessage( - "Kolaż zapisano w galerii", - ), - "collect": MessageLookupByLibrary.simpleMessage("Zbieraj"), - "collectEventPhotos": MessageLookupByLibrary.simpleMessage( - "Zbierz zdjęcia z wydarzenia", - ), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Zbierz zdjęcia"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Utwórz link, w którym Twoi znajomi mogą przesyłać zdjęcia w oryginalnej jakości.", - ), - "color": MessageLookupByLibrary.simpleMessage("Kolor"), - "configuration": MessageLookupByLibrary.simpleMessage("Konfiguracja"), - "confirm": MessageLookupByLibrary.simpleMessage("Potwierdź"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Czy na pewno chcesz wyłączyć uwierzytelnianie dwustopniowe?", - ), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Potwierdź usunięcie konta", - ), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Tak, chcę trwale usunąć to konto i jego dane ze wszystkich aplikacji.", - ), - "confirmPassword": MessageLookupByLibrary.simpleMessage("Powtórz hasło"), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage( - "Potwierdź zmianę planu", - ), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Potwierdź klucz odzyskiwania", - ), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Potwierdź klucz odzyskiwania", - ), - "connectToDevice": MessageLookupByLibrary.simpleMessage( - "Połącz z urządzeniem", - ), - "contactFamilyAdmin": m18, - "contactSupport": MessageLookupByLibrary.simpleMessage( - "Skontaktuj się z pomocą techniczną", - ), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Kontakty"), - "contents": MessageLookupByLibrary.simpleMessage("Zawartość"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Kontynuuj"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "Kontynuuj bezpłatny okres próbny", - ), - "convertToAlbum": MessageLookupByLibrary.simpleMessage( - "Konwertuj na album", - ), - "copyEmailAddress": MessageLookupByLibrary.simpleMessage( - "Kopiuj adres e-mail", - ), - "copyLink": MessageLookupByLibrary.simpleMessage("Skopiuj link"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Kopiuj, wklej ten kod\ndo swojej aplikacji uwierzytelniającej", - ), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "Nie można utworzyć kopii zapasowej Twoich danych.\nSpróbujemy ponownie później.", - ), - "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( - "Nie udało się zwolnić miejsca", - ), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Nie można było zaktualizować subskrybcji", - ), - "count": MessageLookupByLibrary.simpleMessage("Ilość"), - "crashReporting": MessageLookupByLibrary.simpleMessage("Zgłaszanie awarii"), - "create": MessageLookupByLibrary.simpleMessage("Utwórz"), - "createAccount": MessageLookupByLibrary.simpleMessage("Stwórz konto"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Przytrzymaj, aby wybrać zdjęcia i kliknij +, aby utworzyć album", - ), - "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( - "Utwórz link współpracy", - ), - "createCollage": MessageLookupByLibrary.simpleMessage("Utwórz kolaż"), - "createNewAccount": MessageLookupByLibrary.simpleMessage( - "Stwórz nowe konto", - ), - "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( - "Utwórz lub wybierz album", - ), - "createPublicLink": MessageLookupByLibrary.simpleMessage( - "Utwórz publiczny link", - ), - "creatingLink": MessageLookupByLibrary.simpleMessage("Tworzenie linku..."), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "Dostępna jest krytyczna aktualizacja", - ), - "crop": MessageLookupByLibrary.simpleMessage("Kadruj"), - "curatedMemories": MessageLookupByLibrary.simpleMessage( - "Wyselekcjonowane wspomnienia", - ), - "currentUsageIs": MessageLookupByLibrary.simpleMessage( - "Aktualne użycie to ", - ), - "currentlyRunning": MessageLookupByLibrary.simpleMessage( - "aktualnie uruchomiony", - ), - "custom": MessageLookupByLibrary.simpleMessage("Niestandardowy"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Ciemny"), - "dayToday": MessageLookupByLibrary.simpleMessage("Dzisiaj"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Wczoraj"), - "declineTrustInvite": MessageLookupByLibrary.simpleMessage( - "Odrzuć Zaproszenie", - ), - "decrypting": MessageLookupByLibrary.simpleMessage("Odszyfrowanie..."), - "decryptingVideo": MessageLookupByLibrary.simpleMessage( - "Odszyfrowywanie wideo...", - ), - "deduplicateFiles": MessageLookupByLibrary.simpleMessage( - "Odduplikuj pliki", - ), - "delete": MessageLookupByLibrary.simpleMessage("Usuń"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Usuń konto"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Przykro nam, że odchodzisz. Wyjaśnij nam, dlaczego nas opuszczasz, aby pomóc ulepszać nasze usługi.", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Usuń konto na stałe", - ), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Usuń album"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Usunąć również zdjęcia (i wideo) znajdujące się w tym albumie ze wszystkich innych albumów, których są częścią?", - ), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "Spowoduje to usunięcie wszystkich pustych albumów. Jest to przydatne, gdy chcesz zmniejszyć ilość śmieci na liście albumów.", - ), - "deleteAll": MessageLookupByLibrary.simpleMessage("Usuń Wszystko"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "To konto jest połączone z innymi aplikacjami Ente, jeśli ich używasz. Twoje przesłane dane, we wszystkich aplikacjach Ente, zostaną zaplanowane do usunięcia, a Twoje konto zostanie trwale usunięte.", - ), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Wyślij wiadomość e-mail na account-deletion@ente.io z zarejestrowanego adresu e-mail.", - ), - "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( - "Usuń puste albumy", - ), - "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( - "Usunąć puste albumy?", - ), - "deleteFromBoth": MessageLookupByLibrary.simpleMessage("Usuń z obu"), - "deleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Usuń z urządzenia", - ), - "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Usuń z Ente"), - "deleteItemCount": m21, - "deleteLocation": MessageLookupByLibrary.simpleMessage("Usuń lokalizację"), - "deleteMultipleAlbumDialog": m22, - "deletePhotos": MessageLookupByLibrary.simpleMessage("Usuń zdjęcia"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Brakuje kluczowej funkcji, której potrzebuję", - ), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "Aplikacja lub określona funkcja nie zachowuje się tak, jak sądzę, że powinna", - ), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Znalazłem/am inną, lepszą usługę", - ), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "Moja przyczyna nie jest wymieniona", - ), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Twoje żądanie zostanie przetworzone w ciągu 72 godzin.", - ), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Usunąć udostępniony album?", - ), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "Album zostanie usunięty dla wszystkich\n\nUtracisz dostęp do udostępnionych zdjęć w tym albumie, które są własnością innych osób", - ), - "deselectAll": MessageLookupByLibrary.simpleMessage("Odznacz wszystko"), - "designedToOutlive": MessageLookupByLibrary.simpleMessage( - "Zaprojektowane do przetrwania", - ), - "details": MessageLookupByLibrary.simpleMessage("Szczegóły"), - "developerSettings": MessageLookupByLibrary.simpleMessage( - "Ustawienia dla programistów", - ), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Czy na pewno chcesz zmodyfikować ustawienia programisty?", - ), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Wprowadź kod"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "Pliki dodane do tego albumu urządzenia zostaną automatycznie przesłane do Ente.", - ), - "deviceLock": MessageLookupByLibrary.simpleMessage("Blokada urządzenia"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Wyłącz blokadę ekranu urządzenia, gdy Ente jest na pierwszym planie i w trakcie tworzenia kopii zapasowej. Zwykle nie jest to potrzebne, ale może pomóc w szybszym przesyłaniu i początkowym imporcie dużych bibliotek.", - ), - "deviceNotFound": MessageLookupByLibrary.simpleMessage( - "Nie znaleziono urządzenia", - ), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Czy wiedziałeś/aś?"), - "different": MessageLookupByLibrary.simpleMessage("Inne"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage( - "Wyłącz automatyczną blokadę", - ), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Widzowie mogą nadal robić zrzuty ekranu lub zapisywać kopie zdjęć za pomocą programów trzecich", - ), - "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( - "Uwaga", - ), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "Wyłącz uwierzytelnianie dwustopniowe", - ), - "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( - "Uwierzytelnianie dwustopniowe jest wyłączane...", - ), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Odkryj"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Niemowlęta"), - "discover_celebrations": MessageLookupByLibrary.simpleMessage( - "Uroczystości", - ), - "discover_food": MessageLookupByLibrary.simpleMessage("Jedzenie"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Zieleń"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Wzgórza"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Tożsamość"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Memy"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Notatki"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Zwierzęta domowe"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Paragony"), - "discover_screenshots": MessageLookupByLibrary.simpleMessage( - "Zrzuty ekranu", - ), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfie"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Zachód słońca"), - "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( - "Wizytówki", - ), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Tapety"), - "dismiss": MessageLookupByLibrary.simpleMessage("Odrzuć"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage("Nie wylogowuj mnie"), - "doThisLater": MessageLookupByLibrary.simpleMessage("Spróbuj później"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Czy chcesz odrzucić dokonane zmiany?", - ), - "done": MessageLookupByLibrary.simpleMessage("Gotowe"), - "dontSave": MessageLookupByLibrary.simpleMessage("Nie zapisuj"), - "doubleYourStorage": MessageLookupByLibrary.simpleMessage( - "Podwój swoją przestrzeń dyskową", - ), - "download": MessageLookupByLibrary.simpleMessage("Pobierz"), - "downloadFailed": MessageLookupByLibrary.simpleMessage( - "Pobieranie nie powiodło się", - ), - "downloading": MessageLookupByLibrary.simpleMessage("Pobieranie..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Edytuj"), - "editEmailAlreadyLinked": m28, - "editLocation": MessageLookupByLibrary.simpleMessage("Edytuj lokalizację"), - "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( - "Edytuj lokalizację", - ), - "editPerson": MessageLookupByLibrary.simpleMessage("Edytuj osobę"), - "editTime": MessageLookupByLibrary.simpleMessage("Edytuj czas"), - "editsSaved": MessageLookupByLibrary.simpleMessage("Edycje zapisane"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Edycje lokalizacji będą widoczne tylko w Ente", - ), - "eligible": MessageLookupByLibrary.simpleMessage("kwalifikujący się"), - "email": MessageLookupByLibrary.simpleMessage("Adres e-mail"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "Adres e-mail jest już zarejestrowany.", - ), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "Adres e-mail nie jest zarejestrowany.", - ), - "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( - "Weryfikacja e-mail", - ), - "emailYourLogs": MessageLookupByLibrary.simpleMessage("Wyślij mailem logi"), - "emergencyContacts": MessageLookupByLibrary.simpleMessage( - "Kontakty Alarmowe", - ), - "empty": MessageLookupByLibrary.simpleMessage("Opróżnij"), - "emptyTrash": MessageLookupByLibrary.simpleMessage("Opróżnić kosz?"), - "enable": MessageLookupByLibrary.simpleMessage("Włącz"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "Ente obsługuje nauczanie maszynowe na urządzeniu dla rozpoznawania twarzy, wyszukiwania magicznego i innych zaawansowanych funkcji wyszukiwania", - ), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Włącz nauczanie maszynowe dla magicznego wyszukiwania i rozpoznawania twarzy", - ), - "enableMaps": MessageLookupByLibrary.simpleMessage("Włącz mapy"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "To pokaże Twoje zdjęcia na mapie świata.\n\nTa mapa jest hostowana przez Open Street Map, a dokładne lokalizacje Twoich zdjęć nigdy nie są udostępniane.\n\nMożesz wyłączyć tę funkcję w każdej chwili w ustawieniach.", - ), - "enabled": MessageLookupByLibrary.simpleMessage("Włączone"), - "encryptingBackup": MessageLookupByLibrary.simpleMessage( - "Szyfrowanie kopii zapasowej...", - ), - "encryption": MessageLookupByLibrary.simpleMessage("Szyfrowanie"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage( - "Klucze szyfrowania", - ), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Punkt końcowy zaktualizowano pomyślnie", - ), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Domyślnie zaszyfrowane metodą end-to-end", - ), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente może zaszyfrować i zachować pliki tylko wtedy, gdy udzielisz do nich dostępu", - ), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente potrzebuje uprawnień aby przechowywać twoje zdjęcia", - ), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "Ente zachowuje Twoje wspomnienia, więc są zawsze dostępne dla Ciebie, nawet jeśli zgubisz urządzenie.", - ), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Twoja rodzina może być również dodana do Twojego planu.", - ), - "enterAlbumName": MessageLookupByLibrary.simpleMessage( - "Wprowadź nazwę albumu", - ), - "enterCode": MessageLookupByLibrary.simpleMessage("Wprowadź kod"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Wprowadź kod dostarczony przez znajomego, aby uzyskać bezpłatne miejsce dla was obojga", - ), - "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( - "Urodziny (nieobowiązkowo)", - ), - "enterEmail": MessageLookupByLibrary.simpleMessage("Wprowadź adres e-mail"), - "enterFileName": MessageLookupByLibrary.simpleMessage( - "Wprowadź nazwę pliku", - ), - "enterName": MessageLookupByLibrary.simpleMessage("Wprowadź nazwę"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Wprowadź nowe hasło, którego możemy użyć do zaszyfrowania Twoich danych", - ), - "enterPassword": MessageLookupByLibrary.simpleMessage("Wprowadź hasło"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Wprowadź hasło, którego możemy użyć do zaszyfrowania Twoich danych", - ), - "enterPersonName": MessageLookupByLibrary.simpleMessage( - "Wprowadź imię osoby", - ), - "enterPin": MessageLookupByLibrary.simpleMessage("Wprowadź kod PIN"), - "enterReferralCode": MessageLookupByLibrary.simpleMessage( - "Wprowadź kod polecenia", - ), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Wprowadź 6-cyfrowy kod z\nTwojej aplikacji uwierzytelniającej", - ), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Prosimy podać prawidłowy adres e-mail.", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Podaj swój adres e-mail", - ), - "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( - "Podaj swój nowy adres e-mail", - ), - "enterYourPassword": MessageLookupByLibrary.simpleMessage("Wprowadź hasło"), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Wprowadź swój klucz odzyskiwania", - ), - "error": MessageLookupByLibrary.simpleMessage("Błąd"), - "everywhere": MessageLookupByLibrary.simpleMessage("wszędzie"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": MessageLookupByLibrary.simpleMessage( - "Istniejący użytkownik", - ), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Ten link wygasł. Wybierz nowy czas wygaśnięcia lub wyłącz automatyczne wygasanie linku.", - ), - "exportLogs": MessageLookupByLibrary.simpleMessage("Eksportuj logi"), - "exportYourData": MessageLookupByLibrary.simpleMessage( - "Eksportuj swoje dane", - ), - "extraPhotosFound": MessageLookupByLibrary.simpleMessage( - "Znaleziono dodatkowe zdjęcia", - ), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Twarz jeszcze nie zgrupowana, prosimy wrócić później", - ), - "faceRecognition": MessageLookupByLibrary.simpleMessage( - "Rozpoznawanie twarzy", - ), - "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( - "Nie można wygenerować miniaturek twarzy", - ), - "faces": MessageLookupByLibrary.simpleMessage("Twarze"), - "failed": MessageLookupByLibrary.simpleMessage("Nie powiodło się"), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage( - "Nie udało się zastosować kodu", - ), - "failedToCancel": MessageLookupByLibrary.simpleMessage( - "Nie udało się anulować", - ), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( - "Nie udało się pobrać wideo", - ), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Nie udało się pobrać aktywnych sesji", - ), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Nie udało się pobrać oryginału do edycji", - ), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Nie można pobrać szczegółów polecenia. Spróbuj ponownie później.", - ), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "Nie udało się załadować albumów", - ), - "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Nie udało się odtworzyć wideo", - ), - "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( - "Nie udało się odświeżyć subskrypcji", - ), - "failedToRenew": MessageLookupByLibrary.simpleMessage( - "Nie udało się odnowić", - ), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Nie udało się zweryfikować stanu płatności", - ), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Dodaj 5 członków rodziny do istniejącego planu bez dodatkowego płacenia.\n\nKażdy członek otrzymuje własną przestrzeń prywatną i nie widzi wzajemnie swoich plików, chyba że są one udostępnione.\n\nPlany rodzinne są dostępne dla klientów, którzy mają płatną subskrypcję Ente.\n\nSubskrybuj teraz, aby rozpocząć!", - ), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Rodzina"), - "familyPlans": MessageLookupByLibrary.simpleMessage("Plany rodzinne"), - "faq": MessageLookupByLibrary.simpleMessage( - "FAQ – Często zadawane pytania", - ), - "faqs": MessageLookupByLibrary.simpleMessage( - "FAQ – Często zadawane pytania", - ), - "favorite": MessageLookupByLibrary.simpleMessage("Dodaj do ulubionych"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("Opinia"), - "file": MessageLookupByLibrary.simpleMessage("Plik"), - "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage( - "Nie można przeanalizować pliku", - ), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Nie udało się zapisać pliku do galerii", - ), - "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( - "Dodaj opis...", - ), - "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( - "Plik nie został jeszcze przesłany", - ), - "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Plik zapisany do galerii", - ), - "fileTypes": MessageLookupByLibrary.simpleMessage("Rodzaje plików"), - "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( - "Typy plików i nazwy", - ), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage("Pliki usunięto"), - "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Pliki zapisane do galerii", - ), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Szybko szukaj osób po imieniu", - ), - "findThemQuickly": MessageLookupByLibrary.simpleMessage( - "Znajdź ich szybko", - ), - "flip": MessageLookupByLibrary.simpleMessage("Obróć"), - "food": MessageLookupByLibrary.simpleMessage("Kulinarna rozkosz"), - "forYourMemories": MessageLookupByLibrary.simpleMessage( - "dla twoich wspomnień", - ), - "forgotPassword": MessageLookupByLibrary.simpleMessage( - "Nie pamiętam hasła", - ), - "foundFaces": MessageLookupByLibrary.simpleMessage("Znaleziono twarze"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( - "Bezpłatna pamięć, którą odebrano", - ), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Darmowa pamięć użyteczna", - ), - "freeTrial": MessageLookupByLibrary.simpleMessage("Darmowy okres próbny"), - "freeTrialValidTill": m38, - "freeUpAmount": m40, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( - "Zwolnij miejsce na urządzeniu", - ), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Oszczędzaj miejsce na urządzeniu poprzez wyczyszczenie plików, które zostały już przesłane.", - ), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("Zwolnij miejsce"), - "gallery": MessageLookupByLibrary.simpleMessage("Galeria"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "W galerii wyświetlane jest do 1000 pamięci", - ), - "general": MessageLookupByLibrary.simpleMessage("Ogólne"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Generowanie kluczy szyfrujących...", - ), - "genericProgress": m42, - "goToSettings": MessageLookupByLibrary.simpleMessage("Przejdź do ustawień"), - "googlePlayId": MessageLookupByLibrary.simpleMessage( - "Identyfikator Google Play", - ), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Zezwól na dostęp do wszystkich zdjęć w aplikacji Ustawienia", - ), - "grantPermission": MessageLookupByLibrary.simpleMessage( - "Przyznaj uprawnienie", - ), - "greenery": MessageLookupByLibrary.simpleMessage("Zielone życie"), - "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( - "Grupuj pobliskie zdjęcia", - ), - "guestView": MessageLookupByLibrary.simpleMessage("Widok gościa"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "Aby włączyć widok gościa, należy skonfigurować hasło urządzenia lub blokadę ekranu w ustawieniach Twojego systemu.", - ), - "happyBirthday": MessageLookupByLibrary.simpleMessage( - "Wszystkiego najlepszego! 🥳", - ), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "Nie śledzimy instalacji aplikacji. Pomogłyby nam, gdybyś powiedział/a nam, gdzie nas znalazłeś/aś!", - ), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Jak usłyszałeś/aś o Ente? (opcjonalnie)", - ), - "help": MessageLookupByLibrary.simpleMessage("Pomoc"), - "hidden": MessageLookupByLibrary.simpleMessage("Ukryte"), - "hide": MessageLookupByLibrary.simpleMessage("Ukryj"), - "hideContent": MessageLookupByLibrary.simpleMessage("Ukryj zawartość"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Ukrywa zawartość aplikacji w przełączniku aplikacji i wyłącza zrzuty ekranu", - ), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Ukrywa zawartość aplikacji w przełączniku aplikacji", - ), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "Ukryj współdzielone elementy w galerii głównej", - ), - "hiding": MessageLookupByLibrary.simpleMessage("Ukrywanie..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( - "Hostowane w OSM Francja", - ), - "howItWorks": MessageLookupByLibrary.simpleMessage("Jak to działa"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Poproś ich o przytrzymanie swojego adresu e-mail na ekranie ustawień i sprawdzenie, czy identyfikatory na obu urządzeniach są zgodne.", - ), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Uwierzytelnianie biometryczne nie jest skonfigurowane na Twoim urządzeniu. Prosimy włączyć Touch ID lub Face ID na swoim telefonie.", - ), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "Uwierzytelnianie biometryczne jest wyłączone. Prosimy zablokować i odblokować ekran, aby je włączyć.", - ), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), - "ignore": MessageLookupByLibrary.simpleMessage("Ignoruj"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignoruj"), - "ignored": MessageLookupByLibrary.simpleMessage("ignorowane"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Niektóre pliki w tym albumie są ignorowane podczas przesyłania, ponieważ zostały wcześniej usunięte z Ente.", - ), - "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( - "Obraz nie został przeanalizowany", - ), - "immediately": MessageLookupByLibrary.simpleMessage("Natychmiast"), - "importing": MessageLookupByLibrary.simpleMessage("Importowanie...."), - "incorrectCode": MessageLookupByLibrary.simpleMessage("Nieprawidłowy kod"), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Nieprawidłowe hasło", - ), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Nieprawidłowy klucz odzyskiwania", - ), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "Kod jest nieprawidłowy", - ), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Nieprawidłowy klucz odzyskiwania", - ), - "indexedItems": MessageLookupByLibrary.simpleMessage( - "Zindeksowane elementy", - ), - "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( - "Indeksowanie zostało wstrzymane. Zostanie automatycznie wznowione, gdy urządzenie będzie gotowe. Urządzenie uznaje się za gotowe, gdy poziom baterii, stan jej zdrowia oraz status termiczny znajdują się w bezpiecznym zakresie.", - ), - "ineligible": MessageLookupByLibrary.simpleMessage("Nie kwalifikuje się"), - "info": MessageLookupByLibrary.simpleMessage("Informacje"), - "insecureDevice": MessageLookupByLibrary.simpleMessage( - "Niezabezpieczone urządzenie", - ), - "installManually": MessageLookupByLibrary.simpleMessage( - "Zainstaluj manualnie", - ), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "Nieprawidłowy adres e-mail", - ), - "invalidEndpoint": MessageLookupByLibrary.simpleMessage( - "Punkt końcowy jest nieprawidłowy", - ), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Niestety, wprowadzony punkt końcowy jest nieprawidłowy. Wprowadź prawidłowy punkt końcowy i spróbuj ponownie.", - ), - "invalidKey": MessageLookupByLibrary.simpleMessage( - "Klucz jest nieprawidłowy", - ), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Wprowadzony klucz odzyskiwania jest nieprawidłowy. Upewnij się, że zawiera on 24 słowa i sprawdź pisownię każdego z nich.\n\nJeśli wprowadziłeś starszy kod odzyskiwania, upewnij się, że ma on 64 znaki i sprawdź każdy z nich.", - ), - "invite": MessageLookupByLibrary.simpleMessage("Zaproś"), - "inviteToEnte": MessageLookupByLibrary.simpleMessage("Zaproś do Ente"), - "inviteYourFriends": MessageLookupByLibrary.simpleMessage( - "Zaproś znajomych", - ), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "Zaproś znajomych do Ente", - ), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Wygląda na to, że coś poszło nie tak. Spróbuj ponownie po pewnym czasie. Jeśli błąd będzie się powtarzał, skontaktuj się z naszym zespołem pomocy technicznej.", - ), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "Elementy pokazują liczbę dni pozostałych przed trwałym usunięciem", - ), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Wybrane elementy zostaną usunięte z tego albumu", - ), - "join": MessageLookupByLibrary.simpleMessage("Dołącz"), - "joinAlbum": MessageLookupByLibrary.simpleMessage("Dołącz do albumu"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "Dołączenie do albumu sprawi, że Twój e-mail będzie widoczny dla jego uczestników.", - ), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( - "aby wyświetlić i dodać swoje zdjęcia", - ), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "aby dodać to do udostępnionych albumów", - ), - "joinDiscord": MessageLookupByLibrary.simpleMessage( - "Dołącz do serwera Discord", - ), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Zachowaj Zdjęcia"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Pomóż nam z tą informacją", - ), - "language": MessageLookupByLibrary.simpleMessage("Język"), - "lastTimeWithThem": m45, - "lastUpdated": MessageLookupByLibrary.simpleMessage( - "Ostatnio zaktualizowano", - ), - "lastYearsTrip": MessageLookupByLibrary.simpleMessage( - "Zeszłoroczna podróż", - ), - "leave": MessageLookupByLibrary.simpleMessage("Wyjdź"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Opuść album"), - "leaveFamily": MessageLookupByLibrary.simpleMessage("Opuść rodzinę"), - "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Opuścić udostępniony album?", - ), - "left": MessageLookupByLibrary.simpleMessage("W lewo"), - "legacy": MessageLookupByLibrary.simpleMessage("Dziedzictwo"), - "legacyAccounts": MessageLookupByLibrary.simpleMessage( - "Odziedziczone konta", - ), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "Dziedzictwo pozwala zaufanym kontaktom na dostęp do Twojego konta w razie Twojej nieobecności.", - ), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "Zaufane kontakty mogą rozpocząć odzyskiwanie konta, a jeśli nie zostaną zablokowane w ciągu 30 dni, zresetować Twoje hasło i uzyskać dostęp do Twojego konta.", - ), - "light": MessageLookupByLibrary.simpleMessage("Jasny"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Jasny"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Link skopiowany do schowka", - ), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Limit urządzeń"), - "linkEmail": MessageLookupByLibrary.simpleMessage("Połącz adres e-mail"), - "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( - "aby szybciej udostępniać", - ), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Aktywny"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Wygasł"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Wygaśnięcie linku"), - "linkHasExpired": MessageLookupByLibrary.simpleMessage("Link wygasł"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Nigdy"), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("Zdjęcia Live Photo"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "Możesz udostępnić swoją subskrypcję swojej rodzinie", - ), - "loadMessage2": MessageLookupByLibrary.simpleMessage( - "Do tej pory zachowaliśmy ponad 200 milionów wspomnień", - ), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "Przechowujemy 3 kopie Twoich danych, jedną w podziemnym schronie", - ), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "Wszystkie nasze aplikacje są otwarto źródłowe", - ), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Nasz kod źródłowy i kryptografia zostały poddane zewnętrznemu audytowi", - ), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "Możesz udostępniać linki do swoich albumów swoim bliskim", - ), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Nasze aplikacje mobilne działają w tle, aby zaszyfrować i wykonać kopię zapasową wszystkich nowych zdjęć, które klikniesz", - ), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io ma zgrabny program do przesyłania", - ), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Używamy Xchacha20Poly1305 do bezpiecznego szyfrowania Twoich danych", - ), - "loadingExifData": MessageLookupByLibrary.simpleMessage( - "Wczytywanie danych EXIF...", - ), - "loadingGallery": MessageLookupByLibrary.simpleMessage( - "Ładowanie galerii...", - ), - "loadingMessage": MessageLookupByLibrary.simpleMessage( - "Wczytywanie Twoich zdjęć...", - ), - "loadingModel": MessageLookupByLibrary.simpleMessage( - "Pobieranie modeli...", - ), - "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( - "Wczytywanie Twoich zdjęć...", - ), - "localGallery": MessageLookupByLibrary.simpleMessage("Galeria lokalna"), - "localIndexing": MessageLookupByLibrary.simpleMessage( - "Indeksowanie lokalne", - ), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Wygląda na to, że coś poszło nie tak, ponieważ lokalna synchronizacja zdjęć zajmuje więcej czasu, niż oczekiwano. Skontaktuj się z naszym zespołem pomocy technicznej", - ), - "location": MessageLookupByLibrary.simpleMessage("Lokalizacja"), - "locationName": MessageLookupByLibrary.simpleMessage("Nazwa lokalizacji"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Znacznik lokalizacji grupuje wszystkie zdjęcia, które zostały zrobione w promieniu zdjęcia", - ), - "locations": MessageLookupByLibrary.simpleMessage("Lokalizacje"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Zablokuj"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Ekran blokady"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Zaloguj się"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Wylogowywanie..."), - "loginSessionExpired": MessageLookupByLibrary.simpleMessage( - "Sesja wygasła", - ), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "Twoja sesja wygasła. Zaloguj się ponownie.", - ), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Klikając, zaloguj się, zgadzam się na regulamin i politykę prywatności", - ), - "loginWithTOTP": MessageLookupByLibrary.simpleMessage( - "Zaloguj się za pomocą TOTP", - ), - "logout": MessageLookupByLibrary.simpleMessage("Wyloguj"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Spowoduje to wysyłanie logów, aby pomóc nam w debugowaniu twojego problemu. Pamiętaj, że nazwy plików zostaną dołączone, aby pomóc w śledzeniu problemów z określonymi plikami.", - ), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Naciśnij i przytrzymaj e-mail, aby zweryfikować szyfrowanie end-to-end.", - ), - "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( - "Długo naciśnij element, aby wyświetlić go na pełnym ekranie", - ), - "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( - "Spójrz ponownie na swoje wspomnienia 🌄", - ), - "loopVideoOff": MessageLookupByLibrary.simpleMessage( - "Pętla wideo wyłączona", - ), - "loopVideoOn": MessageLookupByLibrary.simpleMessage("Pętla wideo włączona"), - "lostDevice": MessageLookupByLibrary.simpleMessage("Utracono urządzenie?"), - "machineLearning": MessageLookupByLibrary.simpleMessage( - "Nauczanie maszynowe", - ), - "magicSearch": MessageLookupByLibrary.simpleMessage( - "Magiczne wyszukiwanie", - ), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "Magiczne wyszukiwanie pozwala na wyszukiwanie zdjęć według ich zawartości, np. \"kwiat\", \"czerwony samochód\", \"dokumenty tożsamości\"", - ), - "manage": MessageLookupByLibrary.simpleMessage("Zarządzaj"), - "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( - "Zarządzaj pamięcią podręczną urządzenia", - ), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Przejrzyj i wyczyść lokalną pamięć podręczną.", - ), - "manageFamily": MessageLookupByLibrary.simpleMessage("Zarządzaj Rodziną"), - "manageLink": MessageLookupByLibrary.simpleMessage("Zarządzaj linkiem"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Zarządzaj"), - "manageSubscription": MessageLookupByLibrary.simpleMessage( - "Zarządzaj subskrypcją", - ), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "Parowanie PIN-em działa z każdym ekranem, na którym chcesz wyświetlić swój album.", - ), - "map": MessageLookupByLibrary.simpleMessage("Mapa"), - "maps": MessageLookupByLibrary.simpleMessage("Mapy"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("Ja"), - "memories": MessageLookupByLibrary.simpleMessage("Wspomnienia"), - "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Wybierz rodzaj wspomnień, które chcesz zobaczyć na ekranie głównym.", - ), - "merchandise": MessageLookupByLibrary.simpleMessage("Sklep"), - "merge": MessageLookupByLibrary.simpleMessage("Scal"), - "mergeWithExisting": MessageLookupByLibrary.simpleMessage( - "Scal z istniejącym", - ), - "mergedPhotos": MessageLookupByLibrary.simpleMessage("Scalone zdjęcia"), - "mlConsent": MessageLookupByLibrary.simpleMessage( - "Włącz nauczanie maszynowe", - ), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Rozumiem i chcę włączyć nauczanie maszynowe", - ), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Jeśli włączysz nauczanie maszynowe, Ente wyodrębni informacje takie jak geometria twarzy z plików, w tym tych udostępnionych z Tobą.\n\nTo się stanie na Twoim urządzeniu i wygenerowane informacje biometryczne zostaną zaszyfrowane end-to-end.", - ), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Kliknij tutaj, aby uzyskać więcej informacji na temat tej funkcji w naszej polityce prywatności", - ), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "Włączyć nauczanie maszynowe?", - ), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Pamiętaj, że nauczanie maszynowe spowoduje większą przepustowość i zużycie baterii do czasu zindeksowania wszystkich elementów. Rozważ użycie aplikacji komputerowej do szybszego indeksowania, wszystkie wyniki zostaną automatycznie zsynchronizowane.", - ), - "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( - "Aplikacja Mobilna, Strona Internetowa, Aplikacja Komputerowa", - ), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Umiarkowane"), - "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( - "Zmodyfikuj zapytanie lub spróbuj wyszukać", - ), - "moments": MessageLookupByLibrary.simpleMessage("Momenty"), - "month": MessageLookupByLibrary.simpleMessage("miesiąc"), - "monthly": MessageLookupByLibrary.simpleMessage("Miesięcznie"), - "moon": MessageLookupByLibrary.simpleMessage("W świetle księżyca"), - "moreDetails": MessageLookupByLibrary.simpleMessage("Więcej szczegółów"), - "mostRecent": MessageLookupByLibrary.simpleMessage("Od najnowszych"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("Najbardziej trafne"), - "mountains": MessageLookupByLibrary.simpleMessage("Na wzgórzach"), - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "Przenieś wybrane zdjęcia na jedną datę", - ), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("Przenieś do albumu"), - "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Przenieś do ukrytego albumu", - ), - "movedSuccessfullyTo": m52, - "movedToTrash": MessageLookupByLibrary.simpleMessage( - "Przeniesiono do kosza", - ), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Przenoszenie plików do albumów...", - ), - "name": MessageLookupByLibrary.simpleMessage("Nazwa"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Nazwij album"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Nie można połączyć się z Ente, spróbuj ponownie po pewnym czasie. Jeśli błąd będzie się powtarzał, skontaktuj się z pomocą techniczną.", - ), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Nie można połączyć się z Ente, sprawdź ustawienia sieci i skontaktuj się z pomocą techniczną, jeśli błąd będzie się powtarzał.", - ), - "never": MessageLookupByLibrary.simpleMessage("Nigdy"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Nowy album"), - "newLocation": MessageLookupByLibrary.simpleMessage("Nowa lokalizacja"), - "newPerson": MessageLookupByLibrary.simpleMessage("Nowa osoba"), - "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" nowe 📸"), - "newRange": MessageLookupByLibrary.simpleMessage("Nowy zakres"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Nowy/a do Ente"), - "newest": MessageLookupByLibrary.simpleMessage("Najnowsze"), - "next": MessageLookupByLibrary.simpleMessage("Dalej"), - "no": MessageLookupByLibrary.simpleMessage("Nie"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Brak jeszcze albumów udostępnianych przez Ciebie", - ), - "noDeviceFound": MessageLookupByLibrary.simpleMessage( - "Nie znaleziono żadnego urządzenia", - ), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Brak"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "Nie masz żadnych plików na tym urządzeniu, które można usunąć", - ), - "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Brak duplikatów"), - "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( - "Brak konta Ente!", - ), - "noExifData": MessageLookupByLibrary.simpleMessage("Brak danych EXIF"), - "noFacesFound": MessageLookupByLibrary.simpleMessage( - "Nie znaleziono twarzy", - ), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "Brak ukrytych zdjęć lub wideo", - ), - "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( - "Brak zdjęć z lokalizacją", - ), - "noInternetConnection": MessageLookupByLibrary.simpleMessage( - "Brak połączenia z Internetem", - ), - "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( - "W tej chwili nie wykonuje się kopii zapasowej zdjęć", - ), - "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( - "Nie znaleziono tutaj zdjęć", - ), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( - "Nie wybrano żadnych szybkich linków", - ), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Brak klucza odzyskiwania?", - ), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Ze względu na charakter naszego protokołu szyfrowania end-to-end, dane nie mogą być odszyfrowane bez hasła lub klucza odzyskiwania", - ), - "noResults": MessageLookupByLibrary.simpleMessage("Brak wyników"), - "noResultsFound": MessageLookupByLibrary.simpleMessage( - "Nie znaleziono wyników", - ), - "noSuggestionsForPerson": m53, - "noSystemLockFound": MessageLookupByLibrary.simpleMessage( - "Nie znaleziono blokady systemowej", - ), - "notPersonLabel": m54, - "notThisPerson": MessageLookupByLibrary.simpleMessage("Nie ta osoba?"), - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "Nic Ci jeszcze nie udostępniono", - ), - "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( - "Nie ma tutaj nic do zobaczenia! 👀", - ), - "notifications": MessageLookupByLibrary.simpleMessage("Powiadomienia"), - "ok": MessageLookupByLibrary.simpleMessage("Ok"), - "onDevice": MessageLookupByLibrary.simpleMessage("Na urządzeniu"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "W ente", - ), - "onTheRoad": MessageLookupByLibrary.simpleMessage("Znowu na drodze"), - "onThisDay": MessageLookupByLibrary.simpleMessage("Tego dnia"), - "onThisDayMemories": MessageLookupByLibrary.simpleMessage( - "Wspomnienia z tego dnia", - ), - "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( - "Otrzymuj przypomnienia o wspomnieniach z tego dnia w poprzednich latach.", - ), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Tylko te"), - "oops": MessageLookupByLibrary.simpleMessage("Ups"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Ups, nie udało się zapisać zmian", - ), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Ups, coś poszło nie tak", - ), - "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( - "Otwórz album w przeglądarce", - ), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Prosimy użyć aplikacji internetowej, aby dodać zdjęcia do tego albumu", - ), - "openFile": MessageLookupByLibrary.simpleMessage("Otwórz plik"), - "openSettings": MessageLookupByLibrary.simpleMessage("Otwórz Ustawienia"), - "openTheItem": MessageLookupByLibrary.simpleMessage("• Otwórz element"), - "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( - "Współautorzy OpenStreetMap", - ), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Opcjonalnie, tak krótko, jak chcesz...", - ), - "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( - "Lub złącz z istniejącymi", - ), - "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( - "Lub wybierz istniejący", - ), - "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( - "lub wybierz ze swoich kontaktów", - ), - "otherDetectedFaces": MessageLookupByLibrary.simpleMessage( - "Inne wykryte twarze", - ), - "pair": MessageLookupByLibrary.simpleMessage("Sparuj"), - "pairWithPin": MessageLookupByLibrary.simpleMessage("Sparuj kodem PIN"), - "pairingComplete": MessageLookupByLibrary.simpleMessage( - "Parowanie zakończone", - ), - "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), - "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( - "Weryfikacja jest nadal w toku", - ), - "passkey": MessageLookupByLibrary.simpleMessage("Klucz dostępu"), - "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( - "Weryfikacja kluczem dostępu", - ), - "password": MessageLookupByLibrary.simpleMessage("Hasło"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Hasło zostało pomyślnie zmienione", - ), - "passwordLock": MessageLookupByLibrary.simpleMessage("Blokada hasłem"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "Siła hasła jest obliczana, biorąc pod uwagę długość hasła, użyte znaki, i czy hasło pojawi się w 10 000 najczęściej używanych haseł", - ), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Nie przechowujemy tego hasła, więc jeśli go zapomnisz, nie będziemy w stanie odszyfrować Twoich danych", - ), - "pastYearsMemories": MessageLookupByLibrary.simpleMessage( - "Wspomnienia z ubiegłych lat", - ), - "paymentDetails": MessageLookupByLibrary.simpleMessage( - "Szczegóły płatności", - ), - "paymentFailed": MessageLookupByLibrary.simpleMessage( - "Płatność się nie powiodła", - ), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "Niestety Twoja płatność nie powiodła się. Skontaktuj się z pomocą techniczną, a my Ci pomożemy!", - ), - "paymentFailedTalkToProvider": m58, - "pendingItems": MessageLookupByLibrary.simpleMessage("Oczekujące elementy"), - "pendingSync": MessageLookupByLibrary.simpleMessage( - "Oczekująca synchronizacja", - ), - "people": MessageLookupByLibrary.simpleMessage("Ludzie"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Osoby używające twojego kodu", - ), - "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Wybierz osoby, które chcesz zobaczyć na ekranie głównym.", - ), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Wszystkie elementy w koszu zostaną trwale usunięte\n\nTej czynności nie można cofnąć", - ), - "permanentlyDelete": MessageLookupByLibrary.simpleMessage("Usuń trwale"), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Trwale usunąć z urządzenia?", - ), - "personIsAge": m59, - "personName": MessageLookupByLibrary.simpleMessage("Nazwa osoby"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("Futrzani towarzysze"), - "photoDescriptions": MessageLookupByLibrary.simpleMessage("Opisy zdjęć"), - "photoGridSize": MessageLookupByLibrary.simpleMessage( - "Rozmiar siatki zdjęć", - ), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("zdjęcie"), - "photos": MessageLookupByLibrary.simpleMessage("Zdjęcia"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "Zdjęcia dodane przez Ciebie zostaną usunięte z albumu", - ), - "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( - "Zdjęcia zachowują względną różnicę czasu", - ), - "pickCenterPoint": MessageLookupByLibrary.simpleMessage( - "Wybierz punkt środkowy", - ), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Przypnij album"), - "pinLock": MessageLookupByLibrary.simpleMessage("Blokada PIN"), - "playOnTv": MessageLookupByLibrary.simpleMessage( - "Odtwórz album na telewizorze", - ), - "playOriginal": MessageLookupByLibrary.simpleMessage("Odtwórz oryginał"), - "playStoreFreeTrialValidTill": m63, - "playstoreSubscription": MessageLookupByLibrary.simpleMessage( - "Subskrypcja PlayStore", - ), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Prosimy sprawdzić połączenie internetowe i spróbować ponownie.", - ), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Skontaktuj się z support@ente.io i z przyjemnością pomożemy!", - ), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Skontaktuj się z pomocą techniczną, jeśli problem będzie się powtarzał", - ), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( - "Prosimy przyznać uprawnienia", - ), - "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( - "Zaloguj się ponownie", - ), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Prosimy wybrać szybkie linki do usunięcia", - ), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("Spróbuj ponownie"), - "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( - "Prosimy zweryfikować wprowadzony kod", - ), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Prosimy czekać..."), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Prosimy czekać, usuwanie albumu", - ), - "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( - "Prosimy poczekać chwilę przed ponowną próbą", - ), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "Prosimy czekać, to może zająć chwilę.", - ), - "posingWithThem": m66, - "preparingLogs": MessageLookupByLibrary.simpleMessage( - "Przygotowywanie logów...", - ), - "preserveMore": MessageLookupByLibrary.simpleMessage("Zachowaj więcej"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Naciśnij i przytrzymaj, aby odtworzyć wideo", - ), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Naciśnij i przytrzymaj obraz, aby odtworzyć wideo", - ), - "previous": MessageLookupByLibrary.simpleMessage("Poprzedni"), - "privacy": MessageLookupByLibrary.simpleMessage("Prywatność"), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( - "Polityka Prywatności", - ), - "privateBackups": MessageLookupByLibrary.simpleMessage( - "Prywatne kopie zapasowe", - ), - "privateSharing": MessageLookupByLibrary.simpleMessage( - "Udostępnianie prywatne", - ), - "proceed": MessageLookupByLibrary.simpleMessage("Kontynuuj"), - "processed": MessageLookupByLibrary.simpleMessage("Przetworzone"), - "processing": MessageLookupByLibrary.simpleMessage("Przetwarzanie"), - "processingImport": m67, - "processingVideos": MessageLookupByLibrary.simpleMessage( - "Przetwarzanie wideo", - ), - "publicLinkCreated": MessageLookupByLibrary.simpleMessage( - "Utworzono publiczny link", - ), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( - "Publiczny link włączony", - ), - "questionmark": MessageLookupByLibrary.simpleMessage("?"), - "queued": MessageLookupByLibrary.simpleMessage("W kolejce"), - "quickLinks": MessageLookupByLibrary.simpleMessage("Szybkie linki"), - "radius": MessageLookupByLibrary.simpleMessage("Promień"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Zgłoś"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("Oceń aplikację"), - "rateUs": MessageLookupByLibrary.simpleMessage("Oceń nas"), - "rateUsOnStore": m68, - "reassignedToName": m69, - "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( - "Otrzymuj przypomnienia, kiedy są czyjeś urodziny. Naciskając na powiadomienie zabierze Cię do zdjęć osoby, która ma urodziny.", - ), - "recover": MessageLookupByLibrary.simpleMessage("Odzyskaj"), - "recoverAccount": MessageLookupByLibrary.simpleMessage("Odzyskaj konto"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Odzyskaj"), - "recoveryAccount": MessageLookupByLibrary.simpleMessage("Odzyskaj konto"), - "recoveryInitiated": MessageLookupByLibrary.simpleMessage( - "Odzyskiwanie rozpoczęte", - ), - "recoveryInitiatedDesc": m70, - "recoveryKey": MessageLookupByLibrary.simpleMessage("Klucz odzyskiwania"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Klucz odzyskiwania został skopiowany do schowka", - ), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Jeśli zapomnisz hasła, jedynym sposobem odzyskania danych jest ten klucz.", - ), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Nie przechowujemy tego klucza, prosimy zapisać ten 24-słowny klucz w bezpiecznym miejscu.", - ), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Znakomicie! Klucz odzyskiwania jest prawidłowy. Dziękujemy za weryfikację.\n\nPamiętaj, aby bezpiecznie przechowywać kopię zapasową klucza odzyskiwania.", - ), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Klucz odzyskiwania zweryfikowany", - ), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Twój klucz odzyskiwania jest jedynym sposobem na odzyskanie zdjęć, jeśli zapomnisz hasła. Klucz odzyskiwania można znaleźć w Ustawieniach > Konto.\n\nWprowadź tutaj swój klucz odzyskiwania, aby sprawdzić, czy został zapisany poprawnie.", - ), - "recoveryReady": m71, - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "Odzyskano pomyślnie!", - ), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "Zaufany kontakt próbuje uzyskać dostęp do Twojego konta", - ), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "Obecne urządzenie nie jest wystarczająco wydajne, aby zweryfikować hasło, ale możemy je wygenerować w sposób działający na wszystkich urządzeniach.\n\nZaloguj się przy użyciu klucza odzyskiwania i wygeneruj nowe hasło (jeśli chcesz, możesz ponownie użyć tego samego).", - ), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Ponownie utwórz hasło", - ), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": MessageLookupByLibrary.simpleMessage( - "Wprowadź ponownie hasło", - ), - "reenterPin": MessageLookupByLibrary.simpleMessage( - "Wprowadź ponownie kod PIN", - ), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Poleć znajomym i podwój swój plan", - ), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Przekaż ten kod swoim znajomym", - ), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Wykupują płatny plan", - ), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Polecenia"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "Wysyłanie poleceń jest obecnie wstrzymane", - ), - "rejectRecovery": MessageLookupByLibrary.simpleMessage( - "Odrzuć odzyskiwanie", - ), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "Również opróżnij \"Ostatnio usunięte\" z \"Ustawienia\" -> \"Pamięć\", aby odebrać wolną przestrzeń", - ), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Opróżnij również swój \"Kosz\", aby zwolnić miejsce", - ), - "remoteImages": MessageLookupByLibrary.simpleMessage("Zdjęcia zdalne"), - "remoteThumbnails": MessageLookupByLibrary.simpleMessage( - "Zdalne miniatury", - ), - "remoteVideos": MessageLookupByLibrary.simpleMessage("Zdalne wideo"), - "remove": MessageLookupByLibrary.simpleMessage("Usuń"), - "removeDuplicates": MessageLookupByLibrary.simpleMessage("Usuń duplikaty"), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Przejrzyj i usuń pliki, które są dokładnymi duplikatami.", - ), - "removeFromAlbum": MessageLookupByLibrary.simpleMessage("Usuń z albumu"), - "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( - "Usunąć z albumu?", - ), - "removeFromFavorite": MessageLookupByLibrary.simpleMessage( - "Usuń z ulubionych", - ), - "removeInvite": MessageLookupByLibrary.simpleMessage("Usuń zaproszenie"), - "removeLink": MessageLookupByLibrary.simpleMessage("Usuń link"), - "removeParticipant": MessageLookupByLibrary.simpleMessage( - "Usuń użytkownika", - ), - "removeParticipantBody": m74, - "removePersonLabel": MessageLookupByLibrary.simpleMessage( - "Usuń etykietę osoby", - ), - "removePublicLink": MessageLookupByLibrary.simpleMessage( - "Usuń link publiczny", - ), - "removePublicLinks": MessageLookupByLibrary.simpleMessage( - "Usuń linki publiczne", - ), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Niektóre z usuwanych elementów zostały dodane przez inne osoby i utracisz do nich dostęp", - ), - "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Usunąć?"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Usuń siebie z listy zaufanych kontaktów", - ), - "removingFromFavorites": MessageLookupByLibrary.simpleMessage( - "Usuwanie z ulubionych...", - ), - "rename": MessageLookupByLibrary.simpleMessage("Zmień nazwę"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("Zmień nazwę albumu"), - "renameFile": MessageLookupByLibrary.simpleMessage("Zmień nazwę pliku"), - "renewSubscription": MessageLookupByLibrary.simpleMessage( - "Odnów subskrypcję", - ), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Zgłoś błąd"), - "reportBug": MessageLookupByLibrary.simpleMessage("Zgłoś błąd"), - "resendEmail": MessageLookupByLibrary.simpleMessage( - "Wyślij e-mail ponownie", - ), - "reset": MessageLookupByLibrary.simpleMessage("Zresetuj"), - "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( - "Zresetuj zignorowane pliki", - ), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Zresetuj hasło", - ), - "resetPerson": MessageLookupByLibrary.simpleMessage("Usuń"), - "resetToDefault": MessageLookupByLibrary.simpleMessage("Przywróć domyślne"), - "restore": MessageLookupByLibrary.simpleMessage("Przywróć"), - "restoreToAlbum": MessageLookupByLibrary.simpleMessage( - "Przywróć do albumu", - ), - "restoringFiles": MessageLookupByLibrary.simpleMessage( - "Przywracanie plików...", - ), - "resumableUploads": MessageLookupByLibrary.simpleMessage( - "Przesyłania wznawialne", - ), - "retry": MessageLookupByLibrary.simpleMessage("Spróbuj ponownie"), - "review": MessageLookupByLibrary.simpleMessage("Przejrzyj"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Przejrzyj i usuń elementy, które uważasz, że są duplikatami.", - ), - "reviewSuggestions": MessageLookupByLibrary.simpleMessage( - "Przeglądaj sugestie", - ), - "right": MessageLookupByLibrary.simpleMessage("W prawo"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("Obróć"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Obróć w lewo"), - "rotateRight": MessageLookupByLibrary.simpleMessage("Obróć w prawo"), - "safelyStored": MessageLookupByLibrary.simpleMessage( - "Bezpiecznie przechowywane", - ), - "same": MessageLookupByLibrary.simpleMessage("Identyczne"), - "sameperson": MessageLookupByLibrary.simpleMessage("Ta sama osoba?"), - "save": MessageLookupByLibrary.simpleMessage("Zapisz"), - "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage( - "Zapisz jako inną osobę", - ), - "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( - "Zapisać zmiany przed wyjściem?", - ), - "saveCollage": MessageLookupByLibrary.simpleMessage("Zapisz kolaż"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Zapisz kopię"), - "saveKey": MessageLookupByLibrary.simpleMessage("Zapisz klucz"), - "savePerson": MessageLookupByLibrary.simpleMessage("Zapisz osobę"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Zapisz swój klucz odzyskiwania, jeśli jeszcze tego nie zrobiłeś", - ), - "saving": MessageLookupByLibrary.simpleMessage("Zapisywanie..."), - "savingEdits": MessageLookupByLibrary.simpleMessage("Zapisywanie zmian..."), - "scanCode": MessageLookupByLibrary.simpleMessage("Zeskanuj kod"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Zeskanuj ten kod kreskowy używając\nswojej aplikacji uwierzytelniającej", - ), - "search": MessageLookupByLibrary.simpleMessage("Szukaj"), - "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Albumy"), - "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage( - "Nazwa albumu", - ), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Nazwy albumów (np. \"Aparat\")\n• Rodzaje plików (np. \"Wideo\", \".gif\")\n• Lata i miesiące (np. \"2022\", \"Styczeń\")\n• Święta (np. \"Boże Narodzenie\")\n• Opisy zdjęć (np. \"#fun\")", - ), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Dodaj opisy takie jak \"#trip\" w informacji o zdjęciu, aby szybko znaleźć je tutaj", - ), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Szukaj według daty, miesiąca lub roku", - ), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "Obrazy będą wyświetlane tutaj po zakończeniu przetwarzania i synchronizacji", - ), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "Po zakończeniu indeksowania ludzie będą tu wyświetlani", - ), - "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( - "Typy plików i nazwy", - ), - "searchHint1": MessageLookupByLibrary.simpleMessage( - "Szybkie wyszukiwanie na urządzeniu", - ), - "searchHint2": MessageLookupByLibrary.simpleMessage("Daty zdjęć, opisy"), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "Albumy, nazwy plików i typy", - ), - "searchHint4": MessageLookupByLibrary.simpleMessage("Lokalizacja"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "Wkrótce: Twarze i magiczne wyszukiwanie ✨", - ), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Grupuj zdjęcia zrobione w promieniu zdjęcia", - ), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "Zaproś ludzi, a zobaczysz tutaj wszystkie udostępnione przez nich zdjęcia", - ), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "Osoby będą wyświetlane tutaj po zakończeniu przetwarzania i synchronizacji", - ), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Bezpieczeństwo"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "Zobacz publiczne linki do albumów w aplikacji", - ), - "selectALocation": MessageLookupByLibrary.simpleMessage( - "Wybierz lokalizację", - ), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage( - "Najpierw wybierz lokalizację", - ), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Wybierz album"), - "selectAll": MessageLookupByLibrary.simpleMessage("Zaznacz wszystko"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("Wszystko"), - "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( - "Wybierz zdjęcie na okładkę", - ), - "selectDate": MessageLookupByLibrary.simpleMessage("Wybierz datę"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Wybierz foldery do stworzenia kopii zapasowej", - ), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "Wybierz elementy do dodania", - ), - "selectLanguage": MessageLookupByLibrary.simpleMessage("Wybierz Język"), - "selectMailApp": MessageLookupByLibrary.simpleMessage( - "Wybierz aplikację pocztową", - ), - "selectMorePhotos": MessageLookupByLibrary.simpleMessage( - "Wybierz więcej zdjęć", - ), - "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( - "Wybierz jedną datę i czas", - ), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "Wybierz jedną datę i czas dla wszystkich", - ), - "selectPersonToLink": MessageLookupByLibrary.simpleMessage( - "Wybierz osobę do powiązania", - ), - "selectReason": MessageLookupByLibrary.simpleMessage("Wybierz powód"), - "selectStartOfRange": MessageLookupByLibrary.simpleMessage( - "Wybierz początek zakresu", - ), - "selectTime": MessageLookupByLibrary.simpleMessage("Wybierz czas"), - "selectYourFace": MessageLookupByLibrary.simpleMessage( - "Wybierz swoją twarz", - ), - "selectYourPlan": MessageLookupByLibrary.simpleMessage("Wybierz swój plan"), - "selectedAlbums": m79, - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Wybrane pliki nie są w Ente", - ), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Wybrane foldery zostaną zaszyforwane i zostanie utworzona ich kopia zapasowa", - ), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Wybrane elementy zostaną usunięte ze wszystkich albumów i przeniesione do kosza.", - ), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "Wybrane elementy zostaną usunięte z tej osoby, ale nie zostaną usunięte z Twojej biblioteki.", - ), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("Wyślij"), - "sendEmail": MessageLookupByLibrary.simpleMessage("Wyślij e-mail"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Wyślij zaproszenie"), - "sendLink": MessageLookupByLibrary.simpleMessage("Wyślij link"), - "serverEndpoint": MessageLookupByLibrary.simpleMessage( - "Punkt końcowy serwera", - ), - "sessionExpired": MessageLookupByLibrary.simpleMessage("Sesja wygasła"), - "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( - "Niezgodność ID sesji", - ), - "setAPassword": MessageLookupByLibrary.simpleMessage("Ustaw hasło"), - "setAs": MessageLookupByLibrary.simpleMessage("Ustaw jako"), - "setCover": MessageLookupByLibrary.simpleMessage("Ustaw okładkę"), - "setLabel": MessageLookupByLibrary.simpleMessage("Ustaw"), - "setNewPassword": MessageLookupByLibrary.simpleMessage("Ustaw nowe hasło"), - "setNewPin": MessageLookupByLibrary.simpleMessage("Ustaw nowy kod PIN"), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage("Ustaw hasło"), - "setRadius": MessageLookupByLibrary.simpleMessage("Ustaw promień"), - "setupComplete": MessageLookupByLibrary.simpleMessage( - "Konfiguracja ukończona", - ), - "share": MessageLookupByLibrary.simpleMessage("Udostępnij"), - "shareALink": MessageLookupByLibrary.simpleMessage("Udostępnij link"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Otwórz album i dotknij przycisk udostępniania w prawym górnym rogu, aby udostępnić.", - ), - "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( - "Udostępnij teraz album", - ), - "shareLink": MessageLookupByLibrary.simpleMessage("Udostępnij link"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Udostępnij tylko ludziom, którym chcesz", - ), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Pobierz Ente, abyśmy mogli łatwo udostępniać zdjęcia i wideo w oryginalnej jakości\n\nhttps://ente.io", - ), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Udostępnij użytkownikom bez konta Ente", - ), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( - "Udostępnij swój pierwszy album", - ), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Twórz wspólne albumy i współpracuj z innymi użytkownikami Ente, w tym z użytkownikami korzystającymi z bezpłatnych planów.", - ), - "sharedByMe": MessageLookupByLibrary.simpleMessage( - "Udostępnione przeze mnie", - ), - "sharedByYou": MessageLookupByLibrary.simpleMessage( - "Udostępnione przez Ciebie", - ), - "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( - "Nowe udostępnione zdjęcia", - ), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Otrzymuj powiadomienia, gdy ktoś doda zdjęcie do udostępnionego albumu, którego jesteś częścią", - ), - "sharedWith": m87, - "sharedWithMe": MessageLookupByLibrary.simpleMessage("Udostępnione ze mną"), - "sharedWithYou": MessageLookupByLibrary.simpleMessage( - "Udostępnione z Tobą", - ), - "sharing": MessageLookupByLibrary.simpleMessage("Udostępnianie..."), - "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( - "Zmień daty i czas", - ), - "showLessFaces": MessageLookupByLibrary.simpleMessage("Pokaż mniej twarzy"), - "showMemories": MessageLookupByLibrary.simpleMessage("Pokaż wspomnienia"), - "showMoreFaces": MessageLookupByLibrary.simpleMessage( - "Pokaż więcej twarzy", - ), - "showPerson": MessageLookupByLibrary.simpleMessage("Pokaż osobę"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "Wyloguj z pozostałych urządzeń", - ), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Jeśli uważasz, że ktoś może znać Twoje hasło, możesz wymusić wylogowanie na wszystkich innych urządzeniach korzystających z Twojego konta.", - ), - "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( - "Wyloguj z pozostałych urządzeń", - ), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Akceptuję warunki korzystania z usługi i politykę prywatności", - ), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "To zostanie usunięte ze wszystkich albumów.", - ), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Pomiń"), - "social": MessageLookupByLibrary.simpleMessage("Społeczność"), - "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( - "Niektóre elementy są zarówno w Ente, jak i na Twoim urządzeniu.", - ), - "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( - "Niektóre z plików, które próbujesz usunąć, są dostępne tylko na Twoim urządzeniu i nie można ich odzyskać po usunięciu", - ), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Osoba udostępniająca albumy powinna widzieć ten sam identyfikator na swoim urządzeniu.", - ), - "somethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Coś poszło nie tak", - ), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Coś poszło nie tak, spróbuj ponownie", - ), - "sorry": MessageLookupByLibrary.simpleMessage("Przepraszamy"), - "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( - "Przepraszamy, nie mogliśmy utworzyć kopii zapasowej tego pliku teraz, spróbujemy ponownie później.", - ), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Przepraszamy, nie udało się dodać do ulubionych!", - ), - "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( - "Przepraszamy, nie udało się usunąć z ulubionych!", - ), - "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "Niestety, wprowadzony kod jest nieprawidłowy", - ), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Przepraszamy, nie mogliśmy wygenerować bezpiecznych kluczy na tym urządzeniu.\n\nZarejestruj się z innego urządzenia.", - ), - "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( - "Przepraszamy, musieliśmy wstrzymać tworzenie kopii zapasowych", - ), - "sort": MessageLookupByLibrary.simpleMessage("Sortuj"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sortuj według"), - "sortNewestFirst": MessageLookupByLibrary.simpleMessage("Od najnowszych"), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Od najstarszych"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Sukces"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": MessageLookupByLibrary.simpleMessage( - "Uwaga na siebie", - ), - "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( - "Rozpocznij odzyskiwanie", - ), - "startBackup": MessageLookupByLibrary.simpleMessage( - "Uruchom tworzenie kopii zapasowej", - ), - "status": MessageLookupByLibrary.simpleMessage("Stan"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "Czy chcesz przestać wyświetlać?", - ), - "stopCastingTitle": MessageLookupByLibrary.simpleMessage( - "Zatrzymaj wyświetlanie", - ), - "storage": MessageLookupByLibrary.simpleMessage("Pamięć"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Rodzina"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Ty"), - "storageInGB": m93, - "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( - "Przekroczono limit pamięci", - ), - "storageUsageInfo": m94, - "strongStrength": MessageLookupByLibrary.simpleMessage("Silne"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Subskrybuj"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Potrzebujesz aktywnej płatnej subskrypcji, aby włączyć udostępnianie.", - ), - "subscription": MessageLookupByLibrary.simpleMessage("Subskrypcja"), - "success": MessageLookupByLibrary.simpleMessage("Sukces"), - "successfullyArchived": MessageLookupByLibrary.simpleMessage( - "Pomyślnie zarchiwizowano", - ), - "successfullyHid": MessageLookupByLibrary.simpleMessage("Pomyślnie ukryto"), - "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( - "Pomyślnie przywrócono z archiwum", - ), - "successfullyUnhid": MessageLookupByLibrary.simpleMessage( - "Pomyślnie odkryto", - ), - "suggestFeatures": MessageLookupByLibrary.simpleMessage( - "Zaproponuj funkcje", - ), - "sunrise": MessageLookupByLibrary.simpleMessage("Na horyzoncie"), - "support": MessageLookupByLibrary.simpleMessage("Wsparcie techniczne"), - "syncProgress": m97, - "syncStopped": MessageLookupByLibrary.simpleMessage( - "Synchronizacja zatrzymana", - ), - "syncing": MessageLookupByLibrary.simpleMessage("Synchronizowanie..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("Systemowy"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("naciśnij aby skopiować"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage( - "Stuknij, aby wprowadzić kod", - ), - "tapToUnlock": MessageLookupByLibrary.simpleMessage( - "Naciśnij, aby odblokować", - ), - "tapToUpload": MessageLookupByLibrary.simpleMessage( - "Naciśnij, aby przesłać", - ), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Wygląda na to, że coś poszło nie tak. Spróbuj ponownie po pewnym czasie. Jeśli błąd będzie się powtarzał, skontaktuj się z naszym zespołem pomocy technicznej.", - ), - "terminate": MessageLookupByLibrary.simpleMessage("Zakończ"), - "terminateSession": MessageLookupByLibrary.simpleMessage( - "Zakończyć sesję?", - ), - "terms": MessageLookupByLibrary.simpleMessage("Warunki"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Regulamin"), - "thankYou": MessageLookupByLibrary.simpleMessage("Dziękujemy"), - "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( - "Dziękujemy za subskrypcję!", - ), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "Pobieranie nie mogło zostać ukończone", - ), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "Link, do którego próbujesz uzyskać dostęp, wygasł.", - ), - "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "Grupy osób nie będą już wyświetlane w sekcji ludzi. Zdjęcia pozostaną nienaruszone.", - ), - "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "Osoba nie będzie już wyświetlana w sekcji ludzi. Zdjęcia pozostaną nienaruszone.", - ), - "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "Wprowadzony klucz odzyskiwania jest nieprawidłowy", - ), - "theme": MessageLookupByLibrary.simpleMessage("Motyw"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Te elementy zostaną usunięte z Twojego urządzenia.", - ), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "Zostaną one usunięte ze wszystkich albumów.", - ), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Tej czynności nie można cofnąć", - ), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "Ten album posiada już link do współpracy", - ), - "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( - "Można go użyć do odzyskania konta w przypadku utraty swojej drugiej metody uwierzytelniania", - ), - "thisDevice": MessageLookupByLibrary.simpleMessage("To urządzenie"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "Ten e-mail jest już używany", - ), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Ten obraz nie posiada danych exif", - ), - "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("To ja!"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "To jest Twój Identyfikator Weryfikacji", - ), - "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( - "Ten tydzień przez lata", - ), - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "To wyloguje Cię z tego urządzenia:", - ), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "To wyloguje Cię z tego urządzenia!", - ), - "thisWillMakeTheDateAndTimeOfAllSelected": - MessageLookupByLibrary.simpleMessage( - "To sprawi, że data i czas wszystkich wybranych zdjęć będą takie same.", - ), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "Spowoduje to usunięcie publicznych linków wszystkich zaznaczonych szybkich linków.", - ), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "Aby włączyć blokadę aplikacji, należy skonfigurować hasło urządzenia lub blokadę ekranu w ustawieniach systemu.", - ), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( - "Aby ukryć zdjęcie lub wideo", - ), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Aby zresetować hasło, najpierw zweryfikuj swój adres e-mail.", - ), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Dzisiejsze logi"), - "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( - "Zbyt wiele błędnych prób", - ), - "total": MessageLookupByLibrary.simpleMessage("ogółem"), - "totalSize": MessageLookupByLibrary.simpleMessage("Całkowity rozmiar"), - "trash": MessageLookupByLibrary.simpleMessage("Kosz"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Przytnij"), - "tripInYear": m104, - "trustedContacts": MessageLookupByLibrary.simpleMessage("Zaufane kontakty"), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Spróbuj ponownie"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Włącz kopię zapasową, aby automatycznie przesyłać pliki dodane do folderu urządzenia do Ente.", - ), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "2 miesiące za darmo na planach rocznych", - ), - "twofactor": MessageLookupByLibrary.simpleMessage( - "Uwierzytelnianie dwustopniowe", - ), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "Uwierzytelnianie dwustopniowe zostało wyłączone", - ), - "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( - "Uwierzytelnianie dwustopniowe", - ), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "Pomyślnie zresetowano uwierzytelnianie dwustopniowe", - ), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Uwierzytelnianie dwustopniowe", - ), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("Przywróć z archiwum"), - "unarchiveAlbum": MessageLookupByLibrary.simpleMessage( - "Przywróć album z archiwum", - ), - "unarchiving": MessageLookupByLibrary.simpleMessage( - "Usuwanie z archiwum...", - ), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Przepraszamy, ten kod jest niedostępny.", - ), - "uncategorized": MessageLookupByLibrary.simpleMessage("Bez kategorii"), - "unhide": MessageLookupByLibrary.simpleMessage("Odkryj"), - "unhideToAlbum": MessageLookupByLibrary.simpleMessage("Odkryj do albumu"), - "unhiding": MessageLookupByLibrary.simpleMessage("Odkrywanie..."), - "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Odkrywanie plików do albumu", - ), - "unlock": MessageLookupByLibrary.simpleMessage("Odblokuj"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("Odepnij album"), - "unselectAll": MessageLookupByLibrary.simpleMessage("Odznacz wszystko"), - "update": MessageLookupByLibrary.simpleMessage("Aktualizuj"), - "updateAvailable": MessageLookupByLibrary.simpleMessage( - "Dostępna jest aktualizacja", - ), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Aktualizowanie wyboru folderu...", - ), - "upgrade": MessageLookupByLibrary.simpleMessage("Ulepsz"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Przesyłanie plików do albumu...", - ), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( - "Zachowywanie 1 wspomnienia...", - ), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "Do 50% zniżki, do 4 grudnia.", - ), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "Użyteczna przestrzeń dyskowa jest ograniczona przez Twój obecny plan. Nadmiar zadeklarowanej przestrzeni dyskowej stanie się automatycznie użyteczny po uaktualnieniu planu.", - ), - "useAsCover": MessageLookupByLibrary.simpleMessage("Użyj jako okładki"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "Masz problem z odtwarzaniem tego wideo? Przytrzymaj tutaj, aby spróbować innego odtwarzacza.", - ), - "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Użyj publicznych linków dla osób spoza Ente", - ), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Użyj kodu odzyskiwania", - ), - "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( - "Użyj zaznaczone zdjęcie", - ), - "usedSpace": MessageLookupByLibrary.simpleMessage("Zajęta przestrzeń"), - "validTill": m110, - "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Weryfikacja nie powiodła się, spróbuj ponownie", - ), - "verificationId": MessageLookupByLibrary.simpleMessage( - "Identyfikator weryfikacyjny", - ), - "verify": MessageLookupByLibrary.simpleMessage("Zweryfikuj"), - "verifyEmail": MessageLookupByLibrary.simpleMessage( - "Zweryfikuj adres e-mail", - ), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Zweryfikuj"), - "verifyPasskey": MessageLookupByLibrary.simpleMessage( - "Zweryfikuj klucz dostępu", - ), - "verifyPassword": MessageLookupByLibrary.simpleMessage("Zweryfikuj hasło"), - "verifying": MessageLookupByLibrary.simpleMessage("Weryfikowanie..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Weryfikowanie klucza odzyskiwania...", - ), - "videoInfo": MessageLookupByLibrary.simpleMessage("Informacje Wideo"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("wideo"), - "videoStreaming": MessageLookupByLibrary.simpleMessage( - "Streamowalne wideo", - ), - "videos": MessageLookupByLibrary.simpleMessage("Wideo"), - "viewActiveSessions": MessageLookupByLibrary.simpleMessage( - "Zobacz aktywne sesje", - ), - "viewAddOnButton": MessageLookupByLibrary.simpleMessage("Zobacz dodatki"), - "viewAll": MessageLookupByLibrary.simpleMessage("Pokaż wszystkie"), - "viewAllExifData": MessageLookupByLibrary.simpleMessage( - "Wyświetl wszystkie dane EXIF", - ), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Duże pliki"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Wyświetl pliki zużywające największą ilość pamięci.", - ), - "viewLogs": MessageLookupByLibrary.simpleMessage("Wyświetl logi"), - "viewPersonToUnlink": m112, - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Zobacz klucz odzyskiwania", - ), - "viewer": MessageLookupByLibrary.simpleMessage("Widz"), - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Odwiedź stronę web.ente.io, aby zarządzać subskrypcją", - ), - "waitingForVerification": MessageLookupByLibrary.simpleMessage( - "Oczekiwanie na weryfikację...", - ), - "waitingForWifi": MessageLookupByLibrary.simpleMessage( - "Czekanie na WiFi...", - ), - "warning": MessageLookupByLibrary.simpleMessage("Uwaga"), - "weAreOpenSource": MessageLookupByLibrary.simpleMessage( - "Posiadamy otwarte źródło!", - ), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "Nie wspieramy edycji zdjęć i albumów, których jeszcze nie posiadasz", - ), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Słabe"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("Witaj ponownie!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("Co nowego"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "Zaufany kontakt może pomóc w odzyskaniu Twoich danych.", - ), - "widgets": MessageLookupByLibrary.simpleMessage("Widżety"), - "wishThemAHappyBirthday": m115, - "yearShort": MessageLookupByLibrary.simpleMessage("r"), - "yearly": MessageLookupByLibrary.simpleMessage("Rocznie"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Tak"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Tak, anuluj"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "Tak, konwertuj na widza", - ), - "yesDelete": MessageLookupByLibrary.simpleMessage("Tak, usuń"), - "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( - "Tak, odrzuć zmiany", - ), - "yesIgnore": MessageLookupByLibrary.simpleMessage("Tak, ignoruj"), - "yesLogout": MessageLookupByLibrary.simpleMessage("Tak, wyloguj"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Tak, usuń"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Tak, Odnów"), - "yesResetPerson": MessageLookupByLibrary.simpleMessage( - "Tak, zresetuj osobę", - ), - "you": MessageLookupByLibrary.simpleMessage("Ty"), - "youAndThem": m117, - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( - "Jesteś w planie rodzinnym!", - ), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Korzystasz z najnowszej wersji", - ), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Maksymalnie możesz podwoić swoją przestrzeń dyskową", - ), - "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( - "Możesz zarządzać swoimi linkami w zakładce udostępnianie.", - ), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "Możesz spróbować wyszukać inne zapytanie.", - ), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "Nie możesz przejść do tego planu", - ), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Nie możesz udostępnić samemu sobie", - ), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "Nie masz żadnych zarchiwizowanych elementów.", - ), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "Twoje konto zostało usunięte", - ), - "yourMap": MessageLookupByLibrary.simpleMessage("Twoja mapa"), - "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( - "Twój plan został pomyślnie obniżony", - ), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "Twój plan został pomyślnie ulepszony", - ), - "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( - "Twój zakup zakończył się pomyślnie", - ), - "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( - "Nie można pobrać szczegółów pamięci", - ), - "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( - "Twoja subskrypcja wygasła", - ), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "Twoja subskrypcja została pomyślnie zaktualizowana", - ), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "Twój kod weryfikacyjny wygasł", - ), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage( - "Nie masz zduplikowanych plików, które można wyczyścić", - ), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "Nie masz żadnych plików w tym albumie, które można usunąć", - ), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( - "Pomniejsz, aby zobaczyć zdjęcia", - ), - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Dostępna jest nowa wersja Ente."), + "about": MessageLookupByLibrary.simpleMessage("O nas"), + "acceptTrustInvite": + MessageLookupByLibrary.simpleMessage("Zaakceptuj Zaproszenie"), + "account": MessageLookupByLibrary.simpleMessage("Konto"), + "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( + "Konto jest już skonfigurowane."), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("Witaj ponownie!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Rozumiem, że jeśli utracę hasło, mogę utracić dane, ponieważ moje dane są całkowicie zaszyfrowane."), + "actionNotSupportedOnFavouritesAlbum": + MessageLookupByLibrary.simpleMessage( + "Akcja nie jest obsługiwana na Ulubionym albumie"), + "activeSessions": MessageLookupByLibrary.simpleMessage("Aktywne sesje"), + "add": MessageLookupByLibrary.simpleMessage("Dodaj"), + "addAName": MessageLookupByLibrary.simpleMessage("Dodaj nazwę"), + "addANewEmail": + MessageLookupByLibrary.simpleMessage("Dodaj nowy adres e-mail"), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Dodaj widżet albumu do ekranu głównego i wróć tutaj, aby dostosować."), + "addCollaborator": + MessageLookupByLibrary.simpleMessage("Dodaj współuczestnika"), + "addFiles": MessageLookupByLibrary.simpleMessage("Dodaj Pliki"), + "addFromDevice": + MessageLookupByLibrary.simpleMessage("Dodaj z urządzenia"), + "addLocation": + MessageLookupByLibrary.simpleMessage("Dodaj lokalizację"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Dodaj"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Dodaj widżet wspomnień do ekranu głównego i wróć tutaj, aby dostosować."), + "addMore": MessageLookupByLibrary.simpleMessage("Dodaj więcej"), + "addName": MessageLookupByLibrary.simpleMessage("Dodaj nazwę"), + "addNameOrMerge": + MessageLookupByLibrary.simpleMessage("Dodaj nazwę lub scal"), + "addNew": MessageLookupByLibrary.simpleMessage("Dodaj nowe"), + "addNewPerson": + MessageLookupByLibrary.simpleMessage("Dodaj nową osobę"), + "addOnPageSubtitle": + MessageLookupByLibrary.simpleMessage("Szczegóły dodatków"), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("Dodatki"), + "addParticipants": + MessageLookupByLibrary.simpleMessage("Dodaj uczestników"), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Dodaj widżet ludzi do ekranu głównego i wróć tutaj, aby dostosować."), + "addPhotos": MessageLookupByLibrary.simpleMessage("Dodaj zdjęcia"), + "addSelected": MessageLookupByLibrary.simpleMessage("Dodaj zaznaczone"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("Dodaj do albumu"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Dodaj do Ente"), + "addToHiddenAlbum": + MessageLookupByLibrary.simpleMessage("Dodaj do ukrytego albumu"), + "addTrustedContact": + MessageLookupByLibrary.simpleMessage("Dodaj Zaufany Kontakt"), + "addViewer": MessageLookupByLibrary.simpleMessage("Dodaj widza"), + "addYourPhotosNow": + MessageLookupByLibrary.simpleMessage("Dodaj swoje zdjęcia teraz"), + "addedAs": MessageLookupByLibrary.simpleMessage("Dodano jako"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": + MessageLookupByLibrary.simpleMessage("Dodawanie do ulubionych..."), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("Zaawansowane"), + "advancedSettings": + MessageLookupByLibrary.simpleMessage("Zaawansowane"), + "after1Day": MessageLookupByLibrary.simpleMessage("Po 1 dniu"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Po 1 godzinie"), + "after1Month": MessageLookupByLibrary.simpleMessage("Po 1 miesiącu"), + "after1Week": MessageLookupByLibrary.simpleMessage("Po 1 tygodniu"), + "after1Year": MessageLookupByLibrary.simpleMessage("Po 1 roku"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Właściciel"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Tytuł albumu"), + "albumUpdated": + MessageLookupByLibrary.simpleMessage("Album został zaktualizowany"), + "albums": MessageLookupByLibrary.simpleMessage("Albumy"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Wybierz albumy, które chcesz zobaczyć na ekranie głównym."), + "allClear": + MessageLookupByLibrary.simpleMessage("✨ Wszystko wyczyszczone"), + "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( + "Wszystkie wspomnienia zachowane"), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "Wszystkie grupy dla tej osoby zostaną zresetowane i stracisz wszystkie sugestie dla tej osoby"), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "Wszystkie nienazwane grupy zostaną scalone z wybraną osobą. To nadal może zostać cofnięte z przeglądu historii sugestii danej osoby."), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "To jest pierwsze w grupie. Inne wybrane zdjęcia zostaną automatycznie przesunięte w oparciu o tę nową datę"), + "allow": MessageLookupByLibrary.simpleMessage("Zezwól"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Pozwól osobom z linkiem na dodawania zdjęć do udostępnionego albumu."), + "allowAddingPhotos": + MessageLookupByLibrary.simpleMessage("Pozwól na dodawanie zdjęć"), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "Zezwalaj aplikacji na otwieranie udostępnianych linków do albumu"), + "allowDownloads": + MessageLookupByLibrary.simpleMessage("Zezwól na pobieranie"), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Pozwól innym dodawać zdjęcia"), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Prosimy zezwolić na dostęp do swoich zdjęć w Ustawieniach, aby Ente mogło wyświetlać i tworzyć kopię zapasową Twojej biblioteki."), + "allowPermTitle": + MessageLookupByLibrary.simpleMessage("Zezwól na dostęp do zdjęć"), + "androidBiometricHint": + MessageLookupByLibrary.simpleMessage("Potwierdź swoją tożsamość"), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "Nie rozpoznano. Spróbuj ponownie."), + "androidBiometricRequiredTitle": + MessageLookupByLibrary.simpleMessage("Wymagana biometria"), + "androidBiometricSuccess": + MessageLookupByLibrary.simpleMessage("Sukces"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Anuluj"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage( + "Wymagane dane logowania urządzenia"), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage( + "Wymagane dane logowania urządzenia"), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Uwierzytelnianie biometryczne nie jest skonfigurowane na tym urządzeniu. Przejdź do \'Ustawienia > Bezpieczeństwo\', aby dodać uwierzytelnianie biometryczne."), + "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( + "Android, iOS, Strona Internetowa, Aplikacja Komputerowa"), + "androidSignInTitle": + MessageLookupByLibrary.simpleMessage("Wymagane uwierzytelnienie"), + "appIcon": MessageLookupByLibrary.simpleMessage("Ikona aplikacji"), + "appLock": MessageLookupByLibrary.simpleMessage( + "Blokada dostępu do aplikacji"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Wybierz między domyślnym ekranem blokady urządzenia a niestandardowym ekranem blokady z kodem PIN lub hasłem."), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), + "apply": MessageLookupByLibrary.simpleMessage("Zastosuj"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Użyj kodu"), + "appstoreSubscription": + MessageLookupByLibrary.simpleMessage("Subskrypcja AppStore"), + "archive": MessageLookupByLibrary.simpleMessage("Archiwum"), + "archiveAlbum": + MessageLookupByLibrary.simpleMessage("Archiwizuj album"), + "archiving": MessageLookupByLibrary.simpleMessage("Archiwizowanie..."), + "areThey": MessageLookupByLibrary.simpleMessage("Czy są "), + "areYouSureRemoveThisFaceFromPerson": + MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz usunąć tę twarz z tej osoby?"), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Czy jesteś pewien/pewna, że chcesz opuścić plan rodzinny?"), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz anulować?"), + "areYouSureYouWantToChangeYourPlan": + MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz zmienić swój plan?"), + "areYouSureYouWantToExit": + MessageLookupByLibrary.simpleMessage("Czy na pewno chcesz wyjść?"), + "areYouSureYouWantToIgnoreThesePersons": + MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz zignorować te osoby?"), + "areYouSureYouWantToIgnoreThisPerson": + MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz zignorować tę osobę?"), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz się wylogować?"), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz je scalić?"), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz odnowić?"), + "areYouSureYouWantToResetThisPerson": + MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz zresetować tę osobę?"), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "Twoja subskrypcja została anulowana. Czy chcesz podzielić się powodem?"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Jaka jest główna przyczyna usunięcia Twojego konta?"), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Poproś swoich bliskich o udostępnienie"), + "atAFalloutShelter": MessageLookupByLibrary.simpleMessage("w schronie"), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Prosimy uwierzytelnić się, aby zmienić weryfikację e-mail"), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Prosimy uwierzytelnić się, aby zmienić ustawienia ekranu blokady"), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Prosimy uwierzytelnić się, aby zmienić swój adres e-mail"), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Prosimy uwierzytelnić się, aby zmienić hasło"), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Uwierzytelnij się, aby skonfigurować uwierzytelnianie dwustopniowe"), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Prosimy uwierzytelnić się, aby zainicjować usuwanie konta"), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Prosimy uwierzytelnić się, aby zarządzać zaufanymi kontaktami"), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Prosimy uwierzytelnić się, aby wyświetlić swój klucz dostępu"), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Prosimy uwierzytelnić się, aby wyświetlić swoje pliki w koszu"), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Prosimy uwierzytelnić się, aby wyświetlić swoje aktywne sesje"), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Prosimy uwierzytelnić się, aby wyświetlić ukryte pliki"), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Prosimy uwierzytelnić się, aby wyświetlić swoje wspomnienia"), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Prosimy uwierzytelnić się, aby wyświetlić swój klucz odzyskiwania"), + "authenticating": + MessageLookupByLibrary.simpleMessage("Uwierzytelnianie..."), + "authenticationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Uwierzytelnianie nie powiodło się, prosimy spróbować ponownie"), + "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( + "Uwierzytelnianie powiodło się!"), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Tutaj zobaczysz dostępne urządzenia Cast."), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Upewnij się, że uprawnienia sieci lokalnej są włączone dla aplikacji Zdjęcia Ente w Ustawieniach."), + "autoLock": + MessageLookupByLibrary.simpleMessage("Automatyczna blokada"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Czas, po którym aplikacja blokuje się po umieszczeniu jej w tle"), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "Z powodu technicznego błędu, zostałeś wylogowany. Przepraszamy za niedogodności."), + "autoPair": + MessageLookupByLibrary.simpleMessage("Automatyczne parowanie"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "Automatyczne parowanie działa tylko z urządzeniami obsługującymi Chromecast."), + "available": MessageLookupByLibrary.simpleMessage("Dostępne"), + "availableStorageSpace": m10, + "backedUpFolders": + MessageLookupByLibrary.simpleMessage("Foldery kopii zapasowej"), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("Kopia zapasowa"), + "backupFailed": MessageLookupByLibrary.simpleMessage( + "Tworzenie kopii zapasowej nie powiodło się"), + "backupFile": + MessageLookupByLibrary.simpleMessage("Zrób kopię zapasową pliku"), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Kopia zapasowa przez dane mobilne"), + "backupSettings": + MessageLookupByLibrary.simpleMessage("Ustawienia kopii zapasowej"), + "backupStatus": + MessageLookupByLibrary.simpleMessage("Status kopii zapasowej"), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Elementy, których kopia zapasowa została utworzona, zostaną wyświetlone w tym miejscu"), + "backupVideos": + MessageLookupByLibrary.simpleMessage("Utwórz kopię zapasową wideo"), + "beach": MessageLookupByLibrary.simpleMessage("Piasek i morze"), + "birthday": MessageLookupByLibrary.simpleMessage("Urodziny"), + "birthdayNotifications": + MessageLookupByLibrary.simpleMessage("Powiadomienia o urodzinach"), + "birthdays": MessageLookupByLibrary.simpleMessage("Urodziny"), + "blackFridaySale": MessageLookupByLibrary.simpleMessage( + "Wyprzedaż z okazji Czarnego Piątku"), + "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cLDesc1": MessageLookupByLibrary.simpleMessage( + "W związku z uruchomieniem wersji beta przesyłania strumieniowego wideo oraz pracami nad możliwością wznawiania przesyłania i pobierania plików, zwiększyliśmy limit przesyłanych plików do 10 GB. Jest to już dostępne zarówno w aplikacjach na komputery, jak i na urządzenia mobilne."), + "cLDesc2": MessageLookupByLibrary.simpleMessage( + "Funkcja przesyłania w tle jest teraz obsługiwana również na urządzeniach z systemem iOS, oprócz urządzeń z Androidem. Nie trzeba już otwierać aplikacji, aby utworzyć kopię zapasową najnowszych zdjęć i filmów."), + "cLDesc3": MessageLookupByLibrary.simpleMessage( + "Wprowadziliśmy istotne ulepszenia w funkcji wspomnień, w tym automatyczne odtwarzanie, przesuwanie do kolejnego wspomnienia i wiele innych."), + "cLDesc4": MessageLookupByLibrary.simpleMessage( + "Wraz z kilkoma ulepszeniami w mechanizmie teraz znacznie łatwiej jest widzieć wszystkie wykryte twarze, zapewniać informacje zwrotne o podobnych twarzach i dodawać/usuwać twarze z jednego zdjęcia."), + "cLDesc5": MessageLookupByLibrary.simpleMessage( + "Od teraz otrzymasz powiadomienie z możliwością rezygnacji dotyczące wszystkich zapisanych urodzin w Ente, wraz z kolekcją najlepszych zdjęć danej osoby."), + "cLDesc6": MessageLookupByLibrary.simpleMessage( + "Nie musisz już czekać na zakończenie przesyłania ani pobierania, żeby móc zamknąć aplikację. Wszystkie operacje przesyłania i pobierania można teraz wstrzymać w dowolnym momencie i wznowić od miejsca, w którym zostały przerwane."), + "cLTitle1": MessageLookupByLibrary.simpleMessage( + "Przesyłanie Dużych Plików Wideo"), + "cLTitle2": MessageLookupByLibrary.simpleMessage("Przesyłanie w Tle"), + "cLTitle3": MessageLookupByLibrary.simpleMessage( + "Automatyczne Odtwarzanie Wspomnień"), + "cLTitle4": MessageLookupByLibrary.simpleMessage( + "Ulepszone Rozpoznawanie Twarzy"), + "cLTitle5": + MessageLookupByLibrary.simpleMessage("Powiadomienia o Urodzinach"), + "cLTitle6": MessageLookupByLibrary.simpleMessage( + "Wznawialne Przesyłanie i Pobieranie Danych"), + "cachedData": + MessageLookupByLibrary.simpleMessage("Dane w pamięci podręcznej"), + "calculating": MessageLookupByLibrary.simpleMessage("Obliczanie..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Przepraszamy, ten album nie może zostać otwarty w aplikacji."), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( + "Nie można otworzyć tego albumu"), + "canNotUploadToAlbumsOwnedByOthers": + MessageLookupByLibrary.simpleMessage( + "Nie można przesłać do albumów należących do innych"), + "canOnlyCreateLinkForFilesOwnedByYou": + MessageLookupByLibrary.simpleMessage( + "Można tylko utworzyć link dla plików należących do Ciebie"), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Można usuwać tylko pliki należące do Ciebie"), + "cancel": MessageLookupByLibrary.simpleMessage("Anuluj"), + "cancelAccountRecovery": + MessageLookupByLibrary.simpleMessage("Anuluj odzyskiwanie"), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz anulować odzyskiwanie?"), + "cancelOtherSubscription": m12, + "cancelSubscription": + MessageLookupByLibrary.simpleMessage("Anuluj subskrypcję"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Nie można usunąć udostępnionych plików"), + "castAlbum": MessageLookupByLibrary.simpleMessage("Odtwórz album"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Upewnij się, że jesteś w tej samej sieci co telewizor."), + "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( + "Nie udało się wyświetlić albumu"), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Odwiedź cast.ente.io na urządzeniu, które chcesz sparować.\n\nWprowadź poniższy kod, aby odtworzyć album na telewizorze."), + "centerPoint": MessageLookupByLibrary.simpleMessage("Punkt środkowy"), + "change": MessageLookupByLibrary.simpleMessage("Zmień"), + "changeEmail": + MessageLookupByLibrary.simpleMessage("Zmień adres e-mail"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Zmienić lokalizację wybranych elementów?"), + "changePassword": MessageLookupByLibrary.simpleMessage("Zmień hasło"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("Zmień hasło"), + "changePermissions": + MessageLookupByLibrary.simpleMessage("Zmień uprawnienia?"), + "changeYourReferralCode": + MessageLookupByLibrary.simpleMessage("Zmień swój kod polecający"), + "checkForUpdates": MessageLookupByLibrary.simpleMessage( + "Sprawdź dostępne aktualizacje"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Sprawdź swoją skrzynkę odbiorczą (i spam), aby zakończyć weryfikację"), + "checkStatus": MessageLookupByLibrary.simpleMessage("Sprawdź stan"), + "checking": MessageLookupByLibrary.simpleMessage("Sprawdzanie..."), + "checkingModels": + MessageLookupByLibrary.simpleMessage("Sprawdzanie modeli..."), + "city": MessageLookupByLibrary.simpleMessage("W mieście"), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage( + "Odbierz bezpłatną przestrzeń dyskową"), + "claimMore": MessageLookupByLibrary.simpleMessage("Zdobądź więcej!"), + "claimed": MessageLookupByLibrary.simpleMessage("Odebrano"), + "claimedStorageSoFar": m14, + "cleanUncategorized": + MessageLookupByLibrary.simpleMessage("Wyczyść Nieskategoryzowane"), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Usuń wszystkie pliki z Nieskategoryzowanych, które są obecne w innych albumach"), + "clearCaches": + MessageLookupByLibrary.simpleMessage("Wyczyść pamięć podręczną"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Wyczyść indeksy"), + "click": MessageLookupByLibrary.simpleMessage("• Kliknij"), + "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( + "• Kliknij na menu przepełnienia"), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Kliknij, aby zainstalować naszą najlepszą wersję"), + "close": MessageLookupByLibrary.simpleMessage("Zamknij"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( + "Club według czasu przechwycenia"), + "clubByFileName": + MessageLookupByLibrary.simpleMessage("Club według nazwy pliku"), + "clusteringProgress": + MessageLookupByLibrary.simpleMessage("Postęp tworzenia klastrów"), + "codeAppliedPageTitle": + MessageLookupByLibrary.simpleMessage("Kod został zastosowany"), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Przepraszamy, osiągnięto limit zmian kodu."), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Kod został skopiowany do schowka"), + "codeUsedByYou": + MessageLookupByLibrary.simpleMessage("Kod użyty przez Ciebie"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Utwórz link, aby umożliwić innym dodawanie i przeglądanie zdjęć w udostępnionym albumie bez konieczności korzystania z aplikacji lub konta Ente. Świetne rozwiązanie do gromadzenia zdjęć ze wspólnych wydarzeń."), + "collaborativeLink": + MessageLookupByLibrary.simpleMessage("Link do współpracy"), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Współuczestnik"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Współuczestnicy mogą dodawać zdjęcia i wideo do udostępnionego albumu."), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("Układ"), + "collageSaved": + MessageLookupByLibrary.simpleMessage("Kolaż zapisano w galerii"), + "collect": MessageLookupByLibrary.simpleMessage("Zbieraj"), + "collectEventPhotos": + MessageLookupByLibrary.simpleMessage("Zbierz zdjęcia z wydarzenia"), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Zbierz zdjęcia"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Utwórz link, w którym Twoi znajomi mogą przesyłać zdjęcia w oryginalnej jakości."), + "color": MessageLookupByLibrary.simpleMessage("Kolor"), + "configuration": MessageLookupByLibrary.simpleMessage("Konfiguracja"), + "confirm": MessageLookupByLibrary.simpleMessage("Potwierdź"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz wyłączyć uwierzytelnianie dwustopniowe?"), + "confirmAccountDeletion": + MessageLookupByLibrary.simpleMessage("Potwierdź usunięcie konta"), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Tak, chcę trwale usunąć to konto i jego dane ze wszystkich aplikacji."), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("Powtórz hasło"), + "confirmPlanChange": + MessageLookupByLibrary.simpleMessage("Potwierdź zmianę planu"), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Potwierdź klucz odzyskiwania"), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Potwierdź klucz odzyskiwania"), + "connectToDevice": + MessageLookupByLibrary.simpleMessage("Połącz z urządzeniem"), + "contactFamilyAdmin": m18, + "contactSupport": MessageLookupByLibrary.simpleMessage( + "Skontaktuj się z pomocą techniczną"), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Kontakty"), + "contents": MessageLookupByLibrary.simpleMessage("Zawartość"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Kontynuuj"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "Kontynuuj bezpłatny okres próbny"), + "convertToAlbum": + MessageLookupByLibrary.simpleMessage("Konwertuj na album"), + "copyEmailAddress": + MessageLookupByLibrary.simpleMessage("Kopiuj adres e-mail"), + "copyLink": MessageLookupByLibrary.simpleMessage("Skopiuj link"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Kopiuj, wklej ten kod\ndo swojej aplikacji uwierzytelniającej"), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "Nie można utworzyć kopii zapasowej Twoich danych.\nSpróbujemy ponownie później."), + "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( + "Nie udało się zwolnić miejsca"), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Nie można było zaktualizować subskrybcji"), + "count": MessageLookupByLibrary.simpleMessage("Ilość"), + "crashReporting": + MessageLookupByLibrary.simpleMessage("Zgłaszanie awarii"), + "create": MessageLookupByLibrary.simpleMessage("Utwórz"), + "createAccount": MessageLookupByLibrary.simpleMessage("Stwórz konto"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Przytrzymaj, aby wybrać zdjęcia i kliknij +, aby utworzyć album"), + "createCollaborativeLink": + MessageLookupByLibrary.simpleMessage("Utwórz link współpracy"), + "createCollage": MessageLookupByLibrary.simpleMessage("Utwórz kolaż"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("Stwórz nowe konto"), + "createOrSelectAlbum": + MessageLookupByLibrary.simpleMessage("Utwórz lub wybierz album"), + "createPublicLink": + MessageLookupByLibrary.simpleMessage("Utwórz publiczny link"), + "creatingLink": + MessageLookupByLibrary.simpleMessage("Tworzenie linku..."), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "Dostępna jest krytyczna aktualizacja"), + "crop": MessageLookupByLibrary.simpleMessage("Kadruj"), + "curatedMemories": MessageLookupByLibrary.simpleMessage( + "Wyselekcjonowane wspomnienia"), + "currentUsageIs": + MessageLookupByLibrary.simpleMessage("Aktualne użycie to "), + "currentlyRunning": + MessageLookupByLibrary.simpleMessage("aktualnie uruchomiony"), + "custom": MessageLookupByLibrary.simpleMessage("Niestandardowy"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Ciemny"), + "dayToday": MessageLookupByLibrary.simpleMessage("Dzisiaj"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Wczoraj"), + "declineTrustInvite": + MessageLookupByLibrary.simpleMessage("Odrzuć Zaproszenie"), + "decrypting": MessageLookupByLibrary.simpleMessage("Odszyfrowanie..."), + "decryptingVideo": + MessageLookupByLibrary.simpleMessage("Odszyfrowywanie wideo..."), + "deduplicateFiles": + MessageLookupByLibrary.simpleMessage("Odduplikuj pliki"), + "delete": MessageLookupByLibrary.simpleMessage("Usuń"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Usuń konto"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Przykro nam, że odchodzisz. Wyjaśnij nam, dlaczego nas opuszczasz, aby pomóc ulepszać nasze usługi."), + "deleteAccountPermanentlyButton": + MessageLookupByLibrary.simpleMessage("Usuń konto na stałe"), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Usuń album"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Usunąć również zdjęcia (i wideo) znajdujące się w tym albumie ze wszystkich innych albumów, których są częścią?"), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "Spowoduje to usunięcie wszystkich pustych albumów. Jest to przydatne, gdy chcesz zmniejszyć ilość śmieci na liście albumów."), + "deleteAll": MessageLookupByLibrary.simpleMessage("Usuń Wszystko"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "To konto jest połączone z innymi aplikacjami Ente, jeśli ich używasz. Twoje przesłane dane, we wszystkich aplikacjach Ente, zostaną zaplanowane do usunięcia, a Twoje konto zostanie trwale usunięte."), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Wyślij wiadomość e-mail na account-deletion@ente.io z zarejestrowanego adresu e-mail."), + "deleteEmptyAlbums": + MessageLookupByLibrary.simpleMessage("Usuń puste albumy"), + "deleteEmptyAlbumsWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Usunąć puste albumy?"), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage("Usuń z obu"), + "deleteFromDevice": + MessageLookupByLibrary.simpleMessage("Usuń z urządzenia"), + "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Usuń z Ente"), + "deleteItemCount": m21, + "deleteLocation": + MessageLookupByLibrary.simpleMessage("Usuń lokalizację"), + "deleteMultipleAlbumDialog": m22, + "deletePhotos": MessageLookupByLibrary.simpleMessage("Usuń zdjęcia"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Brakuje kluczowej funkcji, której potrzebuję"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "Aplikacja lub określona funkcja nie zachowuje się tak, jak sądzę, że powinna"), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Znalazłem/am inną, lepszą usługę"), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "Moja przyczyna nie jest wymieniona"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Twoje żądanie zostanie przetworzone w ciągu 72 godzin."), + "deleteSharedAlbum": + MessageLookupByLibrary.simpleMessage("Usunąć udostępniony album?"), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "Album zostanie usunięty dla wszystkich\n\nUtracisz dostęp do udostępnionych zdjęć w tym albumie, które są własnością innych osób"), + "deselectAll": MessageLookupByLibrary.simpleMessage("Odznacz wszystko"), + "designedToOutlive": MessageLookupByLibrary.simpleMessage( + "Zaprojektowane do przetrwania"), + "details": MessageLookupByLibrary.simpleMessage("Szczegóły"), + "developerSettings": + MessageLookupByLibrary.simpleMessage("Ustawienia dla programistów"), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz zmodyfikować ustawienia programisty?"), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Wprowadź kod"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "Pliki dodane do tego albumu urządzenia zostaną automatycznie przesłane do Ente."), + "deviceLock": + MessageLookupByLibrary.simpleMessage("Blokada urządzenia"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Wyłącz blokadę ekranu urządzenia, gdy Ente jest na pierwszym planie i w trakcie tworzenia kopii zapasowej. Zwykle nie jest to potrzebne, ale może pomóc w szybszym przesyłaniu i początkowym imporcie dużych bibliotek."), + "deviceNotFound": + MessageLookupByLibrary.simpleMessage("Nie znaleziono urządzenia"), + "didYouKnow": + MessageLookupByLibrary.simpleMessage("Czy wiedziałeś/aś?"), + "different": MessageLookupByLibrary.simpleMessage("Inne"), + "disableAutoLock": + MessageLookupByLibrary.simpleMessage("Wyłącz automatyczną blokadę"), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Widzowie mogą nadal robić zrzuty ekranu lub zapisywać kopie zdjęć za pomocą programów trzecich"), + "disableDownloadWarningTitle": + MessageLookupByLibrary.simpleMessage("Uwaga"), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "Wyłącz uwierzytelnianie dwustopniowe"), + "disablingTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Uwierzytelnianie dwustopniowe jest wyłączane..."), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Odkryj"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Niemowlęta"), + "discover_celebrations": + MessageLookupByLibrary.simpleMessage("Uroczystości"), + "discover_food": MessageLookupByLibrary.simpleMessage("Jedzenie"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Zieleń"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Wzgórza"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Tożsamość"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Memy"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Notatki"), + "discover_pets": + MessageLookupByLibrary.simpleMessage("Zwierzęta domowe"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Paragony"), + "discover_screenshots": + MessageLookupByLibrary.simpleMessage("Zrzuty ekranu"), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfie"), + "discover_sunset": + MessageLookupByLibrary.simpleMessage("Zachód słońca"), + "discover_visiting_cards": + MessageLookupByLibrary.simpleMessage("Wizytówki"), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Tapety"), + "dismiss": MessageLookupByLibrary.simpleMessage("Odrzuć"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": + MessageLookupByLibrary.simpleMessage("Nie wylogowuj mnie"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Spróbuj później"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Czy chcesz odrzucić dokonane zmiany?"), + "done": MessageLookupByLibrary.simpleMessage("Gotowe"), + "dontSave": MessageLookupByLibrary.simpleMessage("Nie zapisuj"), + "doubleYourStorage": MessageLookupByLibrary.simpleMessage( + "Podwój swoją przestrzeń dyskową"), + "download": MessageLookupByLibrary.simpleMessage("Pobierz"), + "downloadFailed": + MessageLookupByLibrary.simpleMessage("Pobieranie nie powiodło się"), + "downloading": MessageLookupByLibrary.simpleMessage("Pobieranie..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Edytuj"), + "editEmailAlreadyLinked": m28, + "editLocation": + MessageLookupByLibrary.simpleMessage("Edytuj lokalizację"), + "editLocationTagTitle": + MessageLookupByLibrary.simpleMessage("Edytuj lokalizację"), + "editPerson": MessageLookupByLibrary.simpleMessage("Edytuj osobę"), + "editTime": MessageLookupByLibrary.simpleMessage("Edytuj czas"), + "editsSaved": MessageLookupByLibrary.simpleMessage("Edycje zapisane"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Edycje lokalizacji będą widoczne tylko w Ente"), + "eligible": MessageLookupByLibrary.simpleMessage("kwalifikujący się"), + "email": MessageLookupByLibrary.simpleMessage("Adres e-mail"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "Adres e-mail jest już zarejestrowany."), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "Adres e-mail nie jest zarejestrowany."), + "emailVerificationToggle": + MessageLookupByLibrary.simpleMessage("Weryfikacja e-mail"), + "emailYourLogs": + MessageLookupByLibrary.simpleMessage("Wyślij mailem logi"), + "emergencyContacts": + MessageLookupByLibrary.simpleMessage("Kontakty Alarmowe"), + "empty": MessageLookupByLibrary.simpleMessage("Opróżnij"), + "emptyTrash": MessageLookupByLibrary.simpleMessage("Opróżnić kosz?"), + "enable": MessageLookupByLibrary.simpleMessage("Włącz"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "Ente obsługuje nauczanie maszynowe na urządzeniu dla rozpoznawania twarzy, wyszukiwania magicznego i innych zaawansowanych funkcji wyszukiwania"), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Włącz nauczanie maszynowe dla magicznego wyszukiwania i rozpoznawania twarzy"), + "enableMaps": MessageLookupByLibrary.simpleMessage("Włącz mapy"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "To pokaże Twoje zdjęcia na mapie świata.\n\nTa mapa jest hostowana przez Open Street Map, a dokładne lokalizacje Twoich zdjęć nigdy nie są udostępniane.\n\nMożesz wyłączyć tę funkcję w każdej chwili w ustawieniach."), + "enabled": MessageLookupByLibrary.simpleMessage("Włączone"), + "encryptingBackup": MessageLookupByLibrary.simpleMessage( + "Szyfrowanie kopii zapasowej..."), + "encryption": MessageLookupByLibrary.simpleMessage("Szyfrowanie"), + "encryptionKeys": + MessageLookupByLibrary.simpleMessage("Klucze szyfrowania"), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Punkt końcowy zaktualizowano pomyślnie"), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Domyślnie zaszyfrowane metodą end-to-end"), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente może zaszyfrować i zachować pliki tylko wtedy, gdy udzielisz do nich dostępu"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente potrzebuje uprawnień aby przechowywać twoje zdjęcia"), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "Ente zachowuje Twoje wspomnienia, więc są zawsze dostępne dla Ciebie, nawet jeśli zgubisz urządzenie."), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Twoja rodzina może być również dodana do Twojego planu."), + "enterAlbumName": + MessageLookupByLibrary.simpleMessage("Wprowadź nazwę albumu"), + "enterCode": MessageLookupByLibrary.simpleMessage("Wprowadź kod"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Wprowadź kod dostarczony przez znajomego, aby uzyskać bezpłatne miejsce dla was obojga"), + "enterDateOfBirth": + MessageLookupByLibrary.simpleMessage("Urodziny (nieobowiązkowo)"), + "enterEmail": + MessageLookupByLibrary.simpleMessage("Wprowadź adres e-mail"), + "enterFileName": + MessageLookupByLibrary.simpleMessage("Wprowadź nazwę pliku"), + "enterName": MessageLookupByLibrary.simpleMessage("Wprowadź nazwę"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Wprowadź nowe hasło, którego możemy użyć do zaszyfrowania Twoich danych"), + "enterPassword": MessageLookupByLibrary.simpleMessage("Wprowadź hasło"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Wprowadź hasło, którego możemy użyć do zaszyfrowania Twoich danych"), + "enterPersonName": + MessageLookupByLibrary.simpleMessage("Wprowadź imię osoby"), + "enterPin": MessageLookupByLibrary.simpleMessage("Wprowadź kod PIN"), + "enterReferralCode": + MessageLookupByLibrary.simpleMessage("Wprowadź kod polecenia"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Wprowadź 6-cyfrowy kod z\nTwojej aplikacji uwierzytelniającej"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Prosimy podać prawidłowy adres e-mail."), + "enterYourEmailAddress": + MessageLookupByLibrary.simpleMessage("Podaj swój adres e-mail"), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Podaj swój nowy adres e-mail"), + "enterYourPassword": + MessageLookupByLibrary.simpleMessage("Wprowadź hasło"), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Wprowadź swój klucz odzyskiwania"), + "error": MessageLookupByLibrary.simpleMessage("Błąd"), + "everywhere": MessageLookupByLibrary.simpleMessage("wszędzie"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": + MessageLookupByLibrary.simpleMessage("Istniejący użytkownik"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Ten link wygasł. Wybierz nowy czas wygaśnięcia lub wyłącz automatyczne wygasanie linku."), + "exportLogs": MessageLookupByLibrary.simpleMessage("Eksportuj logi"), + "exportYourData": + MessageLookupByLibrary.simpleMessage("Eksportuj swoje dane"), + "extraPhotosFound": MessageLookupByLibrary.simpleMessage( + "Znaleziono dodatkowe zdjęcia"), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Twarz jeszcze nie zgrupowana, prosimy wrócić później"), + "faceRecognition": + MessageLookupByLibrary.simpleMessage("Rozpoznawanie twarzy"), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "Nie można wygenerować miniaturek twarzy"), + "faces": MessageLookupByLibrary.simpleMessage("Twarze"), + "failed": MessageLookupByLibrary.simpleMessage("Nie powiodło się"), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage( + "Nie udało się zastosować kodu"), + "failedToCancel": + MessageLookupByLibrary.simpleMessage("Nie udało się anulować"), + "failedToDownloadVideo": + MessageLookupByLibrary.simpleMessage("Nie udało się pobrać wideo"), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Nie udało się pobrać aktywnych sesji"), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Nie udało się pobrać oryginału do edycji"), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Nie można pobrać szczegółów polecenia. Spróbuj ponownie później."), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "Nie udało się załadować albumów"), + "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Nie udało się odtworzyć wideo"), + "failedToRefreshStripeSubscription": + MessageLookupByLibrary.simpleMessage( + "Nie udało się odświeżyć subskrypcji"), + "failedToRenew": + MessageLookupByLibrary.simpleMessage("Nie udało się odnowić"), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Nie udało się zweryfikować stanu płatności"), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Dodaj 5 członków rodziny do istniejącego planu bez dodatkowego płacenia.\n\nKażdy członek otrzymuje własną przestrzeń prywatną i nie widzi wzajemnie swoich plików, chyba że są one udostępnione.\n\nPlany rodzinne są dostępne dla klientów, którzy mają płatną subskrypcję Ente.\n\nSubskrybuj teraz, aby rozpocząć!"), + "familyPlanPortalTitle": + MessageLookupByLibrary.simpleMessage("Rodzina"), + "familyPlans": MessageLookupByLibrary.simpleMessage("Plany rodzinne"), + "faq": MessageLookupByLibrary.simpleMessage( + "FAQ – Często zadawane pytania"), + "faqs": MessageLookupByLibrary.simpleMessage( + "FAQ – Często zadawane pytania"), + "favorite": MessageLookupByLibrary.simpleMessage("Dodaj do ulubionych"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("Opinia"), + "file": MessageLookupByLibrary.simpleMessage("Plik"), + "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage( + "Nie można przeanalizować pliku"), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Nie udało się zapisać pliku do galerii"), + "fileInfoAddDescHint": + MessageLookupByLibrary.simpleMessage("Dodaj opis..."), + "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( + "Plik nie został jeszcze przesłany"), + "fileSavedToGallery": + MessageLookupByLibrary.simpleMessage("Plik zapisany do galerii"), + "fileTypes": MessageLookupByLibrary.simpleMessage("Rodzaje plików"), + "fileTypesAndNames": + MessageLookupByLibrary.simpleMessage("Typy plików i nazwy"), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage("Pliki usunięto"), + "filesSavedToGallery": + MessageLookupByLibrary.simpleMessage("Pliki zapisane do galerii"), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "Szybko szukaj osób po imieniu"), + "findThemQuickly": + MessageLookupByLibrary.simpleMessage("Znajdź ich szybko"), + "flip": MessageLookupByLibrary.simpleMessage("Obróć"), + "food": MessageLookupByLibrary.simpleMessage("Kulinarna rozkosz"), + "forYourMemories": + MessageLookupByLibrary.simpleMessage("dla twoich wspomnień"), + "forgotPassword": + MessageLookupByLibrary.simpleMessage("Nie pamiętam hasła"), + "foundFaces": MessageLookupByLibrary.simpleMessage("Znaleziono twarze"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( + "Bezpłatna pamięć, którą odebrano"), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": + MessageLookupByLibrary.simpleMessage("Darmowa pamięć użyteczna"), + "freeTrial": + MessageLookupByLibrary.simpleMessage("Darmowy okres próbny"), + "freeTrialValidTill": m38, + "freeUpAmount": m40, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( + "Zwolnij miejsce na urządzeniu"), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Oszczędzaj miejsce na urządzeniu poprzez wyczyszczenie plików, które zostały już przesłane."), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("Zwolnij miejsce"), + "gallery": MessageLookupByLibrary.simpleMessage("Galeria"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "W galerii wyświetlane jest do 1000 pamięci"), + "general": MessageLookupByLibrary.simpleMessage("Ogólne"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Generowanie kluczy szyfrujących..."), + "genericProgress": m42, + "goToSettings": + MessageLookupByLibrary.simpleMessage("Przejdź do ustawień"), + "googlePlayId": + MessageLookupByLibrary.simpleMessage("Identyfikator Google Play"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Zezwól na dostęp do wszystkich zdjęć w aplikacji Ustawienia"), + "grantPermission": + MessageLookupByLibrary.simpleMessage("Przyznaj uprawnienie"), + "greenery": MessageLookupByLibrary.simpleMessage("Zielone życie"), + "groupNearbyPhotos": + MessageLookupByLibrary.simpleMessage("Grupuj pobliskie zdjęcia"), + "guestView": MessageLookupByLibrary.simpleMessage("Widok gościa"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "Aby włączyć widok gościa, należy skonfigurować hasło urządzenia lub blokadę ekranu w ustawieniach Twojego systemu."), + "happyBirthday": + MessageLookupByLibrary.simpleMessage("Wszystkiego najlepszego! 🥳"), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "Nie śledzimy instalacji aplikacji. Pomogłyby nam, gdybyś powiedział/a nam, gdzie nas znalazłeś/aś!"), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Jak usłyszałeś/aś o Ente? (opcjonalnie)"), + "help": MessageLookupByLibrary.simpleMessage("Pomoc"), + "hidden": MessageLookupByLibrary.simpleMessage("Ukryte"), + "hide": MessageLookupByLibrary.simpleMessage("Ukryj"), + "hideContent": MessageLookupByLibrary.simpleMessage("Ukryj zawartość"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Ukrywa zawartość aplikacji w przełączniku aplikacji i wyłącza zrzuty ekranu"), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Ukrywa zawartość aplikacji w przełączniku aplikacji"), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Ukryj współdzielone elementy w galerii głównej"), + "hiding": MessageLookupByLibrary.simpleMessage("Ukrywanie..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": + MessageLookupByLibrary.simpleMessage("Hostowane w OSM Francja"), + "howItWorks": MessageLookupByLibrary.simpleMessage("Jak to działa"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Poproś ich o przytrzymanie swojego adresu e-mail na ekranie ustawień i sprawdzenie, czy identyfikatory na obu urządzeniach są zgodne."), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Uwierzytelnianie biometryczne nie jest skonfigurowane na Twoim urządzeniu. Prosimy włączyć Touch ID lub Face ID na swoim telefonie."), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "Uwierzytelnianie biometryczne jest wyłączone. Prosimy zablokować i odblokować ekran, aby je włączyć."), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), + "ignore": MessageLookupByLibrary.simpleMessage("Ignoruj"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignoruj"), + "ignored": MessageLookupByLibrary.simpleMessage("ignorowane"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Niektóre pliki w tym albumie są ignorowane podczas przesyłania, ponieważ zostały wcześniej usunięte z Ente."), + "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( + "Obraz nie został przeanalizowany"), + "immediately": MessageLookupByLibrary.simpleMessage("Natychmiast"), + "importing": MessageLookupByLibrary.simpleMessage("Importowanie...."), + "incorrectCode": + MessageLookupByLibrary.simpleMessage("Nieprawidłowy kod"), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("Nieprawidłowe hasło"), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Nieprawidłowy klucz odzyskiwania"), + "incorrectRecoveryKeyBody": + MessageLookupByLibrary.simpleMessage("Kod jest nieprawidłowy"), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Nieprawidłowy klucz odzyskiwania"), + "indexedItems": + MessageLookupByLibrary.simpleMessage("Zindeksowane elementy"), + "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( + "Indeksowanie zostało wstrzymane. Zostanie automatycznie wznowione, gdy urządzenie będzie gotowe. Urządzenie uznaje się za gotowe, gdy poziom baterii, stan jej zdrowia oraz status termiczny znajdują się w bezpiecznym zakresie."), + "ineligible": + MessageLookupByLibrary.simpleMessage("Nie kwalifikuje się"), + "info": MessageLookupByLibrary.simpleMessage("Informacje"), + "insecureDevice": + MessageLookupByLibrary.simpleMessage("Niezabezpieczone urządzenie"), + "installManually": + MessageLookupByLibrary.simpleMessage("Zainstaluj manualnie"), + "invalidEmailAddress": + MessageLookupByLibrary.simpleMessage("Nieprawidłowy adres e-mail"), + "invalidEndpoint": MessageLookupByLibrary.simpleMessage( + "Punkt końcowy jest nieprawidłowy"), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Niestety, wprowadzony punkt końcowy jest nieprawidłowy. Wprowadź prawidłowy punkt końcowy i spróbuj ponownie."), + "invalidKey": + MessageLookupByLibrary.simpleMessage("Klucz jest nieprawidłowy"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Wprowadzony klucz odzyskiwania jest nieprawidłowy. Upewnij się, że zawiera on 24 słowa i sprawdź pisownię każdego z nich.\n\nJeśli wprowadziłeś starszy kod odzyskiwania, upewnij się, że ma on 64 znaki i sprawdź każdy z nich."), + "invite": MessageLookupByLibrary.simpleMessage("Zaproś"), + "inviteToEnte": MessageLookupByLibrary.simpleMessage("Zaproś do Ente"), + "inviteYourFriends": + MessageLookupByLibrary.simpleMessage("Zaproś znajomych"), + "inviteYourFriendsToEnte": + MessageLookupByLibrary.simpleMessage("Zaproś znajomych do Ente"), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Wygląda na to, że coś poszło nie tak. Spróbuj ponownie po pewnym czasie. Jeśli błąd będzie się powtarzał, skontaktuj się z naszym zespołem pomocy technicznej."), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "Elementy pokazują liczbę dni pozostałych przed trwałym usunięciem"), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Wybrane elementy zostaną usunięte z tego albumu"), + "join": MessageLookupByLibrary.simpleMessage("Dołącz"), + "joinAlbum": MessageLookupByLibrary.simpleMessage("Dołącz do albumu"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "Dołączenie do albumu sprawi, że Twój e-mail będzie widoczny dla jego uczestników."), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( + "aby wyświetlić i dodać swoje zdjęcia"), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "aby dodać to do udostępnionych albumów"), + "joinDiscord": + MessageLookupByLibrary.simpleMessage("Dołącz do serwera Discord"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Zachowaj Zdjęcia"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": + MessageLookupByLibrary.simpleMessage("Pomóż nam z tą informacją"), + "language": MessageLookupByLibrary.simpleMessage("Język"), + "lastTimeWithThem": m45, + "lastUpdated": + MessageLookupByLibrary.simpleMessage("Ostatnio zaktualizowano"), + "lastYearsTrip": + MessageLookupByLibrary.simpleMessage("Zeszłoroczna podróż"), + "leave": MessageLookupByLibrary.simpleMessage("Wyjdź"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Opuść album"), + "leaveFamily": MessageLookupByLibrary.simpleMessage("Opuść rodzinę"), + "leaveSharedAlbum": + MessageLookupByLibrary.simpleMessage("Opuścić udostępniony album?"), + "left": MessageLookupByLibrary.simpleMessage("W lewo"), + "legacy": MessageLookupByLibrary.simpleMessage("Dziedzictwo"), + "legacyAccounts": + MessageLookupByLibrary.simpleMessage("Odziedziczone konta"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "Dziedzictwo pozwala zaufanym kontaktom na dostęp do Twojego konta w razie Twojej nieobecności."), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "Zaufane kontakty mogą rozpocząć odzyskiwanie konta, a jeśli nie zostaną zablokowane w ciągu 30 dni, zresetować Twoje hasło i uzyskać dostęp do Twojego konta."), + "light": MessageLookupByLibrary.simpleMessage("Jasny"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Jasny"), + "linkCopiedToClipboard": + MessageLookupByLibrary.simpleMessage("Link skopiowany do schowka"), + "linkDeviceLimit": + MessageLookupByLibrary.simpleMessage("Limit urządzeń"), + "linkEmail": + MessageLookupByLibrary.simpleMessage("Połącz adres e-mail"), + "linkEmailToContactBannerCaption": + MessageLookupByLibrary.simpleMessage("aby szybciej udostępniać"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Aktywny"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Wygasł"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Wygaśnięcie linku"), + "linkHasExpired": MessageLookupByLibrary.simpleMessage("Link wygasł"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Nigdy"), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": + MessageLookupByLibrary.simpleMessage("Zdjęcia Live Photo"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "Możesz udostępnić swoją subskrypcję swojej rodzinie"), + "loadMessage2": MessageLookupByLibrary.simpleMessage( + "Do tej pory zachowaliśmy ponad 200 milionów wspomnień"), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "Przechowujemy 3 kopie Twoich danych, jedną w podziemnym schronie"), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "Wszystkie nasze aplikacje są otwarto źródłowe"), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Nasz kod źródłowy i kryptografia zostały poddane zewnętrznemu audytowi"), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "Możesz udostępniać linki do swoich albumów swoim bliskim"), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Nasze aplikacje mobilne działają w tle, aby zaszyfrować i wykonać kopię zapasową wszystkich nowych zdjęć, które klikniesz"), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io ma zgrabny program do przesyłania"), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Używamy Xchacha20Poly1305 do bezpiecznego szyfrowania Twoich danych"), + "loadingExifData": + MessageLookupByLibrary.simpleMessage("Wczytywanie danych EXIF..."), + "loadingGallery": + MessageLookupByLibrary.simpleMessage("Ładowanie galerii..."), + "loadingMessage": + MessageLookupByLibrary.simpleMessage("Wczytywanie Twoich zdjęć..."), + "loadingModel": + MessageLookupByLibrary.simpleMessage("Pobieranie modeli..."), + "loadingYourPhotos": + MessageLookupByLibrary.simpleMessage("Wczytywanie Twoich zdjęć..."), + "localGallery": MessageLookupByLibrary.simpleMessage("Galeria lokalna"), + "localIndexing": + MessageLookupByLibrary.simpleMessage("Indeksowanie lokalne"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Wygląda na to, że coś poszło nie tak, ponieważ lokalna synchronizacja zdjęć zajmuje więcej czasu, niż oczekiwano. Skontaktuj się z naszym zespołem pomocy technicznej"), + "location": MessageLookupByLibrary.simpleMessage("Lokalizacja"), + "locationName": + MessageLookupByLibrary.simpleMessage("Nazwa lokalizacji"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Znacznik lokalizacji grupuje wszystkie zdjęcia, które zostały zrobione w promieniu zdjęcia"), + "locations": MessageLookupByLibrary.simpleMessage("Lokalizacje"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Zablokuj"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Ekran blokady"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Zaloguj się"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Wylogowywanie..."), + "loginSessionExpired": + MessageLookupByLibrary.simpleMessage("Sesja wygasła"), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "Twoja sesja wygasła. Zaloguj się ponownie."), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Klikając, zaloguj się, zgadzam się na regulamin i politykę prywatności"), + "loginWithTOTP": + MessageLookupByLibrary.simpleMessage("Zaloguj się za pomocą TOTP"), + "logout": MessageLookupByLibrary.simpleMessage("Wyloguj"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "Spowoduje to wysyłanie logów, aby pomóc nam w debugowaniu twojego problemu. Pamiętaj, że nazwy plików zostaną dołączone, aby pomóc w śledzeniu problemów z określonymi plikami."), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Naciśnij i przytrzymaj e-mail, aby zweryfikować szyfrowanie end-to-end."), + "longpressOnAnItemToViewInFullscreen": + MessageLookupByLibrary.simpleMessage( + "Długo naciśnij element, aby wyświetlić go na pełnym ekranie"), + "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( + "Spójrz ponownie na swoje wspomnienia 🌄"), + "loopVideoOff": + MessageLookupByLibrary.simpleMessage("Pętla wideo wyłączona"), + "loopVideoOn": + MessageLookupByLibrary.simpleMessage("Pętla wideo włączona"), + "lostDevice": + MessageLookupByLibrary.simpleMessage("Utracono urządzenie?"), + "machineLearning": + MessageLookupByLibrary.simpleMessage("Nauczanie maszynowe"), + "magicSearch": + MessageLookupByLibrary.simpleMessage("Magiczne wyszukiwanie"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "Magiczne wyszukiwanie pozwala na wyszukiwanie zdjęć według ich zawartości, np. \"kwiat\", \"czerwony samochód\", \"dokumenty tożsamości\""), + "manage": MessageLookupByLibrary.simpleMessage("Zarządzaj"), + "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( + "Zarządzaj pamięcią podręczną urządzenia"), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Przejrzyj i wyczyść lokalną pamięć podręczną."), + "manageFamily": + MessageLookupByLibrary.simpleMessage("Zarządzaj Rodziną"), + "manageLink": MessageLookupByLibrary.simpleMessage("Zarządzaj linkiem"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Zarządzaj"), + "manageSubscription": + MessageLookupByLibrary.simpleMessage("Zarządzaj subskrypcją"), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "Parowanie PIN-em działa z każdym ekranem, na którym chcesz wyświetlić swój album."), + "map": MessageLookupByLibrary.simpleMessage("Mapa"), + "maps": MessageLookupByLibrary.simpleMessage("Mapy"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("Ja"), + "memories": MessageLookupByLibrary.simpleMessage("Wspomnienia"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Wybierz rodzaj wspomnień, które chcesz zobaczyć na ekranie głównym."), + "merchandise": MessageLookupByLibrary.simpleMessage("Sklep"), + "merge": MessageLookupByLibrary.simpleMessage("Scal"), + "mergeWithExisting": + MessageLookupByLibrary.simpleMessage("Scal z istniejącym"), + "mergedPhotos": MessageLookupByLibrary.simpleMessage("Scalone zdjęcia"), + "mlConsent": + MessageLookupByLibrary.simpleMessage("Włącz nauczanie maszynowe"), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Rozumiem i chcę włączyć nauczanie maszynowe"), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Jeśli włączysz nauczanie maszynowe, Ente wyodrębni informacje takie jak geometria twarzy z plików, w tym tych udostępnionych z Tobą.\n\nTo się stanie na Twoim urządzeniu i wygenerowane informacje biometryczne zostaną zaszyfrowane end-to-end."), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Kliknij tutaj, aby uzyskać więcej informacji na temat tej funkcji w naszej polityce prywatności"), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "Włączyć nauczanie maszynowe?"), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Pamiętaj, że nauczanie maszynowe spowoduje większą przepustowość i zużycie baterii do czasu zindeksowania wszystkich elementów. Rozważ użycie aplikacji komputerowej do szybszego indeksowania, wszystkie wyniki zostaną automatycznie zsynchronizowane."), + "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( + "Aplikacja Mobilna, Strona Internetowa, Aplikacja Komputerowa"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Umiarkowane"), + "modifyYourQueryOrTrySearchingFor": + MessageLookupByLibrary.simpleMessage( + "Zmodyfikuj zapytanie lub spróbuj wyszukać"), + "moments": MessageLookupByLibrary.simpleMessage("Momenty"), + "month": MessageLookupByLibrary.simpleMessage("miesiąc"), + "monthly": MessageLookupByLibrary.simpleMessage("Miesięcznie"), + "moon": MessageLookupByLibrary.simpleMessage("W świetle księżyca"), + "moreDetails": + MessageLookupByLibrary.simpleMessage("Więcej szczegółów"), + "mostRecent": MessageLookupByLibrary.simpleMessage("Od najnowszych"), + "mostRelevant": + MessageLookupByLibrary.simpleMessage("Najbardziej trafne"), + "mountains": MessageLookupByLibrary.simpleMessage("Na wzgórzach"), + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "Przenieś wybrane zdjęcia na jedną datę"), + "moveToAlbum": + MessageLookupByLibrary.simpleMessage("Przenieś do albumu"), + "moveToHiddenAlbum": + MessageLookupByLibrary.simpleMessage("Przenieś do ukrytego albumu"), + "movedSuccessfullyTo": m52, + "movedToTrash": + MessageLookupByLibrary.simpleMessage("Przeniesiono do kosza"), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Przenoszenie plików do albumów..."), + "name": MessageLookupByLibrary.simpleMessage("Nazwa"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Nazwij album"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Nie można połączyć się z Ente, spróbuj ponownie po pewnym czasie. Jeśli błąd będzie się powtarzał, skontaktuj się z pomocą techniczną."), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Nie można połączyć się z Ente, sprawdź ustawienia sieci i skontaktuj się z pomocą techniczną, jeśli błąd będzie się powtarzał."), + "never": MessageLookupByLibrary.simpleMessage("Nigdy"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Nowy album"), + "newLocation": MessageLookupByLibrary.simpleMessage("Nowa lokalizacja"), + "newPerson": MessageLookupByLibrary.simpleMessage("Nowa osoba"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" nowe 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("Nowy zakres"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Nowy/a do Ente"), + "newest": MessageLookupByLibrary.simpleMessage("Najnowsze"), + "next": MessageLookupByLibrary.simpleMessage("Dalej"), + "no": MessageLookupByLibrary.simpleMessage("Nie"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Brak jeszcze albumów udostępnianych przez Ciebie"), + "noDeviceFound": MessageLookupByLibrary.simpleMessage( + "Nie znaleziono żadnego urządzenia"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Brak"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "Nie masz żadnych plików na tym urządzeniu, które można usunąć"), + "noDuplicates": + MessageLookupByLibrary.simpleMessage("✨ Brak duplikatów"), + "noEnteAccountExclamation": + MessageLookupByLibrary.simpleMessage("Brak konta Ente!"), + "noExifData": MessageLookupByLibrary.simpleMessage("Brak danych EXIF"), + "noFacesFound": + MessageLookupByLibrary.simpleMessage("Nie znaleziono twarzy"), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "Brak ukrytych zdjęć lub wideo"), + "noImagesWithLocation": + MessageLookupByLibrary.simpleMessage("Brak zdjęć z lokalizacją"), + "noInternetConnection": MessageLookupByLibrary.simpleMessage( + "Brak połączenia z Internetem"), + "noPhotosAreBeingBackedUpRightNow": + MessageLookupByLibrary.simpleMessage( + "W tej chwili nie wykonuje się kopii zapasowej zdjęć"), + "noPhotosFoundHere": + MessageLookupByLibrary.simpleMessage("Nie znaleziono tutaj zdjęć"), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( + "Nie wybrano żadnych szybkich linków"), + "noRecoveryKey": + MessageLookupByLibrary.simpleMessage("Brak klucza odzyskiwania?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Ze względu na charakter naszego protokołu szyfrowania end-to-end, dane nie mogą być odszyfrowane bez hasła lub klucza odzyskiwania"), + "noResults": MessageLookupByLibrary.simpleMessage("Brak wyników"), + "noResultsFound": + MessageLookupByLibrary.simpleMessage("Nie znaleziono wyników"), + "noSuggestionsForPerson": m53, + "noSystemLockFound": MessageLookupByLibrary.simpleMessage( + "Nie znaleziono blokady systemowej"), + "notPersonLabel": m54, + "notThisPerson": MessageLookupByLibrary.simpleMessage("Nie ta osoba?"), + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "Nic Ci jeszcze nie udostępniono"), + "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( + "Nie ma tutaj nic do zobaczenia! 👀"), + "notifications": MessageLookupByLibrary.simpleMessage("Powiadomienia"), + "ok": MessageLookupByLibrary.simpleMessage("Ok"), + "onDevice": MessageLookupByLibrary.simpleMessage("Na urządzeniu"), + "onEnte": + MessageLookupByLibrary.simpleMessage("W ente"), + "onTheRoad": MessageLookupByLibrary.simpleMessage("Znowu na drodze"), + "onThisDay": MessageLookupByLibrary.simpleMessage("Tego dnia"), + "onThisDayMemories": + MessageLookupByLibrary.simpleMessage("Wspomnienia z tego dnia"), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "Otrzymuj przypomnienia o wspomnieniach z tego dnia w poprzednich latach."), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Tylko te"), + "oops": MessageLookupByLibrary.simpleMessage("Ups"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Ups, nie udało się zapisać zmian"), + "oopsSomethingWentWrong": + MessageLookupByLibrary.simpleMessage("Ups, coś poszło nie tak"), + "openAlbumInBrowser": + MessageLookupByLibrary.simpleMessage("Otwórz album w przeglądarce"), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Prosimy użyć aplikacji internetowej, aby dodać zdjęcia do tego albumu"), + "openFile": MessageLookupByLibrary.simpleMessage("Otwórz plik"), + "openSettings": + MessageLookupByLibrary.simpleMessage("Otwórz Ustawienia"), + "openTheItem": MessageLookupByLibrary.simpleMessage("• Otwórz element"), + "openstreetmapContributors": + MessageLookupByLibrary.simpleMessage("Współautorzy OpenStreetMap"), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Opcjonalnie, tak krótko, jak chcesz..."), + "orMergeWithExistingPerson": + MessageLookupByLibrary.simpleMessage("Lub złącz z istniejącymi"), + "orPickAnExistingOne": + MessageLookupByLibrary.simpleMessage("Lub wybierz istniejący"), + "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( + "lub wybierz ze swoich kontaktów"), + "otherDetectedFaces": + MessageLookupByLibrary.simpleMessage("Inne wykryte twarze"), + "pair": MessageLookupByLibrary.simpleMessage("Sparuj"), + "pairWithPin": MessageLookupByLibrary.simpleMessage("Sparuj kodem PIN"), + "pairingComplete": + MessageLookupByLibrary.simpleMessage("Parowanie zakończone"), + "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), + "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( + "Weryfikacja jest nadal w toku"), + "passkey": MessageLookupByLibrary.simpleMessage("Klucz dostępu"), + "passkeyAuthTitle": + MessageLookupByLibrary.simpleMessage("Weryfikacja kluczem dostępu"), + "password": MessageLookupByLibrary.simpleMessage("Hasło"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Hasło zostało pomyślnie zmienione"), + "passwordLock": MessageLookupByLibrary.simpleMessage("Blokada hasłem"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "Siła hasła jest obliczana, biorąc pod uwagę długość hasła, użyte znaki, i czy hasło pojawi się w 10 000 najczęściej używanych haseł"), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Nie przechowujemy tego hasła, więc jeśli go zapomnisz, nie będziemy w stanie odszyfrować Twoich danych"), + "pastYearsMemories": + MessageLookupByLibrary.simpleMessage("Wspomnienia z ubiegłych lat"), + "paymentDetails": + MessageLookupByLibrary.simpleMessage("Szczegóły płatności"), + "paymentFailed": + MessageLookupByLibrary.simpleMessage("Płatność się nie powiodła"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "Niestety Twoja płatność nie powiodła się. Skontaktuj się z pomocą techniczną, a my Ci pomożemy!"), + "paymentFailedTalkToProvider": m58, + "pendingItems": + MessageLookupByLibrary.simpleMessage("Oczekujące elementy"), + "pendingSync": + MessageLookupByLibrary.simpleMessage("Oczekująca synchronizacja"), + "people": MessageLookupByLibrary.simpleMessage("Ludzie"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Osoby używające twojego kodu"), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Wybierz osoby, które chcesz zobaczyć na ekranie głównym."), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Wszystkie elementy w koszu zostaną trwale usunięte\n\nTej czynności nie można cofnąć"), + "permanentlyDelete": + MessageLookupByLibrary.simpleMessage("Usuń trwale"), + "permanentlyDeleteFromDevice": + MessageLookupByLibrary.simpleMessage("Trwale usunąć z urządzenia?"), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("Nazwa osoby"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("Futrzani towarzysze"), + "photoDescriptions": + MessageLookupByLibrary.simpleMessage("Opisy zdjęć"), + "photoGridSize": + MessageLookupByLibrary.simpleMessage("Rozmiar siatki zdjęć"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("zdjęcie"), + "photos": MessageLookupByLibrary.simpleMessage("Zdjęcia"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "Zdjęcia dodane przez Ciebie zostaną usunięte z albumu"), + "photosKeepRelativeTimeDifference": + MessageLookupByLibrary.simpleMessage( + "Zdjęcia zachowują względną różnicę czasu"), + "pickCenterPoint": + MessageLookupByLibrary.simpleMessage("Wybierz punkt środkowy"), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Przypnij album"), + "pinLock": MessageLookupByLibrary.simpleMessage("Blokada PIN"), + "playOnTv": MessageLookupByLibrary.simpleMessage( + "Odtwórz album na telewizorze"), + "playOriginal": + MessageLookupByLibrary.simpleMessage("Odtwórz oryginał"), + "playStoreFreeTrialValidTill": m63, + "playstoreSubscription": + MessageLookupByLibrary.simpleMessage("Subskrypcja PlayStore"), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Prosimy sprawdzić połączenie internetowe i spróbować ponownie."), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Skontaktuj się z support@ente.io i z przyjemnością pomożemy!"), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Skontaktuj się z pomocą techniczną, jeśli problem będzie się powtarzał"), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( + "Prosimy przyznać uprawnienia"), + "pleaseLoginAgain": + MessageLookupByLibrary.simpleMessage("Zaloguj się ponownie"), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Prosimy wybrać szybkie linki do usunięcia"), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": + MessageLookupByLibrary.simpleMessage("Spróbuj ponownie"), + "pleaseVerifyTheCodeYouHaveEntered": + MessageLookupByLibrary.simpleMessage( + "Prosimy zweryfikować wprowadzony kod"), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Prosimy czekać..."), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Prosimy czekać, usuwanie albumu"), + "pleaseWaitForSometimeBeforeRetrying": + MessageLookupByLibrary.simpleMessage( + "Prosimy poczekać chwilę przed ponowną próbą"), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "Prosimy czekać, to może zająć chwilę."), + "posingWithThem": m66, + "preparingLogs": + MessageLookupByLibrary.simpleMessage("Przygotowywanie logów..."), + "preserveMore": MessageLookupByLibrary.simpleMessage("Zachowaj więcej"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Naciśnij i przytrzymaj, aby odtworzyć wideo"), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Naciśnij i przytrzymaj obraz, aby odtworzyć wideo"), + "previous": MessageLookupByLibrary.simpleMessage("Poprzedni"), + "privacy": MessageLookupByLibrary.simpleMessage("Prywatność"), + "privacyPolicyTitle": + MessageLookupByLibrary.simpleMessage("Polityka Prywatności"), + "privateBackups": + MessageLookupByLibrary.simpleMessage("Prywatne kopie zapasowe"), + "privateSharing": + MessageLookupByLibrary.simpleMessage("Udostępnianie prywatne"), + "proceed": MessageLookupByLibrary.simpleMessage("Kontynuuj"), + "processed": MessageLookupByLibrary.simpleMessage("Przetworzone"), + "processing": MessageLookupByLibrary.simpleMessage("Przetwarzanie"), + "processingImport": m67, + "processingVideos": + MessageLookupByLibrary.simpleMessage("Przetwarzanie wideo"), + "publicLinkCreated": + MessageLookupByLibrary.simpleMessage("Utworzono publiczny link"), + "publicLinkEnabled": + MessageLookupByLibrary.simpleMessage("Publiczny link włączony"), + "questionmark": MessageLookupByLibrary.simpleMessage("?"), + "queued": MessageLookupByLibrary.simpleMessage("W kolejce"), + "quickLinks": MessageLookupByLibrary.simpleMessage("Szybkie linki"), + "radius": MessageLookupByLibrary.simpleMessage("Promień"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Zgłoś"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("Oceń aplikację"), + "rateUs": MessageLookupByLibrary.simpleMessage("Oceń nas"), + "rateUsOnStore": m68, + "reassignedToName": m69, + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Otrzymuj przypomnienia, kiedy są czyjeś urodziny. Naciskając na powiadomienie zabierze Cię do zdjęć osoby, która ma urodziny."), + "recover": MessageLookupByLibrary.simpleMessage("Odzyskaj"), + "recoverAccount": + MessageLookupByLibrary.simpleMessage("Odzyskaj konto"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Odzyskaj"), + "recoveryAccount": + MessageLookupByLibrary.simpleMessage("Odzyskaj konto"), + "recoveryInitiated": + MessageLookupByLibrary.simpleMessage("Odzyskiwanie rozpoczęte"), + "recoveryInitiatedDesc": m70, + "recoveryKey": + MessageLookupByLibrary.simpleMessage("Klucz odzyskiwania"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Klucz odzyskiwania został skopiowany do schowka"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Jeśli zapomnisz hasła, jedynym sposobem odzyskania danych jest ten klucz."), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Nie przechowujemy tego klucza, prosimy zapisać ten 24-słowny klucz w bezpiecznym miejscu."), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Znakomicie! Klucz odzyskiwania jest prawidłowy. Dziękujemy za weryfikację.\n\nPamiętaj, aby bezpiecznie przechowywać kopię zapasową klucza odzyskiwania."), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Klucz odzyskiwania zweryfikowany"), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Twój klucz odzyskiwania jest jedynym sposobem na odzyskanie zdjęć, jeśli zapomnisz hasła. Klucz odzyskiwania można znaleźć w Ustawieniach > Konto.\n\nWprowadź tutaj swój klucz odzyskiwania, aby sprawdzić, czy został zapisany poprawnie."), + "recoveryReady": m71, + "recoverySuccessful": + MessageLookupByLibrary.simpleMessage("Odzyskano pomyślnie!"), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "Zaufany kontakt próbuje uzyskać dostęp do Twojego konta"), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Obecne urządzenie nie jest wystarczająco wydajne, aby zweryfikować hasło, ale możemy je wygenerować w sposób działający na wszystkich urządzeniach.\n\nZaloguj się przy użyciu klucza odzyskiwania i wygeneruj nowe hasło (jeśli chcesz, możesz ponownie użyć tego samego)."), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("Ponownie utwórz hasło"), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": + MessageLookupByLibrary.simpleMessage("Wprowadź ponownie hasło"), + "reenterPin": + MessageLookupByLibrary.simpleMessage("Wprowadź ponownie kod PIN"), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Poleć znajomym i podwój swój plan"), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Przekaż ten kod swoim znajomym"), + "referralStep2": + MessageLookupByLibrary.simpleMessage("2. Wykupują płatny plan"), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Polecenia"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "Wysyłanie poleceń jest obecnie wstrzymane"), + "rejectRecovery": + MessageLookupByLibrary.simpleMessage("Odrzuć odzyskiwanie"), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "Również opróżnij \"Ostatnio usunięte\" z \"Ustawienia\" -> \"Pamięć\", aby odebrać wolną przestrzeń"), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Opróżnij również swój \"Kosz\", aby zwolnić miejsce"), + "remoteImages": MessageLookupByLibrary.simpleMessage("Zdjęcia zdalne"), + "remoteThumbnails": + MessageLookupByLibrary.simpleMessage("Zdalne miniatury"), + "remoteVideos": MessageLookupByLibrary.simpleMessage("Zdalne wideo"), + "remove": MessageLookupByLibrary.simpleMessage("Usuń"), + "removeDuplicates": + MessageLookupByLibrary.simpleMessage("Usuń duplikaty"), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Przejrzyj i usuń pliki, które są dokładnymi duplikatami."), + "removeFromAlbum": + MessageLookupByLibrary.simpleMessage("Usuń z albumu"), + "removeFromAlbumTitle": + MessageLookupByLibrary.simpleMessage("Usunąć z albumu?"), + "removeFromFavorite": + MessageLookupByLibrary.simpleMessage("Usuń z ulubionych"), + "removeInvite": + MessageLookupByLibrary.simpleMessage("Usuń zaproszenie"), + "removeLink": MessageLookupByLibrary.simpleMessage("Usuń link"), + "removeParticipant": + MessageLookupByLibrary.simpleMessage("Usuń użytkownika"), + "removeParticipantBody": m74, + "removePersonLabel": + MessageLookupByLibrary.simpleMessage("Usuń etykietę osoby"), + "removePublicLink": + MessageLookupByLibrary.simpleMessage("Usuń link publiczny"), + "removePublicLinks": + MessageLookupByLibrary.simpleMessage("Usuń linki publiczne"), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Niektóre z usuwanych elementów zostały dodane przez inne osoby i utracisz do nich dostęp"), + "removeWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Usunąć?"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Usuń siebie z listy zaufanych kontaktów"), + "removingFromFavorites": + MessageLookupByLibrary.simpleMessage("Usuwanie z ulubionych..."), + "rename": MessageLookupByLibrary.simpleMessage("Zmień nazwę"), + "renameAlbum": + MessageLookupByLibrary.simpleMessage("Zmień nazwę albumu"), + "renameFile": MessageLookupByLibrary.simpleMessage("Zmień nazwę pliku"), + "renewSubscription": + MessageLookupByLibrary.simpleMessage("Odnów subskrypcję"), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Zgłoś błąd"), + "reportBug": MessageLookupByLibrary.simpleMessage("Zgłoś błąd"), + "resendEmail": + MessageLookupByLibrary.simpleMessage("Wyślij e-mail ponownie"), + "reset": MessageLookupByLibrary.simpleMessage("Zresetuj"), + "resetIgnoredFiles": + MessageLookupByLibrary.simpleMessage("Zresetuj zignorowane pliki"), + "resetPasswordTitle": + MessageLookupByLibrary.simpleMessage("Zresetuj hasło"), + "resetPerson": MessageLookupByLibrary.simpleMessage("Usuń"), + "resetToDefault": + MessageLookupByLibrary.simpleMessage("Przywróć domyślne"), + "restore": MessageLookupByLibrary.simpleMessage("Przywróć"), + "restoreToAlbum": + MessageLookupByLibrary.simpleMessage("Przywróć do albumu"), + "restoringFiles": + MessageLookupByLibrary.simpleMessage("Przywracanie plików..."), + "resumableUploads": + MessageLookupByLibrary.simpleMessage("Przesyłania wznawialne"), + "retry": MessageLookupByLibrary.simpleMessage("Spróbuj ponownie"), + "review": MessageLookupByLibrary.simpleMessage("Przejrzyj"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Przejrzyj i usuń elementy, które uważasz, że są duplikatami."), + "reviewSuggestions": + MessageLookupByLibrary.simpleMessage("Przeglądaj sugestie"), + "right": MessageLookupByLibrary.simpleMessage("W prawo"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("Obróć"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Obróć w lewo"), + "rotateRight": MessageLookupByLibrary.simpleMessage("Obróć w prawo"), + "safelyStored": + MessageLookupByLibrary.simpleMessage("Bezpiecznie przechowywane"), + "same": MessageLookupByLibrary.simpleMessage("Identyczne"), + "sameperson": MessageLookupByLibrary.simpleMessage("Ta sama osoba?"), + "save": MessageLookupByLibrary.simpleMessage("Zapisz"), + "saveAsAnotherPerson": + MessageLookupByLibrary.simpleMessage("Zapisz jako inną osobę"), + "saveChangesBeforeLeavingQuestion": + MessageLookupByLibrary.simpleMessage( + "Zapisać zmiany przed wyjściem?"), + "saveCollage": MessageLookupByLibrary.simpleMessage("Zapisz kolaż"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Zapisz kopię"), + "saveKey": MessageLookupByLibrary.simpleMessage("Zapisz klucz"), + "savePerson": MessageLookupByLibrary.simpleMessage("Zapisz osobę"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Zapisz swój klucz odzyskiwania, jeśli jeszcze tego nie zrobiłeś"), + "saving": MessageLookupByLibrary.simpleMessage("Zapisywanie..."), + "savingEdits": + MessageLookupByLibrary.simpleMessage("Zapisywanie zmian..."), + "scanCode": MessageLookupByLibrary.simpleMessage("Zeskanuj kod"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Zeskanuj ten kod kreskowy używając\nswojej aplikacji uwierzytelniającej"), + "search": MessageLookupByLibrary.simpleMessage("Szukaj"), + "searchAlbumsEmptySection": + MessageLookupByLibrary.simpleMessage("Albumy"), + "searchByAlbumNameHint": + MessageLookupByLibrary.simpleMessage("Nazwa albumu"), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Nazwy albumów (np. \"Aparat\")\n• Rodzaje plików (np. \"Wideo\", \".gif\")\n• Lata i miesiące (np. \"2022\", \"Styczeń\")\n• Święta (np. \"Boże Narodzenie\")\n• Opisy zdjęć (np. \"#fun\")"), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Dodaj opisy takie jak \"#trip\" w informacji o zdjęciu, aby szybko znaleźć je tutaj"), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Szukaj według daty, miesiąca lub roku"), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "Obrazy będą wyświetlane tutaj po zakończeniu przetwarzania i synchronizacji"), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "Po zakończeniu indeksowania ludzie będą tu wyświetlani"), + "searchFileTypesAndNamesEmptySection": + MessageLookupByLibrary.simpleMessage("Typy plików i nazwy"), + "searchHint1": MessageLookupByLibrary.simpleMessage( + "Szybkie wyszukiwanie na urządzeniu"), + "searchHint2": + MessageLookupByLibrary.simpleMessage("Daty zdjęć, opisy"), + "searchHint3": + MessageLookupByLibrary.simpleMessage("Albumy, nazwy plików i typy"), + "searchHint4": MessageLookupByLibrary.simpleMessage("Lokalizacja"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "Wkrótce: Twarze i magiczne wyszukiwanie ✨"), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Grupuj zdjęcia zrobione w promieniu zdjęcia"), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "Zaproś ludzi, a zobaczysz tutaj wszystkie udostępnione przez nich zdjęcia"), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "Osoby będą wyświetlane tutaj po zakończeniu przetwarzania i synchronizacji"), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Bezpieczeństwo"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "Zobacz publiczne linki do albumów w aplikacji"), + "selectALocation": + MessageLookupByLibrary.simpleMessage("Wybierz lokalizację"), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage( + "Najpierw wybierz lokalizację"), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Wybierz album"), + "selectAll": MessageLookupByLibrary.simpleMessage("Zaznacz wszystko"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("Wszystko"), + "selectCoverPhoto": + MessageLookupByLibrary.simpleMessage("Wybierz zdjęcie na okładkę"), + "selectDate": MessageLookupByLibrary.simpleMessage("Wybierz datę"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Wybierz foldery do stworzenia kopii zapasowej"), + "selectItemsToAdd": + MessageLookupByLibrary.simpleMessage("Wybierz elementy do dodania"), + "selectLanguage": MessageLookupByLibrary.simpleMessage("Wybierz Język"), + "selectMailApp": + MessageLookupByLibrary.simpleMessage("Wybierz aplikację pocztową"), + "selectMorePhotos": + MessageLookupByLibrary.simpleMessage("Wybierz więcej zdjęć"), + "selectOneDateAndTime": + MessageLookupByLibrary.simpleMessage("Wybierz jedną datę i czas"), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "Wybierz jedną datę i czas dla wszystkich"), + "selectPersonToLink": + MessageLookupByLibrary.simpleMessage("Wybierz osobę do powiązania"), + "selectReason": MessageLookupByLibrary.simpleMessage("Wybierz powód"), + "selectStartOfRange": + MessageLookupByLibrary.simpleMessage("Wybierz początek zakresu"), + "selectTime": MessageLookupByLibrary.simpleMessage("Wybierz czas"), + "selectYourFace": + MessageLookupByLibrary.simpleMessage("Wybierz swoją twarz"), + "selectYourPlan": + MessageLookupByLibrary.simpleMessage("Wybierz swój plan"), + "selectedAlbums": m79, + "selectedFilesAreNotOnEnte": + MessageLookupByLibrary.simpleMessage("Wybrane pliki nie są w Ente"), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Wybrane foldery zostaną zaszyforwane i zostanie utworzona ich kopia zapasowa"), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Wybrane elementy zostaną usunięte ze wszystkich albumów i przeniesione do kosza."), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "Wybrane elementy zostaną usunięte z tej osoby, ale nie zostaną usunięte z Twojej biblioteki."), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("Wyślij"), + "sendEmail": MessageLookupByLibrary.simpleMessage("Wyślij e-mail"), + "sendInvite": + MessageLookupByLibrary.simpleMessage("Wyślij zaproszenie"), + "sendLink": MessageLookupByLibrary.simpleMessage("Wyślij link"), + "serverEndpoint": + MessageLookupByLibrary.simpleMessage("Punkt końcowy serwera"), + "sessionExpired": MessageLookupByLibrary.simpleMessage("Sesja wygasła"), + "sessionIdMismatch": + MessageLookupByLibrary.simpleMessage("Niezgodność ID sesji"), + "setAPassword": MessageLookupByLibrary.simpleMessage("Ustaw hasło"), + "setAs": MessageLookupByLibrary.simpleMessage("Ustaw jako"), + "setCover": MessageLookupByLibrary.simpleMessage("Ustaw okładkę"), + "setLabel": MessageLookupByLibrary.simpleMessage("Ustaw"), + "setNewPassword": + MessageLookupByLibrary.simpleMessage("Ustaw nowe hasło"), + "setNewPin": MessageLookupByLibrary.simpleMessage("Ustaw nowy kod PIN"), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage("Ustaw hasło"), + "setRadius": MessageLookupByLibrary.simpleMessage("Ustaw promień"), + "setupComplete": + MessageLookupByLibrary.simpleMessage("Konfiguracja ukończona"), + "share": MessageLookupByLibrary.simpleMessage("Udostępnij"), + "shareALink": MessageLookupByLibrary.simpleMessage("Udostępnij link"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Otwórz album i dotknij przycisk udostępniania w prawym górnym rogu, aby udostępnić."), + "shareAnAlbumNow": + MessageLookupByLibrary.simpleMessage("Udostępnij teraz album"), + "shareLink": MessageLookupByLibrary.simpleMessage("Udostępnij link"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Udostępnij tylko ludziom, którym chcesz"), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Pobierz Ente, abyśmy mogli łatwo udostępniać zdjęcia i wideo w oryginalnej jakości\n\nhttps://ente.io"), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Udostępnij użytkownikom bez konta Ente"), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( + "Udostępnij swój pierwszy album"), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Twórz wspólne albumy i współpracuj z innymi użytkownikami Ente, w tym z użytkownikami korzystającymi z bezpłatnych planów."), + "sharedByMe": + MessageLookupByLibrary.simpleMessage("Udostępnione przeze mnie"), + "sharedByYou": + MessageLookupByLibrary.simpleMessage("Udostępnione przez Ciebie"), + "sharedPhotoNotifications": + MessageLookupByLibrary.simpleMessage("Nowe udostępnione zdjęcia"), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Otrzymuj powiadomienia, gdy ktoś doda zdjęcie do udostępnionego albumu, którego jesteś częścią"), + "sharedWith": m87, + "sharedWithMe": + MessageLookupByLibrary.simpleMessage("Udostępnione ze mną"), + "sharedWithYou": + MessageLookupByLibrary.simpleMessage("Udostępnione z Tobą"), + "sharing": MessageLookupByLibrary.simpleMessage("Udostępnianie..."), + "shiftDatesAndTime": + MessageLookupByLibrary.simpleMessage("Zmień daty i czas"), + "showLessFaces": + MessageLookupByLibrary.simpleMessage("Pokaż mniej twarzy"), + "showMemories": + MessageLookupByLibrary.simpleMessage("Pokaż wspomnienia"), + "showMoreFaces": + MessageLookupByLibrary.simpleMessage("Pokaż więcej twarzy"), + "showPerson": MessageLookupByLibrary.simpleMessage("Pokaż osobę"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "Wyloguj z pozostałych urządzeń"), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Jeśli uważasz, że ktoś może znać Twoje hasło, możesz wymusić wylogowanie na wszystkich innych urządzeniach korzystających z Twojego konta."), + "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( + "Wyloguj z pozostałych urządzeń"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Akceptuję warunki korzystania z usługi i politykę prywatności"), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "To zostanie usunięte ze wszystkich albumów."), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Pomiń"), + "social": MessageLookupByLibrary.simpleMessage("Społeczność"), + "someItemsAreInBothEnteAndYourDevice": + MessageLookupByLibrary.simpleMessage( + "Niektóre elementy są zarówno w Ente, jak i na Twoim urządzeniu."), + "someOfTheFilesYouAreTryingToDeleteAre": + MessageLookupByLibrary.simpleMessage( + "Niektóre z plików, które próbujesz usunąć, są dostępne tylko na Twoim urządzeniu i nie można ich odzyskać po usunięciu"), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Osoba udostępniająca albumy powinna widzieć ten sam identyfikator na swoim urządzeniu."), + "somethingWentWrong": + MessageLookupByLibrary.simpleMessage("Coś poszło nie tak"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Coś poszło nie tak, spróbuj ponownie"), + "sorry": MessageLookupByLibrary.simpleMessage("Przepraszamy"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "Przepraszamy, nie mogliśmy utworzyć kopii zapasowej tego pliku teraz, spróbujemy ponownie później."), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Przepraszamy, nie udało się dodać do ulubionych!"), + "sorryCouldNotRemoveFromFavorites": + MessageLookupByLibrary.simpleMessage( + "Przepraszamy, nie udało się usunąć z ulubionych!"), + "sorryTheCodeYouveEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "Niestety, wprowadzony kod jest nieprawidłowy"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Przepraszamy, nie mogliśmy wygenerować bezpiecznych kluczy na tym urządzeniu.\n\nZarejestruj się z innego urządzenia."), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Przepraszamy, musieliśmy wstrzymać tworzenie kopii zapasowych"), + "sort": MessageLookupByLibrary.simpleMessage("Sortuj"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sortuj według"), + "sortNewestFirst": + MessageLookupByLibrary.simpleMessage("Od najnowszych"), + "sortOldestFirst": + MessageLookupByLibrary.simpleMessage("Od najstarszych"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Sukces"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": + MessageLookupByLibrary.simpleMessage("Uwaga na siebie"), + "startAccountRecoveryTitle": + MessageLookupByLibrary.simpleMessage("Rozpocznij odzyskiwanie"), + "startBackup": MessageLookupByLibrary.simpleMessage( + "Uruchom tworzenie kopii zapasowej"), + "status": MessageLookupByLibrary.simpleMessage("Stan"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "Czy chcesz przestać wyświetlać?"), + "stopCastingTitle": + MessageLookupByLibrary.simpleMessage("Zatrzymaj wyświetlanie"), + "storage": MessageLookupByLibrary.simpleMessage("Pamięć"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Rodzina"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Ty"), + "storageInGB": m93, + "storageLimitExceeded": + MessageLookupByLibrary.simpleMessage("Przekroczono limit pamięci"), + "storageUsageInfo": m94, + "strongStrength": MessageLookupByLibrary.simpleMessage("Silne"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Subskrybuj"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Potrzebujesz aktywnej płatnej subskrypcji, aby włączyć udostępnianie."), + "subscription": MessageLookupByLibrary.simpleMessage("Subskrypcja"), + "success": MessageLookupByLibrary.simpleMessage("Sukces"), + "successfullyArchived": + MessageLookupByLibrary.simpleMessage("Pomyślnie zarchiwizowano"), + "successfullyHid": + MessageLookupByLibrary.simpleMessage("Pomyślnie ukryto"), + "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( + "Pomyślnie przywrócono z archiwum"), + "successfullyUnhid": + MessageLookupByLibrary.simpleMessage("Pomyślnie odkryto"), + "suggestFeatures": + MessageLookupByLibrary.simpleMessage("Zaproponuj funkcje"), + "sunrise": MessageLookupByLibrary.simpleMessage("Na horyzoncie"), + "support": MessageLookupByLibrary.simpleMessage("Wsparcie techniczne"), + "syncProgress": m97, + "syncStopped": + MessageLookupByLibrary.simpleMessage("Synchronizacja zatrzymana"), + "syncing": MessageLookupByLibrary.simpleMessage("Synchronizowanie..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("Systemowy"), + "tapToCopy": + MessageLookupByLibrary.simpleMessage("naciśnij aby skopiować"), + "tapToEnterCode": + MessageLookupByLibrary.simpleMessage("Stuknij, aby wprowadzić kod"), + "tapToUnlock": + MessageLookupByLibrary.simpleMessage("Naciśnij, aby odblokować"), + "tapToUpload": + MessageLookupByLibrary.simpleMessage("Naciśnij, aby przesłać"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Wygląda na to, że coś poszło nie tak. Spróbuj ponownie po pewnym czasie. Jeśli błąd będzie się powtarzał, skontaktuj się z naszym zespołem pomocy technicznej."), + "terminate": MessageLookupByLibrary.simpleMessage("Zakończ"), + "terminateSession": + MessageLookupByLibrary.simpleMessage("Zakończyć sesję?"), + "terms": MessageLookupByLibrary.simpleMessage("Warunki"), + "termsOfServicesTitle": + MessageLookupByLibrary.simpleMessage("Regulamin"), + "thankYou": MessageLookupByLibrary.simpleMessage("Dziękujemy"), + "thankYouForSubscribing": + MessageLookupByLibrary.simpleMessage("Dziękujemy za subskrypcję!"), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "Pobieranie nie mogło zostać ukończone"), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "Link, do którego próbujesz uzyskać dostęp, wygasł."), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Grupy osób nie będą już wyświetlane w sekcji ludzi. Zdjęcia pozostaną nienaruszone."), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Osoba nie będzie już wyświetlana w sekcji ludzi. Zdjęcia pozostaną nienaruszone."), + "theRecoveryKeyYouEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "Wprowadzony klucz odzyskiwania jest nieprawidłowy"), + "theme": MessageLookupByLibrary.simpleMessage("Motyw"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Te elementy zostaną usunięte z Twojego urządzenia."), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "Zostaną one usunięte ze wszystkich albumów."), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Tej czynności nie można cofnąć"), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "Ten album posiada już link do współpracy"), + "thisCanBeUsedToRecoverYourAccountIfYou": + MessageLookupByLibrary.simpleMessage( + "Można go użyć do odzyskania konta w przypadku utraty swojej drugiej metody uwierzytelniania"), + "thisDevice": MessageLookupByLibrary.simpleMessage("To urządzenie"), + "thisEmailIsAlreadyInUse": + MessageLookupByLibrary.simpleMessage("Ten e-mail jest już używany"), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Ten obraz nie posiada danych exif"), + "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("To ja!"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "To jest Twój Identyfikator Weryfikacji"), + "thisWeekThroughTheYears": + MessageLookupByLibrary.simpleMessage("Ten tydzień przez lata"), + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "To wyloguje Cię z tego urządzenia:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "To wyloguje Cię z tego urządzenia!"), + "thisWillMakeTheDateAndTimeOfAllSelected": + MessageLookupByLibrary.simpleMessage( + "To sprawi, że data i czas wszystkich wybranych zdjęć będą takie same."), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "Spowoduje to usunięcie publicznych linków wszystkich zaznaczonych szybkich linków."), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "Aby włączyć blokadę aplikacji, należy skonfigurować hasło urządzenia lub blokadę ekranu w ustawieniach systemu."), + "toHideAPhotoOrVideo": + MessageLookupByLibrary.simpleMessage("Aby ukryć zdjęcie lub wideo"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Aby zresetować hasło, najpierw zweryfikuj swój adres e-mail."), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Dzisiejsze logi"), + "tooManyIncorrectAttempts": + MessageLookupByLibrary.simpleMessage("Zbyt wiele błędnych prób"), + "total": MessageLookupByLibrary.simpleMessage("ogółem"), + "totalSize": MessageLookupByLibrary.simpleMessage("Całkowity rozmiar"), + "trash": MessageLookupByLibrary.simpleMessage("Kosz"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Przytnij"), + "tripInYear": m104, + "trustedContacts": + MessageLookupByLibrary.simpleMessage("Zaufane kontakty"), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Spróbuj ponownie"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Włącz kopię zapasową, aby automatycznie przesyłać pliki dodane do folderu urządzenia do Ente."), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "2 miesiące za darmo na planach rocznych"), + "twofactor": MessageLookupByLibrary.simpleMessage( + "Uwierzytelnianie dwustopniowe"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "Uwierzytelnianie dwustopniowe zostało wyłączone"), + "twofactorAuthenticationPageTitle": + MessageLookupByLibrary.simpleMessage( + "Uwierzytelnianie dwustopniowe"), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "Pomyślnie zresetowano uwierzytelnianie dwustopniowe"), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Uwierzytelnianie dwustopniowe"), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": + MessageLookupByLibrary.simpleMessage("Przywróć z archiwum"), + "unarchiveAlbum": + MessageLookupByLibrary.simpleMessage("Przywróć album z archiwum"), + "unarchiving": + MessageLookupByLibrary.simpleMessage("Usuwanie z archiwum..."), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Przepraszamy, ten kod jest niedostępny."), + "uncategorized": MessageLookupByLibrary.simpleMessage("Bez kategorii"), + "unhide": MessageLookupByLibrary.simpleMessage("Odkryj"), + "unhideToAlbum": + MessageLookupByLibrary.simpleMessage("Odkryj do albumu"), + "unhiding": MessageLookupByLibrary.simpleMessage("Odkrywanie..."), + "unhidingFilesToAlbum": + MessageLookupByLibrary.simpleMessage("Odkrywanie plików do albumu"), + "unlock": MessageLookupByLibrary.simpleMessage("Odblokuj"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("Odepnij album"), + "unselectAll": MessageLookupByLibrary.simpleMessage("Odznacz wszystko"), + "update": MessageLookupByLibrary.simpleMessage("Aktualizuj"), + "updateAvailable": + MessageLookupByLibrary.simpleMessage("Dostępna jest aktualizacja"), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Aktualizowanie wyboru folderu..."), + "upgrade": MessageLookupByLibrary.simpleMessage("Ulepsz"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Przesyłanie plików do albumu..."), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( + "Zachowywanie 1 wspomnienia..."), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "Do 50% zniżki, do 4 grudnia."), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "Użyteczna przestrzeń dyskowa jest ograniczona przez Twój obecny plan. Nadmiar zadeklarowanej przestrzeni dyskowej stanie się automatycznie użyteczny po uaktualnieniu planu."), + "useAsCover": MessageLookupByLibrary.simpleMessage("Użyj jako okładki"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "Masz problem z odtwarzaniem tego wideo? Przytrzymaj tutaj, aby spróbować innego odtwarzacza."), + "usePublicLinksForPeopleNotOnEnte": + MessageLookupByLibrary.simpleMessage( + "Użyj publicznych linków dla osób spoza Ente"), + "useRecoveryKey": + MessageLookupByLibrary.simpleMessage("Użyj kodu odzyskiwania"), + "useSelectedPhoto": + MessageLookupByLibrary.simpleMessage("Użyj zaznaczone zdjęcie"), + "usedSpace": MessageLookupByLibrary.simpleMessage("Zajęta przestrzeń"), + "validTill": m110, + "verificationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Weryfikacja nie powiodła się, spróbuj ponownie"), + "verificationId": + MessageLookupByLibrary.simpleMessage("Identyfikator weryfikacyjny"), + "verify": MessageLookupByLibrary.simpleMessage("Zweryfikuj"), + "verifyEmail": + MessageLookupByLibrary.simpleMessage("Zweryfikuj adres e-mail"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Zweryfikuj"), + "verifyPasskey": + MessageLookupByLibrary.simpleMessage("Zweryfikuj klucz dostępu"), + "verifyPassword": + MessageLookupByLibrary.simpleMessage("Zweryfikuj hasło"), + "verifying": MessageLookupByLibrary.simpleMessage("Weryfikowanie..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Weryfikowanie klucza odzyskiwania..."), + "videoInfo": MessageLookupByLibrary.simpleMessage("Informacje Wideo"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("wideo"), + "videoStreaming": + MessageLookupByLibrary.simpleMessage("Streamowalne wideo"), + "videos": MessageLookupByLibrary.simpleMessage("Wideo"), + "viewActiveSessions": + MessageLookupByLibrary.simpleMessage("Zobacz aktywne sesje"), + "viewAddOnButton": + MessageLookupByLibrary.simpleMessage("Zobacz dodatki"), + "viewAll": MessageLookupByLibrary.simpleMessage("Pokaż wszystkie"), + "viewAllExifData": MessageLookupByLibrary.simpleMessage( + "Wyświetl wszystkie dane EXIF"), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Duże pliki"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Wyświetl pliki zużywające największą ilość pamięci."), + "viewLogs": MessageLookupByLibrary.simpleMessage("Wyświetl logi"), + "viewPersonToUnlink": m112, + "viewRecoveryKey": + MessageLookupByLibrary.simpleMessage("Zobacz klucz odzyskiwania"), + "viewer": MessageLookupByLibrary.simpleMessage("Widz"), + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Odwiedź stronę web.ente.io, aby zarządzać subskrypcją"), + "waitingForVerification": MessageLookupByLibrary.simpleMessage( + "Oczekiwanie na weryfikację..."), + "waitingForWifi": + MessageLookupByLibrary.simpleMessage("Czekanie na WiFi..."), + "warning": MessageLookupByLibrary.simpleMessage("Uwaga"), + "weAreOpenSource": + MessageLookupByLibrary.simpleMessage("Posiadamy otwarte źródło!"), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "Nie wspieramy edycji zdjęć i albumów, których jeszcze nie posiadasz"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Słabe"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("Witaj ponownie!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("Co nowego"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "Zaufany kontakt może pomóc w odzyskaniu Twoich danych."), + "widgets": MessageLookupByLibrary.simpleMessage("Widżety"), + "wishThemAHappyBirthday": m115, + "yearShort": MessageLookupByLibrary.simpleMessage("r"), + "yearly": MessageLookupByLibrary.simpleMessage("Rocznie"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Tak"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Tak, anuluj"), + "yesConvertToViewer": + MessageLookupByLibrary.simpleMessage("Tak, konwertuj na widza"), + "yesDelete": MessageLookupByLibrary.simpleMessage("Tak, usuń"), + "yesDiscardChanges": + MessageLookupByLibrary.simpleMessage("Tak, odrzuć zmiany"), + "yesIgnore": MessageLookupByLibrary.simpleMessage("Tak, ignoruj"), + "yesLogout": MessageLookupByLibrary.simpleMessage("Tak, wyloguj"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Tak, usuń"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Tak, Odnów"), + "yesResetPerson": + MessageLookupByLibrary.simpleMessage("Tak, zresetuj osobę"), + "you": MessageLookupByLibrary.simpleMessage("Ty"), + "youAndThem": m117, + "youAreOnAFamilyPlan": + MessageLookupByLibrary.simpleMessage("Jesteś w planie rodzinnym!"), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Korzystasz z najnowszej wersji"), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Maksymalnie możesz podwoić swoją przestrzeń dyskową"), + "youCanManageYourLinksInTheShareTab": + MessageLookupByLibrary.simpleMessage( + "Możesz zarządzać swoimi linkami w zakładce udostępnianie."), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "Możesz spróbować wyszukać inne zapytanie."), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "Nie możesz przejść do tego planu"), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Nie możesz udostępnić samemu sobie"), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "Nie masz żadnych zarchiwizowanych elementów."), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "Twoje konto zostało usunięte"), + "yourMap": MessageLookupByLibrary.simpleMessage("Twoja mapa"), + "yourPlanWasSuccessfullyDowngraded": + MessageLookupByLibrary.simpleMessage( + "Twój plan został pomyślnie obniżony"), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "Twój plan został pomyślnie ulepszony"), + "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( + "Twój zakup zakończył się pomyślnie"), + "yourStorageDetailsCouldNotBeFetched": + MessageLookupByLibrary.simpleMessage( + "Nie można pobrać szczegółów pamięci"), + "yourSubscriptionHasExpired": + MessageLookupByLibrary.simpleMessage("Twoja subskrypcja wygasła"), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "Twoja subskrypcja została pomyślnie zaktualizowana"), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "Twój kod weryfikacyjny wygasł"), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "Nie masz zduplikowanych plików, które można wyczyścić"), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "Nie masz żadnych plików w tym albumie, które można usunąć"), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( + "Pomniejsz, aby zobaczyć zdjęcia") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_pt.dart b/mobile/apps/photos/lib/generated/intl/messages_pt.dart index bf18ff8f1a..ff14267b56 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_pt.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_pt.dart @@ -48,7 +48,11 @@ class MessageLookup extends MessageLookupByLibrary { "${user} não será capaz de adicionar mais fotos a este álbum\n\nEles ainda serão capazes de remover fotos existentes adicionadas por eles"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, {'true': 'Sua família reinvidicou ${storageAmountInGb} GB até então', 'false': 'Você reinvindicou ${storageAmountInGb} GB até então', 'other': 'Você reinvindicou ${storageAmountInGb} GB até então!'})}"; + "${Intl.select(isFamilyMember, { + 'true': 'Sua família reinvidicou ${storageAmountInGb} GB até então', + 'false': 'Você reinvindicou ${storageAmountInGb} GB até então', + 'other': 'Você reinvindicou ${storageAmountInGb} GB até então!', + })}"; static String m15(albumName) => "Link colaborativo criado para ${albumName}"; @@ -232,11 +236,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, - usedStorageUnit, - totalAmount, - totalStorageUnit, - ) => + usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => "${usedAmount} ${usedStorageUnit} de ${totalAmount} ${totalStorageUnit} usado"; static String m95(id) => @@ -296,2378 +296,1881 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Está disponível uma nova versão do Ente.", - ), - "about": MessageLookupByLibrary.simpleMessage("Sobre"), - "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( - "Aceitar convite", - ), - "account": MessageLookupByLibrary.simpleMessage("Conta"), - "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( - "A conta já está ajustada.", - ), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( - "Bem-vindo de volta!", - ), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Eu entendo que se eu perder a minha palavra-passe, posso perder os meus dados já que esses dados são encriptados de ponta a ponta.", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage("Sessões ativas"), - "add": MessageLookupByLibrary.simpleMessage("Adicionar"), - "addAName": MessageLookupByLibrary.simpleMessage("Adiciona um nome"), - "addANewEmail": MessageLookupByLibrary.simpleMessage( - "Adicionar um novo e-mail", - ), - "addCollaborator": MessageLookupByLibrary.simpleMessage( - "Adicionar colaborador", - ), - "addFiles": MessageLookupByLibrary.simpleMessage("Adicionar arquivos"), - "addFromDevice": MessageLookupByLibrary.simpleMessage( - "Adicionar a partir do dispositivo", - ), - "addLocation": MessageLookupByLibrary.simpleMessage( - "Adicionar localização", - ), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Adicionar"), - "addMore": MessageLookupByLibrary.simpleMessage("Adicionar mais"), - "addName": MessageLookupByLibrary.simpleMessage("Adicionar pessoa"), - "addNameOrMerge": MessageLookupByLibrary.simpleMessage( - "Adicionar nome ou juntar", - ), - "addNew": MessageLookupByLibrary.simpleMessage("Adicionar novo"), - "addNewPerson": MessageLookupByLibrary.simpleMessage( - "Adicionar nova pessoa", - ), - "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( - "Detalhes dos addons", - ), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("addons"), - "addPhotos": MessageLookupByLibrary.simpleMessage("Adicionar fotos"), - "addSelected": MessageLookupByLibrary.simpleMessage( - "Adicionar selecionados", - ), - "addToAlbum": MessageLookupByLibrary.simpleMessage("Adicionar ao álbum"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Adicionar ao Ente"), - "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Adicionar a álbum oculto", - ), - "addTrustedContact": MessageLookupByLibrary.simpleMessage( - "Adicionar contato confiável", - ), - "addViewer": MessageLookupByLibrary.simpleMessage("Adicionar visualizador"), - "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( - "Adicione suas fotos agora", - ), - "addedAs": MessageLookupByLibrary.simpleMessage("Adicionado como"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": MessageLookupByLibrary.simpleMessage( - "Adicionando aos favoritos...", - ), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("Avançado"), - "advancedSettings": MessageLookupByLibrary.simpleMessage( - "Definições avançadas", - ), - "after1Day": MessageLookupByLibrary.simpleMessage("Depois de 1 dia"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Depois de 1 Hora"), - "after1Month": MessageLookupByLibrary.simpleMessage("Depois de 1 mês"), - "after1Week": MessageLookupByLibrary.simpleMessage("Depois de 1 semana"), - "after1Year": MessageLookupByLibrary.simpleMessage("Depois de 1 ano"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Dono"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Título do álbum"), - "albumUpdated": MessageLookupByLibrary.simpleMessage("Álbum atualizado"), - "albums": MessageLookupByLibrary.simpleMessage("Álbuns"), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Tudo limpo"), - "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( - "Todas as memórias preservadas", - ), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "Todos os agrupamentos para esta pessoa serão reiniciados e perderá todas as sugestões feitas para esta pessoa", - ), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "Este é o primeiro do grupo. As outras fotos selecionadas serão automaticamente alteradas para esta nova data", - ), - "allow": MessageLookupByLibrary.simpleMessage("Permitir"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Permitir que pessoas com o link também adicionem fotos ao álbum compartilhado.", - ), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( - "Permitir adicionar fotos", - ), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "Permitir aplicativo abrir links de álbum compartilhado", - ), - "allowDownloads": MessageLookupByLibrary.simpleMessage( - "Permitir downloads", - ), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Permitir que as pessoas adicionem fotos", - ), - "androidBiometricHint": MessageLookupByLibrary.simpleMessage( - "Verificar identidade", - ), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "Não reconhecido. Tente novamente.", - ), - "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( - "Biometria necessária", - ), - "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("Sucesso"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Cancelar"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage( - "Credenciais do dispositivo são necessárias", - ), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage( - "Credenciais do dispositivo necessárias", - ), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "A autenticação biométrica não está configurada no seu dispositivo. Vá a “Definições > Segurança” para adicionar a autenticação biométrica.", - ), - "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( - "Android, iOS, Web, Desktop", - ), - "androidSignInTitle": MessageLookupByLibrary.simpleMessage( - "Autenticação necessária", - ), - "appIcon": MessageLookupByLibrary.simpleMessage("Ícone do aplicativo"), - "appLock": MessageLookupByLibrary.simpleMessage("Bloqueio de app"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Escolha entre o ecrã de bloqueio predefinido do seu dispositivo e um ecrã de bloqueio personalizado com um PIN ou uma palavra-passe.", - ), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("ID da Apple"), - "apply": MessageLookupByLibrary.simpleMessage("Aplicar"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Aplicar código"), - "appstoreSubscription": MessageLookupByLibrary.simpleMessage( - "Subscrição da AppStore", - ), - "archive": MessageLookupByLibrary.simpleMessage("............"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("Arquivar álbum"), - "archiving": MessageLookupByLibrary.simpleMessage("Arquivar..."), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Tem certeza que deseja sair do plano familiar?", - ), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "Tem a certeza de que quer cancelar?", - ), - "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( - "Tem a certeza de que pretende alterar o seu plano?", - ), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "Tem certeza de que deseja sair?", - ), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Tem certeza que deseja terminar a sessão?", - ), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "Tem a certeza de que pretende renovar?", - ), - "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( - "Tens a certeza de que queres repor esta pessoa?", - ), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "A sua subscrição foi cancelada. Gostaria de partilhar o motivo?", - ), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Qual o principal motivo pelo qual está a eliminar a conta?", - ), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Peça aos seus entes queridos para partilharem", - ), - "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( - "em um abrigo avançado", - ), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Por favor, autentique-se para alterar a verificação de e-mail", - ), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Por favor, autentique-se para alterar a configuração da tela do ecrã de bloqueio", - ), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Por favor, autentique-se para alterar o seu e-mail", - ), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Por favor, autentique-se para alterar a palavra-passe", - ), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Por favor, autentique para configurar a autenticação de dois fatores", - ), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Autentique-se para iniciar a eliminação da conta", - ), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Autentique-se para gerenciar seus contatos confiáveis", - ), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Autentique-se para ver a sua chave de acesso", - ), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Por favor, autentique-se para ver as suas sessões ativas", - ), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Por favor, autentique para ver seus arquivos ocultos", - ), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Por favor, autentique-se para ver suas memórias", - ), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Por favor, autentique-se para ver a chave de recuperação", - ), - "authenticating": MessageLookupByLibrary.simpleMessage("A Autenticar..."), - "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Falha na autenticação, por favor tente novamente", - ), - "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( - "Autenticação bem sucedida!", - ), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Verá os dispositivos Cast disponíveis aqui.", - ), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Certifique-se de que as permissões de Rede local estão activadas para a aplicação Ente Photos, nas Definições.", - ), - "autoLock": MessageLookupByLibrary.simpleMessage("Bloqueio automático"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Tempo após o qual a aplicação bloqueia depois de ser colocada em segundo plano", - ), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "Devido a uma falha técnica, a sua sessão foi encerrada. Pedimos desculpas pelo incómodo.", - ), - "autoPair": MessageLookupByLibrary.simpleMessage( - "Emparelhamento automático", - ), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "O pareamento automático funciona apenas com dispositivos que suportam o Chromecast.", - ), - "available": MessageLookupByLibrary.simpleMessage("Disponível"), - "availableStorageSpace": m10, - "backedUpFolders": MessageLookupByLibrary.simpleMessage( - "Pastas com cópia de segurança", - ), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("Cópia de segurança"), - "backupFailed": MessageLookupByLibrary.simpleMessage("Backup falhou"), - "backupFile": MessageLookupByLibrary.simpleMessage( - "Copiar arquivo com segurança", - ), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Cópia de segurança através dos dados móveis", - ), - "backupSettings": MessageLookupByLibrary.simpleMessage( - "Definições da cópia de segurança", - ), - "backupStatus": MessageLookupByLibrary.simpleMessage( - "Status da cópia de segurança", - ), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Os itens que foram salvos com segurança aparecerão aqui", - ), - "backupVideos": MessageLookupByLibrary.simpleMessage( - "Cópia de segurança de vídeos", - ), - "beach": MessageLookupByLibrary.simpleMessage("Areia e o mar"), - "birthday": MessageLookupByLibrary.simpleMessage("Aniversário"), - "birthdays": MessageLookupByLibrary.simpleMessage("Birthdays"), - "blackFridaySale": MessageLookupByLibrary.simpleMessage( - "Promoção Black Friday", - ), - "blog": MessageLookupByLibrary.simpleMessage("Blog"), - "cachedData": MessageLookupByLibrary.simpleMessage("Dados em cache"), - "calculating": MessageLookupByLibrary.simpleMessage("Calcular..."), - "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( - "Não é possível fazer upload para álbuns pertencentes a outros", - ), - "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Só pode criar um link para arquivos pertencentes a você", - ), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage(""), - "cancel": MessageLookupByLibrary.simpleMessage("Cancelar"), - "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( - "Cancelar recuperação", - ), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "Deseja mesmo cancelar a recuperação de conta?", - ), - "cancelOtherSubscription": m12, - "cancelSubscription": MessageLookupByLibrary.simpleMessage( - "Cancelar subscrição", - ), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Não é possível eliminar ficheiros partilhados", - ), - "castAlbum": MessageLookupByLibrary.simpleMessage("Transferir álbum"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Certifique-se de estar na mesma rede que a TV.", - ), - "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( - "Falha ao transmitir álbum", - ), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Visite cast.ente.io no dispositivo que pretende emparelhar.\n\n\nIntroduza o código abaixo para reproduzir o álbum na sua TV.", - ), - "centerPoint": MessageLookupByLibrary.simpleMessage("Ponto central"), - "change": MessageLookupByLibrary.simpleMessage("Alterar"), - "changeEmail": MessageLookupByLibrary.simpleMessage("Alterar e-mail"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Alterar a localização dos itens selecionados?", - ), - "changePassword": MessageLookupByLibrary.simpleMessage( - "Alterar palavra-passe", - ), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Alterar palavra-passe", - ), - "changePermissions": MessageLookupByLibrary.simpleMessage( - "Alterar permissões", - ), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Alterar o código de referência", - ), - "checkForUpdates": MessageLookupByLibrary.simpleMessage( - "Procurar atualizações", - ), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Verifique a sua caixa de entrada (e spam) para concluir a verificação", - ), - "checkStatus": MessageLookupByLibrary.simpleMessage("Verificar status"), - "checking": MessageLookupByLibrary.simpleMessage("A verificar..."), - "checkingModels": MessageLookupByLibrary.simpleMessage( - "A verificar modelos...", - ), - "city": MessageLookupByLibrary.simpleMessage("Na cidade"), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage( - "Solicitar armazenamento gratuito", - ), - "claimMore": MessageLookupByLibrary.simpleMessage("Reclamar mais!"), - "claimed": MessageLookupByLibrary.simpleMessage("Reclamado"), - "claimedStorageSoFar": m14, - "cleanUncategorized": MessageLookupByLibrary.simpleMessage( - "Limpar sem categoria", - ), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Remover todos os arquivos da Não Categorizados que estão presentes em outros álbuns", - ), - "clearCaches": MessageLookupByLibrary.simpleMessage("Limpar cache"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Limpar índices"), - "click": MessageLookupByLibrary.simpleMessage("Clique"), - "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( - "• Clique no menu adicional", - ), - "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( - "Click to install our best version yet", - ), - "close": MessageLookupByLibrary.simpleMessage("Fechar"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( - "Agrupar por tempo de captura", - ), - "clubByFileName": MessageLookupByLibrary.simpleMessage( - "Agrupar pelo nome de arquivo", - ), - "clusteringProgress": MessageLookupByLibrary.simpleMessage( - "Progresso de agrupamento", - ), - "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( - "Código aplicado", - ), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Desculpe, você atingiu o limite de alterações de código.", - ), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Código copiado para área de transferência", - ), - "codeUsedByYou": MessageLookupByLibrary.simpleMessage( - "Código usado por você", - ), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Criar um link para permitir que as pessoas adicionem e visualizem fotos em seu álbum compartilhado sem precisar de um aplicativo Ente ou conta. Ótimo para coletar fotos do evento.", - ), - "collaborativeLink": MessageLookupByLibrary.simpleMessage( - "Link colaborativo", - ), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Colaborador"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Os colaboradores podem adicionar fotos e vídeos ao álbum compartilhado.", - ), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("Layout"), - "collageSaved": MessageLookupByLibrary.simpleMessage( - "Colagem guardada na galeria", - ), - "collect": MessageLookupByLibrary.simpleMessage("Recolher"), - "collectEventPhotos": MessageLookupByLibrary.simpleMessage( - "Coletar fotos do evento", - ), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Coletar fotos"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Crie um link onde seus amigos podem enviar fotos na qualidade original.", - ), - "color": MessageLookupByLibrary.simpleMessage("Cor"), - "configuration": MessageLookupByLibrary.simpleMessage("Configuração"), - "confirm": MessageLookupByLibrary.simpleMessage("Confirmar"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Tem a certeza de que pretende desativar a autenticação de dois fatores?", - ), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Confirmar eliminação de conta", - ), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Sim, pretendo apagar permanentemente esta conta e os respetivos dados em todas as aplicações.", - ), - "confirmPassword": MessageLookupByLibrary.simpleMessage( - "Confirmar palavra-passe", - ), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage( - "Confirmar alteração de plano", - ), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Confirmar chave de recuperação", - ), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Confirmar chave de recuperação", - ), - "connectToDevice": MessageLookupByLibrary.simpleMessage( - "Ligar ao dispositivo", - ), - "contactFamilyAdmin": m18, - "contactSupport": MessageLookupByLibrary.simpleMessage( - "Contactar o suporte", - ), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Contactos"), - "contents": MessageLookupByLibrary.simpleMessage("Conteúdos"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Continuar"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "Continuar em teste gratuito", - ), - "convertToAlbum": MessageLookupByLibrary.simpleMessage( - "Converter para álbum", - ), - "copyEmailAddress": MessageLookupByLibrary.simpleMessage( - "Copiar endereço de email", - ), - "copyLink": MessageLookupByLibrary.simpleMessage("Copiar link"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Copie e cole este código\nno seu aplicativo de autenticação", - ), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "Não foi possível fazer o backup de seus dados.\nTentaremos novamente mais tarde.", - ), - "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( - "Não foi possível libertar espaço", - ), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Não foi possível atualizar a subscrição", - ), - "count": MessageLookupByLibrary.simpleMessage("Contagem"), - "crashReporting": MessageLookupByLibrary.simpleMessage( - "Relatório de falhas", - ), - "create": MessageLookupByLibrary.simpleMessage("Criar"), - "createAccount": MessageLookupByLibrary.simpleMessage("Criar conta"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Pressione e segure para selecionar fotos e clique em + para criar um álbum", - ), - "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( - "Criar link colaborativo", - ), - "createCollage": MessageLookupByLibrary.simpleMessage("Criar coleção"), - "createNewAccount": MessageLookupByLibrary.simpleMessage( - "Criar nova conta", - ), - "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( - "Criar ou selecionar álbum", - ), - "createPublicLink": MessageLookupByLibrary.simpleMessage( - "Criar link público", - ), - "creatingLink": MessageLookupByLibrary.simpleMessage("Criar link..."), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "Atualização crítica disponível", - ), - "crop": MessageLookupByLibrary.simpleMessage("Recortar"), - "curatedMemories": MessageLookupByLibrary.simpleMessage("Curated memories"), - "currentUsageIs": MessageLookupByLibrary.simpleMessage("O uso atual é "), - "currentlyRunning": MessageLookupByLibrary.simpleMessage( - "Atualmente executando", - ), - "custom": MessageLookupByLibrary.simpleMessage("Personalizado"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Escuro"), - "dayToday": MessageLookupByLibrary.simpleMessage("Hoje"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Ontem"), - "declineTrustInvite": MessageLookupByLibrary.simpleMessage( - "Recusar convite", - ), - "decrypting": MessageLookupByLibrary.simpleMessage("A desencriptar…"), - "decryptingVideo": MessageLookupByLibrary.simpleMessage( - "Descriptografando vídeo...", - ), - "deduplicateFiles": MessageLookupByLibrary.simpleMessage( - "Arquivos duplicados", - ), - "delete": MessageLookupByLibrary.simpleMessage("Apagar"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Eliminar conta"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Lamentamos a sua partida. Indique-nos a razão para podermos melhorar o serviço.", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Excluir conta permanentemente", - ), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Apagar álbum"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Eliminar também as fotos (e vídeos) presentes neste álbum de all os outros álbuns de que fazem parte?", - ), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "Esta ação elimina todos os álbuns vazios. Isto é útil quando pretende reduzir a confusão na sua lista de álbuns.", - ), - "deleteAll": MessageLookupByLibrary.simpleMessage("Apagar tudo"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "Esta conta está ligada a outras aplicações Ente, se utilizar alguma. Os seus dados carregados, em todas as aplicações Ente, serão agendados para eliminação e a sua conta será permanentemente eliminada.", - ), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Envie um e-mail para accountt-deletion@ente.io a partir do seu endereço de email registrado.", - ), - "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( - "Apagar álbuns vazios", - ), - "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( - "Apagar álbuns vazios?", - ), - "deleteFromBoth": MessageLookupByLibrary.simpleMessage("Apagar de ambos"), - "deleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Apagar do dispositivo", - ), - "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Apagar do Ente"), - "deleteItemCount": m21, - "deleteLocation": MessageLookupByLibrary.simpleMessage( - "Apagar localização", - ), - "deletePhotos": MessageLookupByLibrary.simpleMessage("Apagar fotos"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Falta uma funcionalidade-chave de que eu necessito", - ), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "O aplicativo ou um determinado recurso não se comportou como era suposto", - ), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Encontrei outro serviço de que gosto mais", - ), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "O motivo não está na lista", - ), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "O seu pedido será processado dentro de 72 horas.", - ), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Excluir álbum compartilhado?", - ), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "O álbum será apagado para todos\n\nVocê perderá o acesso a fotos compartilhadas neste álbum que são propriedade de outros", - ), - "deselectAll": MessageLookupByLibrary.simpleMessage("Desmarcar tudo"), - "designedToOutlive": MessageLookupByLibrary.simpleMessage( - "Feito para ter longevidade", - ), - "details": MessageLookupByLibrary.simpleMessage("Detalhes"), - "developerSettings": MessageLookupByLibrary.simpleMessage( - "Definições do programador", - ), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Tem a certeza de que pretende modificar as definições de programador?", - ), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage( - "Introduza o código", - ), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "Os ficheiros adicionados a este álbum de dispositivo serão automaticamente transferidos para o Ente.", - ), - "deviceLock": MessageLookupByLibrary.simpleMessage( - "Bloqueio do dispositivo", - ), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Desativar o bloqueio do ecrã do dispositivo quando o Ente estiver em primeiro plano e houver uma cópia de segurança em curso. Normalmente, isto não é necessário, mas pode ajudar a que os grandes carregamentos e as importações iniciais de grandes bibliotecas sejam concluídos mais rapidamente.", - ), - "deviceNotFound": MessageLookupByLibrary.simpleMessage( - "Dispositivo não encontrado", - ), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Você sabia?"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage( - "Desativar bloqueio automático", - ), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Visualizadores ainda podem fazer capturas de tela ou salvar uma cópia das suas fotos usando ferramentas externas", - ), - "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( - "Por favor, observe", - ), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "Desativar autenticação de dois fatores", - ), - "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( - "Desativar a autenticação de dois factores...", - ), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Descobrir"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Bebés"), - "discover_celebrations": MessageLookupByLibrary.simpleMessage( - "Comemorações", - ), - "discover_food": MessageLookupByLibrary.simpleMessage("Comida"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Vegetação"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Colinas"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Identidade"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Notas"), - "discover_pets": MessageLookupByLibrary.simpleMessage( - "Animais de estimação", - ), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Recibos"), - "discover_screenshots": MessageLookupByLibrary.simpleMessage( - "Capturas de ecrã", - ), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfies"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Pôr do sol"), - "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( - "Cartões de visita", - ), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage( - "Papéis de parede", - ), - "dismiss": MessageLookupByLibrary.simpleMessage("Rejeitar"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage( - "Não terminar a sessão", - ), - "doThisLater": MessageLookupByLibrary.simpleMessage( - "Fazer isto mais tarde", - ), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Pretende eliminar as edições que efectuou?", - ), - "done": MessageLookupByLibrary.simpleMessage("Concluído"), - "dontSave": MessageLookupByLibrary.simpleMessage("Não salvar"), - "doubleYourStorage": MessageLookupByLibrary.simpleMessage( - "Duplicar o seu armazenamento", - ), - "download": MessageLookupByLibrary.simpleMessage("Download"), - "downloadFailed": MessageLookupByLibrary.simpleMessage("Falha no download"), - "downloading": MessageLookupByLibrary.simpleMessage("A transferir..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Editar"), - "editLocation": MessageLookupByLibrary.simpleMessage("Editar localização"), - "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( - "Editar localização", - ), - "editPerson": MessageLookupByLibrary.simpleMessage("Editar pessoa"), - "editTime": MessageLookupByLibrary.simpleMessage("Editar tempo"), - "editsSaved": MessageLookupByLibrary.simpleMessage("Edição guardada"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Edições para localização só serão vistas dentro do Ente", - ), - "eligible": MessageLookupByLibrary.simpleMessage("elegível"), - "email": MessageLookupByLibrary.simpleMessage("Email"), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( - "Verificação por e-mail", - ), - "emailYourLogs": MessageLookupByLibrary.simpleMessage( - "Enviar logs por e-mail", - ), - "embracingThem": m32, - "emergencyContacts": MessageLookupByLibrary.simpleMessage( - "Contatos de emergência", - ), - "empty": MessageLookupByLibrary.simpleMessage("Esvaziar"), - "emptyTrash": MessageLookupByLibrary.simpleMessage("Esvaziar lixo?"), - "enable": MessageLookupByLibrary.simpleMessage("Ativar"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "O Ente suporta a aprendizagem automática no dispositivo para reconhecimento facial, pesquisa mágica e outras funcionalidades de pesquisa avançadas", - ), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Habilitar aprendizagem automática para pesquisa mágica e reconhecimento de rosto", - ), - "enableMaps": MessageLookupByLibrary.simpleMessage("Ativar mapas"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "Esta opção mostra as suas fotografias num mapa do mundo.\n\n\nEste mapa é alojado pelo Open Street Map e as localizações exactas das suas fotografias nunca são partilhadas.\n\n\nPode desativar esta funcionalidade em qualquer altura nas Definições.", - ), - "enabled": MessageLookupByLibrary.simpleMessage("Ativado"), - "encryptingBackup": MessageLookupByLibrary.simpleMessage( - "Criptografando backup...", - ), - "encryption": MessageLookupByLibrary.simpleMessage("Encriptação"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage( - "Chaves de encriptação", - ), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Endpoint atualizado com sucesso", - ), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Criptografia de ponta a ponta por padrão", - ), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente pode criptografar e preservar arquivos apenas se você conceder acesso a eles", - ), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente precisa de permissão para preservar suas fotos", - ), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "O Ente preserva as suas memórias, para que estejam sempre disponíveis, mesmo que perca o seu dispositivo.", - ), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Sua família também pode ser adicionada ao seu plano.", - ), - "enterAlbumName": MessageLookupByLibrary.simpleMessage( - "Introduzir nome do álbum", - ), - "enterCode": MessageLookupByLibrary.simpleMessage("Insira o código"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Introduza o código fornecido pelo seu amigo para obter armazenamento gratuito para ambos", - ), - "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( - "Aniversário (opcional)", - ), - "enterEmail": MessageLookupByLibrary.simpleMessage("Digite o e-mail"), - "enterFileName": MessageLookupByLibrary.simpleMessage( - "Inserir nome do arquivo", - ), - "enterName": MessageLookupByLibrary.simpleMessage("Inserir nome"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Inserir uma nova palavra-passe para encriptar os seus dados", - ), - "enterPassword": MessageLookupByLibrary.simpleMessage( - "Introduzir palavra-passe", - ), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Inserir uma palavra-passe para encriptar os seus dados", - ), - "enterPersonName": MessageLookupByLibrary.simpleMessage( - "Inserir nome da pessoa", - ), - "enterPin": MessageLookupByLibrary.simpleMessage("Introduzir PIN"), - "enterReferralCode": MessageLookupByLibrary.simpleMessage( - "Insira o código de referência", - ), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Introduzir o código de 6 dígitos da\nsua aplicação de autenticação", - ), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Por favor, insira um endereço de email válido.", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Insira o seu endereço de email", - ), - "enterYourPassword": MessageLookupByLibrary.simpleMessage( - "Introduza a sua palavra-passe", - ), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Insira a sua chave de recuperação", - ), - "error": MessageLookupByLibrary.simpleMessage("Erro"), - "everywhere": MessageLookupByLibrary.simpleMessage("em todo o lado"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": MessageLookupByLibrary.simpleMessage( - "Utilizador existente", - ), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Este link expirou. Por favor, selecione um novo tempo de expiração ou desabilite a expiração do link.", - ), - "exportLogs": MessageLookupByLibrary.simpleMessage("Exportar logs"), - "exportYourData": MessageLookupByLibrary.simpleMessage( - "Exportar os seus dados", - ), - "extraPhotosFound": MessageLookupByLibrary.simpleMessage( - "Fotos adicionais encontradas", - ), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Rosto não agrupado ainda, volte aqui mais tarde", - ), - "faceRecognition": MessageLookupByLibrary.simpleMessage( - "Reconhecimento facial", - ), - "faces": MessageLookupByLibrary.simpleMessage("Rostos"), - "failed": MessageLookupByLibrary.simpleMessage("Falhou"), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage( - "Falha ao aplicar código", - ), - "failedToCancel": MessageLookupByLibrary.simpleMessage( - "Falhou ao cancelar", - ), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( - "Falha ao fazer o download do vídeo", - ), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Falha ao obter sessões em atividade", - ), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Falha ao obter original para edição", - ), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Não foi possível obter detalhes de indicação. Por favor, tente novamente mais tarde.", - ), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "Falha ao carregar álbuns", - ), - "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Falha ao reproduzir multimédia", - ), - "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( - "Falha ao atualizar subscrição", - ), - "failedToRenew": MessageLookupByLibrary.simpleMessage("Falhou ao renovar"), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Falha ao verificar status do pagamento", - ), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Adicione 5 membros da família ao seu plano existente sem pagar mais.\n\n\nCada membro tem o seu próprio espaço privado e não pode ver os ficheiros dos outros, a menos que sejam partilhados.\n\n\nOs planos familiares estão disponíveis para clientes que tenham uma subscrição paga do Ente.\n\n\nSubscreva agora para começar!", - ), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Família"), - "familyPlans": MessageLookupByLibrary.simpleMessage("Planos familiares"), - "faq": MessageLookupByLibrary.simpleMessage("Perguntas Frequentes"), - "faqs": MessageLookupByLibrary.simpleMessage("Perguntas frequentes"), - "favorite": MessageLookupByLibrary.simpleMessage("Favorito"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("Opinião"), - "file": MessageLookupByLibrary.simpleMessage("Arquivo"), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Falha ao guardar o ficheiro na galeria", - ), - "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( - "Acrescente uma descrição...", - ), - "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( - "Arquivo ainda não enviado", - ), - "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Arquivo guardado na galeria", - ), - "fileTypes": MessageLookupByLibrary.simpleMessage("Tipos de arquivo"), - "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( - "Tipos de arquivo e nomes", - ), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage("Arquivos apagados"), - "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Arquivos guardados na galeria", - ), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Encontrar pessoas rapidamente pelo nome", - ), - "findThemQuickly": MessageLookupByLibrary.simpleMessage( - "Ache-os rapidamente", - ), - "flip": MessageLookupByLibrary.simpleMessage("Inverter"), - "food": MessageLookupByLibrary.simpleMessage("Prazer em culinária"), - "forYourMemories": MessageLookupByLibrary.simpleMessage( - "para suas memórias", - ), - "forgotPassword": MessageLookupByLibrary.simpleMessage( - "Esqueceu-se da palavra-passe", - ), - "foundFaces": MessageLookupByLibrary.simpleMessage("Rostos encontrados"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( - "Armazenamento gratuito reclamado", - ), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Armazenamento livre utilizável", - ), - "freeTrial": MessageLookupByLibrary.simpleMessage("Teste grátis"), - "freeTrialValidTill": m38, - "freeUpAmount": m40, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( - "Libertar espaço no dispositivo", - ), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Poupe espaço no seu dispositivo limpando ficheiros dos quais já foi feita uma cópia de segurança.", - ), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("Libertar espaço"), - "gallery": MessageLookupByLibrary.simpleMessage("Galeria"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "Até 1000 memórias mostradas na galeria", - ), - "general": MessageLookupByLibrary.simpleMessage("Geral"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Gerando chaves de encriptação...", - ), - "genericProgress": m42, - "goToSettings": MessageLookupByLibrary.simpleMessage( - "Ir para as definições", - ), - "googlePlayId": MessageLookupByLibrary.simpleMessage("ID do Google Play"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Por favor, permita o acesso a todas as fotos nas definições do aplicativo", - ), - "grantPermission": MessageLookupByLibrary.simpleMessage( - "Conceder permissão", - ), - "greenery": MessageLookupByLibrary.simpleMessage("A vegetação verde"), - "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( - "Agrupar fotos próximas", - ), - "guestView": MessageLookupByLibrary.simpleMessage("Visão de convidado"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "Para ativar a vista de convidado, configure o código de acesso do dispositivo ou o bloqueio do ecrã nas definições do sistema.", - ), - "happyBirthday": MessageLookupByLibrary.simpleMessage("Happy birthday! 🥳"), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "Não monitorizamos as instalações de aplicações. Ajudaria se nos dissesse onde nos encontrou!", - ), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Como é que soube do Ente? (opcional)", - ), - "help": MessageLookupByLibrary.simpleMessage("Ajuda"), - "hidden": MessageLookupByLibrary.simpleMessage("Oculto"), - "hide": MessageLookupByLibrary.simpleMessage("Ocultar"), - "hideContent": MessageLookupByLibrary.simpleMessage("Ocultar conteúdo"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Oculta o conteúdo da aplicação no alternador de aplicações e desactiva as capturas de ecrã", - ), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Oculta o conteúdo da aplicação no alternador de aplicações", - ), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "Ocultar itens compartilhados da galeria inicial", - ), - "hiding": MessageLookupByLibrary.simpleMessage("Ocultando..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( - "Hospedado na OSM France", - ), - "howItWorks": MessageLookupByLibrary.simpleMessage("Como funciona"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Por favor, peça-lhes para pressionar longamente o endereço de e-mail na tela de configurações e verifique se os IDs de ambos os dispositivos coincidem.", - ), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "A autenticação biométrica não está configurada no seu dispositivo. Active o Touch ID ou o Face ID no seu telemóvel.", - ), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "A autenticação biométrica está desativada. Por favor, bloqueie e desbloqueie o ecrã para ativá-la.", - ), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorar"), - "ignored": MessageLookupByLibrary.simpleMessage("ignorado"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Alguns ficheiros deste álbum não podem ser carregados porque foram anteriormente eliminados do Ente.", - ), - "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( - "Imagem não analisada", - ), - "immediately": MessageLookupByLibrary.simpleMessage("Imediatamente"), - "importing": MessageLookupByLibrary.simpleMessage("A importar..."), - "incorrectCode": MessageLookupByLibrary.simpleMessage("Código incorrecto"), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Palavra-passe incorreta", - ), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Chave de recuperação incorreta", - ), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "A chave de recuperação inserida está incorreta", - ), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Chave de recuperação incorreta", - ), - "indexedItems": MessageLookupByLibrary.simpleMessage("Itens indexados"), - "ineligible": MessageLookupByLibrary.simpleMessage("Inelegível"), - "info": MessageLookupByLibrary.simpleMessage("Info"), - "insecureDevice": MessageLookupByLibrary.simpleMessage( - "Dispositivo inseguro", - ), - "installManually": MessageLookupByLibrary.simpleMessage( - "Instalar manualmente", - ), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "Endereço de email inválido", - ), - "invalidEndpoint": MessageLookupByLibrary.simpleMessage( - "Endpoint inválido", - ), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Desculpe, o endpoint que introduziu é inválido. Introduza um ponto final válido e tente novamente.", - ), - "invalidKey": MessageLookupByLibrary.simpleMessage("Chave inválida"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "A chave de recuperação que inseriu não é válida. Por favor, certifique-se que ela contém 24 palavras e verifique a ortografia de cada uma.\n\nSe inseriu um código de recuperação mais antigo, certifique-se de que tem 64 caracteres e verifique cada um deles.", - ), - "invite": MessageLookupByLibrary.simpleMessage("Convidar"), - "inviteToEnte": MessageLookupByLibrary.simpleMessage("Convidar para Ente"), - "inviteYourFriends": MessageLookupByLibrary.simpleMessage( - "Convide os seus amigos", - ), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "Convide seus amigos para o Ente", - ), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Parece que algo correu mal. Por favor, tente novamente após algum tempo. Se o erro persistir, contacte a nossa equipa de apoio.", - ), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "Os itens mostram o número de dias restantes antes da eliminação permanente", - ), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Os itens selecionados serão removidos deste álbum", - ), - "join": MessageLookupByLibrary.simpleMessage("Unir-se"), - "joinAlbum": MessageLookupByLibrary.simpleMessage("Unir-se ao álbum"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "Unir-se ao álbum fará que seu e-mail seja visível a todos do álbum.", - ), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( - "para visualizar e adicionar suas fotos", - ), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "para adicionar isso aos álbuns compartilhados", - ), - "joinDiscord": MessageLookupByLibrary.simpleMessage("Juntar-se ao Discord"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Manter fotos"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Por favor, ajude-nos com esta informação", - ), - "language": MessageLookupByLibrary.simpleMessage("Idioma"), - "lastTimeWithThem": m45, - "lastUpdated": MessageLookupByLibrary.simpleMessage("Última atualização"), - "lastYearsTrip": MessageLookupByLibrary.simpleMessage( - "Viajem do ano passado", - ), - "leave": MessageLookupByLibrary.simpleMessage("Sair"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Sair do álbum"), - "leaveFamily": MessageLookupByLibrary.simpleMessage( - "Deixar plano famíliar", - ), - "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Sair do álbum compartilhado?", - ), - "left": MessageLookupByLibrary.simpleMessage("Esquerda"), - "legacy": MessageLookupByLibrary.simpleMessage("Legado"), - "legacyAccounts": MessageLookupByLibrary.simpleMessage("Contas legadas"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "O legado permite que contatos confiáveis acessem sua conta em sua ausência.", - ), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "Contatos confiáveis podem iniciar recuperação de conta. Se não cancelado dentro de 30 dias, redefina sua senha e acesse sua conta.", - ), - "light": MessageLookupByLibrary.simpleMessage("Claro"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Claro"), - "link": MessageLookupByLibrary.simpleMessage("Vincular"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Link copiado para a área de transferência", - ), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage( - "Limite de dispositivo", - ), - "linkEmail": MessageLookupByLibrary.simpleMessage("Vincular e-mail"), - "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( - "para compartilhar rápido", - ), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Ativado"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Expirado"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Link expirado"), - "linkHasExpired": MessageLookupByLibrary.simpleMessage("O link expirou"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Nunca"), - "linkPerson": MessageLookupByLibrary.simpleMessage("Vincular pessoa"), - "linkPersonCaption": MessageLookupByLibrary.simpleMessage( - "para melhor experiência de compartilhamento", - ), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("Fotos Em Tempo Real"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "Pode partilhar a sua subscrição com a sua família", - ), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "Mantemos 3 cópias dos seus dados, uma em um abrigo subterrâneo", - ), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "Todos os nossos aplicativos são de código aberto", - ), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Nosso código-fonte e criptografia foram auditadas externamente", - ), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "Deixar o álbum partilhado?", - ), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Nossos aplicativos móveis são executados em segundo plano para criptografar e fazer backup de quaisquer novas fotos que você clique", - ), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io tem um envio mais rápido", - ), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Nós usamos Xchacha20Poly1305 para criptografar seus dados com segurança", - ), - "loadingExifData": MessageLookupByLibrary.simpleMessage( - "Carregando dados EXIF...", - ), - "loadingGallery": MessageLookupByLibrary.simpleMessage( - "Carregando galeria...", - ), - "loadingMessage": MessageLookupByLibrary.simpleMessage( - "Carregar as suas fotos...", - ), - "loadingModel": MessageLookupByLibrary.simpleMessage( - "Transferindo modelos...", - ), - "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( - "Carregar as suas fotos...", - ), - "localGallery": MessageLookupByLibrary.simpleMessage("Galeria local"), - "localIndexing": MessageLookupByLibrary.simpleMessage("Indexação local"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Parece que algo correu mal, uma vez que a sincronização de fotografias locais está a demorar mais tempo do que o esperado. Contacte a nossa equipa de apoio", - ), - "location": MessageLookupByLibrary.simpleMessage("Localização"), - "locationName": MessageLookupByLibrary.simpleMessage("Nome da localização"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Uma etiqueta de localização agrupa todas as fotos que foram tiradas num determinado raio de uma fotografia", - ), - "locations": MessageLookupByLibrary.simpleMessage("Localizações"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Bloquear"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Ecrã de bloqueio"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Iniciar sessão"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Terminar a sessão..."), - "loginSessionExpired": MessageLookupByLibrary.simpleMessage( - "Sessão expirada", - ), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "A sua sessão expirou. Por favor, inicie sessão novamente.", - ), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Ao clicar em iniciar sessão, eu concordo com os termos de serviço e política de privacidade", - ), - "loginWithTOTP": MessageLookupByLibrary.simpleMessage( - "Iniciar sessão com TOTP", - ), - "logout": MessageLookupByLibrary.simpleMessage("Terminar sessão"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Isto enviará os registos para nos ajudar a resolver o problema. Tenha em atenção que os nomes dos ficheiros serão incluídos para ajudar a localizar problemas com ficheiros específicos.", - ), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Pressione e segure um e-mail para verificar a criptografia de ponta a ponta.", - ), - "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( - "Pressione e segure em um item para ver em tela cheia", - ), - "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( - "Look back on your memories 🌄", - ), - "loopVideoOff": MessageLookupByLibrary.simpleMessage( - "Repetir vídeo desligado", - ), - "loopVideoOn": MessageLookupByLibrary.simpleMessage("Repetir vídeo ligado"), - "lostDevice": MessageLookupByLibrary.simpleMessage( - "Perdeu o seu dispositívo?", - ), - "machineLearning": MessageLookupByLibrary.simpleMessage( - "Aprendizagem automática", - ), - "magicSearch": MessageLookupByLibrary.simpleMessage("Pesquisa mágica"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "A pesquisa mágica permite pesquisar fotos por seu conteúdo, por exemplo, \'flor\', \'carro vermelho\', \'documentos de identidade\'", - ), - "manage": MessageLookupByLibrary.simpleMessage("Gerir"), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Reveja e limpe o armazenamento de cache local.", - ), - "manageFamily": MessageLookupByLibrary.simpleMessage("Gerir família"), - "manageLink": MessageLookupByLibrary.simpleMessage("Gerir link"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Gerir"), - "manageSubscription": MessageLookupByLibrary.simpleMessage( - "Gerir subscrição", - ), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "Emparelhar com PIN funciona com qualquer ecrã onde pretenda ver o seu álbum.", - ), - "map": MessageLookupByLibrary.simpleMessage("Mapa"), - "maps": MessageLookupByLibrary.simpleMessage("Mapas"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("Eu"), - "merchandise": MessageLookupByLibrary.simpleMessage("Produtos"), - "mergeWithExisting": MessageLookupByLibrary.simpleMessage( - "Juntar com o existente", - ), - "mergedPhotos": MessageLookupByLibrary.simpleMessage("Fotos combinadas"), - "mlConsent": MessageLookupByLibrary.simpleMessage( - "Ativar aprendizagem automática", - ), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Eu entendo, e desejo ativar a aprendizagem automática", - ), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Se ativar a aprendizagem automática, o Ente extrairá informações como a geometria do rosto de ficheiros, incluindo os partilhados consigo.\n\n\nIsto acontecerá no seu dispositivo e todas as informações biométricas geradas serão encriptadas de ponta a ponta.", - ), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Por favor, clique aqui para mais detalhes sobre este recurso na nossa política de privacidade", - ), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "Ativar aprendizagem automática?", - ), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Tenha em atenção que a aprendizagem automática resultará numa maior utilização da largura de banda e da bateria até que todos os itens sejam indexados. Considere utilizar a aplicação de ambiente de trabalho para uma indexação mais rápida, todos os resultados serão sincronizados automaticamente.", - ), - "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( - "Mobile, Web, Desktop", - ), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Moderada"), - "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( - "Modifique a sua consulta ou tente pesquisar por", - ), - "moments": MessageLookupByLibrary.simpleMessage("Momentos"), - "month": MessageLookupByLibrary.simpleMessage("mês"), - "monthly": MessageLookupByLibrary.simpleMessage("Mensal"), - "moon": MessageLookupByLibrary.simpleMessage("Na luz do luar"), - "moreDetails": MessageLookupByLibrary.simpleMessage("Mais detalhes"), - "mostRecent": MessageLookupByLibrary.simpleMessage("Mais recente"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("Mais relevante"), - "mountains": MessageLookupByLibrary.simpleMessage("Sob as montanhas"), - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "Mover fotos selecionadas para uma data", - ), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("Mover para álbum"), - "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Mover para álbum oculto", - ), - "movedSuccessfullyTo": m52, - "movedToTrash": MessageLookupByLibrary.simpleMessage("Mover para o lixo"), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Mover arquivos para o álbum...", - ), - "name": MessageLookupByLibrary.simpleMessage("Nome"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Nomear o álbum"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Não foi possível conectar ao Ente, tente novamente após algum tempo. Se o erro persistir, entre em contato com o suporte.", - ), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Não foi possível estabelecer ligação ao Ente. Verifique as definições de rede e contacte o serviço de apoio se o erro persistir.", - ), - "never": MessageLookupByLibrary.simpleMessage("Nunca"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Novo álbum"), - "newLocation": MessageLookupByLibrary.simpleMessage("Nova localização"), - "newPerson": MessageLookupByLibrary.simpleMessage("Nova pessoa"), - "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" new 📸"), - "newRange": MessageLookupByLibrary.simpleMessage("Novo intervalo"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Novo no Ente"), - "newest": MessageLookupByLibrary.simpleMessage("Recentes"), - "next": MessageLookupByLibrary.simpleMessage("Seguinte"), - "no": MessageLookupByLibrary.simpleMessage("Não"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Ainda não há álbuns partilhados por si", - ), - "noDeviceFound": MessageLookupByLibrary.simpleMessage( - "Nenhum dispositivo encontrado", - ), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Nenhum"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "Você não tem arquivos neste dispositivo que possam ser apagados", - ), - "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Sem duplicados"), - "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( - "Nenhuma conta Ente!", - ), - "noExifData": MessageLookupByLibrary.simpleMessage("Sem dados EXIF"), - "noFacesFound": MessageLookupByLibrary.simpleMessage( - "Nenhum rosto encontrado", - ), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "Sem fotos ou vídeos ocultos", - ), - "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( - "Nenhuma imagem com localização", - ), - "noInternetConnection": MessageLookupByLibrary.simpleMessage( - "Sem ligação à internet", - ), - "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( - "No momento não há backup de fotos sendo feito", - ), - "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( - "Nenhuma foto encontrada aqui", - ), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( - "Nenhum link rápido selecionado", - ), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Não tem chave de recuperação?", - ), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Devido à natureza do nosso protocolo de criptografia de ponta a ponta, os seus dados não podem ser descriptografados sem a sua palavra-passe ou a sua chave de recuperação", - ), - "noResults": MessageLookupByLibrary.simpleMessage("Nenhum resultado"), - "noResultsFound": MessageLookupByLibrary.simpleMessage( - "Não foram encontrados resultados", - ), - "noSuggestionsForPerson": m53, - "noSystemLockFound": MessageLookupByLibrary.simpleMessage( - "Nenhum bloqueio de sistema encontrado", - ), - "notPersonLabel": m54, - "notThisPerson": MessageLookupByLibrary.simpleMessage("Não é esta pessoa?"), - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "Ainda nada partilhado consigo", - ), - "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( - "Nada para ver aqui! 👀", - ), - "notifications": MessageLookupByLibrary.simpleMessage("Notificações"), - "ok": MessageLookupByLibrary.simpleMessage("Ok"), - "onDevice": MessageLookupByLibrary.simpleMessage("No dispositivo"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "Em ente", - ), - "onTheRoad": MessageLookupByLibrary.simpleMessage("Na estrada de novo"), - "onThisDay": MessageLookupByLibrary.simpleMessage("On this day"), - "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( - "Receive reminders about memories from this day in previous years.", - ), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Apenas eles"), - "oops": MessageLookupByLibrary.simpleMessage("Oops"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Oops, não foi possível guardar as edições", - ), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Ops, algo deu errado", - ), - "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( - "Abrir álbum no navegador", - ), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Use o aplicativo da web para adicionar fotos a este álbum", - ), - "openFile": MessageLookupByLibrary.simpleMessage("Abrir arquivo"), - "openSettings": MessageLookupByLibrary.simpleMessage("Abrir Definições"), - "openTheItem": MessageLookupByLibrary.simpleMessage("• Abra o item"), - "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( - "Contribuidores do OpenStreetMap", - ), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Opcional, o mais breve que quiser...", - ), - "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( - "Ou combinar com já existente", - ), - "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( - "Ou escolha um já existente", - ), - "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( - "ou escolher dos seus contatos", - ), - "pair": MessageLookupByLibrary.simpleMessage("Emparelhar"), - "pairWithPin": MessageLookupByLibrary.simpleMessage("Emparelhar com PIN"), - "pairingComplete": MessageLookupByLibrary.simpleMessage( - "Emparelhamento concluído", - ), - "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), - "partyWithThem": m56, - "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( - "A verificação ainda está pendente", - ), - "passkey": MessageLookupByLibrary.simpleMessage("Chave de acesso"), - "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( - "Verificação da chave de acesso", - ), - "password": MessageLookupByLibrary.simpleMessage("Palavra-passe"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Palavra-passe alterada com sucesso", - ), - "passwordLock": MessageLookupByLibrary.simpleMessage( - "Bloqueio da palavra-passe", - ), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "A força da palavra-passe é calculada tendo em conta o comprimento da palavra-passe, os caracteres utilizados e se a palavra-passe aparece ou não nas 10.000 palavras-passe mais utilizadas", - ), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Não armazenamos esta palavra-passe, se você a esquecer, não podemos desencriptar os seus dados", - ), - "paymentDetails": MessageLookupByLibrary.simpleMessage( - "Detalhes de pagamento", - ), - "paymentFailed": MessageLookupByLibrary.simpleMessage("O pagamento falhou"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "Infelizmente o seu pagamento falhou. Entre em contato com o suporte e nós ajudaremos você!", - ), - "paymentFailedTalkToProvider": m58, - "pendingItems": MessageLookupByLibrary.simpleMessage("Itens pendentes"), - "pendingSync": MessageLookupByLibrary.simpleMessage( - "Sincronização pendente", - ), - "people": MessageLookupByLibrary.simpleMessage("Pessoas"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Pessoas que utilizam seu código", - ), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Todos os itens no lixo serão permanentemente eliminados\n\n\nEsta ação não pode ser anulada", - ), - "permanentlyDelete": MessageLookupByLibrary.simpleMessage( - "Eliminar permanentemente", - ), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Apagar permanentemente do dispositivo?", - ), - "personIsAge": m59, - "personName": MessageLookupByLibrary.simpleMessage("Nome da pessoa"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("Companhia de pelos"), - "photoDescriptions": MessageLookupByLibrary.simpleMessage( - "Descrições das fotos", - ), - "photoGridSize": MessageLookupByLibrary.simpleMessage( - "Tamanho da grelha de fotos", - ), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("Fotos"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "As fotos adicionadas por si serão removidas do álbum", - ), - "photosCount": m62, - "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( - "As fotos mantêm a diferença de tempo relativo", - ), - "pickCenterPoint": MessageLookupByLibrary.simpleMessage( - "Escolha o ponto central", - ), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Fixar álbum"), - "pinLock": MessageLookupByLibrary.simpleMessage("Bloqueio por PIN"), - "playOnTv": MessageLookupByLibrary.simpleMessage("Reproduzir álbum na TV"), - "playOriginal": MessageLookupByLibrary.simpleMessage("Reproduzir original"), - "playStoreFreeTrialValidTill": m63, - "playStream": MessageLookupByLibrary.simpleMessage( - "Reproduzir transmissão", - ), - "playstoreSubscription": MessageLookupByLibrary.simpleMessage( - "Subscrição da PlayStore", - ), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Por favor, verifique a sua ligação à Internet e tente novamente.", - ), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Por favor, entre em contato com support@ente.io e nós ficaremos felizes em ajudar!", - ), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Por favor, contate o suporte se o problema persistir", - ), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( - "Por favor, conceda as permissões", - ), - "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( - "Por favor, inicie sessão novamente", - ), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Selecione links rápidos para remover", - ), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Por favor, tente novamente", - ), - "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( - "Por favor, verifique se o código que você inseriu", - ), - "pleaseWait": MessageLookupByLibrary.simpleMessage( - "Por favor, aguarde ...", - ), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Por favor aguarde, apagar o álbum", - ), - "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( - "Por favor, aguarde algum tempo antes de tentar novamente", - ), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "Aguarde um pouco, isso talvez leve um tempo.", - ), - "posingWithThem": m66, - "preparingLogs": MessageLookupByLibrary.simpleMessage("Preparando logs..."), - "preserveMore": MessageLookupByLibrary.simpleMessage("Preservar mais"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Pressione e segure para reproduzir o vídeo", - ), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Pressione e segure na imagem para reproduzir o vídeo", - ), - "previous": MessageLookupByLibrary.simpleMessage("Anterior"), - "privacy": MessageLookupByLibrary.simpleMessage("Privacidade"), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( - "Política de privacidade", - ), - "privateBackups": MessageLookupByLibrary.simpleMessage("Backups privados"), - "privateSharing": MessageLookupByLibrary.simpleMessage("Partilha privada"), - "proceed": MessageLookupByLibrary.simpleMessage("Continuar"), - "processing": MessageLookupByLibrary.simpleMessage("Processando"), - "processingImport": m67, - "processingVideos": MessageLookupByLibrary.simpleMessage( - "Processando vídeos", - ), - "publicLinkCreated": MessageLookupByLibrary.simpleMessage( - "Link público criado", - ), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( - "Link público ativado", - ), - "queued": MessageLookupByLibrary.simpleMessage("Na fila"), - "quickLinks": MessageLookupByLibrary.simpleMessage("Links rápidos"), - "radius": MessageLookupByLibrary.simpleMessage("Raio"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Abrir ticket"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("Avaliar aplicação"), - "rateUs": MessageLookupByLibrary.simpleMessage("Avalie-nos"), - "rateUsOnStore": m68, - "reassignMe": MessageLookupByLibrary.simpleMessage("Reatribuir \"Eu\""), - "reassignedToName": m69, - "reassigningLoading": MessageLookupByLibrary.simpleMessage( - "Reatribuindo...", - ), - "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( - "Receive reminders when it\'s someone\'s birthday. Tapping on the notification will take you to photos of the birthday person.", - ), - "recover": MessageLookupByLibrary.simpleMessage("Recuperar"), - "recoverAccount": MessageLookupByLibrary.simpleMessage("Recuperar conta"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Recuperar"), - "recoveryAccount": MessageLookupByLibrary.simpleMessage("Recuperar conta"), - "recoveryInitiated": MessageLookupByLibrary.simpleMessage( - "A recuperação iniciou", - ), - "recoveryInitiatedDesc": m70, - "recoveryKey": MessageLookupByLibrary.simpleMessage("Chave de recuperação"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Chave de recuperação copiada para a área de transferência", - ), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Se esquecer sua palavra-passe, a única maneira de recuperar os seus dados é com esta chave.", - ), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Não armazenamos essa chave, por favor, guarde esta chave de 24 palavras num lugar seguro.", - ), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Ótimo! A sua chave de recuperação é válida. Obrigado por verificar.\n\nLembre-se de manter cópia de segurança da sua chave de recuperação.", - ), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Chave de recuperação verificada", - ), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "A sua chave de recuperação é a única forma de recuperar as suas fotografias se se esquecer da sua palavra-passe. Pode encontrar a sua chave de recuperação em Definições > Conta.\n\n\nIntroduza aqui a sua chave de recuperação para verificar se a guardou corretamente.", - ), - "recoveryReady": m71, - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "Recuperação bem sucedida!", - ), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "Um contato confiável está tentando acessar sua conta", - ), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "O dispositivo atual não é suficientemente poderoso para verificar a palavra-passe, mas podemos regenerar novamente de uma maneira que funcione no seu dispositivo.\n\nPor favor, iniciar sessão utilizando código de recuperação e gerar novamente a sua palavra-passe (pode utilizar a mesma se quiser).", - ), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Recriar palavra-passe", - ), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": MessageLookupByLibrary.simpleMessage( - "Insira novamente a palavra-passe", - ), - "reenterPin": MessageLookupByLibrary.simpleMessage("Inserir PIN novamente"), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Recomende amigos e duplique o seu plano", - ), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Envie este código aos seus amigos", - ), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Eles se inscrevem em um plano pago", - ), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Referências"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "As referências estão atualmente em pausa", - ), - "rejectRecovery": MessageLookupByLibrary.simpleMessage( - "Rejeitar recuperação", - ), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "Esvazie também a opção “Eliminados recentemente” em “Definições” -> “Armazenamento” para reclamar o espaço libertado", - ), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Esvazie também o seu “Lixo” para reivindicar o espaço libertado", - ), - "remoteImages": MessageLookupByLibrary.simpleMessage("Imagens remotas"), - "remoteThumbnails": MessageLookupByLibrary.simpleMessage( - "Miniaturas remotas", - ), - "remoteVideos": MessageLookupByLibrary.simpleMessage("Vídeos remotos"), - "remove": MessageLookupByLibrary.simpleMessage("Remover"), - "removeDuplicates": MessageLookupByLibrary.simpleMessage( - "Remover duplicados", - ), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Rever e remover ficheiros que sejam duplicados exatos.", - ), - "removeFromAlbum": MessageLookupByLibrary.simpleMessage("Remover do álbum"), - "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( - "Remover do álbum", - ), - "removeFromFavorite": MessageLookupByLibrary.simpleMessage( - "Remover dos favoritos", - ), - "removeInvite": MessageLookupByLibrary.simpleMessage("Remover convite"), - "removeLink": MessageLookupByLibrary.simpleMessage("Remover link"), - "removeParticipant": MessageLookupByLibrary.simpleMessage( - "Remover participante", - ), - "removeParticipantBody": m74, - "removePersonLabel": MessageLookupByLibrary.simpleMessage( - "Remover etiqueta da pessoa", - ), - "removePublicLink": MessageLookupByLibrary.simpleMessage( - "Remover link público", - ), - "removePublicLinks": MessageLookupByLibrary.simpleMessage( - "Remover link público", - ), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Alguns dos itens que você está removendo foram adicionados por outras pessoas, e você perderá o acesso a eles", - ), - "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Remover?"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Remover si mesmo dos contatos confiáveis", - ), - "removingFromFavorites": MessageLookupByLibrary.simpleMessage( - "Removendo dos favoritos...", - ), - "rename": MessageLookupByLibrary.simpleMessage("Renomear"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("Renomear álbum"), - "renameFile": MessageLookupByLibrary.simpleMessage("Renomear arquivo"), - "renewSubscription": MessageLookupByLibrary.simpleMessage( - "Renovar subscrição", - ), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Reporte um bug"), - "reportBug": MessageLookupByLibrary.simpleMessage("Reportar bug"), - "resendEmail": MessageLookupByLibrary.simpleMessage("Reenviar e-mail"), - "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( - "Repor ficheiros ignorados", - ), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Redefinir palavra-passe", - ), - "resetPerson": MessageLookupByLibrary.simpleMessage("Remover"), - "resetToDefault": MessageLookupByLibrary.simpleMessage( - "Redefinir para o padrão", - ), - "restore": MessageLookupByLibrary.simpleMessage("Restaurar"), - "restoreToAlbum": MessageLookupByLibrary.simpleMessage( - "Restaurar para álbum", - ), - "restoringFiles": MessageLookupByLibrary.simpleMessage( - "Restaurar arquivos...", - ), - "resumableUploads": MessageLookupByLibrary.simpleMessage( - "Uploads reenviados", - ), - "retry": MessageLookupByLibrary.simpleMessage("Tentar novamente"), - "review": MessageLookupByLibrary.simpleMessage("Rever"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Reveja e elimine os itens que considera serem duplicados.", - ), - "reviewSuggestions": MessageLookupByLibrary.simpleMessage( - "Revisar sugestões", - ), - "right": MessageLookupByLibrary.simpleMessage("Direita"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("Rodar"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Rodar para a esquerda"), - "rotateRight": MessageLookupByLibrary.simpleMessage("Rodar para a direita"), - "safelyStored": MessageLookupByLibrary.simpleMessage( - "Armazenado com segurança", - ), - "save": MessageLookupByLibrary.simpleMessage("Guardar"), - "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( - "Salvar mudanças antes de sair?", - ), - "saveCollage": MessageLookupByLibrary.simpleMessage("Guardar colagem"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Guardar cópia"), - "saveKey": MessageLookupByLibrary.simpleMessage("Guardar chave"), - "savePerson": MessageLookupByLibrary.simpleMessage("Guardar pessoa"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Guarde a sua chave de recuperação, caso ainda não o tenha feito", - ), - "saving": MessageLookupByLibrary.simpleMessage("A gravar..."), - "savingEdits": MessageLookupByLibrary.simpleMessage("Gravando edições..."), - "scanCode": MessageLookupByLibrary.simpleMessage("Ler código Qr"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Leia este código com a sua aplicação dois fatores.", - ), - "search": MessageLookupByLibrary.simpleMessage("Pesquisar"), - "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Álbuns"), - "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage( - "Nome do álbum", - ), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Nomes de álbuns (ex: \"Câmera\")\n• Tipos de arquivos (ex.: \"Vídeos\", \".gif\")\n• Anos e meses (e.. \"2022\", \"Janeiro\")\n• Feriados (por exemplo, \"Natal\")\n• Descrições de fotos (por exemplo, \"#divertido\")", - ), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Adicione descrições como \"#trip\" nas informações das fotos para encontrá-las aqui rapidamente", - ), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Pesquisar por data, mês ou ano", - ), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "As pessoas serão mostradas aqui quando a indexação estiver concluída", - ), - "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( - "Tipos de arquivo e nomes", - ), - "searchHint1": MessageLookupByLibrary.simpleMessage( - "Pesquisa rápida no dispositivo", - ), - "searchHint2": MessageLookupByLibrary.simpleMessage( - "Datas das fotos, descrições", - ), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "Álbuns, nomes de arquivos e tipos", - ), - "searchHint4": MessageLookupByLibrary.simpleMessage("Local"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "Em breve: Rostos e pesquisa mágica ✨", - ), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Fotos de grupo que estão sendo tiradas em algum raio da foto", - ), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "Convide pessoas e verá todas as fotos partilhadas por elas aqui", - ), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Segurança"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "Ver links de álbum compartilhado no aplicativo", - ), - "selectALocation": MessageLookupByLibrary.simpleMessage( - "Selecione uma localização", - ), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage( - "Selecione uma localização primeiro", - ), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Selecionar álbum"), - "selectAll": MessageLookupByLibrary.simpleMessage("Selecionar tudo"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("Tudo"), - "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( - "Selecionar foto da capa", - ), - "selectDate": MessageLookupByLibrary.simpleMessage("Selecionar data"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Selecionar pastas para cópia de segurança", - ), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "Selecionar itens para adicionar", - ), - "selectLanguage": MessageLookupByLibrary.simpleMessage("Selecionar Idioma"), - "selectMailApp": MessageLookupByLibrary.simpleMessage( - "Selecionar aplicativo de e-mail", - ), - "selectMorePhotos": MessageLookupByLibrary.simpleMessage( - "Selecionar mais fotos", - ), - "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( - "Selecionar data e hora", - ), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "Selecione uma data e hora para todos", - ), - "selectPersonToLink": MessageLookupByLibrary.simpleMessage( - "Selecione a pessoa para vincular", - ), - "selectReason": MessageLookupByLibrary.simpleMessage("Selecionar motivo"), - "selectStartOfRange": MessageLookupByLibrary.simpleMessage( - "Selecionar início de intervalo", - ), - "selectTime": MessageLookupByLibrary.simpleMessage("Selecionar tempo"), - "selectYourFace": MessageLookupByLibrary.simpleMessage( - "Selecione seu rosto", - ), - "selectYourPlan": MessageLookupByLibrary.simpleMessage( - "Selecione o seu plano", - ), - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Os arquivos selecionados não estão no Ente", - ), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "As pastas selecionadas serão encriptadas e guardadas como cópia de segurança", - ), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Os itens selecionados serão eliminados de todos os álbuns e movidos para o lixo.", - ), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "Os itens selecionados serão removidos desta pessoa, entretanto não serão excluídos da sua biblioteca.", - ), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("Enviar"), - "sendEmail": MessageLookupByLibrary.simpleMessage("Enviar email"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Enviar convite"), - "sendLink": MessageLookupByLibrary.simpleMessage("Enviar link"), - "serverEndpoint": MessageLookupByLibrary.simpleMessage( - "Endpoint do servidor", - ), - "sessionExpired": MessageLookupByLibrary.simpleMessage("Sessão expirada"), - "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( - "Incompatibilidade de ID de sessão", - ), - "setAPassword": MessageLookupByLibrary.simpleMessage( - "Definir uma palavra-passe", - ), - "setAs": MessageLookupByLibrary.simpleMessage("Definir como"), - "setCover": MessageLookupByLibrary.simpleMessage("Definir capa"), - "setLabel": MessageLookupByLibrary.simpleMessage("Definir"), - "setNewPassword": MessageLookupByLibrary.simpleMessage( - "Definir nova palavra-passe", - ), - "setNewPin": MessageLookupByLibrary.simpleMessage("Definir novo PIN"), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Definir palavra-passe", - ), - "setRadius": MessageLookupByLibrary.simpleMessage("Definir raio"), - "setupComplete": MessageLookupByLibrary.simpleMessage( - "Configuração concluída", - ), - "share": MessageLookupByLibrary.simpleMessage("Partilhar"), - "shareALink": MessageLookupByLibrary.simpleMessage("Partilhar um link"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Abra um álbum e toque no botão de partilha no canto superior direito para partilhar", - ), - "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( - "Partilhar um álbum", - ), - "shareLink": MessageLookupByLibrary.simpleMessage("Partilhar link"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Partilhar apenas com as pessoas que deseja", - ), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Descarregue o Ente para poder partilhar facilmente fotografias e vídeos de qualidade original\n\n\nhttps://ente.io", - ), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Compartilhar com usuários que não usam Ente", - ), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( - "Partilhe o seu primeiro álbum", - ), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Criar álbuns compartilhados e colaborativos com outros usuários da Ente, incluindo usuários em planos gratuitos.", - ), - "sharedByMe": MessageLookupByLibrary.simpleMessage("Partilhado por mim"), - "sharedByYou": MessageLookupByLibrary.simpleMessage("Partilhado por si"), - "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( - "Novas fotos partilhadas", - ), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Receber notificações quando alguém adiciona uma foto a um álbum partilhado do qual faz parte", - ), - "sharedWith": m87, - "sharedWithMe": MessageLookupByLibrary.simpleMessage("Partilhado comigo"), - "sharedWithYou": MessageLookupByLibrary.simpleMessage("Partilhado consigo"), - "sharing": MessageLookupByLibrary.simpleMessage("Partilhar..."), - "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( - "Alterar as datas e horas", - ), - "showMemories": MessageLookupByLibrary.simpleMessage("Mostrar memórias"), - "showPerson": MessageLookupByLibrary.simpleMessage("Mostrar pessoa"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "Terminar sessão noutros dispositivos", - ), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Se pensa que alguém pode saber a sua palavra-passe, pode forçar todos os outros dispositivos que utilizam a sua conta a terminar a sessão.", - ), - "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( - "Terminar a sessão noutros dispositivos", - ), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Eu concordo com os termos de serviço e política de privacidade", - ), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Será eliminado de todos os álbuns.", - ), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Pular"), - "social": MessageLookupByLibrary.simpleMessage("Social"), - "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( - "Alguns itens estão tanto no Ente como no seu dispositivo.", - ), - "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( - "Alguns dos ficheiros que está a tentar eliminar só estão disponíveis no seu dispositivo e não podem ser recuperados se forem eliminados", - ), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Alguém compartilhando álbuns com você deve ver o mesmo ID no seu dispositivo.", - ), - "somethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Ocorreu um erro", - ), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Ocorreu um erro. Tente novamente", - ), - "sorry": MessageLookupByLibrary.simpleMessage("Desculpe"), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Desculpe, não foi possível adicionar aos favoritos!", - ), - "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( - "Desculpe, não foi possível remover dos favoritos!", - ), - "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "Desculpe, o código inserido está incorreto", - ), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Desculpe, não foi possível gerar chaves seguras neste dispositivo.\n\npor favor iniciar sessão com um dispositivo diferente.", - ), - "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( - "Sorry, we had to pause your backups", - ), - "sort": MessageLookupByLibrary.simpleMessage("Ordenar"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Ordenar por"), - "sortNewestFirst": MessageLookupByLibrary.simpleMessage( - "Mais recentes primeiro", - ), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage( - "Mais antigos primeiro", - ), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Sucesso"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": MessageLookupByLibrary.simpleMessage( - "Destacar si mesmo", - ), - "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( - "Iniciar recuperação", - ), - "startBackup": MessageLookupByLibrary.simpleMessage( - "Iniciar cópia de segurança", - ), - "status": MessageLookupByLibrary.simpleMessage("Status"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "Queres parar de fazer transmissão?", - ), - "stopCastingTitle": MessageLookupByLibrary.simpleMessage( - "Parar transmissão", - ), - "storage": MessageLookupByLibrary.simpleMessage("Armazenamento"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Família"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Tu"), - "storageInGB": m93, - "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( - "Limite de armazenamento excedido", - ), - "storageUsageInfo": m94, - "streamDetails": MessageLookupByLibrary.simpleMessage( - "Detalhes da transmissão", - ), - "strongStrength": MessageLookupByLibrary.simpleMessage("Forte"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Subscrever"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Você precisa de uma assinatura paga ativa para ativar o compartilhamento.", - ), - "subscription": MessageLookupByLibrary.simpleMessage("Subscrição"), - "success": MessageLookupByLibrary.simpleMessage("Sucesso"), - "successfullyArchived": MessageLookupByLibrary.simpleMessage( - "Arquivado com sucesso", - ), - "successfullyHid": MessageLookupByLibrary.simpleMessage( - "Ocultado com sucesso", - ), - "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( - "Desarquivado com sucesso", - ), - "successfullyUnhid": MessageLookupByLibrary.simpleMessage( - "Reexibido com sucesso", - ), - "suggestFeatures": MessageLookupByLibrary.simpleMessage("Sugerir recursos"), - "sunrise": MessageLookupByLibrary.simpleMessage("No horizonte"), - "support": MessageLookupByLibrary.simpleMessage("Suporte"), - "syncProgress": m97, - "syncStopped": MessageLookupByLibrary.simpleMessage( - "Sincronização interrompida", - ), - "syncing": MessageLookupByLibrary.simpleMessage("Sincronizando..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("Sistema"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("toque para copiar"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage( - "Toque para inserir código", - ), - "tapToUnlock": MessageLookupByLibrary.simpleMessage( - "Toque para desbloquear", - ), - "tapToUpload": MessageLookupByLibrary.simpleMessage("Toque para enviar"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Parece que algo correu mal. Por favor, tente novamente mais tarde. Se o erro persistir, entre em contacto com a nossa equipa de suporte.", - ), - "terminate": MessageLookupByLibrary.simpleMessage("Terminar"), - "terminateSession": MessageLookupByLibrary.simpleMessage( - "Terminar sessão?", - ), - "terms": MessageLookupByLibrary.simpleMessage("Termos"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Termos"), - "thankYou": MessageLookupByLibrary.simpleMessage("Obrigado"), - "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( - "Obrigado pela sua subscrição!", - ), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "Não foi possível concluir o download.", - ), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "O link que você está tentando acessar já expirou.", - ), - "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "A chave de recuperação inserida está incorreta", - ), - "theme": MessageLookupByLibrary.simpleMessage("Tema"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Estes itens serão eliminados do seu dispositivo.", - ), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "Serão eliminados de todos os álbuns.", - ), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Esta ação não pode ser desfeita", - ), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "Este álbum já tem um link colaborativo", - ), - "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( - "Isto pode ser usado para recuperar sua conta se você perder seu segundo fator", - ), - "thisDevice": MessageLookupByLibrary.simpleMessage("Este dispositivo"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "Este email já está em uso", - ), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Esta imagem não tem dados exif", - ), - "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("Este é você!"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Este é o seu ID de verificação", - ), - "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( - "Esta semana com o passar dos anos", - ), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Irá desconectar a sua conta do seguinte dispositivo:", - ), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Irá desconectar a sua conta do seu dispositivo!", - ), - "thisWillMakeTheDateAndTimeOfAllSelected": MessageLookupByLibrary.simpleMessage( - "Isso fará que a data e hora de todas as fotos selecionadas fiquem iguais.", - ), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "Isto removerá links públicos de todos os links rápidos selecionados.", - ), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "Para ativar o bloqueio de aplicações, configure o código de acesso do dispositivo ou o bloqueio de ecrã nas definições do sistema.", - ), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( - "Para ocultar uma foto ou um vídeo", - ), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Para redefinir a sua palavra-passe, verifique primeiro o seu e-mail.", - ), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Logs de hoje"), - "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( - "Muitas tentativas incorretas", - ), - "total": MessageLookupByLibrary.simpleMessage("total"), - "totalSize": MessageLookupByLibrary.simpleMessage("Tamanho total"), - "trash": MessageLookupByLibrary.simpleMessage("Lixo"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Cortar"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": MessageLookupByLibrary.simpleMessage( - "Contatos confiáveis", - ), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Tente novamente"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Ative o backup para enviar automaticamente arquivos adicionados a esta pasta do dispositivo para o Ente.", - ), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "2 meses grátis em planos anuais", - ), - "twofactor": MessageLookupByLibrary.simpleMessage("Dois fatores"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "A autenticação de dois fatores foi desativada", - ), - "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( - "Autenticação de dois fatores", - ), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "Autenticação de dois fatores redefinida com êxito", - ), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Configuração de dois fatores", - ), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("Desarquivar"), - "unarchiveAlbum": MessageLookupByLibrary.simpleMessage("Desarquivar álbum"), - "unarchiving": MessageLookupByLibrary.simpleMessage("Desarquivar..."), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Desculpe, este código não está disponível.", - ), - "uncategorized": MessageLookupByLibrary.simpleMessage("Sem categoria"), - "unhide": MessageLookupByLibrary.simpleMessage("Mostrar"), - "unhideToAlbum": MessageLookupByLibrary.simpleMessage( - "Mostrar para o álbum", - ), - "unhiding": MessageLookupByLibrary.simpleMessage("Reexibindo..."), - "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Desocultar ficheiros para o álbum", - ), - "unlock": MessageLookupByLibrary.simpleMessage("Desbloquear"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("Desafixar álbum"), - "unselectAll": MessageLookupByLibrary.simpleMessage("Desmarcar tudo"), - "update": MessageLookupByLibrary.simpleMessage("Atualizar"), - "updateAvailable": MessageLookupByLibrary.simpleMessage( - "Atualização disponível", - ), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Atualizando seleção de pasta...", - ), - "upgrade": MessageLookupByLibrary.simpleMessage("Atualizar"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Enviar ficheiros para o álbum...", - ), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( - "Preservar 1 memória...", - ), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "Até 50% de desconto, até 4 de dezembro.", - ), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "O armazenamento disponível é limitado pelo seu plano atual. O excesso de armazenamento reivindicado tornará automaticamente útil quando você atualizar seu plano.", - ), - "useAsCover": MessageLookupByLibrary.simpleMessage("Usar como capa"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "Enfrentando problemas ao reproduzir este vídeo? Mantenha pressionado aqui ou tente outro reprodutor de vídeo", - ), - "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Usar links públicos para pessoas que não estão no Ente", - ), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Usar chave de recuperação", - ), - "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( - "Utilizar foto selecionada", - ), - "usedSpace": MessageLookupByLibrary.simpleMessage("Espaço utilizado"), - "validTill": m110, - "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Falha na verificação, por favor tente novamente", - ), - "verificationId": MessageLookupByLibrary.simpleMessage("ID de Verificação"), - "verify": MessageLookupByLibrary.simpleMessage("Verificar"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("Verificar email"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Verificar"), - "verifyPasskey": MessageLookupByLibrary.simpleMessage( - "Verificar chave de acesso", - ), - "verifyPassword": MessageLookupByLibrary.simpleMessage( - "Verificar palavra-passe", - ), - "verifying": MessageLookupByLibrary.simpleMessage("A verificar…"), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Verificando chave de recuperação...", - ), - "videoInfo": MessageLookupByLibrary.simpleMessage("Informação de Vídeo"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("vídeo"), - "videoStreaming": MessageLookupByLibrary.simpleMessage( - "Transmissão de vídeo", - ), - "videos": MessageLookupByLibrary.simpleMessage("Vídeos"), - "viewActiveSessions": MessageLookupByLibrary.simpleMessage( - "Ver sessões ativas", - ), - "viewAddOnButton": MessageLookupByLibrary.simpleMessage("Ver addons"), - "viewAll": MessageLookupByLibrary.simpleMessage("Ver tudo"), - "viewAllExifData": MessageLookupByLibrary.simpleMessage( - "Ver todos os dados EXIF", - ), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Ficheiros grandes"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Ver os ficheiros que estão a consumir a maior quantidade de armazenamento.", - ), - "viewLogs": MessageLookupByLibrary.simpleMessage("Ver logs"), - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Ver chave de recuperação", - ), - "viewer": MessageLookupByLibrary.simpleMessage("Visualizador"), - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Visite web.ente.io para gerir a sua subscrição", - ), - "waitingForVerification": MessageLookupByLibrary.simpleMessage( - "Aguardando verificação...", - ), - "waitingForWifi": MessageLookupByLibrary.simpleMessage( - "Aguardando Wi-Fi...", - ), - "warning": MessageLookupByLibrary.simpleMessage("Aviso"), - "weAreOpenSource": MessageLookupByLibrary.simpleMessage( - "Nós somos de código aberto!", - ), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "Não suportamos a edição de fotos e álbuns que ainda não possui", - ), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Fraca"), - "welcomeBack": MessageLookupByLibrary.simpleMessage( - "Bem-vindo(a) de volta!", - ), - "whatsNew": MessageLookupByLibrary.simpleMessage("O que há de novo"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "Um contato confiável pode ajudá-lo em recuperar seus dados.", - ), - "wishThemAHappyBirthday": m115, - "yearShort": MessageLookupByLibrary.simpleMessage("ano"), - "yearly": MessageLookupByLibrary.simpleMessage("Anual"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Sim"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Sim, cancelar"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "Sim, converter para visualizador", - ), - "yesDelete": MessageLookupByLibrary.simpleMessage("Sim, apagar"), - "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( - "Sim, rejeitar alterações", - ), - "yesLogout": MessageLookupByLibrary.simpleMessage("Sim, terminar sessão"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Sim, remover"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Sim, Renovar"), - "yesResetPerson": MessageLookupByLibrary.simpleMessage("Sim, repor pessoa"), - "you": MessageLookupByLibrary.simpleMessage("Tu"), - "youAndThem": m117, - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( - "Você está em um plano familiar!", - ), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Está a utilizar a versão mais recente", - ), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Você pode duplicar seu armazenamento no máximo", - ), - "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( - "Pode gerir as suas ligações no separador partilhar.", - ), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "Pode tentar pesquisar uma consulta diferente.", - ), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "Não é possível fazer o downgrade para este plano", - ), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Não podes partilhar contigo mesmo", - ), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "Não tem nenhum item arquivado.", - ), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "A sua conta foi eliminada", - ), - "yourMap": MessageLookupByLibrary.simpleMessage("Seu mapa"), - "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( - "O seu plano foi rebaixado com sucesso", - ), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "O seu plano foi atualizado com sucesso", - ), - "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( - "Sua compra foi realizada com sucesso", - ), - "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( - "Não foi possível obter os seus dados de armazenamento", - ), - "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( - "A sua subscrição expirou", - ), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "A sua subscrição foi actualizada com sucesso", - ), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "O seu código de verificação expirou", - ), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "Não existem ficheiros neste álbum que possam ser eliminados", - ), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( - "Diminuir o zoom para ver fotos", - ), - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Está disponível uma nova versão do Ente."), + "about": MessageLookupByLibrary.simpleMessage("Sobre"), + "acceptTrustInvite": + MessageLookupByLibrary.simpleMessage("Aceitar convite"), + "account": MessageLookupByLibrary.simpleMessage("Conta"), + "accountIsAlreadyConfigured": + MessageLookupByLibrary.simpleMessage("A conta já está ajustada."), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("Bem-vindo de volta!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Eu entendo que se eu perder a minha palavra-passe, posso perder os meus dados já que esses dados são encriptados de ponta a ponta."), + "activeSessions": + MessageLookupByLibrary.simpleMessage("Sessões ativas"), + "add": MessageLookupByLibrary.simpleMessage("Adicionar"), + "addAName": MessageLookupByLibrary.simpleMessage("Adiciona um nome"), + "addANewEmail": + MessageLookupByLibrary.simpleMessage("Adicionar um novo e-mail"), + "addCollaborator": + MessageLookupByLibrary.simpleMessage("Adicionar colaborador"), + "addFiles": MessageLookupByLibrary.simpleMessage("Adicionar arquivos"), + "addFromDevice": MessageLookupByLibrary.simpleMessage( + "Adicionar a partir do dispositivo"), + "addLocation": + MessageLookupByLibrary.simpleMessage("Adicionar localização"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Adicionar"), + "addMore": MessageLookupByLibrary.simpleMessage("Adicionar mais"), + "addName": MessageLookupByLibrary.simpleMessage("Adicionar pessoa"), + "addNameOrMerge": + MessageLookupByLibrary.simpleMessage("Adicionar nome ou juntar"), + "addNew": MessageLookupByLibrary.simpleMessage("Adicionar novo"), + "addNewPerson": + MessageLookupByLibrary.simpleMessage("Adicionar nova pessoa"), + "addOnPageSubtitle": + MessageLookupByLibrary.simpleMessage("Detalhes dos addons"), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("addons"), + "addPhotos": MessageLookupByLibrary.simpleMessage("Adicionar fotos"), + "addSelected": + MessageLookupByLibrary.simpleMessage("Adicionar selecionados"), + "addToAlbum": + MessageLookupByLibrary.simpleMessage("Adicionar ao álbum"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Adicionar ao Ente"), + "addToHiddenAlbum": + MessageLookupByLibrary.simpleMessage("Adicionar a álbum oculto"), + "addTrustedContact": + MessageLookupByLibrary.simpleMessage("Adicionar contato confiável"), + "addViewer": + MessageLookupByLibrary.simpleMessage("Adicionar visualizador"), + "addYourPhotosNow": + MessageLookupByLibrary.simpleMessage("Adicione suas fotos agora"), + "addedAs": MessageLookupByLibrary.simpleMessage("Adicionado como"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": MessageLookupByLibrary.simpleMessage( + "Adicionando aos favoritos..."), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("Avançado"), + "advancedSettings": + MessageLookupByLibrary.simpleMessage("Definições avançadas"), + "after1Day": MessageLookupByLibrary.simpleMessage("Depois de 1 dia"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Depois de 1 Hora"), + "after1Month": MessageLookupByLibrary.simpleMessage("Depois de 1 mês"), + "after1Week": + MessageLookupByLibrary.simpleMessage("Depois de 1 semana"), + "after1Year": MessageLookupByLibrary.simpleMessage("Depois de 1 ano"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Dono"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Título do álbum"), + "albumUpdated": + MessageLookupByLibrary.simpleMessage("Álbum atualizado"), + "albums": MessageLookupByLibrary.simpleMessage("Álbuns"), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Tudo limpo"), + "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( + "Todas as memórias preservadas"), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "Todos os agrupamentos para esta pessoa serão reiniciados e perderá todas as sugestões feitas para esta pessoa"), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "Este é o primeiro do grupo. As outras fotos selecionadas serão automaticamente alteradas para esta nova data"), + "allow": MessageLookupByLibrary.simpleMessage("Permitir"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Permitir que pessoas com o link também adicionem fotos ao álbum compartilhado."), + "allowAddingPhotos": + MessageLookupByLibrary.simpleMessage("Permitir adicionar fotos"), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "Permitir aplicativo abrir links de álbum compartilhado"), + "allowDownloads": + MessageLookupByLibrary.simpleMessage("Permitir downloads"), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Permitir que as pessoas adicionem fotos"), + "androidBiometricHint": + MessageLookupByLibrary.simpleMessage("Verificar identidade"), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "Não reconhecido. Tente novamente."), + "androidBiometricRequiredTitle": + MessageLookupByLibrary.simpleMessage("Biometria necessária"), + "androidBiometricSuccess": + MessageLookupByLibrary.simpleMessage("Sucesso"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Cancelar"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage( + "Credenciais do dispositivo são necessárias"), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage( + "Credenciais do dispositivo necessárias"), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "A autenticação biométrica não está configurada no seu dispositivo. Vá a “Definições > Segurança” para adicionar a autenticação biométrica."), + "androidIosWebDesktop": + MessageLookupByLibrary.simpleMessage("Android, iOS, Web, Desktop"), + "androidSignInTitle": + MessageLookupByLibrary.simpleMessage("Autenticação necessária"), + "appIcon": MessageLookupByLibrary.simpleMessage("Ícone do aplicativo"), + "appLock": MessageLookupByLibrary.simpleMessage("Bloqueio de app"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Escolha entre o ecrã de bloqueio predefinido do seu dispositivo e um ecrã de bloqueio personalizado com um PIN ou uma palavra-passe."), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("ID da Apple"), + "apply": MessageLookupByLibrary.simpleMessage("Aplicar"), + "applyCodeTitle": + MessageLookupByLibrary.simpleMessage("Aplicar código"), + "appstoreSubscription": + MessageLookupByLibrary.simpleMessage("Subscrição da AppStore"), + "archive": MessageLookupByLibrary.simpleMessage("............"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("Arquivar álbum"), + "archiving": MessageLookupByLibrary.simpleMessage("Arquivar..."), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Tem certeza que deseja sair do plano familiar?"), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "Tem a certeza de que quer cancelar?"), + "areYouSureYouWantToChangeYourPlan": + MessageLookupByLibrary.simpleMessage( + "Tem a certeza de que pretende alterar o seu plano?"), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "Tem certeza de que deseja sair?"), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Tem certeza que deseja terminar a sessão?"), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "Tem a certeza de que pretende renovar?"), + "areYouSureYouWantToResetThisPerson": + MessageLookupByLibrary.simpleMessage( + "Tens a certeza de que queres repor esta pessoa?"), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "A sua subscrição foi cancelada. Gostaria de partilhar o motivo?"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Qual o principal motivo pelo qual está a eliminar a conta?"), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Peça aos seus entes queridos para partilharem"), + "atAFalloutShelter": + MessageLookupByLibrary.simpleMessage("em um abrigo avançado"), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Por favor, autentique-se para alterar a verificação de e-mail"), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Por favor, autentique-se para alterar a configuração da tela do ecrã de bloqueio"), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Por favor, autentique-se para alterar o seu e-mail"), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Por favor, autentique-se para alterar a palavra-passe"), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Por favor, autentique para configurar a autenticação de dois fatores"), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Autentique-se para iniciar a eliminação da conta"), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Autentique-se para gerenciar seus contatos confiáveis"), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Autentique-se para ver a sua chave de acesso"), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Por favor, autentique-se para ver as suas sessões ativas"), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Por favor, autentique para ver seus arquivos ocultos"), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Por favor, autentique-se para ver suas memórias"), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Por favor, autentique-se para ver a chave de recuperação"), + "authenticating": + MessageLookupByLibrary.simpleMessage("A Autenticar..."), + "authenticationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Falha na autenticação, por favor tente novamente"), + "authenticationSuccessful": + MessageLookupByLibrary.simpleMessage("Autenticação bem sucedida!"), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Verá os dispositivos Cast disponíveis aqui."), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Certifique-se de que as permissões de Rede local estão activadas para a aplicação Ente Photos, nas Definições."), + "autoLock": MessageLookupByLibrary.simpleMessage("Bloqueio automático"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Tempo após o qual a aplicação bloqueia depois de ser colocada em segundo plano"), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "Devido a uma falha técnica, a sua sessão foi encerrada. Pedimos desculpas pelo incómodo."), + "autoPair": + MessageLookupByLibrary.simpleMessage("Emparelhamento automático"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "O pareamento automático funciona apenas com dispositivos que suportam o Chromecast."), + "available": MessageLookupByLibrary.simpleMessage("Disponível"), + "availableStorageSpace": m10, + "backedUpFolders": MessageLookupByLibrary.simpleMessage( + "Pastas com cópia de segurança"), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("Cópia de segurança"), + "backupFailed": MessageLookupByLibrary.simpleMessage("Backup falhou"), + "backupFile": MessageLookupByLibrary.simpleMessage( + "Copiar arquivo com segurança"), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Cópia de segurança através dos dados móveis"), + "backupSettings": MessageLookupByLibrary.simpleMessage( + "Definições da cópia de segurança"), + "backupStatus": MessageLookupByLibrary.simpleMessage( + "Status da cópia de segurança"), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Os itens que foram salvos com segurança aparecerão aqui"), + "backupVideos": MessageLookupByLibrary.simpleMessage( + "Cópia de segurança de vídeos"), + "beach": MessageLookupByLibrary.simpleMessage("Areia e o mar"), + "birthday": MessageLookupByLibrary.simpleMessage("Aniversário"), + "birthdays": MessageLookupByLibrary.simpleMessage("Birthdays"), + "blackFridaySale": + MessageLookupByLibrary.simpleMessage("Promoção Black Friday"), + "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cachedData": MessageLookupByLibrary.simpleMessage("Dados em cache"), + "calculating": MessageLookupByLibrary.simpleMessage("Calcular..."), + "canNotUploadToAlbumsOwnedByOthers": + MessageLookupByLibrary.simpleMessage( + "Não é possível fazer upload para álbuns pertencentes a outros"), + "canOnlyCreateLinkForFilesOwnedByYou": + MessageLookupByLibrary.simpleMessage( + "Só pode criar um link para arquivos pertencentes a você"), + "canOnlyRemoveFilesOwnedByYou": + MessageLookupByLibrary.simpleMessage(""), + "cancel": MessageLookupByLibrary.simpleMessage("Cancelar"), + "cancelAccountRecovery": + MessageLookupByLibrary.simpleMessage("Cancelar recuperação"), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "Deseja mesmo cancelar a recuperação de conta?"), + "cancelOtherSubscription": m12, + "cancelSubscription": + MessageLookupByLibrary.simpleMessage("Cancelar subscrição"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Não é possível eliminar ficheiros partilhados"), + "castAlbum": MessageLookupByLibrary.simpleMessage("Transferir álbum"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Certifique-se de estar na mesma rede que a TV."), + "castIPMismatchTitle": + MessageLookupByLibrary.simpleMessage("Falha ao transmitir álbum"), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Visite cast.ente.io no dispositivo que pretende emparelhar.\n\n\nIntroduza o código abaixo para reproduzir o álbum na sua TV."), + "centerPoint": MessageLookupByLibrary.simpleMessage("Ponto central"), + "change": MessageLookupByLibrary.simpleMessage("Alterar"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Alterar e-mail"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Alterar a localização dos itens selecionados?"), + "changePassword": + MessageLookupByLibrary.simpleMessage("Alterar palavra-passe"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("Alterar palavra-passe"), + "changePermissions": + MessageLookupByLibrary.simpleMessage("Alterar permissões"), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Alterar o código de referência"), + "checkForUpdates": + MessageLookupByLibrary.simpleMessage("Procurar atualizações"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Verifique a sua caixa de entrada (e spam) para concluir a verificação"), + "checkStatus": MessageLookupByLibrary.simpleMessage("Verificar status"), + "checking": MessageLookupByLibrary.simpleMessage("A verificar..."), + "checkingModels": + MessageLookupByLibrary.simpleMessage("A verificar modelos..."), + "city": MessageLookupByLibrary.simpleMessage("Na cidade"), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage( + "Solicitar armazenamento gratuito"), + "claimMore": MessageLookupByLibrary.simpleMessage("Reclamar mais!"), + "claimed": MessageLookupByLibrary.simpleMessage("Reclamado"), + "claimedStorageSoFar": m14, + "cleanUncategorized": + MessageLookupByLibrary.simpleMessage("Limpar sem categoria"), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Remover todos os arquivos da Não Categorizados que estão presentes em outros álbuns"), + "clearCaches": MessageLookupByLibrary.simpleMessage("Limpar cache"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Limpar índices"), + "click": MessageLookupByLibrary.simpleMessage("Clique"), + "clickOnTheOverflowMenu": + MessageLookupByLibrary.simpleMessage("• Clique no menu adicional"), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Click to install our best version yet"), + "close": MessageLookupByLibrary.simpleMessage("Fechar"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( + "Agrupar por tempo de captura"), + "clubByFileName": MessageLookupByLibrary.simpleMessage( + "Agrupar pelo nome de arquivo"), + "clusteringProgress": + MessageLookupByLibrary.simpleMessage("Progresso de agrupamento"), + "codeAppliedPageTitle": + MessageLookupByLibrary.simpleMessage("Código aplicado"), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Desculpe, você atingiu o limite de alterações de código."), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Código copiado para área de transferência"), + "codeUsedByYou": + MessageLookupByLibrary.simpleMessage("Código usado por você"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Criar um link para permitir que as pessoas adicionem e visualizem fotos em seu álbum compartilhado sem precisar de um aplicativo Ente ou conta. Ótimo para coletar fotos do evento."), + "collaborativeLink": + MessageLookupByLibrary.simpleMessage("Link colaborativo"), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Colaborador"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Os colaboradores podem adicionar fotos e vídeos ao álbum compartilhado."), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("Layout"), + "collageSaved": + MessageLookupByLibrary.simpleMessage("Colagem guardada na galeria"), + "collect": MessageLookupByLibrary.simpleMessage("Recolher"), + "collectEventPhotos": + MessageLookupByLibrary.simpleMessage("Coletar fotos do evento"), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Coletar fotos"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Crie um link onde seus amigos podem enviar fotos na qualidade original."), + "color": MessageLookupByLibrary.simpleMessage("Cor"), + "configuration": MessageLookupByLibrary.simpleMessage("Configuração"), + "confirm": MessageLookupByLibrary.simpleMessage("Confirmar"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Tem a certeza de que pretende desativar a autenticação de dois fatores?"), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Confirmar eliminação de conta"), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Sim, pretendo apagar permanentemente esta conta e os respetivos dados em todas as aplicações."), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("Confirmar palavra-passe"), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage( + "Confirmar alteração de plano"), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Confirmar chave de recuperação"), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Confirmar chave de recuperação"), + "connectToDevice": + MessageLookupByLibrary.simpleMessage("Ligar ao dispositivo"), + "contactFamilyAdmin": m18, + "contactSupport": + MessageLookupByLibrary.simpleMessage("Contactar o suporte"), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Contactos"), + "contents": MessageLookupByLibrary.simpleMessage("Conteúdos"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Continuar"), + "continueOnFreeTrial": + MessageLookupByLibrary.simpleMessage("Continuar em teste gratuito"), + "convertToAlbum": + MessageLookupByLibrary.simpleMessage("Converter para álbum"), + "copyEmailAddress": + MessageLookupByLibrary.simpleMessage("Copiar endereço de email"), + "copyLink": MessageLookupByLibrary.simpleMessage("Copiar link"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Copie e cole este código\nno seu aplicativo de autenticação"), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "Não foi possível fazer o backup de seus dados.\nTentaremos novamente mais tarde."), + "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( + "Não foi possível libertar espaço"), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Não foi possível atualizar a subscrição"), + "count": MessageLookupByLibrary.simpleMessage("Contagem"), + "crashReporting": + MessageLookupByLibrary.simpleMessage("Relatório de falhas"), + "create": MessageLookupByLibrary.simpleMessage("Criar"), + "createAccount": MessageLookupByLibrary.simpleMessage("Criar conta"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Pressione e segure para selecionar fotos e clique em + para criar um álbum"), + "createCollaborativeLink": + MessageLookupByLibrary.simpleMessage("Criar link colaborativo"), + "createCollage": MessageLookupByLibrary.simpleMessage("Criar coleção"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("Criar nova conta"), + "createOrSelectAlbum": + MessageLookupByLibrary.simpleMessage("Criar ou selecionar álbum"), + "createPublicLink": + MessageLookupByLibrary.simpleMessage("Criar link público"), + "creatingLink": MessageLookupByLibrary.simpleMessage("Criar link..."), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "Atualização crítica disponível"), + "crop": MessageLookupByLibrary.simpleMessage("Recortar"), + "curatedMemories": + MessageLookupByLibrary.simpleMessage("Curated memories"), + "currentUsageIs": + MessageLookupByLibrary.simpleMessage("O uso atual é "), + "currentlyRunning": + MessageLookupByLibrary.simpleMessage("Atualmente executando"), + "custom": MessageLookupByLibrary.simpleMessage("Personalizado"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Escuro"), + "dayToday": MessageLookupByLibrary.simpleMessage("Hoje"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Ontem"), + "declineTrustInvite": + MessageLookupByLibrary.simpleMessage("Recusar convite"), + "decrypting": MessageLookupByLibrary.simpleMessage("A desencriptar…"), + "decryptingVideo": + MessageLookupByLibrary.simpleMessage("Descriptografando vídeo..."), + "deduplicateFiles": + MessageLookupByLibrary.simpleMessage("Arquivos duplicados"), + "delete": MessageLookupByLibrary.simpleMessage("Apagar"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Eliminar conta"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Lamentamos a sua partida. Indique-nos a razão para podermos melhorar o serviço."), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Excluir conta permanentemente"), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Apagar álbum"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Eliminar também as fotos (e vídeos) presentes neste álbum de all os outros álbuns de que fazem parte?"), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "Esta ação elimina todos os álbuns vazios. Isto é útil quando pretende reduzir a confusão na sua lista de álbuns."), + "deleteAll": MessageLookupByLibrary.simpleMessage("Apagar tudo"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "Esta conta está ligada a outras aplicações Ente, se utilizar alguma. Os seus dados carregados, em todas as aplicações Ente, serão agendados para eliminação e a sua conta será permanentemente eliminada."), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Envie um e-mail para accountt-deletion@ente.io a partir do seu endereço de email registrado."), + "deleteEmptyAlbums": + MessageLookupByLibrary.simpleMessage("Apagar álbuns vazios"), + "deleteEmptyAlbumsWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Apagar álbuns vazios?"), + "deleteFromBoth": + MessageLookupByLibrary.simpleMessage("Apagar de ambos"), + "deleteFromDevice": + MessageLookupByLibrary.simpleMessage("Apagar do dispositivo"), + "deleteFromEnte": + MessageLookupByLibrary.simpleMessage("Apagar do Ente"), + "deleteItemCount": m21, + "deleteLocation": + MessageLookupByLibrary.simpleMessage("Apagar localização"), + "deletePhotos": MessageLookupByLibrary.simpleMessage("Apagar fotos"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Falta uma funcionalidade-chave de que eu necessito"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "O aplicativo ou um determinado recurso não se comportou como era suposto"), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Encontrei outro serviço de que gosto mais"), + "deleteReason4": + MessageLookupByLibrary.simpleMessage("O motivo não está na lista"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "O seu pedido será processado dentro de 72 horas."), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Excluir álbum compartilhado?"), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "O álbum será apagado para todos\n\nVocê perderá o acesso a fotos compartilhadas neste álbum que são propriedade de outros"), + "deselectAll": MessageLookupByLibrary.simpleMessage("Desmarcar tudo"), + "designedToOutlive": + MessageLookupByLibrary.simpleMessage("Feito para ter longevidade"), + "details": MessageLookupByLibrary.simpleMessage("Detalhes"), + "developerSettings": + MessageLookupByLibrary.simpleMessage("Definições do programador"), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Tem a certeza de que pretende modificar as definições de programador?"), + "deviceCodeHint": + MessageLookupByLibrary.simpleMessage("Introduza o código"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "Os ficheiros adicionados a este álbum de dispositivo serão automaticamente transferidos para o Ente."), + "deviceLock": + MessageLookupByLibrary.simpleMessage("Bloqueio do dispositivo"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Desativar o bloqueio do ecrã do dispositivo quando o Ente estiver em primeiro plano e houver uma cópia de segurança em curso. Normalmente, isto não é necessário, mas pode ajudar a que os grandes carregamentos e as importações iniciais de grandes bibliotecas sejam concluídos mais rapidamente."), + "deviceNotFound": + MessageLookupByLibrary.simpleMessage("Dispositivo não encontrado"), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Você sabia?"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage( + "Desativar bloqueio automático"), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Visualizadores ainda podem fazer capturas de tela ou salvar uma cópia das suas fotos usando ferramentas externas"), + "disableDownloadWarningTitle": + MessageLookupByLibrary.simpleMessage("Por favor, observe"), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "Desativar autenticação de dois fatores"), + "disablingTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Desativar a autenticação de dois factores..."), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Descobrir"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Bebés"), + "discover_celebrations": + MessageLookupByLibrary.simpleMessage("Comemorações"), + "discover_food": MessageLookupByLibrary.simpleMessage("Comida"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Vegetação"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Colinas"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Identidade"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Notas"), + "discover_pets": + MessageLookupByLibrary.simpleMessage("Animais de estimação"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Recibos"), + "discover_screenshots": + MessageLookupByLibrary.simpleMessage("Capturas de ecrã"), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfies"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Pôr do sol"), + "discover_visiting_cards": + MessageLookupByLibrary.simpleMessage("Cartões de visita"), + "discover_wallpapers": + MessageLookupByLibrary.simpleMessage("Papéis de parede"), + "dismiss": MessageLookupByLibrary.simpleMessage("Rejeitar"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": + MessageLookupByLibrary.simpleMessage("Não terminar a sessão"), + "doThisLater": + MessageLookupByLibrary.simpleMessage("Fazer isto mais tarde"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Pretende eliminar as edições que efectuou?"), + "done": MessageLookupByLibrary.simpleMessage("Concluído"), + "dontSave": MessageLookupByLibrary.simpleMessage("Não salvar"), + "doubleYourStorage": MessageLookupByLibrary.simpleMessage( + "Duplicar o seu armazenamento"), + "download": MessageLookupByLibrary.simpleMessage("Download"), + "downloadFailed": + MessageLookupByLibrary.simpleMessage("Falha no download"), + "downloading": MessageLookupByLibrary.simpleMessage("A transferir..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Editar"), + "editLocation": + MessageLookupByLibrary.simpleMessage("Editar localização"), + "editLocationTagTitle": + MessageLookupByLibrary.simpleMessage("Editar localização"), + "editPerson": MessageLookupByLibrary.simpleMessage("Editar pessoa"), + "editTime": MessageLookupByLibrary.simpleMessage("Editar tempo"), + "editsSaved": MessageLookupByLibrary.simpleMessage("Edição guardada"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Edições para localização só serão vistas dentro do Ente"), + "eligible": MessageLookupByLibrary.simpleMessage("elegível"), + "email": MessageLookupByLibrary.simpleMessage("Email"), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailVerificationToggle": + MessageLookupByLibrary.simpleMessage("Verificação por e-mail"), + "emailYourLogs": + MessageLookupByLibrary.simpleMessage("Enviar logs por e-mail"), + "embracingThem": m32, + "emergencyContacts": + MessageLookupByLibrary.simpleMessage("Contatos de emergência"), + "empty": MessageLookupByLibrary.simpleMessage("Esvaziar"), + "emptyTrash": MessageLookupByLibrary.simpleMessage("Esvaziar lixo?"), + "enable": MessageLookupByLibrary.simpleMessage("Ativar"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "O Ente suporta a aprendizagem automática no dispositivo para reconhecimento facial, pesquisa mágica e outras funcionalidades de pesquisa avançadas"), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Habilitar aprendizagem automática para pesquisa mágica e reconhecimento de rosto"), + "enableMaps": MessageLookupByLibrary.simpleMessage("Ativar mapas"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "Esta opção mostra as suas fotografias num mapa do mundo.\n\n\nEste mapa é alojado pelo Open Street Map e as localizações exactas das suas fotografias nunca são partilhadas.\n\n\nPode desativar esta funcionalidade em qualquer altura nas Definições."), + "enabled": MessageLookupByLibrary.simpleMessage("Ativado"), + "encryptingBackup": + MessageLookupByLibrary.simpleMessage("Criptografando backup..."), + "encryption": MessageLookupByLibrary.simpleMessage("Encriptação"), + "encryptionKeys": + MessageLookupByLibrary.simpleMessage("Chaves de encriptação"), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Endpoint atualizado com sucesso"), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Criptografia de ponta a ponta por padrão"), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente pode criptografar e preservar arquivos apenas se você conceder acesso a eles"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente precisa de permissão para preservar suas fotos"), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "O Ente preserva as suas memórias, para que estejam sempre disponíveis, mesmo que perca o seu dispositivo."), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Sua família também pode ser adicionada ao seu plano."), + "enterAlbumName": + MessageLookupByLibrary.simpleMessage("Introduzir nome do álbum"), + "enterCode": MessageLookupByLibrary.simpleMessage("Insira o código"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Introduza o código fornecido pelo seu amigo para obter armazenamento gratuito para ambos"), + "enterDateOfBirth": + MessageLookupByLibrary.simpleMessage("Aniversário (opcional)"), + "enterEmail": MessageLookupByLibrary.simpleMessage("Digite o e-mail"), + "enterFileName": + MessageLookupByLibrary.simpleMessage("Inserir nome do arquivo"), + "enterName": MessageLookupByLibrary.simpleMessage("Inserir nome"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Inserir uma nova palavra-passe para encriptar os seus dados"), + "enterPassword": + MessageLookupByLibrary.simpleMessage("Introduzir palavra-passe"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Inserir uma palavra-passe para encriptar os seus dados"), + "enterPersonName": + MessageLookupByLibrary.simpleMessage("Inserir nome da pessoa"), + "enterPin": MessageLookupByLibrary.simpleMessage("Introduzir PIN"), + "enterReferralCode": MessageLookupByLibrary.simpleMessage( + "Insira o código de referência"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Introduzir o código de 6 dígitos da\nsua aplicação de autenticação"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Por favor, insira um endereço de email válido."), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Insira o seu endereço de email"), + "enterYourPassword": MessageLookupByLibrary.simpleMessage( + "Introduza a sua palavra-passe"), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Insira a sua chave de recuperação"), + "error": MessageLookupByLibrary.simpleMessage("Erro"), + "everywhere": MessageLookupByLibrary.simpleMessage("em todo o lado"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": + MessageLookupByLibrary.simpleMessage("Utilizador existente"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Este link expirou. Por favor, selecione um novo tempo de expiração ou desabilite a expiração do link."), + "exportLogs": MessageLookupByLibrary.simpleMessage("Exportar logs"), + "exportYourData": + MessageLookupByLibrary.simpleMessage("Exportar os seus dados"), + "extraPhotosFound": MessageLookupByLibrary.simpleMessage( + "Fotos adicionais encontradas"), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Rosto não agrupado ainda, volte aqui mais tarde"), + "faceRecognition": + MessageLookupByLibrary.simpleMessage("Reconhecimento facial"), + "faces": MessageLookupByLibrary.simpleMessage("Rostos"), + "failed": MessageLookupByLibrary.simpleMessage("Falhou"), + "failedToApplyCode": + MessageLookupByLibrary.simpleMessage("Falha ao aplicar código"), + "failedToCancel": + MessageLookupByLibrary.simpleMessage("Falhou ao cancelar"), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( + "Falha ao fazer o download do vídeo"), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Falha ao obter sessões em atividade"), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Falha ao obter original para edição"), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Não foi possível obter detalhes de indicação. Por favor, tente novamente mais tarde."), + "failedToLoadAlbums": + MessageLookupByLibrary.simpleMessage("Falha ao carregar álbuns"), + "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Falha ao reproduzir multimédia"), + "failedToRefreshStripeSubscription": + MessageLookupByLibrary.simpleMessage( + "Falha ao atualizar subscrição"), + "failedToRenew": + MessageLookupByLibrary.simpleMessage("Falhou ao renovar"), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Falha ao verificar status do pagamento"), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Adicione 5 membros da família ao seu plano existente sem pagar mais.\n\n\nCada membro tem o seu próprio espaço privado e não pode ver os ficheiros dos outros, a menos que sejam partilhados.\n\n\nOs planos familiares estão disponíveis para clientes que tenham uma subscrição paga do Ente.\n\n\nSubscreva agora para começar!"), + "familyPlanPortalTitle": + MessageLookupByLibrary.simpleMessage("Família"), + "familyPlans": + MessageLookupByLibrary.simpleMessage("Planos familiares"), + "faq": MessageLookupByLibrary.simpleMessage("Perguntas Frequentes"), + "faqs": MessageLookupByLibrary.simpleMessage("Perguntas frequentes"), + "favorite": MessageLookupByLibrary.simpleMessage("Favorito"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("Opinião"), + "file": MessageLookupByLibrary.simpleMessage("Arquivo"), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Falha ao guardar o ficheiro na galeria"), + "fileInfoAddDescHint": + MessageLookupByLibrary.simpleMessage("Acrescente uma descrição..."), + "fileNotUploadedYet": + MessageLookupByLibrary.simpleMessage("Arquivo ainda não enviado"), + "fileSavedToGallery": + MessageLookupByLibrary.simpleMessage("Arquivo guardado na galeria"), + "fileTypes": MessageLookupByLibrary.simpleMessage("Tipos de arquivo"), + "fileTypesAndNames": + MessageLookupByLibrary.simpleMessage("Tipos de arquivo e nomes"), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": + MessageLookupByLibrary.simpleMessage("Arquivos apagados"), + "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Arquivos guardados na galeria"), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "Encontrar pessoas rapidamente pelo nome"), + "findThemQuickly": + MessageLookupByLibrary.simpleMessage("Ache-os rapidamente"), + "flip": MessageLookupByLibrary.simpleMessage("Inverter"), + "food": MessageLookupByLibrary.simpleMessage("Prazer em culinária"), + "forYourMemories": + MessageLookupByLibrary.simpleMessage("para suas memórias"), + "forgotPassword": MessageLookupByLibrary.simpleMessage( + "Esqueceu-se da palavra-passe"), + "foundFaces": + MessageLookupByLibrary.simpleMessage("Rostos encontrados"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( + "Armazenamento gratuito reclamado"), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Armazenamento livre utilizável"), + "freeTrial": MessageLookupByLibrary.simpleMessage("Teste grátis"), + "freeTrialValidTill": m38, + "freeUpAmount": m40, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( + "Libertar espaço no dispositivo"), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Poupe espaço no seu dispositivo limpando ficheiros dos quais já foi feita uma cópia de segurança."), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("Libertar espaço"), + "gallery": MessageLookupByLibrary.simpleMessage("Galeria"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "Até 1000 memórias mostradas na galeria"), + "general": MessageLookupByLibrary.simpleMessage("Geral"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Gerando chaves de encriptação..."), + "genericProgress": m42, + "goToSettings": + MessageLookupByLibrary.simpleMessage("Ir para as definições"), + "googlePlayId": + MessageLookupByLibrary.simpleMessage("ID do Google Play"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Por favor, permita o acesso a todas as fotos nas definições do aplicativo"), + "grantPermission": + MessageLookupByLibrary.simpleMessage("Conceder permissão"), + "greenery": MessageLookupByLibrary.simpleMessage("A vegetação verde"), + "groupNearbyPhotos": + MessageLookupByLibrary.simpleMessage("Agrupar fotos próximas"), + "guestView": MessageLookupByLibrary.simpleMessage("Visão de convidado"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "Para ativar a vista de convidado, configure o código de acesso do dispositivo ou o bloqueio do ecrã nas definições do sistema."), + "happyBirthday": + MessageLookupByLibrary.simpleMessage("Happy birthday! 🥳"), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "Não monitorizamos as instalações de aplicações. Ajudaria se nos dissesse onde nos encontrou!"), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Como é que soube do Ente? (opcional)"), + "help": MessageLookupByLibrary.simpleMessage("Ajuda"), + "hidden": MessageLookupByLibrary.simpleMessage("Oculto"), + "hide": MessageLookupByLibrary.simpleMessage("Ocultar"), + "hideContent": MessageLookupByLibrary.simpleMessage("Ocultar conteúdo"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Oculta o conteúdo da aplicação no alternador de aplicações e desactiva as capturas de ecrã"), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Oculta o conteúdo da aplicação no alternador de aplicações"), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Ocultar itens compartilhados da galeria inicial"), + "hiding": MessageLookupByLibrary.simpleMessage("Ocultando..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": + MessageLookupByLibrary.simpleMessage("Hospedado na OSM France"), + "howItWorks": MessageLookupByLibrary.simpleMessage("Como funciona"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Por favor, peça-lhes para pressionar longamente o endereço de e-mail na tela de configurações e verifique se os IDs de ambos os dispositivos coincidem."), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "A autenticação biométrica não está configurada no seu dispositivo. Active o Touch ID ou o Face ID no seu telemóvel."), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "A autenticação biométrica está desativada. Por favor, bloqueie e desbloqueie o ecrã para ativá-la."), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorar"), + "ignored": MessageLookupByLibrary.simpleMessage("ignorado"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Alguns ficheiros deste álbum não podem ser carregados porque foram anteriormente eliminados do Ente."), + "imageNotAnalyzed": + MessageLookupByLibrary.simpleMessage("Imagem não analisada"), + "immediately": MessageLookupByLibrary.simpleMessage("Imediatamente"), + "importing": MessageLookupByLibrary.simpleMessage("A importar..."), + "incorrectCode": + MessageLookupByLibrary.simpleMessage("Código incorrecto"), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("Palavra-passe incorreta"), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Chave de recuperação incorreta"), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "A chave de recuperação inserida está incorreta"), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Chave de recuperação incorreta"), + "indexedItems": MessageLookupByLibrary.simpleMessage("Itens indexados"), + "ineligible": MessageLookupByLibrary.simpleMessage("Inelegível"), + "info": MessageLookupByLibrary.simpleMessage("Info"), + "insecureDevice": + MessageLookupByLibrary.simpleMessage("Dispositivo inseguro"), + "installManually": + MessageLookupByLibrary.simpleMessage("Instalar manualmente"), + "invalidEmailAddress": + MessageLookupByLibrary.simpleMessage("Endereço de email inválido"), + "invalidEndpoint": + MessageLookupByLibrary.simpleMessage("Endpoint inválido"), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Desculpe, o endpoint que introduziu é inválido. Introduza um ponto final válido e tente novamente."), + "invalidKey": MessageLookupByLibrary.simpleMessage("Chave inválida"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "A chave de recuperação que inseriu não é válida. Por favor, certifique-se que ela contém 24 palavras e verifique a ortografia de cada uma.\n\nSe inseriu um código de recuperação mais antigo, certifique-se de que tem 64 caracteres e verifique cada um deles."), + "invite": MessageLookupByLibrary.simpleMessage("Convidar"), + "inviteToEnte": + MessageLookupByLibrary.simpleMessage("Convidar para Ente"), + "inviteYourFriends": + MessageLookupByLibrary.simpleMessage("Convide os seus amigos"), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "Convide seus amigos para o Ente"), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Parece que algo correu mal. Por favor, tente novamente após algum tempo. Se o erro persistir, contacte a nossa equipa de apoio."), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "Os itens mostram o número de dias restantes antes da eliminação permanente"), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Os itens selecionados serão removidos deste álbum"), + "join": MessageLookupByLibrary.simpleMessage("Unir-se"), + "joinAlbum": MessageLookupByLibrary.simpleMessage("Unir-se ao álbum"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "Unir-se ao álbum fará que seu e-mail seja visível a todos do álbum."), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( + "para visualizar e adicionar suas fotos"), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "para adicionar isso aos álbuns compartilhados"), + "joinDiscord": + MessageLookupByLibrary.simpleMessage("Juntar-se ao Discord"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Manter fotos"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Por favor, ajude-nos com esta informação"), + "language": MessageLookupByLibrary.simpleMessage("Idioma"), + "lastTimeWithThem": m45, + "lastUpdated": + MessageLookupByLibrary.simpleMessage("Última atualização"), + "lastYearsTrip": + MessageLookupByLibrary.simpleMessage("Viajem do ano passado"), + "leave": MessageLookupByLibrary.simpleMessage("Sair"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Sair do álbum"), + "leaveFamily": + MessageLookupByLibrary.simpleMessage("Deixar plano famíliar"), + "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Sair do álbum compartilhado?"), + "left": MessageLookupByLibrary.simpleMessage("Esquerda"), + "legacy": MessageLookupByLibrary.simpleMessage("Legado"), + "legacyAccounts": + MessageLookupByLibrary.simpleMessage("Contas legadas"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "O legado permite que contatos confiáveis acessem sua conta em sua ausência."), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "Contatos confiáveis podem iniciar recuperação de conta. Se não cancelado dentro de 30 dias, redefina sua senha e acesse sua conta."), + "light": MessageLookupByLibrary.simpleMessage("Claro"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Claro"), + "link": MessageLookupByLibrary.simpleMessage("Vincular"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Link copiado para a área de transferência"), + "linkDeviceLimit": + MessageLookupByLibrary.simpleMessage("Limite de dispositivo"), + "linkEmail": MessageLookupByLibrary.simpleMessage("Vincular e-mail"), + "linkEmailToContactBannerCaption": + MessageLookupByLibrary.simpleMessage("para compartilhar rápido"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Ativado"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Expirado"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Link expirado"), + "linkHasExpired": + MessageLookupByLibrary.simpleMessage("O link expirou"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Nunca"), + "linkPerson": MessageLookupByLibrary.simpleMessage("Vincular pessoa"), + "linkPersonCaption": MessageLookupByLibrary.simpleMessage( + "para melhor experiência de compartilhamento"), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": + MessageLookupByLibrary.simpleMessage("Fotos Em Tempo Real"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "Pode partilhar a sua subscrição com a sua família"), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "Mantemos 3 cópias dos seus dados, uma em um abrigo subterrâneo"), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "Todos os nossos aplicativos são de código aberto"), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Nosso código-fonte e criptografia foram auditadas externamente"), + "loadMessage6": + MessageLookupByLibrary.simpleMessage("Deixar o álbum partilhado?"), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Nossos aplicativos móveis são executados em segundo plano para criptografar e fazer backup de quaisquer novas fotos que você clique"), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io tem um envio mais rápido"), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Nós usamos Xchacha20Poly1305 para criptografar seus dados com segurança"), + "loadingExifData": + MessageLookupByLibrary.simpleMessage("Carregando dados EXIF..."), + "loadingGallery": + MessageLookupByLibrary.simpleMessage("Carregando galeria..."), + "loadingMessage": + MessageLookupByLibrary.simpleMessage("Carregar as suas fotos..."), + "loadingModel": + MessageLookupByLibrary.simpleMessage("Transferindo modelos..."), + "loadingYourPhotos": + MessageLookupByLibrary.simpleMessage("Carregar as suas fotos..."), + "localGallery": MessageLookupByLibrary.simpleMessage("Galeria local"), + "localIndexing": + MessageLookupByLibrary.simpleMessage("Indexação local"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Parece que algo correu mal, uma vez que a sincronização de fotografias locais está a demorar mais tempo do que o esperado. Contacte a nossa equipa de apoio"), + "location": MessageLookupByLibrary.simpleMessage("Localização"), + "locationName": + MessageLookupByLibrary.simpleMessage("Nome da localização"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Uma etiqueta de localização agrupa todas as fotos que foram tiradas num determinado raio de uma fotografia"), + "locations": MessageLookupByLibrary.simpleMessage("Localizações"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Bloquear"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Ecrã de bloqueio"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Iniciar sessão"), + "loggingOut": + MessageLookupByLibrary.simpleMessage("Terminar a sessão..."), + "loginSessionExpired": + MessageLookupByLibrary.simpleMessage("Sessão expirada"), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "A sua sessão expirou. Por favor, inicie sessão novamente."), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Ao clicar em iniciar sessão, eu concordo com os termos de serviço e política de privacidade"), + "loginWithTOTP": + MessageLookupByLibrary.simpleMessage("Iniciar sessão com TOTP"), + "logout": MessageLookupByLibrary.simpleMessage("Terminar sessão"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "Isto enviará os registos para nos ajudar a resolver o problema. Tenha em atenção que os nomes dos ficheiros serão incluídos para ajudar a localizar problemas com ficheiros específicos."), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Pressione e segure um e-mail para verificar a criptografia de ponta a ponta."), + "longpressOnAnItemToViewInFullscreen": + MessageLookupByLibrary.simpleMessage( + "Pressione e segure em um item para ver em tela cheia"), + "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( + "Look back on your memories 🌄"), + "loopVideoOff": + MessageLookupByLibrary.simpleMessage("Repetir vídeo desligado"), + "loopVideoOn": + MessageLookupByLibrary.simpleMessage("Repetir vídeo ligado"), + "lostDevice": + MessageLookupByLibrary.simpleMessage("Perdeu o seu dispositívo?"), + "machineLearning": + MessageLookupByLibrary.simpleMessage("Aprendizagem automática"), + "magicSearch": MessageLookupByLibrary.simpleMessage("Pesquisa mágica"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "A pesquisa mágica permite pesquisar fotos por seu conteúdo, por exemplo, \'flor\', \'carro vermelho\', \'documentos de identidade\'"), + "manage": MessageLookupByLibrary.simpleMessage("Gerir"), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Reveja e limpe o armazenamento de cache local."), + "manageFamily": MessageLookupByLibrary.simpleMessage("Gerir família"), + "manageLink": MessageLookupByLibrary.simpleMessage("Gerir link"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Gerir"), + "manageSubscription": + MessageLookupByLibrary.simpleMessage("Gerir subscrição"), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "Emparelhar com PIN funciona com qualquer ecrã onde pretenda ver o seu álbum."), + "map": MessageLookupByLibrary.simpleMessage("Mapa"), + "maps": MessageLookupByLibrary.simpleMessage("Mapas"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("Eu"), + "merchandise": MessageLookupByLibrary.simpleMessage("Produtos"), + "mergeWithExisting": + MessageLookupByLibrary.simpleMessage("Juntar com o existente"), + "mergedPhotos": + MessageLookupByLibrary.simpleMessage("Fotos combinadas"), + "mlConsent": MessageLookupByLibrary.simpleMessage( + "Ativar aprendizagem automática"), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Eu entendo, e desejo ativar a aprendizagem automática"), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Se ativar a aprendizagem automática, o Ente extrairá informações como a geometria do rosto de ficheiros, incluindo os partilhados consigo.\n\n\nIsto acontecerá no seu dispositivo e todas as informações biométricas geradas serão encriptadas de ponta a ponta."), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Por favor, clique aqui para mais detalhes sobre este recurso na nossa política de privacidade"), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "Ativar aprendizagem automática?"), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Tenha em atenção que a aprendizagem automática resultará numa maior utilização da largura de banda e da bateria até que todos os itens sejam indexados. Considere utilizar a aplicação de ambiente de trabalho para uma indexação mais rápida, todos os resultados serão sincronizados automaticamente."), + "mobileWebDesktop": + MessageLookupByLibrary.simpleMessage("Mobile, Web, Desktop"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Moderada"), + "modifyYourQueryOrTrySearchingFor": + MessageLookupByLibrary.simpleMessage( + "Modifique a sua consulta ou tente pesquisar por"), + "moments": MessageLookupByLibrary.simpleMessage("Momentos"), + "month": MessageLookupByLibrary.simpleMessage("mês"), + "monthly": MessageLookupByLibrary.simpleMessage("Mensal"), + "moon": MessageLookupByLibrary.simpleMessage("Na luz do luar"), + "moreDetails": MessageLookupByLibrary.simpleMessage("Mais detalhes"), + "mostRecent": MessageLookupByLibrary.simpleMessage("Mais recente"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("Mais relevante"), + "mountains": MessageLookupByLibrary.simpleMessage("Sob as montanhas"), + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "Mover fotos selecionadas para uma data"), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("Mover para álbum"), + "moveToHiddenAlbum": + MessageLookupByLibrary.simpleMessage("Mover para álbum oculto"), + "movedSuccessfullyTo": m52, + "movedToTrash": + MessageLookupByLibrary.simpleMessage("Mover para o lixo"), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Mover arquivos para o álbum..."), + "name": MessageLookupByLibrary.simpleMessage("Nome"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Nomear o álbum"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Não foi possível conectar ao Ente, tente novamente após algum tempo. Se o erro persistir, entre em contato com o suporte."), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Não foi possível estabelecer ligação ao Ente. Verifique as definições de rede e contacte o serviço de apoio se o erro persistir."), + "never": MessageLookupByLibrary.simpleMessage("Nunca"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Novo álbum"), + "newLocation": MessageLookupByLibrary.simpleMessage("Nova localização"), + "newPerson": MessageLookupByLibrary.simpleMessage("Nova pessoa"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" new 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("Novo intervalo"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Novo no Ente"), + "newest": MessageLookupByLibrary.simpleMessage("Recentes"), + "next": MessageLookupByLibrary.simpleMessage("Seguinte"), + "no": MessageLookupByLibrary.simpleMessage("Não"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Ainda não há álbuns partilhados por si"), + "noDeviceFound": MessageLookupByLibrary.simpleMessage( + "Nenhum dispositivo encontrado"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Nenhum"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "Você não tem arquivos neste dispositivo que possam ser apagados"), + "noDuplicates": + MessageLookupByLibrary.simpleMessage("✨ Sem duplicados"), + "noEnteAccountExclamation": + MessageLookupByLibrary.simpleMessage("Nenhuma conta Ente!"), + "noExifData": MessageLookupByLibrary.simpleMessage("Sem dados EXIF"), + "noFacesFound": + MessageLookupByLibrary.simpleMessage("Nenhum rosto encontrado"), + "noHiddenPhotosOrVideos": + MessageLookupByLibrary.simpleMessage("Sem fotos ou vídeos ocultos"), + "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( + "Nenhuma imagem com localização"), + "noInternetConnection": + MessageLookupByLibrary.simpleMessage("Sem ligação à internet"), + "noPhotosAreBeingBackedUpRightNow": + MessageLookupByLibrary.simpleMessage( + "No momento não há backup de fotos sendo feito"), + "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( + "Nenhuma foto encontrada aqui"), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( + "Nenhum link rápido selecionado"), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Não tem chave de recuperação?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Devido à natureza do nosso protocolo de criptografia de ponta a ponta, os seus dados não podem ser descriptografados sem a sua palavra-passe ou a sua chave de recuperação"), + "noResults": MessageLookupByLibrary.simpleMessage("Nenhum resultado"), + "noResultsFound": MessageLookupByLibrary.simpleMessage( + "Não foram encontrados resultados"), + "noSuggestionsForPerson": m53, + "noSystemLockFound": MessageLookupByLibrary.simpleMessage( + "Nenhum bloqueio de sistema encontrado"), + "notPersonLabel": m54, + "notThisPerson": + MessageLookupByLibrary.simpleMessage("Não é esta pessoa?"), + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "Ainda nada partilhado consigo"), + "nothingToSeeHere": + MessageLookupByLibrary.simpleMessage("Nada para ver aqui! 👀"), + "notifications": MessageLookupByLibrary.simpleMessage("Notificações"), + "ok": MessageLookupByLibrary.simpleMessage("Ok"), + "onDevice": MessageLookupByLibrary.simpleMessage("No dispositivo"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "Em ente"), + "onTheRoad": MessageLookupByLibrary.simpleMessage("Na estrada de novo"), + "onThisDay": MessageLookupByLibrary.simpleMessage("On this day"), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "Receive reminders about memories from this day in previous years."), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Apenas eles"), + "oops": MessageLookupByLibrary.simpleMessage("Oops"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Oops, não foi possível guardar as edições"), + "oopsSomethingWentWrong": + MessageLookupByLibrary.simpleMessage("Ops, algo deu errado"), + "openAlbumInBrowser": + MessageLookupByLibrary.simpleMessage("Abrir álbum no navegador"), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Use o aplicativo da web para adicionar fotos a este álbum"), + "openFile": MessageLookupByLibrary.simpleMessage("Abrir arquivo"), + "openSettings": + MessageLookupByLibrary.simpleMessage("Abrir Definições"), + "openTheItem": MessageLookupByLibrary.simpleMessage("• Abra o item"), + "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( + "Contribuidores do OpenStreetMap"), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Opcional, o mais breve que quiser..."), + "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( + "Ou combinar com já existente"), + "orPickAnExistingOne": + MessageLookupByLibrary.simpleMessage("Ou escolha um já existente"), + "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( + "ou escolher dos seus contatos"), + "pair": MessageLookupByLibrary.simpleMessage("Emparelhar"), + "pairWithPin": + MessageLookupByLibrary.simpleMessage("Emparelhar com PIN"), + "pairingComplete": + MessageLookupByLibrary.simpleMessage("Emparelhamento concluído"), + "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), + "partyWithThem": m56, + "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( + "A verificação ainda está pendente"), + "passkey": MessageLookupByLibrary.simpleMessage("Chave de acesso"), + "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( + "Verificação da chave de acesso"), + "password": MessageLookupByLibrary.simpleMessage("Palavra-passe"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Palavra-passe alterada com sucesso"), + "passwordLock": + MessageLookupByLibrary.simpleMessage("Bloqueio da palavra-passe"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "A força da palavra-passe é calculada tendo em conta o comprimento da palavra-passe, os caracteres utilizados e se a palavra-passe aparece ou não nas 10.000 palavras-passe mais utilizadas"), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Não armazenamos esta palavra-passe, se você a esquecer, não podemos desencriptar os seus dados"), + "paymentDetails": + MessageLookupByLibrary.simpleMessage("Detalhes de pagamento"), + "paymentFailed": + MessageLookupByLibrary.simpleMessage("O pagamento falhou"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "Infelizmente o seu pagamento falhou. Entre em contato com o suporte e nós ajudaremos você!"), + "paymentFailedTalkToProvider": m58, + "pendingItems": MessageLookupByLibrary.simpleMessage("Itens pendentes"), + "pendingSync": + MessageLookupByLibrary.simpleMessage("Sincronização pendente"), + "people": MessageLookupByLibrary.simpleMessage("Pessoas"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Pessoas que utilizam seu código"), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Todos os itens no lixo serão permanentemente eliminados\n\n\nEsta ação não pode ser anulada"), + "permanentlyDelete": + MessageLookupByLibrary.simpleMessage("Eliminar permanentemente"), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Apagar permanentemente do dispositivo?"), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("Nome da pessoa"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("Companhia de pelos"), + "photoDescriptions": + MessageLookupByLibrary.simpleMessage("Descrições das fotos"), + "photoGridSize": + MessageLookupByLibrary.simpleMessage("Tamanho da grelha de fotos"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("Fotos"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "As fotos adicionadas por si serão removidas do álbum"), + "photosCount": m62, + "photosKeepRelativeTimeDifference": + MessageLookupByLibrary.simpleMessage( + "As fotos mantêm a diferença de tempo relativo"), + "pickCenterPoint": + MessageLookupByLibrary.simpleMessage("Escolha o ponto central"), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Fixar álbum"), + "pinLock": MessageLookupByLibrary.simpleMessage("Bloqueio por PIN"), + "playOnTv": + MessageLookupByLibrary.simpleMessage("Reproduzir álbum na TV"), + "playOriginal": + MessageLookupByLibrary.simpleMessage("Reproduzir original"), + "playStoreFreeTrialValidTill": m63, + "playStream": + MessageLookupByLibrary.simpleMessage("Reproduzir transmissão"), + "playstoreSubscription": + MessageLookupByLibrary.simpleMessage("Subscrição da PlayStore"), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Por favor, verifique a sua ligação à Internet e tente novamente."), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Por favor, entre em contato com support@ente.io e nós ficaremos felizes em ajudar!"), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Por favor, contate o suporte se o problema persistir"), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( + "Por favor, conceda as permissões"), + "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( + "Por favor, inicie sessão novamente"), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Selecione links rápidos para remover"), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": + MessageLookupByLibrary.simpleMessage("Por favor, tente novamente"), + "pleaseVerifyTheCodeYouHaveEntered": + MessageLookupByLibrary.simpleMessage( + "Por favor, verifique se o código que você inseriu"), + "pleaseWait": + MessageLookupByLibrary.simpleMessage("Por favor, aguarde ..."), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Por favor aguarde, apagar o álbum"), + "pleaseWaitForSometimeBeforeRetrying": + MessageLookupByLibrary.simpleMessage( + "Por favor, aguarde algum tempo antes de tentar novamente"), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "Aguarde um pouco, isso talvez leve um tempo."), + "posingWithThem": m66, + "preparingLogs": + MessageLookupByLibrary.simpleMessage("Preparando logs..."), + "preserveMore": MessageLookupByLibrary.simpleMessage("Preservar mais"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Pressione e segure para reproduzir o vídeo"), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Pressione e segure na imagem para reproduzir o vídeo"), + "previous": MessageLookupByLibrary.simpleMessage("Anterior"), + "privacy": MessageLookupByLibrary.simpleMessage("Privacidade"), + "privacyPolicyTitle": + MessageLookupByLibrary.simpleMessage("Política de privacidade"), + "privateBackups": + MessageLookupByLibrary.simpleMessage("Backups privados"), + "privateSharing": + MessageLookupByLibrary.simpleMessage("Partilha privada"), + "proceed": MessageLookupByLibrary.simpleMessage("Continuar"), + "processing": MessageLookupByLibrary.simpleMessage("Processando"), + "processingImport": m67, + "processingVideos": + MessageLookupByLibrary.simpleMessage("Processando vídeos"), + "publicLinkCreated": + MessageLookupByLibrary.simpleMessage("Link público criado"), + "publicLinkEnabled": + MessageLookupByLibrary.simpleMessage("Link público ativado"), + "queued": MessageLookupByLibrary.simpleMessage("Na fila"), + "quickLinks": MessageLookupByLibrary.simpleMessage("Links rápidos"), + "radius": MessageLookupByLibrary.simpleMessage("Raio"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Abrir ticket"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("Avaliar aplicação"), + "rateUs": MessageLookupByLibrary.simpleMessage("Avalie-nos"), + "rateUsOnStore": m68, + "reassignMe": MessageLookupByLibrary.simpleMessage("Reatribuir \"Eu\""), + "reassignedToName": m69, + "reassigningLoading": + MessageLookupByLibrary.simpleMessage("Reatribuindo..."), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Receive reminders when it\'s someone\'s birthday. Tapping on the notification will take you to photos of the birthday person."), + "recover": MessageLookupByLibrary.simpleMessage("Recuperar"), + "recoverAccount": + MessageLookupByLibrary.simpleMessage("Recuperar conta"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Recuperar"), + "recoveryAccount": + MessageLookupByLibrary.simpleMessage("Recuperar conta"), + "recoveryInitiated": + MessageLookupByLibrary.simpleMessage("A recuperação iniciou"), + "recoveryInitiatedDesc": m70, + "recoveryKey": + MessageLookupByLibrary.simpleMessage("Chave de recuperação"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Chave de recuperação copiada para a área de transferência"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Se esquecer sua palavra-passe, a única maneira de recuperar os seus dados é com esta chave."), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Não armazenamos essa chave, por favor, guarde esta chave de 24 palavras num lugar seguro."), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Ótimo! A sua chave de recuperação é válida. Obrigado por verificar.\n\nLembre-se de manter cópia de segurança da sua chave de recuperação."), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Chave de recuperação verificada"), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "A sua chave de recuperação é a única forma de recuperar as suas fotografias se se esquecer da sua palavra-passe. Pode encontrar a sua chave de recuperação em Definições > Conta.\n\n\nIntroduza aqui a sua chave de recuperação para verificar se a guardou corretamente."), + "recoveryReady": m71, + "recoverySuccessful": + MessageLookupByLibrary.simpleMessage("Recuperação bem sucedida!"), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "Um contato confiável está tentando acessar sua conta"), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "O dispositivo atual não é suficientemente poderoso para verificar a palavra-passe, mas podemos regenerar novamente de uma maneira que funcione no seu dispositivo.\n\nPor favor, iniciar sessão utilizando código de recuperação e gerar novamente a sua palavra-passe (pode utilizar a mesma se quiser)."), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("Recriar palavra-passe"), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": MessageLookupByLibrary.simpleMessage( + "Insira novamente a palavra-passe"), + "reenterPin": + MessageLookupByLibrary.simpleMessage("Inserir PIN novamente"), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Recomende amigos e duplique o seu plano"), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Envie este código aos seus amigos"), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Eles se inscrevem em um plano pago"), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Referências"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "As referências estão atualmente em pausa"), + "rejectRecovery": + MessageLookupByLibrary.simpleMessage("Rejeitar recuperação"), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "Esvazie também a opção “Eliminados recentemente” em “Definições” -> “Armazenamento” para reclamar o espaço libertado"), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Esvazie também o seu “Lixo” para reivindicar o espaço libertado"), + "remoteImages": MessageLookupByLibrary.simpleMessage("Imagens remotas"), + "remoteThumbnails": + MessageLookupByLibrary.simpleMessage("Miniaturas remotas"), + "remoteVideos": MessageLookupByLibrary.simpleMessage("Vídeos remotos"), + "remove": MessageLookupByLibrary.simpleMessage("Remover"), + "removeDuplicates": + MessageLookupByLibrary.simpleMessage("Remover duplicados"), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Rever e remover ficheiros que sejam duplicados exatos."), + "removeFromAlbum": + MessageLookupByLibrary.simpleMessage("Remover do álbum"), + "removeFromAlbumTitle": + MessageLookupByLibrary.simpleMessage("Remover do álbum"), + "removeFromFavorite": + MessageLookupByLibrary.simpleMessage("Remover dos favoritos"), + "removeInvite": MessageLookupByLibrary.simpleMessage("Remover convite"), + "removeLink": MessageLookupByLibrary.simpleMessage("Remover link"), + "removeParticipant": + MessageLookupByLibrary.simpleMessage("Remover participante"), + "removeParticipantBody": m74, + "removePersonLabel": + MessageLookupByLibrary.simpleMessage("Remover etiqueta da pessoa"), + "removePublicLink": + MessageLookupByLibrary.simpleMessage("Remover link público"), + "removePublicLinks": + MessageLookupByLibrary.simpleMessage("Remover link público"), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Alguns dos itens que você está removendo foram adicionados por outras pessoas, e você perderá o acesso a eles"), + "removeWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Remover?"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Remover si mesmo dos contatos confiáveis"), + "removingFromFavorites": + MessageLookupByLibrary.simpleMessage("Removendo dos favoritos..."), + "rename": MessageLookupByLibrary.simpleMessage("Renomear"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("Renomear álbum"), + "renameFile": MessageLookupByLibrary.simpleMessage("Renomear arquivo"), + "renewSubscription": + MessageLookupByLibrary.simpleMessage("Renovar subscrição"), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Reporte um bug"), + "reportBug": MessageLookupByLibrary.simpleMessage("Reportar bug"), + "resendEmail": MessageLookupByLibrary.simpleMessage("Reenviar e-mail"), + "resetIgnoredFiles": + MessageLookupByLibrary.simpleMessage("Repor ficheiros ignorados"), + "resetPasswordTitle": + MessageLookupByLibrary.simpleMessage("Redefinir palavra-passe"), + "resetPerson": MessageLookupByLibrary.simpleMessage("Remover"), + "resetToDefault": + MessageLookupByLibrary.simpleMessage("Redefinir para o padrão"), + "restore": MessageLookupByLibrary.simpleMessage("Restaurar"), + "restoreToAlbum": + MessageLookupByLibrary.simpleMessage("Restaurar para álbum"), + "restoringFiles": + MessageLookupByLibrary.simpleMessage("Restaurar arquivos..."), + "resumableUploads": + MessageLookupByLibrary.simpleMessage("Uploads reenviados"), + "retry": MessageLookupByLibrary.simpleMessage("Tentar novamente"), + "review": MessageLookupByLibrary.simpleMessage("Rever"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Reveja e elimine os itens que considera serem duplicados."), + "reviewSuggestions": + MessageLookupByLibrary.simpleMessage("Revisar sugestões"), + "right": MessageLookupByLibrary.simpleMessage("Direita"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("Rodar"), + "rotateLeft": + MessageLookupByLibrary.simpleMessage("Rodar para a esquerda"), + "rotateRight": + MessageLookupByLibrary.simpleMessage("Rodar para a direita"), + "safelyStored": + MessageLookupByLibrary.simpleMessage("Armazenado com segurança"), + "save": MessageLookupByLibrary.simpleMessage("Guardar"), + "saveChangesBeforeLeavingQuestion": + MessageLookupByLibrary.simpleMessage( + "Salvar mudanças antes de sair?"), + "saveCollage": MessageLookupByLibrary.simpleMessage("Guardar colagem"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Guardar cópia"), + "saveKey": MessageLookupByLibrary.simpleMessage("Guardar chave"), + "savePerson": MessageLookupByLibrary.simpleMessage("Guardar pessoa"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Guarde a sua chave de recuperação, caso ainda não o tenha feito"), + "saving": MessageLookupByLibrary.simpleMessage("A gravar..."), + "savingEdits": + MessageLookupByLibrary.simpleMessage("Gravando edições..."), + "scanCode": MessageLookupByLibrary.simpleMessage("Ler código Qr"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Leia este código com a sua aplicação dois fatores."), + "search": MessageLookupByLibrary.simpleMessage("Pesquisar"), + "searchAlbumsEmptySection": + MessageLookupByLibrary.simpleMessage("Álbuns"), + "searchByAlbumNameHint": + MessageLookupByLibrary.simpleMessage("Nome do álbum"), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Nomes de álbuns (ex: \"Câmera\")\n• Tipos de arquivos (ex.: \"Vídeos\", \".gif\")\n• Anos e meses (e.. \"2022\", \"Janeiro\")\n• Feriados (por exemplo, \"Natal\")\n• Descrições de fotos (por exemplo, \"#divertido\")"), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Adicione descrições como \"#trip\" nas informações das fotos para encontrá-las aqui rapidamente"), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Pesquisar por data, mês ou ano"), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "As pessoas serão mostradas aqui quando a indexação estiver concluída"), + "searchFileTypesAndNamesEmptySection": + MessageLookupByLibrary.simpleMessage("Tipos de arquivo e nomes"), + "searchHint1": MessageLookupByLibrary.simpleMessage( + "Pesquisa rápida no dispositivo"), + "searchHint2": + MessageLookupByLibrary.simpleMessage("Datas das fotos, descrições"), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "Álbuns, nomes de arquivos e tipos"), + "searchHint4": MessageLookupByLibrary.simpleMessage("Local"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "Em breve: Rostos e pesquisa mágica ✨"), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Fotos de grupo que estão sendo tiradas em algum raio da foto"), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "Convide pessoas e verá todas as fotos partilhadas por elas aqui"), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Segurança"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "Ver links de álbum compartilhado no aplicativo"), + "selectALocation": + MessageLookupByLibrary.simpleMessage("Selecione uma localização"), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage( + "Selecione uma localização primeiro"), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Selecionar álbum"), + "selectAll": MessageLookupByLibrary.simpleMessage("Selecionar tudo"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("Tudo"), + "selectCoverPhoto": + MessageLookupByLibrary.simpleMessage("Selecionar foto da capa"), + "selectDate": MessageLookupByLibrary.simpleMessage("Selecionar data"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Selecionar pastas para cópia de segurança"), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "Selecionar itens para adicionar"), + "selectLanguage": + MessageLookupByLibrary.simpleMessage("Selecionar Idioma"), + "selectMailApp": MessageLookupByLibrary.simpleMessage( + "Selecionar aplicativo de e-mail"), + "selectMorePhotos": + MessageLookupByLibrary.simpleMessage("Selecionar mais fotos"), + "selectOneDateAndTime": + MessageLookupByLibrary.simpleMessage("Selecionar data e hora"), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "Selecione uma data e hora para todos"), + "selectPersonToLink": MessageLookupByLibrary.simpleMessage( + "Selecione a pessoa para vincular"), + "selectReason": + MessageLookupByLibrary.simpleMessage("Selecionar motivo"), + "selectStartOfRange": MessageLookupByLibrary.simpleMessage( + "Selecionar início de intervalo"), + "selectTime": MessageLookupByLibrary.simpleMessage("Selecionar tempo"), + "selectYourFace": + MessageLookupByLibrary.simpleMessage("Selecione seu rosto"), + "selectYourPlan": + MessageLookupByLibrary.simpleMessage("Selecione o seu plano"), + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Os arquivos selecionados não estão no Ente"), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "As pastas selecionadas serão encriptadas e guardadas como cópia de segurança"), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Os itens selecionados serão eliminados de todos os álbuns e movidos para o lixo."), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "Os itens selecionados serão removidos desta pessoa, entretanto não serão excluídos da sua biblioteca."), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("Enviar"), + "sendEmail": MessageLookupByLibrary.simpleMessage("Enviar email"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Enviar convite"), + "sendLink": MessageLookupByLibrary.simpleMessage("Enviar link"), + "serverEndpoint": + MessageLookupByLibrary.simpleMessage("Endpoint do servidor"), + "sessionExpired": + MessageLookupByLibrary.simpleMessage("Sessão expirada"), + "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( + "Incompatibilidade de ID de sessão"), + "setAPassword": + MessageLookupByLibrary.simpleMessage("Definir uma palavra-passe"), + "setAs": MessageLookupByLibrary.simpleMessage("Definir como"), + "setCover": MessageLookupByLibrary.simpleMessage("Definir capa"), + "setLabel": MessageLookupByLibrary.simpleMessage("Definir"), + "setNewPassword": + MessageLookupByLibrary.simpleMessage("Definir nova palavra-passe"), + "setNewPin": MessageLookupByLibrary.simpleMessage("Definir novo PIN"), + "setPasswordTitle": + MessageLookupByLibrary.simpleMessage("Definir palavra-passe"), + "setRadius": MessageLookupByLibrary.simpleMessage("Definir raio"), + "setupComplete": + MessageLookupByLibrary.simpleMessage("Configuração concluída"), + "share": MessageLookupByLibrary.simpleMessage("Partilhar"), + "shareALink": MessageLookupByLibrary.simpleMessage("Partilhar um link"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Abra um álbum e toque no botão de partilha no canto superior direito para partilhar"), + "shareAnAlbumNow": + MessageLookupByLibrary.simpleMessage("Partilhar um álbum"), + "shareLink": MessageLookupByLibrary.simpleMessage("Partilhar link"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Partilhar apenas com as pessoas que deseja"), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Descarregue o Ente para poder partilhar facilmente fotografias e vídeos de qualidade original\n\n\nhttps://ente.io"), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Compartilhar com usuários que não usam Ente"), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( + "Partilhe o seu primeiro álbum"), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Criar álbuns compartilhados e colaborativos com outros usuários da Ente, incluindo usuários em planos gratuitos."), + "sharedByMe": + MessageLookupByLibrary.simpleMessage("Partilhado por mim"), + "sharedByYou": + MessageLookupByLibrary.simpleMessage("Partilhado por si"), + "sharedPhotoNotifications": + MessageLookupByLibrary.simpleMessage("Novas fotos partilhadas"), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Receber notificações quando alguém adiciona uma foto a um álbum partilhado do qual faz parte"), + "sharedWith": m87, + "sharedWithMe": + MessageLookupByLibrary.simpleMessage("Partilhado comigo"), + "sharedWithYou": + MessageLookupByLibrary.simpleMessage("Partilhado consigo"), + "sharing": MessageLookupByLibrary.simpleMessage("Partilhar..."), + "shiftDatesAndTime": + MessageLookupByLibrary.simpleMessage("Alterar as datas e horas"), + "showMemories": + MessageLookupByLibrary.simpleMessage("Mostrar memórias"), + "showPerson": MessageLookupByLibrary.simpleMessage("Mostrar pessoa"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "Terminar sessão noutros dispositivos"), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Se pensa que alguém pode saber a sua palavra-passe, pode forçar todos os outros dispositivos que utilizam a sua conta a terminar a sessão."), + "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( + "Terminar a sessão noutros dispositivos"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Eu concordo com os termos de serviço e política de privacidade"), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Será eliminado de todos os álbuns."), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Pular"), + "social": MessageLookupByLibrary.simpleMessage("Social"), + "someItemsAreInBothEnteAndYourDevice": + MessageLookupByLibrary.simpleMessage( + "Alguns itens estão tanto no Ente como no seu dispositivo."), + "someOfTheFilesYouAreTryingToDeleteAre": + MessageLookupByLibrary.simpleMessage( + "Alguns dos ficheiros que está a tentar eliminar só estão disponíveis no seu dispositivo e não podem ser recuperados se forem eliminados"), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Alguém compartilhando álbuns com você deve ver o mesmo ID no seu dispositivo."), + "somethingWentWrong": + MessageLookupByLibrary.simpleMessage("Ocorreu um erro"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Ocorreu um erro. Tente novamente"), + "sorry": MessageLookupByLibrary.simpleMessage("Desculpe"), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Desculpe, não foi possível adicionar aos favoritos!"), + "sorryCouldNotRemoveFromFavorites": + MessageLookupByLibrary.simpleMessage( + "Desculpe, não foi possível remover dos favoritos!"), + "sorryTheCodeYouveEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "Desculpe, o código inserido está incorreto"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Desculpe, não foi possível gerar chaves seguras neste dispositivo.\n\npor favor iniciar sessão com um dispositivo diferente."), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Sorry, we had to pause your backups"), + "sort": MessageLookupByLibrary.simpleMessage("Ordenar"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Ordenar por"), + "sortNewestFirst": + MessageLookupByLibrary.simpleMessage("Mais recentes primeiro"), + "sortOldestFirst": + MessageLookupByLibrary.simpleMessage("Mais antigos primeiro"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Sucesso"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": + MessageLookupByLibrary.simpleMessage("Destacar si mesmo"), + "startAccountRecoveryTitle": + MessageLookupByLibrary.simpleMessage("Iniciar recuperação"), + "startBackup": + MessageLookupByLibrary.simpleMessage("Iniciar cópia de segurança"), + "status": MessageLookupByLibrary.simpleMessage("Status"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "Queres parar de fazer transmissão?"), + "stopCastingTitle": + MessageLookupByLibrary.simpleMessage("Parar transmissão"), + "storage": MessageLookupByLibrary.simpleMessage("Armazenamento"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Família"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Tu"), + "storageInGB": m93, + "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( + "Limite de armazenamento excedido"), + "storageUsageInfo": m94, + "streamDetails": + MessageLookupByLibrary.simpleMessage("Detalhes da transmissão"), + "strongStrength": MessageLookupByLibrary.simpleMessage("Forte"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Subscrever"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Você precisa de uma assinatura paga ativa para ativar o compartilhamento."), + "subscription": MessageLookupByLibrary.simpleMessage("Subscrição"), + "success": MessageLookupByLibrary.simpleMessage("Sucesso"), + "successfullyArchived": + MessageLookupByLibrary.simpleMessage("Arquivado com sucesso"), + "successfullyHid": + MessageLookupByLibrary.simpleMessage("Ocultado com sucesso"), + "successfullyUnarchived": + MessageLookupByLibrary.simpleMessage("Desarquivado com sucesso"), + "successfullyUnhid": + MessageLookupByLibrary.simpleMessage("Reexibido com sucesso"), + "suggestFeatures": + MessageLookupByLibrary.simpleMessage("Sugerir recursos"), + "sunrise": MessageLookupByLibrary.simpleMessage("No horizonte"), + "support": MessageLookupByLibrary.simpleMessage("Suporte"), + "syncProgress": m97, + "syncStopped": + MessageLookupByLibrary.simpleMessage("Sincronização interrompida"), + "syncing": MessageLookupByLibrary.simpleMessage("Sincronizando..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("Sistema"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("toque para copiar"), + "tapToEnterCode": + MessageLookupByLibrary.simpleMessage("Toque para inserir código"), + "tapToUnlock": + MessageLookupByLibrary.simpleMessage("Toque para desbloquear"), + "tapToUpload": + MessageLookupByLibrary.simpleMessage("Toque para enviar"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Parece que algo correu mal. Por favor, tente novamente mais tarde. Se o erro persistir, entre em contacto com a nossa equipa de suporte."), + "terminate": MessageLookupByLibrary.simpleMessage("Terminar"), + "terminateSession": + MessageLookupByLibrary.simpleMessage("Terminar sessão?"), + "terms": MessageLookupByLibrary.simpleMessage("Termos"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Termos"), + "thankYou": MessageLookupByLibrary.simpleMessage("Obrigado"), + "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( + "Obrigado pela sua subscrição!"), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "Não foi possível concluir o download."), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "O link que você está tentando acessar já expirou."), + "theRecoveryKeyYouEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "A chave de recuperação inserida está incorreta"), + "theme": MessageLookupByLibrary.simpleMessage("Tema"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Estes itens serão eliminados do seu dispositivo."), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "Serão eliminados de todos os álbuns."), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Esta ação não pode ser desfeita"), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "Este álbum já tem um link colaborativo"), + "thisCanBeUsedToRecoverYourAccountIfYou": + MessageLookupByLibrary.simpleMessage( + "Isto pode ser usado para recuperar sua conta se você perder seu segundo fator"), + "thisDevice": MessageLookupByLibrary.simpleMessage("Este dispositivo"), + "thisEmailIsAlreadyInUse": + MessageLookupByLibrary.simpleMessage("Este email já está em uso"), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Esta imagem não tem dados exif"), + "thisIsMeExclamation": + MessageLookupByLibrary.simpleMessage("Este é você!"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Este é o seu ID de verificação"), + "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( + "Esta semana com o passar dos anos"), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Irá desconectar a sua conta do seguinte dispositivo:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Irá desconectar a sua conta do seu dispositivo!"), + "thisWillMakeTheDateAndTimeOfAllSelected": + MessageLookupByLibrary.simpleMessage( + "Isso fará que a data e hora de todas as fotos selecionadas fiquem iguais."), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "Isto removerá links públicos de todos os links rápidos selecionados."), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "Para ativar o bloqueio de aplicações, configure o código de acesso do dispositivo ou o bloqueio de ecrã nas definições do sistema."), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( + "Para ocultar uma foto ou um vídeo"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Para redefinir a sua palavra-passe, verifique primeiro o seu e-mail."), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Logs de hoje"), + "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( + "Muitas tentativas incorretas"), + "total": MessageLookupByLibrary.simpleMessage("total"), + "totalSize": MessageLookupByLibrary.simpleMessage("Tamanho total"), + "trash": MessageLookupByLibrary.simpleMessage("Lixo"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Cortar"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": + MessageLookupByLibrary.simpleMessage("Contatos confiáveis"), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Tente novamente"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Ative o backup para enviar automaticamente arquivos adicionados a esta pasta do dispositivo para o Ente."), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "2 meses grátis em planos anuais"), + "twofactor": MessageLookupByLibrary.simpleMessage("Dois fatores"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "A autenticação de dois fatores foi desativada"), + "twofactorAuthenticationPageTitle": + MessageLookupByLibrary.simpleMessage( + "Autenticação de dois fatores"), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "Autenticação de dois fatores redefinida com êxito"), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Configuração de dois fatores"), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("Desarquivar"), + "unarchiveAlbum": + MessageLookupByLibrary.simpleMessage("Desarquivar álbum"), + "unarchiving": MessageLookupByLibrary.simpleMessage("Desarquivar..."), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Desculpe, este código não está disponível."), + "uncategorized": MessageLookupByLibrary.simpleMessage("Sem categoria"), + "unhide": MessageLookupByLibrary.simpleMessage("Mostrar"), + "unhideToAlbum": + MessageLookupByLibrary.simpleMessage("Mostrar para o álbum"), + "unhiding": MessageLookupByLibrary.simpleMessage("Reexibindo..."), + "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Desocultar ficheiros para o álbum"), + "unlock": MessageLookupByLibrary.simpleMessage("Desbloquear"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("Desafixar álbum"), + "unselectAll": MessageLookupByLibrary.simpleMessage("Desmarcar tudo"), + "update": MessageLookupByLibrary.simpleMessage("Atualizar"), + "updateAvailable": + MessageLookupByLibrary.simpleMessage("Atualização disponível"), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Atualizando seleção de pasta..."), + "upgrade": MessageLookupByLibrary.simpleMessage("Atualizar"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Enviar ficheiros para o álbum..."), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": + MessageLookupByLibrary.simpleMessage("Preservar 1 memória..."), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "Até 50% de desconto, até 4 de dezembro."), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "O armazenamento disponível é limitado pelo seu plano atual. O excesso de armazenamento reivindicado tornará automaticamente útil quando você atualizar seu plano."), + "useAsCover": MessageLookupByLibrary.simpleMessage("Usar como capa"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "Enfrentando problemas ao reproduzir este vídeo? Mantenha pressionado aqui ou tente outro reprodutor de vídeo"), + "usePublicLinksForPeopleNotOnEnte": + MessageLookupByLibrary.simpleMessage( + "Usar links públicos para pessoas que não estão no Ente"), + "useRecoveryKey": + MessageLookupByLibrary.simpleMessage("Usar chave de recuperação"), + "useSelectedPhoto": + MessageLookupByLibrary.simpleMessage("Utilizar foto selecionada"), + "usedSpace": MessageLookupByLibrary.simpleMessage("Espaço utilizado"), + "validTill": m110, + "verificationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Falha na verificação, por favor tente novamente"), + "verificationId": + MessageLookupByLibrary.simpleMessage("ID de Verificação"), + "verify": MessageLookupByLibrary.simpleMessage("Verificar"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("Verificar email"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Verificar"), + "verifyPasskey": + MessageLookupByLibrary.simpleMessage("Verificar chave de acesso"), + "verifyPassword": + MessageLookupByLibrary.simpleMessage("Verificar palavra-passe"), + "verifying": MessageLookupByLibrary.simpleMessage("A verificar…"), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Verificando chave de recuperação..."), + "videoInfo": + MessageLookupByLibrary.simpleMessage("Informação de Vídeo"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("vídeo"), + "videoStreaming": + MessageLookupByLibrary.simpleMessage("Transmissão de vídeo"), + "videos": MessageLookupByLibrary.simpleMessage("Vídeos"), + "viewActiveSessions": + MessageLookupByLibrary.simpleMessage("Ver sessões ativas"), + "viewAddOnButton": MessageLookupByLibrary.simpleMessage("Ver addons"), + "viewAll": MessageLookupByLibrary.simpleMessage("Ver tudo"), + "viewAllExifData": + MessageLookupByLibrary.simpleMessage("Ver todos os dados EXIF"), + "viewLargeFiles": + MessageLookupByLibrary.simpleMessage("Ficheiros grandes"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Ver os ficheiros que estão a consumir a maior quantidade de armazenamento."), + "viewLogs": MessageLookupByLibrary.simpleMessage("Ver logs"), + "viewRecoveryKey": + MessageLookupByLibrary.simpleMessage("Ver chave de recuperação"), + "viewer": MessageLookupByLibrary.simpleMessage("Visualizador"), + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Visite web.ente.io para gerir a sua subscrição"), + "waitingForVerification": + MessageLookupByLibrary.simpleMessage("Aguardando verificação..."), + "waitingForWifi": + MessageLookupByLibrary.simpleMessage("Aguardando Wi-Fi..."), + "warning": MessageLookupByLibrary.simpleMessage("Aviso"), + "weAreOpenSource": + MessageLookupByLibrary.simpleMessage("Nós somos de código aberto!"), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "Não suportamos a edição de fotos e álbuns que ainda não possui"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Fraca"), + "welcomeBack": + MessageLookupByLibrary.simpleMessage("Bem-vindo(a) de volta!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("O que há de novo"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "Um contato confiável pode ajudá-lo em recuperar seus dados."), + "wishThemAHappyBirthday": m115, + "yearShort": MessageLookupByLibrary.simpleMessage("ano"), + "yearly": MessageLookupByLibrary.simpleMessage("Anual"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Sim"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Sim, cancelar"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "Sim, converter para visualizador"), + "yesDelete": MessageLookupByLibrary.simpleMessage("Sim, apagar"), + "yesDiscardChanges": + MessageLookupByLibrary.simpleMessage("Sim, rejeitar alterações"), + "yesLogout": + MessageLookupByLibrary.simpleMessage("Sim, terminar sessão"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Sim, remover"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Sim, Renovar"), + "yesResetPerson": + MessageLookupByLibrary.simpleMessage("Sim, repor pessoa"), + "you": MessageLookupByLibrary.simpleMessage("Tu"), + "youAndThem": m117, + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( + "Você está em um plano familiar!"), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Está a utilizar a versão mais recente"), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Você pode duplicar seu armazenamento no máximo"), + "youCanManageYourLinksInTheShareTab": + MessageLookupByLibrary.simpleMessage( + "Pode gerir as suas ligações no separador partilhar."), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "Pode tentar pesquisar uma consulta diferente."), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "Não é possível fazer o downgrade para este plano"), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Não podes partilhar contigo mesmo"), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "Não tem nenhum item arquivado."), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": + MessageLookupByLibrary.simpleMessage("A sua conta foi eliminada"), + "yourMap": MessageLookupByLibrary.simpleMessage("Seu mapa"), + "yourPlanWasSuccessfullyDowngraded": + MessageLookupByLibrary.simpleMessage( + "O seu plano foi rebaixado com sucesso"), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "O seu plano foi atualizado com sucesso"), + "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( + "Sua compra foi realizada com sucesso"), + "yourStorageDetailsCouldNotBeFetched": + MessageLookupByLibrary.simpleMessage( + "Não foi possível obter os seus dados de armazenamento"), + "yourSubscriptionHasExpired": + MessageLookupByLibrary.simpleMessage("A sua subscrição expirou"), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "A sua subscrição foi actualizada com sucesso"), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "O seu código de verificação expirou"), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "Não existem ficheiros neste álbum que possam ser eliminados"), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( + "Diminuir o zoom para ver fotos") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_pt_BR.dart b/mobile/apps/photos/lib/generated/intl/messages_pt_BR.dart index b42b262ab1..36bffa984a 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_pt_BR.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_pt_BR.dart @@ -57,7 +57,11 @@ class MessageLookup extends MessageLookupByLibrary { "${user} Não poderá adicionar mais fotos a este álbum\n\nEles ainda conseguirão remover fotos existentes adicionadas por eles"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, {'true': 'Sua família reinvidicou ${storageAmountInGb} GB até então', 'false': 'Você reinvindicou ${storageAmountInGb} GB até então', 'other': 'Você reinvindicou ${storageAmountInGb} GB até então!'})}"; + "${Intl.select(isFamilyMember, { + 'true': 'Sua família reinvidicou ${storageAmountInGb} GB até então', + 'false': 'Você reinvindicou ${storageAmountInGb} GB até então', + 'other': 'Você reinvindicou ${storageAmountInGb} GB até então!', + })}"; static String m15(albumName) => "Link colaborativo criado para ${albumName}"; @@ -259,11 +263,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, - usedStorageUnit, - totalAmount, - totalStorageUnit, - ) => + usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => "${usedAmount} ${usedStorageUnit} de ${totalAmount} ${totalStorageUnit} usado"; static String m95(id) => @@ -328,2527 +328,2009 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Uma nova versão do Ente está disponível.", - ), - "about": MessageLookupByLibrary.simpleMessage("Sobre"), - "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( - "Aceitar convite", - ), - "account": MessageLookupByLibrary.simpleMessage("Conta"), - "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( - "A conta já está configurada.", - ), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( - "Bem-vindo(a) de volta!", - ), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Eu entendo que se eu perder minha senha, posso perder meus dados, já que meus dados são criptografados de ponta a ponta.", - ), - "actionNotSupportedOnFavouritesAlbum": MessageLookupByLibrary.simpleMessage( - "Ação não suportada em álbum favorito", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage("Sessões ativas"), - "add": MessageLookupByLibrary.simpleMessage("Adicionar"), - "addAName": MessageLookupByLibrary.simpleMessage("Adicione um nome"), - "addANewEmail": MessageLookupByLibrary.simpleMessage( - "Adicionar um novo e-mail", - ), - "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Adicione um widget de álbum a sua tela inicial e volte aqui para personalizar.", - ), - "addCollaborator": MessageLookupByLibrary.simpleMessage( - "Adicionar colaborador", - ), - "addCollaborators": m1, - "addFiles": MessageLookupByLibrary.simpleMessage("Adicionar arquivos"), - "addFromDevice": MessageLookupByLibrary.simpleMessage( - "Adicionar do dispositivo", - ), - "addItem": m2, - "addLocation": MessageLookupByLibrary.simpleMessage( - "Adicionar localização", - ), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Adicionar"), - "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Adicione um widget de memória a sua tela inicial e volte aqui para personalizar.", - ), - "addMore": MessageLookupByLibrary.simpleMessage("Adicionar mais"), - "addName": MessageLookupByLibrary.simpleMessage("Adicionar pessoa"), - "addNameOrMerge": MessageLookupByLibrary.simpleMessage( - "Adicionar nome ou juntar", - ), - "addNew": MessageLookupByLibrary.simpleMessage("Adicionar novo"), - "addNewPerson": MessageLookupByLibrary.simpleMessage( - "Adicionar nova pessoa", - ), - "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( - "Detalhes dos complementos", - ), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("Complementos"), - "addParticipants": MessageLookupByLibrary.simpleMessage( - "Adicionar participante", - ), - "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Adicione um widget de pessoas a sua tela inicial e volte aqui para personalizar.", - ), - "addPhotos": MessageLookupByLibrary.simpleMessage("Adicionar fotos"), - "addSelected": MessageLookupByLibrary.simpleMessage( - "Adicionar selecionado", - ), - "addToAlbum": MessageLookupByLibrary.simpleMessage("Adicionar ao álbum"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Adicionar ao Ente"), - "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Adicionar ao álbum oculto", - ), - "addTrustedContact": MessageLookupByLibrary.simpleMessage( - "Adicionar contato confiável", - ), - "addViewer": MessageLookupByLibrary.simpleMessage("Adicionar visualizador"), - "addViewers": m4, - "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( - "Adicione suas fotos agora", - ), - "addedAs": MessageLookupByLibrary.simpleMessage("Adicionado como"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": MessageLookupByLibrary.simpleMessage( - "Adicionando aos favoritos...", - ), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("Avançado"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Avançado"), - "after1Day": MessageLookupByLibrary.simpleMessage("Após 1 dia"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Após 1 hora"), - "after1Month": MessageLookupByLibrary.simpleMessage("Após 1 mês"), - "after1Week": MessageLookupByLibrary.simpleMessage("Após 1 semana"), - "after1Year": MessageLookupByLibrary.simpleMessage("Após 1 ano"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Proprietário"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Título do álbum"), - "albumUpdated": MessageLookupByLibrary.simpleMessage("Álbum atualizado"), - "albums": MessageLookupByLibrary.simpleMessage("Álbuns"), - "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Selecione os álbuns que deseje vê-los na sua tela inicial.", - ), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Tudo limpo"), - "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( - "Todas as memórias preservadas", - ), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "Todos os agrupamentos dessa pessoa serão redefinidos, e você perderá todas as sugestões feitas por essa pessoa.", - ), - "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": - MessageLookupByLibrary.simpleMessage( - "Todos os grupos sem nome serão mesclados numa pessoa selecionada. Isso ainda pode ser desfeito no histórico de sugestões da pessoa.", - ), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "Este é o primeiro do grupo. As outras fotos selecionadas serão automaticamente alteradas para esta nova data", - ), - "allow": MessageLookupByLibrary.simpleMessage("Permitir"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Permitir que as pessoas com link também adicionem fotos ao álbum compartilhado.", - ), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( - "Permitir adicionar fotos", - ), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "Permitir aplicativo abrir links de álbum compartilhado", - ), - "allowDownloads": MessageLookupByLibrary.simpleMessage( - "Permitir downloads", - ), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Permitir que pessoas adicionem fotos", - ), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Permita o acesso a suas fotos nas Opções para que Ente exiba e salva em segurança sua fototeca.", - ), - "allowPermTitle": MessageLookupByLibrary.simpleMessage( - "Permita acesso às Fotos", - ), - "androidBiometricHint": MessageLookupByLibrary.simpleMessage( - "Verificar identidade", - ), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "Não reconhecido. Tente novamente.", - ), - "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( - "Biométrica necessária", - ), - "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("Sucesso"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Cancelar"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage("Credenciais necessários"), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage("Credenciais necessários"), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "A autenticação biométrica não está definida no dispositivo. Vá em \'Opções > Segurança\' para adicionar a autenticação biométrica.", - ), - "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( - "Android, iOS, Web, Computador", - ), - "androidSignInTitle": MessageLookupByLibrary.simpleMessage( - "Autenticação necessária", - ), - "appIcon": MessageLookupByLibrary.simpleMessage("Ícone do aplicativo"), - "appLock": MessageLookupByLibrary.simpleMessage("Bloqueio do aplicativo"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Escolha entre a tela de bloqueio padrão do seu dispositivo e uma tela de bloqueio personalizada com PIN ou senha.", - ), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("ID da Apple"), - "apply": MessageLookupByLibrary.simpleMessage("Aplicar"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Aplicar código"), - "appstoreSubscription": MessageLookupByLibrary.simpleMessage( - "Assinatura da AppStore", - ), - "archive": MessageLookupByLibrary.simpleMessage("Arquivo"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("Arquivar álbum"), - "archiving": MessageLookupByLibrary.simpleMessage("Arquivando..."), - "areThey": MessageLookupByLibrary.simpleMessage("Eles são "), - "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( - "Deseja mesmo remover o rosto desta pessoa?", - ), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Você tem certeza que queira sair do plano familiar?", - ), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "Deseja cancelar?", - ), - "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( - "Deseja trocar de plano?", - ), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "Tem certeza de que queira sair?", - ), - "areYouSureYouWantToIgnoreThesePersons": - MessageLookupByLibrary.simpleMessage( - "Você deseja mesmo ignorar estas pessoas?", - ), - "areYouSureYouWantToIgnoreThisPerson": MessageLookupByLibrary.simpleMessage( - "Você deseja mesmo ignorar esta pessoa?", - ), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Você tem certeza que quer encerrar sessão?", - ), - "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( - "Você desejar mesmo mesclá-los?", - ), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "Deseja renovar?", - ), - "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( - "Deseja redefinir esta pessoa?", - ), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "Sua assinatura foi cancelada. Deseja compartilhar o motivo?", - ), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Por que você quer excluir sua conta?", - ), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Peça que seus entes queridos compartilhem", - ), - "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( - "em um abrigo avançado", - ), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Autentique-se para alterar o e-mail de verificação", - ), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Autentique para alterar a configuração da tela de bloqueio", - ), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Por favor, autentique-se para alterar o seu e-mail", - ), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Autentique para alterar sua senha", - ), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Autentique para configurar a autenticação de dois fatores", - ), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Autentique para iniciar a exclusão de conta", - ), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Autentique-se para gerenciar seus contatos confiáveis", - ), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Autentique-se para ver sua chave de acesso", - ), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Autentique-se para ver seus arquivos excluídos", - ), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Autentique para ver as sessões ativas", - ), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Autentique-se para visualizar seus arquivos ocultos", - ), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Autentique-se para ver suas memórias", - ), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Autentique para ver sua chave de recuperação", - ), - "authenticating": MessageLookupByLibrary.simpleMessage("Autenticando..."), - "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Falha na autenticação. Tente novamente", - ), - "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( - "Autenticado com sucesso!", - ), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Você verá dispositivos de transmissão disponível aqui.", - ), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Certifique-se que as permissões da internet local estejam ligadas para o Ente Photos App, em opções.", - ), - "autoLock": MessageLookupByLibrary.simpleMessage("Bloqueio automático"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Tempo após o qual o aplicativo bloqueia após ser colocado em segundo plano", - ), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "Devido ao ocorrido de erros técnicos, você foi desconectado. Pedimos desculpas pela inconveniência.", - ), - "autoPair": MessageLookupByLibrary.simpleMessage("Pareamento automático"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "O pareamento automático só funciona com dispositivos que suportam o Chromecast.", - ), - "available": MessageLookupByLibrary.simpleMessage("Disponível"), - "availableStorageSpace": m10, - "backedUpFolders": MessageLookupByLibrary.simpleMessage( - "Pastas salvas em segurança", - ), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("Salvar em segurança"), - "backupFailed": MessageLookupByLibrary.simpleMessage( - "Falhou ao salvar em segurança", - ), - "backupFile": MessageLookupByLibrary.simpleMessage( - "Salvar arquivo em segurança", - ), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Salvar fotos com dados móveis", - ), - "backupSettings": MessageLookupByLibrary.simpleMessage( - "Ajustes de salvar em segurança", - ), - "backupStatus": MessageLookupByLibrary.simpleMessage( - "Estado das mídias salvas", - ), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Os itens salvos em segurança aparecerão aqui", - ), - "backupVideos": MessageLookupByLibrary.simpleMessage( - "Salvar vídeos em segurança", - ), - "beach": MessageLookupByLibrary.simpleMessage("Areia e o mar"), - "birthday": MessageLookupByLibrary.simpleMessage("Aniversário"), - "birthdayNotifications": MessageLookupByLibrary.simpleMessage( - "Notificações de aniversário", - ), - "birthdays": MessageLookupByLibrary.simpleMessage("Aniversários"), - "blackFridaySale": MessageLookupByLibrary.simpleMessage( - "Promoção Black Friday", - ), - "blog": MessageLookupByLibrary.simpleMessage("Blog"), - "cLDesc1": MessageLookupByLibrary.simpleMessage( - "De volta na transmissão de vídeo beta, e trabalhando em envios e downloads retomáveis, nós aumentamos o limite de envio de arquivos para 10 GB. Isso está disponível em ambos a versão móvel e a versão para desktop.", - ), - "cLDesc2": MessageLookupByLibrary.simpleMessage( - "Envios de fundo agora são suportados no iOS também, para assemelhar-se aos dispositivos Android. Não precisa abrir o aplicativo para salvar em segurança as fotos e vídeos mais recentes.", - ), - "cLDesc3": MessageLookupByLibrary.simpleMessage( - "Fizemos melhorias significantes para a experiência de memórias, incluindo reprodução automática, deslizar para a próxima memória e mais.", - ), - "cLDesc4": MessageLookupByLibrary.simpleMessage( - "Ao lado de outras melhorias, agora ficou mais fácil para detectar rostos, fornecer comentários em rostos similares, e adicionar/remover rostos de uma foto.", - ), - "cLDesc5": MessageLookupByLibrary.simpleMessage( - "Você receberá uma notificação opcional para todos os aniversários salvos no Ente, além de uma coleção de melhores fotos.", - ), - "cLDesc6": MessageLookupByLibrary.simpleMessage( - "Nada de esperar os envios/downloads terminarem para fechar o aplicativo. Todos os envios e downloads agora possuem a habilidade de ser pausado na metade do processo, e retomar de onde você parou.", - ), - "cLTitle1": MessageLookupByLibrary.simpleMessage( - "Enviando arquivos de vídeo grandes", - ), - "cLTitle2": MessageLookupByLibrary.simpleMessage("Envio de fundo"), - "cLTitle3": MessageLookupByLibrary.simpleMessage( - "Reproduzir memórias auto.", - ), - "cLTitle4": MessageLookupByLibrary.simpleMessage( - "Reconhecimento Facial Melhorado", - ), - "cLTitle5": MessageLookupByLibrary.simpleMessage( - "Notificações de aniversário", - ), - "cLTitle6": MessageLookupByLibrary.simpleMessage( - "Envios e downloads retomáveis", - ), - "cachedData": MessageLookupByLibrary.simpleMessage( - "Dados armazenados em cache", - ), - "calculating": MessageLookupByLibrary.simpleMessage("Calculando..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Desculpe, este álbum não pode ser aberto no aplicativo.", - ), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( - "Não pôde abrir este álbum", - ), - "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( - "Não é possível enviar para álbuns pertencentes a outros", - ), - "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Só é possível criar um link para arquivos pertencentes a você", - ), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Só pode remover arquivos de sua propriedade", - ), - "cancel": MessageLookupByLibrary.simpleMessage("Cancelar"), - "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( - "Cancelar recuperação", - ), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "Deseja mesmo cancelar a recuperação de conta?", - ), - "cancelOtherSubscription": m12, - "cancelSubscription": MessageLookupByLibrary.simpleMessage( - "Cancelar assinatura", - ), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Não é possível excluir arquivos compartilhados", - ), - "castAlbum": MessageLookupByLibrary.simpleMessage("Transferir álbum"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Certifique-se de estar na mesma internet que a TV.", - ), - "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( - "Falhou ao transmitir álbum", - ), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Acesse cast.ente.io no dispositivo desejado para parear.\n\nInsira o código abaixo para reproduzir o álbum na sua TV.", - ), - "centerPoint": MessageLookupByLibrary.simpleMessage("Ponto central"), - "change": MessageLookupByLibrary.simpleMessage("Alterar"), - "changeEmail": MessageLookupByLibrary.simpleMessage("Alterar e-mail"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Alterar a localização dos itens selecionados?", - ), - "changePassword": MessageLookupByLibrary.simpleMessage("Alterar senha"), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Alterar senha", - ), - "changePermissions": MessageLookupByLibrary.simpleMessage( - "Alterar permissões?", - ), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Alterar código de referência", - ), - "checkForUpdates": MessageLookupByLibrary.simpleMessage( - "Buscar atualizações", - ), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Verifique sua caixa de entrada (e spam) para concluir a verificação", - ), - "checkStatus": MessageLookupByLibrary.simpleMessage("Verificar estado"), - "checking": MessageLookupByLibrary.simpleMessage("Verificando..."), - "checkingModels": MessageLookupByLibrary.simpleMessage( - "Verificando modelos...", - ), - "city": MessageLookupByLibrary.simpleMessage("Na cidade"), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage( - "Reivindique armaz. grátis", - ), - "claimMore": MessageLookupByLibrary.simpleMessage("Reivindique mais!"), - "claimed": MessageLookupByLibrary.simpleMessage("Reivindicado"), - "claimedStorageSoFar": m14, - "cleanUncategorized": MessageLookupByLibrary.simpleMessage( - "Limpar não categorizado", - ), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Remover todos os arquivos não categorizados que estão presentes em outros álbuns", - ), - "clearCaches": MessageLookupByLibrary.simpleMessage("Limpar cache"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Limpar índices"), - "click": MessageLookupByLibrary.simpleMessage("• Clique"), - "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( - "• Clique no menu adicional", - ), - "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( - "Clique para instalar a nossa melhor versão até então", - ), - "close": MessageLookupByLibrary.simpleMessage("Fechar"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( - "Agrupar por tempo de captura", - ), - "clubByFileName": MessageLookupByLibrary.simpleMessage( - "Agrupar por nome do arquivo", - ), - "clusteringProgress": MessageLookupByLibrary.simpleMessage( - "Progresso de agrupamento", - ), - "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( - "Código aplicado", - ), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Desculpe, você atingiu o limite de mudanças de código.", - ), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Código copiado para a área de transferência", - ), - "codeUsedByYou": MessageLookupByLibrary.simpleMessage( - "Código usado por você", - ), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Crie um link para permitir que as pessoas adicionem e vejam fotos no seu álbum compartilhado sem a necessidade do aplicativo ou uma conta Ente. Ótimo para colecionar fotos de eventos.", - ), - "collaborativeLink": MessageLookupByLibrary.simpleMessage( - "Link colaborativo", - ), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Colaborador"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Colaboradores podem adicionar fotos e vídeos ao álbum compartilhado.", - ), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("Layout"), - "collageSaved": MessageLookupByLibrary.simpleMessage( - "Colagem salva na galeria", - ), - "collect": MessageLookupByLibrary.simpleMessage("Coletar"), - "collectEventPhotos": MessageLookupByLibrary.simpleMessage( - "Coletar fotos de evento", - ), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Coletar fotos"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Crie um link onde seus amigos podem enviar fotos na qualidade original.", - ), - "color": MessageLookupByLibrary.simpleMessage("Cor"), - "configuration": MessageLookupByLibrary.simpleMessage("Configuração"), - "confirm": MessageLookupByLibrary.simpleMessage("Confirmar"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Você tem certeza que queira desativar a autenticação de dois fatores?", - ), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Confirmar exclusão da conta", - ), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Sim, eu quero permanentemente excluir esta conta e os dados em todos os aplicativos.", - ), - "confirmPassword": MessageLookupByLibrary.simpleMessage("Confirmar senha"), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage( - "Confirmar mudança de plano", - ), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Confirmar chave de recuperação", - ), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Confirme sua chave de recuperação", - ), - "connectToDevice": MessageLookupByLibrary.simpleMessage( - "Conectar ao dispositivo", - ), - "contactFamilyAdmin": m18, - "contactSupport": MessageLookupByLibrary.simpleMessage("Contatar suporte"), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Contatos"), - "contents": MessageLookupByLibrary.simpleMessage("Conteúdos"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Continuar"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "Continuar com a avaliação grátis", - ), - "convertToAlbum": MessageLookupByLibrary.simpleMessage( - "Converter para álbum", - ), - "copyEmailAddress": MessageLookupByLibrary.simpleMessage("Copiar e-mail"), - "copyLink": MessageLookupByLibrary.simpleMessage("Copiar link"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Copie e cole o código no aplicativo autenticador", - ), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "Nós não podemos salvar seus dados.\nNós tentaremos novamente mais tarde.", - ), - "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( - "Não foi possível liberar espaço", - ), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Não foi possível atualizar a assinatura", - ), - "count": MessageLookupByLibrary.simpleMessage("Contagem"), - "crashReporting": MessageLookupByLibrary.simpleMessage( - "Relatório de erros", - ), - "create": MessageLookupByLibrary.simpleMessage("Criar"), - "createAccount": MessageLookupByLibrary.simpleMessage("Criar conta"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Pressione para selecionar fotos e clique em + para criar um álbum", - ), - "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( - "Criar link colaborativo", - ), - "createCollage": MessageLookupByLibrary.simpleMessage("Criar colagem"), - "createNewAccount": MessageLookupByLibrary.simpleMessage( - "Criar nova conta", - ), - "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( - "Criar ou selecionar álbum", - ), - "createPublicLink": MessageLookupByLibrary.simpleMessage( - "Criar link público", - ), - "creatingLink": MessageLookupByLibrary.simpleMessage("Criando link..."), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "Atualização crítica disponível", - ), - "crop": MessageLookupByLibrary.simpleMessage("Cortar"), - "curatedMemories": MessageLookupByLibrary.simpleMessage( - "Memórias restauradas", - ), - "currentUsageIs": MessageLookupByLibrary.simpleMessage("O uso atual é "), - "currentlyRunning": MessageLookupByLibrary.simpleMessage( - "Atualmente executando", - ), - "custom": MessageLookupByLibrary.simpleMessage("Personalizado"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Escuro"), - "dayToday": MessageLookupByLibrary.simpleMessage("Hoje"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Ontem"), - "declineTrustInvite": MessageLookupByLibrary.simpleMessage( - "Recusar convite", - ), - "decrypting": MessageLookupByLibrary.simpleMessage("Descriptografando..."), - "decryptingVideo": MessageLookupByLibrary.simpleMessage( - "Descriptografando vídeo...", - ), - "deduplicateFiles": MessageLookupByLibrary.simpleMessage( - "Arquivos duplicados", - ), - "delete": MessageLookupByLibrary.simpleMessage("Excluir"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Excluir conta"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Lamentamos você ir. Compartilhe seu feedback para ajudar-nos a melhorar.", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Excluir conta permanentemente", - ), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Excluir álbum"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Também excluir as fotos (e vídeos) presentes neste álbum de todos os outros álbuns que eles fazem parte?", - ), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "Isso excluirá todos os álbuns vazios. Isso é útil quando você quiser reduzir a desordem no seu álbum.", - ), - "deleteAll": MessageLookupByLibrary.simpleMessage("Excluir tudo"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "Esta conta está vinculada aos outros aplicativos do Ente, se você usar algum. Seus dados baixados, entre todos os aplicativos do Ente, serão programados para exclusão, e sua conta será permanentemente excluída.", - ), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Por favor, envie um e-mail a account-deletion@ente.io do seu e-mail registrado.", - ), - "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( - "Excluir álbuns vazios", - ), - "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( - "Excluir álbuns vazios?", - ), - "deleteFromBoth": MessageLookupByLibrary.simpleMessage("Excluir de ambos"), - "deleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Excluir do dispositivo", - ), - "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Excluir do Ente"), - "deleteItemCount": m21, - "deleteLocation": MessageLookupByLibrary.simpleMessage( - "Excluir localização", - ), - "deleteMultipleAlbumDialog": m22, - "deletePhotos": MessageLookupByLibrary.simpleMessage("Excluir fotos"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Está faltando um recurso-chave que eu preciso", - ), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "O aplicativo ou um certo recurso não funciona da maneira que eu acredito que deveria funcionar", - ), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Encontrei outro serviço que considero melhor", - ), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "Meu motivo não está listado", - ), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Sua solicitação será revisada em até 72 horas.", - ), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Excluir álbum compartilhado?", - ), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "O álbum será apagado para todos\n\nVocê perderá o acesso a fotos compartilhadas neste álbum que pertencem aos outros", - ), - "deselectAll": MessageLookupByLibrary.simpleMessage("Deselecionar tudo"), - "designedToOutlive": MessageLookupByLibrary.simpleMessage( - "Feito para reviver memórias", - ), - "details": MessageLookupByLibrary.simpleMessage("Detalhes"), - "developerSettings": MessageLookupByLibrary.simpleMessage( - "Opções de desenvolvedor", - ), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Deseja modificar as Opções de Desenvolvedor?", - ), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Insira o código"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "Arquivos adicionados ao álbum do dispositivo serão automaticamente enviados para o Ente.", - ), - "deviceLock": MessageLookupByLibrary.simpleMessage( - "Bloqueio do dispositivo", - ), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Desativa o bloqueio de tela se o Ente estiver de fundo e uma cópia de segurança ainda estiver em andamento. Às vezes, isso não é necessário, mas ajuda a agilizar envios grandes e importações iniciais de bibliotecas maiores.", - ), - "deviceNotFound": MessageLookupByLibrary.simpleMessage( - "Dispositivo não encontrado", - ), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Você sabia?"), - "different": MessageLookupByLibrary.simpleMessage("Diferente"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage( - "Desativar bloqueio automático", - ), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Os visualizadores podem fazer capturas de tela ou salvar uma cópia de suas fotos usando ferramentas externas", - ), - "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( - "Por favor, saiba que", - ), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "Desativar autenticação de dois fatores", - ), - "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( - "Desativando a autenticação de dois fatores...", - ), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Explorar"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Bebês"), - "discover_celebrations": MessageLookupByLibrary.simpleMessage( - "Comemorações", - ), - "discover_food": MessageLookupByLibrary.simpleMessage("Comida"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Vegetação"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Colinas"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Identidade"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Notas"), - "discover_pets": MessageLookupByLibrary.simpleMessage( - "Animais de estimação", - ), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Recibos"), - "discover_screenshots": MessageLookupByLibrary.simpleMessage( - "Capturas de tela", - ), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfies"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Pôr do sol"), - "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( - "Cartões de visita", - ), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage( - "Papéis de parede", - ), - "dismiss": MessageLookupByLibrary.simpleMessage("Descartar"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage("Não sair"), - "doThisLater": MessageLookupByLibrary.simpleMessage("Fazer isso depois"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Você quer descartar as edições que você fez?", - ), - "done": MessageLookupByLibrary.simpleMessage("Concluído"), - "dontSave": MessageLookupByLibrary.simpleMessage("Não salvar"), - "doubleYourStorage": MessageLookupByLibrary.simpleMessage( - "Duplique seu armazenamento", - ), - "download": MessageLookupByLibrary.simpleMessage("Baixar"), - "downloadFailed": MessageLookupByLibrary.simpleMessage("Falhou ao baixar"), - "downloading": MessageLookupByLibrary.simpleMessage("Baixando..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Editar"), - "editEmailAlreadyLinked": m28, - "editLocation": MessageLookupByLibrary.simpleMessage("Editar localização"), - "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( - "Editar localização", - ), - "editPerson": MessageLookupByLibrary.simpleMessage("Editar pessoa"), - "editTime": MessageLookupByLibrary.simpleMessage("Editar tempo"), - "editsSaved": MessageLookupByLibrary.simpleMessage("Edições salvas"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Edições à localização serão apenas vistos no Ente", - ), - "eligible": MessageLookupByLibrary.simpleMessage("elegível"), - "email": MessageLookupByLibrary.simpleMessage("E-mail"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "E-mail já registrado.", - ), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "E-mail não registrado.", - ), - "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( - "Verificação por e-mail", - ), - "emailYourLogs": MessageLookupByLibrary.simpleMessage( - "Enviar registros por e-mail", - ), - "embracingThem": m32, - "emergencyContacts": MessageLookupByLibrary.simpleMessage( - "Contatos de emergência", - ), - "empty": MessageLookupByLibrary.simpleMessage("Esvaziar"), - "emptyTrash": MessageLookupByLibrary.simpleMessage("Esvaziar a lixeira?"), - "enable": MessageLookupByLibrary.simpleMessage("Ativar"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "Ente fornece aprendizado automático no dispositivo para reconhecimento facial, busca mágica e outros recursos de busca avançados.", - ), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Ativar o aprendizado automático para busca mágica e reconhecimento facial", - ), - "enableMaps": MessageLookupByLibrary.simpleMessage("Ativar mapas"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "Isso exibirá suas fotos em um mapa mundial.\n\nEste mapa é hospedado por Open Street Map, e as exatas localizações das fotos nunca serão compartilhadas.\n\nVocê pode desativar esta função a qualquer momento em Opções.", - ), - "enabled": MessageLookupByLibrary.simpleMessage("Ativado"), - "encryptingBackup": MessageLookupByLibrary.simpleMessage( - "Criptografando salvar em segurança...", - ), - "encryption": MessageLookupByLibrary.simpleMessage("Criptografia"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage( - "Chaves de criptografia", - ), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Ponto final atualizado com sucesso", - ), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Criptografado de ponta a ponta por padrão", - ), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente pode criptografar e preservar arquivos apenas se você conceder acesso a eles", - ), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente precisa de permissão para preservar suas fotos", - ), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "O Ente preserva suas memórias, então eles sempre estão disponíveis para você, mesmo se você perder o dispositivo.", - ), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Sua família também poderá ser adicionada ao seu plano.", - ), - "enterAlbumName": MessageLookupByLibrary.simpleMessage( - "Inserir nome do álbum", - ), - "enterCode": MessageLookupByLibrary.simpleMessage("Inserir código"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Insira o código fornecido por um amigo para reivindicar armazenamento grátis para ambos", - ), - "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( - "Aniversário (opcional)", - ), - "enterEmail": MessageLookupByLibrary.simpleMessage("Inserir e-mail"), - "enterFileName": MessageLookupByLibrary.simpleMessage( - "Inserir nome do arquivo", - ), - "enterName": MessageLookupByLibrary.simpleMessage("Inserir nome"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Insira uma senha nova para criptografar seus dados", - ), - "enterPassword": MessageLookupByLibrary.simpleMessage("Inserir senha"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Insira uma senha que podemos usar para criptografar seus dados", - ), - "enterPersonName": MessageLookupByLibrary.simpleMessage( - "Inserir nome da pessoa", - ), - "enterPin": MessageLookupByLibrary.simpleMessage("Inserir PIN"), - "enterReferralCode": MessageLookupByLibrary.simpleMessage( - "Inserir código de referência", - ), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Digite o código de 6 dígitos do\naplicativo autenticador", - ), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Insira um e-mail válido.", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Insira seu e-mail", - ), - "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( - "Insira seu novo e-mail", - ), - "enterYourPassword": MessageLookupByLibrary.simpleMessage( - "Insira sua senha", - ), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Insira sua chave de recuperação", - ), - "error": MessageLookupByLibrary.simpleMessage("Erro"), - "everywhere": MessageLookupByLibrary.simpleMessage("em todas as partes"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": MessageLookupByLibrary.simpleMessage("Usuário existente"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "O link expirou. Selecione um novo tempo de expiração ou desative a expiração do link.", - ), - "exportLogs": MessageLookupByLibrary.simpleMessage("Exportar registros"), - "exportYourData": MessageLookupByLibrary.simpleMessage("Exportar dados"), - "extraPhotosFound": MessageLookupByLibrary.simpleMessage( - "Fotos adicionais encontradas", - ), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Rosto não agrupado ainda, volte aqui mais tarde", - ), - "faceRecognition": MessageLookupByLibrary.simpleMessage( - "Reconhecimento facial", - ), - "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( - "Incapaz de gerar miniaturas de rosto", - ), - "faces": MessageLookupByLibrary.simpleMessage("Rostos"), - "failed": MessageLookupByLibrary.simpleMessage("Falhou"), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage( - "Falhou ao aplicar código", - ), - "failedToCancel": MessageLookupByLibrary.simpleMessage( - "Falhou ao cancelar", - ), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( - "Falhou ao baixar vídeo", - ), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Falhou ao obter sessões ativas", - ), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Falhou ao obter original para edição", - ), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Não foi possível buscar os detalhes de referência. Tente novamente mais tarde.", - ), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "Falhou ao carregar álbuns", - ), - "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Falhou ao reproduzir vídeo", - ), - "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( - "Falhou ao atualizar assinatura", - ), - "failedToRenew": MessageLookupByLibrary.simpleMessage("Falhou ao renovar"), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Falhou ao verificar estado do pagamento", - ), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Adicione 5 familiares para seu plano existente sem pagar nenhum custo adicional.\n\nCada membro ganha seu espaço privado, significando que eles não podem ver os arquivos dos outros a menos que eles sejam compartilhados.\n\nOs planos familiares estão disponíveis para clientes que já tem uma assinatura paga do Ente.\n\nAssine agora para iniciar!", - ), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Família"), - "familyPlans": MessageLookupByLibrary.simpleMessage("Planos familiares"), - "faq": MessageLookupByLibrary.simpleMessage("Perguntas frequentes"), - "faqs": MessageLookupByLibrary.simpleMessage("Perguntas frequentes"), - "favorite": MessageLookupByLibrary.simpleMessage("Favorito"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("Feedback"), - "file": MessageLookupByLibrary.simpleMessage("Arquivo"), - "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage( - "Incapaz de analisar rosto", - ), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Falhou ao salvar arquivo na galeria", - ), - "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( - "Adicionar descrição...", - ), - "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( - "Arquivo ainda não enviado", - ), - "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Arquivo salvo na galeria", - ), - "fileTypes": MessageLookupByLibrary.simpleMessage("Tipos de arquivo"), - "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( - "Tipos de arquivo e nomes", - ), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage("Arquivos excluídos"), - "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Arquivos salvos na galeria", - ), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Busque pessoas facilmente pelo nome", - ), - "findThemQuickly": MessageLookupByLibrary.simpleMessage( - "Busque-os rapidamente", - ), - "flip": MessageLookupByLibrary.simpleMessage("Inverter"), - "food": MessageLookupByLibrary.simpleMessage("Delícias de cozinha"), - "forYourMemories": MessageLookupByLibrary.simpleMessage( - "para suas memórias", - ), - "forgotPassword": MessageLookupByLibrary.simpleMessage("Esqueci a senha"), - "foundFaces": MessageLookupByLibrary.simpleMessage("Rostos encontrados"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( - "Armaz. grátis reivindicado", - ), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Armazenamento disponível", - ), - "freeTrial": MessageLookupByLibrary.simpleMessage("Avaliação grátis"), - "freeTrialValidTill": m38, - "freeUpAccessPostDelete": m39, - "freeUpAmount": m40, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( - "Liberar espaço no dispositivo", - ), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Economize espaço em seu dispositivo por limpar arquivos já salvos com segurança.", - ), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("Liberar espaço"), - "freeUpSpaceSaving": m41, - "gallery": MessageLookupByLibrary.simpleMessage("Galeria"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "Até 1.000 memórias exibidas na galeria", - ), - "general": MessageLookupByLibrary.simpleMessage("Geral"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Gerando chaves de criptografia...", - ), - "genericProgress": m42, - "goToSettings": MessageLookupByLibrary.simpleMessage("Ir às opções"), - "googlePlayId": MessageLookupByLibrary.simpleMessage("ID do Google Play"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Permita o acesso a todas as fotos nas opções do aplicativo", - ), - "grantPermission": MessageLookupByLibrary.simpleMessage( - "Conceder permissões", - ), - "greenery": MessageLookupByLibrary.simpleMessage("A vegetação verde"), - "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( - "Agrupar fotos próximas", - ), - "guestView": MessageLookupByLibrary.simpleMessage("Vista do convidado"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "Para ativar a vista do convidado, defina uma senha de acesso no dispositivo ou bloqueie sua tela nas opções do sistema.", - ), - "happyBirthday": MessageLookupByLibrary.simpleMessage( - "Feliz aniversário! 🥳", - ), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "Não rastreamos instalações de aplicativo. Seria útil se você contasse onde nos encontrou!", - ), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Como você soube do Ente? (opcional)", - ), - "help": MessageLookupByLibrary.simpleMessage("Ajuda"), - "hidden": MessageLookupByLibrary.simpleMessage("Oculto"), - "hide": MessageLookupByLibrary.simpleMessage("Ocultar"), - "hideContent": MessageLookupByLibrary.simpleMessage("Ocultar conteúdo"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Oculta os conteúdos do aplicativo no seletor de aplicativos e desativa capturas de tela", - ), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Oculta o conteúdo no seletor de aplicativos", - ), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "Ocultar itens compartilhados da galeria inicial", - ), - "hiding": MessageLookupByLibrary.simpleMessage("Ocultando..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( - "Hospedado em OSM France", - ), - "howItWorks": MessageLookupByLibrary.simpleMessage("Como funciona"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Peça-os para pressionarem no e-mail a partir das Opções, e verifique-se os IDs de ambos os dispositivos correspondem.", - ), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "A autenticação biométrica não está definida no dispositivo. Ative o Touch ID ou Face ID no dispositivo.", - ), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "A autenticação biométrica está desativada. Bloqueie e desbloqueie sua tela para ativá-la.", - ), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), - "ignore": MessageLookupByLibrary.simpleMessage("Ignorar"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorar"), - "ignored": MessageLookupByLibrary.simpleMessage("ignorado"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Alguns arquivos neste álbum são ignorados do envio porque eles foram anteriormente excluídos do Ente.", - ), - "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( - "Imagem não analisada", - ), - "immediately": MessageLookupByLibrary.simpleMessage("Imediatamente"), - "importing": MessageLookupByLibrary.simpleMessage("Importando...."), - "incorrectCode": MessageLookupByLibrary.simpleMessage("Código incorreto"), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Senha incorreta", - ), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Chave de recuperação incorreta", - ), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "A chave de recuperação inserida está incorreta", - ), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Chave de recuperação incorreta", - ), - "indexedItems": MessageLookupByLibrary.simpleMessage("Itens indexados"), - "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( - "A indexação foi pausada. Ela retomará automaticamente quando o dispositivo estiver pronto. O dispositivo é considerado pronto quando o nível de bateria, saúde da bateria, e estado térmico estejam num alcance saudável.", - ), - "ineligible": MessageLookupByLibrary.simpleMessage("Inelegível"), - "info": MessageLookupByLibrary.simpleMessage("Info"), - "insecureDevice": MessageLookupByLibrary.simpleMessage( - "Dispositivo inseguro", - ), - "installManually": MessageLookupByLibrary.simpleMessage( - "Instalar manualmente", - ), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "E-mail inválido", - ), - "invalidEndpoint": MessageLookupByLibrary.simpleMessage( - "Ponto final inválido", - ), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Desculpe, o ponto final inserido é inválido. Insira um ponto final válido e tente novamente.", - ), - "invalidKey": MessageLookupByLibrary.simpleMessage("Chave inválida"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "A chave de recuperação que você inseriu não é válida. Certifique-se de conter 24 caracteres, e verifique a ortografia de cada um deles.\n\nSe você inseriu um código de recuperação mais antigo, verifique se ele tem 64 caracteres e verifique cada um deles.", - ), - "invite": MessageLookupByLibrary.simpleMessage("Convidar"), - "inviteToEnte": MessageLookupByLibrary.simpleMessage("Convidar ao Ente"), - "inviteYourFriends": MessageLookupByLibrary.simpleMessage( - "Convide seus amigos", - ), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "Convide seus amigos ao Ente", - ), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Parece que algo deu errado. Tente novamente mais tarde. Caso o erro persistir, por favor, entre em contato com nossa equipe.", - ), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "Os itens exibem o número de dias restantes antes da exclusão permanente", - ), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Os itens selecionados serão removidos deste álbum", - ), - "join": MessageLookupByLibrary.simpleMessage("Unir-se"), - "joinAlbum": MessageLookupByLibrary.simpleMessage("Unir-se ao álbum"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "Unir-se ao álbum fará que seu e-mail seja visível a todos do álbum.", - ), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( - "para visualizar e adicionar suas fotos", - ), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "para adicionar isso aos álbuns compartilhados", - ), - "joinDiscord": MessageLookupByLibrary.simpleMessage("Junte-se ao Discord"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Manter fotos"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Ajude-nos com esta informação", - ), - "language": MessageLookupByLibrary.simpleMessage("Idioma"), - "lastTimeWithThem": m45, - "lastUpdated": MessageLookupByLibrary.simpleMessage("Última atualização"), - "lastYearsTrip": MessageLookupByLibrary.simpleMessage( - "Viajem do ano passado", - ), - "leave": MessageLookupByLibrary.simpleMessage("Sair"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Sair do álbum"), - "leaveFamily": MessageLookupByLibrary.simpleMessage( - "Sair do plano familiar", - ), - "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Sair do álbum compartilhado?", - ), - "left": MessageLookupByLibrary.simpleMessage("Esquerda"), - "legacy": MessageLookupByLibrary.simpleMessage("Legado"), - "legacyAccounts": MessageLookupByLibrary.simpleMessage("Contas legadas"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "O legado permite que contatos confiáveis acessem sua conta em sua ausência.", - ), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "Contatos confiáveis podem iniciar recuperação de conta. Se não cancelado dentro de 30 dias, redefina sua senha e acesse sua conta.", - ), - "light": MessageLookupByLibrary.simpleMessage("Brilho"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Claro"), - "link": MessageLookupByLibrary.simpleMessage("Vincular"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Link copiado para a área de transferência", - ), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage( - "Limite do dispositivo", - ), - "linkEmail": MessageLookupByLibrary.simpleMessage("Vincular e-mail"), - "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( - "para compartilhar rápido", - ), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Ativado"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Expirado"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Expiração do link"), - "linkHasExpired": MessageLookupByLibrary.simpleMessage("O link expirou"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Nunca"), - "linkPerson": MessageLookupByLibrary.simpleMessage("Vincular pessoa"), - "linkPersonCaption": MessageLookupByLibrary.simpleMessage( - "para melhorar o compartilhamento", - ), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("Fotos animadas"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "Você pode compartilhar sua assinatura com seus familiares", - ), - "loadMessage2": MessageLookupByLibrary.simpleMessage( - "Preservamos mais de 200 milhões de memórias até então", - ), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "Mantemos 3 cópias dos seus dados, uma em um abrigo subterrâneo", - ), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "Todos os nossos aplicativos são de código aberto", - ), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Nosso código-fonte e criptografia foram auditadas externamente", - ), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "Você pode compartilhar links para seus álbuns com seus entes queridos", - ), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Nossos aplicativos móveis são executados em segundo plano para criptografar e salvar em segurança quaisquer fotos novas que você acessar", - ), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io tem um enviador mais rápido", - ), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Nós usamos Xchacha20Poly1305 para criptografar seus dados com segurança", - ), - "loadingExifData": MessageLookupByLibrary.simpleMessage( - "Carregando dados EXIF...", - ), - "loadingGallery": MessageLookupByLibrary.simpleMessage( - "Carregando galeria...", - ), - "loadingMessage": MessageLookupByLibrary.simpleMessage( - "Carregando suas fotos...", - ), - "loadingModel": MessageLookupByLibrary.simpleMessage("Baixando modelos..."), - "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( - "Carregando suas fotos...", - ), - "localGallery": MessageLookupByLibrary.simpleMessage("Galeria local"), - "localIndexing": MessageLookupByLibrary.simpleMessage("Indexação local"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Ocorreu um erro devido à sincronização de localização das fotos estar levando mais tempo que o esperado. Entre em contato conosco.", - ), - "location": MessageLookupByLibrary.simpleMessage("Localização"), - "locationName": MessageLookupByLibrary.simpleMessage("Nome da localização"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Uma etiqueta de localização agrupa todas as fotos fotografadas em algum raio de uma foto", - ), - "locations": MessageLookupByLibrary.simpleMessage("Localizações"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Bloquear"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Tela de bloqueio"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Entrar"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Desconectando..."), - "loginSessionExpired": MessageLookupByLibrary.simpleMessage( - "Sessão expirada", - ), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "Sua sessão expirou. Registre-se novamente.", - ), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Ao clicar em entrar, eu concordo com os termos de serviço e a política de privacidade", - ), - "loginWithTOTP": MessageLookupByLibrary.simpleMessage("Registrar com TOTP"), - "logout": MessageLookupByLibrary.simpleMessage("Encerrar sessão"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Isso enviará através dos registros para ajudar-nos a resolver seu problema. Saiba que, nome de arquivos serão incluídos para ajudar a buscar problemas com arquivos específicos.", - ), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Pressione um e-mail para verificar a criptografia ponta a ponta.", - ), - "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( - "Mantenha pressionado em um item para visualizá-lo em tela cheia", - ), - "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( - "Revise suas memórias 🌄", - ), - "loopVideoOff": MessageLookupByLibrary.simpleMessage( - "Repetir vídeo desativado", - ), - "loopVideoOn": MessageLookupByLibrary.simpleMessage( - "Repetir vídeo ativado", - ), - "lostDevice": MessageLookupByLibrary.simpleMessage("Perdeu o dispositivo?"), - "machineLearning": MessageLookupByLibrary.simpleMessage( - "Aprendizado automático", - ), - "magicSearch": MessageLookupByLibrary.simpleMessage("Busca mágica"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "A busca mágica permite buscar fotos pelo conteúdo, p. e.x. \'flor\', \'carro vermelho\', \'identidade\'", - ), - "manage": MessageLookupByLibrary.simpleMessage("Gerenciar"), - "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( - "Gerenciar cache do dispositivo", - ), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Reveja e limpe o armazenamento de cache local.", - ), - "manageFamily": MessageLookupByLibrary.simpleMessage("Gerenciar família"), - "manageLink": MessageLookupByLibrary.simpleMessage("Gerenciar link"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Gerenciar"), - "manageSubscription": MessageLookupByLibrary.simpleMessage( - "Gerenciar assinatura", - ), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "Parear com PIN funciona com qualquer tela que queira visualizar seu álbum.", - ), - "map": MessageLookupByLibrary.simpleMessage("Mapa"), - "maps": MessageLookupByLibrary.simpleMessage("Mapas"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("Eu"), - "memories": MessageLookupByLibrary.simpleMessage("Memórias"), - "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Selecione os tipos de memórias que deseje vê-las na sua tela inicial.", - ), - "memoryCount": m50, - "merchandise": MessageLookupByLibrary.simpleMessage("Produtos"), - "merge": MessageLookupByLibrary.simpleMessage("Mesclar"), - "mergeWithExisting": MessageLookupByLibrary.simpleMessage( - "Juntar com o existente", - ), - "mergedPhotos": MessageLookupByLibrary.simpleMessage("Fotos mescladas"), - "mlConsent": MessageLookupByLibrary.simpleMessage( - "Ativar o aprendizado automático", - ), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Concordo e desejo ativá-lo", - ), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Se ativar o aprendizado automático, Ente extrairá informações de geometria facial dos arquivos, incluindo aqueles compartilhados consigo.\n\nIsso acontecerá em seu dispositivo, e qualquer informação biométrica gerada será criptografada de ponta a ponta.", - ), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Clique aqui para mais detalhes sobre este recurso na política de privacidade", - ), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "Ativar aprendizado auto.?", - ), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Saiba que o aprendizado automático afetará a bateria do dispositivo negativamente até todos os itens serem indexados. Utilize a versão para computadores para melhor indexação, todos os resultados se auto-sincronizaram.", - ), - "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( - "Celular, Web, Computador", - ), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Moderado"), - "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( - "Altere o termo de busca ou tente consultar", - ), - "moments": MessageLookupByLibrary.simpleMessage("Momentos"), - "month": MessageLookupByLibrary.simpleMessage("mês"), - "monthly": MessageLookupByLibrary.simpleMessage("Mensal"), - "moon": MessageLookupByLibrary.simpleMessage("Na luz do luar"), - "moreDetails": MessageLookupByLibrary.simpleMessage("Mais detalhes"), - "mostRecent": MessageLookupByLibrary.simpleMessage("Mais recente"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("Mais relevante"), - "mountains": MessageLookupByLibrary.simpleMessage("Sob as montanhas"), - "moveItem": m51, - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "Mover fotos selecionadas para uma data", - ), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("Mover para o álbum"), - "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Mover ao álbum oculto", - ), - "movedSuccessfullyTo": m52, - "movedToTrash": MessageLookupByLibrary.simpleMessage( - "Movido para a lixeira", - ), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Movendo arquivos para o álbum...", - ), - "name": MessageLookupByLibrary.simpleMessage("Nome"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Nomear álbum"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Não foi possível conectar ao Ente, tente novamente mais tarde. Se o erro persistir, entre em contato com o suporte.", - ), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Não foi possível conectar-se ao Ente, verifique suas configurações de rede e entre em contato com o suporte se o erro persistir.", - ), - "never": MessageLookupByLibrary.simpleMessage("Nunca"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Novo álbum"), - "newLocation": MessageLookupByLibrary.simpleMessage("Nova localização"), - "newPerson": MessageLookupByLibrary.simpleMessage("Nova pessoa"), - "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" novo 📸"), - "newRange": MessageLookupByLibrary.simpleMessage("Novo intervalo"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Novo no Ente"), - "newest": MessageLookupByLibrary.simpleMessage("Mais recente"), - "next": MessageLookupByLibrary.simpleMessage("Próximo"), - "no": MessageLookupByLibrary.simpleMessage("Não"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Nenhum álbum compartilhado por você ainda", - ), - "noDeviceFound": MessageLookupByLibrary.simpleMessage( - "Nenhum dispositivo encontrado", - ), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Nenhum"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "Você não tem arquivos neste dispositivo que possam ser excluídos", - ), - "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Sem duplicatas"), - "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( - "Nenhuma conta Ente!", - ), - "noExifData": MessageLookupByLibrary.simpleMessage("Sem dados EXIF"), - "noFacesFound": MessageLookupByLibrary.simpleMessage( - "Nenhum rosto encontrado", - ), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "Sem fotos ou vídeos ocultos", - ), - "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( - "Nenhuma imagem com localização", - ), - "noInternetConnection": MessageLookupByLibrary.simpleMessage( - "Sem conexão à internet", - ), - "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( - "No momento não há fotos sendo salvas em segurança", - ), - "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( - "Nenhuma foto encontrada aqui", - ), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( - "Nenhum link rápido selecionado", - ), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Sem chave de recuperação?", - ), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Devido à natureza do nosso protocolo de criptografia de ponta a ponta, seus dados não podem ser descriptografados sem sua senha ou chave de recuperação", - ), - "noResults": MessageLookupByLibrary.simpleMessage("Nenhum resultado"), - "noResultsFound": MessageLookupByLibrary.simpleMessage( - "Nenhum resultado encontrado", - ), - "noSuggestionsForPerson": m53, - "noSystemLockFound": MessageLookupByLibrary.simpleMessage( - "Nenhum bloqueio do sistema encontrado", - ), - "notPersonLabel": m54, - "notThisPerson": MessageLookupByLibrary.simpleMessage("Não é esta pessoa?"), - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "Nada compartilhado com você ainda", - ), - "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( - "Nada para ver aqui! 👀", - ), - "notifications": MessageLookupByLibrary.simpleMessage("Notificações"), - "ok": MessageLookupByLibrary.simpleMessage("OK"), - "onDevice": MessageLookupByLibrary.simpleMessage("No dispositivo"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "No ente", - ), - "onTheRoad": MessageLookupByLibrary.simpleMessage("Na estrada novamente"), - "onThisDay": MessageLookupByLibrary.simpleMessage("Neste dia"), - "onThisDayMemories": MessageLookupByLibrary.simpleMessage( - "Memórias deste dia", - ), - "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( - "Receba lembretes de memórias deste dia em anos passados.", - ), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Apenas eles"), - "oops": MessageLookupByLibrary.simpleMessage("Ops"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Opa! Não foi possível salvar as edições", - ), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Ops, algo deu errado", - ), - "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( - "Abrir álbum no navegador", - ), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Use o aplicativo da web para adicionar fotos a este álbum", - ), - "openFile": MessageLookupByLibrary.simpleMessage("Abrir arquivo"), - "openSettings": MessageLookupByLibrary.simpleMessage("Abrir opções"), - "openTheItem": MessageLookupByLibrary.simpleMessage( - "• Abra a foto ou vídeo", - ), - "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( - "Contribuidores do OpenStreetMap", - ), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Opcional, tão curto como quiser...", - ), - "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( - "Ou mesclar com existente", - ), - "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( - "Ou escolha um existente", - ), - "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( - "ou escolher dos seus contatos", - ), - "otherDetectedFaces": MessageLookupByLibrary.simpleMessage( - "Outros rostos detectados", - ), - "pair": MessageLookupByLibrary.simpleMessage("Parear"), - "pairWithPin": MessageLookupByLibrary.simpleMessage("Parear com PIN"), - "pairingComplete": MessageLookupByLibrary.simpleMessage( - "Pareamento concluído", - ), - "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), - "partyWithThem": m56, - "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( - "Verificação pendente", - ), - "passkey": MessageLookupByLibrary.simpleMessage("Chave de acesso"), - "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( - "Verificação de chave de acesso", - ), - "password": MessageLookupByLibrary.simpleMessage("Senha"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Senha alterada com sucesso", - ), - "passwordLock": MessageLookupByLibrary.simpleMessage("Bloqueio por senha"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "A força da senha é calculada considerando o comprimento dos dígitos, carácteres usados, e se ou não a senha aparece nas 10.000 senhas usadas.", - ), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Nós não armazenamos esta senha, se você esquecer, nós não poderemos descriptografar seus dados", - ), - "pastYearsMemories": MessageLookupByLibrary.simpleMessage( - "Memórias dos anos passados", - ), - "paymentDetails": MessageLookupByLibrary.simpleMessage( - "Detalhes de pagamento", - ), - "paymentFailed": MessageLookupByLibrary.simpleMessage("O pagamento falhou"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "Infelizmente o pagamento falhou. Entre em contato com o suporte e nós ajudaremos você!", - ), - "paymentFailedTalkToProvider": m58, - "pendingItems": MessageLookupByLibrary.simpleMessage("Itens pendentes"), - "pendingSync": MessageLookupByLibrary.simpleMessage( - "Sincronização pendente", - ), - "people": MessageLookupByLibrary.simpleMessage("Pessoas"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Pessoas que usou o código", - ), - "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Selecione as pessoas que deseje vê-las na sua tela inicial.", - ), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Todos os itens na lixeira serão excluídos permanentemente\n\nEsta ação não pode ser desfeita", - ), - "permanentlyDelete": MessageLookupByLibrary.simpleMessage( - "Excluir permanentemente", - ), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Excluir permanentemente do dispositivo?", - ), - "personIsAge": m59, - "personName": MessageLookupByLibrary.simpleMessage("Nome da pessoa"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("Companhias peludas"), - "photoDescriptions": MessageLookupByLibrary.simpleMessage( - "Descrições das fotos", - ), - "photoGridSize": MessageLookupByLibrary.simpleMessage( - "Tamanho da grade de fotos", - ), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("Fotos"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "Suas fotos adicionadas serão removidas do álbum", - ), - "photosCount": m62, - "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( - "As fotos mantêm a diferença de tempo relativo", - ), - "pickCenterPoint": MessageLookupByLibrary.simpleMessage( - "Escolha o ponto central", - ), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Fixar álbum"), - "pinLock": MessageLookupByLibrary.simpleMessage("Bloqueio por PIN"), - "playOnTv": MessageLookupByLibrary.simpleMessage("Reproduzir álbum na TV"), - "playOriginal": MessageLookupByLibrary.simpleMessage("Reproduzir original"), - "playStoreFreeTrialValidTill": m63, - "playStream": MessageLookupByLibrary.simpleMessage( - "Reproduzir transmissão", - ), - "playstoreSubscription": MessageLookupByLibrary.simpleMessage( - "Assinatura da PlayStore", - ), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Verifique sua conexão com a internet e tente novamente.", - ), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Entre em contato com support@ente.io e nós ficaremos felizes em ajudar!", - ), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Por favor, contate o suporte se o problema persistir", - ), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( - "Por favor, conceda as permissões", - ), - "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( - "Registre-se novamente", - ), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Selecione links rápidos para remover", - ), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("Tente novamente"), - "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( - "Verifique o código inserido", - ), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Aguarde..."), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Aguarde, excluindo álbum", - ), - "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( - "Por favor, aguarde mais algum tempo antes de tentar novamente", - ), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "Aguarde um pouco, isso talvez leve um tempo.", - ), - "posingWithThem": m66, - "preparingLogs": MessageLookupByLibrary.simpleMessage( - "Preparando registros...", - ), - "preserveMore": MessageLookupByLibrary.simpleMessage("Preservar mais"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Pressione e segure para reproduzir o vídeo", - ), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Pressione e segure na imagem para reproduzir o vídeo", - ), - "previous": MessageLookupByLibrary.simpleMessage("Anterior"), - "privacy": MessageLookupByLibrary.simpleMessage("Privacidade"), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( - "Política de Privacidade", - ), - "privateBackups": MessageLookupByLibrary.simpleMessage("Cópias privadas"), - "privateSharing": MessageLookupByLibrary.simpleMessage( - "Compartilha privada", - ), - "proceed": MessageLookupByLibrary.simpleMessage("Continuar"), - "processed": MessageLookupByLibrary.simpleMessage("Processado"), - "processing": MessageLookupByLibrary.simpleMessage("Processando"), - "processingImport": m67, - "processingVideos": MessageLookupByLibrary.simpleMessage( - "Processando vídeos", - ), - "publicLinkCreated": MessageLookupByLibrary.simpleMessage( - "Link público criado", - ), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( - "Link público ativo", - ), - "questionmark": MessageLookupByLibrary.simpleMessage("?"), - "queued": MessageLookupByLibrary.simpleMessage("Na fila"), - "quickLinks": MessageLookupByLibrary.simpleMessage("Links rápidos"), - "radius": MessageLookupByLibrary.simpleMessage("Raio"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Abrir ticket"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("Avalie o aplicativo"), - "rateUs": MessageLookupByLibrary.simpleMessage("Avaliar"), - "rateUsOnStore": m68, - "reassignMe": MessageLookupByLibrary.simpleMessage("Reatribuir \"Eu\""), - "reassignedToName": m69, - "reassigningLoading": MessageLookupByLibrary.simpleMessage( - "Reatribuindo...", - ), - "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( - "Receba notificações quando alguém fizer um aniversário. Tocar na notificação o levará às fotos do aniversariante.", - ), - "recover": MessageLookupByLibrary.simpleMessage("Recuperar"), - "recoverAccount": MessageLookupByLibrary.simpleMessage("Recuperar conta"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Recuperar"), - "recoveryAccount": MessageLookupByLibrary.simpleMessage("Recuperar conta"), - "recoveryInitiated": MessageLookupByLibrary.simpleMessage( - "A recuperação iniciou", - ), - "recoveryInitiatedDesc": m70, - "recoveryKey": MessageLookupByLibrary.simpleMessage("Chave de recuperação"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Chave de recuperação copiada para a área de transferência", - ), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Caso você esqueça sua senha, a única maneira de recuperar seus dados é com esta chave.", - ), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Não armazenamos esta chave, salve esta chave de 24 palavras em um lugar seguro.", - ), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Ótimo! Sua chave de recuperação é válida. Obrigada por verificar.\n\nLembre-se de manter sua chave de recuperação salva em segurança.", - ), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Chave de recuperação verificada", - ), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Sua chave de recuperação é a única maneira de recuperar suas fotos se você esqueceu sua senha. Você pode encontrar sua chave de recuperação em Opções > Conta.\n\nInsira sua chave de recuperação aqui para verificar se você a salvou corretamente.", - ), - "recoveryReady": m71, - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "Recuperação com sucesso!", - ), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "Um contato confiável está tentando acessar sua conta", - ), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "O dispositivo atual não é poderoso o suficiente para verificar sua senha, no entanto, nós podemos regenerar numa maneira que funciona em todos os dispositivos.\n\nEntre usando a chave de recuperação e regenere sua senha (você pode usar a mesma novamente se desejar).", - ), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Redefinir senha", - ), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": MessageLookupByLibrary.simpleMessage("Reinserir senha"), - "reenterPin": MessageLookupByLibrary.simpleMessage("Reinserir PIN"), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Recomende seus amigos e duplique seu plano", - ), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Envie este código aos seus amigos", - ), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Eles então se inscrevem num plano pago", - ), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Referências"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "As referências estão atualmente pausadas", - ), - "rejectRecovery": MessageLookupByLibrary.simpleMessage( - "Rejeitar recuperação", - ), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "Também esvazie o \"Excluído Recentemente\" das \"Opções\" -> \"Armazenamento\" para liberar espaço", - ), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Também esvazie sua \"Lixeira\" para reivindicar o espaço liberado", - ), - "remoteImages": MessageLookupByLibrary.simpleMessage("Imagens remotas"), - "remoteThumbnails": MessageLookupByLibrary.simpleMessage( - "Miniaturas remotas", - ), - "remoteVideos": MessageLookupByLibrary.simpleMessage("Vídeos remotos"), - "remove": MessageLookupByLibrary.simpleMessage("Remover"), - "removeDuplicates": MessageLookupByLibrary.simpleMessage( - "Excluir duplicatas", - ), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Revise e remova arquivos que são duplicatas exatas.", - ), - "removeFromAlbum": MessageLookupByLibrary.simpleMessage("Remover do álbum"), - "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( - "Remover do álbum?", - ), - "removeFromFavorite": MessageLookupByLibrary.simpleMessage("Desfavoritar"), - "removeInvite": MessageLookupByLibrary.simpleMessage("Remover convite"), - "removeLink": MessageLookupByLibrary.simpleMessage("Remover link"), - "removeParticipant": MessageLookupByLibrary.simpleMessage( - "Remover participante", - ), - "removeParticipantBody": m74, - "removePersonLabel": MessageLookupByLibrary.simpleMessage( - "Remover etiqueta da pessoa", - ), - "removePublicLink": MessageLookupByLibrary.simpleMessage( - "Remover link público", - ), - "removePublicLinks": MessageLookupByLibrary.simpleMessage( - "Remover link público", - ), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Alguns dos itens que você está removendo foram adicionados por outras pessoas, e você perderá o acesso a eles", - ), - "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Remover?"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Remover si mesmo dos contatos confiáveis", - ), - "removingFromFavorites": MessageLookupByLibrary.simpleMessage( - "Removendo dos favoritos...", - ), - "rename": MessageLookupByLibrary.simpleMessage("Renomear"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("Renomear álbum"), - "renameFile": MessageLookupByLibrary.simpleMessage("Renomear arquivo"), - "renewSubscription": MessageLookupByLibrary.simpleMessage( - "Renovar assinatura", - ), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Informar um erro"), - "reportBug": MessageLookupByLibrary.simpleMessage("Informar erro"), - "resendEmail": MessageLookupByLibrary.simpleMessage("Reenviar e-mail"), - "reset": MessageLookupByLibrary.simpleMessage("Redefinir"), - "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( - "Redefinir arquivos ignorados", - ), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Redefinir senha", - ), - "resetPerson": MessageLookupByLibrary.simpleMessage("Remover"), - "resetToDefault": MessageLookupByLibrary.simpleMessage( - "Redefinir para o padrão", - ), - "restore": MessageLookupByLibrary.simpleMessage("Restaurar"), - "restoreToAlbum": MessageLookupByLibrary.simpleMessage( - "Restaurar para álbum", - ), - "restoringFiles": MessageLookupByLibrary.simpleMessage( - "Restaurando arquivos...", - ), - "resumableUploads": MessageLookupByLibrary.simpleMessage( - "Envios retomáveis", - ), - "retry": MessageLookupByLibrary.simpleMessage("Tentar novamente"), - "review": MessageLookupByLibrary.simpleMessage("Revisar"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Reveja e exclua os itens que você acredita serem duplicados.", - ), - "reviewSuggestions": MessageLookupByLibrary.simpleMessage( - "Revisar sugestões", - ), - "right": MessageLookupByLibrary.simpleMessage("Direita"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("Girar"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Girar para a esquerda"), - "rotateRight": MessageLookupByLibrary.simpleMessage("Girar para a direita"), - "safelyStored": MessageLookupByLibrary.simpleMessage( - "Armazenado com segurança", - ), - "same": MessageLookupByLibrary.simpleMessage("Igual"), - "sameperson": MessageLookupByLibrary.simpleMessage("Mesma pessoa?"), - "save": MessageLookupByLibrary.simpleMessage("Salvar"), - "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage( - "Salvar como outra pessoa", - ), - "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( - "Salvar mudanças antes de sair?", - ), - "saveCollage": MessageLookupByLibrary.simpleMessage("Salvar colagem"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Salvar cópia"), - "saveKey": MessageLookupByLibrary.simpleMessage("Salvar chave"), - "savePerson": MessageLookupByLibrary.simpleMessage("Salvar pessoa"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Salve sua chave de recuperação, se você ainda não fez", - ), - "saving": MessageLookupByLibrary.simpleMessage("Salvando..."), - "savingEdits": MessageLookupByLibrary.simpleMessage("Salvando edições..."), - "scanCode": MessageLookupByLibrary.simpleMessage("Escanear código"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Escaneie este código de barras com\no aplicativo autenticador", - ), - "search": MessageLookupByLibrary.simpleMessage("Buscar"), - "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Álbuns"), - "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage( - "Nome do álbum", - ), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Nomes de álbuns (ex: \"Câmera\")\n• Tipos de arquivos (ex.: \"Vídeos\", \".gif\")\n• Anos e meses (ex.: \"2022\", \"Janeiro\")\n• Temporadas (ex.: \"Natal\")\n• Tags (ex.: \"#divertido\")", - ), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Adicione marcações como \"#viagem\" nas informações das fotos para encontrá-las aqui com facilidade", - ), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Buscar por data, mês ou ano", - ), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "As imagens serão exibidas aqui quando o processamento e sincronização for concluído", - ), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "As pessoas apareceram aqui quando a indexação for concluída", - ), - "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( - "Tipos de arquivo e nomes", - ), - "searchHint1": MessageLookupByLibrary.simpleMessage( - "busca rápida no dispositivo", - ), - "searchHint2": MessageLookupByLibrary.simpleMessage( - "Descrições e data das fotos", - ), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "Álbuns, nomes de arquivos e tipos", - ), - "searchHint4": MessageLookupByLibrary.simpleMessage("Localização"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "Em breve: Busca mágica e rostos ✨", - ), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Fotos de grupo que estão sendo tiradas em algum raio da foto", - ), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "Convide pessoas e você verá todas as fotos compartilhadas por elas aqui", - ), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "As pessoas serão exibidas aqui quando o processamento e sincronização for concluído", - ), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Segurança"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "Ver links de álbum compartilhado no aplicativo", - ), - "selectALocation": MessageLookupByLibrary.simpleMessage( - "Selecionar localização", - ), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage( - "Primeiramente selecione uma localização", - ), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Selecionar álbum"), - "selectAll": MessageLookupByLibrary.simpleMessage("Selecionar tudo"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("Tudo"), - "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( - "Selecionar foto da capa", - ), - "selectDate": MessageLookupByLibrary.simpleMessage("Selecionar data"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Selecione as pastas para salvá-las", - ), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "Selecionar itens para adicionar", - ), - "selectLanguage": MessageLookupByLibrary.simpleMessage("Selecionar idioma"), - "selectMailApp": MessageLookupByLibrary.simpleMessage( - "Selecionar aplicativo de e-mail", - ), - "selectMorePhotos": MessageLookupByLibrary.simpleMessage( - "Selecionar mais fotos", - ), - "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( - "Selecionar data e hora", - ), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "Selecione uma data e hora para todos", - ), - "selectPersonToLink": MessageLookupByLibrary.simpleMessage( - "Selecione a pessoa para vincular", - ), - "selectReason": MessageLookupByLibrary.simpleMessage("Diga o motivo"), - "selectStartOfRange": MessageLookupByLibrary.simpleMessage( - "Selecionar início de intervalo", - ), - "selectTime": MessageLookupByLibrary.simpleMessage("Selecionar tempo"), - "selectYourFace": MessageLookupByLibrary.simpleMessage( - "Selecione seu rosto", - ), - "selectYourPlan": MessageLookupByLibrary.simpleMessage( - "Selecione seu plano", - ), - "selectedAlbums": m79, - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Os arquivos selecionados não estão no Ente", - ), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "As pastas selecionadas serão criptografadas e salvas em segurança", - ), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Os itens selecionados serão excluídos de todos os álbuns e movidos para a lixeira.", - ), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "Os itens selecionados serão removidos desta pessoa, entretanto não serão excluídos da sua biblioteca.", - ), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("Enviar"), - "sendEmail": MessageLookupByLibrary.simpleMessage("Enviar e-mail"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Enviar convite"), - "sendLink": MessageLookupByLibrary.simpleMessage("Enviar link"), - "serverEndpoint": MessageLookupByLibrary.simpleMessage( - "Ponto final do servidor", - ), - "sessionExpired": MessageLookupByLibrary.simpleMessage("Sessão expirada"), - "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( - "Incompatibilidade de ID de sessão", - ), - "setAPassword": MessageLookupByLibrary.simpleMessage("Definir senha"), - "setAs": MessageLookupByLibrary.simpleMessage("Definir como"), - "setCover": MessageLookupByLibrary.simpleMessage("Definir capa"), - "setLabel": MessageLookupByLibrary.simpleMessage("Definir"), - "setNewPassword": MessageLookupByLibrary.simpleMessage( - "Definir nova senha", - ), - "setNewPin": MessageLookupByLibrary.simpleMessage("Definir PIN novo"), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage("Definir senha"), - "setRadius": MessageLookupByLibrary.simpleMessage("Definir raio"), - "setupComplete": MessageLookupByLibrary.simpleMessage( - "Configuração concluída", - ), - "share": MessageLookupByLibrary.simpleMessage("Compartilhar"), - "shareALink": MessageLookupByLibrary.simpleMessage("Compartilhar link"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Abra um álbum e toque no botão compartilhar no canto superior direito para compartilhar.", - ), - "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( - "Compartilhar um álbum agora", - ), - "shareLink": MessageLookupByLibrary.simpleMessage("Compartilhar link"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Compartilhar apenas com as pessoas que você quiser", - ), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Baixe o Ente para que nós possamos compartilhar com facilidade fotos e vídeos de qualidade original\n\nhttps://ente.io", - ), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Compartilhar com usuários não ente", - ), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( - "Compartilhar seu primeiro álbum", - ), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Criar álbuns compartilhados e colaborativos com outros usuários Ente, incluindo usuários em planos gratuitos.", - ), - "sharedByMe": MessageLookupByLibrary.simpleMessage("Compartilhada por mim"), - "sharedByYou": MessageLookupByLibrary.simpleMessage( - "Compartilhado por você", - ), - "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( - "Novas fotos compartilhadas", - ), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Receba notificações caso alguém adicione uma foto a um álbum compartilhado que você faz parte", - ), - "sharedWith": m87, - "sharedWithMe": MessageLookupByLibrary.simpleMessage( - "Compartilhado comigo", - ), - "sharedWithYou": MessageLookupByLibrary.simpleMessage( - "Compartilhado com você", - ), - "sharing": MessageLookupByLibrary.simpleMessage("Compartilhando..."), - "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( - "Alterar as datas e horas", - ), - "showLessFaces": MessageLookupByLibrary.simpleMessage( - "Exibir menos rostos", - ), - "showMemories": MessageLookupByLibrary.simpleMessage("Mostrar memórias"), - "showMoreFaces": MessageLookupByLibrary.simpleMessage("Exibir mais rostos"), - "showPerson": MessageLookupByLibrary.simpleMessage("Mostrar pessoa"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "Sair da conta em outros dispositivos", - ), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Se você acha que alguém possa saber da sua senha, você pode forçar desconectar sua conta de outros dispositivos.", - ), - "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( - "Sair em outros dispositivos", - ), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Eu concordo com os termos de serviço e a política de privacidade", - ), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Ele será excluído de todos os álbuns.", - ), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Pular"), - "smartMemories": MessageLookupByLibrary.simpleMessage( - "Memórias inteligentes", - ), - "social": MessageLookupByLibrary.simpleMessage("Redes sociais"), - "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( - "Alguns itens estão em ambos o Ente quanto no seu dispositivo.", - ), - "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( - "Alguns dos arquivos que você está tentando excluir só estão disponíveis no seu dispositivo e não podem ser recuperados se forem excluídos", - ), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Alguém compartilhando álbuns com você deve ver o mesmo ID no dispositivo.", - ), - "somethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Algo deu errado", - ), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Algo deu errado. Tente outra vez", - ), - "sorry": MessageLookupByLibrary.simpleMessage("Desculpe"), - "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( - "Desculpe, não podemos salvar em segurança este arquivo no momento, nós tentaremos mais tarde.", - ), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Desculpe, não foi possível adicionar aos favoritos!", - ), - "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( - "Desculpe, não foi possível remover dos favoritos!", - ), - "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "O código inserido está incorreto", - ), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Desculpe, não foi possível gerar chaves seguras neste dispositivo.\n\ninicie sessão com um dispositivo diferente.", - ), - "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( - "Desculpe, tivemos que pausar os salvamentos em segurança", - ), - "sort": MessageLookupByLibrary.simpleMessage("Ordenar"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Ordenar por"), - "sortNewestFirst": MessageLookupByLibrary.simpleMessage( - "Recentes primeiro", - ), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Antigos primeiro"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Sucesso"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": MessageLookupByLibrary.simpleMessage( - "Destacar si mesmo", - ), - "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( - "Iniciar recuperação", - ), - "startBackup": MessageLookupByLibrary.simpleMessage( - "Iniciar a salvar em segurança", - ), - "status": MessageLookupByLibrary.simpleMessage("Estado"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "Deseja parar a transmissão?", - ), - "stopCastingTitle": MessageLookupByLibrary.simpleMessage( - "Parar transmissão", - ), - "storage": MessageLookupByLibrary.simpleMessage("Armazenamento"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Família"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Você"), - "storageInGB": m93, - "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( - "Limite de armazenamento excedido", - ), - "storageUsageInfo": m94, - "streamDetails": MessageLookupByLibrary.simpleMessage( - "Detalhes da transmissão", - ), - "strongStrength": MessageLookupByLibrary.simpleMessage("Forte"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Inscrever-se"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Você precisa de uma inscrição paga ativa para ativar o compartilhamento.", - ), - "subscription": MessageLookupByLibrary.simpleMessage("Assinatura"), - "success": MessageLookupByLibrary.simpleMessage("Sucesso"), - "successfullyArchived": MessageLookupByLibrary.simpleMessage( - "Arquivado com sucesso", - ), - "successfullyHid": MessageLookupByLibrary.simpleMessage( - "Ocultado com sucesso", - ), - "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( - "Desarquivado com sucesso", - ), - "successfullyUnhid": MessageLookupByLibrary.simpleMessage( - "Desocultado com sucesso", - ), - "suggestFeatures": MessageLookupByLibrary.simpleMessage("Sugerir recurso"), - "sunrise": MessageLookupByLibrary.simpleMessage("No horizonte"), - "support": MessageLookupByLibrary.simpleMessage("Suporte"), - "syncProgress": m97, - "syncStopped": MessageLookupByLibrary.simpleMessage( - "Sincronização interrompida", - ), - "syncing": MessageLookupByLibrary.simpleMessage("Sincronizando..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("Sistema"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("toque para copiar"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage( - "Toque para inserir código", - ), - "tapToUnlock": MessageLookupByLibrary.simpleMessage( - "Toque para desbloquear", - ), - "tapToUpload": MessageLookupByLibrary.simpleMessage("Toque para enviar"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Parece que algo deu errado. Tente novamente mais tarde. Caso o erro persistir, por favor, entre em contato com nossa equipe.", - ), - "terminate": MessageLookupByLibrary.simpleMessage("Encerrar"), - "terminateSession": MessageLookupByLibrary.simpleMessage("Sair?"), - "terms": MessageLookupByLibrary.simpleMessage("Termos"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Termos"), - "thankYou": MessageLookupByLibrary.simpleMessage("Obrigado"), - "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( - "Obrigado por assinar!", - ), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "A instalação não pôde ser concluída", - ), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "O link que você está tentando acessar já expirou.", - ), - "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "Os grupos de pessoa não serão exibidos na seção de pessoa. As fotos permanecerão intactas.", - ), - "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "A pessoa não será exibida na seção de pessoas. As fotos permanecerão intactas.", - ), - "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "A chave de recuperação inserida está incorreta", - ), - "theme": MessageLookupByLibrary.simpleMessage("Tema"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Estes itens serão excluídos do seu dispositivo.", - ), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "Eles serão excluídos de todos os álbuns.", - ), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Esta ação não pode ser desfeita", - ), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "Este álbum já tem um link colaborativo", - ), - "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( - "Isso pode ser usado para recuperar sua conta se você perder seu segundo fator", - ), - "thisDevice": MessageLookupByLibrary.simpleMessage("Este dispositivo"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "Este e-mail já está sendo usado", - ), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Esta imagem não possui dados EXIF", - ), - "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("Este é você!"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Este é o seu ID de verificação", - ), - "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( - "Esta semana com o passar dos anos", - ), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Isso fará você sair do dispositivo a seguir:", - ), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Isso fará você sair deste dispositivo!", - ), - "thisWillMakeTheDateAndTimeOfAllSelected": MessageLookupByLibrary.simpleMessage( - "Isso fará que a data e hora de todas as fotos selecionadas fiquem iguais.", - ), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "Isto removerá links públicos de todos os links rápidos selecionados.", - ), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "Para ativar o bloqueio do aplicativo, defina uma senha de acesso no dispositivo ou bloqueie sua tela nas opções do sistema.", - ), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( - "Para ocultar uma foto ou vídeo", - ), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Para redefinir sua senha, verifique seu e-mail primeiramente.", - ), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Registros de hoje"), - "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( - "Muitas tentativas incorretas", - ), - "total": MessageLookupByLibrary.simpleMessage("total"), - "totalSize": MessageLookupByLibrary.simpleMessage("Tamanho total"), - "trash": MessageLookupByLibrary.simpleMessage("Lixeira"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Recortar"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": MessageLookupByLibrary.simpleMessage( - "Contatos confiáveis", - ), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Tente novamente"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Ative o salvamento em segurança para automaticamente enviar arquivos adicionados à pasta do dispositivo para o Ente.", - ), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter/X"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "2 meses grátis em planos anuais", - ), - "twofactor": MessageLookupByLibrary.simpleMessage("Dois fatores"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "A autenticação de dois fatores foi desativada", - ), - "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( - "Autenticação de dois fatores", - ), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "Autenticação de dois fatores redefinida com sucesso", - ), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Configuração de dois fatores", - ), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("Desarquivar"), - "unarchiveAlbum": MessageLookupByLibrary.simpleMessage("Desarquivar álbum"), - "unarchiving": MessageLookupByLibrary.simpleMessage("Desarquivando..."), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Desculpe, este código está indisponível.", - ), - "uncategorized": MessageLookupByLibrary.simpleMessage("Sem categoria"), - "unhide": MessageLookupByLibrary.simpleMessage("Desocultar"), - "unhideToAlbum": MessageLookupByLibrary.simpleMessage( - "Desocultar para o álbum", - ), - "unhiding": MessageLookupByLibrary.simpleMessage("Reexibindo..."), - "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Desocultando arquivos para o álbum", - ), - "unlock": MessageLookupByLibrary.simpleMessage("Desbloquear"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("Desafixar álbum"), - "unselectAll": MessageLookupByLibrary.simpleMessage("Desmarcar tudo"), - "update": MessageLookupByLibrary.simpleMessage("Atualizar"), - "updateAvailable": MessageLookupByLibrary.simpleMessage( - "Atualização disponível", - ), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Atualizando seleção de pasta...", - ), - "upgrade": MessageLookupByLibrary.simpleMessage("Atualizar"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Enviando arquivos para o álbum...", - ), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( - "Preservando 1 memória...", - ), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "Com 50% de desconto, até 4 de dezembro", - ), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "O armazenamento disponível é limitado devido ao seu plano atual. O armazenamento adicional será aplicado quando você atualizar seu plano.", - ), - "useAsCover": MessageLookupByLibrary.simpleMessage("Usar como capa"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "Enfrentando problemas ao reproduzir este vídeo? Mantenha pressionado aqui para tentar outro reprodutor de vídeo", - ), - "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Usar links públicos para pessoas que não estão no Ente", - ), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Usar chave de recuperação", - ), - "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( - "Usar foto selecionada", - ), - "usedSpace": MessageLookupByLibrary.simpleMessage("Espaço usado"), - "validTill": m110, - "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Falha na verificação. Tente novamente", - ), - "verificationId": MessageLookupByLibrary.simpleMessage("ID de verificação"), - "verify": MessageLookupByLibrary.simpleMessage("Verificar"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("Verificar e-mail"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Verificar"), - "verifyPasskey": MessageLookupByLibrary.simpleMessage( - "Verificar chave de acesso", - ), - "verifyPassword": MessageLookupByLibrary.simpleMessage("Verificar senha"), - "verifying": MessageLookupByLibrary.simpleMessage("Verificando..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Verificando chave de recuperação...", - ), - "videoInfo": MessageLookupByLibrary.simpleMessage("Informações do vídeo"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("vídeo"), - "videoStreaming": MessageLookupByLibrary.simpleMessage( - "Vídeos transmissíveis", - ), - "videos": MessageLookupByLibrary.simpleMessage("Vídeos"), - "viewActiveSessions": MessageLookupByLibrary.simpleMessage( - "Ver sessões ativas", - ), - "viewAddOnButton": MessageLookupByLibrary.simpleMessage("Ver complementos"), - "viewAll": MessageLookupByLibrary.simpleMessage("Ver tudo"), - "viewAllExifData": MessageLookupByLibrary.simpleMessage( - "Ver todos os dados EXIF", - ), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Arquivos grandes"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Ver arquivos que consumem a maior parte do armazenamento.", - ), - "viewLogs": MessageLookupByLibrary.simpleMessage("Ver registros"), - "viewPersonToUnlink": m112, - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Ver chave de recuperação", - ), - "viewer": MessageLookupByLibrary.simpleMessage("Visualizador"), - "viewersSuccessfullyAdded": m113, - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Visite o web.ente.io para gerenciar sua assinatura", - ), - "waitingForVerification": MessageLookupByLibrary.simpleMessage( - "Esperando verificação...", - ), - "waitingForWifi": MessageLookupByLibrary.simpleMessage( - "Aguardando Wi-Fi...", - ), - "warning": MessageLookupByLibrary.simpleMessage("Aviso"), - "weAreOpenSource": MessageLookupByLibrary.simpleMessage( - "Nós somos de código aberto!", - ), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "Não suportamos a edição de fotos e álbuns que você ainda não possui", - ), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Fraca"), - "welcomeBack": MessageLookupByLibrary.simpleMessage( - "Bem-vindo(a) de volta!", - ), - "whatsNew": MessageLookupByLibrary.simpleMessage("O que há de novo"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "Um contato confiável pode ajudá-lo em recuperar seus dados.", - ), - "widgets": MessageLookupByLibrary.simpleMessage("Widgets"), - "wishThemAHappyBirthday": m115, - "yearShort": MessageLookupByLibrary.simpleMessage("ano"), - "yearly": MessageLookupByLibrary.simpleMessage("Anual"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Sim"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Sim"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "Sim, converter para visualizador", - ), - "yesDelete": MessageLookupByLibrary.simpleMessage("Sim, excluir"), - "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( - "Sim, descartar alterações", - ), - "yesIgnore": MessageLookupByLibrary.simpleMessage("Sim, ignorar"), - "yesLogout": MessageLookupByLibrary.simpleMessage("Sim, encerrar sessão"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Sim, excluir"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Sim"), - "yesResetPerson": MessageLookupByLibrary.simpleMessage( - "Sim, redefinir pessoa", - ), - "you": MessageLookupByLibrary.simpleMessage("Você"), - "youAndThem": m117, - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( - "Você está em um plano familiar!", - ), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Você está na versão mais recente", - ), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Você pode duplicar seu armazenamento ao máximo", - ), - "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( - "Você pode gerenciar seus links na aba de compartilhamento.", - ), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "Você pode tentar buscar por outra consulta.", - ), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "Você não pode rebaixar para este plano", - ), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Não é possível compartilhar consigo mesmo", - ), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "Você não tem nenhum item arquivado.", - ), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "Sua conta foi excluída", - ), - "yourMap": MessageLookupByLibrary.simpleMessage("Seu mapa"), - "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( - "Seu plano foi rebaixado com sucesso", - ), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "Seu plano foi atualizado com sucesso", - ), - "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( - "Sua compra foi efetuada com sucesso", - ), - "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( - "Seus detalhes de armazenamento não puderam ser obtidos", - ), - "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( - "A sua assinatura expirou", - ), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "Sua assinatura foi atualizada com sucesso", - ), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "O código de verificação expirou", - ), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage( - "Você não possui nenhum arquivo duplicado que possa ser excluído", - ), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "Você não tem arquivos neste álbum que possam ser excluídos", - ), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( - "Reduzir ampliação para ver as fotos", - ), - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Uma nova versão do Ente está disponível."), + "about": MessageLookupByLibrary.simpleMessage("Sobre"), + "acceptTrustInvite": + MessageLookupByLibrary.simpleMessage("Aceitar convite"), + "account": MessageLookupByLibrary.simpleMessage("Conta"), + "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( + "A conta já está configurada."), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("Bem-vindo(a) de volta!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Eu entendo que se eu perder minha senha, posso perder meus dados, já que meus dados são criptografados de ponta a ponta."), + "actionNotSupportedOnFavouritesAlbum": + MessageLookupByLibrary.simpleMessage( + "Ação não suportada em álbum favorito"), + "activeSessions": + MessageLookupByLibrary.simpleMessage("Sessões ativas"), + "add": MessageLookupByLibrary.simpleMessage("Adicionar"), + "addAName": MessageLookupByLibrary.simpleMessage("Adicione um nome"), + "addANewEmail": + MessageLookupByLibrary.simpleMessage("Adicionar um novo e-mail"), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Adicione um widget de álbum a sua tela inicial e volte aqui para personalizar."), + "addCollaborator": + MessageLookupByLibrary.simpleMessage("Adicionar colaborador"), + "addCollaborators": m1, + "addFiles": MessageLookupByLibrary.simpleMessage("Adicionar arquivos"), + "addFromDevice": + MessageLookupByLibrary.simpleMessage("Adicionar do dispositivo"), + "addItem": m2, + "addLocation": + MessageLookupByLibrary.simpleMessage("Adicionar localização"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Adicionar"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Adicione um widget de memória a sua tela inicial e volte aqui para personalizar."), + "addMore": MessageLookupByLibrary.simpleMessage("Adicionar mais"), + "addName": MessageLookupByLibrary.simpleMessage("Adicionar pessoa"), + "addNameOrMerge": + MessageLookupByLibrary.simpleMessage("Adicionar nome ou juntar"), + "addNew": MessageLookupByLibrary.simpleMessage("Adicionar novo"), + "addNewPerson": + MessageLookupByLibrary.simpleMessage("Adicionar nova pessoa"), + "addOnPageSubtitle": + MessageLookupByLibrary.simpleMessage("Detalhes dos complementos"), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("Complementos"), + "addParticipants": + MessageLookupByLibrary.simpleMessage("Adicionar participante"), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Adicione um widget de pessoas a sua tela inicial e volte aqui para personalizar."), + "addPhotos": MessageLookupByLibrary.simpleMessage("Adicionar fotos"), + "addSelected": + MessageLookupByLibrary.simpleMessage("Adicionar selecionado"), + "addToAlbum": + MessageLookupByLibrary.simpleMessage("Adicionar ao álbum"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Adicionar ao Ente"), + "addToHiddenAlbum": + MessageLookupByLibrary.simpleMessage("Adicionar ao álbum oculto"), + "addTrustedContact": + MessageLookupByLibrary.simpleMessage("Adicionar contato confiável"), + "addViewer": + MessageLookupByLibrary.simpleMessage("Adicionar visualizador"), + "addViewers": m4, + "addYourPhotosNow": + MessageLookupByLibrary.simpleMessage("Adicione suas fotos agora"), + "addedAs": MessageLookupByLibrary.simpleMessage("Adicionado como"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": MessageLookupByLibrary.simpleMessage( + "Adicionando aos favoritos..."), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("Avançado"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Avançado"), + "after1Day": MessageLookupByLibrary.simpleMessage("Após 1 dia"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Após 1 hora"), + "after1Month": MessageLookupByLibrary.simpleMessage("Após 1 mês"), + "after1Week": MessageLookupByLibrary.simpleMessage("Após 1 semana"), + "after1Year": MessageLookupByLibrary.simpleMessage("Após 1 ano"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Proprietário"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Título do álbum"), + "albumUpdated": + MessageLookupByLibrary.simpleMessage("Álbum atualizado"), + "albums": MessageLookupByLibrary.simpleMessage("Álbuns"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Selecione os álbuns que deseje vê-los na sua tela inicial."), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Tudo limpo"), + "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( + "Todas as memórias preservadas"), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "Todos os agrupamentos dessa pessoa serão redefinidos, e você perderá todas as sugestões feitas por essa pessoa."), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "Todos os grupos sem nome serão mesclados numa pessoa selecionada. Isso ainda pode ser desfeito no histórico de sugestões da pessoa."), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "Este é o primeiro do grupo. As outras fotos selecionadas serão automaticamente alteradas para esta nova data"), + "allow": MessageLookupByLibrary.simpleMessage("Permitir"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Permitir que as pessoas com link também adicionem fotos ao álbum compartilhado."), + "allowAddingPhotos": + MessageLookupByLibrary.simpleMessage("Permitir adicionar fotos"), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "Permitir aplicativo abrir links de álbum compartilhado"), + "allowDownloads": + MessageLookupByLibrary.simpleMessage("Permitir downloads"), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Permitir que pessoas adicionem fotos"), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Permita o acesso a suas fotos nas Opções para que Ente exiba e salva em segurança sua fototeca."), + "allowPermTitle": + MessageLookupByLibrary.simpleMessage("Permita acesso às Fotos"), + "androidBiometricHint": + MessageLookupByLibrary.simpleMessage("Verificar identidade"), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "Não reconhecido. Tente novamente."), + "androidBiometricRequiredTitle": + MessageLookupByLibrary.simpleMessage("Biométrica necessária"), + "androidBiometricSuccess": + MessageLookupByLibrary.simpleMessage("Sucesso"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Cancelar"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage("Credenciais necessários"), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage("Credenciais necessários"), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "A autenticação biométrica não está definida no dispositivo. Vá em \'Opções > Segurança\' para adicionar a autenticação biométrica."), + "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( + "Android, iOS, Web, Computador"), + "androidSignInTitle": + MessageLookupByLibrary.simpleMessage("Autenticação necessária"), + "appIcon": MessageLookupByLibrary.simpleMessage("Ícone do aplicativo"), + "appLock": + MessageLookupByLibrary.simpleMessage("Bloqueio do aplicativo"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Escolha entre a tela de bloqueio padrão do seu dispositivo e uma tela de bloqueio personalizada com PIN ou senha."), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("ID da Apple"), + "apply": MessageLookupByLibrary.simpleMessage("Aplicar"), + "applyCodeTitle": + MessageLookupByLibrary.simpleMessage("Aplicar código"), + "appstoreSubscription": + MessageLookupByLibrary.simpleMessage("Assinatura da AppStore"), + "archive": MessageLookupByLibrary.simpleMessage("Arquivo"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("Arquivar álbum"), + "archiving": MessageLookupByLibrary.simpleMessage("Arquivando..."), + "areThey": MessageLookupByLibrary.simpleMessage("Eles são "), + "areYouSureRemoveThisFaceFromPerson": + MessageLookupByLibrary.simpleMessage( + "Deseja mesmo remover o rosto desta pessoa?"), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Você tem certeza que queira sair do plano familiar?"), + "areYouSureYouWantToCancel": + MessageLookupByLibrary.simpleMessage("Deseja cancelar?"), + "areYouSureYouWantToChangeYourPlan": + MessageLookupByLibrary.simpleMessage("Deseja trocar de plano?"), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "Tem certeza de que queira sair?"), + "areYouSureYouWantToIgnoreThesePersons": + MessageLookupByLibrary.simpleMessage( + "Você deseja mesmo ignorar estas pessoas?"), + "areYouSureYouWantToIgnoreThisPerson": + MessageLookupByLibrary.simpleMessage( + "Você deseja mesmo ignorar esta pessoa?"), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Você tem certeza que quer encerrar sessão?"), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "Você desejar mesmo mesclá-los?"), + "areYouSureYouWantToRenew": + MessageLookupByLibrary.simpleMessage("Deseja renovar?"), + "areYouSureYouWantToResetThisPerson": + MessageLookupByLibrary.simpleMessage( + "Deseja redefinir esta pessoa?"), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "Sua assinatura foi cancelada. Deseja compartilhar o motivo?"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Por que você quer excluir sua conta?"), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Peça que seus entes queridos compartilhem"), + "atAFalloutShelter": + MessageLookupByLibrary.simpleMessage("em um abrigo avançado"), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Autentique-se para alterar o e-mail de verificação"), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Autentique para alterar a configuração da tela de bloqueio"), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Por favor, autentique-se para alterar o seu e-mail"), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Autentique para alterar sua senha"), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Autentique para configurar a autenticação de dois fatores"), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Autentique para iniciar a exclusão de conta"), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Autentique-se para gerenciar seus contatos confiáveis"), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Autentique-se para ver sua chave de acesso"), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Autentique-se para ver seus arquivos excluídos"), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Autentique para ver as sessões ativas"), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Autentique-se para visualizar seus arquivos ocultos"), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Autentique-se para ver suas memórias"), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Autentique para ver sua chave de recuperação"), + "authenticating": + MessageLookupByLibrary.simpleMessage("Autenticando..."), + "authenticationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Falha na autenticação. Tente novamente"), + "authenticationSuccessful": + MessageLookupByLibrary.simpleMessage("Autenticado com sucesso!"), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Você verá dispositivos de transmissão disponível aqui."), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Certifique-se que as permissões da internet local estejam ligadas para o Ente Photos App, em opções."), + "autoLock": MessageLookupByLibrary.simpleMessage("Bloqueio automático"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Tempo após o qual o aplicativo bloqueia após ser colocado em segundo plano"), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "Devido ao ocorrido de erros técnicos, você foi desconectado. Pedimos desculpas pela inconveniência."), + "autoPair": + MessageLookupByLibrary.simpleMessage("Pareamento automático"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "O pareamento automático só funciona com dispositivos que suportam o Chromecast."), + "available": MessageLookupByLibrary.simpleMessage("Disponível"), + "availableStorageSpace": m10, + "backedUpFolders": + MessageLookupByLibrary.simpleMessage("Pastas salvas em segurança"), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("Salvar em segurança"), + "backupFailed": MessageLookupByLibrary.simpleMessage( + "Falhou ao salvar em segurança"), + "backupFile": + MessageLookupByLibrary.simpleMessage("Salvar arquivo em segurança"), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Salvar fotos com dados móveis"), + "backupSettings": MessageLookupByLibrary.simpleMessage( + "Ajustes de salvar em segurança"), + "backupStatus": + MessageLookupByLibrary.simpleMessage("Estado das mídias salvas"), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Os itens salvos em segurança aparecerão aqui"), + "backupVideos": + MessageLookupByLibrary.simpleMessage("Salvar vídeos em segurança"), + "beach": MessageLookupByLibrary.simpleMessage("Areia e o mar"), + "birthday": MessageLookupByLibrary.simpleMessage("Aniversário"), + "birthdayNotifications": + MessageLookupByLibrary.simpleMessage("Notificações de aniversário"), + "birthdays": MessageLookupByLibrary.simpleMessage("Aniversários"), + "blackFridaySale": + MessageLookupByLibrary.simpleMessage("Promoção Black Friday"), + "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cLDesc1": MessageLookupByLibrary.simpleMessage( + "De volta na transmissão de vídeo beta, e trabalhando em envios e downloads retomáveis, nós aumentamos o limite de envio de arquivos para 10 GB. Isso está disponível em ambos a versão móvel e a versão para desktop."), + "cLDesc2": MessageLookupByLibrary.simpleMessage( + "Envios de fundo agora são suportados no iOS também, para assemelhar-se aos dispositivos Android. Não precisa abrir o aplicativo para salvar em segurança as fotos e vídeos mais recentes."), + "cLDesc3": MessageLookupByLibrary.simpleMessage( + "Fizemos melhorias significantes para a experiência de memórias, incluindo reprodução automática, deslizar para a próxima memória e mais."), + "cLDesc4": MessageLookupByLibrary.simpleMessage( + "Ao lado de outras melhorias, agora ficou mais fácil para detectar rostos, fornecer comentários em rostos similares, e adicionar/remover rostos de uma foto."), + "cLDesc5": MessageLookupByLibrary.simpleMessage( + "Você receberá uma notificação opcional para todos os aniversários salvos no Ente, além de uma coleção de melhores fotos."), + "cLDesc6": MessageLookupByLibrary.simpleMessage( + "Nada de esperar os envios/downloads terminarem para fechar o aplicativo. Todos os envios e downloads agora possuem a habilidade de ser pausado na metade do processo, e retomar de onde você parou."), + "cLTitle1": MessageLookupByLibrary.simpleMessage( + "Enviando arquivos de vídeo grandes"), + "cLTitle2": MessageLookupByLibrary.simpleMessage("Envio de fundo"), + "cLTitle3": + MessageLookupByLibrary.simpleMessage("Reproduzir memórias auto."), + "cLTitle4": MessageLookupByLibrary.simpleMessage( + "Reconhecimento Facial Melhorado"), + "cLTitle5": + MessageLookupByLibrary.simpleMessage("Notificações de aniversário"), + "cLTitle6": MessageLookupByLibrary.simpleMessage( + "Envios e downloads retomáveis"), + "cachedData": + MessageLookupByLibrary.simpleMessage("Dados armazenados em cache"), + "calculating": MessageLookupByLibrary.simpleMessage("Calculando..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Desculpe, este álbum não pode ser aberto no aplicativo."), + "canNotOpenTitle": + MessageLookupByLibrary.simpleMessage("Não pôde abrir este álbum"), + "canNotUploadToAlbumsOwnedByOthers": + MessageLookupByLibrary.simpleMessage( + "Não é possível enviar para álbuns pertencentes a outros"), + "canOnlyCreateLinkForFilesOwnedByYou": + MessageLookupByLibrary.simpleMessage( + "Só é possível criar um link para arquivos pertencentes a você"), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Só pode remover arquivos de sua propriedade"), + "cancel": MessageLookupByLibrary.simpleMessage("Cancelar"), + "cancelAccountRecovery": + MessageLookupByLibrary.simpleMessage("Cancelar recuperação"), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "Deseja mesmo cancelar a recuperação de conta?"), + "cancelOtherSubscription": m12, + "cancelSubscription": + MessageLookupByLibrary.simpleMessage("Cancelar assinatura"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Não é possível excluir arquivos compartilhados"), + "castAlbum": MessageLookupByLibrary.simpleMessage("Transferir álbum"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Certifique-se de estar na mesma internet que a TV."), + "castIPMismatchTitle": + MessageLookupByLibrary.simpleMessage("Falhou ao transmitir álbum"), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Acesse cast.ente.io no dispositivo desejado para parear.\n\nInsira o código abaixo para reproduzir o álbum na sua TV."), + "centerPoint": MessageLookupByLibrary.simpleMessage("Ponto central"), + "change": MessageLookupByLibrary.simpleMessage("Alterar"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Alterar e-mail"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Alterar a localização dos itens selecionados?"), + "changePassword": MessageLookupByLibrary.simpleMessage("Alterar senha"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("Alterar senha"), + "changePermissions": + MessageLookupByLibrary.simpleMessage("Alterar permissões?"), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Alterar código de referência"), + "checkForUpdates": + MessageLookupByLibrary.simpleMessage("Buscar atualizações"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Verifique sua caixa de entrada (e spam) para concluir a verificação"), + "checkStatus": MessageLookupByLibrary.simpleMessage("Verificar estado"), + "checking": MessageLookupByLibrary.simpleMessage("Verificando..."), + "checkingModels": + MessageLookupByLibrary.simpleMessage("Verificando modelos..."), + "city": MessageLookupByLibrary.simpleMessage("Na cidade"), + "claimFreeStorage": + MessageLookupByLibrary.simpleMessage("Reivindique armaz. grátis"), + "claimMore": MessageLookupByLibrary.simpleMessage("Reivindique mais!"), + "claimed": MessageLookupByLibrary.simpleMessage("Reivindicado"), + "claimedStorageSoFar": m14, + "cleanUncategorized": + MessageLookupByLibrary.simpleMessage("Limpar não categorizado"), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Remover todos os arquivos não categorizados que estão presentes em outros álbuns"), + "clearCaches": MessageLookupByLibrary.simpleMessage("Limpar cache"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Limpar índices"), + "click": MessageLookupByLibrary.simpleMessage("• Clique"), + "clickOnTheOverflowMenu": + MessageLookupByLibrary.simpleMessage("• Clique no menu adicional"), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Clique para instalar a nossa melhor versão até então"), + "close": MessageLookupByLibrary.simpleMessage("Fechar"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( + "Agrupar por tempo de captura"), + "clubByFileName": + MessageLookupByLibrary.simpleMessage("Agrupar por nome do arquivo"), + "clusteringProgress": + MessageLookupByLibrary.simpleMessage("Progresso de agrupamento"), + "codeAppliedPageTitle": + MessageLookupByLibrary.simpleMessage("Código aplicado"), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Desculpe, você atingiu o limite de mudanças de código."), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Código copiado para a área de transferência"), + "codeUsedByYou": + MessageLookupByLibrary.simpleMessage("Código usado por você"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Crie um link para permitir que as pessoas adicionem e vejam fotos no seu álbum compartilhado sem a necessidade do aplicativo ou uma conta Ente. Ótimo para colecionar fotos de eventos."), + "collaborativeLink": + MessageLookupByLibrary.simpleMessage("Link colaborativo"), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Colaborador"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Colaboradores podem adicionar fotos e vídeos ao álbum compartilhado."), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("Layout"), + "collageSaved": + MessageLookupByLibrary.simpleMessage("Colagem salva na galeria"), + "collect": MessageLookupByLibrary.simpleMessage("Coletar"), + "collectEventPhotos": + MessageLookupByLibrary.simpleMessage("Coletar fotos de evento"), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Coletar fotos"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Crie um link onde seus amigos podem enviar fotos na qualidade original."), + "color": MessageLookupByLibrary.simpleMessage("Cor"), + "configuration": MessageLookupByLibrary.simpleMessage("Configuração"), + "confirm": MessageLookupByLibrary.simpleMessage("Confirmar"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Você tem certeza que queira desativar a autenticação de dois fatores?"), + "confirmAccountDeletion": + MessageLookupByLibrary.simpleMessage("Confirmar exclusão da conta"), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Sim, eu quero permanentemente excluir esta conta e os dados em todos os aplicativos."), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("Confirmar senha"), + "confirmPlanChange": + MessageLookupByLibrary.simpleMessage("Confirmar mudança de plano"), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Confirmar chave de recuperação"), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Confirme sua chave de recuperação"), + "connectToDevice": + MessageLookupByLibrary.simpleMessage("Conectar ao dispositivo"), + "contactFamilyAdmin": m18, + "contactSupport": + MessageLookupByLibrary.simpleMessage("Contatar suporte"), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Contatos"), + "contents": MessageLookupByLibrary.simpleMessage("Conteúdos"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Continuar"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "Continuar com a avaliação grátis"), + "convertToAlbum": + MessageLookupByLibrary.simpleMessage("Converter para álbum"), + "copyEmailAddress": + MessageLookupByLibrary.simpleMessage("Copiar e-mail"), + "copyLink": MessageLookupByLibrary.simpleMessage("Copiar link"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Copie e cole o código no aplicativo autenticador"), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "Nós não podemos salvar seus dados.\nNós tentaremos novamente mais tarde."), + "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( + "Não foi possível liberar espaço"), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Não foi possível atualizar a assinatura"), + "count": MessageLookupByLibrary.simpleMessage("Contagem"), + "crashReporting": + MessageLookupByLibrary.simpleMessage("Relatório de erros"), + "create": MessageLookupByLibrary.simpleMessage("Criar"), + "createAccount": MessageLookupByLibrary.simpleMessage("Criar conta"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Pressione para selecionar fotos e clique em + para criar um álbum"), + "createCollaborativeLink": + MessageLookupByLibrary.simpleMessage("Criar link colaborativo"), + "createCollage": MessageLookupByLibrary.simpleMessage("Criar colagem"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("Criar nova conta"), + "createOrSelectAlbum": + MessageLookupByLibrary.simpleMessage("Criar ou selecionar álbum"), + "createPublicLink": + MessageLookupByLibrary.simpleMessage("Criar link público"), + "creatingLink": MessageLookupByLibrary.simpleMessage("Criando link..."), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "Atualização crítica disponível"), + "crop": MessageLookupByLibrary.simpleMessage("Cortar"), + "curatedMemories": + MessageLookupByLibrary.simpleMessage("Memórias restauradas"), + "currentUsageIs": + MessageLookupByLibrary.simpleMessage("O uso atual é "), + "currentlyRunning": + MessageLookupByLibrary.simpleMessage("Atualmente executando"), + "custom": MessageLookupByLibrary.simpleMessage("Personalizado"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Escuro"), + "dayToday": MessageLookupByLibrary.simpleMessage("Hoje"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Ontem"), + "declineTrustInvite": + MessageLookupByLibrary.simpleMessage("Recusar convite"), + "decrypting": + MessageLookupByLibrary.simpleMessage("Descriptografando..."), + "decryptingVideo": + MessageLookupByLibrary.simpleMessage("Descriptografando vídeo..."), + "deduplicateFiles": + MessageLookupByLibrary.simpleMessage("Arquivos duplicados"), + "delete": MessageLookupByLibrary.simpleMessage("Excluir"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Excluir conta"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Lamentamos você ir. Compartilhe seu feedback para ajudar-nos a melhorar."), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Excluir conta permanentemente"), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Excluir álbum"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Também excluir as fotos (e vídeos) presentes neste álbum de todos os outros álbuns que eles fazem parte?"), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "Isso excluirá todos os álbuns vazios. Isso é útil quando você quiser reduzir a desordem no seu álbum."), + "deleteAll": MessageLookupByLibrary.simpleMessage("Excluir tudo"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "Esta conta está vinculada aos outros aplicativos do Ente, se você usar algum. Seus dados baixados, entre todos os aplicativos do Ente, serão programados para exclusão, e sua conta será permanentemente excluída."), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Por favor, envie um e-mail a account-deletion@ente.io do seu e-mail registrado."), + "deleteEmptyAlbums": + MessageLookupByLibrary.simpleMessage("Excluir álbuns vazios"), + "deleteEmptyAlbumsWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Excluir álbuns vazios?"), + "deleteFromBoth": + MessageLookupByLibrary.simpleMessage("Excluir de ambos"), + "deleteFromDevice": + MessageLookupByLibrary.simpleMessage("Excluir do dispositivo"), + "deleteFromEnte": + MessageLookupByLibrary.simpleMessage("Excluir do Ente"), + "deleteItemCount": m21, + "deleteLocation": + MessageLookupByLibrary.simpleMessage("Excluir localização"), + "deleteMultipleAlbumDialog": m22, + "deletePhotos": MessageLookupByLibrary.simpleMessage("Excluir fotos"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Está faltando um recurso-chave que eu preciso"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "O aplicativo ou um certo recurso não funciona da maneira que eu acredito que deveria funcionar"), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Encontrei outro serviço que considero melhor"), + "deleteReason4": + MessageLookupByLibrary.simpleMessage("Meu motivo não está listado"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Sua solicitação será revisada em até 72 horas."), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Excluir álbum compartilhado?"), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "O álbum será apagado para todos\n\nVocê perderá o acesso a fotos compartilhadas neste álbum que pertencem aos outros"), + "deselectAll": + MessageLookupByLibrary.simpleMessage("Deselecionar tudo"), + "designedToOutlive": + MessageLookupByLibrary.simpleMessage("Feito para reviver memórias"), + "details": MessageLookupByLibrary.simpleMessage("Detalhes"), + "developerSettings": + MessageLookupByLibrary.simpleMessage("Opções de desenvolvedor"), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Deseja modificar as Opções de Desenvolvedor?"), + "deviceCodeHint": + MessageLookupByLibrary.simpleMessage("Insira o código"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "Arquivos adicionados ao álbum do dispositivo serão automaticamente enviados para o Ente."), + "deviceLock": + MessageLookupByLibrary.simpleMessage("Bloqueio do dispositivo"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Desativa o bloqueio de tela se o Ente estiver de fundo e uma cópia de segurança ainda estiver em andamento. Às vezes, isso não é necessário, mas ajuda a agilizar envios grandes e importações iniciais de bibliotecas maiores."), + "deviceNotFound": + MessageLookupByLibrary.simpleMessage("Dispositivo não encontrado"), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Você sabia?"), + "different": MessageLookupByLibrary.simpleMessage("Diferente"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage( + "Desativar bloqueio automático"), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Os visualizadores podem fazer capturas de tela ou salvar uma cópia de suas fotos usando ferramentas externas"), + "disableDownloadWarningTitle": + MessageLookupByLibrary.simpleMessage("Por favor, saiba que"), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "Desativar autenticação de dois fatores"), + "disablingTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Desativando a autenticação de dois fatores..."), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Explorar"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Bebês"), + "discover_celebrations": + MessageLookupByLibrary.simpleMessage("Comemorações"), + "discover_food": MessageLookupByLibrary.simpleMessage("Comida"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Vegetação"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Colinas"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Identidade"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Notas"), + "discover_pets": + MessageLookupByLibrary.simpleMessage("Animais de estimação"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Recibos"), + "discover_screenshots": + MessageLookupByLibrary.simpleMessage("Capturas de tela"), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfies"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Pôr do sol"), + "discover_visiting_cards": + MessageLookupByLibrary.simpleMessage("Cartões de visita"), + "discover_wallpapers": + MessageLookupByLibrary.simpleMessage("Papéis de parede"), + "dismiss": MessageLookupByLibrary.simpleMessage("Descartar"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage("Não sair"), + "doThisLater": + MessageLookupByLibrary.simpleMessage("Fazer isso depois"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Você quer descartar as edições que você fez?"), + "done": MessageLookupByLibrary.simpleMessage("Concluído"), + "dontSave": MessageLookupByLibrary.simpleMessage("Não salvar"), + "doubleYourStorage": + MessageLookupByLibrary.simpleMessage("Duplique seu armazenamento"), + "download": MessageLookupByLibrary.simpleMessage("Baixar"), + "downloadFailed": + MessageLookupByLibrary.simpleMessage("Falhou ao baixar"), + "downloading": MessageLookupByLibrary.simpleMessage("Baixando..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Editar"), + "editEmailAlreadyLinked": m28, + "editLocation": + MessageLookupByLibrary.simpleMessage("Editar localização"), + "editLocationTagTitle": + MessageLookupByLibrary.simpleMessage("Editar localização"), + "editPerson": MessageLookupByLibrary.simpleMessage("Editar pessoa"), + "editTime": MessageLookupByLibrary.simpleMessage("Editar tempo"), + "editsSaved": MessageLookupByLibrary.simpleMessage("Edições salvas"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Edições à localização serão apenas vistos no Ente"), + "eligible": MessageLookupByLibrary.simpleMessage("elegível"), + "email": MessageLookupByLibrary.simpleMessage("E-mail"), + "emailAlreadyRegistered": + MessageLookupByLibrary.simpleMessage("E-mail já registrado."), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": + MessageLookupByLibrary.simpleMessage("E-mail não registrado."), + "emailVerificationToggle": + MessageLookupByLibrary.simpleMessage("Verificação por e-mail"), + "emailYourLogs": + MessageLookupByLibrary.simpleMessage("Enviar registros por e-mail"), + "embracingThem": m32, + "emergencyContacts": + MessageLookupByLibrary.simpleMessage("Contatos de emergência"), + "empty": MessageLookupByLibrary.simpleMessage("Esvaziar"), + "emptyTrash": + MessageLookupByLibrary.simpleMessage("Esvaziar a lixeira?"), + "enable": MessageLookupByLibrary.simpleMessage("Ativar"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "Ente fornece aprendizado automático no dispositivo para reconhecimento facial, busca mágica e outros recursos de busca avançados."), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Ativar o aprendizado automático para busca mágica e reconhecimento facial"), + "enableMaps": MessageLookupByLibrary.simpleMessage("Ativar mapas"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "Isso exibirá suas fotos em um mapa mundial.\n\nEste mapa é hospedado por Open Street Map, e as exatas localizações das fotos nunca serão compartilhadas.\n\nVocê pode desativar esta função a qualquer momento em Opções."), + "enabled": MessageLookupByLibrary.simpleMessage("Ativado"), + "encryptingBackup": MessageLookupByLibrary.simpleMessage( + "Criptografando salvar em segurança..."), + "encryption": MessageLookupByLibrary.simpleMessage("Criptografia"), + "encryptionKeys": + MessageLookupByLibrary.simpleMessage("Chaves de criptografia"), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Ponto final atualizado com sucesso"), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Criptografado de ponta a ponta por padrão"), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente pode criptografar e preservar arquivos apenas se você conceder acesso a eles"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente precisa de permissão para preservar suas fotos"), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "O Ente preserva suas memórias, então eles sempre estão disponíveis para você, mesmo se você perder o dispositivo."), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Sua família também poderá ser adicionada ao seu plano."), + "enterAlbumName": + MessageLookupByLibrary.simpleMessage("Inserir nome do álbum"), + "enterCode": MessageLookupByLibrary.simpleMessage("Inserir código"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Insira o código fornecido por um amigo para reivindicar armazenamento grátis para ambos"), + "enterDateOfBirth": + MessageLookupByLibrary.simpleMessage("Aniversário (opcional)"), + "enterEmail": MessageLookupByLibrary.simpleMessage("Inserir e-mail"), + "enterFileName": + MessageLookupByLibrary.simpleMessage("Inserir nome do arquivo"), + "enterName": MessageLookupByLibrary.simpleMessage("Inserir nome"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Insira uma senha nova para criptografar seus dados"), + "enterPassword": MessageLookupByLibrary.simpleMessage("Inserir senha"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Insira uma senha que podemos usar para criptografar seus dados"), + "enterPersonName": + MessageLookupByLibrary.simpleMessage("Inserir nome da pessoa"), + "enterPin": MessageLookupByLibrary.simpleMessage("Inserir PIN"), + "enterReferralCode": MessageLookupByLibrary.simpleMessage( + "Inserir código de referência"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Digite o código de 6 dígitos do\naplicativo autenticador"), + "enterValidEmail": + MessageLookupByLibrary.simpleMessage("Insira um e-mail válido."), + "enterYourEmailAddress": + MessageLookupByLibrary.simpleMessage("Insira seu e-mail"), + "enterYourNewEmailAddress": + MessageLookupByLibrary.simpleMessage("Insira seu novo e-mail"), + "enterYourPassword": + MessageLookupByLibrary.simpleMessage("Insira sua senha"), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Insira sua chave de recuperação"), + "error": MessageLookupByLibrary.simpleMessage("Erro"), + "everywhere": + MessageLookupByLibrary.simpleMessage("em todas as partes"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": + MessageLookupByLibrary.simpleMessage("Usuário existente"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "O link expirou. Selecione um novo tempo de expiração ou desative a expiração do link."), + "exportLogs": + MessageLookupByLibrary.simpleMessage("Exportar registros"), + "exportYourData": + MessageLookupByLibrary.simpleMessage("Exportar dados"), + "extraPhotosFound": MessageLookupByLibrary.simpleMessage( + "Fotos adicionais encontradas"), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Rosto não agrupado ainda, volte aqui mais tarde"), + "faceRecognition": + MessageLookupByLibrary.simpleMessage("Reconhecimento facial"), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "Incapaz de gerar miniaturas de rosto"), + "faces": MessageLookupByLibrary.simpleMessage("Rostos"), + "failed": MessageLookupByLibrary.simpleMessage("Falhou"), + "failedToApplyCode": + MessageLookupByLibrary.simpleMessage("Falhou ao aplicar código"), + "failedToCancel": + MessageLookupByLibrary.simpleMessage("Falhou ao cancelar"), + "failedToDownloadVideo": + MessageLookupByLibrary.simpleMessage("Falhou ao baixar vídeo"), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Falhou ao obter sessões ativas"), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Falhou ao obter original para edição"), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Não foi possível buscar os detalhes de referência. Tente novamente mais tarde."), + "failedToLoadAlbums": + MessageLookupByLibrary.simpleMessage("Falhou ao carregar álbuns"), + "failedToPlayVideo": + MessageLookupByLibrary.simpleMessage("Falhou ao reproduzir vídeo"), + "failedToRefreshStripeSubscription": + MessageLookupByLibrary.simpleMessage( + "Falhou ao atualizar assinatura"), + "failedToRenew": + MessageLookupByLibrary.simpleMessage("Falhou ao renovar"), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Falhou ao verificar estado do pagamento"), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Adicione 5 familiares para seu plano existente sem pagar nenhum custo adicional.\n\nCada membro ganha seu espaço privado, significando que eles não podem ver os arquivos dos outros a menos que eles sejam compartilhados.\n\nOs planos familiares estão disponíveis para clientes que já tem uma assinatura paga do Ente.\n\nAssine agora para iniciar!"), + "familyPlanPortalTitle": + MessageLookupByLibrary.simpleMessage("Família"), + "familyPlans": + MessageLookupByLibrary.simpleMessage("Planos familiares"), + "faq": MessageLookupByLibrary.simpleMessage("Perguntas frequentes"), + "faqs": MessageLookupByLibrary.simpleMessage("Perguntas frequentes"), + "favorite": MessageLookupByLibrary.simpleMessage("Favorito"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("Feedback"), + "file": MessageLookupByLibrary.simpleMessage("Arquivo"), + "fileAnalysisFailed": + MessageLookupByLibrary.simpleMessage("Incapaz de analisar rosto"), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Falhou ao salvar arquivo na galeria"), + "fileInfoAddDescHint": + MessageLookupByLibrary.simpleMessage("Adicionar descrição..."), + "fileNotUploadedYet": + MessageLookupByLibrary.simpleMessage("Arquivo ainda não enviado"), + "fileSavedToGallery": + MessageLookupByLibrary.simpleMessage("Arquivo salvo na galeria"), + "fileTypes": MessageLookupByLibrary.simpleMessage("Tipos de arquivo"), + "fileTypesAndNames": + MessageLookupByLibrary.simpleMessage("Tipos de arquivo e nomes"), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": + MessageLookupByLibrary.simpleMessage("Arquivos excluídos"), + "filesSavedToGallery": + MessageLookupByLibrary.simpleMessage("Arquivos salvos na galeria"), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "Busque pessoas facilmente pelo nome"), + "findThemQuickly": + MessageLookupByLibrary.simpleMessage("Busque-os rapidamente"), + "flip": MessageLookupByLibrary.simpleMessage("Inverter"), + "food": MessageLookupByLibrary.simpleMessage("Delícias de cozinha"), + "forYourMemories": + MessageLookupByLibrary.simpleMessage("para suas memórias"), + "forgotPassword": + MessageLookupByLibrary.simpleMessage("Esqueci a senha"), + "foundFaces": + MessageLookupByLibrary.simpleMessage("Rostos encontrados"), + "freeStorageClaimed": + MessageLookupByLibrary.simpleMessage("Armaz. grátis reivindicado"), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": + MessageLookupByLibrary.simpleMessage("Armazenamento disponível"), + "freeTrial": MessageLookupByLibrary.simpleMessage("Avaliação grátis"), + "freeTrialValidTill": m38, + "freeUpAccessPostDelete": m39, + "freeUpAmount": m40, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( + "Liberar espaço no dispositivo"), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Economize espaço em seu dispositivo por limpar arquivos já salvos com segurança."), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("Liberar espaço"), + "freeUpSpaceSaving": m41, + "gallery": MessageLookupByLibrary.simpleMessage("Galeria"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "Até 1.000 memórias exibidas na galeria"), + "general": MessageLookupByLibrary.simpleMessage("Geral"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Gerando chaves de criptografia..."), + "genericProgress": m42, + "goToSettings": MessageLookupByLibrary.simpleMessage("Ir às opções"), + "googlePlayId": + MessageLookupByLibrary.simpleMessage("ID do Google Play"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Permita o acesso a todas as fotos nas opções do aplicativo"), + "grantPermission": + MessageLookupByLibrary.simpleMessage("Conceder permissões"), + "greenery": MessageLookupByLibrary.simpleMessage("A vegetação verde"), + "groupNearbyPhotos": + MessageLookupByLibrary.simpleMessage("Agrupar fotos próximas"), + "guestView": MessageLookupByLibrary.simpleMessage("Vista do convidado"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "Para ativar a vista do convidado, defina uma senha de acesso no dispositivo ou bloqueie sua tela nas opções do sistema."), + "happyBirthday": + MessageLookupByLibrary.simpleMessage("Feliz aniversário! 🥳"), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "Não rastreamos instalações de aplicativo. Seria útil se você contasse onde nos encontrou!"), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Como você soube do Ente? (opcional)"), + "help": MessageLookupByLibrary.simpleMessage("Ajuda"), + "hidden": MessageLookupByLibrary.simpleMessage("Oculto"), + "hide": MessageLookupByLibrary.simpleMessage("Ocultar"), + "hideContent": MessageLookupByLibrary.simpleMessage("Ocultar conteúdo"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Oculta os conteúdos do aplicativo no seletor de aplicativos e desativa capturas de tela"), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Oculta o conteúdo no seletor de aplicativos"), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Ocultar itens compartilhados da galeria inicial"), + "hiding": MessageLookupByLibrary.simpleMessage("Ocultando..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": + MessageLookupByLibrary.simpleMessage("Hospedado em OSM France"), + "howItWorks": MessageLookupByLibrary.simpleMessage("Como funciona"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Peça-os para pressionarem no e-mail a partir das Opções, e verifique-se os IDs de ambos os dispositivos correspondem."), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "A autenticação biométrica não está definida no dispositivo. Ative o Touch ID ou Face ID no dispositivo."), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "A autenticação biométrica está desativada. Bloqueie e desbloqueie sua tela para ativá-la."), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), + "ignore": MessageLookupByLibrary.simpleMessage("Ignorar"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorar"), + "ignored": MessageLookupByLibrary.simpleMessage("ignorado"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Alguns arquivos neste álbum são ignorados do envio porque eles foram anteriormente excluídos do Ente."), + "imageNotAnalyzed": + MessageLookupByLibrary.simpleMessage("Imagem não analisada"), + "immediately": MessageLookupByLibrary.simpleMessage("Imediatamente"), + "importing": MessageLookupByLibrary.simpleMessage("Importando...."), + "incorrectCode": + MessageLookupByLibrary.simpleMessage("Código incorreto"), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("Senha incorreta"), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Chave de recuperação incorreta"), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "A chave de recuperação inserida está incorreta"), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Chave de recuperação incorreta"), + "indexedItems": MessageLookupByLibrary.simpleMessage("Itens indexados"), + "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( + "A indexação foi pausada. Ela retomará automaticamente quando o dispositivo estiver pronto. O dispositivo é considerado pronto quando o nível de bateria, saúde da bateria, e estado térmico estejam num alcance saudável."), + "ineligible": MessageLookupByLibrary.simpleMessage("Inelegível"), + "info": MessageLookupByLibrary.simpleMessage("Info"), + "insecureDevice": + MessageLookupByLibrary.simpleMessage("Dispositivo inseguro"), + "installManually": + MessageLookupByLibrary.simpleMessage("Instalar manualmente"), + "invalidEmailAddress": + MessageLookupByLibrary.simpleMessage("E-mail inválido"), + "invalidEndpoint": + MessageLookupByLibrary.simpleMessage("Ponto final inválido"), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Desculpe, o ponto final inserido é inválido. Insira um ponto final válido e tente novamente."), + "invalidKey": MessageLookupByLibrary.simpleMessage("Chave inválida"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "A chave de recuperação que você inseriu não é válida. Certifique-se de conter 24 caracteres, e verifique a ortografia de cada um deles.\n\nSe você inseriu um código de recuperação mais antigo, verifique se ele tem 64 caracteres e verifique cada um deles."), + "invite": MessageLookupByLibrary.simpleMessage("Convidar"), + "inviteToEnte": + MessageLookupByLibrary.simpleMessage("Convidar ao Ente"), + "inviteYourFriends": + MessageLookupByLibrary.simpleMessage("Convide seus amigos"), + "inviteYourFriendsToEnte": + MessageLookupByLibrary.simpleMessage("Convide seus amigos ao Ente"), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Parece que algo deu errado. Tente novamente mais tarde. Caso o erro persistir, por favor, entre em contato com nossa equipe."), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "Os itens exibem o número de dias restantes antes da exclusão permanente"), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Os itens selecionados serão removidos deste álbum"), + "join": MessageLookupByLibrary.simpleMessage("Unir-se"), + "joinAlbum": MessageLookupByLibrary.simpleMessage("Unir-se ao álbum"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "Unir-se ao álbum fará que seu e-mail seja visível a todos do álbum."), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( + "para visualizar e adicionar suas fotos"), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "para adicionar isso aos álbuns compartilhados"), + "joinDiscord": + MessageLookupByLibrary.simpleMessage("Junte-se ao Discord"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Manter fotos"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Ajude-nos com esta informação"), + "language": MessageLookupByLibrary.simpleMessage("Idioma"), + "lastTimeWithThem": m45, + "lastUpdated": + MessageLookupByLibrary.simpleMessage("Última atualização"), + "lastYearsTrip": + MessageLookupByLibrary.simpleMessage("Viajem do ano passado"), + "leave": MessageLookupByLibrary.simpleMessage("Sair"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Sair do álbum"), + "leaveFamily": + MessageLookupByLibrary.simpleMessage("Sair do plano familiar"), + "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Sair do álbum compartilhado?"), + "left": MessageLookupByLibrary.simpleMessage("Esquerda"), + "legacy": MessageLookupByLibrary.simpleMessage("Legado"), + "legacyAccounts": + MessageLookupByLibrary.simpleMessage("Contas legadas"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "O legado permite que contatos confiáveis acessem sua conta em sua ausência."), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "Contatos confiáveis podem iniciar recuperação de conta. Se não cancelado dentro de 30 dias, redefina sua senha e acesse sua conta."), + "light": MessageLookupByLibrary.simpleMessage("Brilho"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Claro"), + "link": MessageLookupByLibrary.simpleMessage("Vincular"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Link copiado para a área de transferência"), + "linkDeviceLimit": + MessageLookupByLibrary.simpleMessage("Limite do dispositivo"), + "linkEmail": MessageLookupByLibrary.simpleMessage("Vincular e-mail"), + "linkEmailToContactBannerCaption": + MessageLookupByLibrary.simpleMessage("para compartilhar rápido"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Ativado"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Expirado"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Expiração do link"), + "linkHasExpired": + MessageLookupByLibrary.simpleMessage("O link expirou"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Nunca"), + "linkPerson": MessageLookupByLibrary.simpleMessage("Vincular pessoa"), + "linkPersonCaption": MessageLookupByLibrary.simpleMessage( + "para melhorar o compartilhamento"), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("Fotos animadas"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "Você pode compartilhar sua assinatura com seus familiares"), + "loadMessage2": MessageLookupByLibrary.simpleMessage( + "Preservamos mais de 200 milhões de memórias até então"), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "Mantemos 3 cópias dos seus dados, uma em um abrigo subterrâneo"), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "Todos os nossos aplicativos são de código aberto"), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Nosso código-fonte e criptografia foram auditadas externamente"), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "Você pode compartilhar links para seus álbuns com seus entes queridos"), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Nossos aplicativos móveis são executados em segundo plano para criptografar e salvar em segurança quaisquer fotos novas que você acessar"), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io tem um enviador mais rápido"), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Nós usamos Xchacha20Poly1305 para criptografar seus dados com segurança"), + "loadingExifData": + MessageLookupByLibrary.simpleMessage("Carregando dados EXIF..."), + "loadingGallery": + MessageLookupByLibrary.simpleMessage("Carregando galeria..."), + "loadingMessage": + MessageLookupByLibrary.simpleMessage("Carregando suas fotos..."), + "loadingModel": + MessageLookupByLibrary.simpleMessage("Baixando modelos..."), + "loadingYourPhotos": + MessageLookupByLibrary.simpleMessage("Carregando suas fotos..."), + "localGallery": MessageLookupByLibrary.simpleMessage("Galeria local"), + "localIndexing": + MessageLookupByLibrary.simpleMessage("Indexação local"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Ocorreu um erro devido à sincronização de localização das fotos estar levando mais tempo que o esperado. Entre em contato conosco."), + "location": MessageLookupByLibrary.simpleMessage("Localização"), + "locationName": + MessageLookupByLibrary.simpleMessage("Nome da localização"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Uma etiqueta de localização agrupa todas as fotos fotografadas em algum raio de uma foto"), + "locations": MessageLookupByLibrary.simpleMessage("Localizações"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Bloquear"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Tela de bloqueio"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Entrar"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Desconectando..."), + "loginSessionExpired": + MessageLookupByLibrary.simpleMessage("Sessão expirada"), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "Sua sessão expirou. Registre-se novamente."), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Ao clicar em entrar, eu concordo com os termos de serviço e a política de privacidade"), + "loginWithTOTP": + MessageLookupByLibrary.simpleMessage("Registrar com TOTP"), + "logout": MessageLookupByLibrary.simpleMessage("Encerrar sessão"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "Isso enviará através dos registros para ajudar-nos a resolver seu problema. Saiba que, nome de arquivos serão incluídos para ajudar a buscar problemas com arquivos específicos."), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Pressione um e-mail para verificar a criptografia ponta a ponta."), + "longpressOnAnItemToViewInFullscreen": + MessageLookupByLibrary.simpleMessage( + "Mantenha pressionado em um item para visualizá-lo em tela cheia"), + "lookBackOnYourMemories": + MessageLookupByLibrary.simpleMessage("Revise suas memórias 🌄"), + "loopVideoOff": + MessageLookupByLibrary.simpleMessage("Repetir vídeo desativado"), + "loopVideoOn": + MessageLookupByLibrary.simpleMessage("Repetir vídeo ativado"), + "lostDevice": + MessageLookupByLibrary.simpleMessage("Perdeu o dispositivo?"), + "machineLearning": + MessageLookupByLibrary.simpleMessage("Aprendizado automático"), + "magicSearch": MessageLookupByLibrary.simpleMessage("Busca mágica"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "A busca mágica permite buscar fotos pelo conteúdo, p. e.x. \'flor\', \'carro vermelho\', \'identidade\'"), + "manage": MessageLookupByLibrary.simpleMessage("Gerenciar"), + "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( + "Gerenciar cache do dispositivo"), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Reveja e limpe o armazenamento de cache local."), + "manageFamily": + MessageLookupByLibrary.simpleMessage("Gerenciar família"), + "manageLink": MessageLookupByLibrary.simpleMessage("Gerenciar link"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Gerenciar"), + "manageSubscription": + MessageLookupByLibrary.simpleMessage("Gerenciar assinatura"), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "Parear com PIN funciona com qualquer tela que queira visualizar seu álbum."), + "map": MessageLookupByLibrary.simpleMessage("Mapa"), + "maps": MessageLookupByLibrary.simpleMessage("Mapas"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("Eu"), + "memories": MessageLookupByLibrary.simpleMessage("Memórias"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Selecione os tipos de memórias que deseje vê-las na sua tela inicial."), + "memoryCount": m50, + "merchandise": MessageLookupByLibrary.simpleMessage("Produtos"), + "merge": MessageLookupByLibrary.simpleMessage("Mesclar"), + "mergeWithExisting": + MessageLookupByLibrary.simpleMessage("Juntar com o existente"), + "mergedPhotos": MessageLookupByLibrary.simpleMessage("Fotos mescladas"), + "mlConsent": MessageLookupByLibrary.simpleMessage( + "Ativar o aprendizado automático"), + "mlConsentConfirmation": + MessageLookupByLibrary.simpleMessage("Concordo e desejo ativá-lo"), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Se ativar o aprendizado automático, Ente extrairá informações de geometria facial dos arquivos, incluindo aqueles compartilhados consigo.\n\nIsso acontecerá em seu dispositivo, e qualquer informação biométrica gerada será criptografada de ponta a ponta."), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Clique aqui para mais detalhes sobre este recurso na política de privacidade"), + "mlConsentTitle": + MessageLookupByLibrary.simpleMessage("Ativar aprendizado auto.?"), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Saiba que o aprendizado automático afetará a bateria do dispositivo negativamente até todos os itens serem indexados. Utilize a versão para computadores para melhor indexação, todos os resultados se auto-sincronizaram."), + "mobileWebDesktop": + MessageLookupByLibrary.simpleMessage("Celular, Web, Computador"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Moderado"), + "modifyYourQueryOrTrySearchingFor": + MessageLookupByLibrary.simpleMessage( + "Altere o termo de busca ou tente consultar"), + "moments": MessageLookupByLibrary.simpleMessage("Momentos"), + "month": MessageLookupByLibrary.simpleMessage("mês"), + "monthly": MessageLookupByLibrary.simpleMessage("Mensal"), + "moon": MessageLookupByLibrary.simpleMessage("Na luz do luar"), + "moreDetails": MessageLookupByLibrary.simpleMessage("Mais detalhes"), + "mostRecent": MessageLookupByLibrary.simpleMessage("Mais recente"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("Mais relevante"), + "mountains": MessageLookupByLibrary.simpleMessage("Sob as montanhas"), + "moveItem": m51, + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "Mover fotos selecionadas para uma data"), + "moveToAlbum": + MessageLookupByLibrary.simpleMessage("Mover para o álbum"), + "moveToHiddenAlbum": + MessageLookupByLibrary.simpleMessage("Mover ao álbum oculto"), + "movedSuccessfullyTo": m52, + "movedToTrash": + MessageLookupByLibrary.simpleMessage("Movido para a lixeira"), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Movendo arquivos para o álbum..."), + "name": MessageLookupByLibrary.simpleMessage("Nome"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Nomear álbum"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Não foi possível conectar ao Ente, tente novamente mais tarde. Se o erro persistir, entre em contato com o suporte."), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Não foi possível conectar-se ao Ente, verifique suas configurações de rede e entre em contato com o suporte se o erro persistir."), + "never": MessageLookupByLibrary.simpleMessage("Nunca"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Novo álbum"), + "newLocation": MessageLookupByLibrary.simpleMessage("Nova localização"), + "newPerson": MessageLookupByLibrary.simpleMessage("Nova pessoa"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" novo 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("Novo intervalo"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Novo no Ente"), + "newest": MessageLookupByLibrary.simpleMessage("Mais recente"), + "next": MessageLookupByLibrary.simpleMessage("Próximo"), + "no": MessageLookupByLibrary.simpleMessage("Não"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Nenhum álbum compartilhado por você ainda"), + "noDeviceFound": MessageLookupByLibrary.simpleMessage( + "Nenhum dispositivo encontrado"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Nenhum"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "Você não tem arquivos neste dispositivo que possam ser excluídos"), + "noDuplicates": + MessageLookupByLibrary.simpleMessage("✨ Sem duplicatas"), + "noEnteAccountExclamation": + MessageLookupByLibrary.simpleMessage("Nenhuma conta Ente!"), + "noExifData": MessageLookupByLibrary.simpleMessage("Sem dados EXIF"), + "noFacesFound": + MessageLookupByLibrary.simpleMessage("Nenhum rosto encontrado"), + "noHiddenPhotosOrVideos": + MessageLookupByLibrary.simpleMessage("Sem fotos ou vídeos ocultos"), + "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( + "Nenhuma imagem com localização"), + "noInternetConnection": + MessageLookupByLibrary.simpleMessage("Sem conexão à internet"), + "noPhotosAreBeingBackedUpRightNow": + MessageLookupByLibrary.simpleMessage( + "No momento não há fotos sendo salvas em segurança"), + "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( + "Nenhuma foto encontrada aqui"), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( + "Nenhum link rápido selecionado"), + "noRecoveryKey": + MessageLookupByLibrary.simpleMessage("Sem chave de recuperação?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Devido à natureza do nosso protocolo de criptografia de ponta a ponta, seus dados não podem ser descriptografados sem sua senha ou chave de recuperação"), + "noResults": MessageLookupByLibrary.simpleMessage("Nenhum resultado"), + "noResultsFound": + MessageLookupByLibrary.simpleMessage("Nenhum resultado encontrado"), + "noSuggestionsForPerson": m53, + "noSystemLockFound": MessageLookupByLibrary.simpleMessage( + "Nenhum bloqueio do sistema encontrado"), + "notPersonLabel": m54, + "notThisPerson": + MessageLookupByLibrary.simpleMessage("Não é esta pessoa?"), + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "Nada compartilhado com você ainda"), + "nothingToSeeHere": + MessageLookupByLibrary.simpleMessage("Nada para ver aqui! 👀"), + "notifications": MessageLookupByLibrary.simpleMessage("Notificações"), + "ok": MessageLookupByLibrary.simpleMessage("OK"), + "onDevice": MessageLookupByLibrary.simpleMessage("No dispositivo"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "No ente"), + "onTheRoad": + MessageLookupByLibrary.simpleMessage("Na estrada novamente"), + "onThisDay": MessageLookupByLibrary.simpleMessage("Neste dia"), + "onThisDayMemories": + MessageLookupByLibrary.simpleMessage("Memórias deste dia"), + "onThisDayNotificationExplanation": + MessageLookupByLibrary.simpleMessage( + "Receba lembretes de memórias deste dia em anos passados."), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Apenas eles"), + "oops": MessageLookupByLibrary.simpleMessage("Ops"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Opa! Não foi possível salvar as edições"), + "oopsSomethingWentWrong": + MessageLookupByLibrary.simpleMessage("Ops, algo deu errado"), + "openAlbumInBrowser": + MessageLookupByLibrary.simpleMessage("Abrir álbum no navegador"), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Use o aplicativo da web para adicionar fotos a este álbum"), + "openFile": MessageLookupByLibrary.simpleMessage("Abrir arquivo"), + "openSettings": MessageLookupByLibrary.simpleMessage("Abrir opções"), + "openTheItem": + MessageLookupByLibrary.simpleMessage("• Abra a foto ou vídeo"), + "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( + "Contribuidores do OpenStreetMap"), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Opcional, tão curto como quiser..."), + "orMergeWithExistingPerson": + MessageLookupByLibrary.simpleMessage("Ou mesclar com existente"), + "orPickAnExistingOne": + MessageLookupByLibrary.simpleMessage("Ou escolha um existente"), + "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( + "ou escolher dos seus contatos"), + "otherDetectedFaces": + MessageLookupByLibrary.simpleMessage("Outros rostos detectados"), + "pair": MessageLookupByLibrary.simpleMessage("Parear"), + "pairWithPin": MessageLookupByLibrary.simpleMessage("Parear com PIN"), + "pairingComplete": + MessageLookupByLibrary.simpleMessage("Pareamento concluído"), + "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), + "partyWithThem": m56, + "passKeyPendingVerification": + MessageLookupByLibrary.simpleMessage("Verificação pendente"), + "passkey": MessageLookupByLibrary.simpleMessage("Chave de acesso"), + "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( + "Verificação de chave de acesso"), + "password": MessageLookupByLibrary.simpleMessage("Senha"), + "passwordChangedSuccessfully": + MessageLookupByLibrary.simpleMessage("Senha alterada com sucesso"), + "passwordLock": + MessageLookupByLibrary.simpleMessage("Bloqueio por senha"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "A força da senha é calculada considerando o comprimento dos dígitos, carácteres usados, e se ou não a senha aparece nas 10.000 senhas usadas."), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Nós não armazenamos esta senha, se você esquecer, nós não poderemos descriptografar seus dados"), + "pastYearsMemories": + MessageLookupByLibrary.simpleMessage("Memórias dos anos passados"), + "paymentDetails": + MessageLookupByLibrary.simpleMessage("Detalhes de pagamento"), + "paymentFailed": + MessageLookupByLibrary.simpleMessage("O pagamento falhou"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "Infelizmente o pagamento falhou. Entre em contato com o suporte e nós ajudaremos você!"), + "paymentFailedTalkToProvider": m58, + "pendingItems": MessageLookupByLibrary.simpleMessage("Itens pendentes"), + "pendingSync": + MessageLookupByLibrary.simpleMessage("Sincronização pendente"), + "people": MessageLookupByLibrary.simpleMessage("Pessoas"), + "peopleUsingYourCode": + MessageLookupByLibrary.simpleMessage("Pessoas que usou o código"), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Selecione as pessoas que deseje vê-las na sua tela inicial."), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Todos os itens na lixeira serão excluídos permanentemente\n\nEsta ação não pode ser desfeita"), + "permanentlyDelete": + MessageLookupByLibrary.simpleMessage("Excluir permanentemente"), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Excluir permanentemente do dispositivo?"), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("Nome da pessoa"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("Companhias peludas"), + "photoDescriptions": + MessageLookupByLibrary.simpleMessage("Descrições das fotos"), + "photoGridSize": + MessageLookupByLibrary.simpleMessage("Tamanho da grade de fotos"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("Fotos"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "Suas fotos adicionadas serão removidas do álbum"), + "photosCount": m62, + "photosKeepRelativeTimeDifference": + MessageLookupByLibrary.simpleMessage( + "As fotos mantêm a diferença de tempo relativo"), + "pickCenterPoint": + MessageLookupByLibrary.simpleMessage("Escolha o ponto central"), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Fixar álbum"), + "pinLock": MessageLookupByLibrary.simpleMessage("Bloqueio por PIN"), + "playOnTv": + MessageLookupByLibrary.simpleMessage("Reproduzir álbum na TV"), + "playOriginal": + MessageLookupByLibrary.simpleMessage("Reproduzir original"), + "playStoreFreeTrialValidTill": m63, + "playStream": + MessageLookupByLibrary.simpleMessage("Reproduzir transmissão"), + "playstoreSubscription": + MessageLookupByLibrary.simpleMessage("Assinatura da PlayStore"), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Verifique sua conexão com a internet e tente novamente."), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Entre em contato com support@ente.io e nós ficaremos felizes em ajudar!"), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Por favor, contate o suporte se o problema persistir"), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( + "Por favor, conceda as permissões"), + "pleaseLoginAgain": + MessageLookupByLibrary.simpleMessage("Registre-se novamente"), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Selecione links rápidos para remover"), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": + MessageLookupByLibrary.simpleMessage("Tente novamente"), + "pleaseVerifyTheCodeYouHaveEntered": + MessageLookupByLibrary.simpleMessage("Verifique o código inserido"), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Aguarde..."), + "pleaseWaitDeletingAlbum": + MessageLookupByLibrary.simpleMessage("Aguarde, excluindo álbum"), + "pleaseWaitForSometimeBeforeRetrying": + MessageLookupByLibrary.simpleMessage( + "Por favor, aguarde mais algum tempo antes de tentar novamente"), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "Aguarde um pouco, isso talvez leve um tempo."), + "posingWithThem": m66, + "preparingLogs": + MessageLookupByLibrary.simpleMessage("Preparando registros..."), + "preserveMore": MessageLookupByLibrary.simpleMessage("Preservar mais"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Pressione e segure para reproduzir o vídeo"), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Pressione e segure na imagem para reproduzir o vídeo"), + "previous": MessageLookupByLibrary.simpleMessage("Anterior"), + "privacy": MessageLookupByLibrary.simpleMessage("Privacidade"), + "privacyPolicyTitle": + MessageLookupByLibrary.simpleMessage("Política de Privacidade"), + "privateBackups": + MessageLookupByLibrary.simpleMessage("Cópias privadas"), + "privateSharing": + MessageLookupByLibrary.simpleMessage("Compartilha privada"), + "proceed": MessageLookupByLibrary.simpleMessage("Continuar"), + "processed": MessageLookupByLibrary.simpleMessage("Processado"), + "processing": MessageLookupByLibrary.simpleMessage("Processando"), + "processingImport": m67, + "processingVideos": + MessageLookupByLibrary.simpleMessage("Processando vídeos"), + "publicLinkCreated": + MessageLookupByLibrary.simpleMessage("Link público criado"), + "publicLinkEnabled": + MessageLookupByLibrary.simpleMessage("Link público ativo"), + "questionmark": MessageLookupByLibrary.simpleMessage("?"), + "queued": MessageLookupByLibrary.simpleMessage("Na fila"), + "quickLinks": MessageLookupByLibrary.simpleMessage("Links rápidos"), + "radius": MessageLookupByLibrary.simpleMessage("Raio"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Abrir ticket"), + "rateTheApp": + MessageLookupByLibrary.simpleMessage("Avalie o aplicativo"), + "rateUs": MessageLookupByLibrary.simpleMessage("Avaliar"), + "rateUsOnStore": m68, + "reassignMe": MessageLookupByLibrary.simpleMessage("Reatribuir \"Eu\""), + "reassignedToName": m69, + "reassigningLoading": + MessageLookupByLibrary.simpleMessage("Reatribuindo..."), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Receba notificações quando alguém fizer um aniversário. Tocar na notificação o levará às fotos do aniversariante."), + "recover": MessageLookupByLibrary.simpleMessage("Recuperar"), + "recoverAccount": + MessageLookupByLibrary.simpleMessage("Recuperar conta"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Recuperar"), + "recoveryAccount": + MessageLookupByLibrary.simpleMessage("Recuperar conta"), + "recoveryInitiated": + MessageLookupByLibrary.simpleMessage("A recuperação iniciou"), + "recoveryInitiatedDesc": m70, + "recoveryKey": + MessageLookupByLibrary.simpleMessage("Chave de recuperação"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Chave de recuperação copiada para a área de transferência"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Caso você esqueça sua senha, a única maneira de recuperar seus dados é com esta chave."), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Não armazenamos esta chave, salve esta chave de 24 palavras em um lugar seguro."), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Ótimo! Sua chave de recuperação é válida. Obrigada por verificar.\n\nLembre-se de manter sua chave de recuperação salva em segurança."), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Chave de recuperação verificada"), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Sua chave de recuperação é a única maneira de recuperar suas fotos se você esqueceu sua senha. Você pode encontrar sua chave de recuperação em Opções > Conta.\n\nInsira sua chave de recuperação aqui para verificar se você a salvou corretamente."), + "recoveryReady": m71, + "recoverySuccessful": + MessageLookupByLibrary.simpleMessage("Recuperação com sucesso!"), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "Um contato confiável está tentando acessar sua conta"), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "O dispositivo atual não é poderoso o suficiente para verificar sua senha, no entanto, nós podemos regenerar numa maneira que funciona em todos os dispositivos.\n\nEntre usando a chave de recuperação e regenere sua senha (você pode usar a mesma novamente se desejar)."), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("Redefinir senha"), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": + MessageLookupByLibrary.simpleMessage("Reinserir senha"), + "reenterPin": MessageLookupByLibrary.simpleMessage("Reinserir PIN"), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Recomende seus amigos e duplique seu plano"), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Envie este código aos seus amigos"), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Eles então se inscrevem num plano pago"), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Referências"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "As referências estão atualmente pausadas"), + "rejectRecovery": + MessageLookupByLibrary.simpleMessage("Rejeitar recuperação"), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "Também esvazie o \"Excluído Recentemente\" das \"Opções\" -> \"Armazenamento\" para liberar espaço"), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Também esvazie sua \"Lixeira\" para reivindicar o espaço liberado"), + "remoteImages": MessageLookupByLibrary.simpleMessage("Imagens remotas"), + "remoteThumbnails": + MessageLookupByLibrary.simpleMessage("Miniaturas remotas"), + "remoteVideos": MessageLookupByLibrary.simpleMessage("Vídeos remotos"), + "remove": MessageLookupByLibrary.simpleMessage("Remover"), + "removeDuplicates": + MessageLookupByLibrary.simpleMessage("Excluir duplicatas"), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Revise e remova arquivos que são duplicatas exatas."), + "removeFromAlbum": + MessageLookupByLibrary.simpleMessage("Remover do álbum"), + "removeFromAlbumTitle": + MessageLookupByLibrary.simpleMessage("Remover do álbum?"), + "removeFromFavorite": + MessageLookupByLibrary.simpleMessage("Desfavoritar"), + "removeInvite": MessageLookupByLibrary.simpleMessage("Remover convite"), + "removeLink": MessageLookupByLibrary.simpleMessage("Remover link"), + "removeParticipant": + MessageLookupByLibrary.simpleMessage("Remover participante"), + "removeParticipantBody": m74, + "removePersonLabel": + MessageLookupByLibrary.simpleMessage("Remover etiqueta da pessoa"), + "removePublicLink": + MessageLookupByLibrary.simpleMessage("Remover link público"), + "removePublicLinks": + MessageLookupByLibrary.simpleMessage("Remover link público"), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Alguns dos itens que você está removendo foram adicionados por outras pessoas, e você perderá o acesso a eles"), + "removeWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Remover?"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Remover si mesmo dos contatos confiáveis"), + "removingFromFavorites": + MessageLookupByLibrary.simpleMessage("Removendo dos favoritos..."), + "rename": MessageLookupByLibrary.simpleMessage("Renomear"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("Renomear álbum"), + "renameFile": MessageLookupByLibrary.simpleMessage("Renomear arquivo"), + "renewSubscription": + MessageLookupByLibrary.simpleMessage("Renovar assinatura"), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Informar um erro"), + "reportBug": MessageLookupByLibrary.simpleMessage("Informar erro"), + "resendEmail": MessageLookupByLibrary.simpleMessage("Reenviar e-mail"), + "reset": MessageLookupByLibrary.simpleMessage("Redefinir"), + "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( + "Redefinir arquivos ignorados"), + "resetPasswordTitle": + MessageLookupByLibrary.simpleMessage("Redefinir senha"), + "resetPerson": MessageLookupByLibrary.simpleMessage("Remover"), + "resetToDefault": + MessageLookupByLibrary.simpleMessage("Redefinir para o padrão"), + "restore": MessageLookupByLibrary.simpleMessage("Restaurar"), + "restoreToAlbum": + MessageLookupByLibrary.simpleMessage("Restaurar para álbum"), + "restoringFiles": + MessageLookupByLibrary.simpleMessage("Restaurando arquivos..."), + "resumableUploads": + MessageLookupByLibrary.simpleMessage("Envios retomáveis"), + "retry": MessageLookupByLibrary.simpleMessage("Tentar novamente"), + "review": MessageLookupByLibrary.simpleMessage("Revisar"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Reveja e exclua os itens que você acredita serem duplicados."), + "reviewSuggestions": + MessageLookupByLibrary.simpleMessage("Revisar sugestões"), + "right": MessageLookupByLibrary.simpleMessage("Direita"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("Girar"), + "rotateLeft": + MessageLookupByLibrary.simpleMessage("Girar para a esquerda"), + "rotateRight": + MessageLookupByLibrary.simpleMessage("Girar para a direita"), + "safelyStored": + MessageLookupByLibrary.simpleMessage("Armazenado com segurança"), + "same": MessageLookupByLibrary.simpleMessage("Igual"), + "sameperson": MessageLookupByLibrary.simpleMessage("Mesma pessoa?"), + "save": MessageLookupByLibrary.simpleMessage("Salvar"), + "saveAsAnotherPerson": + MessageLookupByLibrary.simpleMessage("Salvar como outra pessoa"), + "saveChangesBeforeLeavingQuestion": + MessageLookupByLibrary.simpleMessage( + "Salvar mudanças antes de sair?"), + "saveCollage": MessageLookupByLibrary.simpleMessage("Salvar colagem"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Salvar cópia"), + "saveKey": MessageLookupByLibrary.simpleMessage("Salvar chave"), + "savePerson": MessageLookupByLibrary.simpleMessage("Salvar pessoa"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Salve sua chave de recuperação, se você ainda não fez"), + "saving": MessageLookupByLibrary.simpleMessage("Salvando..."), + "savingEdits": + MessageLookupByLibrary.simpleMessage("Salvando edições..."), + "scanCode": MessageLookupByLibrary.simpleMessage("Escanear código"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Escaneie este código de barras com\no aplicativo autenticador"), + "search": MessageLookupByLibrary.simpleMessage("Buscar"), + "searchAlbumsEmptySection": + MessageLookupByLibrary.simpleMessage("Álbuns"), + "searchByAlbumNameHint": + MessageLookupByLibrary.simpleMessage("Nome do álbum"), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Nomes de álbuns (ex: \"Câmera\")\n• Tipos de arquivos (ex.: \"Vídeos\", \".gif\")\n• Anos e meses (ex.: \"2022\", \"Janeiro\")\n• Temporadas (ex.: \"Natal\")\n• Tags (ex.: \"#divertido\")"), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Adicione marcações como \"#viagem\" nas informações das fotos para encontrá-las aqui com facilidade"), + "searchDatesEmptySection": + MessageLookupByLibrary.simpleMessage("Buscar por data, mês ou ano"), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "As imagens serão exibidas aqui quando o processamento e sincronização for concluído"), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "As pessoas apareceram aqui quando a indexação for concluída"), + "searchFileTypesAndNamesEmptySection": + MessageLookupByLibrary.simpleMessage("Tipos de arquivo e nomes"), + "searchHint1": + MessageLookupByLibrary.simpleMessage("busca rápida no dispositivo"), + "searchHint2": + MessageLookupByLibrary.simpleMessage("Descrições e data das fotos"), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "Álbuns, nomes de arquivos e tipos"), + "searchHint4": MessageLookupByLibrary.simpleMessage("Localização"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "Em breve: Busca mágica e rostos ✨"), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Fotos de grupo que estão sendo tiradas em algum raio da foto"), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "Convide pessoas e você verá todas as fotos compartilhadas por elas aqui"), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "As pessoas serão exibidas aqui quando o processamento e sincronização for concluído"), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Segurança"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "Ver links de álbum compartilhado no aplicativo"), + "selectALocation": + MessageLookupByLibrary.simpleMessage("Selecionar localização"), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage( + "Primeiramente selecione uma localização"), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Selecionar álbum"), + "selectAll": MessageLookupByLibrary.simpleMessage("Selecionar tudo"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("Tudo"), + "selectCoverPhoto": + MessageLookupByLibrary.simpleMessage("Selecionar foto da capa"), + "selectDate": MessageLookupByLibrary.simpleMessage("Selecionar data"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Selecione as pastas para salvá-las"), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "Selecionar itens para adicionar"), + "selectLanguage": + MessageLookupByLibrary.simpleMessage("Selecionar idioma"), + "selectMailApp": MessageLookupByLibrary.simpleMessage( + "Selecionar aplicativo de e-mail"), + "selectMorePhotos": + MessageLookupByLibrary.simpleMessage("Selecionar mais fotos"), + "selectOneDateAndTime": + MessageLookupByLibrary.simpleMessage("Selecionar data e hora"), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "Selecione uma data e hora para todos"), + "selectPersonToLink": MessageLookupByLibrary.simpleMessage( + "Selecione a pessoa para vincular"), + "selectReason": MessageLookupByLibrary.simpleMessage("Diga o motivo"), + "selectStartOfRange": MessageLookupByLibrary.simpleMessage( + "Selecionar início de intervalo"), + "selectTime": MessageLookupByLibrary.simpleMessage("Selecionar tempo"), + "selectYourFace": + MessageLookupByLibrary.simpleMessage("Selecione seu rosto"), + "selectYourPlan": + MessageLookupByLibrary.simpleMessage("Selecione seu plano"), + "selectedAlbums": m79, + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Os arquivos selecionados não estão no Ente"), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "As pastas selecionadas serão criptografadas e salvas em segurança"), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Os itens selecionados serão excluídos de todos os álbuns e movidos para a lixeira."), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "Os itens selecionados serão removidos desta pessoa, entretanto não serão excluídos da sua biblioteca."), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("Enviar"), + "sendEmail": MessageLookupByLibrary.simpleMessage("Enviar e-mail"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Enviar convite"), + "sendLink": MessageLookupByLibrary.simpleMessage("Enviar link"), + "serverEndpoint": + MessageLookupByLibrary.simpleMessage("Ponto final do servidor"), + "sessionExpired": + MessageLookupByLibrary.simpleMessage("Sessão expirada"), + "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( + "Incompatibilidade de ID de sessão"), + "setAPassword": MessageLookupByLibrary.simpleMessage("Definir senha"), + "setAs": MessageLookupByLibrary.simpleMessage("Definir como"), + "setCover": MessageLookupByLibrary.simpleMessage("Definir capa"), + "setLabel": MessageLookupByLibrary.simpleMessage("Definir"), + "setNewPassword": + MessageLookupByLibrary.simpleMessage("Definir nova senha"), + "setNewPin": MessageLookupByLibrary.simpleMessage("Definir PIN novo"), + "setPasswordTitle": + MessageLookupByLibrary.simpleMessage("Definir senha"), + "setRadius": MessageLookupByLibrary.simpleMessage("Definir raio"), + "setupComplete": + MessageLookupByLibrary.simpleMessage("Configuração concluída"), + "share": MessageLookupByLibrary.simpleMessage("Compartilhar"), + "shareALink": MessageLookupByLibrary.simpleMessage("Compartilhar link"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Abra um álbum e toque no botão compartilhar no canto superior direito para compartilhar."), + "shareAnAlbumNow": + MessageLookupByLibrary.simpleMessage("Compartilhar um álbum agora"), + "shareLink": MessageLookupByLibrary.simpleMessage("Compartilhar link"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Compartilhar apenas com as pessoas que você quiser"), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Baixe o Ente para que nós possamos compartilhar com facilidade fotos e vídeos de qualidade original\n\nhttps://ente.io"), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Compartilhar com usuários não ente"), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( + "Compartilhar seu primeiro álbum"), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Criar álbuns compartilhados e colaborativos com outros usuários Ente, incluindo usuários em planos gratuitos."), + "sharedByMe": + MessageLookupByLibrary.simpleMessage("Compartilhada por mim"), + "sharedByYou": + MessageLookupByLibrary.simpleMessage("Compartilhado por você"), + "sharedPhotoNotifications": + MessageLookupByLibrary.simpleMessage("Novas fotos compartilhadas"), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Receba notificações caso alguém adicione uma foto a um álbum compartilhado que você faz parte"), + "sharedWith": m87, + "sharedWithMe": + MessageLookupByLibrary.simpleMessage("Compartilhado comigo"), + "sharedWithYou": + MessageLookupByLibrary.simpleMessage("Compartilhado com você"), + "sharing": MessageLookupByLibrary.simpleMessage("Compartilhando..."), + "shiftDatesAndTime": + MessageLookupByLibrary.simpleMessage("Alterar as datas e horas"), + "showLessFaces": + MessageLookupByLibrary.simpleMessage("Exibir menos rostos"), + "showMemories": + MessageLookupByLibrary.simpleMessage("Mostrar memórias"), + "showMoreFaces": + MessageLookupByLibrary.simpleMessage("Exibir mais rostos"), + "showPerson": MessageLookupByLibrary.simpleMessage("Mostrar pessoa"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "Sair da conta em outros dispositivos"), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Se você acha que alguém possa saber da sua senha, você pode forçar desconectar sua conta de outros dispositivos."), + "signOutOtherDevices": + MessageLookupByLibrary.simpleMessage("Sair em outros dispositivos"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Eu concordo com os termos de serviço e a política de privacidade"), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Ele será excluído de todos os álbuns."), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Pular"), + "smartMemories": + MessageLookupByLibrary.simpleMessage("Memórias inteligentes"), + "social": MessageLookupByLibrary.simpleMessage("Redes sociais"), + "someItemsAreInBothEnteAndYourDevice": + MessageLookupByLibrary.simpleMessage( + "Alguns itens estão em ambos o Ente quanto no seu dispositivo."), + "someOfTheFilesYouAreTryingToDeleteAre": + MessageLookupByLibrary.simpleMessage( + "Alguns dos arquivos que você está tentando excluir só estão disponíveis no seu dispositivo e não podem ser recuperados se forem excluídos"), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Alguém compartilhando álbuns com você deve ver o mesmo ID no dispositivo."), + "somethingWentWrong": + MessageLookupByLibrary.simpleMessage("Algo deu errado"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Algo deu errado. Tente outra vez"), + "sorry": MessageLookupByLibrary.simpleMessage("Desculpe"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "Desculpe, não podemos salvar em segurança este arquivo no momento, nós tentaremos mais tarde."), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Desculpe, não foi possível adicionar aos favoritos!"), + "sorryCouldNotRemoveFromFavorites": + MessageLookupByLibrary.simpleMessage( + "Desculpe, não foi possível remover dos favoritos!"), + "sorryTheCodeYouveEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "O código inserido está incorreto"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Desculpe, não foi possível gerar chaves seguras neste dispositivo.\n\ninicie sessão com um dispositivo diferente."), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Desculpe, tivemos que pausar os salvamentos em segurança"), + "sort": MessageLookupByLibrary.simpleMessage("Ordenar"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Ordenar por"), + "sortNewestFirst": + MessageLookupByLibrary.simpleMessage("Recentes primeiro"), + "sortOldestFirst": + MessageLookupByLibrary.simpleMessage("Antigos primeiro"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Sucesso"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": + MessageLookupByLibrary.simpleMessage("Destacar si mesmo"), + "startAccountRecoveryTitle": + MessageLookupByLibrary.simpleMessage("Iniciar recuperação"), + "startBackup": MessageLookupByLibrary.simpleMessage( + "Iniciar a salvar em segurança"), + "status": MessageLookupByLibrary.simpleMessage("Estado"), + "stopCastingBody": + MessageLookupByLibrary.simpleMessage("Deseja parar a transmissão?"), + "stopCastingTitle": + MessageLookupByLibrary.simpleMessage("Parar transmissão"), + "storage": MessageLookupByLibrary.simpleMessage("Armazenamento"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Família"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Você"), + "storageInGB": m93, + "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( + "Limite de armazenamento excedido"), + "storageUsageInfo": m94, + "streamDetails": + MessageLookupByLibrary.simpleMessage("Detalhes da transmissão"), + "strongStrength": MessageLookupByLibrary.simpleMessage("Forte"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Inscrever-se"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Você precisa de uma inscrição paga ativa para ativar o compartilhamento."), + "subscription": MessageLookupByLibrary.simpleMessage("Assinatura"), + "success": MessageLookupByLibrary.simpleMessage("Sucesso"), + "successfullyArchived": + MessageLookupByLibrary.simpleMessage("Arquivado com sucesso"), + "successfullyHid": + MessageLookupByLibrary.simpleMessage("Ocultado com sucesso"), + "successfullyUnarchived": + MessageLookupByLibrary.simpleMessage("Desarquivado com sucesso"), + "successfullyUnhid": + MessageLookupByLibrary.simpleMessage("Desocultado com sucesso"), + "suggestFeatures": + MessageLookupByLibrary.simpleMessage("Sugerir recurso"), + "sunrise": MessageLookupByLibrary.simpleMessage("No horizonte"), + "support": MessageLookupByLibrary.simpleMessage("Suporte"), + "syncProgress": m97, + "syncStopped": + MessageLookupByLibrary.simpleMessage("Sincronização interrompida"), + "syncing": MessageLookupByLibrary.simpleMessage("Sincronizando..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("Sistema"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("toque para copiar"), + "tapToEnterCode": + MessageLookupByLibrary.simpleMessage("Toque para inserir código"), + "tapToUnlock": + MessageLookupByLibrary.simpleMessage("Toque para desbloquear"), + "tapToUpload": + MessageLookupByLibrary.simpleMessage("Toque para enviar"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Parece que algo deu errado. Tente novamente mais tarde. Caso o erro persistir, por favor, entre em contato com nossa equipe."), + "terminate": MessageLookupByLibrary.simpleMessage("Encerrar"), + "terminateSession": MessageLookupByLibrary.simpleMessage("Sair?"), + "terms": MessageLookupByLibrary.simpleMessage("Termos"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Termos"), + "thankYou": MessageLookupByLibrary.simpleMessage("Obrigado"), + "thankYouForSubscribing": + MessageLookupByLibrary.simpleMessage("Obrigado por assinar!"), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "A instalação não pôde ser concluída"), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "O link que você está tentando acessar já expirou."), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Os grupos de pessoa não serão exibidos na seção de pessoa. As fotos permanecerão intactas."), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "A pessoa não será exibida na seção de pessoas. As fotos permanecerão intactas."), + "theRecoveryKeyYouEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "A chave de recuperação inserida está incorreta"), + "theme": MessageLookupByLibrary.simpleMessage("Tema"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Estes itens serão excluídos do seu dispositivo."), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "Eles serão excluídos de todos os álbuns."), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Esta ação não pode ser desfeita"), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "Este álbum já tem um link colaborativo"), + "thisCanBeUsedToRecoverYourAccountIfYou": + MessageLookupByLibrary.simpleMessage( + "Isso pode ser usado para recuperar sua conta se você perder seu segundo fator"), + "thisDevice": MessageLookupByLibrary.simpleMessage("Este dispositivo"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "Este e-mail já está sendo usado"), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Esta imagem não possui dados EXIF"), + "thisIsMeExclamation": + MessageLookupByLibrary.simpleMessage("Este é você!"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Este é o seu ID de verificação"), + "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( + "Esta semana com o passar dos anos"), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Isso fará você sair do dispositivo a seguir:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Isso fará você sair deste dispositivo!"), + "thisWillMakeTheDateAndTimeOfAllSelected": + MessageLookupByLibrary.simpleMessage( + "Isso fará que a data e hora de todas as fotos selecionadas fiquem iguais."), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "Isto removerá links públicos de todos os links rápidos selecionados."), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "Para ativar o bloqueio do aplicativo, defina uma senha de acesso no dispositivo ou bloqueie sua tela nas opções do sistema."), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( + "Para ocultar uma foto ou vídeo"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Para redefinir sua senha, verifique seu e-mail primeiramente."), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Registros de hoje"), + "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( + "Muitas tentativas incorretas"), + "total": MessageLookupByLibrary.simpleMessage("total"), + "totalSize": MessageLookupByLibrary.simpleMessage("Tamanho total"), + "trash": MessageLookupByLibrary.simpleMessage("Lixeira"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Recortar"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": + MessageLookupByLibrary.simpleMessage("Contatos confiáveis"), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Tente novamente"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Ative o salvamento em segurança para automaticamente enviar arquivos adicionados à pasta do dispositivo para o Ente."), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter/X"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "2 meses grátis em planos anuais"), + "twofactor": MessageLookupByLibrary.simpleMessage("Dois fatores"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "A autenticação de dois fatores foi desativada"), + "twofactorAuthenticationPageTitle": + MessageLookupByLibrary.simpleMessage( + "Autenticação de dois fatores"), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "Autenticação de dois fatores redefinida com sucesso"), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Configuração de dois fatores"), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("Desarquivar"), + "unarchiveAlbum": + MessageLookupByLibrary.simpleMessage("Desarquivar álbum"), + "unarchiving": MessageLookupByLibrary.simpleMessage("Desarquivando..."), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Desculpe, este código está indisponível."), + "uncategorized": MessageLookupByLibrary.simpleMessage("Sem categoria"), + "unhide": MessageLookupByLibrary.simpleMessage("Desocultar"), + "unhideToAlbum": + MessageLookupByLibrary.simpleMessage("Desocultar para o álbum"), + "unhiding": MessageLookupByLibrary.simpleMessage("Reexibindo..."), + "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Desocultando arquivos para o álbum"), + "unlock": MessageLookupByLibrary.simpleMessage("Desbloquear"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("Desafixar álbum"), + "unselectAll": MessageLookupByLibrary.simpleMessage("Desmarcar tudo"), + "update": MessageLookupByLibrary.simpleMessage("Atualizar"), + "updateAvailable": + MessageLookupByLibrary.simpleMessage("Atualização disponível"), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Atualizando seleção de pasta..."), + "upgrade": MessageLookupByLibrary.simpleMessage("Atualizar"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Enviando arquivos para o álbum..."), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": + MessageLookupByLibrary.simpleMessage("Preservando 1 memória..."), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "Com 50% de desconto, até 4 de dezembro"), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "O armazenamento disponível é limitado devido ao seu plano atual. O armazenamento adicional será aplicado quando você atualizar seu plano."), + "useAsCover": MessageLookupByLibrary.simpleMessage("Usar como capa"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "Enfrentando problemas ao reproduzir este vídeo? Mantenha pressionado aqui para tentar outro reprodutor de vídeo"), + "usePublicLinksForPeopleNotOnEnte": + MessageLookupByLibrary.simpleMessage( + "Usar links públicos para pessoas que não estão no Ente"), + "useRecoveryKey": + MessageLookupByLibrary.simpleMessage("Usar chave de recuperação"), + "useSelectedPhoto": + MessageLookupByLibrary.simpleMessage("Usar foto selecionada"), + "usedSpace": MessageLookupByLibrary.simpleMessage("Espaço usado"), + "validTill": m110, + "verificationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Falha na verificação. Tente novamente"), + "verificationId": + MessageLookupByLibrary.simpleMessage("ID de verificação"), + "verify": MessageLookupByLibrary.simpleMessage("Verificar"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("Verificar e-mail"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Verificar"), + "verifyPasskey": + MessageLookupByLibrary.simpleMessage("Verificar chave de acesso"), + "verifyPassword": + MessageLookupByLibrary.simpleMessage("Verificar senha"), + "verifying": MessageLookupByLibrary.simpleMessage("Verificando..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Verificando chave de recuperação..."), + "videoInfo": + MessageLookupByLibrary.simpleMessage("Informações do vídeo"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("vídeo"), + "videoStreaming": + MessageLookupByLibrary.simpleMessage("Vídeos transmissíveis"), + "videos": MessageLookupByLibrary.simpleMessage("Vídeos"), + "viewActiveSessions": + MessageLookupByLibrary.simpleMessage("Ver sessões ativas"), + "viewAddOnButton": + MessageLookupByLibrary.simpleMessage("Ver complementos"), + "viewAll": MessageLookupByLibrary.simpleMessage("Ver tudo"), + "viewAllExifData": + MessageLookupByLibrary.simpleMessage("Ver todos os dados EXIF"), + "viewLargeFiles": + MessageLookupByLibrary.simpleMessage("Arquivos grandes"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Ver arquivos que consumem a maior parte do armazenamento."), + "viewLogs": MessageLookupByLibrary.simpleMessage("Ver registros"), + "viewPersonToUnlink": m112, + "viewRecoveryKey": + MessageLookupByLibrary.simpleMessage("Ver chave de recuperação"), + "viewer": MessageLookupByLibrary.simpleMessage("Visualizador"), + "viewersSuccessfullyAdded": m113, + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Visite o web.ente.io para gerenciar sua assinatura"), + "waitingForVerification": + MessageLookupByLibrary.simpleMessage("Esperando verificação..."), + "waitingForWifi": + MessageLookupByLibrary.simpleMessage("Aguardando Wi-Fi..."), + "warning": MessageLookupByLibrary.simpleMessage("Aviso"), + "weAreOpenSource": + MessageLookupByLibrary.simpleMessage("Nós somos de código aberto!"), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "Não suportamos a edição de fotos e álbuns que você ainda não possui"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Fraca"), + "welcomeBack": + MessageLookupByLibrary.simpleMessage("Bem-vindo(a) de volta!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("O que há de novo"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "Um contato confiável pode ajudá-lo em recuperar seus dados."), + "widgets": MessageLookupByLibrary.simpleMessage("Widgets"), + "wishThemAHappyBirthday": m115, + "yearShort": MessageLookupByLibrary.simpleMessage("ano"), + "yearly": MessageLookupByLibrary.simpleMessage("Anual"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Sim"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Sim"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "Sim, converter para visualizador"), + "yesDelete": MessageLookupByLibrary.simpleMessage("Sim, excluir"), + "yesDiscardChanges": + MessageLookupByLibrary.simpleMessage("Sim, descartar alterações"), + "yesIgnore": MessageLookupByLibrary.simpleMessage("Sim, ignorar"), + "yesLogout": + MessageLookupByLibrary.simpleMessage("Sim, encerrar sessão"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Sim, excluir"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Sim"), + "yesResetPerson": + MessageLookupByLibrary.simpleMessage("Sim, redefinir pessoa"), + "you": MessageLookupByLibrary.simpleMessage("Você"), + "youAndThem": m117, + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( + "Você está em um plano familiar!"), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Você está na versão mais recente"), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Você pode duplicar seu armazenamento ao máximo"), + "youCanManageYourLinksInTheShareTab": + MessageLookupByLibrary.simpleMessage( + "Você pode gerenciar seus links na aba de compartilhamento."), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "Você pode tentar buscar por outra consulta."), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "Você não pode rebaixar para este plano"), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Não é possível compartilhar consigo mesmo"), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "Você não tem nenhum item arquivado."), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": + MessageLookupByLibrary.simpleMessage("Sua conta foi excluída"), + "yourMap": MessageLookupByLibrary.simpleMessage("Seu mapa"), + "yourPlanWasSuccessfullyDowngraded": + MessageLookupByLibrary.simpleMessage( + "Seu plano foi rebaixado com sucesso"), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "Seu plano foi atualizado com sucesso"), + "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( + "Sua compra foi efetuada com sucesso"), + "yourStorageDetailsCouldNotBeFetched": + MessageLookupByLibrary.simpleMessage( + "Seus detalhes de armazenamento não puderam ser obtidos"), + "yourSubscriptionHasExpired": + MessageLookupByLibrary.simpleMessage("A sua assinatura expirou"), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "Sua assinatura foi atualizada com sucesso"), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "O código de verificação expirou"), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "Você não possui nenhum arquivo duplicado que possa ser excluído"), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "Você não tem arquivos neste álbum que possam ser excluídos"), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( + "Reduzir ampliação para ver as fotos") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_pt_PT.dart b/mobile/apps/photos/lib/generated/intl/messages_pt_PT.dart index 91b5beebd5..3d345d2865 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_pt_PT.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_pt_PT.dart @@ -57,7 +57,11 @@ class MessageLookup extends MessageLookupByLibrary { "${user} não será capaz de adicionar mais fotos a este álbum\n\nEles ainda serão capazes de remover fotos existentes adicionadas por eles"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, {'true': 'Sua família reinvidicou ${storageAmountInGb} GB até então', 'false': 'Você reinvindicou ${storageAmountInGb} GB até então', 'other': 'Você reinvindicou ${storageAmountInGb} GB até então!'})}"; + "${Intl.select(isFamilyMember, { + 'true': 'Sua família reinvidicou ${storageAmountInGb} GB até então', + 'false': 'Você reinvindicou ${storageAmountInGb} GB até então', + 'other': 'Você reinvindicou ${storageAmountInGb} GB até então!', + })}"; static String m15(albumName) => "Link colaborativo criado para ${albumName}"; @@ -260,11 +264,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, - usedStorageUnit, - totalAmount, - totalStorageUnit, - ) => + usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => "${usedAmount} ${usedStorageUnit} de ${totalAmount} ${totalStorageUnit} usado"; static String m95(id) => @@ -329,2552 +329,2011 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Está disponível uma nova versão do Ente.", - ), - "about": MessageLookupByLibrary.simpleMessage("Sobre"), - "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( - "Aceite o Convite", - ), - "account": MessageLookupByLibrary.simpleMessage("Conta"), - "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( - "A conta já está ajustada.", - ), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( - "Boas-vindas de volta!", - ), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Eu entendo que se eu perder a minha palavra-passe, posso perder os meus dados já que esses dados são encriptados de ponta a ponta.", - ), - "actionNotSupportedOnFavouritesAlbum": MessageLookupByLibrary.simpleMessage( - "Ação não suportada no álbum de Preferidos", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage("Sessões ativas"), - "add": MessageLookupByLibrary.simpleMessage("Adicionar"), - "addAName": MessageLookupByLibrary.simpleMessage("Adiciona um nome"), - "addANewEmail": MessageLookupByLibrary.simpleMessage( - "Adicionar um novo e-mail", - ), - "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Adiciona um widget de álbum no seu ecrã inicial e volte aqui para personalizar.", - ), - "addCollaborator": MessageLookupByLibrary.simpleMessage( - "Adicionar colaborador", - ), - "addCollaborators": m1, - "addFiles": MessageLookupByLibrary.simpleMessage("Adicionar Ficheiros"), - "addFromDevice": MessageLookupByLibrary.simpleMessage( - "Adicionar a partir do dispositivo", - ), - "addItem": m2, - "addLocation": MessageLookupByLibrary.simpleMessage( - "Adicionar localização", - ), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Adicionar"), - "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Adiciona um widget de memórias no seu ecrã inicial e volte aqui para personalizar.", - ), - "addMore": MessageLookupByLibrary.simpleMessage("Adicionar mais"), - "addName": MessageLookupByLibrary.simpleMessage("Adicionar pessoa"), - "addNameOrMerge": MessageLookupByLibrary.simpleMessage( - "Adicionar nome ou juntar", - ), - "addNew": MessageLookupByLibrary.simpleMessage("Adicionar novo"), - "addNewPerson": MessageLookupByLibrary.simpleMessage( - "Adicionar nova pessoa", - ), - "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( - "Detalhes dos addons", - ), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("addons"), - "addParticipants": MessageLookupByLibrary.simpleMessage( - "Adicionar participante", - ), - "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Adiciona um widget de pessoas no seu ecrã inicial e volte aqui para personalizar.", - ), - "addPhotos": MessageLookupByLibrary.simpleMessage("Adicionar fotos"), - "addSelected": MessageLookupByLibrary.simpleMessage( - "Adicionar selecionados", - ), - "addToAlbum": MessageLookupByLibrary.simpleMessage("Adicionar ao álbum"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Adicionar ao Ente"), - "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Adicionar a álbum oculto", - ), - "addTrustedContact": MessageLookupByLibrary.simpleMessage( - "Adicionar Contacto de Confiança", - ), - "addViewer": MessageLookupByLibrary.simpleMessage("Adicionar visualizador"), - "addViewers": m4, - "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( - "Adicione suas fotos agora", - ), - "addedAs": MessageLookupByLibrary.simpleMessage("Adicionado como"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": MessageLookupByLibrary.simpleMessage( - "Adicionando aos favoritos...", - ), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("Avançado"), - "advancedSettings": MessageLookupByLibrary.simpleMessage( - "Definições avançadas", - ), - "after1Day": MessageLookupByLibrary.simpleMessage("Depois de 1 dia"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Depois de 1 Hora"), - "after1Month": MessageLookupByLibrary.simpleMessage("Depois de 1 mês"), - "after1Week": MessageLookupByLibrary.simpleMessage("Depois de 1 semana"), - "after1Year": MessageLookupByLibrary.simpleMessage("Depois de 1 ano"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Dono"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Título do álbum"), - "albumUpdated": MessageLookupByLibrary.simpleMessage("Álbum atualizado"), - "albums": MessageLookupByLibrary.simpleMessage("Álbuns"), - "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Seleciona os álbuns que adoraria ver no seu ecrã inicial.", - ), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Tudo limpo"), - "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( - "Todas as memórias preservadas", - ), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "Todos os agrupamentos para esta pessoa serão reiniciados e perderá todas as sugestões feitas para esta pessoa", - ), - "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": - MessageLookupByLibrary.simpleMessage( - "Todos os grupos sem título serão fundidos na pessoa selecionada. Isso pode ser desfeito no histórico geral das sugestões da pessoa.", - ), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "Este é o primeiro neste grupo. Outras fotos selecionadas serão automaticamente alteradas para a nova data", - ), - "allow": MessageLookupByLibrary.simpleMessage("Permitir"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Permitir que pessoas com o link também adicionem fotos ao álbum compartilhado.", - ), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( - "Permitir adicionar fotos", - ), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "Permitir Aplicação Abrir Ligações Partilhadas", - ), - "allowDownloads": MessageLookupByLibrary.simpleMessage( - "Permitir downloads", - ), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Permitir que as pessoas adicionem fotos", - ), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Favor, permite acesso às fotos nas Definições para que Ente possa exibi-las e fazer backup na Fototeca.", - ), - "allowPermTitle": MessageLookupByLibrary.simpleMessage( - "Garanta acesso às fotos", - ), - "androidBiometricHint": MessageLookupByLibrary.simpleMessage( - "Verificar identidade", - ), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "Não reconhecido. Tente novamente.", - ), - "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( - "Biometria necessária", - ), - "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("Sucesso"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Cancelar"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage( - "Credenciais do dispositivo são necessárias", - ), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage( - "Credenciais do dispositivo necessárias", - ), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "A autenticação biométrica não está configurada no seu dispositivo. Vá a “Definições > Segurança” para adicionar a autenticação biométrica.", - ), - "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( - "Android, iOS, Web, Desktop", - ), - "androidSignInTitle": MessageLookupByLibrary.simpleMessage( - "Autenticação necessária", - ), - "appIcon": MessageLookupByLibrary.simpleMessage("Ícone da Aplicação"), - "appLock": MessageLookupByLibrary.simpleMessage("Bloqueio de app"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Escolha entre o ecrã de bloqueio predefinido do seu dispositivo e um ecrã de bloqueio personalizado com um PIN ou uma palavra-passe.", - ), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("ID da Apple"), - "apply": MessageLookupByLibrary.simpleMessage("Aplicar"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Aplicar código"), - "appstoreSubscription": MessageLookupByLibrary.simpleMessage( - "Subscrição da AppStore", - ), - "archive": MessageLookupByLibrary.simpleMessage("............"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("Arquivar álbum"), - "archiving": MessageLookupByLibrary.simpleMessage("Arquivar..."), - "areThey": MessageLookupByLibrary.simpleMessage("Eles são "), - "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( - "Tem a certeza que queira remover o rosto desta pessoa?", - ), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Tem certeza que deseja sair do plano familiar?", - ), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "Tem a certeza de que quer cancelar?", - ), - "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( - "Tem a certeza de que pretende alterar o seu plano?", - ), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "Tem certeza de que deseja sair?", - ), - "areYouSureYouWantToIgnoreThesePersons": - MessageLookupByLibrary.simpleMessage( - "Tem a certeza que quer ignorar estas pessoas?", - ), - "areYouSureYouWantToIgnoreThisPerson": MessageLookupByLibrary.simpleMessage( - "Tem a certeza que quer ignorar esta pessoa?", - ), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Tem certeza que deseja terminar a sessão?", - ), - "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( - "Tem a certeza que quer fundi-los?", - ), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "Tem a certeza de que pretende renovar?", - ), - "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( - "Tens a certeza de que queres repor esta pessoa?", - ), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "A sua subscrição foi cancelada. Gostaria de partilhar o motivo?", - ), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Por que quer eliminar a sua conta?", - ), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Peça aos seus entes queridos para partilharem", - ), - "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( - "em um abrigo avançado", - ), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Por favor, autentique-se para alterar a verificação de e-mail", - ), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Por favor, autentique-se para alterar a configuração da tela do ecrã de bloqueio", - ), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Por favor, autentique-se para alterar o seu e-mail", - ), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Por favor, autentique-se para alterar a palavra-passe", - ), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Por favor, autentique para configurar a autenticação de dois fatores", - ), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Autentique-se para iniciar a eliminação da conta", - ), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Autentica-se para gerir os seus contactos de confiança", - ), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Autentique-se para ver a sua chave de acesso", - ), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Autentica-se para visualizar os ficheiros na lata de lixo", - ), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Por favor, autentique-se para ver as suas sessões ativas", - ), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Por favor, autentique para ver seus arquivos ocultos", - ), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Por favor, autentique-se para ver suas memórias", - ), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Por favor, autentique-se para ver a chave de recuperação", - ), - "authenticating": MessageLookupByLibrary.simpleMessage("A Autenticar..."), - "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Falha na autenticação, por favor tente novamente", - ), - "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( - "Autenticação bem sucedida!", - ), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Verá os dispositivos Cast disponíveis aqui.", - ), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Certifique-se de que as permissões de Rede local estão activadas para a aplicação Ente Photos, nas Definições.", - ), - "autoLock": MessageLookupByLibrary.simpleMessage("Bloqueio automático"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Tempo após o qual a aplicação bloqueia depois de ser colocada em segundo plano", - ), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "Devido a uma falha técnica, a sua sessão foi encerrada. Pedimos desculpas pelo incómodo.", - ), - "autoPair": MessageLookupByLibrary.simpleMessage( - "Emparelhamento automático", - ), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "O pareamento automático funciona apenas com dispositivos que suportam o Chromecast.", - ), - "available": MessageLookupByLibrary.simpleMessage("Disponível"), - "availableStorageSpace": m10, - "backedUpFolders": MessageLookupByLibrary.simpleMessage( - "Pastas com cópia de segurança", - ), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("Cópia de segurança"), - "backupFailed": MessageLookupByLibrary.simpleMessage("Backup falhou"), - "backupFile": MessageLookupByLibrary.simpleMessage("Backup de Ficheiro"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Cópia de segurança através dos dados móveis", - ), - "backupSettings": MessageLookupByLibrary.simpleMessage( - "Definições da cópia de segurança", - ), - "backupStatus": MessageLookupByLibrary.simpleMessage( - "Status da cópia de segurança", - ), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Os itens que foram salvos com segurança aparecerão aqui", - ), - "backupVideos": MessageLookupByLibrary.simpleMessage( - "Cópia de segurança de vídeos", - ), - "beach": MessageLookupByLibrary.simpleMessage("A areia e o mar"), - "birthday": MessageLookupByLibrary.simpleMessage("Aniversário"), - "birthdayNotifications": MessageLookupByLibrary.simpleMessage( - "Notificações de felicidades", - ), - "birthdays": MessageLookupByLibrary.simpleMessage("Aniversários"), - "blackFridaySale": MessageLookupByLibrary.simpleMessage( - "Promoção Black Friday", - ), - "blog": MessageLookupByLibrary.simpleMessage("Blog"), - "cLDesc1": MessageLookupByLibrary.simpleMessage( - "De volta aos vídeos em direto (beta), e a trabalhar em envios e transferências retomáveis, nós aumentamos o limite de envio de ficheiros para 10 GB. Isto está disponível para dispositivos Móveis e para Desktop.", - ), - "cLDesc2": MessageLookupByLibrary.simpleMessage( - "Envios de fundo agora fornecerem suporte ao iOS. Para combinar com os aparelhos Android. Não precisa abrir a aplicação para fazer backup das fotos e vídeos recentes.", - ), - "cLDesc3": MessageLookupByLibrary.simpleMessage( - "Nós fizemos melhorias significativas para a experiência das memórias, incluindo revisão automática, arrastar até a próxima memória e muito mais.", - ), - "cLDesc4": MessageLookupByLibrary.simpleMessage( - "Junto a outras mudanças, agora facilitou a maneira de ver todos os rostos detetados, fornecer comentários para rostos similares, e adicionar ou remover rostos de uma foto única.", - ), - "cLDesc5": MessageLookupByLibrary.simpleMessage( - "Ganhará uma notificação para todos os aniversários que salvaste no Ente, além de uma coleção das melhores fotos.", - ), - "cLDesc6": MessageLookupByLibrary.simpleMessage( - "Sem mais aguardar até que os envios e transferências sejam concluídos para fechar a aplicação. Todos os envios e transferências podem ser pausados a qualquer momento, e retomar onde parou.", - ), - "cLTitle1": MessageLookupByLibrary.simpleMessage( - "A Enviar Ficheiros de Vídeo Grandes", - ), - "cLTitle2": MessageLookupByLibrary.simpleMessage("Envio de Fundo"), - "cLTitle3": MessageLookupByLibrary.simpleMessage( - "Revisão automática de memórias", - ), - "cLTitle4": MessageLookupByLibrary.simpleMessage( - "Reconhecimento Facial Melhorado", - ), - "cLTitle5": MessageLookupByLibrary.simpleMessage( - "Notificações de Felicidade", - ), - "cLTitle6": MessageLookupByLibrary.simpleMessage( - "Envios e transferências retomáveis", - ), - "cachedData": MessageLookupByLibrary.simpleMessage("Dados em cache"), - "calculating": MessageLookupByLibrary.simpleMessage("Calcular..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Perdão, portanto o álbum não pode ser aberto na aplicação.", - ), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( - "Não pôde abrir este álbum", - ), - "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( - "Não é possível fazer upload para álbuns pertencentes a outros", - ), - "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Só pode criar um link para arquivos pertencentes a você", - ), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage(""), - "cancel": MessageLookupByLibrary.simpleMessage("Cancelar"), - "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( - "Cancelar recuperação", - ), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "Quer mesmo cancelar a recuperação?", - ), - "cancelOtherSubscription": m12, - "cancelSubscription": MessageLookupByLibrary.simpleMessage( - "Cancelar subscrição", - ), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Não é possível eliminar ficheiros partilhados", - ), - "castAlbum": MessageLookupByLibrary.simpleMessage("Transferir Álbum"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Certifique-se de estar na mesma rede que a TV.", - ), - "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( - "Falha ao transmitir álbum", - ), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Visite cast.ente.io no dispositivo que pretende emparelhar.\n\n\nIntroduza o código abaixo para reproduzir o álbum na sua TV.", - ), - "centerPoint": MessageLookupByLibrary.simpleMessage("Ponto central"), - "change": MessageLookupByLibrary.simpleMessage("Alterar"), - "changeEmail": MessageLookupByLibrary.simpleMessage("Alterar e-mail"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Alterar a localização dos itens selecionados?", - ), - "changePassword": MessageLookupByLibrary.simpleMessage( - "Alterar palavra-passe", - ), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Alterar palavra-passe", - ), - "changePermissions": MessageLookupByLibrary.simpleMessage( - "Alterar permissões", - ), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Alterar o código de referência", - ), - "checkForUpdates": MessageLookupByLibrary.simpleMessage( - "Procurar atualizações", - ), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Revê a sua caixa de entrada (e de spam) para concluir a verificação", - ), - "checkStatus": MessageLookupByLibrary.simpleMessage("Verificar status"), - "checking": MessageLookupByLibrary.simpleMessage("A verificar..."), - "checkingModels": MessageLookupByLibrary.simpleMessage( - "A verificar modelos...", - ), - "city": MessageLookupByLibrary.simpleMessage("Na cidade"), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage( - "Solicitar armazenamento gratuito", - ), - "claimMore": MessageLookupByLibrary.simpleMessage("Reclamar mais!"), - "claimed": MessageLookupByLibrary.simpleMessage("Reclamado"), - "claimedStorageSoFar": m14, - "cleanUncategorized": MessageLookupByLibrary.simpleMessage( - "Limpar sem categoria", - ), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Remover todos os arquivos da Não Categorizados que estão presentes em outros álbuns", - ), - "clearCaches": MessageLookupByLibrary.simpleMessage("Limpar cache"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Limpar índices"), - "click": MessageLookupByLibrary.simpleMessage("Clique"), - "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( - "• Clique no menu adicional", - ), - "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( - "Clica para transferir a melhor versão", - ), - "close": MessageLookupByLibrary.simpleMessage("Fechar"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( - "Agrupar por tempo de captura", - ), - "clubByFileName": MessageLookupByLibrary.simpleMessage( - "Agrupar pelo nome de arquivo", - ), - "clusteringProgress": MessageLookupByLibrary.simpleMessage( - "Progresso de agrupamento", - ), - "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( - "Código aplicado", - ), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Desculpe, você atingiu o limite de alterações de código.", - ), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Código copiado para área de transferência", - ), - "codeUsedByYou": MessageLookupByLibrary.simpleMessage( - "Código usado por você", - ), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Criar um link para permitir que as pessoas adicionem e visualizem fotos em seu álbum compartilhado sem precisar de um aplicativo Ente ou conta. Ótimo para coletar fotos do evento.", - ), - "collaborativeLink": MessageLookupByLibrary.simpleMessage( - "Link colaborativo", - ), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Colaborador"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Os colaboradores podem adicionar fotos e vídeos ao álbum compartilhado.", - ), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("Layout"), - "collageSaved": MessageLookupByLibrary.simpleMessage( - "Colagem guardada na galeria", - ), - "collect": MessageLookupByLibrary.simpleMessage("Recolher"), - "collectEventPhotos": MessageLookupByLibrary.simpleMessage( - "Coletar fotos do evento", - ), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Coletar fotos"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Crie um link onde seus amigos podem enviar fotos na qualidade original.", - ), - "color": MessageLookupByLibrary.simpleMessage("Cor"), - "configuration": MessageLookupByLibrary.simpleMessage("Configuração"), - "confirm": MessageLookupByLibrary.simpleMessage("Confirmar"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Tem a certeza de que pretende desativar a autenticação de dois fatores?", - ), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Eliminar Conta", - ), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Sim, quero permanentemente eliminar esta conta com os dados.", - ), - "confirmPassword": MessageLookupByLibrary.simpleMessage( - "Confirmar palavra-passe", - ), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage( - "Confirmar alteração de plano", - ), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Confirmar chave de recuperação", - ), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Confirmar chave de recuperação", - ), - "connectToDevice": MessageLookupByLibrary.simpleMessage( - "Ligar ao dispositivo", - ), - "contactFamilyAdmin": m18, - "contactSupport": MessageLookupByLibrary.simpleMessage( - "Contactar o suporte", - ), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Contactos"), - "contents": MessageLookupByLibrary.simpleMessage("Conteúdos"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Continuar"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "Continuar em teste gratuito", - ), - "convertToAlbum": MessageLookupByLibrary.simpleMessage( - "Converter para álbum", - ), - "copyEmailAddress": MessageLookupByLibrary.simpleMessage( - "Copiar endereço de email", - ), - "copyLink": MessageLookupByLibrary.simpleMessage("Copiar link"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Copie e cole este código\nno seu aplicativo de autenticação", - ), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "Não foi possível fazer o backup de seus dados.\nTentaremos novamente mais tarde.", - ), - "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( - "Não foi possível libertar espaço", - ), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Não foi possível atualizar a subscrição", - ), - "count": MessageLookupByLibrary.simpleMessage("Contagem"), - "crashReporting": MessageLookupByLibrary.simpleMessage( - "Relatório de falhas", - ), - "create": MessageLookupByLibrary.simpleMessage("Criar"), - "createAccount": MessageLookupByLibrary.simpleMessage("Criar conta"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Pressione e segure para selecionar fotos e clique em + para criar um álbum", - ), - "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( - "Criar link colaborativo", - ), - "createCollage": MessageLookupByLibrary.simpleMessage("Criar coleção"), - "createNewAccount": MessageLookupByLibrary.simpleMessage( - "Criar conta nova", - ), - "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( - "Criar ou selecionar álbum", - ), - "createPublicLink": MessageLookupByLibrary.simpleMessage( - "Criar link público", - ), - "creatingLink": MessageLookupByLibrary.simpleMessage("Criar link..."), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "Atualização crítica disponível", - ), - "crop": MessageLookupByLibrary.simpleMessage("Recortar"), - "curatedMemories": MessageLookupByLibrary.simpleMessage("Memórias curadas"), - "currentUsageIs": MessageLookupByLibrary.simpleMessage("O uso atual é "), - "currentlyRunning": MessageLookupByLibrary.simpleMessage("em execução"), - "custom": MessageLookupByLibrary.simpleMessage("Personalizado"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Escuro"), - "dayToday": MessageLookupByLibrary.simpleMessage("Hoje"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Ontem"), - "declineTrustInvite": MessageLookupByLibrary.simpleMessage( - "Dispense o Convite", - ), - "decrypting": MessageLookupByLibrary.simpleMessage("A desencriptar…"), - "decryptingVideo": MessageLookupByLibrary.simpleMessage( - "Descriptografando vídeo...", - ), - "deduplicateFiles": MessageLookupByLibrary.simpleMessage( - "Arquivos duplicados", - ), - "delete": MessageLookupByLibrary.simpleMessage("Apagar"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Eliminar conta"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Lamentável a sua ida. Favor, partilhe o seu comentário para ajudar-nos a aprimorar.", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Eliminar Conta Permanentemente", - ), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Apagar álbum"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Eliminar também as fotos (e vídeos) presentes neste álbum de all os outros álbuns de que fazem parte?", - ), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "Esta ação elimina todos os álbuns vazios. Isto é útil quando pretende reduzir a confusão na sua lista de álbuns.", - ), - "deleteAll": MessageLookupByLibrary.simpleMessage("Apagar tudo"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "Esta conta está ligada a outras aplicações Ente, se utilizar alguma. Os seus dados carregados, em todas as aplicações Ente, serão agendados para eliminação e a sua conta será permanentemente eliminada.", - ), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Favor, envie um e-mail a account-deletion@ente.io do e-mail registado.", - ), - "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( - "Apagar álbuns vazios", - ), - "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( - "Apagar álbuns vazios?", - ), - "deleteFromBoth": MessageLookupByLibrary.simpleMessage("Apagar de ambos"), - "deleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Apagar do dispositivo", - ), - "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Apagar do Ente"), - "deleteItemCount": m21, - "deleteLocation": MessageLookupByLibrary.simpleMessage( - "Apagar localização", - ), - "deleteMultipleAlbumDialog": m22, - "deletePhotos": MessageLookupByLibrary.simpleMessage("Apagar fotos"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Necessita uma funcionalidade-chave que quero", - ), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "A aplicação ou certa funcionalidade não comporta conforme o meu desejo", - ), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Possuo outro serviço que acho melhor", - ), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "A razão não está listada", - ), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "O pedido será revisto dentre 72 horas.", - ), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Excluir álbum compartilhado?", - ), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "O álbum será apagado para todos\n\nVocê perderá o acesso a fotos compartilhadas neste álbum que são propriedade de outros", - ), - "deselectAll": MessageLookupByLibrary.simpleMessage("Desmarcar tudo"), - "designedToOutlive": MessageLookupByLibrary.simpleMessage( - "Feito para ter longevidade", - ), - "details": MessageLookupByLibrary.simpleMessage("Detalhes"), - "developerSettings": MessageLookupByLibrary.simpleMessage( - "Definições do programador", - ), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Tem a certeza de que pretende modificar as definições de programador?", - ), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage( - "Introduza o código", - ), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "Os ficheiros adicionados a este álbum de dispositivo serão automaticamente transferidos para o Ente.", - ), - "deviceLock": MessageLookupByLibrary.simpleMessage( - "Bloqueio do dispositivo", - ), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Desativar o bloqueio do ecrã do dispositivo quando o Ente estiver em primeiro plano e houver uma cópia de segurança em curso. Normalmente, isto não é necessário, mas pode ajudar a que os grandes carregamentos e as importações iniciais de grandes bibliotecas sejam concluídos mais rapidamente.", - ), - "deviceNotFound": MessageLookupByLibrary.simpleMessage( - "Dispositivo não encontrado", - ), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Você sabia?"), - "different": MessageLookupByLibrary.simpleMessage("Diferente"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage( - "Desativar bloqueio automático", - ), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Visualizadores ainda podem fazer capturas de tela ou salvar uma cópia das suas fotos usando ferramentas externas", - ), - "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( - "Por favor, observe", - ), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "Desativar autenticação de dois fatores", - ), - "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( - "Desativar a autenticação de dois factores...", - ), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Descobrir"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Bebés"), - "discover_celebrations": MessageLookupByLibrary.simpleMessage( - "Comemorações", - ), - "discover_food": MessageLookupByLibrary.simpleMessage("Comida"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Vegetação"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Colinas"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Identidade"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Notas"), - "discover_pets": MessageLookupByLibrary.simpleMessage( - "Animais de estimação", - ), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Recibos"), - "discover_screenshots": MessageLookupByLibrary.simpleMessage( - "Capturas de ecrã", - ), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfies"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Pôr do sol"), - "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( - "Cartões de visita", - ), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage( - "Papéis de parede", - ), - "dismiss": MessageLookupByLibrary.simpleMessage("Rejeitar"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage( - "Não terminar a sessão", - ), - "doThisLater": MessageLookupByLibrary.simpleMessage( - "Fazer isto mais tarde", - ), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Pretende eliminar as edições que efectuou?", - ), - "done": MessageLookupByLibrary.simpleMessage("Concluído"), - "dontSave": MessageLookupByLibrary.simpleMessage("Não guarde"), - "doubleYourStorage": MessageLookupByLibrary.simpleMessage( - "Duplicar o seu armazenamento", - ), - "download": MessageLookupByLibrary.simpleMessage("Download"), - "downloadFailed": MessageLookupByLibrary.simpleMessage("Falha no download"), - "downloading": MessageLookupByLibrary.simpleMessage("A transferir..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Editar"), - "editEmailAlreadyLinked": m28, - "editLocation": MessageLookupByLibrary.simpleMessage("Editar localização"), - "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( - "Editar localização", - ), - "editPerson": MessageLookupByLibrary.simpleMessage("Editar pessoa"), - "editTime": MessageLookupByLibrary.simpleMessage("Editar tempo"), - "editsSaved": MessageLookupByLibrary.simpleMessage("Edição guardada"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Edições para localização só serão vistas dentro do Ente", - ), - "eligible": MessageLookupByLibrary.simpleMessage("elegível"), - "email": MessageLookupByLibrary.simpleMessage("E-mail"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "E-mail já em utilização.", - ), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "E-mail não em utilização.", - ), - "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( - "Verificação por e-mail", - ), - "emailYourLogs": MessageLookupByLibrary.simpleMessage( - "Enviar logs por e-mail", - ), - "embracingThem": m32, - "emergencyContacts": MessageLookupByLibrary.simpleMessage( - "Contactos de Emergência", - ), - "empty": MessageLookupByLibrary.simpleMessage("Esvaziar"), - "emptyTrash": MessageLookupByLibrary.simpleMessage("Esvaziar lixo?"), - "enable": MessageLookupByLibrary.simpleMessage("Ativar"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "O Ente suporta a aprendizagem automática no dispositivo para reconhecimento facial, pesquisa mágica e outras funcionalidades de pesquisa avançadas", - ), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Habilitar aprendizagem automática para pesquisa mágica e reconhecimento de rosto", - ), - "enableMaps": MessageLookupByLibrary.simpleMessage("Ativar mapas"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "Esta opção mostra as suas fotografias num mapa do mundo.\n\n\nEste mapa é alojado pelo Open Street Map e as localizações exactas das suas fotografias nunca são partilhadas.\n\n\nPode desativar esta funcionalidade em qualquer altura nas Definições.", - ), - "enabled": MessageLookupByLibrary.simpleMessage("Ativado"), - "encryptingBackup": MessageLookupByLibrary.simpleMessage( - "Criptografando backup...", - ), - "encryption": MessageLookupByLibrary.simpleMessage("Encriptação"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage( - "Chaves de encriptação", - ), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Endpoint atualizado com sucesso", - ), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Criptografia de ponta a ponta por padrão", - ), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente pode criptografar e preservar arquivos apenas se você conceder acesso a eles", - ), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente precisa da permissão para preservar as suas fotos", - ), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "O Ente preserva as suas memórias, para que estejam sempre disponíveis, mesmo que perca o seu dispositivo.", - ), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Sua família também pode ser adicionada ao seu plano.", - ), - "enterAlbumName": MessageLookupByLibrary.simpleMessage( - "Introduzir nome do álbum", - ), - "enterCode": MessageLookupByLibrary.simpleMessage("Insira o código"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Introduza o código fornecido pelo seu amigo para obter armazenamento gratuito para ambos", - ), - "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( - "Aniversário (opcional)", - ), - "enterEmail": MessageLookupByLibrary.simpleMessage("Digite o e-mail"), - "enterFileName": MessageLookupByLibrary.simpleMessage( - "Inserir nome do arquivo", - ), - "enterName": MessageLookupByLibrary.simpleMessage("Inserir nome"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Inserir uma nova palavra-passe para encriptar os seus dados", - ), - "enterPassword": MessageLookupByLibrary.simpleMessage( - "Introduzir palavra-passe", - ), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Inserir uma palavra-passe para encriptar os seus dados", - ), - "enterPersonName": MessageLookupByLibrary.simpleMessage( - "Inserir nome da pessoa", - ), - "enterPin": MessageLookupByLibrary.simpleMessage("Introduzir PIN"), - "enterReferralCode": MessageLookupByLibrary.simpleMessage( - "Insira o código de referência", - ), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Introduzir o código de 6 dígitos da\nsua aplicação de autenticação", - ), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Favor, introduz um e-mail válido.", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Introduza o seu e-mail", - ), - "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( - "Introduza o seu novo e-mail", - ), - "enterYourPassword": MessageLookupByLibrary.simpleMessage( - "Introduza a sua palavra-passe", - ), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Introduz a sua chave de recuperação", - ), - "error": MessageLookupByLibrary.simpleMessage("Erro"), - "everywhere": MessageLookupByLibrary.simpleMessage("em todo o lado"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": MessageLookupByLibrary.simpleMessage( - "Utilizador existente", - ), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Este link expirou. Por favor, selecione um novo tempo de expiração ou desabilite a expiração do link.", - ), - "exportLogs": MessageLookupByLibrary.simpleMessage("Exportar logs"), - "exportYourData": MessageLookupByLibrary.simpleMessage( - "Exportar os seus dados", - ), - "extraPhotosFound": MessageLookupByLibrary.simpleMessage( - "Fotos adicionais encontradas", - ), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Rosto não aglomerado ainda, retome mais tarde", - ), - "faceRecognition": MessageLookupByLibrary.simpleMessage( - "Reconhecimento facial", - ), - "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( - "Impossível gerar thumbnails de rosto", - ), - "faces": MessageLookupByLibrary.simpleMessage("Rostos"), - "failed": MessageLookupByLibrary.simpleMessage("Falha"), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage( - "Falha ao aplicar código", - ), - "failedToCancel": MessageLookupByLibrary.simpleMessage( - "Falhou ao cancelar", - ), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( - "Falha ao fazer o download do vídeo", - ), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Falha ao obter sessões em atividade", - ), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Falha ao obter original para edição", - ), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Não foi possível obter detalhes de indicação. Por favor, tente novamente mais tarde.", - ), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "Falha ao carregar álbuns", - ), - "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Falha ao reproduzir multimédia", - ), - "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( - "Falha ao atualizar subscrição", - ), - "failedToRenew": MessageLookupByLibrary.simpleMessage("Falhou ao renovar"), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Falha ao verificar status do pagamento", - ), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Adicione 5 membros da família ao seu plano existente sem pagar mais.\n\n\nCada membro tem o seu próprio espaço privado e não pode ver os ficheiros dos outros, a menos que sejam partilhados.\n\n\nOs planos familiares estão disponíveis para clientes que tenham uma subscrição paga do Ente.\n\n\nSubscreva agora para começar!", - ), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Família"), - "familyPlans": MessageLookupByLibrary.simpleMessage("Planos familiares"), - "faq": MessageLookupByLibrary.simpleMessage("Perguntas Frequentes"), - "faqs": MessageLookupByLibrary.simpleMessage("Perguntas frequentes"), - "favorite": MessageLookupByLibrary.simpleMessage("Favorito"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("Comentário"), - "file": MessageLookupByLibrary.simpleMessage("Ficheiro"), - "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage( - "Impossível analisar arquivo", - ), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Falha ao guardar o ficheiro na galeria", - ), - "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( - "Acrescente uma descrição...", - ), - "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( - "Ficheiro não enviado ainda", - ), - "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Arquivo guardado na galeria", - ), - "fileTypes": MessageLookupByLibrary.simpleMessage("Tipos de arquivo"), - "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( - "Tipos de arquivo e nomes", - ), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage("Arquivos apagados"), - "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Arquivos guardados na galeria", - ), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Encontrar pessoas rapidamente pelo nome", - ), - "findThemQuickly": MessageLookupByLibrary.simpleMessage( - "Ache-os rapidamente", - ), - "flip": MessageLookupByLibrary.simpleMessage("Inverter"), - "food": MessageLookupByLibrary.simpleMessage("Culinária saborosa"), - "forYourMemories": MessageLookupByLibrary.simpleMessage( - "para suas memórias", - ), - "forgotPassword": MessageLookupByLibrary.simpleMessage( - "Não recordo a palavra-passe", - ), - "foundFaces": MessageLookupByLibrary.simpleMessage("Rostos encontrados"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( - "Armazenamento gratuito reclamado", - ), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Armazenamento livre utilizável", - ), - "freeTrial": MessageLookupByLibrary.simpleMessage("Teste grátis"), - "freeTrialValidTill": m38, - "freeUpAccessPostDelete": m39, - "freeUpAmount": m40, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( - "Libertar espaço no dispositivo", - ), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Poupe espaço no seu dispositivo limpando ficheiros dos quais já foi feita uma cópia de segurança.", - ), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("Libertar espaço"), - "freeUpSpaceSaving": m41, - "gallery": MessageLookupByLibrary.simpleMessage("Galeria"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "Até 1000 memórias mostradas na galeria", - ), - "general": MessageLookupByLibrary.simpleMessage("Geral"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Gerando chaves de encriptação...", - ), - "genericProgress": m42, - "goToSettings": MessageLookupByLibrary.simpleMessage( - "Ir para as definições", - ), - "googlePlayId": MessageLookupByLibrary.simpleMessage("ID do Google Play"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Por favor, permita o acesso a todas as fotos nas definições do aplicativo", - ), - "grantPermission": MessageLookupByLibrary.simpleMessage( - "Conceder permissão", - ), - "greenery": MessageLookupByLibrary.simpleMessage("A vida esverdeada"), - "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( - "Agrupar fotos próximas", - ), - "guestView": MessageLookupByLibrary.simpleMessage("Visão de convidado"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "Para ativar a vista de convidado, configure o código de acesso do dispositivo ou o bloqueio do ecrã nas definições do sistema.", - ), - "happyBirthday": MessageLookupByLibrary.simpleMessage("Felicidades! 🥳"), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "Não monitorizamos as instalações de aplicações. Ajudaria se nos dissesse onde nos encontrou!", - ), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Como é que soube do Ente? (opcional)", - ), - "help": MessageLookupByLibrary.simpleMessage("Ajuda"), - "hidden": MessageLookupByLibrary.simpleMessage("Oculto"), - "hide": MessageLookupByLibrary.simpleMessage("Ocultar"), - "hideContent": MessageLookupByLibrary.simpleMessage("Ocultar conteúdo"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Oculta o conteúdo da aplicação no alternador de aplicações e desactiva as capturas de ecrã", - ), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Oculta o conteúdo da aplicação no alternador de aplicações", - ), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "Esconder Itens Partilhados da Galeria Inicial", - ), - "hiding": MessageLookupByLibrary.simpleMessage("Ocultando..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( - "Hospedado na OSM France", - ), - "howItWorks": MessageLookupByLibrary.simpleMessage("Como funciona"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Por favor, peça-lhes para pressionar longamente o endereço de e-mail na tela de configurações e verifique se os IDs de ambos os dispositivos coincidem.", - ), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "A autenticação biométrica não está configurada no seu dispositivo. Active o Touch ID ou o Face ID no seu telemóvel.", - ), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "A autenticação biométrica está desativada. Por favor, bloqueie e desbloqueie o ecrã para ativá-la.", - ), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), - "ignore": MessageLookupByLibrary.simpleMessage("Ignorar"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorar"), - "ignored": MessageLookupByLibrary.simpleMessage("ignorado"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Alguns ficheiros deste álbum não podem ser carregados porque foram anteriormente eliminados do Ente.", - ), - "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( - "Imagem sem análise", - ), - "immediately": MessageLookupByLibrary.simpleMessage("Imediatamente"), - "importing": MessageLookupByLibrary.simpleMessage("A importar..."), - "incorrectCode": MessageLookupByLibrary.simpleMessage("Código incorrecto"), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Palavra-passe incorreta", - ), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Chave de recuperação incorreta", - ), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "A chave de recuperação introduzida está incorreta", - ), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Chave de recuperação incorreta", - ), - "indexedItems": MessageLookupByLibrary.simpleMessage("Itens indexados"), - "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( - "A indexação foi interrompida. Ele será retomado se o dispositivo estiver pronto. O dispositivo é considerado pronto se o nível de bateria, saúde da bateria, e estado térmico esteja num estado saudável.", - ), - "ineligible": MessageLookupByLibrary.simpleMessage("Inelegível"), - "info": MessageLookupByLibrary.simpleMessage("Info"), - "insecureDevice": MessageLookupByLibrary.simpleMessage( - "Dispositivo inseguro", - ), - "installManually": MessageLookupByLibrary.simpleMessage( - "Instalar manualmente", - ), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "E-mail inválido", - ), - "invalidEndpoint": MessageLookupByLibrary.simpleMessage( - "Endpoint inválido", - ), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Desculpe, o endpoint que introduziu é inválido. Introduza um ponto final válido e tente novamente.", - ), - "invalidKey": MessageLookupByLibrary.simpleMessage("Chave inválida"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "A chave de recuperação que inseriu não é válida. Por favor, certifique-se que ela contém 24 palavras e verifique a ortografia de cada uma.\n\nSe inseriu um código de recuperação mais antigo, certifique-se de que tem 64 caracteres e verifique cada um deles.", - ), - "invite": MessageLookupByLibrary.simpleMessage("Convidar"), - "inviteToEnte": MessageLookupByLibrary.simpleMessage("Convidar para Ente"), - "inviteYourFriends": MessageLookupByLibrary.simpleMessage( - "Convide os seus amigos", - ), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "Convide seus amigos para o Ente", - ), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Parece que algo correu mal. Por favor, tente novamente após algum tempo. Se o erro persistir, contacte a nossa equipa de apoio.", - ), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "Os itens mostram o número de dias restantes antes da eliminação permanente", - ), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Os itens selecionados serão removidos deste álbum", - ), - "join": MessageLookupByLibrary.simpleMessage("Aderir"), - "joinAlbum": MessageLookupByLibrary.simpleMessage("Aderir ao Álbum"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "Aderir a um álbum fará o seu e-mail visível aos participantes.", - ), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( - "para ver e adicionar as suas fotos", - ), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "para adicionar isto aos álbuns partilhados", - ), - "joinDiscord": MessageLookupByLibrary.simpleMessage("Juntar-se ao Discord"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Manter fotos"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Ajude-nos com esta informação", - ), - "language": MessageLookupByLibrary.simpleMessage("Idioma"), - "lastTimeWithThem": m45, - "lastUpdated": MessageLookupByLibrary.simpleMessage("Última atualização"), - "lastYearsTrip": MessageLookupByLibrary.simpleMessage( - "Viagem do ano passado", - ), - "leave": MessageLookupByLibrary.simpleMessage("Sair"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Sair do álbum"), - "leaveFamily": MessageLookupByLibrary.simpleMessage( - "Deixar plano famíliar", - ), - "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Sair do álbum compartilhado?", - ), - "left": MessageLookupByLibrary.simpleMessage("Esquerda"), - "legacy": MessageLookupByLibrary.simpleMessage("Revivência"), - "legacyAccounts": MessageLookupByLibrary.simpleMessage("Contas revividas"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "A Revivência permite que contactos de confiança acessem a sua conta na sua inatividade.", - ), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "Contactos de confiança podem restaurar a sua conta, e se não lhes impedir em 30 dias, redefine a sua palavra-passe e acesse a sua conta.", - ), - "light": MessageLookupByLibrary.simpleMessage("Claro"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Claro"), - "link": MessageLookupByLibrary.simpleMessage("Ligar"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Link copiado para a área de transferência", - ), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage( - "Limite de dispositivo", - ), - "linkEmail": MessageLookupByLibrary.simpleMessage("Ligar e-mail"), - "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( - "para partilha ágil", - ), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Ativado"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Expirado"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Link expirado"), - "linkHasExpired": MessageLookupByLibrary.simpleMessage("O link expirou"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Nunca"), - "linkPerson": MessageLookupByLibrary.simpleMessage("Ligar pessoa"), - "linkPersonCaption": MessageLookupByLibrary.simpleMessage( - "para melhor experiência de partilha", - ), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("Fotos Em Tempo Real"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "Pode partilhar a sua subscrição com a sua família", - ), - "loadMessage2": MessageLookupByLibrary.simpleMessage( - "Já contivemos 200 milhões de memórias até o momento", - ), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "Mantemos 3 cópias dos seus dados, uma em um abrigo subterrâneo", - ), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "Todos os nossos aplicativos são de código aberto", - ), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Nosso código-fonte e criptografia foram auditadas externamente", - ), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "Deixar o álbum partilhado?", - ), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Nossos aplicativos móveis são executados em segundo plano para criptografar e fazer backup de quaisquer novas fotos que você clique", - ), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io tem um envio mais rápido", - ), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Nós usamos Xchacha20Poly1305 para criptografar seus dados com segurança", - ), - "loadingExifData": MessageLookupByLibrary.simpleMessage( - "Carregando dados EXIF...", - ), - "loadingGallery": MessageLookupByLibrary.simpleMessage( - "Carregando galeria...", - ), - "loadingMessage": MessageLookupByLibrary.simpleMessage( - "Carregar as suas fotos...", - ), - "loadingModel": MessageLookupByLibrary.simpleMessage( - "Transferindo modelos...", - ), - "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( - "Carregar as suas fotos...", - ), - "localGallery": MessageLookupByLibrary.simpleMessage("Galeria local"), - "localIndexing": MessageLookupByLibrary.simpleMessage("Indexação local"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Parece que algo correu mal, uma vez que a sincronização de fotografias locais está a demorar mais tempo do que o esperado. Contacte a nossa equipa de apoio", - ), - "location": MessageLookupByLibrary.simpleMessage("Localização"), - "locationName": MessageLookupByLibrary.simpleMessage("Nome da localização"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Uma etiqueta de localização agrupa todas as fotos que foram tiradas num determinado raio de uma fotografia", - ), - "locations": MessageLookupByLibrary.simpleMessage("Localizações"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Bloquear"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Ecrã de bloqueio"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Iniciar sessão"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Terminar a sessão..."), - "loginSessionExpired": MessageLookupByLibrary.simpleMessage( - "Sessão expirada", - ), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "A sua sessão expirou. Por favor, inicie sessão novamente.", - ), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Ao clicar em iniciar sessão, eu concordo com os termos de serviço e política de privacidade", - ), - "loginWithTOTP": MessageLookupByLibrary.simpleMessage( - "Iniciar sessão com TOTP", - ), - "logout": MessageLookupByLibrary.simpleMessage("Terminar sessão"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Isto enviará os registos para nos ajudar a resolver o problema. Tenha em atenção que os nomes dos ficheiros serão incluídos para ajudar a localizar problemas com ficheiros específicos.", - ), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Pressione e segure um e-mail para verificar a criptografia de ponta a ponta.", - ), - "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( - "Pressione e segure em um item para ver em tela cheia", - ), - "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( - "Revê as suas memórias 🌄", - ), - "loopVideoOff": MessageLookupByLibrary.simpleMessage( - "Repetir vídeo desligado", - ), - "loopVideoOn": MessageLookupByLibrary.simpleMessage("Repetir vídeo ligado"), - "lostDevice": MessageLookupByLibrary.simpleMessage( - "Perdeu o seu dispositívo?", - ), - "machineLearning": MessageLookupByLibrary.simpleMessage( - "Aprendizagem automática", - ), - "magicSearch": MessageLookupByLibrary.simpleMessage("Pesquisa mágica"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "A pesquisa mágica permite pesquisar fotos por seu conteúdo, por exemplo, \'flor\', \'carro vermelho\', \'documentos de identidade\'", - ), - "manage": MessageLookupByLibrary.simpleMessage("Gerir"), - "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( - "Gerir cache do aparelho", - ), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Reveja e limpe o armazenamento de cache local.", - ), - "manageFamily": MessageLookupByLibrary.simpleMessage("Gerir família"), - "manageLink": MessageLookupByLibrary.simpleMessage("Gerir link"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Gerir"), - "manageSubscription": MessageLookupByLibrary.simpleMessage( - "Gerir subscrição", - ), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "Emparelhar com PIN funciona com qualquer ecrã onde pretenda ver o seu álbum.", - ), - "map": MessageLookupByLibrary.simpleMessage("Mapa"), - "maps": MessageLookupByLibrary.simpleMessage("Mapas"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("Eu"), - "memories": MessageLookupByLibrary.simpleMessage("Memórias"), - "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Seleciona os tipos de memórias que adoraria ver no seu ecrã inicial.", - ), - "memoryCount": m50, - "merchandise": MessageLookupByLibrary.simpleMessage("Produtos"), - "merge": MessageLookupByLibrary.simpleMessage("Fundir"), - "mergeWithExisting": MessageLookupByLibrary.simpleMessage( - "Juntar com o existente", - ), - "mergedPhotos": MessageLookupByLibrary.simpleMessage("Fotos combinadas"), - "mlConsent": MessageLookupByLibrary.simpleMessage( - "Ativar aprendizagem automática", - ), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Eu entendo, e desejo ativar a aprendizagem automática", - ), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Se ativar a aprendizagem automática, o Ente extrairá informações como a geometria do rosto de ficheiros, incluindo os partilhados consigo.\n\n\nIsto acontecerá no seu dispositivo e todas as informações biométricas geradas serão encriptadas de ponta a ponta.", - ), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Por favor, clique aqui para mais detalhes sobre este recurso na nossa política de privacidade", - ), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "Ativar aprendizagem automática?", - ), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Tenha em atenção que a aprendizagem automática resultará numa maior utilização da largura de banda e da bateria até que todos os itens sejam indexados. Considere utilizar a aplicação de ambiente de trabalho para uma indexação mais rápida, todos os resultados serão sincronizados automaticamente.", - ), - "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( - "Mobile, Web, Desktop", - ), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Moderada"), - "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( - "Modifique a sua consulta ou tente pesquisar por", - ), - "moments": MessageLookupByLibrary.simpleMessage("Momentos"), - "month": MessageLookupByLibrary.simpleMessage("mês"), - "monthly": MessageLookupByLibrary.simpleMessage("Mensal"), - "moon": MessageLookupByLibrary.simpleMessage("Na luz da lua"), - "moreDetails": MessageLookupByLibrary.simpleMessage("Mais detalhes"), - "mostRecent": MessageLookupByLibrary.simpleMessage("Mais recente"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("Mais relevante"), - "mountains": MessageLookupByLibrary.simpleMessage("Sobre as colinas"), - "moveItem": m51, - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "Alterar datas de Fotos ao Selecionado", - ), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("Mover para álbum"), - "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Mover para álbum oculto", - ), - "movedSuccessfullyTo": m52, - "movedToTrash": MessageLookupByLibrary.simpleMessage("Mover para o lixo"), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Mover arquivos para o álbum...", - ), - "name": MessageLookupByLibrary.simpleMessage("Nome"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Nomear o álbum"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Não foi possível conectar ao Ente, tente novamente após algum tempo. Se o erro persistir, entre em contato com o suporte.", - ), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Não foi possível estabelecer ligação ao Ente. Verifique as definições de rede e contacte o serviço de apoio se o erro persistir.", - ), - "never": MessageLookupByLibrary.simpleMessage("Nunca"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Novo álbum"), - "newLocation": MessageLookupByLibrary.simpleMessage("Novo Lugar"), - "newPerson": MessageLookupByLibrary.simpleMessage("Nova pessoa"), - "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" novo 📸"), - "newRange": MessageLookupByLibrary.simpleMessage("Novo intervalo"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Novo no Ente"), - "newest": MessageLookupByLibrary.simpleMessage("Recentes"), - "next": MessageLookupByLibrary.simpleMessage("Seguinte"), - "no": MessageLookupByLibrary.simpleMessage("Não"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Ainda não há álbuns partilhados por si", - ), - "noDeviceFound": MessageLookupByLibrary.simpleMessage( - "Nenhum dispositivo encontrado", - ), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Nenhum"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "Você não tem arquivos neste dispositivo que possam ser apagados", - ), - "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Sem duplicados"), - "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( - "Nenhuma conta do Ente!", - ), - "noExifData": MessageLookupByLibrary.simpleMessage("Sem dados EXIF"), - "noFacesFound": MessageLookupByLibrary.simpleMessage( - "Nenhum rosto foi detetado", - ), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "Sem fotos ou vídeos ocultos", - ), - "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( - "Nenhuma imagem com localização", - ), - "noInternetConnection": MessageLookupByLibrary.simpleMessage( - "Sem ligação à internet", - ), - "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( - "No momento não há backup de fotos sendo feito", - ), - "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( - "Nenhuma foto encontrada aqui", - ), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( - "Nenhum link rápido selecionado", - ), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Sem chave de recuperação?", - ), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Por conta da natureza do nosso protocolo de encriptação, os seus dados não podem ser desencriptados sem a sua palavra-passe ou chave de recuperação.", - ), - "noResults": MessageLookupByLibrary.simpleMessage("Nenhum resultado"), - "noResultsFound": MessageLookupByLibrary.simpleMessage( - "Não foram encontrados resultados", - ), - "noSuggestionsForPerson": m53, - "noSystemLockFound": MessageLookupByLibrary.simpleMessage( - "Nenhum bloqueio de sistema encontrado", - ), - "notPersonLabel": m54, - "notThisPerson": MessageLookupByLibrary.simpleMessage("Não é esta pessoa?"), - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "Ainda nada partilhado consigo", - ), - "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( - "Nada para ver aqui! 👀", - ), - "notifications": MessageLookupByLibrary.simpleMessage("Notificações"), - "ok": MessageLookupByLibrary.simpleMessage("OK"), - "onDevice": MessageLookupByLibrary.simpleMessage("No dispositivo"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "Em ente", - ), - "onTheRoad": MessageLookupByLibrary.simpleMessage("Na rua de novo"), - "onThisDay": MessageLookupByLibrary.simpleMessage("Neste dia"), - "onThisDayMemories": MessageLookupByLibrary.simpleMessage( - "Memórias deste dia", - ), - "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( - "Obtém lembretes de memórias deste dia em anos passados.", - ), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Apenas eles"), - "oops": MessageLookupByLibrary.simpleMessage("Ops"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Oops, não foi possível guardar as edições", - ), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Ops, algo deu errado", - ), - "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( - "Abrir o Álbum em Navegador", - ), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Utilize a Aplicação de Web Sítio para adicionar fotos ao álbum", - ), - "openFile": MessageLookupByLibrary.simpleMessage("Abrir o Ficheiro"), - "openSettings": MessageLookupByLibrary.simpleMessage("Abrir Definições"), - "openTheItem": MessageLookupByLibrary.simpleMessage("• Abra o item"), - "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( - "Contribuidores do OpenStreetMap", - ), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Opcional, o mais breve que quiser...", - ), - "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( - "Ou combinar com já existente", - ), - "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( - "Ou escolha um já existente", - ), - "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( - "ou selecione dos seus contactos", - ), - "otherDetectedFaces": MessageLookupByLibrary.simpleMessage( - "Outros rostos detetados", - ), - "pair": MessageLookupByLibrary.simpleMessage("Emparelhar"), - "pairWithPin": MessageLookupByLibrary.simpleMessage("Emparelhar com PIN"), - "pairingComplete": MessageLookupByLibrary.simpleMessage( - "Emparelhamento concluído", - ), - "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), - "partyWithThem": m56, - "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( - "A verificação ainda está pendente", - ), - "passkey": MessageLookupByLibrary.simpleMessage("Chave de acesso"), - "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( - "Verificação da chave de acesso", - ), - "password": MessageLookupByLibrary.simpleMessage("Palavra-passe"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Palavra-passe alterada com sucesso", - ), - "passwordLock": MessageLookupByLibrary.simpleMessage( - "Bloqueio da palavra-passe", - ), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "A força da palavra-passe é calculada tendo em conta o comprimento da palavra-passe, os caracteres utilizados e se a palavra-passe aparece ou não nas 10.000 palavras-passe mais utilizadas", - ), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Não armazenamos esta palavra-passe, se você a esquecer, não podemos desencriptar os seus dados", - ), - "pastYearsMemories": MessageLookupByLibrary.simpleMessage( - "Memórias de anos passados", - ), - "paymentDetails": MessageLookupByLibrary.simpleMessage( - "Detalhes de pagamento", - ), - "paymentFailed": MessageLookupByLibrary.simpleMessage("O pagamento falhou"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "Infelizmente o seu pagamento falhou. Entre em contato com o suporte e nós ajudaremos você!", - ), - "paymentFailedTalkToProvider": m58, - "pendingItems": MessageLookupByLibrary.simpleMessage("Itens pendentes"), - "pendingSync": MessageLookupByLibrary.simpleMessage( - "Sincronização pendente", - ), - "people": MessageLookupByLibrary.simpleMessage("Pessoas"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Pessoas que utilizam seu código", - ), - "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Seleciona as pessoas que adoraria ver no seu ecrã inicial.", - ), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Todos os itens no lixo serão permanentemente eliminados\n\n\nEsta ação não pode ser anulada", - ), - "permanentlyDelete": MessageLookupByLibrary.simpleMessage( - "Eliminar permanentemente", - ), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Apagar permanentemente do dispositivo?", - ), - "personIsAge": m59, - "personName": MessageLookupByLibrary.simpleMessage("Nome da pessoa"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("Acompanhantes peludos"), - "photoDescriptions": MessageLookupByLibrary.simpleMessage( - "Descrições das fotos", - ), - "photoGridSize": MessageLookupByLibrary.simpleMessage( - "Tamanho da grelha de fotos", - ), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("Fotos"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "As fotos adicionadas por si serão removidas do álbum", - ), - "photosCount": m62, - "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( - "As Fotos continuam com uma diferença de horário relativo", - ), - "pickCenterPoint": MessageLookupByLibrary.simpleMessage( - "Escolha o ponto central", - ), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Fixar álbum"), - "pinLock": MessageLookupByLibrary.simpleMessage("Bloqueio por PIN"), - "playOnTv": MessageLookupByLibrary.simpleMessage("Reproduzir álbum na TV"), - "playOriginal": MessageLookupByLibrary.simpleMessage("Ver original"), - "playStoreFreeTrialValidTill": m63, - "playStream": MessageLookupByLibrary.simpleMessage("Ver em direto"), - "playstoreSubscription": MessageLookupByLibrary.simpleMessage( - "Subscrição da PlayStore", - ), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Por favor, verifique a sua ligação à Internet e tente novamente.", - ), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Por favor, entre em contato com support@ente.io e nós ficaremos felizes em ajudar!", - ), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Por favor, contate o suporte se o problema persistir", - ), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( - "Por favor, conceda as permissões", - ), - "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( - "Por favor, inicie sessão novamente", - ), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Selecione links rápidos para remover", - ), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Por favor, tente novamente", - ), - "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( - "Por favor, verifique se o código que você inseriu", - ), - "pleaseWait": MessageLookupByLibrary.simpleMessage( - "Por favor, aguarde ...", - ), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Por favor aguarde, apagar o álbum", - ), - "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( - "Por favor, aguarde algum tempo antes de tentar novamente", - ), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "Espera um pouco, isto deve levar um tempo.", - ), - "posingWithThem": m66, - "preparingLogs": MessageLookupByLibrary.simpleMessage("Preparando logs..."), - "preserveMore": MessageLookupByLibrary.simpleMessage("Preservar mais"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Pressione e segure para reproduzir o vídeo", - ), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Pressione e segure na imagem para reproduzir o vídeo", - ), - "previous": MessageLookupByLibrary.simpleMessage("Anterior"), - "privacy": MessageLookupByLibrary.simpleMessage("Privacidade"), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( - "Política de privacidade", - ), - "privateBackups": MessageLookupByLibrary.simpleMessage("Backups privados"), - "privateSharing": MessageLookupByLibrary.simpleMessage("Partilha privada"), - "proceed": MessageLookupByLibrary.simpleMessage("Continuar"), - "processed": MessageLookupByLibrary.simpleMessage("Processado"), - "processing": MessageLookupByLibrary.simpleMessage("A processar"), - "processingImport": m67, - "processingVideos": MessageLookupByLibrary.simpleMessage( - "A processar vídeos", - ), - "publicLinkCreated": MessageLookupByLibrary.simpleMessage( - "Link público criado", - ), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( - "Link público ativado", - ), - "questionmark": MessageLookupByLibrary.simpleMessage("?"), - "queued": MessageLookupByLibrary.simpleMessage("Em fila"), - "quickLinks": MessageLookupByLibrary.simpleMessage("Links rápidos"), - "radius": MessageLookupByLibrary.simpleMessage("Raio"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Abrir ticket"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("Avaliar aplicação"), - "rateUs": MessageLookupByLibrary.simpleMessage("Avalie-nos"), - "rateUsOnStore": m68, - "reassignMe": MessageLookupByLibrary.simpleMessage("Retribua \"Mim\""), - "reassignedToName": m69, - "reassigningLoading": MessageLookupByLibrary.simpleMessage( - "A retribuir...", - ), - "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( - "Obtém lembretes de quando é aniversário de alguém. Apertar na notificação o levará às fotos do aniversariante.", - ), - "recover": MessageLookupByLibrary.simpleMessage("Recuperar"), - "recoverAccount": MessageLookupByLibrary.simpleMessage("Recuperar conta"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Recuperar"), - "recoveryAccount": MessageLookupByLibrary.simpleMessage("Recuperar Conta"), - "recoveryInitiated": MessageLookupByLibrary.simpleMessage( - "Recuperação iniciada", - ), - "recoveryInitiatedDesc": m70, - "recoveryKey": MessageLookupByLibrary.simpleMessage("Chave de recuperação"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Chave de recuperação copiada para a área de transferência", - ), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Se esquecer sua palavra-passe, a única maneira de recuperar os seus dados é com esta chave.", - ), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Não armazenamos essa chave, por favor, guarde esta chave de 24 palavras num lugar seguro.", - ), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Ótimo! A sua chave de recuperação é válida. Obrigado por verificar.\n\nLembre-se de manter cópia de segurança da sua chave de recuperação.", - ), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Chave de recuperação verificada", - ), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "A sua chave de recuperação é a única forma de recuperar as suas fotografias se se esquecer da sua palavra-passe. Pode encontrar a sua chave de recuperação em Definições > Conta.\n\n\nIntroduza aqui a sua chave de recuperação para verificar se a guardou corretamente.", - ), - "recoveryReady": m71, - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "Recuperação com êxito!", - ), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "Um contacto de confiança está a tentar acessar a sua conta", - ), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "O dispositivo atual não é suficientemente poderoso para verificar a palavra-passe, mas podemos regenerar novamente de uma maneira que funcione no seu dispositivo.\n\nPor favor, iniciar sessão utilizando código de recuperação e gerar novamente a sua palavra-passe (pode utilizar a mesma se quiser).", - ), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Recriar palavra-passe", - ), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": MessageLookupByLibrary.simpleMessage( - "Insira novamente a palavra-passe", - ), - "reenterPin": MessageLookupByLibrary.simpleMessage("Inserir PIN novamente"), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Recomende amigos e duplique o seu plano", - ), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Envie este código aos seus amigos", - ), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Eles se inscrevem em um plano pago", - ), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Referências"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "As referências estão atualmente em pausa", - ), - "rejectRecovery": MessageLookupByLibrary.simpleMessage( - "Recusar recuperação", - ), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "Esvazie também a opção “Eliminados recentemente” em “Definições” -> “Armazenamento” para reclamar o espaço libertado", - ), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Esvazie também o seu “Lixo” para reivindicar o espaço libertado", - ), - "remoteImages": MessageLookupByLibrary.simpleMessage("Imagens remotas"), - "remoteThumbnails": MessageLookupByLibrary.simpleMessage( - "Miniaturas remotas", - ), - "remoteVideos": MessageLookupByLibrary.simpleMessage("Vídeos remotos"), - "remove": MessageLookupByLibrary.simpleMessage("Remover"), - "removeDuplicates": MessageLookupByLibrary.simpleMessage( - "Remover duplicados", - ), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Rever e remover ficheiros que sejam duplicados exatos.", - ), - "removeFromAlbum": MessageLookupByLibrary.simpleMessage("Remover do álbum"), - "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( - "Remover do álbum", - ), - "removeFromFavorite": MessageLookupByLibrary.simpleMessage( - "Remover dos favoritos", - ), - "removeInvite": MessageLookupByLibrary.simpleMessage("Retirar convite"), - "removeLink": MessageLookupByLibrary.simpleMessage("Remover link"), - "removeParticipant": MessageLookupByLibrary.simpleMessage( - "Remover participante", - ), - "removeParticipantBody": m74, - "removePersonLabel": MessageLookupByLibrary.simpleMessage( - "Remover etiqueta da pessoa", - ), - "removePublicLink": MessageLookupByLibrary.simpleMessage( - "Remover link público", - ), - "removePublicLinks": MessageLookupByLibrary.simpleMessage( - "Remover link público", - ), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Alguns dos itens que você está removendo foram adicionados por outras pessoas, e você perderá o acesso a eles", - ), - "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Remover?"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Retirar-vos dos contactos de confiança", - ), - "removingFromFavorites": MessageLookupByLibrary.simpleMessage( - "Removendo dos favoritos...", - ), - "rename": MessageLookupByLibrary.simpleMessage("Renomear"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("Renomear álbum"), - "renameFile": MessageLookupByLibrary.simpleMessage("Renomear arquivo"), - "renewSubscription": MessageLookupByLibrary.simpleMessage( - "Renovar subscrição", - ), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Reporte um bug"), - "reportBug": MessageLookupByLibrary.simpleMessage("Reportar bug"), - "resendEmail": MessageLookupByLibrary.simpleMessage("Reenviar e-mail"), - "reset": MessageLookupByLibrary.simpleMessage("Redefinir"), - "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( - "Repor ficheiros ignorados", - ), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Redefinir palavra-passe", - ), - "resetPerson": MessageLookupByLibrary.simpleMessage("Remover"), - "resetToDefault": MessageLookupByLibrary.simpleMessage( - "Redefinir para o padrão", - ), - "restore": MessageLookupByLibrary.simpleMessage("Restaurar"), - "restoreToAlbum": MessageLookupByLibrary.simpleMessage( - "Restaurar para álbum", - ), - "restoringFiles": MessageLookupByLibrary.simpleMessage( - "Restaurar arquivos...", - ), - "resumableUploads": MessageLookupByLibrary.simpleMessage( - "Uploads reenviados", - ), - "retry": MessageLookupByLibrary.simpleMessage("Tentar novamente"), - "review": MessageLookupByLibrary.simpleMessage("Rever"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Reveja e elimine os itens que considera serem duplicados.", - ), - "reviewSuggestions": MessageLookupByLibrary.simpleMessage( - "Revisar sugestões", - ), - "right": MessageLookupByLibrary.simpleMessage("Direita"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("Rodar"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Rodar para a esquerda"), - "rotateRight": MessageLookupByLibrary.simpleMessage("Rodar para a direita"), - "safelyStored": MessageLookupByLibrary.simpleMessage( - "Armazenado com segurança", - ), - "same": MessageLookupByLibrary.simpleMessage("Igual"), - "sameperson": MessageLookupByLibrary.simpleMessage("A mesma pessoa?"), - "save": MessageLookupByLibrary.simpleMessage("Guardar"), - "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage( - "Guardar como outra pessoa", - ), - "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( - "Guardar as alterações antes de sair?", - ), - "saveCollage": MessageLookupByLibrary.simpleMessage("Guardar colagem"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Guardar cópia"), - "saveKey": MessageLookupByLibrary.simpleMessage("Guardar chave"), - "savePerson": MessageLookupByLibrary.simpleMessage("Guardar pessoa"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Guarde a sua chave de recuperação, caso ainda não o tenha feito", - ), - "saving": MessageLookupByLibrary.simpleMessage("A gravar..."), - "savingEdits": MessageLookupByLibrary.simpleMessage("Gravando edições..."), - "scanCode": MessageLookupByLibrary.simpleMessage("Ler código Qr"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Leia este código com a sua aplicação dois fatores.", - ), - "search": MessageLookupByLibrary.simpleMessage("Pesquisar"), - "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Álbuns"), - "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage( - "Nome do álbum", - ), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Nomes de álbuns (ex: \"Câmera\")\n• Tipos de arquivos (ex.: \"Vídeos\", \".gif\")\n• Anos e meses (e.. \"2022\", \"Janeiro\")\n• Feriados (por exemplo, \"Natal\")\n• Descrições de fotos (por exemplo, \"#divertido\")", - ), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Adicione descrições como \"#trip\" nas informações das fotos para encontrá-las aqui rapidamente", - ), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Pesquisar por data, mês ou ano", - ), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "As imagens aparecerão aqui caso o processamento e sincronização for concluído", - ), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "As pessoas serão mostradas aqui quando a indexação estiver concluída", - ), - "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( - "Tipos de arquivo e nomes", - ), - "searchHint1": MessageLookupByLibrary.simpleMessage( - "Pesquisa rápida no dispositivo", - ), - "searchHint2": MessageLookupByLibrary.simpleMessage( - "Datas das fotos, descrições", - ), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "Álbuns, nomes de arquivos e tipos", - ), - "searchHint4": MessageLookupByLibrary.simpleMessage("Local"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "Em breve: Rostos e pesquisa mágica ✨", - ), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Fotos de grupo que estão sendo tiradas em algum raio da foto", - ), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "Convide pessoas e verá todas as fotos partilhadas por elas aqui", - ), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "As pessoas aparecerão aqui caso o processamento e sincronização for concluído", - ), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Segurança"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "Ver Ligações Públicas na Aplicação", - ), - "selectALocation": MessageLookupByLibrary.simpleMessage( - "Selecione uma localização", - ), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage( - "Selecione uma localização primeiro", - ), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Selecionar álbum"), - "selectAll": MessageLookupByLibrary.simpleMessage("Selecionar tudo"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("Tudo"), - "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( - "Selecionar Foto para Capa", - ), - "selectDate": MessageLookupByLibrary.simpleMessage("Selecionar data"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Selecionar pastas para cópia de segurança", - ), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "Selecionar itens para adicionar", - ), - "selectLanguage": MessageLookupByLibrary.simpleMessage("Selecionar Idioma"), - "selectMailApp": MessageLookupByLibrary.simpleMessage( - "Selecione Aplicação de Correios", - ), - "selectMorePhotos": MessageLookupByLibrary.simpleMessage( - "Selecionar mais fotos", - ), - "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( - "Selecione uma Data e Hora", - ), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "Selecionar uma data e hora a todos", - ), - "selectPersonToLink": MessageLookupByLibrary.simpleMessage( - "Selecione uma pessoa para ligar-se", - ), - "selectReason": MessageLookupByLibrary.simpleMessage("Diz a razão"), - "selectStartOfRange": MessageLookupByLibrary.simpleMessage( - "Selecionar início de intervalo", - ), - "selectTime": MessageLookupByLibrary.simpleMessage("Selecionar tempo"), - "selectYourFace": MessageLookupByLibrary.simpleMessage( - "Selecionar o seu rosto", - ), - "selectYourPlan": MessageLookupByLibrary.simpleMessage( - "Selecione o seu plano", - ), - "selectedAlbums": m79, - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Os arquivos selecionados não estão no Ente", - ), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "As pastas selecionadas serão encriptadas e guardadas como cópia de segurança", - ), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Os itens selecionados serão eliminados de todos os álbuns e movidos para o lixo.", - ), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "Os itens em seleção serão removidos desta pessoa, mas não da sua biblioteca.", - ), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("Enviar"), - "sendEmail": MessageLookupByLibrary.simpleMessage("Enviar e-mail"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Enviar convite"), - "sendLink": MessageLookupByLibrary.simpleMessage("Enviar link"), - "serverEndpoint": MessageLookupByLibrary.simpleMessage( - "Endpoint do servidor", - ), - "sessionExpired": MessageLookupByLibrary.simpleMessage("Sessão expirada"), - "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( - "Incompatibilidade de ID de sessão", - ), - "setAPassword": MessageLookupByLibrary.simpleMessage( - "Definir uma palavra-passe", - ), - "setAs": MessageLookupByLibrary.simpleMessage("Definir como"), - "setCover": MessageLookupByLibrary.simpleMessage("Definir capa"), - "setLabel": MessageLookupByLibrary.simpleMessage("Definir"), - "setNewPassword": MessageLookupByLibrary.simpleMessage( - "Definir nova palavra-passe", - ), - "setNewPin": MessageLookupByLibrary.simpleMessage("Definir novo PIN"), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Definir palavra-passe", - ), - "setRadius": MessageLookupByLibrary.simpleMessage("Definir raio"), - "setupComplete": MessageLookupByLibrary.simpleMessage( - "Configuração concluída", - ), - "share": MessageLookupByLibrary.simpleMessage("Partilhar"), - "shareALink": MessageLookupByLibrary.simpleMessage("Partilhar um link"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Abra um álbum e toque no botão de partilha no canto superior direito para partilhar", - ), - "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( - "Partilhar um álbum", - ), - "shareLink": MessageLookupByLibrary.simpleMessage("Partilhar link"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Partilhar apenas com as pessoas que deseja", - ), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Descarregue o Ente para poder partilhar facilmente fotografias e vídeos de qualidade original\n\n\nhttps://ente.io", - ), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Compartilhar com usuários que não usam Ente", - ), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( - "Partilhe o seu primeiro álbum", - ), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Criar álbuns compartilhados e colaborativos com outros usuários da Ente, incluindo usuários em planos gratuitos.", - ), - "sharedByMe": MessageLookupByLibrary.simpleMessage("Partilhado por mim"), - "sharedByYou": MessageLookupByLibrary.simpleMessage("Partilhado por si"), - "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( - "Novas fotos partilhadas", - ), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Receber notificações quando alguém adiciona uma foto a um álbum partilhado do qual faz parte", - ), - "sharedWith": m87, - "sharedWithMe": MessageLookupByLibrary.simpleMessage("Partilhado comigo"), - "sharedWithYou": MessageLookupByLibrary.simpleMessage("Partilhado consigo"), - "sharing": MessageLookupByLibrary.simpleMessage("Partilhar..."), - "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( - "Mude as Datas e Horas", - ), - "showLessFaces": MessageLookupByLibrary.simpleMessage( - "Mostrar menos rostos", - ), - "showMemories": MessageLookupByLibrary.simpleMessage("Mostrar memórias"), - "showMoreFaces": MessageLookupByLibrary.simpleMessage( - "Mostrar mais rostos", - ), - "showPerson": MessageLookupByLibrary.simpleMessage("Mostrar pessoa"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "Terminar sessão noutros dispositivos", - ), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Se pensa que alguém pode saber a sua palavra-passe, pode forçar todos os outros dispositivos que utilizam a sua conta a terminar a sessão.", - ), - "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( - "Terminar a sessão noutros dispositivos", - ), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Eu concordo com os termos de serviço e política de privacidade", - ), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Será eliminado de todos os álbuns.", - ), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Pular"), - "smartMemories": MessageLookupByLibrary.simpleMessage( - "Memórias inteligentes", - ), - "social": MessageLookupByLibrary.simpleMessage("Social"), - "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( - "Alguns itens estão tanto no Ente como no seu dispositivo.", - ), - "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( - "Alguns dos ficheiros que está a tentar eliminar só estão disponíveis no seu dispositivo e não podem ser recuperados se forem eliminados", - ), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Alguém compartilhando álbuns com você deve ver o mesmo ID no seu dispositivo.", - ), - "somethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Ocorreu um erro", - ), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Algo correu mal. Favor, tentar de novo", - ), - "sorry": MessageLookupByLibrary.simpleMessage("Desculpe"), - "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( - "Perdão, mas não podemos fazer backup deste ficheiro agora, tentaremos mais tarde.", - ), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Desculpe, não foi possível adicionar aos favoritos!", - ), - "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( - "Desculpe, não foi possível remover dos favoritos!", - ), - "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "Desculpe, o código inserido está incorreto", - ), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Desculpe, não foi possível gerar chaves seguras neste dispositivo.\n\npor favor iniciar sessão com um dispositivo diferente.", - ), - "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( - "Perdão, precisamos parar seus backups", - ), - "sort": MessageLookupByLibrary.simpleMessage("Ordenar"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Ordenar por"), - "sortNewestFirst": MessageLookupByLibrary.simpleMessage( - "Mais recentes primeiro", - ), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage( - "Mais antigos primeiro", - ), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Sucesso"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": MessageLookupByLibrary.simpleMessage( - "A dar destaque em vos", - ), - "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( - "Começar Recuperação", - ), - "startBackup": MessageLookupByLibrary.simpleMessage( - "Iniciar cópia de segurança", - ), - "status": MessageLookupByLibrary.simpleMessage("Status"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "Queres parar de fazer transmissão?", - ), - "stopCastingTitle": MessageLookupByLibrary.simpleMessage( - "Parar transmissão", - ), - "storage": MessageLookupByLibrary.simpleMessage("Armazenamento"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Família"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Tu"), - "storageInGB": m93, - "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( - "Limite de armazenamento excedido", - ), - "storageUsageInfo": m94, - "streamDetails": MessageLookupByLibrary.simpleMessage( - "Detalhes do em direto", - ), - "strongStrength": MessageLookupByLibrary.simpleMessage("Forte"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Subscrever"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Você precisa de uma assinatura paga ativa para ativar o compartilhamento.", - ), - "subscription": MessageLookupByLibrary.simpleMessage("Subscrição"), - "success": MessageLookupByLibrary.simpleMessage("Sucesso"), - "successfullyArchived": MessageLookupByLibrary.simpleMessage( - "Arquivado com sucesso", - ), - "successfullyHid": MessageLookupByLibrary.simpleMessage( - "Ocultado com sucesso", - ), - "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( - "Desarquivado com sucesso", - ), - "successfullyUnhid": MessageLookupByLibrary.simpleMessage( - "Reexibido com sucesso", - ), - "suggestFeatures": MessageLookupByLibrary.simpleMessage("Sugerir recursos"), - "sunrise": MessageLookupByLibrary.simpleMessage("No horizonte"), - "support": MessageLookupByLibrary.simpleMessage("Suporte"), - "syncProgress": m97, - "syncStopped": MessageLookupByLibrary.simpleMessage( - "Sincronização interrompida", - ), - "syncing": MessageLookupByLibrary.simpleMessage("Sincronizando..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("Sistema"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("toque para copiar"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage( - "Tocar para introduzir código", - ), - "tapToUnlock": MessageLookupByLibrary.simpleMessage( - "Toque para desbloquear", - ), - "tapToUpload": MessageLookupByLibrary.simpleMessage("Clique para enviar"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Parece que algo correu mal. Por favor, tente novamente mais tarde. Se o erro persistir, entre em contacto com a nossa equipa de suporte.", - ), - "terminate": MessageLookupByLibrary.simpleMessage("Desconectar"), - "terminateSession": MessageLookupByLibrary.simpleMessage("Desconectar?"), - "terms": MessageLookupByLibrary.simpleMessage("Termos"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Termos"), - "thankYou": MessageLookupByLibrary.simpleMessage("Obrigado"), - "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( - "Obrigado pela sua subscrição!", - ), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "Não foi possível concluir o download.", - ), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "A ligação que está a tentar acessar já expirou.", - ), - "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "Os grupos de pessoa não aparecerão mais na secção de pessoas. As Fotos permanecerão intocadas.", - ), - "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "As pessoas não aparecerão mais na secção de pessoas. As fotos permanecerão intocadas.", - ), - "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "A chave de recuperação inserida está incorreta", - ), - "theme": MessageLookupByLibrary.simpleMessage("Tema"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Estes itens serão eliminados do seu dispositivo.", - ), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "Serão eliminados de todos os álbuns.", - ), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Esta ação não pode ser desfeita", - ), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "Este álbum já tem um link colaborativo", - ), - "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( - "Isto pode ser usado para recuperar sua conta se você perder seu segundo fator", - ), - "thisDevice": MessageLookupByLibrary.simpleMessage("Este aparelho"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "Este email já está em uso", - ), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Esta imagem não tem dados exif", - ), - "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("Este sou eu!"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Este é o seu ID de verificação", - ), - "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( - "Esta semana com o avanço dos anos", - ), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Isto desconectará-vos dos aparelhos a seguir:", - ), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Isto desconectará-vos deste aparelho!", - ), - "thisWillMakeTheDateAndTimeOfAllSelected": - MessageLookupByLibrary.simpleMessage( - "Isto fará a data e hora de todas as fotos o mesmo.", - ), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "Isto removerá links públicos de todos os links rápidos selecionados.", - ), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "Para ativar o bloqueio de aplicações, configure o código de acesso do dispositivo ou o bloqueio de ecrã nas definições do sistema.", - ), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( - "Para ocultar uma foto ou um vídeo", - ), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Para redefinir a palavra-passe, favor, verifique o seu e-mail.", - ), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Logs de hoje"), - "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( - "Muitas tentativas incorretas", - ), - "total": MessageLookupByLibrary.simpleMessage("total"), - "totalSize": MessageLookupByLibrary.simpleMessage("Tamanho total"), - "trash": MessageLookupByLibrary.simpleMessage("Lixo"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Cortar"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": MessageLookupByLibrary.simpleMessage( - "Contactos de Confiança", - ), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Tente novamente"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Ative o backup para enviar automaticamente arquivos adicionados a esta pasta do dispositivo para o Ente.", - ), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "2 meses grátis em planos anuais", - ), - "twofactor": MessageLookupByLibrary.simpleMessage("Dois fatores"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "A autenticação de dois fatores foi desativada", - ), - "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( - "Autenticação de dois fatores", - ), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "Autenticação de dois fatores redefinida com êxito", - ), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Configuração de dois fatores", - ), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("Desarquivar"), - "unarchiveAlbum": MessageLookupByLibrary.simpleMessage("Desarquivar álbum"), - "unarchiving": MessageLookupByLibrary.simpleMessage("Desarquivar..."), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Desculpe, este código não está disponível.", - ), - "uncategorized": MessageLookupByLibrary.simpleMessage("Sem categoria"), - "unhide": MessageLookupByLibrary.simpleMessage("Mostrar"), - "unhideToAlbum": MessageLookupByLibrary.simpleMessage( - "Mostrar para o álbum", - ), - "unhiding": MessageLookupByLibrary.simpleMessage("Reexibindo..."), - "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Desocultar ficheiros para o álbum", - ), - "unlock": MessageLookupByLibrary.simpleMessage("Desbloquear"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("Desafixar álbum"), - "unselectAll": MessageLookupByLibrary.simpleMessage("Desmarcar tudo"), - "update": MessageLookupByLibrary.simpleMessage("Atualizar"), - "updateAvailable": MessageLookupByLibrary.simpleMessage( - "Atualização disponível", - ), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Atualizando seleção de pasta...", - ), - "upgrade": MessageLookupByLibrary.simpleMessage("Atualizar"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Enviar ficheiros para o álbum...", - ), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( - "Preservar 1 memória...", - ), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "Até 50% de desconto, até 4 de dezembro.", - ), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "O armazenamento disponível é limitado pelo seu plano atual. O excesso de armazenamento reivindicado tornará automaticamente útil quando você atualizar seu plano.", - ), - "useAsCover": MessageLookupByLibrary.simpleMessage("Usar como capa"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "A ter problemas reproduzindo este vídeo? Prima aqui para tentar outro reprodutor.", - ), - "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Usar links públicos para pessoas que não estão no Ente", - ), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Usar chave de recuperação", - ), - "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( - "Utilizar foto selecionada", - ), - "usedSpace": MessageLookupByLibrary.simpleMessage("Espaço utilizado"), - "validTill": m110, - "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Falha na verificação, por favor tente novamente", - ), - "verificationId": MessageLookupByLibrary.simpleMessage("ID de Verificação"), - "verify": MessageLookupByLibrary.simpleMessage("Verificar"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("Verificar e-mail"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Verificar"), - "verifyPasskey": MessageLookupByLibrary.simpleMessage( - "Verificar chave de acesso", - ), - "verifyPassword": MessageLookupByLibrary.simpleMessage( - "Verificar palavra-passe", - ), - "verifying": MessageLookupByLibrary.simpleMessage("A verificar…"), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Verificando chave de recuperação...", - ), - "videoInfo": MessageLookupByLibrary.simpleMessage("Informação de Vídeo"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("vídeo"), - "videoStreaming": MessageLookupByLibrary.simpleMessage( - "Vídeos transmissíveis", - ), - "videos": MessageLookupByLibrary.simpleMessage("Vídeos"), - "viewActiveSessions": MessageLookupByLibrary.simpleMessage( - "Ver sessões ativas", - ), - "viewAddOnButton": MessageLookupByLibrary.simpleMessage("Ver addons"), - "viewAll": MessageLookupByLibrary.simpleMessage("Ver tudo"), - "viewAllExifData": MessageLookupByLibrary.simpleMessage( - "Ver todos os dados EXIF", - ), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Ficheiros grandes"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Ver os ficheiros que estão a consumir a maior quantidade de armazenamento.", - ), - "viewLogs": MessageLookupByLibrary.simpleMessage("Ver logs"), - "viewPersonToUnlink": m112, - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Ver chave de recuperação", - ), - "viewer": MessageLookupByLibrary.simpleMessage("Visualizador"), - "viewersSuccessfullyAdded": m113, - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Visite web.ente.io para gerir a sua subscrição", - ), - "waitingForVerification": MessageLookupByLibrary.simpleMessage( - "Aguardando verificação...", - ), - "waitingForWifi": MessageLookupByLibrary.simpleMessage( - "Aguardando Wi-Fi...", - ), - "warning": MessageLookupByLibrary.simpleMessage("Alerta"), - "weAreOpenSource": MessageLookupByLibrary.simpleMessage( - "Nós somos de código aberto!", - ), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "Não suportamos a edição de fotos e álbuns que ainda não possui", - ), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Fraca"), - "welcomeBack": MessageLookupByLibrary.simpleMessage( - "Bem-vindo(a) de volta!", - ), - "whatsNew": MessageLookupByLibrary.simpleMessage("O que há de novo"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "O contacto de confiança pode ajudar na recuperação dos seus dados.", - ), - "widgets": MessageLookupByLibrary.simpleMessage("Widgets"), - "wishThemAHappyBirthday": m115, - "yearShort": MessageLookupByLibrary.simpleMessage("ano"), - "yearly": MessageLookupByLibrary.simpleMessage("Anual"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Sim"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Sim, cancelar"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "Sim, converter para visualizador", - ), - "yesDelete": MessageLookupByLibrary.simpleMessage("Sim, apagar"), - "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( - "Sim, rejeitar alterações", - ), - "yesIgnore": MessageLookupByLibrary.simpleMessage("Sim, ignorar"), - "yesLogout": MessageLookupByLibrary.simpleMessage("Sim, terminar sessão"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Sim, remover"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Sim, Renovar"), - "yesResetPerson": MessageLookupByLibrary.simpleMessage("Sim, repor pessoa"), - "you": MessageLookupByLibrary.simpleMessage("Tu"), - "youAndThem": m117, - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( - "Você está em um plano familiar!", - ), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Está a utilizar a versão mais recente", - ), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Você pode duplicar seu armazenamento no máximo", - ), - "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( - "Pode gerir as suas ligações no separador partilhar.", - ), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "Pode tentar pesquisar uma consulta diferente.", - ), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "Não é possível fazer o downgrade para este plano", - ), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Não podes partilhar contigo mesmo", - ), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "Não tem nenhum item arquivado.", - ), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "A sua conta foi eliminada", - ), - "yourMap": MessageLookupByLibrary.simpleMessage("Seu mapa"), - "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( - "O seu plano foi rebaixado com sucesso", - ), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "O seu plano foi atualizado com sucesso", - ), - "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( - "Sua compra foi realizada com sucesso", - ), - "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( - "Não foi possível obter os seus dados de armazenamento", - ), - "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( - "A sua subscrição expirou", - ), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "A sua subscrição foi actualizada com sucesso", - ), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "O seu código de verificação expirou", - ), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage( - "Não tem nenhum ficheiro duplicado que possa ser eliminado", - ), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "Não existem ficheiros neste álbum que possam ser eliminados", - ), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( - "Diminuir o zoom para ver fotos", - ), - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Está disponível uma nova versão do Ente."), + "about": MessageLookupByLibrary.simpleMessage("Sobre"), + "acceptTrustInvite": + MessageLookupByLibrary.simpleMessage("Aceite o Convite"), + "account": MessageLookupByLibrary.simpleMessage("Conta"), + "accountIsAlreadyConfigured": + MessageLookupByLibrary.simpleMessage("A conta já está ajustada."), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("Boas-vindas de volta!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Eu entendo que se eu perder a minha palavra-passe, posso perder os meus dados já que esses dados são encriptados de ponta a ponta."), + "actionNotSupportedOnFavouritesAlbum": + MessageLookupByLibrary.simpleMessage( + "Ação não suportada no álbum de Preferidos"), + "activeSessions": + MessageLookupByLibrary.simpleMessage("Sessões ativas"), + "add": MessageLookupByLibrary.simpleMessage("Adicionar"), + "addAName": MessageLookupByLibrary.simpleMessage("Adiciona um nome"), + "addANewEmail": + MessageLookupByLibrary.simpleMessage("Adicionar um novo e-mail"), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Adiciona um widget de álbum no seu ecrã inicial e volte aqui para personalizar."), + "addCollaborator": + MessageLookupByLibrary.simpleMessage("Adicionar colaborador"), + "addCollaborators": m1, + "addFiles": MessageLookupByLibrary.simpleMessage("Adicionar Ficheiros"), + "addFromDevice": MessageLookupByLibrary.simpleMessage( + "Adicionar a partir do dispositivo"), + "addItem": m2, + "addLocation": + MessageLookupByLibrary.simpleMessage("Adicionar localização"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Adicionar"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Adiciona um widget de memórias no seu ecrã inicial e volte aqui para personalizar."), + "addMore": MessageLookupByLibrary.simpleMessage("Adicionar mais"), + "addName": MessageLookupByLibrary.simpleMessage("Adicionar pessoa"), + "addNameOrMerge": + MessageLookupByLibrary.simpleMessage("Adicionar nome ou juntar"), + "addNew": MessageLookupByLibrary.simpleMessage("Adicionar novo"), + "addNewPerson": + MessageLookupByLibrary.simpleMessage("Adicionar nova pessoa"), + "addOnPageSubtitle": + MessageLookupByLibrary.simpleMessage("Detalhes dos addons"), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("addons"), + "addParticipants": + MessageLookupByLibrary.simpleMessage("Adicionar participante"), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Adiciona um widget de pessoas no seu ecrã inicial e volte aqui para personalizar."), + "addPhotos": MessageLookupByLibrary.simpleMessage("Adicionar fotos"), + "addSelected": + MessageLookupByLibrary.simpleMessage("Adicionar selecionados"), + "addToAlbum": + MessageLookupByLibrary.simpleMessage("Adicionar ao álbum"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Adicionar ao Ente"), + "addToHiddenAlbum": + MessageLookupByLibrary.simpleMessage("Adicionar a álbum oculto"), + "addTrustedContact": MessageLookupByLibrary.simpleMessage( + "Adicionar Contacto de Confiança"), + "addViewer": + MessageLookupByLibrary.simpleMessage("Adicionar visualizador"), + "addViewers": m4, + "addYourPhotosNow": + MessageLookupByLibrary.simpleMessage("Adicione suas fotos agora"), + "addedAs": MessageLookupByLibrary.simpleMessage("Adicionado como"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": MessageLookupByLibrary.simpleMessage( + "Adicionando aos favoritos..."), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("Avançado"), + "advancedSettings": + MessageLookupByLibrary.simpleMessage("Definições avançadas"), + "after1Day": MessageLookupByLibrary.simpleMessage("Depois de 1 dia"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Depois de 1 Hora"), + "after1Month": MessageLookupByLibrary.simpleMessage("Depois de 1 mês"), + "after1Week": + MessageLookupByLibrary.simpleMessage("Depois de 1 semana"), + "after1Year": MessageLookupByLibrary.simpleMessage("Depois de 1 ano"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Dono"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Título do álbum"), + "albumUpdated": + MessageLookupByLibrary.simpleMessage("Álbum atualizado"), + "albums": MessageLookupByLibrary.simpleMessage("Álbuns"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Seleciona os álbuns que adoraria ver no seu ecrã inicial."), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Tudo limpo"), + "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( + "Todas as memórias preservadas"), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "Todos os agrupamentos para esta pessoa serão reiniciados e perderá todas as sugestões feitas para esta pessoa"), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "Todos os grupos sem título serão fundidos na pessoa selecionada. Isso pode ser desfeito no histórico geral das sugestões da pessoa."), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "Este é o primeiro neste grupo. Outras fotos selecionadas serão automaticamente alteradas para a nova data"), + "allow": MessageLookupByLibrary.simpleMessage("Permitir"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Permitir que pessoas com o link também adicionem fotos ao álbum compartilhado."), + "allowAddingPhotos": + MessageLookupByLibrary.simpleMessage("Permitir adicionar fotos"), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "Permitir Aplicação Abrir Ligações Partilhadas"), + "allowDownloads": + MessageLookupByLibrary.simpleMessage("Permitir downloads"), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Permitir que as pessoas adicionem fotos"), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Favor, permite acesso às fotos nas Definições para que Ente possa exibi-las e fazer backup na Fototeca."), + "allowPermTitle": + MessageLookupByLibrary.simpleMessage("Garanta acesso às fotos"), + "androidBiometricHint": + MessageLookupByLibrary.simpleMessage("Verificar identidade"), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "Não reconhecido. Tente novamente."), + "androidBiometricRequiredTitle": + MessageLookupByLibrary.simpleMessage("Biometria necessária"), + "androidBiometricSuccess": + MessageLookupByLibrary.simpleMessage("Sucesso"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Cancelar"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage( + "Credenciais do dispositivo são necessárias"), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage( + "Credenciais do dispositivo necessárias"), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "A autenticação biométrica não está configurada no seu dispositivo. Vá a “Definições > Segurança” para adicionar a autenticação biométrica."), + "androidIosWebDesktop": + MessageLookupByLibrary.simpleMessage("Android, iOS, Web, Desktop"), + "androidSignInTitle": + MessageLookupByLibrary.simpleMessage("Autenticação necessária"), + "appIcon": MessageLookupByLibrary.simpleMessage("Ícone da Aplicação"), + "appLock": MessageLookupByLibrary.simpleMessage("Bloqueio de app"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Escolha entre o ecrã de bloqueio predefinido do seu dispositivo e um ecrã de bloqueio personalizado com um PIN ou uma palavra-passe."), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("ID da Apple"), + "apply": MessageLookupByLibrary.simpleMessage("Aplicar"), + "applyCodeTitle": + MessageLookupByLibrary.simpleMessage("Aplicar código"), + "appstoreSubscription": + MessageLookupByLibrary.simpleMessage("Subscrição da AppStore"), + "archive": MessageLookupByLibrary.simpleMessage("............"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("Arquivar álbum"), + "archiving": MessageLookupByLibrary.simpleMessage("Arquivar..."), + "areThey": MessageLookupByLibrary.simpleMessage("Eles são "), + "areYouSureRemoveThisFaceFromPerson": + MessageLookupByLibrary.simpleMessage( + "Tem a certeza que queira remover o rosto desta pessoa?"), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Tem certeza que deseja sair do plano familiar?"), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "Tem a certeza de que quer cancelar?"), + "areYouSureYouWantToChangeYourPlan": + MessageLookupByLibrary.simpleMessage( + "Tem a certeza de que pretende alterar o seu plano?"), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "Tem certeza de que deseja sair?"), + "areYouSureYouWantToIgnoreThesePersons": + MessageLookupByLibrary.simpleMessage( + "Tem a certeza que quer ignorar estas pessoas?"), + "areYouSureYouWantToIgnoreThisPerson": + MessageLookupByLibrary.simpleMessage( + "Tem a certeza que quer ignorar esta pessoa?"), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Tem certeza que deseja terminar a sessão?"), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "Tem a certeza que quer fundi-los?"), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "Tem a certeza de que pretende renovar?"), + "areYouSureYouWantToResetThisPerson": + MessageLookupByLibrary.simpleMessage( + "Tens a certeza de que queres repor esta pessoa?"), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "A sua subscrição foi cancelada. Gostaria de partilhar o motivo?"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Por que quer eliminar a sua conta?"), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Peça aos seus entes queridos para partilharem"), + "atAFalloutShelter": + MessageLookupByLibrary.simpleMessage("em um abrigo avançado"), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Por favor, autentique-se para alterar a verificação de e-mail"), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Por favor, autentique-se para alterar a configuração da tela do ecrã de bloqueio"), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Por favor, autentique-se para alterar o seu e-mail"), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Por favor, autentique-se para alterar a palavra-passe"), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Por favor, autentique para configurar a autenticação de dois fatores"), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Autentique-se para iniciar a eliminação da conta"), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Autentica-se para gerir os seus contactos de confiança"), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Autentique-se para ver a sua chave de acesso"), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Autentica-se para visualizar os ficheiros na lata de lixo"), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Por favor, autentique-se para ver as suas sessões ativas"), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Por favor, autentique para ver seus arquivos ocultos"), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Por favor, autentique-se para ver suas memórias"), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Por favor, autentique-se para ver a chave de recuperação"), + "authenticating": + MessageLookupByLibrary.simpleMessage("A Autenticar..."), + "authenticationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Falha na autenticação, por favor tente novamente"), + "authenticationSuccessful": + MessageLookupByLibrary.simpleMessage("Autenticação bem sucedida!"), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Verá os dispositivos Cast disponíveis aqui."), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Certifique-se de que as permissões de Rede local estão activadas para a aplicação Ente Photos, nas Definições."), + "autoLock": MessageLookupByLibrary.simpleMessage("Bloqueio automático"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Tempo após o qual a aplicação bloqueia depois de ser colocada em segundo plano"), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "Devido a uma falha técnica, a sua sessão foi encerrada. Pedimos desculpas pelo incómodo."), + "autoPair": + MessageLookupByLibrary.simpleMessage("Emparelhamento automático"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "O pareamento automático funciona apenas com dispositivos que suportam o Chromecast."), + "available": MessageLookupByLibrary.simpleMessage("Disponível"), + "availableStorageSpace": m10, + "backedUpFolders": MessageLookupByLibrary.simpleMessage( + "Pastas com cópia de segurança"), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("Cópia de segurança"), + "backupFailed": MessageLookupByLibrary.simpleMessage("Backup falhou"), + "backupFile": + MessageLookupByLibrary.simpleMessage("Backup de Ficheiro"), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Cópia de segurança através dos dados móveis"), + "backupSettings": MessageLookupByLibrary.simpleMessage( + "Definições da cópia de segurança"), + "backupStatus": MessageLookupByLibrary.simpleMessage( + "Status da cópia de segurança"), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Os itens que foram salvos com segurança aparecerão aqui"), + "backupVideos": MessageLookupByLibrary.simpleMessage( + "Cópia de segurança de vídeos"), + "beach": MessageLookupByLibrary.simpleMessage("A areia e o mar"), + "birthday": MessageLookupByLibrary.simpleMessage("Aniversário"), + "birthdayNotifications": + MessageLookupByLibrary.simpleMessage("Notificações de felicidades"), + "birthdays": MessageLookupByLibrary.simpleMessage("Aniversários"), + "blackFridaySale": + MessageLookupByLibrary.simpleMessage("Promoção Black Friday"), + "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cLDesc1": MessageLookupByLibrary.simpleMessage( + "De volta aos vídeos em direto (beta), e a trabalhar em envios e transferências retomáveis, nós aumentamos o limite de envio de ficheiros para 10 GB. Isto está disponível para dispositivos Móveis e para Desktop."), + "cLDesc2": MessageLookupByLibrary.simpleMessage( + "Envios de fundo agora fornecerem suporte ao iOS. Para combinar com os aparelhos Android. Não precisa abrir a aplicação para fazer backup das fotos e vídeos recentes."), + "cLDesc3": MessageLookupByLibrary.simpleMessage( + "Nós fizemos melhorias significativas para a experiência das memórias, incluindo revisão automática, arrastar até a próxima memória e muito mais."), + "cLDesc4": MessageLookupByLibrary.simpleMessage( + "Junto a outras mudanças, agora facilitou a maneira de ver todos os rostos detetados, fornecer comentários para rostos similares, e adicionar ou remover rostos de uma foto única."), + "cLDesc5": MessageLookupByLibrary.simpleMessage( + "Ganhará uma notificação para todos os aniversários que salvaste no Ente, além de uma coleção das melhores fotos."), + "cLDesc6": MessageLookupByLibrary.simpleMessage( + "Sem mais aguardar até que os envios e transferências sejam concluídos para fechar a aplicação. Todos os envios e transferências podem ser pausados a qualquer momento, e retomar onde parou."), + "cLTitle1": MessageLookupByLibrary.simpleMessage( + "A Enviar Ficheiros de Vídeo Grandes"), + "cLTitle2": MessageLookupByLibrary.simpleMessage("Envio de Fundo"), + "cLTitle3": MessageLookupByLibrary.simpleMessage( + "Revisão automática de memórias"), + "cLTitle4": MessageLookupByLibrary.simpleMessage( + "Reconhecimento Facial Melhorado"), + "cLTitle5": + MessageLookupByLibrary.simpleMessage("Notificações de Felicidade"), + "cLTitle6": MessageLookupByLibrary.simpleMessage( + "Envios e transferências retomáveis"), + "cachedData": MessageLookupByLibrary.simpleMessage("Dados em cache"), + "calculating": MessageLookupByLibrary.simpleMessage("Calcular..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Perdão, portanto o álbum não pode ser aberto na aplicação."), + "canNotOpenTitle": + MessageLookupByLibrary.simpleMessage("Não pôde abrir este álbum"), + "canNotUploadToAlbumsOwnedByOthers": + MessageLookupByLibrary.simpleMessage( + "Não é possível fazer upload para álbuns pertencentes a outros"), + "canOnlyCreateLinkForFilesOwnedByYou": + MessageLookupByLibrary.simpleMessage( + "Só pode criar um link para arquivos pertencentes a você"), + "canOnlyRemoveFilesOwnedByYou": + MessageLookupByLibrary.simpleMessage(""), + "cancel": MessageLookupByLibrary.simpleMessage("Cancelar"), + "cancelAccountRecovery": + MessageLookupByLibrary.simpleMessage("Cancelar recuperação"), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "Quer mesmo cancelar a recuperação?"), + "cancelOtherSubscription": m12, + "cancelSubscription": + MessageLookupByLibrary.simpleMessage("Cancelar subscrição"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Não é possível eliminar ficheiros partilhados"), + "castAlbum": MessageLookupByLibrary.simpleMessage("Transferir Álbum"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Certifique-se de estar na mesma rede que a TV."), + "castIPMismatchTitle": + MessageLookupByLibrary.simpleMessage("Falha ao transmitir álbum"), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Visite cast.ente.io no dispositivo que pretende emparelhar.\n\n\nIntroduza o código abaixo para reproduzir o álbum na sua TV."), + "centerPoint": MessageLookupByLibrary.simpleMessage("Ponto central"), + "change": MessageLookupByLibrary.simpleMessage("Alterar"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Alterar e-mail"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Alterar a localização dos itens selecionados?"), + "changePassword": + MessageLookupByLibrary.simpleMessage("Alterar palavra-passe"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("Alterar palavra-passe"), + "changePermissions": + MessageLookupByLibrary.simpleMessage("Alterar permissões"), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Alterar o código de referência"), + "checkForUpdates": + MessageLookupByLibrary.simpleMessage("Procurar atualizações"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Revê a sua caixa de entrada (e de spam) para concluir a verificação"), + "checkStatus": MessageLookupByLibrary.simpleMessage("Verificar status"), + "checking": MessageLookupByLibrary.simpleMessage("A verificar..."), + "checkingModels": + MessageLookupByLibrary.simpleMessage("A verificar modelos..."), + "city": MessageLookupByLibrary.simpleMessage("Na cidade"), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage( + "Solicitar armazenamento gratuito"), + "claimMore": MessageLookupByLibrary.simpleMessage("Reclamar mais!"), + "claimed": MessageLookupByLibrary.simpleMessage("Reclamado"), + "claimedStorageSoFar": m14, + "cleanUncategorized": + MessageLookupByLibrary.simpleMessage("Limpar sem categoria"), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Remover todos os arquivos da Não Categorizados que estão presentes em outros álbuns"), + "clearCaches": MessageLookupByLibrary.simpleMessage("Limpar cache"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Limpar índices"), + "click": MessageLookupByLibrary.simpleMessage("Clique"), + "clickOnTheOverflowMenu": + MessageLookupByLibrary.simpleMessage("• Clique no menu adicional"), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Clica para transferir a melhor versão"), + "close": MessageLookupByLibrary.simpleMessage("Fechar"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( + "Agrupar por tempo de captura"), + "clubByFileName": MessageLookupByLibrary.simpleMessage( + "Agrupar pelo nome de arquivo"), + "clusteringProgress": + MessageLookupByLibrary.simpleMessage("Progresso de agrupamento"), + "codeAppliedPageTitle": + MessageLookupByLibrary.simpleMessage("Código aplicado"), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Desculpe, você atingiu o limite de alterações de código."), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Código copiado para área de transferência"), + "codeUsedByYou": + MessageLookupByLibrary.simpleMessage("Código usado por você"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Criar um link para permitir que as pessoas adicionem e visualizem fotos em seu álbum compartilhado sem precisar de um aplicativo Ente ou conta. Ótimo para coletar fotos do evento."), + "collaborativeLink": + MessageLookupByLibrary.simpleMessage("Link colaborativo"), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Colaborador"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Os colaboradores podem adicionar fotos e vídeos ao álbum compartilhado."), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("Layout"), + "collageSaved": + MessageLookupByLibrary.simpleMessage("Colagem guardada na galeria"), + "collect": MessageLookupByLibrary.simpleMessage("Recolher"), + "collectEventPhotos": + MessageLookupByLibrary.simpleMessage("Coletar fotos do evento"), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Coletar fotos"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Crie um link onde seus amigos podem enviar fotos na qualidade original."), + "color": MessageLookupByLibrary.simpleMessage("Cor"), + "configuration": MessageLookupByLibrary.simpleMessage("Configuração"), + "confirm": MessageLookupByLibrary.simpleMessage("Confirmar"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Tem a certeza de que pretende desativar a autenticação de dois fatores?"), + "confirmAccountDeletion": + MessageLookupByLibrary.simpleMessage("Eliminar Conta"), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Sim, quero permanentemente eliminar esta conta com os dados."), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("Confirmar palavra-passe"), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage( + "Confirmar alteração de plano"), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Confirmar chave de recuperação"), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Confirmar chave de recuperação"), + "connectToDevice": + MessageLookupByLibrary.simpleMessage("Ligar ao dispositivo"), + "contactFamilyAdmin": m18, + "contactSupport": + MessageLookupByLibrary.simpleMessage("Contactar o suporte"), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Contactos"), + "contents": MessageLookupByLibrary.simpleMessage("Conteúdos"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Continuar"), + "continueOnFreeTrial": + MessageLookupByLibrary.simpleMessage("Continuar em teste gratuito"), + "convertToAlbum": + MessageLookupByLibrary.simpleMessage("Converter para álbum"), + "copyEmailAddress": + MessageLookupByLibrary.simpleMessage("Copiar endereço de email"), + "copyLink": MessageLookupByLibrary.simpleMessage("Copiar link"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Copie e cole este código\nno seu aplicativo de autenticação"), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "Não foi possível fazer o backup de seus dados.\nTentaremos novamente mais tarde."), + "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( + "Não foi possível libertar espaço"), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Não foi possível atualizar a subscrição"), + "count": MessageLookupByLibrary.simpleMessage("Contagem"), + "crashReporting": + MessageLookupByLibrary.simpleMessage("Relatório de falhas"), + "create": MessageLookupByLibrary.simpleMessage("Criar"), + "createAccount": MessageLookupByLibrary.simpleMessage("Criar conta"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Pressione e segure para selecionar fotos e clique em + para criar um álbum"), + "createCollaborativeLink": + MessageLookupByLibrary.simpleMessage("Criar link colaborativo"), + "createCollage": MessageLookupByLibrary.simpleMessage("Criar coleção"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("Criar conta nova"), + "createOrSelectAlbum": + MessageLookupByLibrary.simpleMessage("Criar ou selecionar álbum"), + "createPublicLink": + MessageLookupByLibrary.simpleMessage("Criar link público"), + "creatingLink": MessageLookupByLibrary.simpleMessage("Criar link..."), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "Atualização crítica disponível"), + "crop": MessageLookupByLibrary.simpleMessage("Recortar"), + "curatedMemories": + MessageLookupByLibrary.simpleMessage("Memórias curadas"), + "currentUsageIs": + MessageLookupByLibrary.simpleMessage("O uso atual é "), + "currentlyRunning": MessageLookupByLibrary.simpleMessage("em execução"), + "custom": MessageLookupByLibrary.simpleMessage("Personalizado"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Escuro"), + "dayToday": MessageLookupByLibrary.simpleMessage("Hoje"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Ontem"), + "declineTrustInvite": + MessageLookupByLibrary.simpleMessage("Dispense o Convite"), + "decrypting": MessageLookupByLibrary.simpleMessage("A desencriptar…"), + "decryptingVideo": + MessageLookupByLibrary.simpleMessage("Descriptografando vídeo..."), + "deduplicateFiles": + MessageLookupByLibrary.simpleMessage("Arquivos duplicados"), + "delete": MessageLookupByLibrary.simpleMessage("Apagar"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Eliminar conta"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Lamentável a sua ida. Favor, partilhe o seu comentário para ajudar-nos a aprimorar."), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Eliminar Conta Permanentemente"), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Apagar álbum"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Eliminar também as fotos (e vídeos) presentes neste álbum de all os outros álbuns de que fazem parte?"), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "Esta ação elimina todos os álbuns vazios. Isto é útil quando pretende reduzir a confusão na sua lista de álbuns."), + "deleteAll": MessageLookupByLibrary.simpleMessage("Apagar tudo"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "Esta conta está ligada a outras aplicações Ente, se utilizar alguma. Os seus dados carregados, em todas as aplicações Ente, serão agendados para eliminação e a sua conta será permanentemente eliminada."), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Favor, envie um e-mail a account-deletion@ente.io do e-mail registado."), + "deleteEmptyAlbums": + MessageLookupByLibrary.simpleMessage("Apagar álbuns vazios"), + "deleteEmptyAlbumsWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Apagar álbuns vazios?"), + "deleteFromBoth": + MessageLookupByLibrary.simpleMessage("Apagar de ambos"), + "deleteFromDevice": + MessageLookupByLibrary.simpleMessage("Apagar do dispositivo"), + "deleteFromEnte": + MessageLookupByLibrary.simpleMessage("Apagar do Ente"), + "deleteItemCount": m21, + "deleteLocation": + MessageLookupByLibrary.simpleMessage("Apagar localização"), + "deleteMultipleAlbumDialog": m22, + "deletePhotos": MessageLookupByLibrary.simpleMessage("Apagar fotos"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Necessita uma funcionalidade-chave que quero"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "A aplicação ou certa funcionalidade não comporta conforme o meu desejo"), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Possuo outro serviço que acho melhor"), + "deleteReason4": + MessageLookupByLibrary.simpleMessage("A razão não está listada"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "O pedido será revisto dentre 72 horas."), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Excluir álbum compartilhado?"), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "O álbum será apagado para todos\n\nVocê perderá o acesso a fotos compartilhadas neste álbum que são propriedade de outros"), + "deselectAll": MessageLookupByLibrary.simpleMessage("Desmarcar tudo"), + "designedToOutlive": + MessageLookupByLibrary.simpleMessage("Feito para ter longevidade"), + "details": MessageLookupByLibrary.simpleMessage("Detalhes"), + "developerSettings": + MessageLookupByLibrary.simpleMessage("Definições do programador"), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Tem a certeza de que pretende modificar as definições de programador?"), + "deviceCodeHint": + MessageLookupByLibrary.simpleMessage("Introduza o código"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "Os ficheiros adicionados a este álbum de dispositivo serão automaticamente transferidos para o Ente."), + "deviceLock": + MessageLookupByLibrary.simpleMessage("Bloqueio do dispositivo"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Desativar o bloqueio do ecrã do dispositivo quando o Ente estiver em primeiro plano e houver uma cópia de segurança em curso. Normalmente, isto não é necessário, mas pode ajudar a que os grandes carregamentos e as importações iniciais de grandes bibliotecas sejam concluídos mais rapidamente."), + "deviceNotFound": + MessageLookupByLibrary.simpleMessage("Dispositivo não encontrado"), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Você sabia?"), + "different": MessageLookupByLibrary.simpleMessage("Diferente"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage( + "Desativar bloqueio automático"), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Visualizadores ainda podem fazer capturas de tela ou salvar uma cópia das suas fotos usando ferramentas externas"), + "disableDownloadWarningTitle": + MessageLookupByLibrary.simpleMessage("Por favor, observe"), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "Desativar autenticação de dois fatores"), + "disablingTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Desativar a autenticação de dois factores..."), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Descobrir"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Bebés"), + "discover_celebrations": + MessageLookupByLibrary.simpleMessage("Comemorações"), + "discover_food": MessageLookupByLibrary.simpleMessage("Comida"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Vegetação"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Colinas"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Identidade"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Memes"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Notas"), + "discover_pets": + MessageLookupByLibrary.simpleMessage("Animais de estimação"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Recibos"), + "discover_screenshots": + MessageLookupByLibrary.simpleMessage("Capturas de ecrã"), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfies"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Pôr do sol"), + "discover_visiting_cards": + MessageLookupByLibrary.simpleMessage("Cartões de visita"), + "discover_wallpapers": + MessageLookupByLibrary.simpleMessage("Papéis de parede"), + "dismiss": MessageLookupByLibrary.simpleMessage("Rejeitar"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": + MessageLookupByLibrary.simpleMessage("Não terminar a sessão"), + "doThisLater": + MessageLookupByLibrary.simpleMessage("Fazer isto mais tarde"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Pretende eliminar as edições que efectuou?"), + "done": MessageLookupByLibrary.simpleMessage("Concluído"), + "dontSave": MessageLookupByLibrary.simpleMessage("Não guarde"), + "doubleYourStorage": MessageLookupByLibrary.simpleMessage( + "Duplicar o seu armazenamento"), + "download": MessageLookupByLibrary.simpleMessage("Download"), + "downloadFailed": + MessageLookupByLibrary.simpleMessage("Falha no download"), + "downloading": MessageLookupByLibrary.simpleMessage("A transferir..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Editar"), + "editEmailAlreadyLinked": m28, + "editLocation": + MessageLookupByLibrary.simpleMessage("Editar localização"), + "editLocationTagTitle": + MessageLookupByLibrary.simpleMessage("Editar localização"), + "editPerson": MessageLookupByLibrary.simpleMessage("Editar pessoa"), + "editTime": MessageLookupByLibrary.simpleMessage("Editar tempo"), + "editsSaved": MessageLookupByLibrary.simpleMessage("Edição guardada"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Edições para localização só serão vistas dentro do Ente"), + "eligible": MessageLookupByLibrary.simpleMessage("elegível"), + "email": MessageLookupByLibrary.simpleMessage("E-mail"), + "emailAlreadyRegistered": + MessageLookupByLibrary.simpleMessage("E-mail já em utilização."), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": + MessageLookupByLibrary.simpleMessage("E-mail não em utilização."), + "emailVerificationToggle": + MessageLookupByLibrary.simpleMessage("Verificação por e-mail"), + "emailYourLogs": + MessageLookupByLibrary.simpleMessage("Enviar logs por e-mail"), + "embracingThem": m32, + "emergencyContacts": + MessageLookupByLibrary.simpleMessage("Contactos de Emergência"), + "empty": MessageLookupByLibrary.simpleMessage("Esvaziar"), + "emptyTrash": MessageLookupByLibrary.simpleMessage("Esvaziar lixo?"), + "enable": MessageLookupByLibrary.simpleMessage("Ativar"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "O Ente suporta a aprendizagem automática no dispositivo para reconhecimento facial, pesquisa mágica e outras funcionalidades de pesquisa avançadas"), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Habilitar aprendizagem automática para pesquisa mágica e reconhecimento de rosto"), + "enableMaps": MessageLookupByLibrary.simpleMessage("Ativar mapas"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "Esta opção mostra as suas fotografias num mapa do mundo.\n\n\nEste mapa é alojado pelo Open Street Map e as localizações exactas das suas fotografias nunca são partilhadas.\n\n\nPode desativar esta funcionalidade em qualquer altura nas Definições."), + "enabled": MessageLookupByLibrary.simpleMessage("Ativado"), + "encryptingBackup": + MessageLookupByLibrary.simpleMessage("Criptografando backup..."), + "encryption": MessageLookupByLibrary.simpleMessage("Encriptação"), + "encryptionKeys": + MessageLookupByLibrary.simpleMessage("Chaves de encriptação"), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Endpoint atualizado com sucesso"), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Criptografia de ponta a ponta por padrão"), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente pode criptografar e preservar arquivos apenas se você conceder acesso a eles"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente precisa da permissão para preservar as suas fotos"), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "O Ente preserva as suas memórias, para que estejam sempre disponíveis, mesmo que perca o seu dispositivo."), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Sua família também pode ser adicionada ao seu plano."), + "enterAlbumName": + MessageLookupByLibrary.simpleMessage("Introduzir nome do álbum"), + "enterCode": MessageLookupByLibrary.simpleMessage("Insira o código"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Introduza o código fornecido pelo seu amigo para obter armazenamento gratuito para ambos"), + "enterDateOfBirth": + MessageLookupByLibrary.simpleMessage("Aniversário (opcional)"), + "enterEmail": MessageLookupByLibrary.simpleMessage("Digite o e-mail"), + "enterFileName": + MessageLookupByLibrary.simpleMessage("Inserir nome do arquivo"), + "enterName": MessageLookupByLibrary.simpleMessage("Inserir nome"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Inserir uma nova palavra-passe para encriptar os seus dados"), + "enterPassword": + MessageLookupByLibrary.simpleMessage("Introduzir palavra-passe"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Inserir uma palavra-passe para encriptar os seus dados"), + "enterPersonName": + MessageLookupByLibrary.simpleMessage("Inserir nome da pessoa"), + "enterPin": MessageLookupByLibrary.simpleMessage("Introduzir PIN"), + "enterReferralCode": MessageLookupByLibrary.simpleMessage( + "Insira o código de referência"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Introduzir o código de 6 dígitos da\nsua aplicação de autenticação"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Favor, introduz um e-mail válido."), + "enterYourEmailAddress": + MessageLookupByLibrary.simpleMessage("Introduza o seu e-mail"), + "enterYourNewEmailAddress": + MessageLookupByLibrary.simpleMessage("Introduza o seu novo e-mail"), + "enterYourPassword": MessageLookupByLibrary.simpleMessage( + "Introduza a sua palavra-passe"), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Introduz a sua chave de recuperação"), + "error": MessageLookupByLibrary.simpleMessage("Erro"), + "everywhere": MessageLookupByLibrary.simpleMessage("em todo o lado"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": + MessageLookupByLibrary.simpleMessage("Utilizador existente"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Este link expirou. Por favor, selecione um novo tempo de expiração ou desabilite a expiração do link."), + "exportLogs": MessageLookupByLibrary.simpleMessage("Exportar logs"), + "exportYourData": + MessageLookupByLibrary.simpleMessage("Exportar os seus dados"), + "extraPhotosFound": MessageLookupByLibrary.simpleMessage( + "Fotos adicionais encontradas"), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Rosto não aglomerado ainda, retome mais tarde"), + "faceRecognition": + MessageLookupByLibrary.simpleMessage("Reconhecimento facial"), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "Impossível gerar thumbnails de rosto"), + "faces": MessageLookupByLibrary.simpleMessage("Rostos"), + "failed": MessageLookupByLibrary.simpleMessage("Falha"), + "failedToApplyCode": + MessageLookupByLibrary.simpleMessage("Falha ao aplicar código"), + "failedToCancel": + MessageLookupByLibrary.simpleMessage("Falhou ao cancelar"), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( + "Falha ao fazer o download do vídeo"), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Falha ao obter sessões em atividade"), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Falha ao obter original para edição"), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Não foi possível obter detalhes de indicação. Por favor, tente novamente mais tarde."), + "failedToLoadAlbums": + MessageLookupByLibrary.simpleMessage("Falha ao carregar álbuns"), + "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Falha ao reproduzir multimédia"), + "failedToRefreshStripeSubscription": + MessageLookupByLibrary.simpleMessage( + "Falha ao atualizar subscrição"), + "failedToRenew": + MessageLookupByLibrary.simpleMessage("Falhou ao renovar"), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Falha ao verificar status do pagamento"), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Adicione 5 membros da família ao seu plano existente sem pagar mais.\n\n\nCada membro tem o seu próprio espaço privado e não pode ver os ficheiros dos outros, a menos que sejam partilhados.\n\n\nOs planos familiares estão disponíveis para clientes que tenham uma subscrição paga do Ente.\n\n\nSubscreva agora para começar!"), + "familyPlanPortalTitle": + MessageLookupByLibrary.simpleMessage("Família"), + "familyPlans": + MessageLookupByLibrary.simpleMessage("Planos familiares"), + "faq": MessageLookupByLibrary.simpleMessage("Perguntas Frequentes"), + "faqs": MessageLookupByLibrary.simpleMessage("Perguntas frequentes"), + "favorite": MessageLookupByLibrary.simpleMessage("Favorito"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("Comentário"), + "file": MessageLookupByLibrary.simpleMessage("Ficheiro"), + "fileAnalysisFailed": + MessageLookupByLibrary.simpleMessage("Impossível analisar arquivo"), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Falha ao guardar o ficheiro na galeria"), + "fileInfoAddDescHint": + MessageLookupByLibrary.simpleMessage("Acrescente uma descrição..."), + "fileNotUploadedYet": + MessageLookupByLibrary.simpleMessage("Ficheiro não enviado ainda"), + "fileSavedToGallery": + MessageLookupByLibrary.simpleMessage("Arquivo guardado na galeria"), + "fileTypes": MessageLookupByLibrary.simpleMessage("Tipos de arquivo"), + "fileTypesAndNames": + MessageLookupByLibrary.simpleMessage("Tipos de arquivo e nomes"), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": + MessageLookupByLibrary.simpleMessage("Arquivos apagados"), + "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Arquivos guardados na galeria"), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "Encontrar pessoas rapidamente pelo nome"), + "findThemQuickly": + MessageLookupByLibrary.simpleMessage("Ache-os rapidamente"), + "flip": MessageLookupByLibrary.simpleMessage("Inverter"), + "food": MessageLookupByLibrary.simpleMessage("Culinária saborosa"), + "forYourMemories": + MessageLookupByLibrary.simpleMessage("para suas memórias"), + "forgotPassword": + MessageLookupByLibrary.simpleMessage("Não recordo a palavra-passe"), + "foundFaces": + MessageLookupByLibrary.simpleMessage("Rostos encontrados"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( + "Armazenamento gratuito reclamado"), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Armazenamento livre utilizável"), + "freeTrial": MessageLookupByLibrary.simpleMessage("Teste grátis"), + "freeTrialValidTill": m38, + "freeUpAccessPostDelete": m39, + "freeUpAmount": m40, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( + "Libertar espaço no dispositivo"), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Poupe espaço no seu dispositivo limpando ficheiros dos quais já foi feita uma cópia de segurança."), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("Libertar espaço"), + "freeUpSpaceSaving": m41, + "gallery": MessageLookupByLibrary.simpleMessage("Galeria"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "Até 1000 memórias mostradas na galeria"), + "general": MessageLookupByLibrary.simpleMessage("Geral"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Gerando chaves de encriptação..."), + "genericProgress": m42, + "goToSettings": + MessageLookupByLibrary.simpleMessage("Ir para as definições"), + "googlePlayId": + MessageLookupByLibrary.simpleMessage("ID do Google Play"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Por favor, permita o acesso a todas as fotos nas definições do aplicativo"), + "grantPermission": + MessageLookupByLibrary.simpleMessage("Conceder permissão"), + "greenery": MessageLookupByLibrary.simpleMessage("A vida esverdeada"), + "groupNearbyPhotos": + MessageLookupByLibrary.simpleMessage("Agrupar fotos próximas"), + "guestView": MessageLookupByLibrary.simpleMessage("Visão de convidado"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "Para ativar a vista de convidado, configure o código de acesso do dispositivo ou o bloqueio do ecrã nas definições do sistema."), + "happyBirthday": + MessageLookupByLibrary.simpleMessage("Felicidades! 🥳"), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "Não monitorizamos as instalações de aplicações. Ajudaria se nos dissesse onde nos encontrou!"), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Como é que soube do Ente? (opcional)"), + "help": MessageLookupByLibrary.simpleMessage("Ajuda"), + "hidden": MessageLookupByLibrary.simpleMessage("Oculto"), + "hide": MessageLookupByLibrary.simpleMessage("Ocultar"), + "hideContent": MessageLookupByLibrary.simpleMessage("Ocultar conteúdo"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Oculta o conteúdo da aplicação no alternador de aplicações e desactiva as capturas de ecrã"), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Oculta o conteúdo da aplicação no alternador de aplicações"), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Esconder Itens Partilhados da Galeria Inicial"), + "hiding": MessageLookupByLibrary.simpleMessage("Ocultando..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": + MessageLookupByLibrary.simpleMessage("Hospedado na OSM France"), + "howItWorks": MessageLookupByLibrary.simpleMessage("Como funciona"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Por favor, peça-lhes para pressionar longamente o endereço de e-mail na tela de configurações e verifique se os IDs de ambos os dispositivos coincidem."), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "A autenticação biométrica não está configurada no seu dispositivo. Active o Touch ID ou o Face ID no seu telemóvel."), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "A autenticação biométrica está desativada. Por favor, bloqueie e desbloqueie o ecrã para ativá-la."), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), + "ignore": MessageLookupByLibrary.simpleMessage("Ignorar"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorar"), + "ignored": MessageLookupByLibrary.simpleMessage("ignorado"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Alguns ficheiros deste álbum não podem ser carregados porque foram anteriormente eliminados do Ente."), + "imageNotAnalyzed": + MessageLookupByLibrary.simpleMessage("Imagem sem análise"), + "immediately": MessageLookupByLibrary.simpleMessage("Imediatamente"), + "importing": MessageLookupByLibrary.simpleMessage("A importar..."), + "incorrectCode": + MessageLookupByLibrary.simpleMessage("Código incorrecto"), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("Palavra-passe incorreta"), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Chave de recuperação incorreta"), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "A chave de recuperação introduzida está incorreta"), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Chave de recuperação incorreta"), + "indexedItems": MessageLookupByLibrary.simpleMessage("Itens indexados"), + "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( + "A indexação foi interrompida. Ele será retomado se o dispositivo estiver pronto. O dispositivo é considerado pronto se o nível de bateria, saúde da bateria, e estado térmico esteja num estado saudável."), + "ineligible": MessageLookupByLibrary.simpleMessage("Inelegível"), + "info": MessageLookupByLibrary.simpleMessage("Info"), + "insecureDevice": + MessageLookupByLibrary.simpleMessage("Dispositivo inseguro"), + "installManually": + MessageLookupByLibrary.simpleMessage("Instalar manualmente"), + "invalidEmailAddress": + MessageLookupByLibrary.simpleMessage("E-mail inválido"), + "invalidEndpoint": + MessageLookupByLibrary.simpleMessage("Endpoint inválido"), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Desculpe, o endpoint que introduziu é inválido. Introduza um ponto final válido e tente novamente."), + "invalidKey": MessageLookupByLibrary.simpleMessage("Chave inválida"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "A chave de recuperação que inseriu não é válida. Por favor, certifique-se que ela contém 24 palavras e verifique a ortografia de cada uma.\n\nSe inseriu um código de recuperação mais antigo, certifique-se de que tem 64 caracteres e verifique cada um deles."), + "invite": MessageLookupByLibrary.simpleMessage("Convidar"), + "inviteToEnte": + MessageLookupByLibrary.simpleMessage("Convidar para Ente"), + "inviteYourFriends": + MessageLookupByLibrary.simpleMessage("Convide os seus amigos"), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "Convide seus amigos para o Ente"), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Parece que algo correu mal. Por favor, tente novamente após algum tempo. Se o erro persistir, contacte a nossa equipa de apoio."), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "Os itens mostram o número de dias restantes antes da eliminação permanente"), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Os itens selecionados serão removidos deste álbum"), + "join": MessageLookupByLibrary.simpleMessage("Aderir"), + "joinAlbum": MessageLookupByLibrary.simpleMessage("Aderir ao Álbum"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "Aderir a um álbum fará o seu e-mail visível aos participantes."), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( + "para ver e adicionar as suas fotos"), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "para adicionar isto aos álbuns partilhados"), + "joinDiscord": + MessageLookupByLibrary.simpleMessage("Juntar-se ao Discord"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Manter fotos"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Ajude-nos com esta informação"), + "language": MessageLookupByLibrary.simpleMessage("Idioma"), + "lastTimeWithThem": m45, + "lastUpdated": + MessageLookupByLibrary.simpleMessage("Última atualização"), + "lastYearsTrip": + MessageLookupByLibrary.simpleMessage("Viagem do ano passado"), + "leave": MessageLookupByLibrary.simpleMessage("Sair"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Sair do álbum"), + "leaveFamily": + MessageLookupByLibrary.simpleMessage("Deixar plano famíliar"), + "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Sair do álbum compartilhado?"), + "left": MessageLookupByLibrary.simpleMessage("Esquerda"), + "legacy": MessageLookupByLibrary.simpleMessage("Revivência"), + "legacyAccounts": + MessageLookupByLibrary.simpleMessage("Contas revividas"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "A Revivência permite que contactos de confiança acessem a sua conta na sua inatividade."), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "Contactos de confiança podem restaurar a sua conta, e se não lhes impedir em 30 dias, redefine a sua palavra-passe e acesse a sua conta."), + "light": MessageLookupByLibrary.simpleMessage("Claro"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Claro"), + "link": MessageLookupByLibrary.simpleMessage("Ligar"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Link copiado para a área de transferência"), + "linkDeviceLimit": + MessageLookupByLibrary.simpleMessage("Limite de dispositivo"), + "linkEmail": MessageLookupByLibrary.simpleMessage("Ligar e-mail"), + "linkEmailToContactBannerCaption": + MessageLookupByLibrary.simpleMessage("para partilha ágil"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Ativado"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Expirado"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Link expirado"), + "linkHasExpired": + MessageLookupByLibrary.simpleMessage("O link expirou"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Nunca"), + "linkPerson": MessageLookupByLibrary.simpleMessage("Ligar pessoa"), + "linkPersonCaption": MessageLookupByLibrary.simpleMessage( + "para melhor experiência de partilha"), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": + MessageLookupByLibrary.simpleMessage("Fotos Em Tempo Real"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "Pode partilhar a sua subscrição com a sua família"), + "loadMessage2": MessageLookupByLibrary.simpleMessage( + "Já contivemos 200 milhões de memórias até o momento"), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "Mantemos 3 cópias dos seus dados, uma em um abrigo subterrâneo"), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "Todos os nossos aplicativos são de código aberto"), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Nosso código-fonte e criptografia foram auditadas externamente"), + "loadMessage6": + MessageLookupByLibrary.simpleMessage("Deixar o álbum partilhado?"), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Nossos aplicativos móveis são executados em segundo plano para criptografar e fazer backup de quaisquer novas fotos que você clique"), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io tem um envio mais rápido"), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Nós usamos Xchacha20Poly1305 para criptografar seus dados com segurança"), + "loadingExifData": + MessageLookupByLibrary.simpleMessage("Carregando dados EXIF..."), + "loadingGallery": + MessageLookupByLibrary.simpleMessage("Carregando galeria..."), + "loadingMessage": + MessageLookupByLibrary.simpleMessage("Carregar as suas fotos..."), + "loadingModel": + MessageLookupByLibrary.simpleMessage("Transferindo modelos..."), + "loadingYourPhotos": + MessageLookupByLibrary.simpleMessage("Carregar as suas fotos..."), + "localGallery": MessageLookupByLibrary.simpleMessage("Galeria local"), + "localIndexing": + MessageLookupByLibrary.simpleMessage("Indexação local"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Parece que algo correu mal, uma vez que a sincronização de fotografias locais está a demorar mais tempo do que o esperado. Contacte a nossa equipa de apoio"), + "location": MessageLookupByLibrary.simpleMessage("Localização"), + "locationName": + MessageLookupByLibrary.simpleMessage("Nome da localização"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Uma etiqueta de localização agrupa todas as fotos que foram tiradas num determinado raio de uma fotografia"), + "locations": MessageLookupByLibrary.simpleMessage("Localizações"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Bloquear"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Ecrã de bloqueio"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Iniciar sessão"), + "loggingOut": + MessageLookupByLibrary.simpleMessage("Terminar a sessão..."), + "loginSessionExpired": + MessageLookupByLibrary.simpleMessage("Sessão expirada"), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "A sua sessão expirou. Por favor, inicie sessão novamente."), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Ao clicar em iniciar sessão, eu concordo com os termos de serviço e política de privacidade"), + "loginWithTOTP": + MessageLookupByLibrary.simpleMessage("Iniciar sessão com TOTP"), + "logout": MessageLookupByLibrary.simpleMessage("Terminar sessão"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "Isto enviará os registos para nos ajudar a resolver o problema. Tenha em atenção que os nomes dos ficheiros serão incluídos para ajudar a localizar problemas com ficheiros específicos."), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Pressione e segure um e-mail para verificar a criptografia de ponta a ponta."), + "longpressOnAnItemToViewInFullscreen": + MessageLookupByLibrary.simpleMessage( + "Pressione e segure em um item para ver em tela cheia"), + "lookBackOnYourMemories": + MessageLookupByLibrary.simpleMessage("Revê as suas memórias 🌄"), + "loopVideoOff": + MessageLookupByLibrary.simpleMessage("Repetir vídeo desligado"), + "loopVideoOn": + MessageLookupByLibrary.simpleMessage("Repetir vídeo ligado"), + "lostDevice": + MessageLookupByLibrary.simpleMessage("Perdeu o seu dispositívo?"), + "machineLearning": + MessageLookupByLibrary.simpleMessage("Aprendizagem automática"), + "magicSearch": MessageLookupByLibrary.simpleMessage("Pesquisa mágica"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "A pesquisa mágica permite pesquisar fotos por seu conteúdo, por exemplo, \'flor\', \'carro vermelho\', \'documentos de identidade\'"), + "manage": MessageLookupByLibrary.simpleMessage("Gerir"), + "manageDeviceStorage": + MessageLookupByLibrary.simpleMessage("Gerir cache do aparelho"), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Reveja e limpe o armazenamento de cache local."), + "manageFamily": MessageLookupByLibrary.simpleMessage("Gerir família"), + "manageLink": MessageLookupByLibrary.simpleMessage("Gerir link"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Gerir"), + "manageSubscription": + MessageLookupByLibrary.simpleMessage("Gerir subscrição"), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "Emparelhar com PIN funciona com qualquer ecrã onde pretenda ver o seu álbum."), + "map": MessageLookupByLibrary.simpleMessage("Mapa"), + "maps": MessageLookupByLibrary.simpleMessage("Mapas"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("Eu"), + "memories": MessageLookupByLibrary.simpleMessage("Memórias"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Seleciona os tipos de memórias que adoraria ver no seu ecrã inicial."), + "memoryCount": m50, + "merchandise": MessageLookupByLibrary.simpleMessage("Produtos"), + "merge": MessageLookupByLibrary.simpleMessage("Fundir"), + "mergeWithExisting": + MessageLookupByLibrary.simpleMessage("Juntar com o existente"), + "mergedPhotos": + MessageLookupByLibrary.simpleMessage("Fotos combinadas"), + "mlConsent": MessageLookupByLibrary.simpleMessage( + "Ativar aprendizagem automática"), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Eu entendo, e desejo ativar a aprendizagem automática"), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Se ativar a aprendizagem automática, o Ente extrairá informações como a geometria do rosto de ficheiros, incluindo os partilhados consigo.\n\n\nIsto acontecerá no seu dispositivo e todas as informações biométricas geradas serão encriptadas de ponta a ponta."), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Por favor, clique aqui para mais detalhes sobre este recurso na nossa política de privacidade"), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "Ativar aprendizagem automática?"), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Tenha em atenção que a aprendizagem automática resultará numa maior utilização da largura de banda e da bateria até que todos os itens sejam indexados. Considere utilizar a aplicação de ambiente de trabalho para uma indexação mais rápida, todos os resultados serão sincronizados automaticamente."), + "mobileWebDesktop": + MessageLookupByLibrary.simpleMessage("Mobile, Web, Desktop"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Moderada"), + "modifyYourQueryOrTrySearchingFor": + MessageLookupByLibrary.simpleMessage( + "Modifique a sua consulta ou tente pesquisar por"), + "moments": MessageLookupByLibrary.simpleMessage("Momentos"), + "month": MessageLookupByLibrary.simpleMessage("mês"), + "monthly": MessageLookupByLibrary.simpleMessage("Mensal"), + "moon": MessageLookupByLibrary.simpleMessage("Na luz da lua"), + "moreDetails": MessageLookupByLibrary.simpleMessage("Mais detalhes"), + "mostRecent": MessageLookupByLibrary.simpleMessage("Mais recente"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("Mais relevante"), + "mountains": MessageLookupByLibrary.simpleMessage("Sobre as colinas"), + "moveItem": m51, + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "Alterar datas de Fotos ao Selecionado"), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("Mover para álbum"), + "moveToHiddenAlbum": + MessageLookupByLibrary.simpleMessage("Mover para álbum oculto"), + "movedSuccessfullyTo": m52, + "movedToTrash": + MessageLookupByLibrary.simpleMessage("Mover para o lixo"), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Mover arquivos para o álbum..."), + "name": MessageLookupByLibrary.simpleMessage("Nome"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Nomear o álbum"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Não foi possível conectar ao Ente, tente novamente após algum tempo. Se o erro persistir, entre em contato com o suporte."), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Não foi possível estabelecer ligação ao Ente. Verifique as definições de rede e contacte o serviço de apoio se o erro persistir."), + "never": MessageLookupByLibrary.simpleMessage("Nunca"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Novo álbum"), + "newLocation": MessageLookupByLibrary.simpleMessage("Novo Lugar"), + "newPerson": MessageLookupByLibrary.simpleMessage("Nova pessoa"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" novo 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("Novo intervalo"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Novo no Ente"), + "newest": MessageLookupByLibrary.simpleMessage("Recentes"), + "next": MessageLookupByLibrary.simpleMessage("Seguinte"), + "no": MessageLookupByLibrary.simpleMessage("Não"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Ainda não há álbuns partilhados por si"), + "noDeviceFound": MessageLookupByLibrary.simpleMessage( + "Nenhum dispositivo encontrado"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Nenhum"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "Você não tem arquivos neste dispositivo que possam ser apagados"), + "noDuplicates": + MessageLookupByLibrary.simpleMessage("✨ Sem duplicados"), + "noEnteAccountExclamation": + MessageLookupByLibrary.simpleMessage("Nenhuma conta do Ente!"), + "noExifData": MessageLookupByLibrary.simpleMessage("Sem dados EXIF"), + "noFacesFound": + MessageLookupByLibrary.simpleMessage("Nenhum rosto foi detetado"), + "noHiddenPhotosOrVideos": + MessageLookupByLibrary.simpleMessage("Sem fotos ou vídeos ocultos"), + "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( + "Nenhuma imagem com localização"), + "noInternetConnection": + MessageLookupByLibrary.simpleMessage("Sem ligação à internet"), + "noPhotosAreBeingBackedUpRightNow": + MessageLookupByLibrary.simpleMessage( + "No momento não há backup de fotos sendo feito"), + "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( + "Nenhuma foto encontrada aqui"), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( + "Nenhum link rápido selecionado"), + "noRecoveryKey": + MessageLookupByLibrary.simpleMessage("Sem chave de recuperação?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Por conta da natureza do nosso protocolo de encriptação, os seus dados não podem ser desencriptados sem a sua palavra-passe ou chave de recuperação."), + "noResults": MessageLookupByLibrary.simpleMessage("Nenhum resultado"), + "noResultsFound": MessageLookupByLibrary.simpleMessage( + "Não foram encontrados resultados"), + "noSuggestionsForPerson": m53, + "noSystemLockFound": MessageLookupByLibrary.simpleMessage( + "Nenhum bloqueio de sistema encontrado"), + "notPersonLabel": m54, + "notThisPerson": + MessageLookupByLibrary.simpleMessage("Não é esta pessoa?"), + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "Ainda nada partilhado consigo"), + "nothingToSeeHere": + MessageLookupByLibrary.simpleMessage("Nada para ver aqui! 👀"), + "notifications": MessageLookupByLibrary.simpleMessage("Notificações"), + "ok": MessageLookupByLibrary.simpleMessage("OK"), + "onDevice": MessageLookupByLibrary.simpleMessage("No dispositivo"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "Em ente"), + "onTheRoad": MessageLookupByLibrary.simpleMessage("Na rua de novo"), + "onThisDay": MessageLookupByLibrary.simpleMessage("Neste dia"), + "onThisDayMemories": + MessageLookupByLibrary.simpleMessage("Memórias deste dia"), + "onThisDayNotificationExplanation": + MessageLookupByLibrary.simpleMessage( + "Obtém lembretes de memórias deste dia em anos passados."), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Apenas eles"), + "oops": MessageLookupByLibrary.simpleMessage("Ops"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Oops, não foi possível guardar as edições"), + "oopsSomethingWentWrong": + MessageLookupByLibrary.simpleMessage("Ops, algo deu errado"), + "openAlbumInBrowser": + MessageLookupByLibrary.simpleMessage("Abrir o Álbum em Navegador"), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Utilize a Aplicação de Web Sítio para adicionar fotos ao álbum"), + "openFile": MessageLookupByLibrary.simpleMessage("Abrir o Ficheiro"), + "openSettings": + MessageLookupByLibrary.simpleMessage("Abrir Definições"), + "openTheItem": MessageLookupByLibrary.simpleMessage("• Abra o item"), + "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( + "Contribuidores do OpenStreetMap"), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Opcional, o mais breve que quiser..."), + "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( + "Ou combinar com já existente"), + "orPickAnExistingOne": + MessageLookupByLibrary.simpleMessage("Ou escolha um já existente"), + "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( + "ou selecione dos seus contactos"), + "otherDetectedFaces": + MessageLookupByLibrary.simpleMessage("Outros rostos detetados"), + "pair": MessageLookupByLibrary.simpleMessage("Emparelhar"), + "pairWithPin": + MessageLookupByLibrary.simpleMessage("Emparelhar com PIN"), + "pairingComplete": + MessageLookupByLibrary.simpleMessage("Emparelhamento concluído"), + "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), + "partyWithThem": m56, + "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( + "A verificação ainda está pendente"), + "passkey": MessageLookupByLibrary.simpleMessage("Chave de acesso"), + "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( + "Verificação da chave de acesso"), + "password": MessageLookupByLibrary.simpleMessage("Palavra-passe"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Palavra-passe alterada com sucesso"), + "passwordLock": + MessageLookupByLibrary.simpleMessage("Bloqueio da palavra-passe"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "A força da palavra-passe é calculada tendo em conta o comprimento da palavra-passe, os caracteres utilizados e se a palavra-passe aparece ou não nas 10.000 palavras-passe mais utilizadas"), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Não armazenamos esta palavra-passe, se você a esquecer, não podemos desencriptar os seus dados"), + "pastYearsMemories": + MessageLookupByLibrary.simpleMessage("Memórias de anos passados"), + "paymentDetails": + MessageLookupByLibrary.simpleMessage("Detalhes de pagamento"), + "paymentFailed": + MessageLookupByLibrary.simpleMessage("O pagamento falhou"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "Infelizmente o seu pagamento falhou. Entre em contato com o suporte e nós ajudaremos você!"), + "paymentFailedTalkToProvider": m58, + "pendingItems": MessageLookupByLibrary.simpleMessage("Itens pendentes"), + "pendingSync": + MessageLookupByLibrary.simpleMessage("Sincronização pendente"), + "people": MessageLookupByLibrary.simpleMessage("Pessoas"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Pessoas que utilizam seu código"), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Seleciona as pessoas que adoraria ver no seu ecrã inicial."), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Todos os itens no lixo serão permanentemente eliminados\n\n\nEsta ação não pode ser anulada"), + "permanentlyDelete": + MessageLookupByLibrary.simpleMessage("Eliminar permanentemente"), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Apagar permanentemente do dispositivo?"), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("Nome da pessoa"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("Acompanhantes peludos"), + "photoDescriptions": + MessageLookupByLibrary.simpleMessage("Descrições das fotos"), + "photoGridSize": + MessageLookupByLibrary.simpleMessage("Tamanho da grelha de fotos"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("Fotos"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "As fotos adicionadas por si serão removidas do álbum"), + "photosCount": m62, + "photosKeepRelativeTimeDifference": + MessageLookupByLibrary.simpleMessage( + "As Fotos continuam com uma diferença de horário relativo"), + "pickCenterPoint": + MessageLookupByLibrary.simpleMessage("Escolha o ponto central"), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Fixar álbum"), + "pinLock": MessageLookupByLibrary.simpleMessage("Bloqueio por PIN"), + "playOnTv": + MessageLookupByLibrary.simpleMessage("Reproduzir álbum na TV"), + "playOriginal": MessageLookupByLibrary.simpleMessage("Ver original"), + "playStoreFreeTrialValidTill": m63, + "playStream": MessageLookupByLibrary.simpleMessage("Ver em direto"), + "playstoreSubscription": + MessageLookupByLibrary.simpleMessage("Subscrição da PlayStore"), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Por favor, verifique a sua ligação à Internet e tente novamente."), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Por favor, entre em contato com support@ente.io e nós ficaremos felizes em ajudar!"), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Por favor, contate o suporte se o problema persistir"), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( + "Por favor, conceda as permissões"), + "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( + "Por favor, inicie sessão novamente"), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Selecione links rápidos para remover"), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": + MessageLookupByLibrary.simpleMessage("Por favor, tente novamente"), + "pleaseVerifyTheCodeYouHaveEntered": + MessageLookupByLibrary.simpleMessage( + "Por favor, verifique se o código que você inseriu"), + "pleaseWait": + MessageLookupByLibrary.simpleMessage("Por favor, aguarde ..."), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Por favor aguarde, apagar o álbum"), + "pleaseWaitForSometimeBeforeRetrying": + MessageLookupByLibrary.simpleMessage( + "Por favor, aguarde algum tempo antes de tentar novamente"), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "Espera um pouco, isto deve levar um tempo."), + "posingWithThem": m66, + "preparingLogs": + MessageLookupByLibrary.simpleMessage("Preparando logs..."), + "preserveMore": MessageLookupByLibrary.simpleMessage("Preservar mais"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Pressione e segure para reproduzir o vídeo"), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Pressione e segure na imagem para reproduzir o vídeo"), + "previous": MessageLookupByLibrary.simpleMessage("Anterior"), + "privacy": MessageLookupByLibrary.simpleMessage("Privacidade"), + "privacyPolicyTitle": + MessageLookupByLibrary.simpleMessage("Política de privacidade"), + "privateBackups": + MessageLookupByLibrary.simpleMessage("Backups privados"), + "privateSharing": + MessageLookupByLibrary.simpleMessage("Partilha privada"), + "proceed": MessageLookupByLibrary.simpleMessage("Continuar"), + "processed": MessageLookupByLibrary.simpleMessage("Processado"), + "processing": MessageLookupByLibrary.simpleMessage("A processar"), + "processingImport": m67, + "processingVideos": + MessageLookupByLibrary.simpleMessage("A processar vídeos"), + "publicLinkCreated": + MessageLookupByLibrary.simpleMessage("Link público criado"), + "publicLinkEnabled": + MessageLookupByLibrary.simpleMessage("Link público ativado"), + "questionmark": MessageLookupByLibrary.simpleMessage("?"), + "queued": MessageLookupByLibrary.simpleMessage("Em fila"), + "quickLinks": MessageLookupByLibrary.simpleMessage("Links rápidos"), + "radius": MessageLookupByLibrary.simpleMessage("Raio"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Abrir ticket"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("Avaliar aplicação"), + "rateUs": MessageLookupByLibrary.simpleMessage("Avalie-nos"), + "rateUsOnStore": m68, + "reassignMe": MessageLookupByLibrary.simpleMessage("Retribua \"Mim\""), + "reassignedToName": m69, + "reassigningLoading": + MessageLookupByLibrary.simpleMessage("A retribuir..."), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Obtém lembretes de quando é aniversário de alguém. Apertar na notificação o levará às fotos do aniversariante."), + "recover": MessageLookupByLibrary.simpleMessage("Recuperar"), + "recoverAccount": + MessageLookupByLibrary.simpleMessage("Recuperar conta"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Recuperar"), + "recoveryAccount": + MessageLookupByLibrary.simpleMessage("Recuperar Conta"), + "recoveryInitiated": + MessageLookupByLibrary.simpleMessage("Recuperação iniciada"), + "recoveryInitiatedDesc": m70, + "recoveryKey": + MessageLookupByLibrary.simpleMessage("Chave de recuperação"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Chave de recuperação copiada para a área de transferência"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Se esquecer sua palavra-passe, a única maneira de recuperar os seus dados é com esta chave."), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Não armazenamos essa chave, por favor, guarde esta chave de 24 palavras num lugar seguro."), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Ótimo! A sua chave de recuperação é válida. Obrigado por verificar.\n\nLembre-se de manter cópia de segurança da sua chave de recuperação."), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Chave de recuperação verificada"), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "A sua chave de recuperação é a única forma de recuperar as suas fotografias se se esquecer da sua palavra-passe. Pode encontrar a sua chave de recuperação em Definições > Conta.\n\n\nIntroduza aqui a sua chave de recuperação para verificar se a guardou corretamente."), + "recoveryReady": m71, + "recoverySuccessful": + MessageLookupByLibrary.simpleMessage("Recuperação com êxito!"), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "Um contacto de confiança está a tentar acessar a sua conta"), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "O dispositivo atual não é suficientemente poderoso para verificar a palavra-passe, mas podemos regenerar novamente de uma maneira que funcione no seu dispositivo.\n\nPor favor, iniciar sessão utilizando código de recuperação e gerar novamente a sua palavra-passe (pode utilizar a mesma se quiser)."), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("Recriar palavra-passe"), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": MessageLookupByLibrary.simpleMessage( + "Insira novamente a palavra-passe"), + "reenterPin": + MessageLookupByLibrary.simpleMessage("Inserir PIN novamente"), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Recomende amigos e duplique o seu plano"), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Envie este código aos seus amigos"), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Eles se inscrevem em um plano pago"), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Referências"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "As referências estão atualmente em pausa"), + "rejectRecovery": + MessageLookupByLibrary.simpleMessage("Recusar recuperação"), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "Esvazie também a opção “Eliminados recentemente” em “Definições” -> “Armazenamento” para reclamar o espaço libertado"), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Esvazie também o seu “Lixo” para reivindicar o espaço libertado"), + "remoteImages": MessageLookupByLibrary.simpleMessage("Imagens remotas"), + "remoteThumbnails": + MessageLookupByLibrary.simpleMessage("Miniaturas remotas"), + "remoteVideos": MessageLookupByLibrary.simpleMessage("Vídeos remotos"), + "remove": MessageLookupByLibrary.simpleMessage("Remover"), + "removeDuplicates": + MessageLookupByLibrary.simpleMessage("Remover duplicados"), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Rever e remover ficheiros que sejam duplicados exatos."), + "removeFromAlbum": + MessageLookupByLibrary.simpleMessage("Remover do álbum"), + "removeFromAlbumTitle": + MessageLookupByLibrary.simpleMessage("Remover do álbum"), + "removeFromFavorite": + MessageLookupByLibrary.simpleMessage("Remover dos favoritos"), + "removeInvite": MessageLookupByLibrary.simpleMessage("Retirar convite"), + "removeLink": MessageLookupByLibrary.simpleMessage("Remover link"), + "removeParticipant": + MessageLookupByLibrary.simpleMessage("Remover participante"), + "removeParticipantBody": m74, + "removePersonLabel": + MessageLookupByLibrary.simpleMessage("Remover etiqueta da pessoa"), + "removePublicLink": + MessageLookupByLibrary.simpleMessage("Remover link público"), + "removePublicLinks": + MessageLookupByLibrary.simpleMessage("Remover link público"), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Alguns dos itens que você está removendo foram adicionados por outras pessoas, e você perderá o acesso a eles"), + "removeWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Remover?"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Retirar-vos dos contactos de confiança"), + "removingFromFavorites": + MessageLookupByLibrary.simpleMessage("Removendo dos favoritos..."), + "rename": MessageLookupByLibrary.simpleMessage("Renomear"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("Renomear álbum"), + "renameFile": MessageLookupByLibrary.simpleMessage("Renomear arquivo"), + "renewSubscription": + MessageLookupByLibrary.simpleMessage("Renovar subscrição"), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Reporte um bug"), + "reportBug": MessageLookupByLibrary.simpleMessage("Reportar bug"), + "resendEmail": MessageLookupByLibrary.simpleMessage("Reenviar e-mail"), + "reset": MessageLookupByLibrary.simpleMessage("Redefinir"), + "resetIgnoredFiles": + MessageLookupByLibrary.simpleMessage("Repor ficheiros ignorados"), + "resetPasswordTitle": + MessageLookupByLibrary.simpleMessage("Redefinir palavra-passe"), + "resetPerson": MessageLookupByLibrary.simpleMessage("Remover"), + "resetToDefault": + MessageLookupByLibrary.simpleMessage("Redefinir para o padrão"), + "restore": MessageLookupByLibrary.simpleMessage("Restaurar"), + "restoreToAlbum": + MessageLookupByLibrary.simpleMessage("Restaurar para álbum"), + "restoringFiles": + MessageLookupByLibrary.simpleMessage("Restaurar arquivos..."), + "resumableUploads": + MessageLookupByLibrary.simpleMessage("Uploads reenviados"), + "retry": MessageLookupByLibrary.simpleMessage("Tentar novamente"), + "review": MessageLookupByLibrary.simpleMessage("Rever"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Reveja e elimine os itens que considera serem duplicados."), + "reviewSuggestions": + MessageLookupByLibrary.simpleMessage("Revisar sugestões"), + "right": MessageLookupByLibrary.simpleMessage("Direita"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("Rodar"), + "rotateLeft": + MessageLookupByLibrary.simpleMessage("Rodar para a esquerda"), + "rotateRight": + MessageLookupByLibrary.simpleMessage("Rodar para a direita"), + "safelyStored": + MessageLookupByLibrary.simpleMessage("Armazenado com segurança"), + "same": MessageLookupByLibrary.simpleMessage("Igual"), + "sameperson": MessageLookupByLibrary.simpleMessage("A mesma pessoa?"), + "save": MessageLookupByLibrary.simpleMessage("Guardar"), + "saveAsAnotherPerson": + MessageLookupByLibrary.simpleMessage("Guardar como outra pessoa"), + "saveChangesBeforeLeavingQuestion": + MessageLookupByLibrary.simpleMessage( + "Guardar as alterações antes de sair?"), + "saveCollage": MessageLookupByLibrary.simpleMessage("Guardar colagem"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Guardar cópia"), + "saveKey": MessageLookupByLibrary.simpleMessage("Guardar chave"), + "savePerson": MessageLookupByLibrary.simpleMessage("Guardar pessoa"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Guarde a sua chave de recuperação, caso ainda não o tenha feito"), + "saving": MessageLookupByLibrary.simpleMessage("A gravar..."), + "savingEdits": + MessageLookupByLibrary.simpleMessage("Gravando edições..."), + "scanCode": MessageLookupByLibrary.simpleMessage("Ler código Qr"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Leia este código com a sua aplicação dois fatores."), + "search": MessageLookupByLibrary.simpleMessage("Pesquisar"), + "searchAlbumsEmptySection": + MessageLookupByLibrary.simpleMessage("Álbuns"), + "searchByAlbumNameHint": + MessageLookupByLibrary.simpleMessage("Nome do álbum"), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Nomes de álbuns (ex: \"Câmera\")\n• Tipos de arquivos (ex.: \"Vídeos\", \".gif\")\n• Anos e meses (e.. \"2022\", \"Janeiro\")\n• Feriados (por exemplo, \"Natal\")\n• Descrições de fotos (por exemplo, \"#divertido\")"), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Adicione descrições como \"#trip\" nas informações das fotos para encontrá-las aqui rapidamente"), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Pesquisar por data, mês ou ano"), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "As imagens aparecerão aqui caso o processamento e sincronização for concluído"), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "As pessoas serão mostradas aqui quando a indexação estiver concluída"), + "searchFileTypesAndNamesEmptySection": + MessageLookupByLibrary.simpleMessage("Tipos de arquivo e nomes"), + "searchHint1": MessageLookupByLibrary.simpleMessage( + "Pesquisa rápida no dispositivo"), + "searchHint2": + MessageLookupByLibrary.simpleMessage("Datas das fotos, descrições"), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "Álbuns, nomes de arquivos e tipos"), + "searchHint4": MessageLookupByLibrary.simpleMessage("Local"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "Em breve: Rostos e pesquisa mágica ✨"), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Fotos de grupo que estão sendo tiradas em algum raio da foto"), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "Convide pessoas e verá todas as fotos partilhadas por elas aqui"), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "As pessoas aparecerão aqui caso o processamento e sincronização for concluído"), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Segurança"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "Ver Ligações Públicas na Aplicação"), + "selectALocation": + MessageLookupByLibrary.simpleMessage("Selecione uma localização"), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage( + "Selecione uma localização primeiro"), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Selecionar álbum"), + "selectAll": MessageLookupByLibrary.simpleMessage("Selecionar tudo"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("Tudo"), + "selectCoverPhoto": + MessageLookupByLibrary.simpleMessage("Selecionar Foto para Capa"), + "selectDate": MessageLookupByLibrary.simpleMessage("Selecionar data"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Selecionar pastas para cópia de segurança"), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "Selecionar itens para adicionar"), + "selectLanguage": + MessageLookupByLibrary.simpleMessage("Selecionar Idioma"), + "selectMailApp": MessageLookupByLibrary.simpleMessage( + "Selecione Aplicação de Correios"), + "selectMorePhotos": + MessageLookupByLibrary.simpleMessage("Selecionar mais fotos"), + "selectOneDateAndTime": + MessageLookupByLibrary.simpleMessage("Selecione uma Data e Hora"), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "Selecionar uma data e hora a todos"), + "selectPersonToLink": MessageLookupByLibrary.simpleMessage( + "Selecione uma pessoa para ligar-se"), + "selectReason": MessageLookupByLibrary.simpleMessage("Diz a razão"), + "selectStartOfRange": MessageLookupByLibrary.simpleMessage( + "Selecionar início de intervalo"), + "selectTime": MessageLookupByLibrary.simpleMessage("Selecionar tempo"), + "selectYourFace": + MessageLookupByLibrary.simpleMessage("Selecionar o seu rosto"), + "selectYourPlan": + MessageLookupByLibrary.simpleMessage("Selecione o seu plano"), + "selectedAlbums": m79, + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Os arquivos selecionados não estão no Ente"), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "As pastas selecionadas serão encriptadas e guardadas como cópia de segurança"), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Os itens selecionados serão eliminados de todos os álbuns e movidos para o lixo."), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "Os itens em seleção serão removidos desta pessoa, mas não da sua biblioteca."), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("Enviar"), + "sendEmail": MessageLookupByLibrary.simpleMessage("Enviar e-mail"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Enviar convite"), + "sendLink": MessageLookupByLibrary.simpleMessage("Enviar link"), + "serverEndpoint": + MessageLookupByLibrary.simpleMessage("Endpoint do servidor"), + "sessionExpired": + MessageLookupByLibrary.simpleMessage("Sessão expirada"), + "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( + "Incompatibilidade de ID de sessão"), + "setAPassword": + MessageLookupByLibrary.simpleMessage("Definir uma palavra-passe"), + "setAs": MessageLookupByLibrary.simpleMessage("Definir como"), + "setCover": MessageLookupByLibrary.simpleMessage("Definir capa"), + "setLabel": MessageLookupByLibrary.simpleMessage("Definir"), + "setNewPassword": + MessageLookupByLibrary.simpleMessage("Definir nova palavra-passe"), + "setNewPin": MessageLookupByLibrary.simpleMessage("Definir novo PIN"), + "setPasswordTitle": + MessageLookupByLibrary.simpleMessage("Definir palavra-passe"), + "setRadius": MessageLookupByLibrary.simpleMessage("Definir raio"), + "setupComplete": + MessageLookupByLibrary.simpleMessage("Configuração concluída"), + "share": MessageLookupByLibrary.simpleMessage("Partilhar"), + "shareALink": MessageLookupByLibrary.simpleMessage("Partilhar um link"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Abra um álbum e toque no botão de partilha no canto superior direito para partilhar"), + "shareAnAlbumNow": + MessageLookupByLibrary.simpleMessage("Partilhar um álbum"), + "shareLink": MessageLookupByLibrary.simpleMessage("Partilhar link"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Partilhar apenas com as pessoas que deseja"), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Descarregue o Ente para poder partilhar facilmente fotografias e vídeos de qualidade original\n\n\nhttps://ente.io"), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Compartilhar com usuários que não usam Ente"), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( + "Partilhe o seu primeiro álbum"), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Criar álbuns compartilhados e colaborativos com outros usuários da Ente, incluindo usuários em planos gratuitos."), + "sharedByMe": + MessageLookupByLibrary.simpleMessage("Partilhado por mim"), + "sharedByYou": + MessageLookupByLibrary.simpleMessage("Partilhado por si"), + "sharedPhotoNotifications": + MessageLookupByLibrary.simpleMessage("Novas fotos partilhadas"), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Receber notificações quando alguém adiciona uma foto a um álbum partilhado do qual faz parte"), + "sharedWith": m87, + "sharedWithMe": + MessageLookupByLibrary.simpleMessage("Partilhado comigo"), + "sharedWithYou": + MessageLookupByLibrary.simpleMessage("Partilhado consigo"), + "sharing": MessageLookupByLibrary.simpleMessage("Partilhar..."), + "shiftDatesAndTime": + MessageLookupByLibrary.simpleMessage("Mude as Datas e Horas"), + "showLessFaces": + MessageLookupByLibrary.simpleMessage("Mostrar menos rostos"), + "showMemories": + MessageLookupByLibrary.simpleMessage("Mostrar memórias"), + "showMoreFaces": + MessageLookupByLibrary.simpleMessage("Mostrar mais rostos"), + "showPerson": MessageLookupByLibrary.simpleMessage("Mostrar pessoa"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "Terminar sessão noutros dispositivos"), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Se pensa que alguém pode saber a sua palavra-passe, pode forçar todos os outros dispositivos que utilizam a sua conta a terminar a sessão."), + "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( + "Terminar a sessão noutros dispositivos"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Eu concordo com os termos de serviço e política de privacidade"), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Será eliminado de todos os álbuns."), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Pular"), + "smartMemories": + MessageLookupByLibrary.simpleMessage("Memórias inteligentes"), + "social": MessageLookupByLibrary.simpleMessage("Social"), + "someItemsAreInBothEnteAndYourDevice": + MessageLookupByLibrary.simpleMessage( + "Alguns itens estão tanto no Ente como no seu dispositivo."), + "someOfTheFilesYouAreTryingToDeleteAre": + MessageLookupByLibrary.simpleMessage( + "Alguns dos ficheiros que está a tentar eliminar só estão disponíveis no seu dispositivo e não podem ser recuperados se forem eliminados"), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Alguém compartilhando álbuns com você deve ver o mesmo ID no seu dispositivo."), + "somethingWentWrong": + MessageLookupByLibrary.simpleMessage("Ocorreu um erro"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Algo correu mal. Favor, tentar de novo"), + "sorry": MessageLookupByLibrary.simpleMessage("Desculpe"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "Perdão, mas não podemos fazer backup deste ficheiro agora, tentaremos mais tarde."), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Desculpe, não foi possível adicionar aos favoritos!"), + "sorryCouldNotRemoveFromFavorites": + MessageLookupByLibrary.simpleMessage( + "Desculpe, não foi possível remover dos favoritos!"), + "sorryTheCodeYouveEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "Desculpe, o código inserido está incorreto"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Desculpe, não foi possível gerar chaves seguras neste dispositivo.\n\npor favor iniciar sessão com um dispositivo diferente."), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Perdão, precisamos parar seus backups"), + "sort": MessageLookupByLibrary.simpleMessage("Ordenar"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Ordenar por"), + "sortNewestFirst": + MessageLookupByLibrary.simpleMessage("Mais recentes primeiro"), + "sortOldestFirst": + MessageLookupByLibrary.simpleMessage("Mais antigos primeiro"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Sucesso"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": + MessageLookupByLibrary.simpleMessage("A dar destaque em vos"), + "startAccountRecoveryTitle": + MessageLookupByLibrary.simpleMessage("Começar Recuperação"), + "startBackup": + MessageLookupByLibrary.simpleMessage("Iniciar cópia de segurança"), + "status": MessageLookupByLibrary.simpleMessage("Status"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "Queres parar de fazer transmissão?"), + "stopCastingTitle": + MessageLookupByLibrary.simpleMessage("Parar transmissão"), + "storage": MessageLookupByLibrary.simpleMessage("Armazenamento"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Família"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Tu"), + "storageInGB": m93, + "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( + "Limite de armazenamento excedido"), + "storageUsageInfo": m94, + "streamDetails": + MessageLookupByLibrary.simpleMessage("Detalhes do em direto"), + "strongStrength": MessageLookupByLibrary.simpleMessage("Forte"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Subscrever"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Você precisa de uma assinatura paga ativa para ativar o compartilhamento."), + "subscription": MessageLookupByLibrary.simpleMessage("Subscrição"), + "success": MessageLookupByLibrary.simpleMessage("Sucesso"), + "successfullyArchived": + MessageLookupByLibrary.simpleMessage("Arquivado com sucesso"), + "successfullyHid": + MessageLookupByLibrary.simpleMessage("Ocultado com sucesso"), + "successfullyUnarchived": + MessageLookupByLibrary.simpleMessage("Desarquivado com sucesso"), + "successfullyUnhid": + MessageLookupByLibrary.simpleMessage("Reexibido com sucesso"), + "suggestFeatures": + MessageLookupByLibrary.simpleMessage("Sugerir recursos"), + "sunrise": MessageLookupByLibrary.simpleMessage("No horizonte"), + "support": MessageLookupByLibrary.simpleMessage("Suporte"), + "syncProgress": m97, + "syncStopped": + MessageLookupByLibrary.simpleMessage("Sincronização interrompida"), + "syncing": MessageLookupByLibrary.simpleMessage("Sincronizando..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("Sistema"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("toque para copiar"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage( + "Tocar para introduzir código"), + "tapToUnlock": + MessageLookupByLibrary.simpleMessage("Toque para desbloquear"), + "tapToUpload": + MessageLookupByLibrary.simpleMessage("Clique para enviar"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Parece que algo correu mal. Por favor, tente novamente mais tarde. Se o erro persistir, entre em contacto com a nossa equipa de suporte."), + "terminate": MessageLookupByLibrary.simpleMessage("Desconectar"), + "terminateSession": + MessageLookupByLibrary.simpleMessage("Desconectar?"), + "terms": MessageLookupByLibrary.simpleMessage("Termos"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Termos"), + "thankYou": MessageLookupByLibrary.simpleMessage("Obrigado"), + "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( + "Obrigado pela sua subscrição!"), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "Não foi possível concluir o download."), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "A ligação que está a tentar acessar já expirou."), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Os grupos de pessoa não aparecerão mais na secção de pessoas. As Fotos permanecerão intocadas."), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "As pessoas não aparecerão mais na secção de pessoas. As fotos permanecerão intocadas."), + "theRecoveryKeyYouEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "A chave de recuperação inserida está incorreta"), + "theme": MessageLookupByLibrary.simpleMessage("Tema"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Estes itens serão eliminados do seu dispositivo."), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "Serão eliminados de todos os álbuns."), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Esta ação não pode ser desfeita"), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "Este álbum já tem um link colaborativo"), + "thisCanBeUsedToRecoverYourAccountIfYou": + MessageLookupByLibrary.simpleMessage( + "Isto pode ser usado para recuperar sua conta se você perder seu segundo fator"), + "thisDevice": MessageLookupByLibrary.simpleMessage("Este aparelho"), + "thisEmailIsAlreadyInUse": + MessageLookupByLibrary.simpleMessage("Este email já está em uso"), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Esta imagem não tem dados exif"), + "thisIsMeExclamation": + MessageLookupByLibrary.simpleMessage("Este sou eu!"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Este é o seu ID de verificação"), + "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( + "Esta semana com o avanço dos anos"), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Isto desconectará-vos dos aparelhos a seguir:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Isto desconectará-vos deste aparelho!"), + "thisWillMakeTheDateAndTimeOfAllSelected": + MessageLookupByLibrary.simpleMessage( + "Isto fará a data e hora de todas as fotos o mesmo."), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "Isto removerá links públicos de todos os links rápidos selecionados."), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "Para ativar o bloqueio de aplicações, configure o código de acesso do dispositivo ou o bloqueio de ecrã nas definições do sistema."), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( + "Para ocultar uma foto ou um vídeo"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Para redefinir a palavra-passe, favor, verifique o seu e-mail."), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Logs de hoje"), + "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( + "Muitas tentativas incorretas"), + "total": MessageLookupByLibrary.simpleMessage("total"), + "totalSize": MessageLookupByLibrary.simpleMessage("Tamanho total"), + "trash": MessageLookupByLibrary.simpleMessage("Lixo"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Cortar"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": + MessageLookupByLibrary.simpleMessage("Contactos de Confiança"), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Tente novamente"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Ative o backup para enviar automaticamente arquivos adicionados a esta pasta do dispositivo para o Ente."), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "2 meses grátis em planos anuais"), + "twofactor": MessageLookupByLibrary.simpleMessage("Dois fatores"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "A autenticação de dois fatores foi desativada"), + "twofactorAuthenticationPageTitle": + MessageLookupByLibrary.simpleMessage( + "Autenticação de dois fatores"), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "Autenticação de dois fatores redefinida com êxito"), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Configuração de dois fatores"), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("Desarquivar"), + "unarchiveAlbum": + MessageLookupByLibrary.simpleMessage("Desarquivar álbum"), + "unarchiving": MessageLookupByLibrary.simpleMessage("Desarquivar..."), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Desculpe, este código não está disponível."), + "uncategorized": MessageLookupByLibrary.simpleMessage("Sem categoria"), + "unhide": MessageLookupByLibrary.simpleMessage("Mostrar"), + "unhideToAlbum": + MessageLookupByLibrary.simpleMessage("Mostrar para o álbum"), + "unhiding": MessageLookupByLibrary.simpleMessage("Reexibindo..."), + "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Desocultar ficheiros para o álbum"), + "unlock": MessageLookupByLibrary.simpleMessage("Desbloquear"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("Desafixar álbum"), + "unselectAll": MessageLookupByLibrary.simpleMessage("Desmarcar tudo"), + "update": MessageLookupByLibrary.simpleMessage("Atualizar"), + "updateAvailable": + MessageLookupByLibrary.simpleMessage("Atualização disponível"), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Atualizando seleção de pasta..."), + "upgrade": MessageLookupByLibrary.simpleMessage("Atualizar"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Enviar ficheiros para o álbum..."), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": + MessageLookupByLibrary.simpleMessage("Preservar 1 memória..."), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "Até 50% de desconto, até 4 de dezembro."), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "O armazenamento disponível é limitado pelo seu plano atual. O excesso de armazenamento reivindicado tornará automaticamente útil quando você atualizar seu plano."), + "useAsCover": MessageLookupByLibrary.simpleMessage("Usar como capa"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "A ter problemas reproduzindo este vídeo? Prima aqui para tentar outro reprodutor."), + "usePublicLinksForPeopleNotOnEnte": + MessageLookupByLibrary.simpleMessage( + "Usar links públicos para pessoas que não estão no Ente"), + "useRecoveryKey": + MessageLookupByLibrary.simpleMessage("Usar chave de recuperação"), + "useSelectedPhoto": + MessageLookupByLibrary.simpleMessage("Utilizar foto selecionada"), + "usedSpace": MessageLookupByLibrary.simpleMessage("Espaço utilizado"), + "validTill": m110, + "verificationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Falha na verificação, por favor tente novamente"), + "verificationId": + MessageLookupByLibrary.simpleMessage("ID de Verificação"), + "verify": MessageLookupByLibrary.simpleMessage("Verificar"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("Verificar e-mail"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Verificar"), + "verifyPasskey": + MessageLookupByLibrary.simpleMessage("Verificar chave de acesso"), + "verifyPassword": + MessageLookupByLibrary.simpleMessage("Verificar palavra-passe"), + "verifying": MessageLookupByLibrary.simpleMessage("A verificar…"), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Verificando chave de recuperação..."), + "videoInfo": + MessageLookupByLibrary.simpleMessage("Informação de Vídeo"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("vídeo"), + "videoStreaming": + MessageLookupByLibrary.simpleMessage("Vídeos transmissíveis"), + "videos": MessageLookupByLibrary.simpleMessage("Vídeos"), + "viewActiveSessions": + MessageLookupByLibrary.simpleMessage("Ver sessões ativas"), + "viewAddOnButton": MessageLookupByLibrary.simpleMessage("Ver addons"), + "viewAll": MessageLookupByLibrary.simpleMessage("Ver tudo"), + "viewAllExifData": + MessageLookupByLibrary.simpleMessage("Ver todos os dados EXIF"), + "viewLargeFiles": + MessageLookupByLibrary.simpleMessage("Ficheiros grandes"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Ver os ficheiros que estão a consumir a maior quantidade de armazenamento."), + "viewLogs": MessageLookupByLibrary.simpleMessage("Ver logs"), + "viewPersonToUnlink": m112, + "viewRecoveryKey": + MessageLookupByLibrary.simpleMessage("Ver chave de recuperação"), + "viewer": MessageLookupByLibrary.simpleMessage("Visualizador"), + "viewersSuccessfullyAdded": m113, + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Visite web.ente.io para gerir a sua subscrição"), + "waitingForVerification": + MessageLookupByLibrary.simpleMessage("Aguardando verificação..."), + "waitingForWifi": + MessageLookupByLibrary.simpleMessage("Aguardando Wi-Fi..."), + "warning": MessageLookupByLibrary.simpleMessage("Alerta"), + "weAreOpenSource": + MessageLookupByLibrary.simpleMessage("Nós somos de código aberto!"), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "Não suportamos a edição de fotos e álbuns que ainda não possui"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Fraca"), + "welcomeBack": + MessageLookupByLibrary.simpleMessage("Bem-vindo(a) de volta!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("O que há de novo"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "O contacto de confiança pode ajudar na recuperação dos seus dados."), + "widgets": MessageLookupByLibrary.simpleMessage("Widgets"), + "wishThemAHappyBirthday": m115, + "yearShort": MessageLookupByLibrary.simpleMessage("ano"), + "yearly": MessageLookupByLibrary.simpleMessage("Anual"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Sim"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Sim, cancelar"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "Sim, converter para visualizador"), + "yesDelete": MessageLookupByLibrary.simpleMessage("Sim, apagar"), + "yesDiscardChanges": + MessageLookupByLibrary.simpleMessage("Sim, rejeitar alterações"), + "yesIgnore": MessageLookupByLibrary.simpleMessage("Sim, ignorar"), + "yesLogout": + MessageLookupByLibrary.simpleMessage("Sim, terminar sessão"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Sim, remover"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Sim, Renovar"), + "yesResetPerson": + MessageLookupByLibrary.simpleMessage("Sim, repor pessoa"), + "you": MessageLookupByLibrary.simpleMessage("Tu"), + "youAndThem": m117, + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( + "Você está em um plano familiar!"), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Está a utilizar a versão mais recente"), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Você pode duplicar seu armazenamento no máximo"), + "youCanManageYourLinksInTheShareTab": + MessageLookupByLibrary.simpleMessage( + "Pode gerir as suas ligações no separador partilhar."), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "Pode tentar pesquisar uma consulta diferente."), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "Não é possível fazer o downgrade para este plano"), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Não podes partilhar contigo mesmo"), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "Não tem nenhum item arquivado."), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": + MessageLookupByLibrary.simpleMessage("A sua conta foi eliminada"), + "yourMap": MessageLookupByLibrary.simpleMessage("Seu mapa"), + "yourPlanWasSuccessfullyDowngraded": + MessageLookupByLibrary.simpleMessage( + "O seu plano foi rebaixado com sucesso"), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "O seu plano foi atualizado com sucesso"), + "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( + "Sua compra foi realizada com sucesso"), + "yourStorageDetailsCouldNotBeFetched": + MessageLookupByLibrary.simpleMessage( + "Não foi possível obter os seus dados de armazenamento"), + "yourSubscriptionHasExpired": + MessageLookupByLibrary.simpleMessage("A sua subscrição expirou"), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "A sua subscrição foi actualizada com sucesso"), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "O seu código de verificação expirou"), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "Não tem nenhum ficheiro duplicado que possa ser eliminado"), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "Não existem ficheiros neste álbum que possam ser eliminados"), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( + "Diminuir o zoom para ver fotos") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_ro.dart b/mobile/apps/photos/lib/generated/intl/messages_ro.dart index 6af0004226..60fa76c99c 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_ro.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_ro.dart @@ -42,7 +42,12 @@ class MessageLookup extends MessageLookupByLibrary { "${user} nu va putea să mai adauge fotografii la acest album\n\nVa putea să elimine fotografii existente adăugate de el/ea"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, {'true': 'Familia dvs. a revendicat ${storageAmountInGb} GB până acum', 'false': 'Ați revendicat ${storageAmountInGb} GB până acum', 'other': 'Ați revendicat ${storageAmountInGb} de GB până acum!'})}"; + "${Intl.select(isFamilyMember, { + 'true': + 'Familia dvs. a revendicat ${storageAmountInGb} GB până acum', + 'false': 'Ați revendicat ${storageAmountInGb} GB până acum', + 'other': 'Ați revendicat ${storageAmountInGb} de GB până acum!', + })}"; static String m15(albumName) => "Link colaborativ creat pentru ${albumName}"; @@ -188,11 +193,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, - usedStorageUnit, - totalAmount, - totalStorageUnit, - ) => + usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => "${usedAmount} ${usedStorageUnit} din ${totalAmount} ${totalStorageUnit} utilizat"; static String m95(id) => @@ -238,2250 +239,1793 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Este disponibilă o nouă versiune de Ente.", - ), - "about": MessageLookupByLibrary.simpleMessage("Despre"), - "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( - "Acceptați invitația", - ), - "account": MessageLookupByLibrary.simpleMessage("Cont"), - "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( - "Contul este deja configurat.", - ), - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( - "Bine ați revenit!", - ), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Înțeleg că dacă îmi pierd parola, îmi pot pierde datele, deoarece datele mele sunt criptate integral.", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage("Sesiuni active"), - "add": MessageLookupByLibrary.simpleMessage("Adăugare"), - "addAName": MessageLookupByLibrary.simpleMessage("Adăugați un nume"), - "addANewEmail": MessageLookupByLibrary.simpleMessage( - "Adăugați un e-mail nou", - ), - "addCollaborator": MessageLookupByLibrary.simpleMessage( - "Adăugare colaborator", - ), - "addFiles": MessageLookupByLibrary.simpleMessage("Adăugați fișiere"), - "addFromDevice": MessageLookupByLibrary.simpleMessage( - "Adăugați de pe dispozitiv", - ), - "addLocation": MessageLookupByLibrary.simpleMessage("Adăugare locație"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Adăugare"), - "addMore": MessageLookupByLibrary.simpleMessage("Adăugați mai mulți"), - "addName": MessageLookupByLibrary.simpleMessage("Adăugare nume"), - "addNameOrMerge": MessageLookupByLibrary.simpleMessage( - "Adăugare nume sau îmbinare", - ), - "addNew": MessageLookupByLibrary.simpleMessage("Adăugare nou"), - "addNewPerson": MessageLookupByLibrary.simpleMessage( - "Adăugare persoană nouă", - ), - "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( - "Detaliile suplimentelor", - ), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("Suplimente"), - "addPhotos": MessageLookupByLibrary.simpleMessage("Adăugați fotografii"), - "addSelected": MessageLookupByLibrary.simpleMessage("Adăugați selectate"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("Adăugare la album"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Adăugare la Ente"), - "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Adăugați la album ascuns", - ), - "addTrustedContact": MessageLookupByLibrary.simpleMessage( - "Adăugare contact de încredere", - ), - "addViewer": MessageLookupByLibrary.simpleMessage("Adăugare observator"), - "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( - "Adăugați-vă fotografiile acum", - ), - "addedAs": MessageLookupByLibrary.simpleMessage("Adăugat ca"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": MessageLookupByLibrary.simpleMessage( - "Se adaugă la favorite...", - ), - "advanced": MessageLookupByLibrary.simpleMessage("Avansat"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Avansat"), - "after1Day": MessageLookupByLibrary.simpleMessage("După o zi"), - "after1Hour": MessageLookupByLibrary.simpleMessage("După o oră"), - "after1Month": MessageLookupByLibrary.simpleMessage("După o lună"), - "after1Week": MessageLookupByLibrary.simpleMessage("După o săptămâna"), - "after1Year": MessageLookupByLibrary.simpleMessage("După un an"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Proprietar"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Titlu album"), - "albumUpdated": MessageLookupByLibrary.simpleMessage("Album actualizat"), - "albums": MessageLookupByLibrary.simpleMessage("Albume"), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Totul e curat"), - "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( - "S-au salvat toate amintirile", - ), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "Toate grupările pentru această persoană vor fi resetate și veți pierde toate sugestiile făcute pentru această persoană", - ), - "allow": MessageLookupByLibrary.simpleMessage("Permiteți"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Permiteți persoanelor care au linkul să adauge și fotografii la albumul distribuit.", - ), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( - "Permiteți adăugarea fotografiilor", - ), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "Permiteți aplicației să deschidă link-uri de album partajate", - ), - "allowDownloads": MessageLookupByLibrary.simpleMessage( - "Permiteți descărcările", - ), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Permiteți persoanelor să adauge fotografii", - ), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să permiteți accesul la fotografiile dvs. din Setări, astfel încât Ente să vă poată afișa și salva biblioteca.", - ), - "allowPermTitle": MessageLookupByLibrary.simpleMessage( - "Permiteți accesul la fotografii", - ), - "androidBiometricHint": MessageLookupByLibrary.simpleMessage( - "Verificați-vă identitatea", - ), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "Neidentificat. Încercați din nou.", - ), - "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( - "Biometrice necesare", - ), - "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("Succes"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Anulare"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage( - "Sunt necesare acreditările dispozitivului", - ), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage( - "Sunt necesare acreditările dispozitivului", - ), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Autentificarea biometrică nu este configurată pe dispozitivul dvs. Mergeți la „Setări > Securitate” pentru a adăuga autentificarea biometrică.", - ), - "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( - "Android, iOS, Web, Desktop", - ), - "androidSignInTitle": MessageLookupByLibrary.simpleMessage( - "Autentificare necesară", - ), - "appLock": MessageLookupByLibrary.simpleMessage("Blocare aplicație"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Alegeți între ecranul de blocare implicit al dispozitivului dvs. și un ecran de blocare personalizat cu PIN sau parolă.", - ), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), - "apply": MessageLookupByLibrary.simpleMessage("Aplicare"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Aplicați codul"), - "appstoreSubscription": MessageLookupByLibrary.simpleMessage( - "Abonament AppStore", - ), - "archive": MessageLookupByLibrary.simpleMessage("Arhivă"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("Arhivare album"), - "archiving": MessageLookupByLibrary.simpleMessage("Se arhivează..."), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Sunteți sigur că doriți să părăsiți planul de familie?", - ), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "Sunteți sigur că doriți să anulați?", - ), - "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( - "Sunteți sigur că doriți să vă schimbați planul?", - ), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "Sigur doriți să ieșiți?", - ), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Sunteți sigur că doriți să vă deconectați?", - ), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "Sunteți sigur că doriți să reînnoiți?", - ), - "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( - "Sunteți sigur că doriți să resetaţi această persoană?", - ), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "Abonamentul dvs. a fost anulat. Doriți să ne comunicați motivul?", - ), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Care este principalul motiv pentru care vă ștergeți contul?", - ), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Cereți-le celor dragi să distribuie", - ), - "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( - "la un adăpost antiatomic", - ), - "authToChangeEmailVerificationSetting": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să vă autentificați pentru a schimba verificarea prin e-mail", - ), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să vă autentificați pentru a schimba setarea ecranului de blocare", - ), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să vă autentificați pentru a vă schimba adresa de e-mail", - ), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să vă autentificați pentru a vă schimba parola", - ), - "authToConfigureTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să vă autentificați pentru a configura autentificarea cu doi factori", - ), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să vă autentificați pentru a iniția ștergerea contului", - ), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să vă autentificați pentru a gestiona contactele de încredere", - ), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să vă autentificați pentru a vizualiza cheia de acces", - ), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să vă autentificați pentru a vedea fișierele din coșul de gunoi", - ), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să vă autentificați pentru a vedea sesiunile active", - ), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să vă autentificați pentru a vedea fișierele ascunse", - ), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să vă autentificați pentru a vă vizualiza amintirile", - ), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să vă autentificați pentru a vedea cheia de recuperare", - ), - "authenticating": MessageLookupByLibrary.simpleMessage("Autentificare..."), - "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Autentificare eșuată, încercați din nou", - ), - "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( - "Autentificare cu succes!", - ), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Veți vedea dispozitivele disponibile pentru Cast aici.", - ), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Asigurați-vă că permisiunile de rețea locală sunt activate pentru aplicația Ente Foto, în Setări.", - ), - "autoLock": MessageLookupByLibrary.simpleMessage("Blocare automată"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Timpul după care aplicația se blochează după ce a fost pusă în fundal", - ), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "Din cauza unei probleme tehnice, ați fost deconectat. Ne cerem scuze pentru neplăcerile create.", - ), - "autoPair": MessageLookupByLibrary.simpleMessage("Asociere automată"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "Asocierea automată funcționează numai cu dispozitive care acceptă Chromecast.", - ), - "available": MessageLookupByLibrary.simpleMessage("Disponibil"), - "availableStorageSpace": m10, - "backedUpFolders": MessageLookupByLibrary.simpleMessage("Foldere salvate"), - "backup": MessageLookupByLibrary.simpleMessage("Copie de rezervă"), - "backupFailed": MessageLookupByLibrary.simpleMessage( - "Copie de rezervă eșuată", - ), - "backupFile": MessageLookupByLibrary.simpleMessage("Salvare fișier"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Efectuare copie de rezervă prin date mobile", - ), - "backupSettings": MessageLookupByLibrary.simpleMessage( - "Setări copie de rezervă", - ), - "backupStatus": MessageLookupByLibrary.simpleMessage( - "Stare copie de rezervă", - ), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Articolele care au fost salvate vor apărea aici", - ), - "backupVideos": MessageLookupByLibrary.simpleMessage( - "Copie de rezervă videoclipuri", - ), - "birthday": MessageLookupByLibrary.simpleMessage("Ziua de naștere"), - "blackFridaySale": MessageLookupByLibrary.simpleMessage( - "Ofertă Black Friday", - ), - "blog": MessageLookupByLibrary.simpleMessage("Blog"), - "cachedData": MessageLookupByLibrary.simpleMessage( - "Date salvate în memoria cache", - ), - "calculating": MessageLookupByLibrary.simpleMessage("Se calculează..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Ne pare rău, acest album nu poate fi deschis în aplicație.", - ), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( - "Nu se poate deschide acest album", - ), - "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( - "Nu se poate încărca în albumele deținute de alții", - ), - "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Se pot crea linkuri doar pentru fișiere deținute de dvs.", - ), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Puteți elimina numai fișierele deținute de dvs.", - ), - "cancel": MessageLookupByLibrary.simpleMessage("Anulare"), - "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( - "Anulare recuperare", - ), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "Sunteți sigur că doriți să anulați recuperarea?", - ), - "cancelOtherSubscription": m12, - "cancelSubscription": MessageLookupByLibrary.simpleMessage( - "Anulare abonament", - ), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Nu se pot șterge fișierele distribuite", - ), - "castAlbum": MessageLookupByLibrary.simpleMessage("Difuzați albumul"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să vă asigurați că sunteți în aceeași rețea cu televizorul.", - ), - "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( - "Nu s-a reușit proiectarea albumului", - ), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Accesați cast.ente.io de pe dispozitivul pe care doriți să îl asociați.\n\nIntroduceți codul de mai jos pentru a reda albumul pe TV.", - ), - "centerPoint": MessageLookupByLibrary.simpleMessage("Punctul central"), - "change": MessageLookupByLibrary.simpleMessage("Schimbați"), - "changeEmail": MessageLookupByLibrary.simpleMessage("Schimbați e-mailul"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Schimbați locația articolelor selectate?", - ), - "changePassword": MessageLookupByLibrary.simpleMessage("Schimbare parolă"), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Schimbați parola", - ), - "changePermissions": MessageLookupByLibrary.simpleMessage( - "Schimbați permisiunile?", - ), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Schimbați codul dvs. de recomandare", - ), - "checkForUpdates": MessageLookupByLibrary.simpleMessage( - "Căutați actualizări", - ), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să verificaţi inbox-ul (şi spam) pentru a finaliza verificarea", - ), - "checkStatus": MessageLookupByLibrary.simpleMessage("Verificați starea"), - "checking": MessageLookupByLibrary.simpleMessage("Se verifică..."), - "checkingModels": MessageLookupByLibrary.simpleMessage( - "Se verifică modelele...", - ), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage( - "Revendică spațiul gratuit", - ), - "claimMore": MessageLookupByLibrary.simpleMessage("Revendicați mai multe!"), - "claimed": MessageLookupByLibrary.simpleMessage("Revendicat"), - "claimedStorageSoFar": m14, - "cleanUncategorized": MessageLookupByLibrary.simpleMessage( - "Curățare Necategorisite", - ), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Eliminați toate fișierele din „Fără categorie” care sunt prezente în alte albume", - ), - "clearCaches": MessageLookupByLibrary.simpleMessage( - "Ștergeți memoria cache", - ), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Ștergeți indexul"), - "click": MessageLookupByLibrary.simpleMessage("• Apăsați"), - "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( - "• Apăsați pe meniul suplimentar", - ), - "close": MessageLookupByLibrary.simpleMessage("Închidere"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( - "Grupare după timpul capturării", - ), - "clubByFileName": MessageLookupByLibrary.simpleMessage( - "Grupare după numele fișierului", - ), - "clusteringProgress": MessageLookupByLibrary.simpleMessage( - "Progres grupare", - ), - "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage("Cod aplicat"), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Ne pare rău, ați atins limita de modificări ale codului.", - ), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Cod copiat în clipboard", - ), - "codeUsedByYou": MessageLookupByLibrary.simpleMessage( - "Cod folosit de dvs.", - ), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Creați un link pentru a permite oamenilor să adauge și să vizualizeze fotografii în albumul dvs. distribuit, fără a avea nevoie de o aplicație sau un cont Ente. Excelent pentru colectarea fotografiilor de la evenimente.", - ), - "collaborativeLink": MessageLookupByLibrary.simpleMessage( - "Link colaborativ", - ), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Colaborator"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Colaboratorii pot adăuga fotografii și videoclipuri la albumul distribuit.", - ), - "collageLayout": MessageLookupByLibrary.simpleMessage("Aspect"), - "collageSaved": MessageLookupByLibrary.simpleMessage( - "Colaj salvat în galerie", - ), - "collect": MessageLookupByLibrary.simpleMessage("Colectare"), - "collectEventPhotos": MessageLookupByLibrary.simpleMessage( - "Strângeți imagini de la evenimente", - ), - "collectPhotos": MessageLookupByLibrary.simpleMessage( - "Colectare fotografii", - ), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Creați un link unde prietenii dvs. pot încărca fotografii la calitatea originală.", - ), - "color": MessageLookupByLibrary.simpleMessage("Culoare"), - "configuration": MessageLookupByLibrary.simpleMessage("Configurare"), - "confirm": MessageLookupByLibrary.simpleMessage("Confirmare"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Sigur doriți dezactivarea autentificării cu doi factori?", - ), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Confirmați ștergerea contului", - ), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Da, doresc să șterg definitiv acest cont și toate datele sale din toate aplicațiile.", - ), - "confirmPassword": MessageLookupByLibrary.simpleMessage( - "Confirmare parolă", - ), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage( - "Confirmați schimbarea planului", - ), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Confirmați cheia de recuperare", - ), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Confirmați cheia de recuperare", - ), - "connectToDevice": MessageLookupByLibrary.simpleMessage( - "Conectați-vă la dispozitiv", - ), - "contactFamilyAdmin": m18, - "contactSupport": MessageLookupByLibrary.simpleMessage( - "Contactați serviciul de asistență", - ), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Contacte"), - "contents": MessageLookupByLibrary.simpleMessage("Conținuturi"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Continuare"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "Continuați în perioada de încercare gratuită", - ), - "convertToAlbum": MessageLookupByLibrary.simpleMessage( - "Convertire în album", - ), - "copyEmailAddress": MessageLookupByLibrary.simpleMessage( - "Copiați adresa de e-mail", - ), - "copyLink": MessageLookupByLibrary.simpleMessage("Copere link"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Copiați acest cod\nîn aplicația de autentificare", - ), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "Nu s-a putut face copie de rezervă datelor.\nSe va reîncerca mai târziu.", - ), - "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( - "Nu s-a putut elibera spațiu", - ), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Nu s-a putut actualiza abonamentul", - ), - "count": MessageLookupByLibrary.simpleMessage("Total"), - "crashReporting": MessageLookupByLibrary.simpleMessage( - "Raportarea problemelor", - ), - "create": MessageLookupByLibrary.simpleMessage("Creare"), - "createAccount": MessageLookupByLibrary.simpleMessage("Creare cont"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Apăsați lung pentru a selecta fotografii și apăsați pe + pentru a crea un album", - ), - "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( - "Creați un link colaborativ", - ), - "createCollage": MessageLookupByLibrary.simpleMessage("Creați colaj"), - "createNewAccount": MessageLookupByLibrary.simpleMessage("Creare cont nou"), - "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( - "Creați sau selectați un album", - ), - "createPublicLink": MessageLookupByLibrary.simpleMessage( - "Creare link public", - ), - "creatingLink": MessageLookupByLibrary.simpleMessage("Se crează linkul..."), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "Actualizare critică disponibilă", - ), - "crop": MessageLookupByLibrary.simpleMessage("Decupare"), - "currentUsageIs": MessageLookupByLibrary.simpleMessage( - "Utilizarea actuală este ", - ), - "currentlyRunning": MessageLookupByLibrary.simpleMessage( - "rulează în prezent", - ), - "custom": MessageLookupByLibrary.simpleMessage("Particularizat"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Întunecată"), - "dayToday": MessageLookupByLibrary.simpleMessage("Astăzi"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Ieri"), - "declineTrustInvite": MessageLookupByLibrary.simpleMessage( - "Refuzați invitația", - ), - "decrypting": MessageLookupByLibrary.simpleMessage("Se decriptează..."), - "decryptingVideo": MessageLookupByLibrary.simpleMessage( - "Se decriptează videoclipul...", - ), - "deduplicateFiles": MessageLookupByLibrary.simpleMessage( - "Elim. dubluri fișiere", - ), - "delete": MessageLookupByLibrary.simpleMessage("Ștergere"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Ștergere cont"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Ne pare rău că plecați. Vă rugăm să împărtășiți feedback-ul dvs. pentru a ne ajuta să ne îmbunătățim.", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Ștergeți contul definitiv", - ), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Ştergeţi albumul"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "De asemenea, ștergeți fotografiile (și videoclipurile) prezente în acest album din toate celelalte albume din care fac parte?", - ), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "Urmează să ștergeți toate albumele goale. Este util atunci când doriți să reduceți dezordinea din lista de albume.", - ), - "deleteAll": MessageLookupByLibrary.simpleMessage("Ștergeți tot"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "Acest cont este legat de alte aplicații Ente, dacă utilizați vreuna. Datele dvs. încărcate în toate aplicațiile Ente vor fi programate pentru ștergere, iar contul dvs. va fi șters definitiv.", - ), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să trimiteți un e-mail la account-deletion@ente.io de pe adresa dvs. de e-mail înregistrată.", - ), - "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( - "Ștergeți albumele goale", - ), - "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( - "Ștergeți albumele goale?", - ), - "deleteFromBoth": MessageLookupByLibrary.simpleMessage( - "Ștergeți din ambele", - ), - "deleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Ștergeți de pe dispozitiv", - ), - "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Ștergeți din Ente"), - "deleteItemCount": m21, - "deleteLocation": MessageLookupByLibrary.simpleMessage("Ștergeți locația"), - "deletePhotos": MessageLookupByLibrary.simpleMessage( - "Ștergeți fotografiile", - ), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Lipsește o funcție cheie de care am nevoie", - ), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "Aplicația sau o anumită funcție nu se comportă așa cum cred eu că ar trebui", - ), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Am găsit un alt serviciu care îmi place mai mult", - ), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "Motivul meu nu apare", - ), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Solicitarea dvs. va fi procesată în 72 de ore.", - ), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Ștergeți albumul distribuit?", - ), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "Albumul va fi șters pentru toată lumea\n\nVeți pierde accesul la fotografiile distribuite din acest album care sunt deținute de alții", - ), - "deselectAll": MessageLookupByLibrary.simpleMessage("Deselectare totală"), - "designedToOutlive": MessageLookupByLibrary.simpleMessage( - "Conceput pentru a supraviețui", - ), - "details": MessageLookupByLibrary.simpleMessage("Detalii"), - "developerSettings": MessageLookupByLibrary.simpleMessage( - "Setări dezvoltator", - ), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Sunteți sigur că doriți să modificați setările pentru dezvoltatori?", - ), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Introduceți codul"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "Fișierele adăugate la acest album de pe dispozitiv vor fi încărcate automat pe Ente.", - ), - "deviceLock": MessageLookupByLibrary.simpleMessage("Blocare dispozitiv"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Dezactivați blocarea ecranului dispozitivului atunci când Ente este în prim-plan și există o copie de rezervă în curs de desfășurare. În mod normal, acest lucru nu este necesar, dar poate ajuta la finalizarea mai rapidă a încărcărilor mari și a importurilor inițiale de biblioteci mari.", - ), - "deviceNotFound": MessageLookupByLibrary.simpleMessage( - "Dispozitivul nu a fost găsit", - ), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Știați că?"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage( - "Dezactivare blocare automată", - ), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Observatorii pot să facă capturi de ecran sau să salveze o copie a fotografiilor dvs. folosind instrumente externe", - ), - "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( - "Rețineți", - ), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "Dezactivați al doilea factor", - ), - "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( - "Se dezactivează autentificarea cu doi factori...", - ), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Descoperire"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Bebeluși"), - "discover_celebrations": MessageLookupByLibrary.simpleMessage("Celebrări"), - "discover_food": MessageLookupByLibrary.simpleMessage("Mâncare"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Verdeață"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Dealuri"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Identitate"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Meme-uri"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Notițe"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Animale"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Bonuri"), - "discover_screenshots": MessageLookupByLibrary.simpleMessage( - "Capturi de ecran", - ), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfie-uri"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Apusuri"), - "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( - "Carte de vizită", - ), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage( - "Imagini de fundal", - ), - "dismiss": MessageLookupByLibrary.simpleMessage("Renunțați"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage("Nu deconectați"), - "doThisLater": MessageLookupByLibrary.simpleMessage("Mai târziu"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Doriți să renunțați la editările efectuate?", - ), - "done": MessageLookupByLibrary.simpleMessage("Finalizat"), - "doubleYourStorage": MessageLookupByLibrary.simpleMessage( - "Dublați-vă spațiul", - ), - "download": MessageLookupByLibrary.simpleMessage("Descărcare"), - "downloadFailed": MessageLookupByLibrary.simpleMessage( - "Descărcarea nu a reușit", - ), - "downloading": MessageLookupByLibrary.simpleMessage("Se descarcă..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Editare"), - "editLocation": MessageLookupByLibrary.simpleMessage("Editare locaţie"), - "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( - "Editare locaţie", - ), - "editPerson": MessageLookupByLibrary.simpleMessage("Editați persoana"), - "editsSaved": MessageLookupByLibrary.simpleMessage("Editări salvate"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Editările locației vor fi vizibile doar pe Ente", - ), - "eligible": MessageLookupByLibrary.simpleMessage("eligibil"), - "email": MessageLookupByLibrary.simpleMessage("E-mail"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "E-mail deja înregistrat.", - ), - "emailChangedTo": m29, - "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "E-mailul nu este înregistrat.", - ), - "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( - "Verificarea adresei de e-mail", - ), - "emailYourLogs": MessageLookupByLibrary.simpleMessage( - "Trimiteți jurnalele prin e-mail", - ), - "emergencyContacts": MessageLookupByLibrary.simpleMessage( - "Contacte de urgență", - ), - "empty": MessageLookupByLibrary.simpleMessage("Gol"), - "emptyTrash": MessageLookupByLibrary.simpleMessage( - "Goliți coșul de gunoi?", - ), - "enable": MessageLookupByLibrary.simpleMessage("Activare"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "Ente acceptă învățarea automată pe dispozitiv pentru recunoaștere facială, căutarea magică și alte funcții avansate de căutare", - ), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Activați învățarea automată pentru a folosi căutarea magică și recunoașterea facială", - ), - "enableMaps": MessageLookupByLibrary.simpleMessage("Activare hărți"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "Se va afișa fotografiile dvs. pe o hartă a lumii.\n\nAceastă hartă este găzduită de Open Street Map, iar locațiile exacte ale fotografiilor dvs. nu sunt niciodată partajate.\n\nPuteți dezactiva această funcție oricând din Setări.", - ), - "enabled": MessageLookupByLibrary.simpleMessage("Activat"), - "encryptingBackup": MessageLookupByLibrary.simpleMessage( - "Criptare copie de rezervă...", - ), - "encryption": MessageLookupByLibrary.simpleMessage("Criptarea"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage("Chei de criptare"), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Endpoint actualizat cu succes", - ), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Criptare integrală implicită", - ), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente poate cripta și păstra fișiere numai dacă acordați accesul la acestea", - ), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente are nevoie de permisiune pentru a vă păstra fotografiile", - ), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "Ente vă păstrează amintirile, astfel încât acestea să vă fie întotdeauna disponibile, chiar dacă vă pierdeți dispozitivul.", - ), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "La planul dvs. vi se poate alătura și familia.", - ), - "enterAlbumName": MessageLookupByLibrary.simpleMessage( - "Introduceți numele albumului", - ), - "enterCode": MessageLookupByLibrary.simpleMessage("Introduceți codul"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Introduceți codul oferit de prietenul dvs. pentru a beneficia de spațiu gratuit pentru amândoi", - ), - "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( - "Ziua de naștere (opțional)", - ), - "enterEmail": MessageLookupByLibrary.simpleMessage("Introduceți e-mailul"), - "enterFileName": MessageLookupByLibrary.simpleMessage( - "Introduceți numele fișierului", - ), - "enterName": MessageLookupByLibrary.simpleMessage("Introduceți numele"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Introduceți o parolă nouă pe care o putem folosi pentru a cripta datele", - ), - "enterPassword": MessageLookupByLibrary.simpleMessage("Introduceți parola"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Introduceți o parolă pe care o putem folosi pentru a decripta datele", - ), - "enterPersonName": MessageLookupByLibrary.simpleMessage( - "Introduceți numele persoanei", - ), - "enterPin": MessageLookupByLibrary.simpleMessage("Introduceţi codul PIN"), - "enterReferralCode": MessageLookupByLibrary.simpleMessage( - "Introduceţi codul de recomandare", - ), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Introduceți codul de 6 cifre\ndin aplicația de autentificare", - ), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să introduceți o adresă de e-mail validă.", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Introduceți adresa de e-mail", - ), - "enterYourPassword": MessageLookupByLibrary.simpleMessage( - "Introduceţi parola", - ), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Introduceți cheia de recuperare", - ), - "error": MessageLookupByLibrary.simpleMessage("Eroare"), - "everywhere": MessageLookupByLibrary.simpleMessage("pretutindeni"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": MessageLookupByLibrary.simpleMessage("Utilizator existent"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Acest link a expirat. Vă rugăm să selectați un nou termen de expirare sau să dezactivați expirarea linkului.", - ), - "exportLogs": MessageLookupByLibrary.simpleMessage("Exportați jurnalele"), - "exportYourData": MessageLookupByLibrary.simpleMessage("Export de date"), - "extraPhotosFound": MessageLookupByLibrary.simpleMessage( - "S-au găsit fotografii extra", - ), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Fața nu este încă grupată, vă rugăm să reveniți mai târziu", - ), - "faceRecognition": MessageLookupByLibrary.simpleMessage( - "Recunoaștere facială", - ), - "faces": MessageLookupByLibrary.simpleMessage("Fețe"), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage( - "Codul nu a putut fi aplicat", - ), - "failedToCancel": MessageLookupByLibrary.simpleMessage( - "Nu s-a reușit anularea", - ), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( - "Descărcarea videoclipului nu a reușit", - ), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Nu s-a reușit preluarea sesiunilor active", - ), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Nu s-a reușit preluarea originalului pentru editare", - ), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Nu se pot obține detaliile recomandării. Vă rugăm să încercați din nou mai târziu.", - ), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "Încărcarea albumelor nu a reușit", - ), - "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Eroare la redarea videoclipului", - ), - "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( - "Nu s-a reușit reîmprospătarea abonamentului", - ), - "failedToRenew": MessageLookupByLibrary.simpleMessage( - "Nu s-a reușit reînnoirea", - ), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Verificarea stării plății nu a reușit", - ), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Adăugați 5 membri ai familiei la planul dvs. existent fără a plăti suplimentar.\n\nFiecare membru primește propriul spațiu privat și nu poate vedea fișierele celuilalt decât dacă acestea sunt partajate.\n\nPlanurile de familie sunt disponibile pentru clienții care au un abonament Ente plătit.\n\nAbonați-vă acum pentru a începe!", - ), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Familie"), - "familyPlans": MessageLookupByLibrary.simpleMessage("Planuri de familie"), - "faq": MessageLookupByLibrary.simpleMessage("Întrebări frecvente"), - "faqs": MessageLookupByLibrary.simpleMessage("Întrebări frecvente"), - "favorite": MessageLookupByLibrary.simpleMessage("Favorit"), - "feedback": MessageLookupByLibrary.simpleMessage("Feedback"), - "file": MessageLookupByLibrary.simpleMessage("Fișier"), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Salvarea fișierului în galerie nu a reușit", - ), - "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( - "Adăugați o descriere...", - ), - "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( - "Fișierul nu a fost încărcat încă", - ), - "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Fișier salvat în galerie", - ), - "fileTypes": MessageLookupByLibrary.simpleMessage("Tipuri de fișiere"), - "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( - "Tipuri de fișiere și denumiri", - ), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage("Fișiere șterse"), - "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Fișiere salvate în galerie", - ), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Găsiți rapid persoane după nume", - ), - "findThemQuickly": MessageLookupByLibrary.simpleMessage("Găsiți rapid"), - "flip": MessageLookupByLibrary.simpleMessage("Răsturnare"), - "forYourMemories": MessageLookupByLibrary.simpleMessage( - "pentru amintirile dvs.", - ), - "forgotPassword": MessageLookupByLibrary.simpleMessage("Am uitat parola"), - "foundFaces": MessageLookupByLibrary.simpleMessage("S-au găsit fețe"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( - "Spațiu gratuit revendicat", - ), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Spațiu gratuit utilizabil", - ), - "freeTrial": MessageLookupByLibrary.simpleMessage( - "Perioadă de încercare gratuită", - ), - "freeTrialValidTill": m38, - "freeUpAmount": m40, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( - "Eliberați spațiu pe dispozitiv", - ), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Economisiți spațiu pe dispozitivul dvs. prin ștergerea fișierelor cărora li s-a făcut copie de rezervă.", - ), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("Eliberați spațiu"), - "gallery": MessageLookupByLibrary.simpleMessage("Galerie"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "Până la 1000 de amintiri afișate în galerie", - ), - "general": MessageLookupByLibrary.simpleMessage("General"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Se generează cheile de criptare...", - ), - "genericProgress": m42, - "goToSettings": MessageLookupByLibrary.simpleMessage("Mergeți la setări"), - "googlePlayId": MessageLookupByLibrary.simpleMessage("ID Google Play"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să permiteți accesul la toate fotografiile în aplicația Setări", - ), - "grantPermission": MessageLookupByLibrary.simpleMessage( - "Acordați permisiunea", - ), - "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( - "Grupare fotografii apropiate", - ), - "guestView": MessageLookupByLibrary.simpleMessage("Mod oaspete"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "Pentru a activa modul oaspete, vă rugăm să configurați codul de acces al dispozitivului sau blocarea ecranului în setările sistemului.", - ), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "Nu urmărim instalările aplicației. Ne-ar ajuta dacă ne-ați spune unde ne-ați găsit!", - ), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Cum ați auzit de Ente? (opțional)", - ), - "help": MessageLookupByLibrary.simpleMessage("Asistență"), - "hidden": MessageLookupByLibrary.simpleMessage("Ascunse"), - "hide": MessageLookupByLibrary.simpleMessage("Ascundere"), - "hideContent": MessageLookupByLibrary.simpleMessage("Ascundeți conținutul"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Ascunde conținutul aplicației în comutatorul de aplicații și dezactivează capturile de ecran", - ), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Ascunde conținutul aplicației în comutatorul de aplicații", - ), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "Ascundeți elementele distribuite din galeria principală", - ), - "hiding": MessageLookupByLibrary.simpleMessage("Se ascunde..."), - "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( - "Găzduit la OSM Franţa", - ), - "howItWorks": MessageLookupByLibrary.simpleMessage("Cum funcţionează"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Rugați-i să țină apăsat pe adresa de e-mail din ecranul de setări și să verifice dacă ID-urile de pe ambele dispozitive se potrivesc.", - ), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Autentificarea biometrică nu este configurată pe dispozitivul dvs. Vă rugăm să activați Touch ID sau Face ID pe telefonul dvs.", - ), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "Autentificarea biometrică este dezactivată. Vă rugăm să blocați și să deblocați ecranul pentru a o activa.", - ), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorare"), - "ignored": MessageLookupByLibrary.simpleMessage("ignorat"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Unele fișiere din acest album sunt excluse de la încărcare deoarece au fost șterse anterior din Ente.", - ), - "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( - "Imaginea nu a fost analizată", - ), - "immediately": MessageLookupByLibrary.simpleMessage("Imediat"), - "importing": MessageLookupByLibrary.simpleMessage("Se importă...."), - "incorrectCode": MessageLookupByLibrary.simpleMessage("Cod incorect"), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Parolă incorectă", - ), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Cheie de recuperare incorectă", - ), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "Cheia de recuperare introdusă este incorectă", - ), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Cheie de recuperare incorectă", - ), - "indexedItems": MessageLookupByLibrary.simpleMessage("Elemente indexate"), - "info": MessageLookupByLibrary.simpleMessage("Informații"), - "insecureDevice": MessageLookupByLibrary.simpleMessage( - "Dispozitiv nesigur", - ), - "installManually": MessageLookupByLibrary.simpleMessage( - "Instalare manuală", - ), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "Adresa e-mail nu este validă", - ), - "invalidEndpoint": MessageLookupByLibrary.simpleMessage("Endpoint invalid"), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Ne pare rău, endpoint-ul introdus nu este valabil. Vă rugăm să introduceți un endpoint valid și să încercați din nou.", - ), - "invalidKey": MessageLookupByLibrary.simpleMessage("Cheie invalidă"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Cheia de recuperare pe care ați introdus-o nu este validă. Vă rugăm să vă asigurați că aceasta conține 24 de cuvinte și să verificați ortografia fiecăruia.\n\nDacă ați introdus un cod de recuperare mai vechi, asigurați-vă că acesta conține 64 de caractere și verificați fiecare dintre ele.", - ), - "invite": MessageLookupByLibrary.simpleMessage("Invitați"), - "inviteToEnte": MessageLookupByLibrary.simpleMessage("Invitați la Ente"), - "inviteYourFriends": MessageLookupByLibrary.simpleMessage( - "Invitați-vă prietenii", - ), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "Invitați-vă prietenii la Ente", - ), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Se pare că ceva nu a mers bine. Vă rugăm să încercați din nou după ceva timp. Dacă eroarea persistă, vă rugăm să contactați echipa noastră de asistență.", - ), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "Articolele afișează numărul de zile rămase până la ștergerea definitivă", - ), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Articolele selectate vor fi eliminate din acest album", - ), - "join": MessageLookupByLibrary.simpleMessage("Alăturare"), - "joinAlbum": MessageLookupByLibrary.simpleMessage("Alăturați-vă albumului"), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( - "pentru a vedea și a adăuga fotografii", - ), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "pentru a adăuga la albumele distribuite", - ), - "joinDiscord": MessageLookupByLibrary.simpleMessage( - "Alăturați-vă pe Discord", - ), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Păstrați fotografiile"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să ne ajutați cu aceste informații", - ), - "language": MessageLookupByLibrary.simpleMessage("Limbă"), - "lastUpdated": MessageLookupByLibrary.simpleMessage("Ultima actualizare"), - "leave": MessageLookupByLibrary.simpleMessage("Părăsiți"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Părăsiți albumul"), - "leaveFamily": MessageLookupByLibrary.simpleMessage("Părăsiți familia"), - "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Părăsiți albumul distribuit?", - ), - "left": MessageLookupByLibrary.simpleMessage("Stânga"), - "legacy": MessageLookupByLibrary.simpleMessage("Moștenire"), - "legacyAccounts": MessageLookupByLibrary.simpleMessage( - "Conturi de moștenire", - ), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "Moștenirea permite contactelor de încredere să vă acceseze contul în absența dvs.", - ), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "Persoanele de contact de încredere pot iniția recuperarea contului și, dacă nu este blocată în termen de 30 de zile, vă pot reseta parola și accesa contul.", - ), - "light": MessageLookupByLibrary.simpleMessage("Lumină"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Luminoasă"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Linkul a fost copiat în clipboard", - ), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage( - "Limită de dispozitive", - ), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Activat"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Expirat"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Expirarea linkului"), - "linkHasExpired": MessageLookupByLibrary.simpleMessage("Linkul a expirat"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Niciodată"), - "livePhotos": MessageLookupByLibrary.simpleMessage("Fotografii live"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "Puteți împărți abonamentul cu familia dvs.", - ), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "Păstrăm 3 copii ale datelor dvs., dintre care una într-un adăpost antiatomic subteran", - ), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "Toate aplicațiile noastre sunt open source", - ), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Codul nostru sursă și criptografia au fost evaluate extern", - ), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "Puteți distribui linkuri către albumele dvs. celor dragi", - ), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Aplicațiile noastre mobile rulează în fundal pentru a cripta și salva orice fotografie nouă pe care o realizați", - ), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io are un instrument de încărcare sofisticat", - ), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Folosim Xchacha20Poly1305 pentru a vă cripta datele în siguranță", - ), - "loadingExifData": MessageLookupByLibrary.simpleMessage( - "Se încarcă date EXIF...", - ), - "loadingGallery": MessageLookupByLibrary.simpleMessage( - "Se încarcă galeria...", - ), - "loadingMessage": MessageLookupByLibrary.simpleMessage( - "Se încarcă fotografiile...", - ), - "loadingModel": MessageLookupByLibrary.simpleMessage( - "Se descarcă modelele...", - ), - "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( - "Se încarcă fotografiile dvs...", - ), - "localGallery": MessageLookupByLibrary.simpleMessage("Galerie locală"), - "localIndexing": MessageLookupByLibrary.simpleMessage("Indexare locală"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Se pare că ceva nu a mers bine, deoarece sincronizarea fotografiilor locale durează mai mult decât ne așteptam. Vă rugăm să contactați echipa noastră de asistență", - ), - "location": MessageLookupByLibrary.simpleMessage("Locație"), - "locationName": MessageLookupByLibrary.simpleMessage("Numele locației"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "O etichetă de locație grupează toate fotografiile care au fost făcute pe o anumită rază a unei fotografii", - ), - "locations": MessageLookupByLibrary.simpleMessage("Locații"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Blocat"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Ecran de blocare"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Conectare"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Se deconectează..."), - "loginSessionExpired": MessageLookupByLibrary.simpleMessage( - "Sesiune expirată", - ), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "Sesiunea a expirat. Vă rugăm să vă autentificați din nou.", - ), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Apăsând pe „Conectare”, sunteți de acord cu termenii de prestare ai serviciului și politica de confidenţialitate", - ), - "loginWithTOTP": MessageLookupByLibrary.simpleMessage( - "Autentificare cu parolă unică (TOTP)", - ), - "logout": MessageLookupByLibrary.simpleMessage("Deconectare"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Aceasta va trimite jurnalele pentru a ne ajuta să depistăm problema. Vă rugăm să rețineți că numele fișierelor vor fi incluse pentru a ne ajuta să urmărim problemele cu anumite fișiere.", - ), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Apăsați lung un e-mail pentru a verifica criptarea integrală.", - ), - "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( - "Apăsați lung pe un articol pentru a-l vizualiza pe tot ecranul", - ), - "loopVideoOff": MessageLookupByLibrary.simpleMessage( - "Repetare video dezactivată", - ), - "loopVideoOn": MessageLookupByLibrary.simpleMessage( - "Repetare video activată", - ), - "lostDevice": MessageLookupByLibrary.simpleMessage("Dispozitiv pierdut?"), - "machineLearning": MessageLookupByLibrary.simpleMessage( - "Învățare automată", - ), - "magicSearch": MessageLookupByLibrary.simpleMessage("Căutare magică"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "Căutarea magică permite căutarea fotografiilor după conținutul lor, de exemplu, „floare”, „mașină roșie”, „documente de identitate”", - ), - "manage": MessageLookupByLibrary.simpleMessage("Gestionare"), - "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( - "Gestionați memoria cache a dispozitivului", - ), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Revizuiți și ștergeți spațiul din memoria cache locală.", - ), - "manageFamily": MessageLookupByLibrary.simpleMessage( - "Administrați familia", - ), - "manageLink": MessageLookupByLibrary.simpleMessage("Gestionați linkul"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Gestionare"), - "manageSubscription": MessageLookupByLibrary.simpleMessage( - "Gestionare abonament", - ), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "Asocierea cu PIN funcționează cu orice ecran pe care doriți să vizualizați albumul.", - ), - "map": MessageLookupByLibrary.simpleMessage("Hartă"), - "maps": MessageLookupByLibrary.simpleMessage("Hărţi"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "merchandise": MessageLookupByLibrary.simpleMessage("Produse"), - "mergeWithExisting": MessageLookupByLibrary.simpleMessage( - "Îmbinare cu unul existent", - ), - "mergedPhotos": MessageLookupByLibrary.simpleMessage( - "Fotografii combinate", - ), - "mlConsent": MessageLookupByLibrary.simpleMessage( - "Activați învățarea automată", - ), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Înțeleg și doresc să activez învățarea automată", - ), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Dacă activați învățarea automată, Ente va extrage informații precum geometria fețelor din fișiere, inclusiv din cele distribuite cu dvs.\n\nAcest lucru se va întâmpla pe dispozitivul dvs., iar orice informații biometrice generate vor fi criptate integral.", - ), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să faceți clic aici pentru mai multe detalii despre această funcție în politica de confidențialitate", - ), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "Activați învățarea automată?", - ), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să rețineți că învățarea automată va duce la o utilizare mai mare a lățimii de bandă și a bateriei până când toate elementele sunt indexate. Luați în considerare utilizarea aplicației desktop pentru o indexare mai rapidă, toate rezultatele vor fi sincronizate automat.", - ), - "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( - "Mobil, Web, Desktop", - ), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Moderată"), - "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( - "Modificați interogarea sau încercați să căutați", - ), - "moments": MessageLookupByLibrary.simpleMessage("Momente"), - "month": MessageLookupByLibrary.simpleMessage("lună"), - "monthly": MessageLookupByLibrary.simpleMessage("Lunar"), - "moreDetails": MessageLookupByLibrary.simpleMessage("Mai multe detalii"), - "mostRecent": MessageLookupByLibrary.simpleMessage("Cele mai recente"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("Cele mai relevante"), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("Mutare în album"), - "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Mutați în albumul ascuns", - ), - "movedSuccessfullyTo": m52, - "movedToTrash": MessageLookupByLibrary.simpleMessage( - "S-a mutat în coșul de gunoi", - ), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Se mută fișierele în album...", - ), - "name": MessageLookupByLibrary.simpleMessage("Nume"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Denumiți albumul"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Nu se poate conecta la Ente, vă rugăm să reîncercați după un timp. Dacă eroarea persistă, contactați asistența.", - ), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Nu se poate conecta la Ente, vă rugăm să verificați setările de rețea și să contactați asistenta dacă eroarea persistă.", - ), - "never": MessageLookupByLibrary.simpleMessage("Niciodată"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Album nou"), - "newLocation": MessageLookupByLibrary.simpleMessage("Locație nouă"), - "newPerson": MessageLookupByLibrary.simpleMessage("Persoană nouă"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Nou la Ente"), - "newest": MessageLookupByLibrary.simpleMessage("Cele mai noi"), - "next": MessageLookupByLibrary.simpleMessage("Înainte"), - "no": MessageLookupByLibrary.simpleMessage("Nu"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Niciun album nu a fost distribuit de dvs. încă", - ), - "noDeviceFound": MessageLookupByLibrary.simpleMessage( - "Niciun dispozitiv găsit", - ), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Niciuna"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "Nu aveți fișiere pe acest dispozitiv care pot fi șterse", - ), - "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Fără dubluri"), - "noExifData": MessageLookupByLibrary.simpleMessage("Nu există date EXIF"), - "noFacesFound": MessageLookupByLibrary.simpleMessage( - "Nu au fost găsite fețe", - ), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "Fără poze sau videoclipuri ascunse", - ), - "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( - "Nicio imagine cu locație", - ), - "noInternetConnection": MessageLookupByLibrary.simpleMessage( - "Nu există conexiune la internet", - ), - "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( - "Nicio fotografie nu este salvată în acest moment", - ), - "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( - "Nu s-au găsit fotografii aici", - ), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( - "Nu au fost găsite linkuri rapide", - ), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Nu aveți cheia de recuperare?", - ), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Datorită naturii protocolului nostru de criptare integrală, datele dvs. nu pot fi decriptate fără parola sau cheia dvs. de recuperare", - ), - "noResults": MessageLookupByLibrary.simpleMessage("Niciun rezultat"), - "noResultsFound": MessageLookupByLibrary.simpleMessage( - "Nu s-au găsit rezultate", - ), - "noSuggestionsForPerson": m53, - "noSystemLockFound": MessageLookupByLibrary.simpleMessage( - "Nu s-a găsit nicio blocare de sistem", - ), - "notPersonLabel": m54, - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "Nimic distribuit cu dvs. încă", - ), - "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( - "Nimic de văzut aici! 👀", - ), - "notifications": MessageLookupByLibrary.simpleMessage("Notificări"), - "ok": MessageLookupByLibrary.simpleMessage("Ok"), - "onDevice": MessageLookupByLibrary.simpleMessage("Pe dispozitiv"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "Pe ente", - ), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Numai el/ea"), - "oops": MessageLookupByLibrary.simpleMessage("Ups"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Hopa, nu s-au putut salva editările", - ), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Hopa, ceva nu a mers bine", - ), - "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( - "Deschideți albumul în browser", - ), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să utilizați aplicația web pentru a adăuga fotografii la acest album", - ), - "openFile": MessageLookupByLibrary.simpleMessage("Deschidere fișier"), - "openSettings": MessageLookupByLibrary.simpleMessage("Deschideți Setări"), - "openTheItem": MessageLookupByLibrary.simpleMessage( - "• Deschideți articolul", - ), - "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( - "Contribuitori OpenStreetMap", - ), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Opțional, cât de scurt doriți...", - ), - "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( - "Sau îmbinați cu cele existente", - ), - "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( - "Sau alegeți unul existent", - ), - "pair": MessageLookupByLibrary.simpleMessage("Asociere"), - "pairWithPin": MessageLookupByLibrary.simpleMessage("Asociere cu PIN"), - "pairingComplete": MessageLookupByLibrary.simpleMessage("Asociere reușită"), - "panorama": MessageLookupByLibrary.simpleMessage("Panoramă"), - "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( - "Verificarea este încă în așteptare", - ), - "passkey": MessageLookupByLibrary.simpleMessage("Cheie de acces"), - "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( - "Verificare cheie de acces", - ), - "password": MessageLookupByLibrary.simpleMessage("Parolă"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Parola a fost schimbată cu succes", - ), - "passwordLock": MessageLookupByLibrary.simpleMessage("Blocare cu parolă"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "Puterea parolei este calculată luând în considerare lungimea parolei, caracterele utilizate și dacă parola apare sau nu în top 10.000 cele mai utilizate parole", - ), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Nu reținem această parolă, deci dacă o uitați nu vă putem decripta datele", - ), - "paymentDetails": MessageLookupByLibrary.simpleMessage("Detalii de plată"), - "paymentFailed": MessageLookupByLibrary.simpleMessage("Plata nu a reușit"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "Din păcate, plata dvs. nu a reușit. Vă rugăm să contactați asistență și vom fi bucuroși să vă ajutăm!", - ), - "paymentFailedTalkToProvider": m58, - "pendingItems": MessageLookupByLibrary.simpleMessage( - "Elemente în așteptare", - ), - "pendingSync": MessageLookupByLibrary.simpleMessage( - "Sincronizare în așteptare", - ), - "people": MessageLookupByLibrary.simpleMessage("Persoane"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Persoane care folosesc codul dvs.", - ), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Toate articolele din coșul de gunoi vor fi șterse definitiv\n\nAceastă acțiune nu poate fi anulată", - ), - "permanentlyDelete": MessageLookupByLibrary.simpleMessage( - "Ștergere definitivă", - ), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Ștergeți permanent de pe dispozitiv?", - ), - "personName": MessageLookupByLibrary.simpleMessage("Numele persoanei"), - "photoDescriptions": MessageLookupByLibrary.simpleMessage( - "Descrieri fotografie", - ), - "photoGridSize": MessageLookupByLibrary.simpleMessage( - "Dimensiunea grilei foto", - ), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("fotografie"), - "photos": MessageLookupByLibrary.simpleMessage("Fotografii"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "Fotografiile adăugate de dvs. vor fi eliminate din album", - ), - "pickCenterPoint": MessageLookupByLibrary.simpleMessage( - "Alegeți punctul central", - ), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Fixați albumul"), - "pinLock": MessageLookupByLibrary.simpleMessage("Blocare PIN"), - "playOnTv": MessageLookupByLibrary.simpleMessage("Redare album pe TV"), - "playStoreFreeTrialValidTill": m63, - "playstoreSubscription": MessageLookupByLibrary.simpleMessage( - "Abonament PlayStore", - ), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Vă rugăm să verificați conexiunea la internet și să încercați din nou.", - ), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Vă rugăm să contactați support@ente.io și vom fi bucuroși să vă ajutăm!", - ), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Vă rugăm să contactați asistența dacă problema persistă", - ), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să acordați permisiuni", - ), - "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( - "Vă rugăm, autentificați-vă din nou", - ), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să selectați linkurile rapide de eliminat", - ), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să încercați din nou", - ), - "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să verificați codul introdus", - ), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Vă rugăm așteptați..."), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Vă rugăm așteptați, se șterge albumul", - ), - "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să așteptați un moment înainte să reîncercați", - ), - "preparingLogs": MessageLookupByLibrary.simpleMessage( - "Se pregătesc jurnalele...", - ), - "preserveMore": MessageLookupByLibrary.simpleMessage("Păstrați mai multe"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Apăsați lung pentru a reda videoclipul", - ), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Apăsați lung pe imagine pentru a reda videoclipul", - ), - "privacy": MessageLookupByLibrary.simpleMessage("Confidențialitate"), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( - "Politică de confidențialitate", - ), - "privateBackups": MessageLookupByLibrary.simpleMessage( - "Copii de rezervă private", - ), - "privateSharing": MessageLookupByLibrary.simpleMessage( - "Distribuire privată", - ), - "proceed": MessageLookupByLibrary.simpleMessage("Continuați"), - "processed": MessageLookupByLibrary.simpleMessage("Procesate"), - "processingImport": m67, - "publicLinkCreated": MessageLookupByLibrary.simpleMessage( - "Link public creat", - ), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( - "Link public activat", - ), - "quickLinks": MessageLookupByLibrary.simpleMessage("Link-uri rapide"), - "radius": MessageLookupByLibrary.simpleMessage("Rază"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Solicitați asistență"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("Evaluați aplicația"), - "rateUs": MessageLookupByLibrary.simpleMessage("Evaluați-ne"), - "rateUsOnStore": m68, - "recover": MessageLookupByLibrary.simpleMessage("Recuperare"), - "recoverAccount": MessageLookupByLibrary.simpleMessage("Recuperare cont"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Recuperare"), - "recoveryAccount": MessageLookupByLibrary.simpleMessage("Recuperare cont"), - "recoveryInitiated": MessageLookupByLibrary.simpleMessage( - "Recuperare inițiată", - ), - "recoveryInitiatedDesc": m70, - "recoveryKey": MessageLookupByLibrary.simpleMessage("Cheie de recuperare"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Cheie de recuperare copiată în clipboard", - ), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Dacă vă uitați parola, singura cale de a vă recupera datele este folosind această cheie.", - ), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Nu reținem această cheie, vă rugăm să păstrați această cheie de 24 de cuvinte într-un loc sigur.", - ), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Super! Cheia dvs. de recuperare este validă. Vă mulțumim pentru verificare.\n\nVă rugăm să nu uitați să păstrați cheia de recuperare în siguranță.", - ), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Cheie de recuperare verificată", - ), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Cheia dvs. de recuperare este singura modalitate de a vă recupera fotografiile dacă uitați parola. Puteți găsi cheia dvs. de recuperare în Setări > Cont.\n\nVă rugăm să introduceți aici cheia de recuperare pentru a verifica dacă ați salvat-o corect.", - ), - "recoveryReady": m71, - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "Recuperare reușită!", - ), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "Un contact de încredere încearcă să vă acceseze contul", - ), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "Dispozitivul actual nu este suficient de puternic pentru a vă verifica parola, dar o putem regenera într-un mod care să funcționeze cu toate dispozitivele.\n\nVă rugăm să vă conectați utilizând cheia de recuperare și să vă regenerați parola (dacă doriți, o puteți utiliza din nou pe aceeași).", - ), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Refaceți parola", - ), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": MessageLookupByLibrary.simpleMessage( - "Reintroduceți parola", - ), - "reenterPin": MessageLookupByLibrary.simpleMessage( - "Reintroduceți codul PIN", - ), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Recomandați un prieten și dublați-vă planul", - ), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Dați acest cod prietenilor", - ), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Aceștia se înscriu la un plan cu plată", - ), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Recomandări"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "Recomandările sunt momentan întrerupte", - ), - "rejectRecovery": MessageLookupByLibrary.simpleMessage( - "Respingeți recuperarea", - ), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "De asemenea, goliți dosarul „Șterse recent” din „Setări” -> „Spațiu” pentru a recupera spațiul eliberat", - ), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "De asemenea, goliți „Coșul de gunoi” pentru a revendica spațiul eliberat", - ), - "remoteImages": MessageLookupByLibrary.simpleMessage("Imagini la distanță"), - "remoteThumbnails": MessageLookupByLibrary.simpleMessage( - "Miniaturi la distanță", - ), - "remoteVideos": MessageLookupByLibrary.simpleMessage( - "Videoclipuri la distanță", - ), - "remove": MessageLookupByLibrary.simpleMessage("Eliminare"), - "removeDuplicates": MessageLookupByLibrary.simpleMessage( - "Eliminați dublurile", - ), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Revizuiți și eliminați fișierele care sunt dubluri exacte.", - ), - "removeFromAlbum": MessageLookupByLibrary.simpleMessage( - "Eliminați din album", - ), - "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( - "Eliminați din album?", - ), - "removeFromFavorite": MessageLookupByLibrary.simpleMessage( - "Eliminați din favorite", - ), - "removeInvite": MessageLookupByLibrary.simpleMessage("Eliminare invitație"), - "removeLink": MessageLookupByLibrary.simpleMessage("Eliminați linkul"), - "removeParticipant": MessageLookupByLibrary.simpleMessage( - "Eliminați participantul", - ), - "removeParticipantBody": m74, - "removePersonLabel": MessageLookupByLibrary.simpleMessage( - "Eliminați eticheta persoanei", - ), - "removePublicLink": MessageLookupByLibrary.simpleMessage( - "Eliminați linkul public", - ), - "removePublicLinks": MessageLookupByLibrary.simpleMessage( - "Eliminați linkurile publice", - ), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Unele dintre articolele pe care le eliminați au fost adăugate de alte persoane și veți pierde accesul la acestea", - ), - "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage( - "Eliminați?", - ), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Eliminați-vă ca persoană de contact de încredere", - ), - "removingFromFavorites": MessageLookupByLibrary.simpleMessage( - "Se elimină din favorite...", - ), - "rename": MessageLookupByLibrary.simpleMessage("Redenumire"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("Redenumire album"), - "renameFile": MessageLookupByLibrary.simpleMessage("Redenumiți fișierul"), - "renewSubscription": MessageLookupByLibrary.simpleMessage( - "Reînnoire abonament", - ), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Raportați o eroare"), - "reportBug": MessageLookupByLibrary.simpleMessage("Raportare eroare"), - "resendEmail": MessageLookupByLibrary.simpleMessage("Retrimitere e-mail"), - "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( - "Resetare fișiere ignorate", - ), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Resetați parola", - ), - "resetPerson": MessageLookupByLibrary.simpleMessage("Eliminare"), - "resetToDefault": MessageLookupByLibrary.simpleMessage( - "Resetare la valori implicite", - ), - "restore": MessageLookupByLibrary.simpleMessage("Restaurare"), - "restoreToAlbum": MessageLookupByLibrary.simpleMessage( - "Restaurare în album", - ), - "restoringFiles": MessageLookupByLibrary.simpleMessage( - "Se restaurează fișierele...", - ), - "resumableUploads": MessageLookupByLibrary.simpleMessage( - "Reluare încărcări", - ), - "retry": MessageLookupByLibrary.simpleMessage("Încercați din nou"), - "review": MessageLookupByLibrary.simpleMessage("Examinați"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să revizuiți și să ștergeți articolele pe care le considerați a fi dubluri.", - ), - "reviewSuggestions": MessageLookupByLibrary.simpleMessage( - "Revizuire sugestii", - ), - "right": MessageLookupByLibrary.simpleMessage("Dreapta"), - "rotate": MessageLookupByLibrary.simpleMessage("Rotire"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Rotire la stânga"), - "rotateRight": MessageLookupByLibrary.simpleMessage("Rotire la dreapta"), - "safelyStored": MessageLookupByLibrary.simpleMessage( - "Stocare în siguranță", - ), - "save": MessageLookupByLibrary.simpleMessage("Salvare"), - "saveCollage": MessageLookupByLibrary.simpleMessage("Salvați colajul"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Salvare copie"), - "saveKey": MessageLookupByLibrary.simpleMessage("Salvați cheia"), - "savePerson": MessageLookupByLibrary.simpleMessage("Salvați persoana"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Salvați cheia de recuperare, dacă nu ați făcut-o deja", - ), - "saving": MessageLookupByLibrary.simpleMessage("Se salvează..."), - "savingEdits": MessageLookupByLibrary.simpleMessage( - "Se salvează editările...", - ), - "scanCode": MessageLookupByLibrary.simpleMessage("Scanare cod"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Scanați acest cod de bare\ncu aplicația de autentificare", - ), - "search": MessageLookupByLibrary.simpleMessage("Căutare"), - "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Albume"), - "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage("Nume album"), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Nume de album (ex. „Cameră”)\n• Tipuri de fișiere (ex. „Videoclipuri”, „.gif”)\n• Ani și luni (ex. „2022”, „Ianuarie”)\n• Sărbători (ex. „Crăciun”)\n• Descrieri ale fotografiilor (ex. „#distracție”)", - ), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Adăugați descrieri precum „#excursie” în informațiile fotografiilor pentru a le găsi ușor aici", - ), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Căutare după o dată, o lună sau un an", - ), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "Imaginile vor fi afișate aici odată ce procesarea și sincronizarea este completă", - ), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "Persoanele vor fi afișate aici odată ce indexarea este finalizată", - ), - "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( - "Tipuri de fișiere și denumiri", - ), - "searchHint1": MessageLookupByLibrary.simpleMessage( - "Căutare rapidă, pe dispozitiv", - ), - "searchHint2": MessageLookupByLibrary.simpleMessage( - "Date, descrieri ale fotografiilor", - ), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "Albume, numele fișierelor și tipuri", - ), - "searchHint4": MessageLookupByLibrary.simpleMessage("Locație"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "În curând: chipuri și căutare magică ✨", - ), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Grupare fotografii realizate în raza unei fotografii", - ), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "Invitați persoane și veți vedea aici toate fotografiile distribuite de acestea", - ), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "Persoanele vor fi afișate aici odată ce procesarea și sincronizarea este completă", - ), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Securitate"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "Vedeți linkurile albumelor publice în aplicație", - ), - "selectALocation": MessageLookupByLibrary.simpleMessage( - "Selectați o locație", - ), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage( - "Selectați mai întâi o locație", - ), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Selectare album"), - "selectAll": MessageLookupByLibrary.simpleMessage("Selectare totală"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("Toate"), - "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( - "Selectați fotografia de copertă", - ), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Selectați folderele pentru copie de rezervă", - ), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "Selectați elementele de adăugat", - ), - "selectLanguage": MessageLookupByLibrary.simpleMessage("Selectaţi limba"), - "selectMailApp": MessageLookupByLibrary.simpleMessage( - "Selectați aplicația de e-mail", - ), - "selectMorePhotos": MessageLookupByLibrary.simpleMessage( - "Selectați mai multe fotografii", - ), - "selectReason": MessageLookupByLibrary.simpleMessage("Selectați motivul"), - "selectYourPlan": MessageLookupByLibrary.simpleMessage("Selectați planul"), - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Fișierele selectate nu sunt pe Ente", - ), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Dosarele selectate vor fi criptate și salvate", - ), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Articolele selectate vor fi șterse din toate albumele și mutate în coșul de gunoi.", - ), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "send": MessageLookupByLibrary.simpleMessage("Trimitere"), - "sendEmail": MessageLookupByLibrary.simpleMessage("Trimiteți e-mail"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Trimiteți invitația"), - "sendLink": MessageLookupByLibrary.simpleMessage("Trimitere link"), - "serverEndpoint": MessageLookupByLibrary.simpleMessage( - "Adresa (endpoint) server-ului", - ), - "sessionExpired": MessageLookupByLibrary.simpleMessage("Sesiune expirată"), - "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( - "Nepotrivire ID sesiune", - ), - "setAPassword": MessageLookupByLibrary.simpleMessage("Setați o parolă"), - "setAs": MessageLookupByLibrary.simpleMessage("Setare ca"), - "setCover": MessageLookupByLibrary.simpleMessage("Setare copertă"), - "setLabel": MessageLookupByLibrary.simpleMessage("Setare"), - "setNewPassword": MessageLookupByLibrary.simpleMessage( - "Setați parola noua", - ), - "setNewPin": MessageLookupByLibrary.simpleMessage("Setați un cod nou PIN"), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage("Setați parola"), - "setRadius": MessageLookupByLibrary.simpleMessage("Setare rază"), - "setupComplete": MessageLookupByLibrary.simpleMessage( - "Configurare finalizată", - ), - "share": MessageLookupByLibrary.simpleMessage("Distribuire"), - "shareALink": MessageLookupByLibrary.simpleMessage("Distribuiți un link"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Deschideți un album și atingeți butonul de distribuire din dreapta sus pentru a distribui.", - ), - "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( - "Distribuiți un album acum", - ), - "shareLink": MessageLookupByLibrary.simpleMessage("Distribuiți linkul"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Distribuiți numai cu persoanele pe care le doriți", - ), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Descarcă Ente pentru a putea distribui cu ușurință fotografii și videoclipuri în calitate originală\n\nhttps://ente.io", - ), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Distribuiți cu utilizatori din afara Ente", - ), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( - "Distribuiți primul album", - ), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Creați albume distribuite și colaborative cu alți utilizatori Ente, inclusiv cu utilizatorii planurilor gratuite.", - ), - "sharedByMe": MessageLookupByLibrary.simpleMessage( - "Distribuit de către mine", - ), - "sharedByYou": MessageLookupByLibrary.simpleMessage("Distribuite de dvs."), - "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( - "Fotografii partajate noi", - ), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Primiți notificări atunci când cineva adaugă o fotografie la un album distribuit din care faceți parte", - ), - "sharedWith": m87, - "sharedWithMe": MessageLookupByLibrary.simpleMessage("Distribuit mie"), - "sharedWithYou": MessageLookupByLibrary.simpleMessage( - "Distribuite cu dvs.", - ), - "sharing": MessageLookupByLibrary.simpleMessage("Se distribuie..."), - "showMemories": MessageLookupByLibrary.simpleMessage("Afișare amintiri"), - "showPerson": MessageLookupByLibrary.simpleMessage("Afișare persoană"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "Deconectare de pe alte dispozitive", - ), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Dacă credeți că cineva ar putea să vă cunoască parola, puteți forța toate celelalte dispozitive care utilizează contul dvs. să se deconecteze.", - ), - "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( - "Deconectați alte dispozitive", - ), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Sunt de acord cu termenii de prestare ai serviciului și politica de confidențialitate", - ), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Acesta va fi șters din toate albumele.", - ), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Omiteți"), - "social": MessageLookupByLibrary.simpleMessage("Rețele socializare"), - "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( - "Anumite articole se află atât în Ente, cât și în dispozitiv.", - ), - "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( - "Unele dintre fișierele pe care încercați să le ștergeți sunt disponibile numai pe dispozitivul dvs. și nu pot fi recuperate dacă sunt șterse", - ), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Cineva care distribuie albume cu dvs. ar trebui să vadă același ID pe dispozitivul său.", - ), - "somethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Ceva nu a funcţionat corect", - ), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Ceva nu a mers bine, vă rugăm să încercați din nou", - ), - "sorry": MessageLookupByLibrary.simpleMessage("Ne pare rău"), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Ne pare rău, nu s-a putut adăuga la favorite!", - ), - "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( - "Ne pare rău, nu s-a putut elimina din favorite!", - ), - "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "Ne pare rău, codul introdus este incorect", - ), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Ne pare rău, nu am putut genera chei securizate pe acest dispozitiv.\n\nvă rugăm să vă înregistrați de pe un alt dispozitiv.", - ), - "sort": MessageLookupByLibrary.simpleMessage("Sortare"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sortare după"), - "sortNewestFirst": MessageLookupByLibrary.simpleMessage( - "Cele mai noi primele", - ), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage( - "Cele mai vechi primele", - ), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Succes"), - "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( - "Începeți recuperarea", - ), - "startBackup": MessageLookupByLibrary.simpleMessage( - "Începeți copia de rezervă", - ), - "status": MessageLookupByLibrary.simpleMessage("Status"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "Doriți să opriți proiectarea?", - ), - "stopCastingTitle": MessageLookupByLibrary.simpleMessage( - "Opriți proiectarea", - ), - "storage": MessageLookupByLibrary.simpleMessage("Spațiu"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Familie"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Dvs."), - "storageInGB": m93, - "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( - "Limita de spațiu depășită", - ), - "storageUsageInfo": m94, - "strongStrength": MessageLookupByLibrary.simpleMessage("Puternică"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Abonare"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Aveți nevoie de un abonament plătit activ pentru a activa distribuirea.", - ), - "subscription": MessageLookupByLibrary.simpleMessage("Abonament"), - "success": MessageLookupByLibrary.simpleMessage("Succes"), - "successfullyArchived": MessageLookupByLibrary.simpleMessage( - "Arhivat cu succes", - ), - "successfullyHid": MessageLookupByLibrary.simpleMessage( - "S-a ascuns cu succes", - ), - "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( - "Dezarhivat cu succes", - ), - "successfullyUnhid": MessageLookupByLibrary.simpleMessage( - "S-a reafișat cu succes", - ), - "suggestFeatures": MessageLookupByLibrary.simpleMessage( - "Sugerați funcționalități", - ), - "support": MessageLookupByLibrary.simpleMessage("Asistență"), - "syncProgress": m97, - "syncStopped": MessageLookupByLibrary.simpleMessage("Sincronizare oprită"), - "syncing": MessageLookupByLibrary.simpleMessage("Sincronizare..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("Sistem"), - "tapToCopy": MessageLookupByLibrary.simpleMessage( - "atingeți pentru a copia", - ), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage( - "Atingeți pentru a introduce codul", - ), - "tapToUnlock": MessageLookupByLibrary.simpleMessage( - "Atingeți pentru a debloca", - ), - "tapToUpload": MessageLookupByLibrary.simpleMessage( - "Atingeți pentru a încărca", - ), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Se pare că ceva nu a mers bine. Vă rugăm să încercați din nou după ceva timp. Dacă eroarea persistă, vă rugăm să contactați echipa noastră de asistență.", - ), - "terminate": MessageLookupByLibrary.simpleMessage("Terminare"), - "terminateSession": MessageLookupByLibrary.simpleMessage( - "Terminați sesiunea?", - ), - "terms": MessageLookupByLibrary.simpleMessage("Termeni"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Termeni"), - "thankYou": MessageLookupByLibrary.simpleMessage("Vă mulțumim"), - "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( - "Mulțumim pentru abonare!", - ), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "Descărcarea nu a putut fi finalizată", - ), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "Linkul pe care încercați să îl accesați a expirat.", - ), - "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "Cheia de recuperare introdusă este incorectă", - ), - "theme": MessageLookupByLibrary.simpleMessage("Temă"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Aceste articole vor fi șterse din dispozitivul dvs.", - ), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "Acestea vor fi șterse din toate albumele.", - ), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Această acțiune nu poate fi anulată", - ), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "Acest album are deja un link colaborativ", - ), - "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( - "Aceasta poate fi utilizată pentru a vă recupera contul în cazul în care pierdeți al doilea factor", - ), - "thisDevice": MessageLookupByLibrary.simpleMessage("Acest dispozitiv"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "Această adresă de e-mail este deja folosită", - ), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Această imagine nu are date exif", - ), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Acesta este ID-ul dvs. de verificare", - ), - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Urmează să vă deconectați de pe următorul dispozitiv:", - ), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Urmează să vă deconectați de pe acest dispozitiv!", - ), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "Se vor elimina linkurile publice ale linkurilor rapide selectate.", - ), - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "Pentru a activa blocarea aplicației, vă rugăm să configurați codul de acces al dispozitivului sau blocarea ecranului în setările sistemului.", - ), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( - "Pentru a ascunde o fotografie sau un videoclip", - ), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Pentru a reseta parola, vă rugăm să verificați mai întâi e-mailul.", - ), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Jurnalele de astăzi"), - "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( - "Prea multe încercări incorecte", - ), - "total": MessageLookupByLibrary.simpleMessage("total"), - "totalSize": MessageLookupByLibrary.simpleMessage("Dimensiune totală"), - "trash": MessageLookupByLibrary.simpleMessage("Coș de gunoi"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Decupare"), - "trustedContacts": MessageLookupByLibrary.simpleMessage( - "Contacte de încredere", - ), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Încercați din nou"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Activați copia de rezervă pentru a încărca automat fișierele adăugate la acest dosar de pe dispozitiv în Ente.", - ), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "2 luni gratuite la planurile anuale", - ), - "twofactor": MessageLookupByLibrary.simpleMessage("Doi factori"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "Autentificarea cu doi factori a fost dezactivată", - ), - "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( - "Autentificare cu doi factori", - ), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "Autentificarea cu doi factori a fost resetată cu succes", - ), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Configurare doi factori", - ), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("Dezarhivare"), - "unarchiveAlbum": MessageLookupByLibrary.simpleMessage("Dezarhivare album"), - "unarchiving": MessageLookupByLibrary.simpleMessage("Se dezarhivează..."), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Ne pare rău, acest cod nu este disponibil.", - ), - "uncategorized": MessageLookupByLibrary.simpleMessage("Necategorisite"), - "unhide": MessageLookupByLibrary.simpleMessage("Reafişare"), - "unhideToAlbum": MessageLookupByLibrary.simpleMessage("Reafișare în album"), - "unhiding": MessageLookupByLibrary.simpleMessage("Se reafișează..."), - "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Se reafișează fișierele în album", - ), - "unlock": MessageLookupByLibrary.simpleMessage("Deblocare"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage( - "Anulați fixarea albumului", - ), - "unselectAll": MessageLookupByLibrary.simpleMessage("Deselectare totală"), - "update": MessageLookupByLibrary.simpleMessage("Actualizare"), - "updateAvailable": MessageLookupByLibrary.simpleMessage( - "Actualizare disponibilă", - ), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Se actualizează selecția dosarelor...", - ), - "upgrade": MessageLookupByLibrary.simpleMessage("Îmbunătățire"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Se încarcă fișiere în album...", - ), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( - "Se salvează o amintire...", - ), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "Reducere de până la 50%, până pe 4 decembrie", - ), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "Spațiul utilizabil este limitat de planul dvs. actual. Spațiul suplimentar revendicat va deveni automat utilizabil atunci când vă îmbunătățiți planul.", - ), - "useAsCover": MessageLookupByLibrary.simpleMessage( - "Utilizați ca și copertă", - ), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "Aveți probleme cu redarea acestui videoclip? Apăsați lung aici pentru a încerca un alt player.", - ), - "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Folosiți linkuri publice pentru persoanele care nu sunt pe Ente", - ), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Folosiți cheia de recuperare", - ), - "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( - "Folosiți fotografia selectată", - ), - "usedSpace": MessageLookupByLibrary.simpleMessage("Spațiu utilizat"), - "validTill": m110, - "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Verificare eșuată, încercați din nou", - ), - "verificationId": MessageLookupByLibrary.simpleMessage("ID de verificare"), - "verify": MessageLookupByLibrary.simpleMessage("Verificare"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("Verificare e-mail"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Verificare"), - "verifyPasskey": MessageLookupByLibrary.simpleMessage( - "Verificați cheia de acces", - ), - "verifyPassword": MessageLookupByLibrary.simpleMessage("Verificați parola"), - "verifying": MessageLookupByLibrary.simpleMessage("Se verifică..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Se verifică cheia de recuperare...", - ), - "videoInfo": MessageLookupByLibrary.simpleMessage("Informaţii video"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("videoclip"), - "videos": MessageLookupByLibrary.simpleMessage("Videoclipuri"), - "viewActiveSessions": MessageLookupByLibrary.simpleMessage( - "Vedeți sesiunile active", - ), - "viewAddOnButton": MessageLookupByLibrary.simpleMessage( - "Vizualizare suplimente", - ), - "viewAll": MessageLookupByLibrary.simpleMessage("Vizualizați tot"), - "viewAllExifData": MessageLookupByLibrary.simpleMessage( - "Vizualizați toate datele EXIF", - ), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Fișiere mari"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Vizualizați fișierele care consumă cel mai mult spațiu.", - ), - "viewLogs": MessageLookupByLibrary.simpleMessage("Afișare jurnale"), - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Vizualizați cheia de recuperare", - ), - "viewer": MessageLookupByLibrary.simpleMessage("Observator"), - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Vă rugăm să vizitați web.ente.io pentru a vă gestiona abonamentul", - ), - "waitingForVerification": MessageLookupByLibrary.simpleMessage( - "Se așteaptă verificarea...", - ), - "waitingForWifi": MessageLookupByLibrary.simpleMessage( - "Se așteaptă WiFi...", - ), - "warning": MessageLookupByLibrary.simpleMessage("Atenție"), - "weAreOpenSource": MessageLookupByLibrary.simpleMessage( - "Suntem open source!", - ), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "Nu se acceptă editarea fotografiilor sau albumelor pe care nu le dețineți încă", - ), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Slabă"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("Bine ați revenit!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("Noutăți"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "Contactul de încredere vă poate ajuta la recuperarea datelor.", - ), - "yearShort": MessageLookupByLibrary.simpleMessage("an"), - "yearly": MessageLookupByLibrary.simpleMessage("Anual"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Da"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Da, anulează"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "Da, covertiți la observator", - ), - "yesDelete": MessageLookupByLibrary.simpleMessage("Da, șterge"), - "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( - "Da, renunțați la modificări", - ), - "yesLogout": MessageLookupByLibrary.simpleMessage("Da, mă deconectez"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Da, elimină"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Da, reînnoiește"), - "yesResetPerson": MessageLookupByLibrary.simpleMessage( - "Da, resetează persoana", - ), - "you": MessageLookupByLibrary.simpleMessage("Dvs."), - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( - "Sunteți pe un plan de familie!", - ), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Sunteți pe cea mai recentă versiune", - ), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Cel mult vă puteți dubla spațiul", - ), - "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( - "Puteți gestiona link-urile în fila de distribuire.", - ), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "Puteți încerca să căutați altceva.", - ), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "Nu puteți retrograda la acest plan", - ), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Nu poți distribui cu tine însuți", - ), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "Nu aveți articole arhivate.", - ), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "Contul dvs. a fost șters", - ), - "yourMap": MessageLookupByLibrary.simpleMessage("Harta dvs."), - "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( - "Planul dvs. a fost retrogradat cu succes", - ), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "Planul dvs. a fost îmbunătățit cu succes", - ), - "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( - "Achiziția dvs. a fost efectuată cu succes", - ), - "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( - "Detaliile privind spațiul de stocare nu au putut fi preluate", - ), - "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( - "Abonamentul dvs. a expirat", - ), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "Abonamentul dvs. a fost actualizat cu succes", - ), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "Codul dvs. de verificare a expirat", - ), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "Nu aveți fișiere în acest album care pot fi șterse", - ), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( - "Micșorați pentru a vedea fotografiile", - ), - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Este disponibilă o nouă versiune de Ente."), + "about": MessageLookupByLibrary.simpleMessage("Despre"), + "acceptTrustInvite": + MessageLookupByLibrary.simpleMessage("Acceptați invitația"), + "account": MessageLookupByLibrary.simpleMessage("Cont"), + "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( + "Contul este deja configurat."), + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("Bine ați revenit!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Înțeleg că dacă îmi pierd parola, îmi pot pierde datele, deoarece datele mele sunt criptate integral."), + "activeSessions": + MessageLookupByLibrary.simpleMessage("Sesiuni active"), + "add": MessageLookupByLibrary.simpleMessage("Adăugare"), + "addAName": MessageLookupByLibrary.simpleMessage("Adăugați un nume"), + "addANewEmail": + MessageLookupByLibrary.simpleMessage("Adăugați un e-mail nou"), + "addCollaborator": + MessageLookupByLibrary.simpleMessage("Adăugare colaborator"), + "addFiles": MessageLookupByLibrary.simpleMessage("Adăugați fișiere"), + "addFromDevice": + MessageLookupByLibrary.simpleMessage("Adăugați de pe dispozitiv"), + "addLocation": MessageLookupByLibrary.simpleMessage("Adăugare locație"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Adăugare"), + "addMore": MessageLookupByLibrary.simpleMessage("Adăugați mai mulți"), + "addName": MessageLookupByLibrary.simpleMessage("Adăugare nume"), + "addNameOrMerge": + MessageLookupByLibrary.simpleMessage("Adăugare nume sau îmbinare"), + "addNew": MessageLookupByLibrary.simpleMessage("Adăugare nou"), + "addNewPerson": + MessageLookupByLibrary.simpleMessage("Adăugare persoană nouă"), + "addOnPageSubtitle": + MessageLookupByLibrary.simpleMessage("Detaliile suplimentelor"), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("Suplimente"), + "addPhotos": + MessageLookupByLibrary.simpleMessage("Adăugați fotografii"), + "addSelected": + MessageLookupByLibrary.simpleMessage("Adăugați selectate"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("Adăugare la album"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Adăugare la Ente"), + "addToHiddenAlbum": + MessageLookupByLibrary.simpleMessage("Adăugați la album ascuns"), + "addTrustedContact": MessageLookupByLibrary.simpleMessage( + "Adăugare contact de încredere"), + "addViewer": + MessageLookupByLibrary.simpleMessage("Adăugare observator"), + "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( + "Adăugați-vă fotografiile acum"), + "addedAs": MessageLookupByLibrary.simpleMessage("Adăugat ca"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": + MessageLookupByLibrary.simpleMessage("Se adaugă la favorite..."), + "advanced": MessageLookupByLibrary.simpleMessage("Avansat"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Avansat"), + "after1Day": MessageLookupByLibrary.simpleMessage("După o zi"), + "after1Hour": MessageLookupByLibrary.simpleMessage("După o oră"), + "after1Month": MessageLookupByLibrary.simpleMessage("După o lună"), + "after1Week": MessageLookupByLibrary.simpleMessage("După o săptămâna"), + "after1Year": MessageLookupByLibrary.simpleMessage("După un an"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Proprietar"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Titlu album"), + "albumUpdated": + MessageLookupByLibrary.simpleMessage("Album actualizat"), + "albums": MessageLookupByLibrary.simpleMessage("Albume"), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Totul e curat"), + "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( + "S-au salvat toate amintirile"), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "Toate grupările pentru această persoană vor fi resetate și veți pierde toate sugestiile făcute pentru această persoană"), + "allow": MessageLookupByLibrary.simpleMessage("Permiteți"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Permiteți persoanelor care au linkul să adauge și fotografii la albumul distribuit."), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( + "Permiteți adăugarea fotografiilor"), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "Permiteți aplicației să deschidă link-uri de album partajate"), + "allowDownloads": + MessageLookupByLibrary.simpleMessage("Permiteți descărcările"), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Permiteți persoanelor să adauge fotografii"), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să permiteți accesul la fotografiile dvs. din Setări, astfel încât Ente să vă poată afișa și salva biblioteca."), + "allowPermTitle": MessageLookupByLibrary.simpleMessage( + "Permiteți accesul la fotografii"), + "androidBiometricHint": + MessageLookupByLibrary.simpleMessage("Verificați-vă identitatea"), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "Neidentificat. Încercați din nou."), + "androidBiometricRequiredTitle": + MessageLookupByLibrary.simpleMessage("Biometrice necesare"), + "androidBiometricSuccess": + MessageLookupByLibrary.simpleMessage("Succes"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Anulare"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage( + "Sunt necesare acreditările dispozitivului"), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage( + "Sunt necesare acreditările dispozitivului"), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Autentificarea biometrică nu este configurată pe dispozitivul dvs. Mergeți la „Setări > Securitate” pentru a adăuga autentificarea biometrică."), + "androidIosWebDesktop": + MessageLookupByLibrary.simpleMessage("Android, iOS, Web, Desktop"), + "androidSignInTitle": + MessageLookupByLibrary.simpleMessage("Autentificare necesară"), + "appLock": MessageLookupByLibrary.simpleMessage("Blocare aplicație"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Alegeți între ecranul de blocare implicit al dispozitivului dvs. și un ecran de blocare personalizat cu PIN sau parolă."), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), + "apply": MessageLookupByLibrary.simpleMessage("Aplicare"), + "applyCodeTitle": + MessageLookupByLibrary.simpleMessage("Aplicați codul"), + "appstoreSubscription": + MessageLookupByLibrary.simpleMessage("Abonament AppStore"), + "archive": MessageLookupByLibrary.simpleMessage("Arhivă"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("Arhivare album"), + "archiving": MessageLookupByLibrary.simpleMessage("Se arhivează..."), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Sunteți sigur că doriți să părăsiți planul de familie?"), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "Sunteți sigur că doriți să anulați?"), + "areYouSureYouWantToChangeYourPlan": + MessageLookupByLibrary.simpleMessage( + "Sunteți sigur că doriți să vă schimbați planul?"), + "areYouSureYouWantToExit": + MessageLookupByLibrary.simpleMessage("Sigur doriți să ieșiți?"), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Sunteți sigur că doriți să vă deconectați?"), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "Sunteți sigur că doriți să reînnoiți?"), + "areYouSureYouWantToResetThisPerson": + MessageLookupByLibrary.simpleMessage( + "Sunteți sigur că doriți să resetaţi această persoană?"), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "Abonamentul dvs. a fost anulat. Doriți să ne comunicați motivul?"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Care este principalul motiv pentru care vă ștergeți contul?"), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Cereți-le celor dragi să distribuie"), + "atAFalloutShelter": + MessageLookupByLibrary.simpleMessage("la un adăpost antiatomic"), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Vă rugăm să vă autentificați pentru a schimba verificarea prin e-mail"), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să vă autentificați pentru a schimba setarea ecranului de blocare"), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să vă autentificați pentru a vă schimba adresa de e-mail"), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să vă autentificați pentru a vă schimba parola"), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Vă rugăm să vă autentificați pentru a configura autentificarea cu doi factori"), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să vă autentificați pentru a iniția ștergerea contului"), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să vă autentificați pentru a gestiona contactele de încredere"), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să vă autentificați pentru a vizualiza cheia de acces"), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să vă autentificați pentru a vedea fișierele din coșul de gunoi"), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să vă autentificați pentru a vedea sesiunile active"), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să vă autentificați pentru a vedea fișierele ascunse"), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să vă autentificați pentru a vă vizualiza amintirile"), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să vă autentificați pentru a vedea cheia de recuperare"), + "authenticating": + MessageLookupByLibrary.simpleMessage("Autentificare..."), + "authenticationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Autentificare eșuată, încercați din nou"), + "authenticationSuccessful": + MessageLookupByLibrary.simpleMessage("Autentificare cu succes!"), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Veți vedea dispozitivele disponibile pentru Cast aici."), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Asigurați-vă că permisiunile de rețea locală sunt activate pentru aplicația Ente Foto, în Setări."), + "autoLock": MessageLookupByLibrary.simpleMessage("Blocare automată"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Timpul după care aplicația se blochează după ce a fost pusă în fundal"), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "Din cauza unei probleme tehnice, ați fost deconectat. Ne cerem scuze pentru neplăcerile create."), + "autoPair": MessageLookupByLibrary.simpleMessage("Asociere automată"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "Asocierea automată funcționează numai cu dispozitive care acceptă Chromecast."), + "available": MessageLookupByLibrary.simpleMessage("Disponibil"), + "availableStorageSpace": m10, + "backedUpFolders": + MessageLookupByLibrary.simpleMessage("Foldere salvate"), + "backup": MessageLookupByLibrary.simpleMessage("Copie de rezervă"), + "backupFailed": + MessageLookupByLibrary.simpleMessage("Copie de rezervă eșuată"), + "backupFile": MessageLookupByLibrary.simpleMessage("Salvare fișier"), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Efectuare copie de rezervă prin date mobile"), + "backupSettings": + MessageLookupByLibrary.simpleMessage("Setări copie de rezervă"), + "backupStatus": + MessageLookupByLibrary.simpleMessage("Stare copie de rezervă"), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Articolele care au fost salvate vor apărea aici"), + "backupVideos": MessageLookupByLibrary.simpleMessage( + "Copie de rezervă videoclipuri"), + "birthday": MessageLookupByLibrary.simpleMessage("Ziua de naștere"), + "blackFridaySale": + MessageLookupByLibrary.simpleMessage("Ofertă Black Friday"), + "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cachedData": MessageLookupByLibrary.simpleMessage( + "Date salvate în memoria cache"), + "calculating": MessageLookupByLibrary.simpleMessage("Se calculează..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Ne pare rău, acest album nu poate fi deschis în aplicație."), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( + "Nu se poate deschide acest album"), + "canNotUploadToAlbumsOwnedByOthers": + MessageLookupByLibrary.simpleMessage( + "Nu se poate încărca în albumele deținute de alții"), + "canOnlyCreateLinkForFilesOwnedByYou": + MessageLookupByLibrary.simpleMessage( + "Se pot crea linkuri doar pentru fișiere deținute de dvs."), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Puteți elimina numai fișierele deținute de dvs."), + "cancel": MessageLookupByLibrary.simpleMessage("Anulare"), + "cancelAccountRecovery": + MessageLookupByLibrary.simpleMessage("Anulare recuperare"), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "Sunteți sigur că doriți să anulați recuperarea?"), + "cancelOtherSubscription": m12, + "cancelSubscription": + MessageLookupByLibrary.simpleMessage("Anulare abonament"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Nu se pot șterge fișierele distribuite"), + "castAlbum": MessageLookupByLibrary.simpleMessage("Difuzați albumul"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să vă asigurați că sunteți în aceeași rețea cu televizorul."), + "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( + "Nu s-a reușit proiectarea albumului"), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Accesați cast.ente.io de pe dispozitivul pe care doriți să îl asociați.\n\nIntroduceți codul de mai jos pentru a reda albumul pe TV."), + "centerPoint": MessageLookupByLibrary.simpleMessage("Punctul central"), + "change": MessageLookupByLibrary.simpleMessage("Schimbați"), + "changeEmail": + MessageLookupByLibrary.simpleMessage("Schimbați e-mailul"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Schimbați locația articolelor selectate?"), + "changePassword": + MessageLookupByLibrary.simpleMessage("Schimbare parolă"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("Schimbați parola"), + "changePermissions": + MessageLookupByLibrary.simpleMessage("Schimbați permisiunile?"), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Schimbați codul dvs. de recomandare"), + "checkForUpdates": + MessageLookupByLibrary.simpleMessage("Căutați actualizări"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să verificaţi inbox-ul (şi spam) pentru a finaliza verificarea"), + "checkStatus": + MessageLookupByLibrary.simpleMessage("Verificați starea"), + "checking": MessageLookupByLibrary.simpleMessage("Se verifică..."), + "checkingModels": + MessageLookupByLibrary.simpleMessage("Se verifică modelele..."), + "claimFreeStorage": + MessageLookupByLibrary.simpleMessage("Revendică spațiul gratuit"), + "claimMore": + MessageLookupByLibrary.simpleMessage("Revendicați mai multe!"), + "claimed": MessageLookupByLibrary.simpleMessage("Revendicat"), + "claimedStorageSoFar": m14, + "cleanUncategorized": + MessageLookupByLibrary.simpleMessage("Curățare Necategorisite"), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Eliminați toate fișierele din „Fără categorie” care sunt prezente în alte albume"), + "clearCaches": + MessageLookupByLibrary.simpleMessage("Ștergeți memoria cache"), + "clearIndexes": + MessageLookupByLibrary.simpleMessage("Ștergeți indexul"), + "click": MessageLookupByLibrary.simpleMessage("• Apăsați"), + "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( + "• Apăsați pe meniul suplimentar"), + "close": MessageLookupByLibrary.simpleMessage("Închidere"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( + "Grupare după timpul capturării"), + "clubByFileName": MessageLookupByLibrary.simpleMessage( + "Grupare după numele fișierului"), + "clusteringProgress": + MessageLookupByLibrary.simpleMessage("Progres grupare"), + "codeAppliedPageTitle": + MessageLookupByLibrary.simpleMessage("Cod aplicat"), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Ne pare rău, ați atins limita de modificări ale codului."), + "codeCopiedToClipboard": + MessageLookupByLibrary.simpleMessage("Cod copiat în clipboard"), + "codeUsedByYou": + MessageLookupByLibrary.simpleMessage("Cod folosit de dvs."), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Creați un link pentru a permite oamenilor să adauge și să vizualizeze fotografii în albumul dvs. distribuit, fără a avea nevoie de o aplicație sau un cont Ente. Excelent pentru colectarea fotografiilor de la evenimente."), + "collaborativeLink": + MessageLookupByLibrary.simpleMessage("Link colaborativ"), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Colaborator"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Colaboratorii pot adăuga fotografii și videoclipuri la albumul distribuit."), + "collageLayout": MessageLookupByLibrary.simpleMessage("Aspect"), + "collageSaved": + MessageLookupByLibrary.simpleMessage("Colaj salvat în galerie"), + "collect": MessageLookupByLibrary.simpleMessage("Colectare"), + "collectEventPhotos": MessageLookupByLibrary.simpleMessage( + "Strângeți imagini de la evenimente"), + "collectPhotos": + MessageLookupByLibrary.simpleMessage("Colectare fotografii"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Creați un link unde prietenii dvs. pot încărca fotografii la calitatea originală."), + "color": MessageLookupByLibrary.simpleMessage("Culoare"), + "configuration": MessageLookupByLibrary.simpleMessage("Configurare"), + "confirm": MessageLookupByLibrary.simpleMessage("Confirmare"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Sigur doriți dezactivarea autentificării cu doi factori?"), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Confirmați ștergerea contului"), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Da, doresc să șterg definitiv acest cont și toate datele sale din toate aplicațiile."), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("Confirmare parolă"), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage( + "Confirmați schimbarea planului"), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Confirmați cheia de recuperare"), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Confirmați cheia de recuperare"), + "connectToDevice": + MessageLookupByLibrary.simpleMessage("Conectați-vă la dispozitiv"), + "contactFamilyAdmin": m18, + "contactSupport": MessageLookupByLibrary.simpleMessage( + "Contactați serviciul de asistență"), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Contacte"), + "contents": MessageLookupByLibrary.simpleMessage("Conținuturi"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Continuare"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "Continuați în perioada de încercare gratuită"), + "convertToAlbum": + MessageLookupByLibrary.simpleMessage("Convertire în album"), + "copyEmailAddress": + MessageLookupByLibrary.simpleMessage("Copiați adresa de e-mail"), + "copyLink": MessageLookupByLibrary.simpleMessage("Copere link"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Copiați acest cod\nîn aplicația de autentificare"), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "Nu s-a putut face copie de rezervă datelor.\nSe va reîncerca mai târziu."), + "couldNotFreeUpSpace": + MessageLookupByLibrary.simpleMessage("Nu s-a putut elibera spațiu"), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Nu s-a putut actualiza abonamentul"), + "count": MessageLookupByLibrary.simpleMessage("Total"), + "crashReporting": + MessageLookupByLibrary.simpleMessage("Raportarea problemelor"), + "create": MessageLookupByLibrary.simpleMessage("Creare"), + "createAccount": MessageLookupByLibrary.simpleMessage("Creare cont"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Apăsați lung pentru a selecta fotografii și apăsați pe + pentru a crea un album"), + "createCollaborativeLink": + MessageLookupByLibrary.simpleMessage("Creați un link colaborativ"), + "createCollage": MessageLookupByLibrary.simpleMessage("Creați colaj"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("Creare cont nou"), + "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( + "Creați sau selectați un album"), + "createPublicLink": + MessageLookupByLibrary.simpleMessage("Creare link public"), + "creatingLink": + MessageLookupByLibrary.simpleMessage("Se crează linkul..."), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "Actualizare critică disponibilă"), + "crop": MessageLookupByLibrary.simpleMessage("Decupare"), + "currentUsageIs": + MessageLookupByLibrary.simpleMessage("Utilizarea actuală este "), + "currentlyRunning": + MessageLookupByLibrary.simpleMessage("rulează în prezent"), + "custom": MessageLookupByLibrary.simpleMessage("Particularizat"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Întunecată"), + "dayToday": MessageLookupByLibrary.simpleMessage("Astăzi"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Ieri"), + "declineTrustInvite": + MessageLookupByLibrary.simpleMessage("Refuzați invitația"), + "decrypting": MessageLookupByLibrary.simpleMessage("Se decriptează..."), + "decryptingVideo": MessageLookupByLibrary.simpleMessage( + "Se decriptează videoclipul..."), + "deduplicateFiles": + MessageLookupByLibrary.simpleMessage("Elim. dubluri fișiere"), + "delete": MessageLookupByLibrary.simpleMessage("Ștergere"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Ștergere cont"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Ne pare rău că plecați. Vă rugăm să împărtășiți feedback-ul dvs. pentru a ne ajuta să ne îmbunătățim."), + "deleteAccountPermanentlyButton": + MessageLookupByLibrary.simpleMessage("Ștergeți contul definitiv"), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Ştergeţi albumul"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "De asemenea, ștergeți fotografiile (și videoclipurile) prezente în acest album din toate celelalte albume din care fac parte?"), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "Urmează să ștergeți toate albumele goale. Este util atunci când doriți să reduceți dezordinea din lista de albume."), + "deleteAll": MessageLookupByLibrary.simpleMessage("Ștergeți tot"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "Acest cont este legat de alte aplicații Ente, dacă utilizați vreuna. Datele dvs. încărcate în toate aplicațiile Ente vor fi programate pentru ștergere, iar contul dvs. va fi șters definitiv."), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să trimiteți un e-mail la account-deletion@ente.io de pe adresa dvs. de e-mail înregistrată."), + "deleteEmptyAlbums": + MessageLookupByLibrary.simpleMessage("Ștergeți albumele goale"), + "deleteEmptyAlbumsWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Ștergeți albumele goale?"), + "deleteFromBoth": + MessageLookupByLibrary.simpleMessage("Ștergeți din ambele"), + "deleteFromDevice": + MessageLookupByLibrary.simpleMessage("Ștergeți de pe dispozitiv"), + "deleteFromEnte": + MessageLookupByLibrary.simpleMessage("Ștergeți din Ente"), + "deleteItemCount": m21, + "deleteLocation": + MessageLookupByLibrary.simpleMessage("Ștergeți locația"), + "deletePhotos": + MessageLookupByLibrary.simpleMessage("Ștergeți fotografiile"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Lipsește o funcție cheie de care am nevoie"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "Aplicația sau o anumită funcție nu se comportă așa cum cred eu că ar trebui"), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Am găsit un alt serviciu care îmi place mai mult"), + "deleteReason4": + MessageLookupByLibrary.simpleMessage("Motivul meu nu apare"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Solicitarea dvs. va fi procesată în 72 de ore."), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Ștergeți albumul distribuit?"), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "Albumul va fi șters pentru toată lumea\n\nVeți pierde accesul la fotografiile distribuite din acest album care sunt deținute de alții"), + "deselectAll": + MessageLookupByLibrary.simpleMessage("Deselectare totală"), + "designedToOutlive": MessageLookupByLibrary.simpleMessage( + "Conceput pentru a supraviețui"), + "details": MessageLookupByLibrary.simpleMessage("Detalii"), + "developerSettings": + MessageLookupByLibrary.simpleMessage("Setări dezvoltator"), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Sunteți sigur că doriți să modificați setările pentru dezvoltatori?"), + "deviceCodeHint": + MessageLookupByLibrary.simpleMessage("Introduceți codul"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "Fișierele adăugate la acest album de pe dispozitiv vor fi încărcate automat pe Ente."), + "deviceLock": + MessageLookupByLibrary.simpleMessage("Blocare dispozitiv"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Dezactivați blocarea ecranului dispozitivului atunci când Ente este în prim-plan și există o copie de rezervă în curs de desfășurare. În mod normal, acest lucru nu este necesar, dar poate ajuta la finalizarea mai rapidă a încărcărilor mari și a importurilor inițiale de biblioteci mari."), + "deviceNotFound": MessageLookupByLibrary.simpleMessage( + "Dispozitivul nu a fost găsit"), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Știați că?"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage( + "Dezactivare blocare automată"), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Observatorii pot să facă capturi de ecran sau să salveze o copie a fotografiilor dvs. folosind instrumente externe"), + "disableDownloadWarningTitle": + MessageLookupByLibrary.simpleMessage("Rețineți"), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "Dezactivați al doilea factor"), + "disablingTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Se dezactivează autentificarea cu doi factori..."), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Descoperire"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Bebeluși"), + "discover_celebrations": + MessageLookupByLibrary.simpleMessage("Celebrări"), + "discover_food": MessageLookupByLibrary.simpleMessage("Mâncare"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Verdeață"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Dealuri"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Identitate"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Meme-uri"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Notițe"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Animale"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Bonuri"), + "discover_screenshots": + MessageLookupByLibrary.simpleMessage("Capturi de ecran"), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfie-uri"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Apusuri"), + "discover_visiting_cards": + MessageLookupByLibrary.simpleMessage("Carte de vizită"), + "discover_wallpapers": + MessageLookupByLibrary.simpleMessage("Imagini de fundal"), + "dismiss": MessageLookupByLibrary.simpleMessage("Renunțați"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage("Nu deconectați"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Mai târziu"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Doriți să renunțați la editările efectuate?"), + "done": MessageLookupByLibrary.simpleMessage("Finalizat"), + "doubleYourStorage": + MessageLookupByLibrary.simpleMessage("Dublați-vă spațiul"), + "download": MessageLookupByLibrary.simpleMessage("Descărcare"), + "downloadFailed": + MessageLookupByLibrary.simpleMessage("Descărcarea nu a reușit"), + "downloading": MessageLookupByLibrary.simpleMessage("Se descarcă..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Editare"), + "editLocation": MessageLookupByLibrary.simpleMessage("Editare locaţie"), + "editLocationTagTitle": + MessageLookupByLibrary.simpleMessage("Editare locaţie"), + "editPerson": MessageLookupByLibrary.simpleMessage("Editați persoana"), + "editsSaved": MessageLookupByLibrary.simpleMessage("Editări salvate"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Editările locației vor fi vizibile doar pe Ente"), + "eligible": MessageLookupByLibrary.simpleMessage("eligibil"), + "email": MessageLookupByLibrary.simpleMessage("E-mail"), + "emailAlreadyRegistered": + MessageLookupByLibrary.simpleMessage("E-mail deja înregistrat."), + "emailChangedTo": m29, + "emailNoEnteAccount": m31, + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "E-mailul nu este înregistrat."), + "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( + "Verificarea adresei de e-mail"), + "emailYourLogs": MessageLookupByLibrary.simpleMessage( + "Trimiteți jurnalele prin e-mail"), + "emergencyContacts": + MessageLookupByLibrary.simpleMessage("Contacte de urgență"), + "empty": MessageLookupByLibrary.simpleMessage("Gol"), + "emptyTrash": + MessageLookupByLibrary.simpleMessage("Goliți coșul de gunoi?"), + "enable": MessageLookupByLibrary.simpleMessage("Activare"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "Ente acceptă învățarea automată pe dispozitiv pentru recunoaștere facială, căutarea magică și alte funcții avansate de căutare"), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Activați învățarea automată pentru a folosi căutarea magică și recunoașterea facială"), + "enableMaps": MessageLookupByLibrary.simpleMessage("Activare hărți"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "Se va afișa fotografiile dvs. pe o hartă a lumii.\n\nAceastă hartă este găzduită de Open Street Map, iar locațiile exacte ale fotografiilor dvs. nu sunt niciodată partajate.\n\nPuteți dezactiva această funcție oricând din Setări."), + "enabled": MessageLookupByLibrary.simpleMessage("Activat"), + "encryptingBackup": MessageLookupByLibrary.simpleMessage( + "Criptare copie de rezervă..."), + "encryption": MessageLookupByLibrary.simpleMessage("Criptarea"), + "encryptionKeys": + MessageLookupByLibrary.simpleMessage("Chei de criptare"), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Endpoint actualizat cu succes"), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Criptare integrală implicită"), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente poate cripta și păstra fișiere numai dacă acordați accesul la acestea"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente are nevoie de permisiune pentru a vă păstra fotografiile"), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "Ente vă păstrează amintirile, astfel încât acestea să vă fie întotdeauna disponibile, chiar dacă vă pierdeți dispozitivul."), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "La planul dvs. vi se poate alătura și familia."), + "enterAlbumName": MessageLookupByLibrary.simpleMessage( + "Introduceți numele albumului"), + "enterCode": MessageLookupByLibrary.simpleMessage("Introduceți codul"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Introduceți codul oferit de prietenul dvs. pentru a beneficia de spațiu gratuit pentru amândoi"), + "enterDateOfBirth": + MessageLookupByLibrary.simpleMessage("Ziua de naștere (opțional)"), + "enterEmail": + MessageLookupByLibrary.simpleMessage("Introduceți e-mailul"), + "enterFileName": MessageLookupByLibrary.simpleMessage( + "Introduceți numele fișierului"), + "enterName": MessageLookupByLibrary.simpleMessage("Introduceți numele"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Introduceți o parolă nouă pe care o putem folosi pentru a cripta datele"), + "enterPassword": + MessageLookupByLibrary.simpleMessage("Introduceți parola"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Introduceți o parolă pe care o putem folosi pentru a decripta datele"), + "enterPersonName": MessageLookupByLibrary.simpleMessage( + "Introduceți numele persoanei"), + "enterPin": + MessageLookupByLibrary.simpleMessage("Introduceţi codul PIN"), + "enterReferralCode": MessageLookupByLibrary.simpleMessage( + "Introduceţi codul de recomandare"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Introduceți codul de 6 cifre\ndin aplicația de autentificare"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să introduceți o adresă de e-mail validă."), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Introduceți adresa de e-mail"), + "enterYourPassword": + MessageLookupByLibrary.simpleMessage("Introduceţi parola"), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Introduceți cheia de recuperare"), + "error": MessageLookupByLibrary.simpleMessage("Eroare"), + "everywhere": MessageLookupByLibrary.simpleMessage("pretutindeni"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": + MessageLookupByLibrary.simpleMessage("Utilizator existent"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Acest link a expirat. Vă rugăm să selectați un nou termen de expirare sau să dezactivați expirarea linkului."), + "exportLogs": + MessageLookupByLibrary.simpleMessage("Exportați jurnalele"), + "exportYourData": + MessageLookupByLibrary.simpleMessage("Export de date"), + "extraPhotosFound": + MessageLookupByLibrary.simpleMessage("S-au găsit fotografii extra"), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Fața nu este încă grupată, vă rugăm să reveniți mai târziu"), + "faceRecognition": + MessageLookupByLibrary.simpleMessage("Recunoaștere facială"), + "faces": MessageLookupByLibrary.simpleMessage("Fețe"), + "failedToApplyCode": + MessageLookupByLibrary.simpleMessage("Codul nu a putut fi aplicat"), + "failedToCancel": + MessageLookupByLibrary.simpleMessage("Nu s-a reușit anularea"), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( + "Descărcarea videoclipului nu a reușit"), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Nu s-a reușit preluarea sesiunilor active"), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Nu s-a reușit preluarea originalului pentru editare"), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Nu se pot obține detaliile recomandării. Vă rugăm să încercați din nou mai târziu."), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "Încărcarea albumelor nu a reușit"), + "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Eroare la redarea videoclipului"), + "failedToRefreshStripeSubscription": + MessageLookupByLibrary.simpleMessage( + "Nu s-a reușit reîmprospătarea abonamentului"), + "failedToRenew": + MessageLookupByLibrary.simpleMessage("Nu s-a reușit reînnoirea"), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Verificarea stării plății nu a reușit"), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Adăugați 5 membri ai familiei la planul dvs. existent fără a plăti suplimentar.\n\nFiecare membru primește propriul spațiu privat și nu poate vedea fișierele celuilalt decât dacă acestea sunt partajate.\n\nPlanurile de familie sunt disponibile pentru clienții care au un abonament Ente plătit.\n\nAbonați-vă acum pentru a începe!"), + "familyPlanPortalTitle": + MessageLookupByLibrary.simpleMessage("Familie"), + "familyPlans": + MessageLookupByLibrary.simpleMessage("Planuri de familie"), + "faq": MessageLookupByLibrary.simpleMessage("Întrebări frecvente"), + "faqs": MessageLookupByLibrary.simpleMessage("Întrebări frecvente"), + "favorite": MessageLookupByLibrary.simpleMessage("Favorit"), + "feedback": MessageLookupByLibrary.simpleMessage("Feedback"), + "file": MessageLookupByLibrary.simpleMessage("Fișier"), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Salvarea fișierului în galerie nu a reușit"), + "fileInfoAddDescHint": + MessageLookupByLibrary.simpleMessage("Adăugați o descriere..."), + "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( + "Fișierul nu a fost încărcat încă"), + "fileSavedToGallery": + MessageLookupByLibrary.simpleMessage("Fișier salvat în galerie"), + "fileTypes": MessageLookupByLibrary.simpleMessage("Tipuri de fișiere"), + "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( + "Tipuri de fișiere și denumiri"), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage("Fișiere șterse"), + "filesSavedToGallery": + MessageLookupByLibrary.simpleMessage("Fișiere salvate în galerie"), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "Găsiți rapid persoane după nume"), + "findThemQuickly": MessageLookupByLibrary.simpleMessage("Găsiți rapid"), + "flip": MessageLookupByLibrary.simpleMessage("Răsturnare"), + "forYourMemories": + MessageLookupByLibrary.simpleMessage("pentru amintirile dvs."), + "forgotPassword": + MessageLookupByLibrary.simpleMessage("Am uitat parola"), + "foundFaces": MessageLookupByLibrary.simpleMessage("S-au găsit fețe"), + "freeStorageClaimed": + MessageLookupByLibrary.simpleMessage("Spațiu gratuit revendicat"), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": + MessageLookupByLibrary.simpleMessage("Spațiu gratuit utilizabil"), + "freeTrial": MessageLookupByLibrary.simpleMessage( + "Perioadă de încercare gratuită"), + "freeTrialValidTill": m38, + "freeUpAmount": m40, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( + "Eliberați spațiu pe dispozitiv"), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Economisiți spațiu pe dispozitivul dvs. prin ștergerea fișierelor cărora li s-a făcut copie de rezervă."), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("Eliberați spațiu"), + "gallery": MessageLookupByLibrary.simpleMessage("Galerie"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "Până la 1000 de amintiri afișate în galerie"), + "general": MessageLookupByLibrary.simpleMessage("General"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Se generează cheile de criptare..."), + "genericProgress": m42, + "goToSettings": + MessageLookupByLibrary.simpleMessage("Mergeți la setări"), + "googlePlayId": MessageLookupByLibrary.simpleMessage("ID Google Play"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să permiteți accesul la toate fotografiile în aplicația Setări"), + "grantPermission": + MessageLookupByLibrary.simpleMessage("Acordați permisiunea"), + "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( + "Grupare fotografii apropiate"), + "guestView": MessageLookupByLibrary.simpleMessage("Mod oaspete"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "Pentru a activa modul oaspete, vă rugăm să configurați codul de acces al dispozitivului sau blocarea ecranului în setările sistemului."), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "Nu urmărim instalările aplicației. Ne-ar ajuta dacă ne-ați spune unde ne-ați găsit!"), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Cum ați auzit de Ente? (opțional)"), + "help": MessageLookupByLibrary.simpleMessage("Asistență"), + "hidden": MessageLookupByLibrary.simpleMessage("Ascunse"), + "hide": MessageLookupByLibrary.simpleMessage("Ascundere"), + "hideContent": + MessageLookupByLibrary.simpleMessage("Ascundeți conținutul"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Ascunde conținutul aplicației în comutatorul de aplicații și dezactivează capturile de ecran"), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Ascunde conținutul aplicației în comutatorul de aplicații"), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Ascundeți elementele distribuite din galeria principală"), + "hiding": MessageLookupByLibrary.simpleMessage("Se ascunde..."), + "hostedAtOsmFrance": + MessageLookupByLibrary.simpleMessage("Găzduit la OSM Franţa"), + "howItWorks": MessageLookupByLibrary.simpleMessage("Cum funcţionează"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Rugați-i să țină apăsat pe adresa de e-mail din ecranul de setări și să verifice dacă ID-urile de pe ambele dispozitive se potrivesc."), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Autentificarea biometrică nu este configurată pe dispozitivul dvs. Vă rugăm să activați Touch ID sau Face ID pe telefonul dvs."), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "Autentificarea biometrică este dezactivată. Vă rugăm să blocați și să deblocați ecranul pentru a o activa."), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorare"), + "ignored": MessageLookupByLibrary.simpleMessage("ignorat"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Unele fișiere din acest album sunt excluse de la încărcare deoarece au fost șterse anterior din Ente."), + "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( + "Imaginea nu a fost analizată"), + "immediately": MessageLookupByLibrary.simpleMessage("Imediat"), + "importing": MessageLookupByLibrary.simpleMessage("Se importă...."), + "incorrectCode": MessageLookupByLibrary.simpleMessage("Cod incorect"), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("Parolă incorectă"), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Cheie de recuperare incorectă"), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Cheia de recuperare introdusă este incorectă"), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Cheie de recuperare incorectă"), + "indexedItems": + MessageLookupByLibrary.simpleMessage("Elemente indexate"), + "info": MessageLookupByLibrary.simpleMessage("Informații"), + "insecureDevice": + MessageLookupByLibrary.simpleMessage("Dispozitiv nesigur"), + "installManually": + MessageLookupByLibrary.simpleMessage("Instalare manuală"), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "Adresa e-mail nu este validă"), + "invalidEndpoint": + MessageLookupByLibrary.simpleMessage("Endpoint invalid"), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Ne pare rău, endpoint-ul introdus nu este valabil. Vă rugăm să introduceți un endpoint valid și să încercați din nou."), + "invalidKey": MessageLookupByLibrary.simpleMessage("Cheie invalidă"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Cheia de recuperare pe care ați introdus-o nu este validă. Vă rugăm să vă asigurați că aceasta conține 24 de cuvinte și să verificați ortografia fiecăruia.\n\nDacă ați introdus un cod de recuperare mai vechi, asigurați-vă că acesta conține 64 de caractere și verificați fiecare dintre ele."), + "invite": MessageLookupByLibrary.simpleMessage("Invitați"), + "inviteToEnte": + MessageLookupByLibrary.simpleMessage("Invitați la Ente"), + "inviteYourFriends": + MessageLookupByLibrary.simpleMessage("Invitați-vă prietenii"), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "Invitați-vă prietenii la Ente"), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Se pare că ceva nu a mers bine. Vă rugăm să încercați din nou după ceva timp. Dacă eroarea persistă, vă rugăm să contactați echipa noastră de asistență."), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "Articolele afișează numărul de zile rămase până la ștergerea definitivă"), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Articolele selectate vor fi eliminate din acest album"), + "join": MessageLookupByLibrary.simpleMessage("Alăturare"), + "joinAlbum": + MessageLookupByLibrary.simpleMessage("Alăturați-vă albumului"), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( + "pentru a vedea și a adăuga fotografii"), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "pentru a adăuga la albumele distribuite"), + "joinDiscord": + MessageLookupByLibrary.simpleMessage("Alăturați-vă pe Discord"), + "keepPhotos": + MessageLookupByLibrary.simpleMessage("Păstrați fotografiile"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să ne ajutați cu aceste informații"), + "language": MessageLookupByLibrary.simpleMessage("Limbă"), + "lastUpdated": + MessageLookupByLibrary.simpleMessage("Ultima actualizare"), + "leave": MessageLookupByLibrary.simpleMessage("Părăsiți"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Părăsiți albumul"), + "leaveFamily": MessageLookupByLibrary.simpleMessage("Părăsiți familia"), + "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Părăsiți albumul distribuit?"), + "left": MessageLookupByLibrary.simpleMessage("Stânga"), + "legacy": MessageLookupByLibrary.simpleMessage("Moștenire"), + "legacyAccounts": + MessageLookupByLibrary.simpleMessage("Conturi de moștenire"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "Moștenirea permite contactelor de încredere să vă acceseze contul în absența dvs."), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "Persoanele de contact de încredere pot iniția recuperarea contului și, dacă nu este blocată în termen de 30 de zile, vă pot reseta parola și accesa contul."), + "light": MessageLookupByLibrary.simpleMessage("Lumină"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Luminoasă"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Linkul a fost copiat în clipboard"), + "linkDeviceLimit": + MessageLookupByLibrary.simpleMessage("Limită de dispozitive"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Activat"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Expirat"), + "linkExpiresOn": m47, + "linkExpiry": + MessageLookupByLibrary.simpleMessage("Expirarea linkului"), + "linkHasExpired": + MessageLookupByLibrary.simpleMessage("Linkul a expirat"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Niciodată"), + "livePhotos": MessageLookupByLibrary.simpleMessage("Fotografii live"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "Puteți împărți abonamentul cu familia dvs."), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "Păstrăm 3 copii ale datelor dvs., dintre care una într-un adăpost antiatomic subteran"), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "Toate aplicațiile noastre sunt open source"), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Codul nostru sursă și criptografia au fost evaluate extern"), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "Puteți distribui linkuri către albumele dvs. celor dragi"), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Aplicațiile noastre mobile rulează în fundal pentru a cripta și salva orice fotografie nouă pe care o realizați"), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io are un instrument de încărcare sofisticat"), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Folosim Xchacha20Poly1305 pentru a vă cripta datele în siguranță"), + "loadingExifData": + MessageLookupByLibrary.simpleMessage("Se încarcă date EXIF..."), + "loadingGallery": + MessageLookupByLibrary.simpleMessage("Se încarcă galeria..."), + "loadingMessage": + MessageLookupByLibrary.simpleMessage("Se încarcă fotografiile..."), + "loadingModel": + MessageLookupByLibrary.simpleMessage("Se descarcă modelele..."), + "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( + "Se încarcă fotografiile dvs..."), + "localGallery": MessageLookupByLibrary.simpleMessage("Galerie locală"), + "localIndexing": + MessageLookupByLibrary.simpleMessage("Indexare locală"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Se pare că ceva nu a mers bine, deoarece sincronizarea fotografiilor locale durează mai mult decât ne așteptam. Vă rugăm să contactați echipa noastră de asistență"), + "location": MessageLookupByLibrary.simpleMessage("Locație"), + "locationName": MessageLookupByLibrary.simpleMessage("Numele locației"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "O etichetă de locație grupează toate fotografiile care au fost făcute pe o anumită rază a unei fotografii"), + "locations": MessageLookupByLibrary.simpleMessage("Locații"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Blocat"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Ecran de blocare"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Conectare"), + "loggingOut": + MessageLookupByLibrary.simpleMessage("Se deconectează..."), + "loginSessionExpired": + MessageLookupByLibrary.simpleMessage("Sesiune expirată"), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "Sesiunea a expirat. Vă rugăm să vă autentificați din nou."), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Apăsând pe „Conectare”, sunteți de acord cu termenii de prestare ai serviciului și politica de confidenţialitate"), + "loginWithTOTP": MessageLookupByLibrary.simpleMessage( + "Autentificare cu parolă unică (TOTP)"), + "logout": MessageLookupByLibrary.simpleMessage("Deconectare"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "Aceasta va trimite jurnalele pentru a ne ajuta să depistăm problema. Vă rugăm să rețineți că numele fișierelor vor fi incluse pentru a ne ajuta să urmărim problemele cu anumite fișiere."), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Apăsați lung un e-mail pentru a verifica criptarea integrală."), + "longpressOnAnItemToViewInFullscreen": + MessageLookupByLibrary.simpleMessage( + "Apăsați lung pe un articol pentru a-l vizualiza pe tot ecranul"), + "loopVideoOff": + MessageLookupByLibrary.simpleMessage("Repetare video dezactivată"), + "loopVideoOn": + MessageLookupByLibrary.simpleMessage("Repetare video activată"), + "lostDevice": + MessageLookupByLibrary.simpleMessage("Dispozitiv pierdut?"), + "machineLearning": + MessageLookupByLibrary.simpleMessage("Învățare automată"), + "magicSearch": MessageLookupByLibrary.simpleMessage("Căutare magică"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "Căutarea magică permite căutarea fotografiilor după conținutul lor, de exemplu, „floare”, „mașină roșie”, „documente de identitate”"), + "manage": MessageLookupByLibrary.simpleMessage("Gestionare"), + "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( + "Gestionați memoria cache a dispozitivului"), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Revizuiți și ștergeți spațiul din memoria cache locală."), + "manageFamily": + MessageLookupByLibrary.simpleMessage("Administrați familia"), + "manageLink": MessageLookupByLibrary.simpleMessage("Gestionați linkul"), + "manageParticipants": + MessageLookupByLibrary.simpleMessage("Gestionare"), + "manageSubscription": + MessageLookupByLibrary.simpleMessage("Gestionare abonament"), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "Asocierea cu PIN funcționează cu orice ecran pe care doriți să vizualizați albumul."), + "map": MessageLookupByLibrary.simpleMessage("Hartă"), + "maps": MessageLookupByLibrary.simpleMessage("Hărţi"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "merchandise": MessageLookupByLibrary.simpleMessage("Produse"), + "mergeWithExisting": + MessageLookupByLibrary.simpleMessage("Îmbinare cu unul existent"), + "mergedPhotos": + MessageLookupByLibrary.simpleMessage("Fotografii combinate"), + "mlConsent": + MessageLookupByLibrary.simpleMessage("Activați învățarea automată"), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Înțeleg și doresc să activez învățarea automată"), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Dacă activați învățarea automată, Ente va extrage informații precum geometria fețelor din fișiere, inclusiv din cele distribuite cu dvs.\n\nAcest lucru se va întâmpla pe dispozitivul dvs., iar orice informații biometrice generate vor fi criptate integral."), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să faceți clic aici pentru mai multe detalii despre această funcție în politica de confidențialitate"), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "Activați învățarea automată?"), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să rețineți că învățarea automată va duce la o utilizare mai mare a lățimii de bandă și a bateriei până când toate elementele sunt indexate. Luați în considerare utilizarea aplicației desktop pentru o indexare mai rapidă, toate rezultatele vor fi sincronizate automat."), + "mobileWebDesktop": + MessageLookupByLibrary.simpleMessage("Mobil, Web, Desktop"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Moderată"), + "modifyYourQueryOrTrySearchingFor": + MessageLookupByLibrary.simpleMessage( + "Modificați interogarea sau încercați să căutați"), + "moments": MessageLookupByLibrary.simpleMessage("Momente"), + "month": MessageLookupByLibrary.simpleMessage("lună"), + "monthly": MessageLookupByLibrary.simpleMessage("Lunar"), + "moreDetails": + MessageLookupByLibrary.simpleMessage("Mai multe detalii"), + "mostRecent": MessageLookupByLibrary.simpleMessage("Cele mai recente"), + "mostRelevant": + MessageLookupByLibrary.simpleMessage("Cele mai relevante"), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("Mutare în album"), + "moveToHiddenAlbum": + MessageLookupByLibrary.simpleMessage("Mutați în albumul ascuns"), + "movedSuccessfullyTo": m52, + "movedToTrash": + MessageLookupByLibrary.simpleMessage("S-a mutat în coșul de gunoi"), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Se mută fișierele în album..."), + "name": MessageLookupByLibrary.simpleMessage("Nume"), + "nameTheAlbum": + MessageLookupByLibrary.simpleMessage("Denumiți albumul"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Nu se poate conecta la Ente, vă rugăm să reîncercați după un timp. Dacă eroarea persistă, contactați asistența."), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Nu se poate conecta la Ente, vă rugăm să verificați setările de rețea și să contactați asistenta dacă eroarea persistă."), + "never": MessageLookupByLibrary.simpleMessage("Niciodată"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Album nou"), + "newLocation": MessageLookupByLibrary.simpleMessage("Locație nouă"), + "newPerson": MessageLookupByLibrary.simpleMessage("Persoană nouă"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Nou la Ente"), + "newest": MessageLookupByLibrary.simpleMessage("Cele mai noi"), + "next": MessageLookupByLibrary.simpleMessage("Înainte"), + "no": MessageLookupByLibrary.simpleMessage("Nu"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Niciun album nu a fost distribuit de dvs. încă"), + "noDeviceFound": + MessageLookupByLibrary.simpleMessage("Niciun dispozitiv găsit"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Niciuna"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "Nu aveți fișiere pe acest dispozitiv care pot fi șterse"), + "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Fără dubluri"), + "noExifData": + MessageLookupByLibrary.simpleMessage("Nu există date EXIF"), + "noFacesFound": + MessageLookupByLibrary.simpleMessage("Nu au fost găsite fețe"), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "Fără poze sau videoclipuri ascunse"), + "noImagesWithLocation": + MessageLookupByLibrary.simpleMessage("Nicio imagine cu locație"), + "noInternetConnection": MessageLookupByLibrary.simpleMessage( + "Nu există conexiune la internet"), + "noPhotosAreBeingBackedUpRightNow": + MessageLookupByLibrary.simpleMessage( + "Nicio fotografie nu este salvată în acest moment"), + "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( + "Nu s-au găsit fotografii aici"), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( + "Nu au fost găsite linkuri rapide"), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Nu aveți cheia de recuperare?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Datorită naturii protocolului nostru de criptare integrală, datele dvs. nu pot fi decriptate fără parola sau cheia dvs. de recuperare"), + "noResults": MessageLookupByLibrary.simpleMessage("Niciun rezultat"), + "noResultsFound": + MessageLookupByLibrary.simpleMessage("Nu s-au găsit rezultate"), + "noSuggestionsForPerson": m53, + "noSystemLockFound": MessageLookupByLibrary.simpleMessage( + "Nu s-a găsit nicio blocare de sistem"), + "notPersonLabel": m54, + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "Nimic distribuit cu dvs. încă"), + "nothingToSeeHere": + MessageLookupByLibrary.simpleMessage("Nimic de văzut aici! 👀"), + "notifications": MessageLookupByLibrary.simpleMessage("Notificări"), + "ok": MessageLookupByLibrary.simpleMessage("Ok"), + "onDevice": MessageLookupByLibrary.simpleMessage("Pe dispozitiv"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "Pe ente"), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Numai el/ea"), + "oops": MessageLookupByLibrary.simpleMessage("Ups"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Hopa, nu s-au putut salva editările"), + "oopsSomethingWentWrong": + MessageLookupByLibrary.simpleMessage("Hopa, ceva nu a mers bine"), + "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( + "Deschideți albumul în browser"), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să utilizați aplicația web pentru a adăuga fotografii la acest album"), + "openFile": MessageLookupByLibrary.simpleMessage("Deschidere fișier"), + "openSettings": + MessageLookupByLibrary.simpleMessage("Deschideți Setări"), + "openTheItem": + MessageLookupByLibrary.simpleMessage("• Deschideți articolul"), + "openstreetmapContributors": + MessageLookupByLibrary.simpleMessage("Contribuitori OpenStreetMap"), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Opțional, cât de scurt doriți..."), + "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( + "Sau îmbinați cu cele existente"), + "orPickAnExistingOne": + MessageLookupByLibrary.simpleMessage("Sau alegeți unul existent"), + "pair": MessageLookupByLibrary.simpleMessage("Asociere"), + "pairWithPin": MessageLookupByLibrary.simpleMessage("Asociere cu PIN"), + "pairingComplete": + MessageLookupByLibrary.simpleMessage("Asociere reușită"), + "panorama": MessageLookupByLibrary.simpleMessage("Panoramă"), + "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( + "Verificarea este încă în așteptare"), + "passkey": MessageLookupByLibrary.simpleMessage("Cheie de acces"), + "passkeyAuthTitle": + MessageLookupByLibrary.simpleMessage("Verificare cheie de acces"), + "password": MessageLookupByLibrary.simpleMessage("Parolă"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Parola a fost schimbată cu succes"), + "passwordLock": + MessageLookupByLibrary.simpleMessage("Blocare cu parolă"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "Puterea parolei este calculată luând în considerare lungimea parolei, caracterele utilizate și dacă parola apare sau nu în top 10.000 cele mai utilizate parole"), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Nu reținem această parolă, deci dacă o uitați nu vă putem decripta datele"), + "paymentDetails": + MessageLookupByLibrary.simpleMessage("Detalii de plată"), + "paymentFailed": + MessageLookupByLibrary.simpleMessage("Plata nu a reușit"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "Din păcate, plata dvs. nu a reușit. Vă rugăm să contactați asistență și vom fi bucuroși să vă ajutăm!"), + "paymentFailedTalkToProvider": m58, + "pendingItems": + MessageLookupByLibrary.simpleMessage("Elemente în așteptare"), + "pendingSync": + MessageLookupByLibrary.simpleMessage("Sincronizare în așteptare"), + "people": MessageLookupByLibrary.simpleMessage("Persoane"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Persoane care folosesc codul dvs."), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Toate articolele din coșul de gunoi vor fi șterse definitiv\n\nAceastă acțiune nu poate fi anulată"), + "permanentlyDelete": + MessageLookupByLibrary.simpleMessage("Ștergere definitivă"), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Ștergeți permanent de pe dispozitiv?"), + "personName": MessageLookupByLibrary.simpleMessage("Numele persoanei"), + "photoDescriptions": + MessageLookupByLibrary.simpleMessage("Descrieri fotografie"), + "photoGridSize": + MessageLookupByLibrary.simpleMessage("Dimensiunea grilei foto"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("fotografie"), + "photos": MessageLookupByLibrary.simpleMessage("Fotografii"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "Fotografiile adăugate de dvs. vor fi eliminate din album"), + "pickCenterPoint": + MessageLookupByLibrary.simpleMessage("Alegeți punctul central"), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Fixați albumul"), + "pinLock": MessageLookupByLibrary.simpleMessage("Blocare PIN"), + "playOnTv": MessageLookupByLibrary.simpleMessage("Redare album pe TV"), + "playStoreFreeTrialValidTill": m63, + "playstoreSubscription": + MessageLookupByLibrary.simpleMessage("Abonament PlayStore"), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Vă rugăm să verificați conexiunea la internet și să încercați din nou."), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Vă rugăm să contactați support@ente.io și vom fi bucuroși să vă ajutăm!"), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Vă rugăm să contactați asistența dacă problema persistă"), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să acordați permisiuni"), + "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( + "Vă rugăm, autentificați-vă din nou"), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să selectați linkurile rapide de eliminat"), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să încercați din nou"), + "pleaseVerifyTheCodeYouHaveEntered": + MessageLookupByLibrary.simpleMessage( + "Vă rugăm să verificați codul introdus"), + "pleaseWait": + MessageLookupByLibrary.simpleMessage("Vă rugăm așteptați..."), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Vă rugăm așteptați, se șterge albumul"), + "pleaseWaitForSometimeBeforeRetrying": + MessageLookupByLibrary.simpleMessage( + "Vă rugăm să așteptați un moment înainte să reîncercați"), + "preparingLogs": + MessageLookupByLibrary.simpleMessage("Se pregătesc jurnalele..."), + "preserveMore": + MessageLookupByLibrary.simpleMessage("Păstrați mai multe"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Apăsați lung pentru a reda videoclipul"), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Apăsați lung pe imagine pentru a reda videoclipul"), + "privacy": MessageLookupByLibrary.simpleMessage("Confidențialitate"), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "Politică de confidențialitate"), + "privateBackups": + MessageLookupByLibrary.simpleMessage("Copii de rezervă private"), + "privateSharing": + MessageLookupByLibrary.simpleMessage("Distribuire privată"), + "proceed": MessageLookupByLibrary.simpleMessage("Continuați"), + "processed": MessageLookupByLibrary.simpleMessage("Procesate"), + "processingImport": m67, + "publicLinkCreated": + MessageLookupByLibrary.simpleMessage("Link public creat"), + "publicLinkEnabled": + MessageLookupByLibrary.simpleMessage("Link public activat"), + "quickLinks": MessageLookupByLibrary.simpleMessage("Link-uri rapide"), + "radius": MessageLookupByLibrary.simpleMessage("Rază"), + "raiseTicket": + MessageLookupByLibrary.simpleMessage("Solicitați asistență"), + "rateTheApp": + MessageLookupByLibrary.simpleMessage("Evaluați aplicația"), + "rateUs": MessageLookupByLibrary.simpleMessage("Evaluați-ne"), + "rateUsOnStore": m68, + "recover": MessageLookupByLibrary.simpleMessage("Recuperare"), + "recoverAccount": + MessageLookupByLibrary.simpleMessage("Recuperare cont"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Recuperare"), + "recoveryAccount": + MessageLookupByLibrary.simpleMessage("Recuperare cont"), + "recoveryInitiated": + MessageLookupByLibrary.simpleMessage("Recuperare inițiată"), + "recoveryInitiatedDesc": m70, + "recoveryKey": + MessageLookupByLibrary.simpleMessage("Cheie de recuperare"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Cheie de recuperare copiată în clipboard"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Dacă vă uitați parola, singura cale de a vă recupera datele este folosind această cheie."), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Nu reținem această cheie, vă rugăm să păstrați această cheie de 24 de cuvinte într-un loc sigur."), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Super! Cheia dvs. de recuperare este validă. Vă mulțumim pentru verificare.\n\nVă rugăm să nu uitați să păstrați cheia de recuperare în siguranță."), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Cheie de recuperare verificată"), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Cheia dvs. de recuperare este singura modalitate de a vă recupera fotografiile dacă uitați parola. Puteți găsi cheia dvs. de recuperare în Setări > Cont.\n\nVă rugăm să introduceți aici cheia de recuperare pentru a verifica dacă ați salvat-o corect."), + "recoveryReady": m71, + "recoverySuccessful": + MessageLookupByLibrary.simpleMessage("Recuperare reușită!"), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "Un contact de încredere încearcă să vă acceseze contul"), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Dispozitivul actual nu este suficient de puternic pentru a vă verifica parola, dar o putem regenera într-un mod care să funcționeze cu toate dispozitivele.\n\nVă rugăm să vă conectați utilizând cheia de recuperare și să vă regenerați parola (dacă doriți, o puteți utiliza din nou pe aceeași)."), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("Refaceți parola"), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": + MessageLookupByLibrary.simpleMessage("Reintroduceți parola"), + "reenterPin": + MessageLookupByLibrary.simpleMessage("Reintroduceți codul PIN"), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Recomandați un prieten și dublați-vă planul"), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Dați acest cod prietenilor"), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Aceștia se înscriu la un plan cu plată"), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Recomandări"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "Recomandările sunt momentan întrerupte"), + "rejectRecovery": + MessageLookupByLibrary.simpleMessage("Respingeți recuperarea"), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "De asemenea, goliți dosarul „Șterse recent” din „Setări” -> „Spațiu” pentru a recupera spațiul eliberat"), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "De asemenea, goliți „Coșul de gunoi” pentru a revendica spațiul eliberat"), + "remoteImages": + MessageLookupByLibrary.simpleMessage("Imagini la distanță"), + "remoteThumbnails": + MessageLookupByLibrary.simpleMessage("Miniaturi la distanță"), + "remoteVideos": + MessageLookupByLibrary.simpleMessage("Videoclipuri la distanță"), + "remove": MessageLookupByLibrary.simpleMessage("Eliminare"), + "removeDuplicates": + MessageLookupByLibrary.simpleMessage("Eliminați dublurile"), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Revizuiți și eliminați fișierele care sunt dubluri exacte."), + "removeFromAlbum": + MessageLookupByLibrary.simpleMessage("Eliminați din album"), + "removeFromAlbumTitle": + MessageLookupByLibrary.simpleMessage("Eliminați din album?"), + "removeFromFavorite": + MessageLookupByLibrary.simpleMessage("Eliminați din favorite"), + "removeInvite": + MessageLookupByLibrary.simpleMessage("Eliminare invitație"), + "removeLink": MessageLookupByLibrary.simpleMessage("Eliminați linkul"), + "removeParticipant": + MessageLookupByLibrary.simpleMessage("Eliminați participantul"), + "removeParticipantBody": m74, + "removePersonLabel": MessageLookupByLibrary.simpleMessage( + "Eliminați eticheta persoanei"), + "removePublicLink": + MessageLookupByLibrary.simpleMessage("Eliminați linkul public"), + "removePublicLinks": + MessageLookupByLibrary.simpleMessage("Eliminați linkurile publice"), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Unele dintre articolele pe care le eliminați au fost adăugate de alte persoane și veți pierde accesul la acestea"), + "removeWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Eliminați?"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Eliminați-vă ca persoană de contact de încredere"), + "removingFromFavorites": + MessageLookupByLibrary.simpleMessage("Se elimină din favorite..."), + "rename": MessageLookupByLibrary.simpleMessage("Redenumire"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("Redenumire album"), + "renameFile": + MessageLookupByLibrary.simpleMessage("Redenumiți fișierul"), + "renewSubscription": + MessageLookupByLibrary.simpleMessage("Reînnoire abonament"), + "renewsOn": m75, + "reportABug": + MessageLookupByLibrary.simpleMessage("Raportați o eroare"), + "reportBug": MessageLookupByLibrary.simpleMessage("Raportare eroare"), + "resendEmail": + MessageLookupByLibrary.simpleMessage("Retrimitere e-mail"), + "resetIgnoredFiles": + MessageLookupByLibrary.simpleMessage("Resetare fișiere ignorate"), + "resetPasswordTitle": + MessageLookupByLibrary.simpleMessage("Resetați parola"), + "resetPerson": MessageLookupByLibrary.simpleMessage("Eliminare"), + "resetToDefault": MessageLookupByLibrary.simpleMessage( + "Resetare la valori implicite"), + "restore": MessageLookupByLibrary.simpleMessage("Restaurare"), + "restoreToAlbum": + MessageLookupByLibrary.simpleMessage("Restaurare în album"), + "restoringFiles": + MessageLookupByLibrary.simpleMessage("Se restaurează fișierele..."), + "resumableUploads": + MessageLookupByLibrary.simpleMessage("Reluare încărcări"), + "retry": MessageLookupByLibrary.simpleMessage("Încercați din nou"), + "review": MessageLookupByLibrary.simpleMessage("Examinați"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să revizuiți și să ștergeți articolele pe care le considerați a fi dubluri."), + "reviewSuggestions": + MessageLookupByLibrary.simpleMessage("Revizuire sugestii"), + "right": MessageLookupByLibrary.simpleMessage("Dreapta"), + "rotate": MessageLookupByLibrary.simpleMessage("Rotire"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Rotire la stânga"), + "rotateRight": + MessageLookupByLibrary.simpleMessage("Rotire la dreapta"), + "safelyStored": + MessageLookupByLibrary.simpleMessage("Stocare în siguranță"), + "save": MessageLookupByLibrary.simpleMessage("Salvare"), + "saveCollage": MessageLookupByLibrary.simpleMessage("Salvați colajul"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Salvare copie"), + "saveKey": MessageLookupByLibrary.simpleMessage("Salvați cheia"), + "savePerson": MessageLookupByLibrary.simpleMessage("Salvați persoana"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Salvați cheia de recuperare, dacă nu ați făcut-o deja"), + "saving": MessageLookupByLibrary.simpleMessage("Se salvează..."), + "savingEdits": + MessageLookupByLibrary.simpleMessage("Se salvează editările..."), + "scanCode": MessageLookupByLibrary.simpleMessage("Scanare cod"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Scanați acest cod de bare\ncu aplicația de autentificare"), + "search": MessageLookupByLibrary.simpleMessage("Căutare"), + "searchAlbumsEmptySection": + MessageLookupByLibrary.simpleMessage("Albume"), + "searchByAlbumNameHint": + MessageLookupByLibrary.simpleMessage("Nume album"), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Nume de album (ex. „Cameră”)\n• Tipuri de fișiere (ex. „Videoclipuri”, „.gif”)\n• Ani și luni (ex. „2022”, „Ianuarie”)\n• Sărbători (ex. „Crăciun”)\n• Descrieri ale fotografiilor (ex. „#distracție”)"), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Adăugați descrieri precum „#excursie” în informațiile fotografiilor pentru a le găsi ușor aici"), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Căutare după o dată, o lună sau un an"), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "Imaginile vor fi afișate aici odată ce procesarea și sincronizarea este completă"), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "Persoanele vor fi afișate aici odată ce indexarea este finalizată"), + "searchFileTypesAndNamesEmptySection": + MessageLookupByLibrary.simpleMessage( + "Tipuri de fișiere și denumiri"), + "searchHint1": MessageLookupByLibrary.simpleMessage( + "Căutare rapidă, pe dispozitiv"), + "searchHint2": MessageLookupByLibrary.simpleMessage( + "Date, descrieri ale fotografiilor"), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "Albume, numele fișierelor și tipuri"), + "searchHint4": MessageLookupByLibrary.simpleMessage("Locație"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "În curând: chipuri și căutare magică ✨"), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Grupare fotografii realizate în raza unei fotografii"), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "Invitați persoane și veți vedea aici toate fotografiile distribuite de acestea"), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "Persoanele vor fi afișate aici odată ce procesarea și sincronizarea este completă"), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Securitate"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "Vedeți linkurile albumelor publice în aplicație"), + "selectALocation": + MessageLookupByLibrary.simpleMessage("Selectați o locație"), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage( + "Selectați mai întâi o locație"), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Selectare album"), + "selectAll": MessageLookupByLibrary.simpleMessage("Selectare totală"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("Toate"), + "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( + "Selectați fotografia de copertă"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Selectați folderele pentru copie de rezervă"), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "Selectați elementele de adăugat"), + "selectLanguage": + MessageLookupByLibrary.simpleMessage("Selectaţi limba"), + "selectMailApp": MessageLookupByLibrary.simpleMessage( + "Selectați aplicația de e-mail"), + "selectMorePhotos": MessageLookupByLibrary.simpleMessage( + "Selectați mai multe fotografii"), + "selectReason": + MessageLookupByLibrary.simpleMessage("Selectați motivul"), + "selectYourPlan": + MessageLookupByLibrary.simpleMessage("Selectați planul"), + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Fișierele selectate nu sunt pe Ente"), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Dosarele selectate vor fi criptate și salvate"), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Articolele selectate vor fi șterse din toate albumele și mutate în coșul de gunoi."), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "send": MessageLookupByLibrary.simpleMessage("Trimitere"), + "sendEmail": MessageLookupByLibrary.simpleMessage("Trimiteți e-mail"), + "sendInvite": + MessageLookupByLibrary.simpleMessage("Trimiteți invitația"), + "sendLink": MessageLookupByLibrary.simpleMessage("Trimitere link"), + "serverEndpoint": MessageLookupByLibrary.simpleMessage( + "Adresa (endpoint) server-ului"), + "sessionExpired": + MessageLookupByLibrary.simpleMessage("Sesiune expirată"), + "sessionIdMismatch": + MessageLookupByLibrary.simpleMessage("Nepotrivire ID sesiune"), + "setAPassword": MessageLookupByLibrary.simpleMessage("Setați o parolă"), + "setAs": MessageLookupByLibrary.simpleMessage("Setare ca"), + "setCover": MessageLookupByLibrary.simpleMessage("Setare copertă"), + "setLabel": MessageLookupByLibrary.simpleMessage("Setare"), + "setNewPassword": + MessageLookupByLibrary.simpleMessage("Setați parola noua"), + "setNewPin": + MessageLookupByLibrary.simpleMessage("Setați un cod nou PIN"), + "setPasswordTitle": + MessageLookupByLibrary.simpleMessage("Setați parola"), + "setRadius": MessageLookupByLibrary.simpleMessage("Setare rază"), + "setupComplete": + MessageLookupByLibrary.simpleMessage("Configurare finalizată"), + "share": MessageLookupByLibrary.simpleMessage("Distribuire"), + "shareALink": + MessageLookupByLibrary.simpleMessage("Distribuiți un link"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Deschideți un album și atingeți butonul de distribuire din dreapta sus pentru a distribui."), + "shareAnAlbumNow": + MessageLookupByLibrary.simpleMessage("Distribuiți un album acum"), + "shareLink": MessageLookupByLibrary.simpleMessage("Distribuiți linkul"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Distribuiți numai cu persoanele pe care le doriți"), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Descarcă Ente pentru a putea distribui cu ușurință fotografii și videoclipuri în calitate originală\n\nhttps://ente.io"), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Distribuiți cu utilizatori din afara Ente"), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": + MessageLookupByLibrary.simpleMessage("Distribuiți primul album"), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Creați albume distribuite și colaborative cu alți utilizatori Ente, inclusiv cu utilizatorii planurilor gratuite."), + "sharedByMe": + MessageLookupByLibrary.simpleMessage("Distribuit de către mine"), + "sharedByYou": + MessageLookupByLibrary.simpleMessage("Distribuite de dvs."), + "sharedPhotoNotifications": + MessageLookupByLibrary.simpleMessage("Fotografii partajate noi"), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Primiți notificări atunci când cineva adaugă o fotografie la un album distribuit din care faceți parte"), + "sharedWith": m87, + "sharedWithMe": MessageLookupByLibrary.simpleMessage("Distribuit mie"), + "sharedWithYou": + MessageLookupByLibrary.simpleMessage("Distribuite cu dvs."), + "sharing": MessageLookupByLibrary.simpleMessage("Se distribuie..."), + "showMemories": + MessageLookupByLibrary.simpleMessage("Afișare amintiri"), + "showPerson": MessageLookupByLibrary.simpleMessage("Afișare persoană"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "Deconectare de pe alte dispozitive"), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Dacă credeți că cineva ar putea să vă cunoască parola, puteți forța toate celelalte dispozitive care utilizează contul dvs. să se deconecteze."), + "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( + "Deconectați alte dispozitive"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Sunt de acord cu termenii de prestare ai serviciului și politica de confidențialitate"), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Acesta va fi șters din toate albumele."), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Omiteți"), + "social": MessageLookupByLibrary.simpleMessage("Rețele socializare"), + "someItemsAreInBothEnteAndYourDevice": + MessageLookupByLibrary.simpleMessage( + "Anumite articole se află atât în Ente, cât și în dispozitiv."), + "someOfTheFilesYouAreTryingToDeleteAre": + MessageLookupByLibrary.simpleMessage( + "Unele dintre fișierele pe care încercați să le ștergeți sunt disponibile numai pe dispozitivul dvs. și nu pot fi recuperate dacă sunt șterse"), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Cineva care distribuie albume cu dvs. ar trebui să vadă același ID pe dispozitivul său."), + "somethingWentWrong": + MessageLookupByLibrary.simpleMessage("Ceva nu a funcţionat corect"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Ceva nu a mers bine, vă rugăm să încercați din nou"), + "sorry": MessageLookupByLibrary.simpleMessage("Ne pare rău"), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Ne pare rău, nu s-a putut adăuga la favorite!"), + "sorryCouldNotRemoveFromFavorites": + MessageLookupByLibrary.simpleMessage( + "Ne pare rău, nu s-a putut elimina din favorite!"), + "sorryTheCodeYouveEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "Ne pare rău, codul introdus este incorect"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Ne pare rău, nu am putut genera chei securizate pe acest dispozitiv.\n\nvă rugăm să vă înregistrați de pe un alt dispozitiv."), + "sort": MessageLookupByLibrary.simpleMessage("Sortare"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sortare după"), + "sortNewestFirst": + MessageLookupByLibrary.simpleMessage("Cele mai noi primele"), + "sortOldestFirst": + MessageLookupByLibrary.simpleMessage("Cele mai vechi primele"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Succes"), + "startAccountRecoveryTitle": + MessageLookupByLibrary.simpleMessage("Începeți recuperarea"), + "startBackup": + MessageLookupByLibrary.simpleMessage("Începeți copia de rezervă"), + "status": MessageLookupByLibrary.simpleMessage("Status"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "Doriți să opriți proiectarea?"), + "stopCastingTitle": + MessageLookupByLibrary.simpleMessage("Opriți proiectarea"), + "storage": MessageLookupByLibrary.simpleMessage("Spațiu"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Familie"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Dvs."), + "storageInGB": m93, + "storageLimitExceeded": + MessageLookupByLibrary.simpleMessage("Limita de spațiu depășită"), + "storageUsageInfo": m94, + "strongStrength": MessageLookupByLibrary.simpleMessage("Puternică"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Abonare"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Aveți nevoie de un abonament plătit activ pentru a activa distribuirea."), + "subscription": MessageLookupByLibrary.simpleMessage("Abonament"), + "success": MessageLookupByLibrary.simpleMessage("Succes"), + "successfullyArchived": + MessageLookupByLibrary.simpleMessage("Arhivat cu succes"), + "successfullyHid": + MessageLookupByLibrary.simpleMessage("S-a ascuns cu succes"), + "successfullyUnarchived": + MessageLookupByLibrary.simpleMessage("Dezarhivat cu succes"), + "successfullyUnhid": + MessageLookupByLibrary.simpleMessage("S-a reafișat cu succes"), + "suggestFeatures": + MessageLookupByLibrary.simpleMessage("Sugerați funcționalități"), + "support": MessageLookupByLibrary.simpleMessage("Asistență"), + "syncProgress": m97, + "syncStopped": + MessageLookupByLibrary.simpleMessage("Sincronizare oprită"), + "syncing": MessageLookupByLibrary.simpleMessage("Sincronizare..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("Sistem"), + "tapToCopy": + MessageLookupByLibrary.simpleMessage("atingeți pentru a copia"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage( + "Atingeți pentru a introduce codul"), + "tapToUnlock": + MessageLookupByLibrary.simpleMessage("Atingeți pentru a debloca"), + "tapToUpload": + MessageLookupByLibrary.simpleMessage("Atingeți pentru a încărca"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Se pare că ceva nu a mers bine. Vă rugăm să încercați din nou după ceva timp. Dacă eroarea persistă, vă rugăm să contactați echipa noastră de asistență."), + "terminate": MessageLookupByLibrary.simpleMessage("Terminare"), + "terminateSession": + MessageLookupByLibrary.simpleMessage("Terminați sesiunea?"), + "terms": MessageLookupByLibrary.simpleMessage("Termeni"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Termeni"), + "thankYou": MessageLookupByLibrary.simpleMessage("Vă mulțumim"), + "thankYouForSubscribing": + MessageLookupByLibrary.simpleMessage("Mulțumim pentru abonare!"), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "Descărcarea nu a putut fi finalizată"), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "Linkul pe care încercați să îl accesați a expirat."), + "theRecoveryKeyYouEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "Cheia de recuperare introdusă este incorectă"), + "theme": MessageLookupByLibrary.simpleMessage("Temă"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Aceste articole vor fi șterse din dispozitivul dvs."), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "Acestea vor fi șterse din toate albumele."), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Această acțiune nu poate fi anulată"), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "Acest album are deja un link colaborativ"), + "thisCanBeUsedToRecoverYourAccountIfYou": + MessageLookupByLibrary.simpleMessage( + "Aceasta poate fi utilizată pentru a vă recupera contul în cazul în care pierdeți al doilea factor"), + "thisDevice": MessageLookupByLibrary.simpleMessage("Acest dispozitiv"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "Această adresă de e-mail este deja folosită"), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Această imagine nu are date exif"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Acesta este ID-ul dvs. de verificare"), + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Urmează să vă deconectați de pe următorul dispozitiv:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Urmează să vă deconectați de pe acest dispozitiv!"), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "Se vor elimina linkurile publice ale linkurilor rapide selectate."), + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "Pentru a activa blocarea aplicației, vă rugăm să configurați codul de acces al dispozitivului sau blocarea ecranului în setările sistemului."), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( + "Pentru a ascunde o fotografie sau un videoclip"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Pentru a reseta parola, vă rugăm să verificați mai întâi e-mailul."), + "todaysLogs": + MessageLookupByLibrary.simpleMessage("Jurnalele de astăzi"), + "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( + "Prea multe încercări incorecte"), + "total": MessageLookupByLibrary.simpleMessage("total"), + "totalSize": MessageLookupByLibrary.simpleMessage("Dimensiune totală"), + "trash": MessageLookupByLibrary.simpleMessage("Coș de gunoi"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Decupare"), + "trustedContacts": + MessageLookupByLibrary.simpleMessage("Contacte de încredere"), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Încercați din nou"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Activați copia de rezervă pentru a încărca automat fișierele adăugate la acest dosar de pe dispozitiv în Ente."), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "2 luni gratuite la planurile anuale"), + "twofactor": MessageLookupByLibrary.simpleMessage("Doi factori"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "Autentificarea cu doi factori a fost dezactivată"), + "twofactorAuthenticationPageTitle": + MessageLookupByLibrary.simpleMessage( + "Autentificare cu doi factori"), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "Autentificarea cu doi factori a fost resetată cu succes"), + "twofactorSetup": + MessageLookupByLibrary.simpleMessage("Configurare doi factori"), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("Dezarhivare"), + "unarchiveAlbum": + MessageLookupByLibrary.simpleMessage("Dezarhivare album"), + "unarchiving": + MessageLookupByLibrary.simpleMessage("Se dezarhivează..."), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Ne pare rău, acest cod nu este disponibil."), + "uncategorized": MessageLookupByLibrary.simpleMessage("Necategorisite"), + "unhide": MessageLookupByLibrary.simpleMessage("Reafişare"), + "unhideToAlbum": + MessageLookupByLibrary.simpleMessage("Reafișare în album"), + "unhiding": MessageLookupByLibrary.simpleMessage("Se reafișează..."), + "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Se reafișează fișierele în album"), + "unlock": MessageLookupByLibrary.simpleMessage("Deblocare"), + "unpinAlbum": + MessageLookupByLibrary.simpleMessage("Anulați fixarea albumului"), + "unselectAll": + MessageLookupByLibrary.simpleMessage("Deselectare totală"), + "update": MessageLookupByLibrary.simpleMessage("Actualizare"), + "updateAvailable": + MessageLookupByLibrary.simpleMessage("Actualizare disponibilă"), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Se actualizează selecția dosarelor..."), + "upgrade": MessageLookupByLibrary.simpleMessage("Îmbunătățire"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Se încarcă fișiere în album..."), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": + MessageLookupByLibrary.simpleMessage("Se salvează o amintire..."), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "Reducere de până la 50%, până pe 4 decembrie"), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "Spațiul utilizabil este limitat de planul dvs. actual. Spațiul suplimentar revendicat va deveni automat utilizabil atunci când vă îmbunătățiți planul."), + "useAsCover": + MessageLookupByLibrary.simpleMessage("Utilizați ca și copertă"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "Aveți probleme cu redarea acestui videoclip? Apăsați lung aici pentru a încerca un alt player."), + "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Folosiți linkuri publice pentru persoanele care nu sunt pe Ente"), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Folosiți cheia de recuperare"), + "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( + "Folosiți fotografia selectată"), + "usedSpace": MessageLookupByLibrary.simpleMessage("Spațiu utilizat"), + "validTill": m110, + "verificationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Verificare eșuată, încercați din nou"), + "verificationId": + MessageLookupByLibrary.simpleMessage("ID de verificare"), + "verify": MessageLookupByLibrary.simpleMessage("Verificare"), + "verifyEmail": + MessageLookupByLibrary.simpleMessage("Verificare e-mail"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Verificare"), + "verifyPasskey": + MessageLookupByLibrary.simpleMessage("Verificați cheia de acces"), + "verifyPassword": + MessageLookupByLibrary.simpleMessage("Verificați parola"), + "verifying": MessageLookupByLibrary.simpleMessage("Se verifică..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Se verifică cheia de recuperare..."), + "videoInfo": MessageLookupByLibrary.simpleMessage("Informaţii video"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("videoclip"), + "videos": MessageLookupByLibrary.simpleMessage("Videoclipuri"), + "viewActiveSessions": + MessageLookupByLibrary.simpleMessage("Vedeți sesiunile active"), + "viewAddOnButton": + MessageLookupByLibrary.simpleMessage("Vizualizare suplimente"), + "viewAll": MessageLookupByLibrary.simpleMessage("Vizualizați tot"), + "viewAllExifData": MessageLookupByLibrary.simpleMessage( + "Vizualizați toate datele EXIF"), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Fișiere mari"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Vizualizați fișierele care consumă cel mai mult spațiu."), + "viewLogs": MessageLookupByLibrary.simpleMessage("Afișare jurnale"), + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Vizualizați cheia de recuperare"), + "viewer": MessageLookupByLibrary.simpleMessage("Observator"), + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Vă rugăm să vizitați web.ente.io pentru a vă gestiona abonamentul"), + "waitingForVerification": + MessageLookupByLibrary.simpleMessage("Se așteaptă verificarea..."), + "waitingForWifi": + MessageLookupByLibrary.simpleMessage("Se așteaptă WiFi..."), + "warning": MessageLookupByLibrary.simpleMessage("Atenție"), + "weAreOpenSource": + MessageLookupByLibrary.simpleMessage("Suntem open source!"), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "Nu se acceptă editarea fotografiilor sau albumelor pe care nu le dețineți încă"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Slabă"), + "welcomeBack": + MessageLookupByLibrary.simpleMessage("Bine ați revenit!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("Noutăți"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "Contactul de încredere vă poate ajuta la recuperarea datelor."), + "yearShort": MessageLookupByLibrary.simpleMessage("an"), + "yearly": MessageLookupByLibrary.simpleMessage("Anual"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Da"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Da, anulează"), + "yesConvertToViewer": + MessageLookupByLibrary.simpleMessage("Da, covertiți la observator"), + "yesDelete": MessageLookupByLibrary.simpleMessage("Da, șterge"), + "yesDiscardChanges": + MessageLookupByLibrary.simpleMessage("Da, renunțați la modificări"), + "yesLogout": MessageLookupByLibrary.simpleMessage("Da, mă deconectez"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Da, elimină"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Da, reînnoiește"), + "yesResetPerson": + MessageLookupByLibrary.simpleMessage("Da, resetează persoana"), + "you": MessageLookupByLibrary.simpleMessage("Dvs."), + "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( + "Sunteți pe un plan de familie!"), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Sunteți pe cea mai recentă versiune"), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Cel mult vă puteți dubla spațiul"), + "youCanManageYourLinksInTheShareTab": + MessageLookupByLibrary.simpleMessage( + "Puteți gestiona link-urile în fila de distribuire."), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "Puteți încerca să căutați altceva."), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "Nu puteți retrograda la acest plan"), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Nu poți distribui cu tine însuți"), + "youDontHaveAnyArchivedItems": + MessageLookupByLibrary.simpleMessage("Nu aveți articole arhivate."), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": + MessageLookupByLibrary.simpleMessage("Contul dvs. a fost șters"), + "yourMap": MessageLookupByLibrary.simpleMessage("Harta dvs."), + "yourPlanWasSuccessfullyDowngraded": + MessageLookupByLibrary.simpleMessage( + "Planul dvs. a fost retrogradat cu succes"), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "Planul dvs. a fost îmbunătățit cu succes"), + "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( + "Achiziția dvs. a fost efectuată cu succes"), + "yourStorageDetailsCouldNotBeFetched": + MessageLookupByLibrary.simpleMessage( + "Detaliile privind spațiul de stocare nu au putut fi preluate"), + "yourSubscriptionHasExpired": + MessageLookupByLibrary.simpleMessage("Abonamentul dvs. a expirat"), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "Abonamentul dvs. a fost actualizat cu succes"), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "Codul dvs. de verificare a expirat"), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "Nu aveți fișiere în acest album care pot fi șterse"), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( + "Micșorați pentru a vedea fotografiile") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_ru.dart b/mobile/apps/photos/lib/generated/intl/messages_ru.dart index 25b3005f75..cfb98a5709 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_ru.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_ru.dart @@ -57,7 +57,12 @@ class MessageLookup extends MessageLookupByLibrary { "${user} не сможет добавлять новые фото в этот альбом\n\nЭтот пользователь всё ещё сможет удалять существующие фото, добавленные им"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, {'true': 'Ваша семья получила ${storageAmountInGb} ГБ на данный момент', 'false': 'Вы получили ${storageAmountInGb} ГБ на данный момент', 'other': 'Вы получили ${storageAmountInGb} ГБ на данный момент!'})}"; + "${Intl.select(isFamilyMember, { + 'true': + 'Ваша семья получила ${storageAmountInGb} ГБ на данный момент', + 'false': 'Вы получили ${storageAmountInGb} ГБ на данный момент', + 'other': 'Вы получили ${storageAmountInGb} ГБ на данный момент!', + })}"; static String m15(albumName) => "Совместная ссылка создана для ${albumName}"; @@ -261,11 +266,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} ГБ"; static String m94( - usedAmount, - usedStorageUnit, - totalAmount, - totalStorageUnit, - ) => + usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => "Использовано ${usedAmount} ${usedStorageUnit} из ${totalAmount} ${totalStorageUnit}"; static String m95(id) => @@ -329,2567 +330,2027 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Доступна новая версия Ente.", - ), - "about": MessageLookupByLibrary.simpleMessage("О программе"), - "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( - "Принять приглашение", - ), - "account": MessageLookupByLibrary.simpleMessage("Аккаунт"), - "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( - "Аккаунт уже настроен.", - ), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( - "С возвращением!", - ), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Я понимаю, что если я потеряю пароль, я могу потерять свои данные, так как они защищены сквозным шифрованием.", - ), - "actionNotSupportedOnFavouritesAlbum": MessageLookupByLibrary.simpleMessage( - "Действие не поддерживается в альбоме «Избранное»", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage("Активные сеансы"), - "add": MessageLookupByLibrary.simpleMessage("Добавить"), - "addAName": MessageLookupByLibrary.simpleMessage("Добавить имя"), - "addANewEmail": MessageLookupByLibrary.simpleMessage( - "Добавьте новую электронную почту", - ), - "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Добавьте виджет альбома на главный экран и вернитесь сюда, чтобы настроить его.", - ), - "addCollaborator": MessageLookupByLibrary.simpleMessage( - "Добавить соавтора", - ), - "addCollaborators": m1, - "addFiles": MessageLookupByLibrary.simpleMessage("Добавить файлы"), - "addFromDevice": MessageLookupByLibrary.simpleMessage( - "Добавить с устройства", - ), - "addItem": m2, - "addLocation": MessageLookupByLibrary.simpleMessage( - "Добавить местоположение", - ), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Добавить"), - "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Добавьте виджет воспоминаний на главный экран и вернитесь сюда, чтобы настроить его.", - ), - "addMore": MessageLookupByLibrary.simpleMessage("Добавить ещё"), - "addName": MessageLookupByLibrary.simpleMessage("Добавить имя"), - "addNameOrMerge": MessageLookupByLibrary.simpleMessage( - "Добавить имя или объединить", - ), - "addNew": MessageLookupByLibrary.simpleMessage("Добавить новое"), - "addNewPerson": MessageLookupByLibrary.simpleMessage( - "Добавить нового человека", - ), - "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( - "Подробности дополнений", - ), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("Дополнения"), - "addParticipants": MessageLookupByLibrary.simpleMessage( - "Добавить участников", - ), - "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Добавьте виджет людей на главный экран и вернитесь сюда, чтобы настроить его.", - ), - "addPhotos": MessageLookupByLibrary.simpleMessage("Добавить фото"), - "addSelected": MessageLookupByLibrary.simpleMessage("Добавить выбранные"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("Добавить в альбом"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Добавить в Ente"), - "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Добавить в скрытый альбом", - ), - "addTrustedContact": MessageLookupByLibrary.simpleMessage( - "Добавить доверенный контакт", - ), - "addViewer": MessageLookupByLibrary.simpleMessage("Добавить зрителя"), - "addViewers": m4, - "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( - "Добавьте ваши фото", - ), - "addedAs": MessageLookupByLibrary.simpleMessage("Добавлен как"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": MessageLookupByLibrary.simpleMessage( - "Добавление в избранное...", - ), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("Расширенные"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Расширенные"), - "after1Day": MessageLookupByLibrary.simpleMessage("Через 1 день"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Через 1 час"), - "after1Month": MessageLookupByLibrary.simpleMessage("Через 1 месяц"), - "after1Week": MessageLookupByLibrary.simpleMessage("Через 1 неделю"), - "after1Year": MessageLookupByLibrary.simpleMessage("Через 1 год"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Владелец"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Название альбома"), - "albumUpdated": MessageLookupByLibrary.simpleMessage("Альбом обновлён"), - "albums": MessageLookupByLibrary.simpleMessage("Альбомы"), - "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Выберите альбомы, которые вы хотите видеть на главном экране.", - ), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Всё чисто"), - "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( - "Все воспоминания сохранены", - ), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "Все группы этого человека будут сброшены, и вы потеряете все предложения для него", - ), - "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": - MessageLookupByLibrary.simpleMessage( - "Все неназванные группы будут объединены в выбранного человека. Это можно отменить в обзоре истории предложений для данного человека.", - ), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "Это первое фото в группе. Остальные выбранные фото автоматически сместятся на основе новой даты", - ), - "allow": MessageLookupByLibrary.simpleMessage("Разрешить"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Разрешить людям с этой ссылкой добавлять фото в общий альбом.", - ), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( - "Разрешить добавление фото", - ), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "Разрешить приложению открывать ссылки на общие альбомы", - ), - "allowDownloads": MessageLookupByLibrary.simpleMessage( - "Разрешить скачивание", - ), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Разрешить людям добавлять фото", - ), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, разрешите доступ к вашим фото через настройки устройства, чтобы Ente мог отображать и сохранять вашу библиотеку.", - ), - "allowPermTitle": MessageLookupByLibrary.simpleMessage( - "Разрешить доступ к фото", - ), - "androidBiometricHint": MessageLookupByLibrary.simpleMessage( - "Подтвердите личность", - ), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "Не распознано. Попробуйте снова.", - ), - "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( - "Требуется биометрия", - ), - "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("Успешно"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Отмена"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage( - "Требуются учётные данные устройства", - ), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage( - "Требуются учётные данные устройства", - ), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Биометрическая аутентификация не настроена. Перейдите в «Настройки» → «Безопасность», чтобы добавить её.", - ), - "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( - "Android, iOS, браузер, компьютер", - ), - "androidSignInTitle": MessageLookupByLibrary.simpleMessage( - "Требуется аутентификация", - ), - "appIcon": MessageLookupByLibrary.simpleMessage("Иконка приложения"), - "appLock": MessageLookupByLibrary.simpleMessage("Блокировка приложения"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Выберите между экраном блокировки устройства и пользовательским с PIN-кодом или паролем.", - ), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("Идентификатор Apple"), - "apply": MessageLookupByLibrary.simpleMessage("Применить"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Применить код"), - "appstoreSubscription": MessageLookupByLibrary.simpleMessage( - "Подписка AppStore", - ), - "archive": MessageLookupByLibrary.simpleMessage("Архив"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("Архивировать альбом"), - "archiving": MessageLookupByLibrary.simpleMessage("Архивация..."), - "areThey": MessageLookupByLibrary.simpleMessage("Они "), - "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( - "Вы уверены, что хотите удалить лицо этого человека?", - ), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Вы уверены, что хотите покинуть семейный тариф?", - ), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "Вы уверены, что хотите отменить?", - ), - "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( - "Вы уверены, что хотите сменить тариф?", - ), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "Вы уверены, что хотите выйти?", - ), - "areYouSureYouWantToIgnoreThesePersons": - MessageLookupByLibrary.simpleMessage( - "Вы уверены, что хотите игнорировать этих людей?", - ), - "areYouSureYouWantToIgnoreThisPerson": MessageLookupByLibrary.simpleMessage( - "Вы уверены, что хотите игнорировать этого человека?", - ), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Вы уверены, что хотите выйти?", - ), - "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( - "Вы уверены, что хотите их объединить?", - ), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "Вы уверены, что хотите продлить?", - ), - "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( - "Вы уверены, что хотите сбросить данные этого человека?", - ), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "Ваша подписка была отменена. Не хотели бы вы поделиться причиной?", - ), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Какова основная причина удаления вашего аккаунта?", - ), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Попросите близких поделиться", - ), - "atAFalloutShelter": MessageLookupByLibrary.simpleMessage("в бункере"), - "authToChangeEmailVerificationSetting": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, авторизуйтесь для изменения настроек подтверждения электронной почты", - ), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, авторизуйтесь для изменения настроек экрана блокировки", - ), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, авторизуйтесь для смены электронной почты", - ), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, авторизуйтесь для смены пароля", - ), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Пожалуйста, авторизуйтесь для настройки двухфакторной аутентификации", - ), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, авторизуйтесь для начала процедуры удаления аккаунта", - ), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, авторизуйтесь для управления доверенными контактами", - ), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, авторизуйтесь для просмотра ключа доступа", - ), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, авторизуйтесь для просмотра удалённых файлов", - ), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, авторизуйтесь для просмотра активных сессий", - ), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, авторизуйтесь для просмотра скрытых файлов", - ), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, авторизуйтесь для просмотра воспоминаний", - ), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, авторизуйтесь для просмотра ключа восстановления", - ), - "authenticating": MessageLookupByLibrary.simpleMessage("Аутентификация..."), - "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Аутентификация не удалась, пожалуйста, попробуйте снова", - ), - "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( - "Аутентификация прошла успешно!", - ), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Здесь вы увидите доступные устройства.", - ), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Убедитесь, что для приложения Ente Photos включены разрешения локальной сети в настройках.", - ), - "autoLock": MessageLookupByLibrary.simpleMessage("Автоблокировка"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Спустя какое время приложение блокируется после перехода в фоновый режим", - ), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "Из-за технического сбоя вы были выведены из системы. Приносим извинения за неудобства.", - ), - "autoPair": MessageLookupByLibrary.simpleMessage("Автоподключение"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "Автоподключение работает только с устройствами, поддерживающими Chromecast.", - ), - "available": MessageLookupByLibrary.simpleMessage("Доступно"), - "availableStorageSpace": m10, - "backedUpFolders": MessageLookupByLibrary.simpleMessage( - "Папки для резервного копирования", - ), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("Резервное копирование"), - "backupFailed": MessageLookupByLibrary.simpleMessage( - "Резервное копирование не удалось", - ), - "backupFile": MessageLookupByLibrary.simpleMessage( - "Резервное копирование файла", - ), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Резервное копирование через мобильный интернет", - ), - "backupSettings": MessageLookupByLibrary.simpleMessage( - "Настройки резервного копирования", - ), - "backupStatus": MessageLookupByLibrary.simpleMessage( - "Статус резервного копирования", - ), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Элементы, сохранённые в резервной копии, появятся здесь", - ), - "backupVideos": MessageLookupByLibrary.simpleMessage( - "Резервное копирование видео", - ), - "beach": MessageLookupByLibrary.simpleMessage("Песок и море"), - "birthday": MessageLookupByLibrary.simpleMessage("День рождения"), - "birthdayNotifications": MessageLookupByLibrary.simpleMessage( - "Уведомления о днях рождения", - ), - "birthdays": MessageLookupByLibrary.simpleMessage("Дни рождения"), - "blackFridaySale": MessageLookupByLibrary.simpleMessage( - "Распродажа в \"Черную пятницу\"", - ), - "blog": MessageLookupByLibrary.simpleMessage("Блог"), - "cLDesc1": MessageLookupByLibrary.simpleMessage( - "В результате бета-тестирования потоковой передачи видео и работы над возобновляемыми загрузками и скачиваниями мы увеличили лимит загружаемых файлов до 10 ГБ. Теперь это доступно как в настольных, так и в мобильных приложениях.", - ), - "cLDesc2": MessageLookupByLibrary.simpleMessage( - "Фоновая загрузка теперь поддерживается не только на устройствах Android, но и на iOS. Не нужно открывать приложение для резервного копирования последних фотографий и видео.", - ), - "cLDesc3": MessageLookupByLibrary.simpleMessage( - "Мы внесли значительные улучшения в работу с воспоминаниями, включая автовоспроизведение, переход к следующему воспоминанию и многое другое.", - ), - "cLDesc4": MessageLookupByLibrary.simpleMessage( - "Наряду с рядом внутренних улучшений теперь стало гораздо проще просматривать все обнаруженные лица, оставлять отзывы о похожих лицах, а также добавлять/удалять лица с одной фотографии.", - ), - "cLDesc5": MessageLookupByLibrary.simpleMessage( - "Теперь вы будете получать уведомления о всех днях рождениях, которые вы сохранили на Ente, а также коллекцию их лучших фотографий.", - ), - "cLDesc6": MessageLookupByLibrary.simpleMessage( - "Больше не нужно ждать завершения загрузки/скачивания, прежде чем закрыть приложение. Все загрузки и скачивания теперь можно приостановить и возобновить с того места, где вы остановились.", - ), - "cLTitle1": MessageLookupByLibrary.simpleMessage( - "Загрузка больших видеофайлов", - ), - "cLTitle2": MessageLookupByLibrary.simpleMessage("Фоновая загрузка"), - "cLTitle3": MessageLookupByLibrary.simpleMessage( - "Автовоспроизведение воспоминаний", - ), - "cLTitle4": MessageLookupByLibrary.simpleMessage( - "Улучшенное распознавание лиц", - ), - "cLTitle5": MessageLookupByLibrary.simpleMessage( - "Уведомления о днях рождения", - ), - "cLTitle6": MessageLookupByLibrary.simpleMessage( - "Возобновляемые загрузки и скачивания", - ), - "cachedData": MessageLookupByLibrary.simpleMessage("Кэшированные данные"), - "calculating": MessageLookupByLibrary.simpleMessage("Подсчёт..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Извините, этот альбом не может быть открыт в приложении.", - ), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( - "Не удаётся открыть этот альбом", - ), - "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( - "Нельзя загружать в альбомы, принадлежащие другим", - ), - "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Можно создать ссылку только для ваших файлов", - ), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Можно удалять только файлы, принадлежащие вам", - ), - "cancel": MessageLookupByLibrary.simpleMessage("Отменить"), - "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( - "Отменить восстановление", - ), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "Вы уверены, что хотите отменить восстановление?", - ), - "cancelOtherSubscription": m12, - "cancelSubscription": MessageLookupByLibrary.simpleMessage( - "Отменить подписку", - ), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Нельзя удалить общие файлы", - ), - "castAlbum": MessageLookupByLibrary.simpleMessage("Транслировать альбом"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, убедитесь, что вы находитесь в одной сети с телевизором.", - ), - "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( - "Не удалось транслировать альбом", - ), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Посетите cast.ente.io на устройстве, которое хотите подключить.\n\nВведите код ниже, чтобы воспроизвести альбом на телевизоре.", - ), - "centerPoint": MessageLookupByLibrary.simpleMessage("Центральная точка"), - "change": MessageLookupByLibrary.simpleMessage("Изменить"), - "changeEmail": MessageLookupByLibrary.simpleMessage( - "Изменить адрес электронной почты", - ), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Изменить местоположение выбранных элементов?", - ), - "changePassword": MessageLookupByLibrary.simpleMessage("Сменить пароль"), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Изменить пароль", - ), - "changePermissions": MessageLookupByLibrary.simpleMessage( - "Изменить разрешения?", - ), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Изменить ваш реферальный код", - ), - "checkForUpdates": MessageLookupByLibrary.simpleMessage( - "Проверить обновления", - ), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, проверьте ваш почтовый ящик (и спам) для завершения верификации", - ), - "checkStatus": MessageLookupByLibrary.simpleMessage("Проверить статус"), - "checking": MessageLookupByLibrary.simpleMessage("Проверка..."), - "checkingModels": MessageLookupByLibrary.simpleMessage( - "Проверка моделей...", - ), - "city": MessageLookupByLibrary.simpleMessage("В городе"), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage( - "Получить бесплатное хранилище", - ), - "claimMore": MessageLookupByLibrary.simpleMessage("Получите больше!"), - "claimed": MessageLookupByLibrary.simpleMessage("Получено"), - "claimedStorageSoFar": m14, - "cleanUncategorized": MessageLookupByLibrary.simpleMessage( - "Очистить «Без категории»", - ), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Удалить из «Без категории» все файлы, присутствующие в других альбомах", - ), - "clearCaches": MessageLookupByLibrary.simpleMessage("Очистить кэш"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Удалить индексы"), - "click": MessageLookupByLibrary.simpleMessage("• Нажмите"), - "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( - "• Нажмите на меню дополнительных действий", - ), - "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( - "Нажмите, чтобы установить нашу лучшую версию", - ), - "close": MessageLookupByLibrary.simpleMessage("Закрыть"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( - "Группировать по времени съёмки", - ), - "clubByFileName": MessageLookupByLibrary.simpleMessage( - "Группировать по имени файла", - ), - "clusteringProgress": MessageLookupByLibrary.simpleMessage( - "Прогресс кластеризации", - ), - "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( - "Код применён", - ), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Извините, вы достигли лимита изменений кода.", - ), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Код скопирован в буфер обмена", - ), - "codeUsedByYou": MessageLookupByLibrary.simpleMessage( - "Код, использованный вами", - ), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Создайте ссылку, чтобы люди могли добавлять и просматривать фото в вашем общем альбоме без использования приложения или аккаунта Ente. Это отлично подходит для сбора фото с мероприятий.", - ), - "collaborativeLink": MessageLookupByLibrary.simpleMessage( - "Совместная ссылка", - ), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Соавтор"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Соавторы могут добавлять фото и видео в общий альбом.", - ), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("Макет"), - "collageSaved": MessageLookupByLibrary.simpleMessage( - "Коллаж сохранён в галерее", - ), - "collect": MessageLookupByLibrary.simpleMessage("Собрать"), - "collectEventPhotos": MessageLookupByLibrary.simpleMessage( - "Собрать фото с мероприятия", - ), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Сбор фото"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Создайте ссылку, по которой ваши друзья смогут загружать фото в оригинальном качестве.", - ), - "color": MessageLookupByLibrary.simpleMessage("Цвет"), - "configuration": MessageLookupByLibrary.simpleMessage("Настройки"), - "confirm": MessageLookupByLibrary.simpleMessage("Подтвердить"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Вы уверены, что хотите отключить двухфакторную аутентификацию?", - ), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Подтвердить удаление аккаунта", - ), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Да, я хочу навсегда удалить этот аккаунт и все его данные во всех приложениях.", - ), - "confirmPassword": MessageLookupByLibrary.simpleMessage( - "Подтвердите пароль", - ), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage( - "Подтвердить смену тарифа", - ), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Подтвердить ключ восстановления", - ), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Подтвердите ваш ключ восстановления", - ), - "connectToDevice": MessageLookupByLibrary.simpleMessage( - "Подключиться к устройству", - ), - "contactFamilyAdmin": m18, - "contactSupport": MessageLookupByLibrary.simpleMessage( - "Связаться с поддержкой", - ), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Контакты"), - "contents": MessageLookupByLibrary.simpleMessage("Содержимое"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Продолжить"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "Продолжить с бесплатным пробным периодом", - ), - "convertToAlbum": MessageLookupByLibrary.simpleMessage( - "Преобразовать в альбом", - ), - "copyEmailAddress": MessageLookupByLibrary.simpleMessage( - "Скопировать адрес электронной почты", - ), - "copyLink": MessageLookupByLibrary.simpleMessage("Скопировать ссылку"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Скопируйте этот код\nв ваше приложение для аутентификации", - ), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "Нам не удалось создать резервную копию ваших данных.\nМы повторим попытку позже.", - ), - "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( - "Не удалось освободить место", - ), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Не удалось обновить подписку", - ), - "count": MessageLookupByLibrary.simpleMessage("Количество"), - "crashReporting": MessageLookupByLibrary.simpleMessage("Отчёты об ошибках"), - "create": MessageLookupByLibrary.simpleMessage("Создать"), - "createAccount": MessageLookupByLibrary.simpleMessage("Создать аккаунт"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Нажмите и удерживайте, чтобы выбрать фото, и нажмите «+», чтобы создать альбом", - ), - "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( - "Создать совместную ссылку", - ), - "createCollage": MessageLookupByLibrary.simpleMessage("Создать коллаж"), - "createNewAccount": MessageLookupByLibrary.simpleMessage( - "Создать новый аккаунт", - ), - "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( - "Создать или выбрать альбом", - ), - "createPublicLink": MessageLookupByLibrary.simpleMessage( - "Создать публичную ссылку", - ), - "creatingLink": MessageLookupByLibrary.simpleMessage("Создание ссылки..."), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "Доступно критическое обновление", - ), - "crop": MessageLookupByLibrary.simpleMessage("Обрезать"), - "curatedMemories": MessageLookupByLibrary.simpleMessage( - "Отобранные воспоминания", - ), - "currentUsageIs": MessageLookupByLibrary.simpleMessage( - "Текущее использование составляет ", - ), - "currentlyRunning": MessageLookupByLibrary.simpleMessage("выполняется"), - "custom": MessageLookupByLibrary.simpleMessage("Пользовательский"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Тёмная"), - "dayToday": MessageLookupByLibrary.simpleMessage("Сегодня"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Вчера"), - "declineTrustInvite": MessageLookupByLibrary.simpleMessage( - "Отклонить приглашение", - ), - "decrypting": MessageLookupByLibrary.simpleMessage("Расшифровка..."), - "decryptingVideo": MessageLookupByLibrary.simpleMessage( - "Расшифровка видео...", - ), - "deduplicateFiles": MessageLookupByLibrary.simpleMessage( - "Удалить дубликаты файлов", - ), - "delete": MessageLookupByLibrary.simpleMessage("Удалить"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Удалить аккаунт"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Нам жаль, что вы уходите. Пожалуйста, поделитесь мнением о том, как мы могли бы стать лучше.", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Удалить аккаунт навсегда", - ), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Удалить альбом"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Также удалить фото (и видео), находящиеся в этом альбоме, из всех других альбомов, частью которых они являются?", - ), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "Это удалит все пустые альбомы. Это может быть полезно, если вы хотите навести порядок в списке альбомов.", - ), - "deleteAll": MessageLookupByLibrary.simpleMessage("Удалить всё"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "Этот аккаунт связан с другими приложениями Ente, если вы их используете. Все загруженные данные во всех приложениях Ente будут поставлены в очередь на удаление, а ваш аккаунт будет удален навсегда.", - ), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, отправьте письмо на account-deletion@ente.io с вашего зарегистрированного адреса электронной почты.", - ), - "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( - "Удалить пустые альбомы", - ), - "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( - "Удалить пустые альбомы?", - ), - "deleteFromBoth": MessageLookupByLibrary.simpleMessage( - "Удалить из обоих мест", - ), - "deleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Удалить с устройства", - ), - "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Удалить из Ente"), - "deleteItemCount": m21, - "deleteLocation": MessageLookupByLibrary.simpleMessage( - "Удалить местоположение", - ), - "deleteMultipleAlbumDialog": m22, - "deletePhotos": MessageLookupByLibrary.simpleMessage("Удалить фото"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Отсутствует необходимая функция", - ), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "Приложение или определённая функция работают не так, как я ожидал", - ), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Я нашёл другой сервис, который мне больше нравится", - ), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "Моя причина не указана", - ), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Ваш запрос будет обработан в течение 72 часов.", - ), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Удалить общий альбом?", - ), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "Альбом будет удалён для всех\n\nВы потеряете доступ к общим фото в этом альбоме, принадлежащим другим", - ), - "deselectAll": MessageLookupByLibrary.simpleMessage("Отменить выделение"), - "designedToOutlive": MessageLookupByLibrary.simpleMessage( - "Создано на века", - ), - "details": MessageLookupByLibrary.simpleMessage("Подробности"), - "developerSettings": MessageLookupByLibrary.simpleMessage( - "Настройки для разработчиков", - ), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Вы уверены, что хотите изменить настройки для разработчиков?", - ), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Введите код"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "Файлы, добавленные в этот альбом на устройстве, будут автоматически загружены в Ente.", - ), - "deviceLock": MessageLookupByLibrary.simpleMessage("Блокировка устройства"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Отключить блокировку экрана устройства, когда Ente на экране, и выполняется резервное копирование. Обычно это не требуется, но это может ускорить завершение больших загрузок и первоначального импортирования крупных библиотек.", - ), - "deviceNotFound": MessageLookupByLibrary.simpleMessage( - "Устройство не найдено", - ), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Знаете ли вы?"), - "different": MessageLookupByLibrary.simpleMessage("Разные"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage( - "Отключить автоблокировку", - ), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Зрители всё ещё могут делать скриншоты или сохранять копии ваших фото с помощью внешних инструментов", - ), - "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( - "Обратите внимание", - ), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "Отключить двухфакторную аутентификацию", - ), - "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( - "Отключение двухфакторной аутентификации...", - ), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Откройте для себя"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Малыши"), - "discover_celebrations": MessageLookupByLibrary.simpleMessage("Праздники"), - "discover_food": MessageLookupByLibrary.simpleMessage("Еда"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Зелень"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Холмы"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Документы"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Мемы"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Заметки"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Питомцы"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Чеки"), - "discover_screenshots": MessageLookupByLibrary.simpleMessage("Скриншоты"), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Селфи"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Закат"), - "discover_visiting_cards": MessageLookupByLibrary.simpleMessage("Визитки"), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Обои"), - "dismiss": MessageLookupByLibrary.simpleMessage("Отклонить"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("км"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage("Не выходить"), - "doThisLater": MessageLookupByLibrary.simpleMessage("Сделать это позже"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Хотите отменить сделанные изменения?", - ), - "done": MessageLookupByLibrary.simpleMessage("Готово"), - "dontSave": MessageLookupByLibrary.simpleMessage("Не сохранять"), - "doubleYourStorage": MessageLookupByLibrary.simpleMessage( - "Удвойте своё хранилище", - ), - "download": MessageLookupByLibrary.simpleMessage("Скачать"), - "downloadFailed": MessageLookupByLibrary.simpleMessage( - "Скачивание не удалось", - ), - "downloading": MessageLookupByLibrary.simpleMessage("Скачивание..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Редактировать"), - "editEmailAlreadyLinked": m28, - "editLocation": MessageLookupByLibrary.simpleMessage( - "Изменить местоположение", - ), - "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( - "Изменить местоположение", - ), - "editPerson": MessageLookupByLibrary.simpleMessage( - "Редактировать человека", - ), - "editTime": MessageLookupByLibrary.simpleMessage("Изменить время"), - "editsSaved": MessageLookupByLibrary.simpleMessage("Изменения сохранены"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Изменения в местоположении будут видны только в Ente", - ), - "eligible": MessageLookupByLibrary.simpleMessage("доступно"), - "email": MessageLookupByLibrary.simpleMessage("Электронная почта"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "Электронная почта уже зарегистрирована.", - ), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "Электронная почта не зарегистрирована.", - ), - "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( - "Подтверждение входа по почте", - ), - "emailYourLogs": MessageLookupByLibrary.simpleMessage( - "Отправить логи по электронной почте", - ), - "embracingThem": m32, - "emergencyContacts": MessageLookupByLibrary.simpleMessage( - "Экстренные контакты", - ), - "empty": MessageLookupByLibrary.simpleMessage("Очистить"), - "emptyTrash": MessageLookupByLibrary.simpleMessage("Очистить корзину?"), - "enable": MessageLookupByLibrary.simpleMessage("Включить"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "Ente поддерживает машинное обучение прямо на устройстве для распознавания лиц, магического поиска и других поисковых функций", - ), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Включите машинное обучение для магического поиска и распознавания лиц", - ), - "enableMaps": MessageLookupByLibrary.simpleMessage("Включить Карты"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "Ваши фото будут отображены на карте мира.\n\nЭта карта размещена на OpenStreetMap, и точное местоположение ваших фото никогда не разглашается.\n\nВы можете отключить эту функцию в любое время в настройках.", - ), - "enabled": MessageLookupByLibrary.simpleMessage("Включено"), - "encryptingBackup": MessageLookupByLibrary.simpleMessage( - "Шифрование резервной копии...", - ), - "encryption": MessageLookupByLibrary.simpleMessage("Шифрование"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage("Ключи шифрования"), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Конечная точка успешно обновлена", - ), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Сквозное шифрование по умолчанию", - ), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente может шифровать и сохранять файлы, только если вы предоставите к ним доступ", - ), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente требуется разрешение для сохранения ваших фото", - ), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "Ente сохраняет ваши воспоминания, чтобы они всегда были доступны вам, даже если вы потеряете устройство.", - ), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Ваша семья также может быть включена в ваш тариф.", - ), - "enterAlbumName": MessageLookupByLibrary.simpleMessage( - "Введите название альбома", - ), - "enterCode": MessageLookupByLibrary.simpleMessage("Введите код"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Введите код, предоставленный вашим другом, чтобы вы оба могли получить бесплатное хранилище", - ), - "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( - "Дата рождения (необязательно)", - ), - "enterEmail": MessageLookupByLibrary.simpleMessage( - "Введите электронную почту", - ), - "enterFileName": MessageLookupByLibrary.simpleMessage( - "Введите название файла", - ), - "enterName": MessageLookupByLibrary.simpleMessage("Введите имя"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Введите новый пароль для шифрования ваших данных", - ), - "enterPassword": MessageLookupByLibrary.simpleMessage("Введите пароль"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Введите пароль для шифрования ваших данных", - ), - "enterPersonName": MessageLookupByLibrary.simpleMessage( - "Введите имя человека", - ), - "enterPin": MessageLookupByLibrary.simpleMessage("Введите PIN-код"), - "enterReferralCode": MessageLookupByLibrary.simpleMessage( - "Введите реферальный код", - ), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Введите 6-значный код из\nвашего приложения для аутентификации", - ), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, введите действительный адрес электронной почты.", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Введите адрес вашей электронной почты", - ), - "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( - "Введите ваш новый адрес электронной почты", - ), - "enterYourPassword": MessageLookupByLibrary.simpleMessage( - "Введите ваш пароль", - ), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Введите ваш ключ восстановления", - ), - "error": MessageLookupByLibrary.simpleMessage("Ошибка"), - "everywhere": MessageLookupByLibrary.simpleMessage("везде"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": MessageLookupByLibrary.simpleMessage( - "Существующий пользователь", - ), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Срок действия этой ссылки истёк. Пожалуйста, выберите новый срок или отключите его.", - ), - "exportLogs": MessageLookupByLibrary.simpleMessage("Экспортировать логи"), - "exportYourData": MessageLookupByLibrary.simpleMessage( - "Экспортировать ваши данные", - ), - "extraPhotosFound": MessageLookupByLibrary.simpleMessage( - "Найдены дополнительные фото", - ), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Лицо ещё не кластеризовано. Пожалуйста, попробуйте позже", - ), - "faceRecognition": MessageLookupByLibrary.simpleMessage( - "Распознавание лиц", - ), - "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( - "Не удалось создать миниатюры лиц", - ), - "faces": MessageLookupByLibrary.simpleMessage("Лица"), - "failed": MessageLookupByLibrary.simpleMessage("Не удалось"), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage( - "Не удалось применить код", - ), - "failedToCancel": MessageLookupByLibrary.simpleMessage( - "Не удалось отменить", - ), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( - "Не удалось скачать видео", - ), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Не удалось получить активные сессии", - ), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Не удалось скачать оригинал для редактирования", - ), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Не удалось получить данные о рефералах. Пожалуйста, попробуйте позже.", - ), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "Не удалось загрузить альбомы", - ), - "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Не удалось воспроизвести видео", - ), - "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( - "Не удалось обновить подписку", - ), - "failedToRenew": MessageLookupByLibrary.simpleMessage( - "Не удалось продлить", - ), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Не удалось проверить статус платежа", - ), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Добавьте 5 членов семьи к существующему тарифу без дополнительной оплаты.\n\nКаждый участник получает своё личное пространство и не может видеть файлы других, если они не общедоступны.\n\nСемейные тарифы доступны клиентам с платной подпиской на Ente.\n\nПодпишитесь сейчас, чтобы начать!", - ), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Семья"), - "familyPlans": MessageLookupByLibrary.simpleMessage("Семейные тарифы"), - "faq": MessageLookupByLibrary.simpleMessage("Часто задаваемые вопросы"), - "faqs": MessageLookupByLibrary.simpleMessage("Часто задаваемые вопросы"), - "favorite": MessageLookupByLibrary.simpleMessage("В избранное"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("Обратная связь"), - "file": MessageLookupByLibrary.simpleMessage("Файл"), - "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage( - "Не удалось проанализировать файл", - ), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Не удалось сохранить файл в галерею", - ), - "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( - "Добавить описание...", - ), - "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( - "Файл ещё не загружен", - ), - "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Файл сохранён в галерею", - ), - "fileTypes": MessageLookupByLibrary.simpleMessage("Типы файлов"), - "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( - "Типы и названия файлов", - ), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage("Файлы удалены"), - "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Файлы сохранены в галерею", - ), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "С лёгкостью находите людей по имени", - ), - "findThemQuickly": MessageLookupByLibrary.simpleMessage( - "С лёгкостью находите его", - ), - "flip": MessageLookupByLibrary.simpleMessage("Отразить"), - "food": MessageLookupByLibrary.simpleMessage("Кулинарное наслаждение"), - "forYourMemories": MessageLookupByLibrary.simpleMessage( - "для ваших воспоминаний", - ), - "forgotPassword": MessageLookupByLibrary.simpleMessage("Забыл пароль"), - "foundFaces": MessageLookupByLibrary.simpleMessage("Найденные лица"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( - "Полученное бесплатное хранилище", - ), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Доступное бесплатное хранилище", - ), - "freeTrial": MessageLookupByLibrary.simpleMessage( - "Бесплатный пробный период", - ), - "freeTrialValidTill": m38, - "freeUpAccessPostDelete": m39, - "freeUpAmount": m40, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( - "Освободить место на устройстве", - ), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Освободите место на устройстве, удалив файлы, которые уже сохранены в резервной копии.", - ), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("Освободить место"), - "freeUpSpaceSaving": m41, - "gallery": MessageLookupByLibrary.simpleMessage("Галерея"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "В галерее отображается до 1000 воспоминаний", - ), - "general": MessageLookupByLibrary.simpleMessage("Общие"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Генерация ключей шифрования...", - ), - "genericProgress": m42, - "goToSettings": MessageLookupByLibrary.simpleMessage("Перейти в настройки"), - "googlePlayId": MessageLookupByLibrary.simpleMessage( - "Идентификатор Google Play", - ), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, разрешите доступ ко всем фото в настройках устройства", - ), - "grantPermission": MessageLookupByLibrary.simpleMessage( - "Предоставить разрешение", - ), - "greenery": MessageLookupByLibrary.simpleMessage("Зелёная жизнь"), - "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( - "Группировать ближайшие фото", - ), - "guestView": MessageLookupByLibrary.simpleMessage("Гостевой просмотр"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "Для включения гостевого просмотра, пожалуйста, настройте код или блокировку экрана в настройках устройства.", - ), - "happyBirthday": MessageLookupByLibrary.simpleMessage( - "С днём рождения! 🥳", - ), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "Мы не отслеживаем установки приложений. Нам поможет, если скажете, как вы нас нашли!", - ), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Как вы узнали об Ente? (необязательно)", - ), - "help": MessageLookupByLibrary.simpleMessage("Помощь"), - "hidden": MessageLookupByLibrary.simpleMessage("Скрытые"), - "hide": MessageLookupByLibrary.simpleMessage("Скрыть"), - "hideContent": MessageLookupByLibrary.simpleMessage("Скрыть содержимое"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Скрывает содержимое приложения при переключении между приложениями и отключает скриншоты", - ), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Скрывает содержимое приложения при переключении между приложениями", - ), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "Скрыть общие элементы из основной галереи", - ), - "hiding": MessageLookupByLibrary.simpleMessage("Скрытие..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( - "Размещено на OSM France", - ), - "howItWorks": MessageLookupByLibrary.simpleMessage("Как это работает"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Попросите их нажать с удержанием на адрес электронной почты на экране настроек и убедиться, что идентификаторы на обоих устройствах совпадают.", - ), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Биометрическая аутентификация не настроена. Пожалуйста, включите Touch ID или Face ID на вашем устройстве.", - ), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "Биометрическая аутентификация отключена. Пожалуйста, заблокируйте и разблокируйте экран, чтобы включить её.", - ), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("Хорошо"), - "ignore": MessageLookupByLibrary.simpleMessage("Игнорировать"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Игнорировать"), - "ignored": MessageLookupByLibrary.simpleMessage("игнорируется"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Некоторые файлы в этом альбоме игнорируются, так как ранее они были удалены из Ente.", - ), - "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( - "Изображение не проанализировано", - ), - "immediately": MessageLookupByLibrary.simpleMessage("Немедленно"), - "importing": MessageLookupByLibrary.simpleMessage("Импортирование..."), - "incorrectCode": MessageLookupByLibrary.simpleMessage("Неверный код"), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Неверный пароль", - ), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Неверный ключ восстановления", - ), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "Введённый вами ключ восстановления неверен", - ), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Неверный ключ восстановления", - ), - "indexedItems": MessageLookupByLibrary.simpleMessage( - "Проиндексированные элементы", - ), - "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( - "Индексирование приостановлено. Оно автоматически возобновится, когда устройство будет готово. Устройство считается готовым, когда уровень заряда батареи, её состояние и температура находятся в пределах нормы.", - ), - "ineligible": MessageLookupByLibrary.simpleMessage("Неподходящий"), - "info": MessageLookupByLibrary.simpleMessage("Информация"), - "insecureDevice": MessageLookupByLibrary.simpleMessage( - "Небезопасное устройство", - ), - "installManually": MessageLookupByLibrary.simpleMessage( - "Установить вручную", - ), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "Недействительный адрес электронной почты", - ), - "invalidEndpoint": MessageLookupByLibrary.simpleMessage( - "Недействительная конечная точка", - ), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Извините, введённая вами конечная точка недействительна. Пожалуйста, введите корректную точку и попробуйте снова.", - ), - "invalidKey": MessageLookupByLibrary.simpleMessage("Недействительный ключ"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Введённый вами ключ восстановления недействителен. Убедитесь, что он содержит 24 слова, и проверьте правописание каждого из них.\n\nЕсли вы ввели старый код восстановления, убедитесь, что он состоит из 64 символов, и проверьте каждый из них.", - ), - "invite": MessageLookupByLibrary.simpleMessage("Пригласить"), - "inviteToEnte": MessageLookupByLibrary.simpleMessage("Пригласить в Ente"), - "inviteYourFriends": MessageLookupByLibrary.simpleMessage( - "Пригласите своих друзей", - ), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "Пригласите друзей в Ente", - ), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Похоже, что-то пошло не так. Пожалуйста, повторите попытку через некоторое время. Если ошибка сохраняется, обратитесь в нашу службу поддержки.", - ), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "На элементах отображается количество дней, оставшихся до их безвозвратного удаления", - ), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Выбранные элементы будут удалены из этого альбома", - ), - "join": MessageLookupByLibrary.simpleMessage("Присоединиться"), - "joinAlbum": MessageLookupByLibrary.simpleMessage( - "Присоединиться к альбому", - ), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "Если вы присоединитесь к альбому, ваша электронная почта станет видимой для его участников.", - ), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( - "чтобы просматривать и добавлять свои фото", - ), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "чтобы добавить это в общие альбомы", - ), - "joinDiscord": MessageLookupByLibrary.simpleMessage( - "Присоединиться в Discord", - ), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Оставить фото"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("км"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, помогите нам с этой информацией", - ), - "language": MessageLookupByLibrary.simpleMessage("Язык"), - "lastTimeWithThem": m45, - "lastUpdated": MessageLookupByLibrary.simpleMessage("Последнее обновление"), - "lastYearsTrip": MessageLookupByLibrary.simpleMessage( - "Прошлогодняя поездка", - ), - "leave": MessageLookupByLibrary.simpleMessage("Покинуть"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Покинуть альбом"), - "leaveFamily": MessageLookupByLibrary.simpleMessage("Покинуть семью"), - "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Покинуть общий альбом?", - ), - "left": MessageLookupByLibrary.simpleMessage("Влево"), - "legacy": MessageLookupByLibrary.simpleMessage("Наследие"), - "legacyAccounts": MessageLookupByLibrary.simpleMessage( - "Наследуемые аккаунты", - ), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "Наследие позволяет доверенным контактам получить доступ к вашему аккаунту в ваше отсутствие.", - ), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "Доверенные контакты могут начать восстановление аккаунта. Если не отменить это в течение 30 дней, то они смогут сбросить пароль и получить доступ.", - ), - "light": MessageLookupByLibrary.simpleMessage("Яркость"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Светлая"), - "link": MessageLookupByLibrary.simpleMessage("Привязать"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Ссылка скопирована в буфер обмена", - ), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage( - "Ограничение по количеству устройств", - ), - "linkEmail": MessageLookupByLibrary.simpleMessage( - "Привязать электронную почту", - ), - "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( - "чтобы быстрее делиться", - ), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Включена"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Истекла"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Срок действия ссылки"), - "linkHasExpired": MessageLookupByLibrary.simpleMessage( - "Срок действия ссылки истёк", - ), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Никогда"), - "linkPerson": MessageLookupByLibrary.simpleMessage("Связать человека"), - "linkPersonCaption": MessageLookupByLibrary.simpleMessage( - "чтобы было удобнее делиться", - ), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("Живые фото"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "Вы можете поделиться подпиской с вашей семьёй", - ), - "loadMessage2": MessageLookupByLibrary.simpleMessage( - "На сегодняшний день мы сохранили более 200 миллионов воспоминаний", - ), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "Мы храним 3 копии ваших данных, одну из них — в бункере", - ), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "Все наши приложения имеют открытый исходный код", - ), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Наш исходный код и криптография прошли внешний аудит", - ), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "Вы можете делиться ссылками на свои альбомы с близкими", - ), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Наши мобильные приложения работают в фоновом режиме, чтобы шифровать и сохранять все новые фото, которые вы снимаете", - ), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "На web.ente.io есть удобный загрузчик", - ), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Мы используем Xchacha20Poly1305 для безопасного шифрования ваших данных", - ), - "loadingExifData": MessageLookupByLibrary.simpleMessage( - "Загрузка данных EXIF...", - ), - "loadingGallery": MessageLookupByLibrary.simpleMessage( - "Загрузка галереи...", - ), - "loadingMessage": MessageLookupByLibrary.simpleMessage( - "Загрузка ваших фото...", - ), - "loadingModel": MessageLookupByLibrary.simpleMessage("Загрузка моделей..."), - "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( - "Загрузка ваших фото...", - ), - "localGallery": MessageLookupByLibrary.simpleMessage("Локальная галерея"), - "localIndexing": MessageLookupByLibrary.simpleMessage( - "Локальная индексация", - ), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Похоже, что-то пошло не так: синхронизация фото занимает больше времени, чем ожидалось. Пожалуйста, обратитесь в поддержку", - ), - "location": MessageLookupByLibrary.simpleMessage("Местоположение"), - "locationName": MessageLookupByLibrary.simpleMessage( - "Название местоположения", - ), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Тег местоположения группирует все фото, снятые в определённом радиусе от фото", - ), - "locations": MessageLookupByLibrary.simpleMessage("Местоположения"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Заблокировать"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Экран блокировки"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Войти"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Выход..."), - "loginSessionExpired": MessageLookupByLibrary.simpleMessage( - "Сессия истекла", - ), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "Ваша сессия истекла. Пожалуйста, войдите снова.", - ), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Нажимая \"Войти\", я соглашаюсь с условиями предоставления услуг и политикой конфиденциальности", - ), - "loginWithTOTP": MessageLookupByLibrary.simpleMessage( - "Войти с одноразовым кодом", - ), - "logout": MessageLookupByLibrary.simpleMessage("Выйти"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Это отправит нам логи, чтобы помочь разобраться с вашей проблемой. Обратите внимание, что имена файлов будут включены для отслеживания проблем с конкретными файлами.", - ), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Нажмите с удержанием на электронную почту для подтверждения сквозного шифрования.", - ), - "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( - "Нажмите с удержанием на элемент для просмотра в полноэкранном режиме", - ), - "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( - "Оглянитесь на ваши воспоминания 🌄", - ), - "loopVideoOff": MessageLookupByLibrary.simpleMessage("Видео не зациклено"), - "loopVideoOn": MessageLookupByLibrary.simpleMessage("Видео зациклено"), - "lostDevice": MessageLookupByLibrary.simpleMessage("Потеряли устройство?"), - "machineLearning": MessageLookupByLibrary.simpleMessage( - "Машинное обучение", - ), - "magicSearch": MessageLookupByLibrary.simpleMessage("Магический поиск"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "Магический поиск позволяет искать фото по содержимому, например, «цветок», «красная машина», «документы»", - ), - "manage": MessageLookupByLibrary.simpleMessage("Управлять"), - "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( - "Управление кэшем устройства", - ), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Ознакомиться и очистить локальный кэш.", - ), - "manageFamily": MessageLookupByLibrary.simpleMessage("Управление семьёй"), - "manageLink": MessageLookupByLibrary.simpleMessage("Управлять ссылкой"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Управлять"), - "manageSubscription": MessageLookupByLibrary.simpleMessage( - "Управление подпиской", - ), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "Подключение с PIN-кодом работает с любым устройством, на котором вы хотите просматривать альбом.", - ), - "map": MessageLookupByLibrary.simpleMessage("Карта"), - "maps": MessageLookupByLibrary.simpleMessage("Карты"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("Я"), - "memories": MessageLookupByLibrary.simpleMessage("Воспоминания"), - "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Выберите, какие воспоминания вы хотите видеть на главном экране.", - ), - "memoryCount": m50, - "merchandise": MessageLookupByLibrary.simpleMessage("Мерч"), - "merge": MessageLookupByLibrary.simpleMessage("Объединить"), - "mergeWithExisting": MessageLookupByLibrary.simpleMessage( - "Объединить с существующим", - ), - "mergedPhotos": MessageLookupByLibrary.simpleMessage("Объединённые фото"), - "mlConsent": MessageLookupByLibrary.simpleMessage( - "Включить машинное обучение", - ), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Я понимаю и хочу включить машинное обучение", - ), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Если вы включите машинное обучение, Ente будет извлекать информацию такую, как геометрия лица, из файлов, включая те, которыми с вами поделились.\n\nЭтот процесс будет происходить на вашем устройстве, и любая сгенерированная биометрическая информация будет защищена сквозным шифрованием.", - ), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, нажмите здесь для получения подробностей об этой функции в нашей политике конфиденциальности", - ), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "Включить машинное обучение?", - ), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Обратите внимание, что машинное обучение увеличит использование трафика и батареи, пока все элементы не будут проиндексированы. Рассмотрите использование приложения для компьютера для более быстрой индексации. Результаты будут автоматически синхронизированы.", - ), - "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( - "Смартфон, браузер, компьютер", - ), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Средняя"), - "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( - "Измените запрос или попробуйте поискать", - ), - "moments": MessageLookupByLibrary.simpleMessage("Моменты"), - "month": MessageLookupByLibrary.simpleMessage("месяц"), - "monthly": MessageLookupByLibrary.simpleMessage("Ежемесячно"), - "moon": MessageLookupByLibrary.simpleMessage("В лунном свете"), - "moreDetails": MessageLookupByLibrary.simpleMessage("Подробнее"), - "mostRecent": MessageLookupByLibrary.simpleMessage("Самые последние"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("Самые актуальные"), - "mountains": MessageLookupByLibrary.simpleMessage("За холмами"), - "moveItem": m51, - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "Переместите выбранные фото на одну дату", - ), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("Переместить в альбом"), - "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Переместить в скрытый альбом", - ), - "movedSuccessfullyTo": m52, - "movedToTrash": MessageLookupByLibrary.simpleMessage( - "Перемещено в корзину", - ), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Перемещение файлов в альбом...", - ), - "name": MessageLookupByLibrary.simpleMessage("Имя"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage( - "Дайте название альбому", - ), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Не удалось подключиться к Ente. Повторите попытку через некоторое время. Если ошибка сохраняется, обратитесь в поддержку.", - ), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Не удалось подключиться к Ente. Проверьте настройки сети и обратитесь в поддержку, если ошибка сохраняется.", - ), - "never": MessageLookupByLibrary.simpleMessage("Никогда"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Новый альбом"), - "newLocation": MessageLookupByLibrary.simpleMessage("Новое местоположение"), - "newPerson": MessageLookupByLibrary.simpleMessage("Новый человек"), - "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" новая 📸"), - "newRange": MessageLookupByLibrary.simpleMessage("Новый диапазон"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Впервые в Ente"), - "newest": MessageLookupByLibrary.simpleMessage("Недавние"), - "next": MessageLookupByLibrary.simpleMessage("Далее"), - "no": MessageLookupByLibrary.simpleMessage("Нет"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Вы пока не делились альбомами", - ), - "noDeviceFound": MessageLookupByLibrary.simpleMessage( - "Устройства не обнаружены", - ), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Нет"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "На этом устройстве нет файлов, которые можно удалить", - ), - "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Дубликатов нет"), - "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( - "Нет аккаунта Ente!", - ), - "noExifData": MessageLookupByLibrary.simpleMessage("Нет данных EXIF"), - "noFacesFound": MessageLookupByLibrary.simpleMessage("Лица не найдены"), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "Нет скрытых фото или видео", - ), - "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( - "Нет фото с местоположением", - ), - "noInternetConnection": MessageLookupByLibrary.simpleMessage( - "Нет подключения к Интернету", - ), - "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( - "В данный момент фото не копируются", - ), - "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( - "Здесь фото не найдены", - ), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( - "Быстрые ссылки не выбраны", - ), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Нет ключа восстановления?", - ), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Из-за особенностей нашего протокола сквозного шифрования ваши данные не могут быть расшифрованы без пароля или ключа восстановления", - ), - "noResults": MessageLookupByLibrary.simpleMessage("Нет результатов"), - "noResultsFound": MessageLookupByLibrary.simpleMessage("Нет результатов"), - "noSuggestionsForPerson": m53, - "noSystemLockFound": MessageLookupByLibrary.simpleMessage( - "Системная блокировка не найдена", - ), - "notPersonLabel": m54, - "notThisPerson": MessageLookupByLibrary.simpleMessage("Не этот человек?"), - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "С вами пока ничем не поделились", - ), - "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( - "Здесь ничего нет! 👀", - ), - "notifications": MessageLookupByLibrary.simpleMessage("Уведомления"), - "ok": MessageLookupByLibrary.simpleMessage("Хорошо"), - "onDevice": MessageLookupByLibrary.simpleMessage("На устройстве"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "В ente", - ), - "onTheRoad": MessageLookupByLibrary.simpleMessage("Снова в пути"), - "onThisDay": MessageLookupByLibrary.simpleMessage("В этот день"), - "onThisDayMemories": MessageLookupByLibrary.simpleMessage( - "В этот день воспоминания", - ), - "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( - "Получайте напоминания о воспоминаниях, связанных с этим днем в прошлые годы.", - ), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Только он(а)"), - "oops": MessageLookupByLibrary.simpleMessage("Ой"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Ой, не удалось сохранить изменения", - ), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Ой, что-то пошло не так", - ), - "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( - "Открыть альбом в браузере", - ), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, используйте веб-версию, чтобы добавить фото в этот альбом", - ), - "openFile": MessageLookupByLibrary.simpleMessage("Открыть файл"), - "openSettings": MessageLookupByLibrary.simpleMessage("Открыть настройки"), - "openTheItem": MessageLookupByLibrary.simpleMessage("• Откройте элемент"), - "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( - "Участники OpenStreetMap", - ), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Необязательно, насколько коротко пожелаете...", - ), - "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( - "Или объединить с существующим", - ), - "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( - "Или выберите существующую", - ), - "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( - "или выберите из ваших контактов", - ), - "otherDetectedFaces": MessageLookupByLibrary.simpleMessage( - "Другие найденные лица", - ), - "pair": MessageLookupByLibrary.simpleMessage("Подключить"), - "pairWithPin": MessageLookupByLibrary.simpleMessage("Подключить с PIN"), - "pairingComplete": MessageLookupByLibrary.simpleMessage( - "Подключение завершено", - ), - "panorama": MessageLookupByLibrary.simpleMessage("Панорама"), - "partyWithThem": m56, - "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( - "Проверка всё ещё ожидается", - ), - "passkey": MessageLookupByLibrary.simpleMessage("Ключ доступа"), - "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( - "Проверка ключа доступа", - ), - "password": MessageLookupByLibrary.simpleMessage("Пароль"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Пароль успешно изменён", - ), - "passwordLock": MessageLookupByLibrary.simpleMessage("Защита паролем"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "Надёжность пароля определяется его длиной, используемыми символами и присутствием среди 10000 самых популярных паролей", - ), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Мы не храним этот пароль, поэтому, если вы его забудете, мы не сможем расшифровать ваши данные", - ), - "pastYearsMemories": MessageLookupByLibrary.simpleMessage( - "Воспоминания прошлых лет", - ), - "paymentDetails": MessageLookupByLibrary.simpleMessage("Платёжные данные"), - "paymentFailed": MessageLookupByLibrary.simpleMessage("Платёж не удался"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "К сожалению, ваш платёж не удался. Пожалуйста, свяжитесь с поддержкой, и мы вам поможем!", - ), - "paymentFailedTalkToProvider": m58, - "pendingItems": MessageLookupByLibrary.simpleMessage("Элементы в очереди"), - "pendingSync": MessageLookupByLibrary.simpleMessage( - "Ожидание синхронизации", - ), - "people": MessageLookupByLibrary.simpleMessage("Люди"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Люди, использующие ваш код", - ), - "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Выберите людей, которых вы хотите видеть на главном экране.", - ), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Все элементы в корзине будут удалены навсегда\n\nЭто действие нельзя отменить", - ), - "permanentlyDelete": MessageLookupByLibrary.simpleMessage( - "Удалить безвозвратно", - ), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Удалить с устройства безвозвратно?", - ), - "personIsAge": m59, - "personName": MessageLookupByLibrary.simpleMessage("Имя человека"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("Пушистые спутники"), - "photoDescriptions": MessageLookupByLibrary.simpleMessage("Описания фото"), - "photoGridSize": MessageLookupByLibrary.simpleMessage("Размер сетки фото"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("фото"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("Фото"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "Добавленные вами фото будут удалены из альбома", - ), - "photosCount": m62, - "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( - "Фото сохранят относительную разницу во времени", - ), - "pickCenterPoint": MessageLookupByLibrary.simpleMessage( - "Выбрать центральную точку", - ), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Закрепить альбом"), - "pinLock": MessageLookupByLibrary.simpleMessage("Блокировка PIN-кодом"), - "playOnTv": MessageLookupByLibrary.simpleMessage( - "Воспроизвести альбом на ТВ", - ), - "playOriginal": MessageLookupByLibrary.simpleMessage( - "Воспроизвести оригинал", - ), - "playStoreFreeTrialValidTill": m63, - "playStream": MessageLookupByLibrary.simpleMessage("Воспроизвести поток"), - "playstoreSubscription": MessageLookupByLibrary.simpleMessage( - "Подписка PlayStore", - ), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Пожалуйста, проверьте подключение к Интернету и попробуйте снова.", - ), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Пожалуйста, свяжитесь с support@ente.io, и мы будем рады помочь!", - ), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Пожалуйста, обратитесь в поддержку, если проблема сохраняется", - ), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, предоставьте разрешения", - ), - "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, войдите снова", - ), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, выберите быстрые ссылки для удаления", - ), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, попробуйте снова", - ), - "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, проверьте введённый вами код", - ), - "pleaseWait": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, подождите...", - ), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, подождите, альбом удаляется", - ), - "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, подождите некоторое время перед повторной попыткой", - ), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, подождите, это займёт некоторое время.", - ), - "posingWithThem": m66, - "preparingLogs": MessageLookupByLibrary.simpleMessage( - "Подготовка логов...", - ), - "preserveMore": MessageLookupByLibrary.simpleMessage("Сохранить больше"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Нажмите и удерживайте для воспроизведения видео", - ), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Нажмите с удержанием на изображение для воспроизведения видео", - ), - "previous": MessageLookupByLibrary.simpleMessage("Предыдущий"), - "privacy": MessageLookupByLibrary.simpleMessage("Конфиденциальность"), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( - "Политика конфиденциальности", - ), - "privateBackups": MessageLookupByLibrary.simpleMessage( - "Защищённые резервные копии", - ), - "privateSharing": MessageLookupByLibrary.simpleMessage("Защищённый обмен"), - "proceed": MessageLookupByLibrary.simpleMessage("Продолжить"), - "processed": MessageLookupByLibrary.simpleMessage("Обработано"), - "processing": MessageLookupByLibrary.simpleMessage("Обработка"), - "processingImport": m67, - "processingVideos": MessageLookupByLibrary.simpleMessage("Обработка видео"), - "publicLinkCreated": MessageLookupByLibrary.simpleMessage( - "Публичная ссылка создана", - ), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( - "Публичная ссылка включена", - ), - "questionmark": MessageLookupByLibrary.simpleMessage("?"), - "queued": MessageLookupByLibrary.simpleMessage("В очереди"), - "quickLinks": MessageLookupByLibrary.simpleMessage("Быстрые ссылки"), - "radius": MessageLookupByLibrary.simpleMessage("Радиус"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Создать запрос"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("Оценить приложение"), - "rateUs": MessageLookupByLibrary.simpleMessage("Оцените нас"), - "rateUsOnStore": m68, - "reassignMe": MessageLookupByLibrary.simpleMessage( - "Переназначить \"Меня\"", - ), - "reassignedToName": m69, - "reassigningLoading": MessageLookupByLibrary.simpleMessage( - "Переназначение...", - ), - "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( - "Получайте напоминания, когда у кого-то день рождения. Нажатие на уведомление перенесет вас к фотографиям именинника.", - ), - "recover": MessageLookupByLibrary.simpleMessage("Восстановить"), - "recoverAccount": MessageLookupByLibrary.simpleMessage( - "Восстановить аккаунт", - ), - "recoverButton": MessageLookupByLibrary.simpleMessage("Восстановить"), - "recoveryAccount": MessageLookupByLibrary.simpleMessage( - "Восстановить аккаунт", - ), - "recoveryInitiated": MessageLookupByLibrary.simpleMessage( - "Восстановление начато", - ), - "recoveryInitiatedDesc": m70, - "recoveryKey": MessageLookupByLibrary.simpleMessage("Ключ восстановления"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Ключ восстановления скопирован в буфер обмена", - ), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Если вы забудете пароль, единственный способ восстановить ваши данные — это использовать этот ключ.", - ), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Мы не храним этот ключ. Пожалуйста, сохраните этот ключ из 24 слов в безопасном месте.", - ), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Отлично! Ваш ключ восстановления действителен. Спасибо за проверку.\n\nПожалуйста, не забудьте сохранить ключ восстановления в безопасном месте.", - ), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Ключ восстановления подтверждён", - ), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Ваш ключ восстановления — единственный способ восстановить ваши фото, если вы забудете пароль. Вы можете найти ключ восстановления в разделе «Настройки» → «Аккаунт».\n\nПожалуйста, введите ваш ключ восстановления здесь, чтобы убедиться, что вы сохранили его правильно.", - ), - "recoveryReady": m71, - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "Успешное восстановление!", - ), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "Доверенный контакт пытается получить доступ к вашему аккаунту", - ), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "Текущее устройство недостаточно мощное для проверки вашего пароля, но мы можем сгенерировать его снова так, чтобы он работал на всех устройствах.\n\nПожалуйста, войдите, используя ваш ключ восстановления, и сгенерируйте пароль (при желании вы можете использовать тот же самый).", - ), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Пересоздать пароль", - ), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": MessageLookupByLibrary.simpleMessage( - "Подтвердите пароль", - ), - "reenterPin": MessageLookupByLibrary.simpleMessage( - "Введите PIN-код ещё раз", - ), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Пригласите друзей и удвойте свой тариф", - ), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Даёте этот код своим друзьям", - ), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Они подписываются на платный тариф", - ), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Рефералы"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "Реферальная программа временно приостановлена", - ), - "rejectRecovery": MessageLookupByLibrary.simpleMessage( - "Отклонить восстановление", - ), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "Также очистите «Недавно удалённые» в «Настройки» → «Хранилище», чтобы освободить место", - ), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Также очистите «Корзину», чтобы освободить место", - ), - "remoteImages": MessageLookupByLibrary.simpleMessage( - "Изображения вне устройства", - ), - "remoteThumbnails": MessageLookupByLibrary.simpleMessage( - "Миниатюры вне устройства", - ), - "remoteVideos": MessageLookupByLibrary.simpleMessage( - "Видео вне устройства", - ), - "remove": MessageLookupByLibrary.simpleMessage("Удалить"), - "removeDuplicates": MessageLookupByLibrary.simpleMessage( - "Удалить дубликаты", - ), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Проверьте и удалите файлы, которые являются точными дубликатами.", - ), - "removeFromAlbum": MessageLookupByLibrary.simpleMessage( - "Удалить из альбома", - ), - "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( - "Удалить из альбома?", - ), - "removeFromFavorite": MessageLookupByLibrary.simpleMessage( - "Убрать из избранного", - ), - "removeInvite": MessageLookupByLibrary.simpleMessage("Удалить приглашение"), - "removeLink": MessageLookupByLibrary.simpleMessage("Удалить ссылку"), - "removeParticipant": MessageLookupByLibrary.simpleMessage( - "Удалить участника", - ), - "removeParticipantBody": m74, - "removePersonLabel": MessageLookupByLibrary.simpleMessage( - "Удалить метку человека", - ), - "removePublicLink": MessageLookupByLibrary.simpleMessage( - "Удалить публичную ссылку", - ), - "removePublicLinks": MessageLookupByLibrary.simpleMessage( - "Удалить публичные ссылки", - ), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Некоторые из удаляемых вами элементов были добавлены другими людьми, и вы потеряете к ним доступ", - ), - "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Удалить?"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Удалить себя из доверенных контактов", - ), - "removingFromFavorites": MessageLookupByLibrary.simpleMessage( - "Удаление из избранного...", - ), - "rename": MessageLookupByLibrary.simpleMessage("Переименовать"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("Переименовать альбом"), - "renameFile": MessageLookupByLibrary.simpleMessage("Переименовать файл"), - "renewSubscription": MessageLookupByLibrary.simpleMessage( - "Продлить подписку", - ), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Сообщить об ошибке"), - "reportBug": MessageLookupByLibrary.simpleMessage("Сообщить об ошибке"), - "resendEmail": MessageLookupByLibrary.simpleMessage( - "Отправить письмо повторно", - ), - "reset": MessageLookupByLibrary.simpleMessage("Сбросить"), - "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( - "Сбросить игнорируемые файлы", - ), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Сбросить пароль", - ), - "resetPerson": MessageLookupByLibrary.simpleMessage("Удалить"), - "resetToDefault": MessageLookupByLibrary.simpleMessage( - "Вернуть стандартную", - ), - "restore": MessageLookupByLibrary.simpleMessage("Восстановить"), - "restoreToAlbum": MessageLookupByLibrary.simpleMessage( - "Восстановить в альбом", - ), - "restoringFiles": MessageLookupByLibrary.simpleMessage( - "Восстановление файлов...", - ), - "resumableUploads": MessageLookupByLibrary.simpleMessage( - "Возобновляемые загрузки", - ), - "retry": MessageLookupByLibrary.simpleMessage("Повторить"), - "review": MessageLookupByLibrary.simpleMessage("Предложения"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, проверьте и удалите элементы, которые считаете дубликатами.", - ), - "reviewSuggestions": MessageLookupByLibrary.simpleMessage( - "Посмотреть предложения", - ), - "right": MessageLookupByLibrary.simpleMessage("Вправо"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("Повернуть"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Повернуть влево"), - "rotateRight": MessageLookupByLibrary.simpleMessage("Повернуть вправо"), - "safelyStored": MessageLookupByLibrary.simpleMessage("Надёжно сохранены"), - "same": MessageLookupByLibrary.simpleMessage("Такой же"), - "sameperson": MessageLookupByLibrary.simpleMessage("Тот же человек?"), - "save": MessageLookupByLibrary.simpleMessage("Сохранить"), - "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage( - "Сохранить как другого человека", - ), - "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( - "Сохранить изменения перед выходом?", - ), - "saveCollage": MessageLookupByLibrary.simpleMessage("Сохранить коллаж"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Сохранить копию"), - "saveKey": MessageLookupByLibrary.simpleMessage("Сохранить ключ"), - "savePerson": MessageLookupByLibrary.simpleMessage("Сохранить человека"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Сохраните ваш ключ восстановления, если вы ещё этого не сделали", - ), - "saving": MessageLookupByLibrary.simpleMessage("Сохранение..."), - "savingEdits": MessageLookupByLibrary.simpleMessage( - "Сохранение изменений...", - ), - "scanCode": MessageLookupByLibrary.simpleMessage("Сканировать код"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Отсканируйте этот штрих-код\nс помощью вашего приложения для аутентификации", - ), - "search": MessageLookupByLibrary.simpleMessage("Поиск"), - "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Альбомы"), - "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage( - "Название альбома", - ), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Названия альбомов (например, «Камера»)\n• Типы файлов (например, «Видео», «.gif»)\n• Годы и месяцы (например, «2022», «Январь»)\n• Праздники (например, «Рождество»)\n• Описания фото (например, «#веселье»)", - ), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Добавляйте описания вроде «#поездка» в информацию о фото, чтобы быстро находить их здесь", - ), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Ищите по дате, месяцу или году", - ), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "Изображения появятся здесь после завершения обработки и синхронизации", - ), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "Люди появятся здесь после завершения индексации", - ), - "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( - "Типы и названия файлов", - ), - "searchHint1": MessageLookupByLibrary.simpleMessage( - "Быстрый поиск прямо на устройстве", - ), - "searchHint2": MessageLookupByLibrary.simpleMessage("Даты, описания фото"), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "Альбомы, названия и типы файлов", - ), - "searchHint4": MessageLookupByLibrary.simpleMessage("Местоположение"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "Скоро: Лица и магический поиск ✨", - ), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Группируйте фото, снятые в определённом радиусе от фото", - ), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "Приглашайте людей, и здесь появятся все фото, которыми они поделились", - ), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "Люди появятся здесь после завершения обработки и синхронизации", - ), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Безопасность"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "Просматривать публичные ссылки на альбомы в приложении", - ), - "selectALocation": MessageLookupByLibrary.simpleMessage( - "Выбрать местоположение", - ), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage( - "Сначала выберите местоположение", - ), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Выбрать альбом"), - "selectAll": MessageLookupByLibrary.simpleMessage("Выбрать все"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("Все"), - "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( - "Выберите обложку", - ), - "selectDate": MessageLookupByLibrary.simpleMessage("Выбрать дату"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Выберите папки для резервного копирования", - ), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "Выберите элементы для добавления", - ), - "selectLanguage": MessageLookupByLibrary.simpleMessage("Выберите язык"), - "selectMailApp": MessageLookupByLibrary.simpleMessage( - "Выберите почтовое приложение", - ), - "selectMorePhotos": MessageLookupByLibrary.simpleMessage( - "Выбрать больше фото", - ), - "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( - "Выбрать одну дату и время", - ), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "Выберите одну дату и время для всех", - ), - "selectPersonToLink": MessageLookupByLibrary.simpleMessage( - "Выберите человека для привязки", - ), - "selectReason": MessageLookupByLibrary.simpleMessage("Выберите причину"), - "selectStartOfRange": MessageLookupByLibrary.simpleMessage( - "Выберите начало диапазона", - ), - "selectTime": MessageLookupByLibrary.simpleMessage("Выбрать время"), - "selectYourFace": MessageLookupByLibrary.simpleMessage( - "Выберите своё лицо", - ), - "selectYourPlan": MessageLookupByLibrary.simpleMessage("Выберите тариф"), - "selectedAlbums": m79, - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Выбранные файлы отсутствуют в Ente", - ), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Выбранные папки будут зашифрованы и сохранены в резервной копии", - ), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Выбранные элементы будут удалены из всех альбомов и перемещены в корзину.", - ), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "Выбранные элементы будут отвязаны от этого человека, но не удалены из вашей библиотеки.", - ), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("Отправить"), - "sendEmail": MessageLookupByLibrary.simpleMessage( - "Отправить электронное письмо", - ), - "sendInvite": MessageLookupByLibrary.simpleMessage("Отправить приглашение"), - "sendLink": MessageLookupByLibrary.simpleMessage("Отправить ссылку"), - "serverEndpoint": MessageLookupByLibrary.simpleMessage( - "Конечная точка сервера", - ), - "sessionExpired": MessageLookupByLibrary.simpleMessage("Сессия истекла"), - "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( - "Несоответствие ID сессии", - ), - "setAPassword": MessageLookupByLibrary.simpleMessage("Установить пароль"), - "setAs": MessageLookupByLibrary.simpleMessage("Установить как"), - "setCover": MessageLookupByLibrary.simpleMessage("Установить обложку"), - "setLabel": MessageLookupByLibrary.simpleMessage("Установить"), - "setNewPassword": MessageLookupByLibrary.simpleMessage( - "Установите новый пароль", - ), - "setNewPin": MessageLookupByLibrary.simpleMessage( - "Установите новый PIN-код", - ), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Установить пароль", - ), - "setRadius": MessageLookupByLibrary.simpleMessage("Установить радиус"), - "setupComplete": MessageLookupByLibrary.simpleMessage( - "Настройка завершена", - ), - "share": MessageLookupByLibrary.simpleMessage("Поделиться"), - "shareALink": MessageLookupByLibrary.simpleMessage("Поделиться ссылкой"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Откройте альбом и нажмите кнопку «Поделиться» в правом верхнем углу, чтобы поделиться.", - ), - "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( - "Поделиться альбомом", - ), - "shareLink": MessageLookupByLibrary.simpleMessage("Поделиться ссылкой"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Делитесь только с теми, с кем хотите", - ), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Скачай Ente, чтобы мы могли легко делиться фото и видео в оригинальном качестве\n\nhttps://ente.io", - ), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Поделиться с пользователями, не использующими Ente", - ), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( - "Поделитесь своим первым альбомом", - ), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Создавайте общие и совместные альбомы с другими пользователями Ente, включая пользователей на бесплатных тарифах.", - ), - "sharedByMe": MessageLookupByLibrary.simpleMessage("Я поделился"), - "sharedByYou": MessageLookupByLibrary.simpleMessage("Вы поделились"), - "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( - "Новые общие фото", - ), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Получать уведомления, когда кто-то добавляет фото в общий альбом, в котором вы состоите", - ), - "sharedWith": m87, - "sharedWithMe": MessageLookupByLibrary.simpleMessage("Со мной поделились"), - "sharedWithYou": MessageLookupByLibrary.simpleMessage("Поделились с вами"), - "sharing": MessageLookupByLibrary.simpleMessage("Отправка..."), - "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( - "Сместить даты и время", - ), - "showLessFaces": MessageLookupByLibrary.simpleMessage( - "Показывать меньше лиц", - ), - "showMemories": MessageLookupByLibrary.simpleMessage( - "Показывать воспоминания", - ), - "showMoreFaces": MessageLookupByLibrary.simpleMessage( - "Показывать больше лиц", - ), - "showPerson": MessageLookupByLibrary.simpleMessage("Показать человека"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "Выйти с других устройств", - ), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Если вы считаете, что кто-то может знать ваш пароль, вы можете принудительно выйти с других устройств, использующих ваш аккаунт.", - ), - "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( - "Выйти с других устройств", - ), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Я согласен с условиями предоставления услуг и политикой конфиденциальности", - ), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Оно будет удалено из всех альбомов.", - ), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Пропустить"), - "smartMemories": MessageLookupByLibrary.simpleMessage("Умные воспоминания"), - "social": MessageLookupByLibrary.simpleMessage("Социальные сети"), - "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( - "Некоторые элементы находятся как в Ente, так и на вашем устройстве.", - ), - "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( - "Некоторые файлы, которые вы пытаетесь удалить, доступны только на вашем устройстве и не могут быть восстановлены после удаления", - ), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Тот, кто делится с вами альбомами, должен видеть такой же идентификатор на своём устройстве.", - ), - "somethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Что-то пошло не так", - ), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Что-то пошло не так. Пожалуйста, попробуйте снова", - ), - "sorry": MessageLookupByLibrary.simpleMessage("Извините"), - "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( - "К сожалению, мы не смогли сделать резервную копию этого файла сейчас, мы повторим попытку позже.", - ), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Извините, не удалось добавить в избранное!", - ), - "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( - "Извините, не удалось удалить из избранного!", - ), - "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "Извините, введённый вами код неверен", - ), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "К сожалению, мы не смогли сгенерировать безопасные ключи на этом устройстве.\n\nПожалуйста, зарегистрируйтесь с другого устройства.", - ), - "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( - "Извините, нам пришлось приостановить резервное копирование", - ), - "sort": MessageLookupByLibrary.simpleMessage("Сортировать"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Сортировать по"), - "sortNewestFirst": MessageLookupByLibrary.simpleMessage("Сначала новые"), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Сначала старые"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Успех"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": MessageLookupByLibrary.simpleMessage( - "Вы в центре внимания", - ), - "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( - "Начать восстановление", - ), - "startBackup": MessageLookupByLibrary.simpleMessage( - "Начать резервное копирование", - ), - "status": MessageLookupByLibrary.simpleMessage("Статус"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "Хотите остановить трансляцию?", - ), - "stopCastingTitle": MessageLookupByLibrary.simpleMessage( - "Остановить трансляцию", - ), - "storage": MessageLookupByLibrary.simpleMessage("Хранилище"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Семья"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Вы"), - "storageInGB": m93, - "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( - "Превышен лимит хранилища", - ), - "storageUsageInfo": m94, - "streamDetails": MessageLookupByLibrary.simpleMessage( - "Информация о потоке", - ), - "strongStrength": MessageLookupByLibrary.simpleMessage("Высокая"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Подписаться"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Вам нужна активная платная подписка, чтобы включить общий доступ.", - ), - "subscription": MessageLookupByLibrary.simpleMessage("Подписка"), - "success": MessageLookupByLibrary.simpleMessage("Успех"), - "successfullyArchived": MessageLookupByLibrary.simpleMessage( - "Успешно архивировано", - ), - "successfullyHid": MessageLookupByLibrary.simpleMessage("Успешно скрыто"), - "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( - "Успешно извлечено", - ), - "successfullyUnhid": MessageLookupByLibrary.simpleMessage( - "Успешно раскрыто", - ), - "suggestFeatures": MessageLookupByLibrary.simpleMessage("Предложить идею"), - "sunrise": MessageLookupByLibrary.simpleMessage("На горизонте"), - "support": MessageLookupByLibrary.simpleMessage("Поддержка"), - "syncProgress": m97, - "syncStopped": MessageLookupByLibrary.simpleMessage( - "Синхронизация остановлена", - ), - "syncing": MessageLookupByLibrary.simpleMessage("Синхронизация..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("Системная"), - "tapToCopy": MessageLookupByLibrary.simpleMessage( - "нажмите, чтобы скопировать", - ), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage( - "Нажмите, чтобы ввести код", - ), - "tapToUnlock": MessageLookupByLibrary.simpleMessage( - "Нажмите для разблокировки", - ), - "tapToUpload": MessageLookupByLibrary.simpleMessage("Нажмите для загрузки"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Похоже, что-то пошло не так. Пожалуйста, повторите попытку через некоторое время. Если ошибка сохраняется, обратитесь в нашу службу поддержки.", - ), - "terminate": MessageLookupByLibrary.simpleMessage("Завершить"), - "terminateSession": MessageLookupByLibrary.simpleMessage( - "Завершить сеанс?", - ), - "terms": MessageLookupByLibrary.simpleMessage("Условия"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage( - "Условия использования", - ), - "thankYou": MessageLookupByLibrary.simpleMessage("Спасибо"), - "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( - "Спасибо за подписку!", - ), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "Скачивание не может быть завершено", - ), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "Срок действия ссылки, к которой вы обращаетесь, истёк.", - ), - "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "Группы людей больше не будут отображаться в разделе людей. Фотографии останутся нетронутыми.", - ), - "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "Человек больше не будет отображаться в разделе людей. Фотографии останутся нетронутыми.", - ), - "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "Введённый вами ключ восстановления неверен", - ), - "theme": MessageLookupByLibrary.simpleMessage("Тема"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Эти элементы будут удалены с вашего устройства.", - ), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "Они будут удалены из всех альбомов.", - ), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Это действие нельзя отменить", - ), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "У этого альбома уже есть совместная ссылка", - ), - "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( - "Это можно использовать для восстановления вашего аккаунта, если вы потеряете свой аутентификатор", - ), - "thisDevice": MessageLookupByLibrary.simpleMessage("Это устройство"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "Эта электронная почта уже используется", - ), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Это фото не имеет данных EXIF", - ), - "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("Это я!"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Это ваш идентификатор подтверждения", - ), - "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( - "Эта неделя сквозь годы", - ), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Это завершит ваш сеанс на следующем устройстве:", - ), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Это завершит ваш сеанс на этом устройстве!", - ), - "thisWillMakeTheDateAndTimeOfAllSelected": - MessageLookupByLibrary.simpleMessage( - "Это сделает дату и время всех выбранных фото одинаковыми.", - ), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "Это удалит публичные ссылки всех выбранных быстрых ссылок.", - ), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "Для блокировки приложения, пожалуйста, настройте код или экран блокировки в настройках устройства.", - ), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( - "Скрыть фото или видео", - ), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Чтобы сбросить пароль, сначала подтвердите вашу электронную почту.", - ), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Сегодняшние логи"), - "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( - "Слишком много неудачных попыток", - ), - "total": MessageLookupByLibrary.simpleMessage("всего"), - "totalSize": MessageLookupByLibrary.simpleMessage("Общий размер"), - "trash": MessageLookupByLibrary.simpleMessage("Корзина"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Сократить"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": MessageLookupByLibrary.simpleMessage( - "Доверенные контакты", - ), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Попробовать снова"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Включите резервное копирование, чтобы автоматически загружать файлы из этой папки на устройстве в Ente.", - ), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "2 месяца в подарок на годовом тарифе", - ), - "twofactor": MessageLookupByLibrary.simpleMessage( - "Двухфакторная аутентификация", - ), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "Двухфакторная аутентификация отключена", - ), - "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( - "Двухфакторная аутентификация", - ), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "Двухфакторная аутентификация успешно сброшена", - ), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Настройка двухфакторной аутентификации", - ), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("Извлечь из архива"), - "unarchiveAlbum": MessageLookupByLibrary.simpleMessage( - "Извлечь альбом из архива", - ), - "unarchiving": MessageLookupByLibrary.simpleMessage("Извлечение..."), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Извините, этот код недоступен.", - ), - "uncategorized": MessageLookupByLibrary.simpleMessage("Без категории"), - "unhide": MessageLookupByLibrary.simpleMessage("Не скрывать"), - "unhideToAlbum": MessageLookupByLibrary.simpleMessage("Перенести в альбом"), - "unhiding": MessageLookupByLibrary.simpleMessage("Раскрытие..."), - "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Перенос файлов в альбом", - ), - "unlock": MessageLookupByLibrary.simpleMessage("Разблокировать"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("Открепить альбом"), - "unselectAll": MessageLookupByLibrary.simpleMessage("Отменить выбор"), - "update": MessageLookupByLibrary.simpleMessage("Обновить"), - "updateAvailable": MessageLookupByLibrary.simpleMessage( - "Доступно обновление", - ), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Обновление выбора папок...", - ), - "upgrade": MessageLookupByLibrary.simpleMessage("Улучшить"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Загрузка файлов в альбом...", - ), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( - "Сохранение 1 воспоминания...", - ), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "Скидки до 50% до 4 декабря", - ), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "Доступное хранилище ограничено вашим текущим тарифом. Избыточное полученное хранилище автоматически станет доступным при улучшении тарифа.", - ), - "useAsCover": MessageLookupByLibrary.simpleMessage( - "Использовать для обложки", - ), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "Проблемы с воспроизведением видео? Нажмите и удерживайте здесь, чтобы попробовать другой плеер.", - ), - "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Используйте публичные ссылки для людей, не использующих Ente", - ), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Использовать ключ восстановления", - ), - "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( - "Использовать выбранное фото", - ), - "usedSpace": MessageLookupByLibrary.simpleMessage("Использовано места"), - "validTill": m110, - "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Проверка не удалась, пожалуйста, попробуйте снова", - ), - "verificationId": MessageLookupByLibrary.simpleMessage( - "Идентификатор подтверждения", - ), - "verify": MessageLookupByLibrary.simpleMessage("Подтвердить"), - "verifyEmail": MessageLookupByLibrary.simpleMessage( - "Подтвердить электронную почту", - ), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Подтвердить"), - "verifyPasskey": MessageLookupByLibrary.simpleMessage( - "Подтвердить ключ доступа", - ), - "verifyPassword": MessageLookupByLibrary.simpleMessage( - "Подтвердить пароль", - ), - "verifying": MessageLookupByLibrary.simpleMessage("Проверка..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Проверка ключа восстановления...", - ), - "videoInfo": MessageLookupByLibrary.simpleMessage("Информация о видео"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("видео"), - "videoStreaming": MessageLookupByLibrary.simpleMessage("Потоковое видео"), - "videos": MessageLookupByLibrary.simpleMessage("Видео"), - "viewActiveSessions": MessageLookupByLibrary.simpleMessage( - "Просмотр активных сессий", - ), - "viewAddOnButton": MessageLookupByLibrary.simpleMessage( - "Посмотреть дополнения", - ), - "viewAll": MessageLookupByLibrary.simpleMessage("Посмотреть все"), - "viewAllExifData": MessageLookupByLibrary.simpleMessage( - "Посмотреть все данные EXIF", - ), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Большие файлы"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Узнайте, какие файлы занимают больше всего места.", - ), - "viewLogs": MessageLookupByLibrary.simpleMessage("Просмотреть логи"), - "viewPersonToUnlink": m112, - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Увидеть ключ восстановления", - ), - "viewer": MessageLookupByLibrary.simpleMessage("Зритель"), - "viewersSuccessfullyAdded": m113, - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Пожалуйста, посетите web.ente.io для управления вашей подпиской", - ), - "waitingForVerification": MessageLookupByLibrary.simpleMessage( - "Ожидание подтверждения...", - ), - "waitingForWifi": MessageLookupByLibrary.simpleMessage("Ожидание Wi-Fi..."), - "warning": MessageLookupByLibrary.simpleMessage("Предупреждение"), - "weAreOpenSource": MessageLookupByLibrary.simpleMessage( - "У нас открытый исходный код!", - ), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "Мы не поддерживаем редактирование фото и альбомов, которые вам пока не принадлежат", - ), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Низкая"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("С возвращением!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("Что нового"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "Доверенный контакт может помочь в восстановлении ваших данных.", - ), - "widgets": MessageLookupByLibrary.simpleMessage("Виджеты"), - "wishThemAHappyBirthday": m115, - "yearShort": MessageLookupByLibrary.simpleMessage("год"), - "yearly": MessageLookupByLibrary.simpleMessage("Ежегодно"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Да"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Да, отменить"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "Да, перевести в зрители", - ), - "yesDelete": MessageLookupByLibrary.simpleMessage("Да, удалить"), - "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( - "Да, отменить изменения", - ), - "yesIgnore": MessageLookupByLibrary.simpleMessage("Да, игнорировать"), - "yesLogout": MessageLookupByLibrary.simpleMessage("Да, выйти"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Да, удалить"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Да, продлить"), - "yesResetPerson": MessageLookupByLibrary.simpleMessage( - "Да, сбросить данные человека", - ), - "you": MessageLookupByLibrary.simpleMessage("Вы"), - "youAndThem": m117, - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( - "Вы на семейном тарифе!", - ), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Вы используете последнюю версию", - ), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Вы можете увеличить хранилище максимум в два раза", - ), - "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( - "Вы можете управлять своими ссылками на вкладке «Поделиться».", - ), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "Вы можете попробовать выполнить поиск по другому запросу.", - ), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "Вы не можете понизить до этого тарифа", - ), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Вы не можете поделиться с самим собой", - ), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "У вас нет архивных элементов.", - ), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "Ваш аккаунт был удалён", - ), - "yourMap": MessageLookupByLibrary.simpleMessage("Ваша карта"), - "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( - "Ваш тариф успешно понижен", - ), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "Ваш тариф успешно повышен", - ), - "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( - "Ваша покупка прошла успешно", - ), - "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( - "Не удалось получить данные о вашем хранилище", - ), - "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( - "Срок действия вашей подписки истёк", - ), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage("Ваша подписка успешно обновлена"), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "Срок действия вашего кода подтверждения истёк", - ), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage( - "У вас нет дубликатов файлов, которые можно удалить", - ), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "В этом альбоме нет файлов, которые можно удалить", - ), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( - "Уменьшите масштаб, чтобы увидеть фото", - ), - }; + "aNewVersionOfEnteIsAvailable": + MessageLookupByLibrary.simpleMessage("Доступна новая версия Ente."), + "about": MessageLookupByLibrary.simpleMessage("О программе"), + "acceptTrustInvite": + MessageLookupByLibrary.simpleMessage("Принять приглашение"), + "account": MessageLookupByLibrary.simpleMessage("Аккаунт"), + "accountIsAlreadyConfigured": + MessageLookupByLibrary.simpleMessage("Аккаунт уже настроен."), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("С возвращением!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Я понимаю, что если я потеряю пароль, я могу потерять свои данные, так как они защищены сквозным шифрованием."), + "actionNotSupportedOnFavouritesAlbum": + MessageLookupByLibrary.simpleMessage( + "Действие не поддерживается в альбоме «Избранное»"), + "activeSessions": + MessageLookupByLibrary.simpleMessage("Активные сеансы"), + "add": MessageLookupByLibrary.simpleMessage("Добавить"), + "addAName": MessageLookupByLibrary.simpleMessage("Добавить имя"), + "addANewEmail": MessageLookupByLibrary.simpleMessage( + "Добавьте новую электронную почту"), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Добавьте виджет альбома на главный экран и вернитесь сюда, чтобы настроить его."), + "addCollaborator": + MessageLookupByLibrary.simpleMessage("Добавить соавтора"), + "addCollaborators": m1, + "addFiles": MessageLookupByLibrary.simpleMessage("Добавить файлы"), + "addFromDevice": + MessageLookupByLibrary.simpleMessage("Добавить с устройства"), + "addItem": m2, + "addLocation": + MessageLookupByLibrary.simpleMessage("Добавить местоположение"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Добавить"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Добавьте виджет воспоминаний на главный экран и вернитесь сюда, чтобы настроить его."), + "addMore": MessageLookupByLibrary.simpleMessage("Добавить ещё"), + "addName": MessageLookupByLibrary.simpleMessage("Добавить имя"), + "addNameOrMerge": + MessageLookupByLibrary.simpleMessage("Добавить имя или объединить"), + "addNew": MessageLookupByLibrary.simpleMessage("Добавить новое"), + "addNewPerson": + MessageLookupByLibrary.simpleMessage("Добавить нового человека"), + "addOnPageSubtitle": + MessageLookupByLibrary.simpleMessage("Подробности дополнений"), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("Дополнения"), + "addParticipants": + MessageLookupByLibrary.simpleMessage("Добавить участников"), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Добавьте виджет людей на главный экран и вернитесь сюда, чтобы настроить его."), + "addPhotos": MessageLookupByLibrary.simpleMessage("Добавить фото"), + "addSelected": + MessageLookupByLibrary.simpleMessage("Добавить выбранные"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("Добавить в альбом"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Добавить в Ente"), + "addToHiddenAlbum": + MessageLookupByLibrary.simpleMessage("Добавить в скрытый альбом"), + "addTrustedContact": + MessageLookupByLibrary.simpleMessage("Добавить доверенный контакт"), + "addViewer": MessageLookupByLibrary.simpleMessage("Добавить зрителя"), + "addViewers": m4, + "addYourPhotosNow": + MessageLookupByLibrary.simpleMessage("Добавьте ваши фото"), + "addedAs": MessageLookupByLibrary.simpleMessage("Добавлен как"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": + MessageLookupByLibrary.simpleMessage("Добавление в избранное..."), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("Расширенные"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Расширенные"), + "after1Day": MessageLookupByLibrary.simpleMessage("Через 1 день"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Через 1 час"), + "after1Month": MessageLookupByLibrary.simpleMessage("Через 1 месяц"), + "after1Week": MessageLookupByLibrary.simpleMessage("Через 1 неделю"), + "after1Year": MessageLookupByLibrary.simpleMessage("Через 1 год"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Владелец"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Название альбома"), + "albumUpdated": MessageLookupByLibrary.simpleMessage("Альбом обновлён"), + "albums": MessageLookupByLibrary.simpleMessage("Альбомы"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Выберите альбомы, которые вы хотите видеть на главном экране."), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Всё чисто"), + "allMemoriesPreserved": + MessageLookupByLibrary.simpleMessage("Все воспоминания сохранены"), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "Все группы этого человека будут сброшены, и вы потеряете все предложения для него"), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "Все неназванные группы будут объединены в выбранного человека. Это можно отменить в обзоре истории предложений для данного человека."), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "Это первое фото в группе. Остальные выбранные фото автоматически сместятся на основе новой даты"), + "allow": MessageLookupByLibrary.simpleMessage("Разрешить"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Разрешить людям с этой ссылкой добавлять фото в общий альбом."), + "allowAddingPhotos": + MessageLookupByLibrary.simpleMessage("Разрешить добавление фото"), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "Разрешить приложению открывать ссылки на общие альбомы"), + "allowDownloads": + MessageLookupByLibrary.simpleMessage("Разрешить скачивание"), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Разрешить людям добавлять фото"), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, разрешите доступ к вашим фото через настройки устройства, чтобы Ente мог отображать и сохранять вашу библиотеку."), + "allowPermTitle": + MessageLookupByLibrary.simpleMessage("Разрешить доступ к фото"), + "androidBiometricHint": + MessageLookupByLibrary.simpleMessage("Подтвердите личность"), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "Не распознано. Попробуйте снова."), + "androidBiometricRequiredTitle": + MessageLookupByLibrary.simpleMessage("Требуется биометрия"), + "androidBiometricSuccess": + MessageLookupByLibrary.simpleMessage("Успешно"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Отмена"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage( + "Требуются учётные данные устройства"), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage( + "Требуются учётные данные устройства"), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Биометрическая аутентификация не настроена. Перейдите в «Настройки» → «Безопасность», чтобы добавить её."), + "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( + "Android, iOS, браузер, компьютер"), + "androidSignInTitle": + MessageLookupByLibrary.simpleMessage("Требуется аутентификация"), + "appIcon": MessageLookupByLibrary.simpleMessage("Иконка приложения"), + "appLock": + MessageLookupByLibrary.simpleMessage("Блокировка приложения"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Выберите между экраном блокировки устройства и пользовательским с PIN-кодом или паролем."), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("Идентификатор Apple"), + "apply": MessageLookupByLibrary.simpleMessage("Применить"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Применить код"), + "appstoreSubscription": + MessageLookupByLibrary.simpleMessage("Подписка AppStore"), + "archive": MessageLookupByLibrary.simpleMessage("Архив"), + "archiveAlbum": + MessageLookupByLibrary.simpleMessage("Архивировать альбом"), + "archiving": MessageLookupByLibrary.simpleMessage("Архивация..."), + "areThey": MessageLookupByLibrary.simpleMessage("Они "), + "areYouSureRemoveThisFaceFromPerson": + MessageLookupByLibrary.simpleMessage( + "Вы уверены, что хотите удалить лицо этого человека?"), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Вы уверены, что хотите покинуть семейный тариф?"), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "Вы уверены, что хотите отменить?"), + "areYouSureYouWantToChangeYourPlan": + MessageLookupByLibrary.simpleMessage( + "Вы уверены, что хотите сменить тариф?"), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "Вы уверены, что хотите выйти?"), + "areYouSureYouWantToIgnoreThesePersons": + MessageLookupByLibrary.simpleMessage( + "Вы уверены, что хотите игнорировать этих людей?"), + "areYouSureYouWantToIgnoreThisPerson": + MessageLookupByLibrary.simpleMessage( + "Вы уверены, что хотите игнорировать этого человека?"), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Вы уверены, что хотите выйти?"), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "Вы уверены, что хотите их объединить?"), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "Вы уверены, что хотите продлить?"), + "areYouSureYouWantToResetThisPerson": + MessageLookupByLibrary.simpleMessage( + "Вы уверены, что хотите сбросить данные этого человека?"), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "Ваша подписка была отменена. Не хотели бы вы поделиться причиной?"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Какова основная причина удаления вашего аккаунта?"), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Попросите близких поделиться"), + "atAFalloutShelter": MessageLookupByLibrary.simpleMessage("в бункере"), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Пожалуйста, авторизуйтесь для изменения настроек подтверждения электронной почты"), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, авторизуйтесь для изменения настроек экрана блокировки"), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, авторизуйтесь для смены электронной почты"), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, авторизуйтесь для смены пароля"), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Пожалуйста, авторизуйтесь для настройки двухфакторной аутентификации"), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, авторизуйтесь для начала процедуры удаления аккаунта"), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, авторизуйтесь для управления доверенными контактами"), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, авторизуйтесь для просмотра ключа доступа"), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, авторизуйтесь для просмотра удалённых файлов"), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, авторизуйтесь для просмотра активных сессий"), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, авторизуйтесь для просмотра скрытых файлов"), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, авторизуйтесь для просмотра воспоминаний"), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, авторизуйтесь для просмотра ключа восстановления"), + "authenticating": + MessageLookupByLibrary.simpleMessage("Аутентификация..."), + "authenticationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Аутентификация не удалась, пожалуйста, попробуйте снова"), + "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( + "Аутентификация прошла успешно!"), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Здесь вы увидите доступные устройства."), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Убедитесь, что для приложения Ente Photos включены разрешения локальной сети в настройках."), + "autoLock": MessageLookupByLibrary.simpleMessage("Автоблокировка"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Спустя какое время приложение блокируется после перехода в фоновый режим"), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "Из-за технического сбоя вы были выведены из системы. Приносим извинения за неудобства."), + "autoPair": MessageLookupByLibrary.simpleMessage("Автоподключение"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "Автоподключение работает только с устройствами, поддерживающими Chromecast."), + "available": MessageLookupByLibrary.simpleMessage("Доступно"), + "availableStorageSpace": m10, + "backedUpFolders": MessageLookupByLibrary.simpleMessage( + "Папки для резервного копирования"), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("Резервное копирование"), + "backupFailed": MessageLookupByLibrary.simpleMessage( + "Резервное копирование не удалось"), + "backupFile": + MessageLookupByLibrary.simpleMessage("Резервное копирование файла"), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Резервное копирование через мобильный интернет"), + "backupSettings": MessageLookupByLibrary.simpleMessage( + "Настройки резервного копирования"), + "backupStatus": MessageLookupByLibrary.simpleMessage( + "Статус резервного копирования"), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Элементы, сохранённые в резервной копии, появятся здесь"), + "backupVideos": + MessageLookupByLibrary.simpleMessage("Резервное копирование видео"), + "beach": MessageLookupByLibrary.simpleMessage("Песок и море"), + "birthday": MessageLookupByLibrary.simpleMessage("День рождения"), + "birthdayNotifications": + MessageLookupByLibrary.simpleMessage("Уведомления о днях рождения"), + "birthdays": MessageLookupByLibrary.simpleMessage("Дни рождения"), + "blackFridaySale": MessageLookupByLibrary.simpleMessage( + "Распродажа в \"Черную пятницу\""), + "blog": MessageLookupByLibrary.simpleMessage("Блог"), + "cLDesc1": MessageLookupByLibrary.simpleMessage( + "В результате бета-тестирования потоковой передачи видео и работы над возобновляемыми загрузками и скачиваниями мы увеличили лимит загружаемых файлов до 10 ГБ. Теперь это доступно как в настольных, так и в мобильных приложениях."), + "cLDesc2": MessageLookupByLibrary.simpleMessage( + "Фоновая загрузка теперь поддерживается не только на устройствах Android, но и на iOS. Не нужно открывать приложение для резервного копирования последних фотографий и видео."), + "cLDesc3": MessageLookupByLibrary.simpleMessage( + "Мы внесли значительные улучшения в работу с воспоминаниями, включая автовоспроизведение, переход к следующему воспоминанию и многое другое."), + "cLDesc4": MessageLookupByLibrary.simpleMessage( + "Наряду с рядом внутренних улучшений теперь стало гораздо проще просматривать все обнаруженные лица, оставлять отзывы о похожих лицах, а также добавлять/удалять лица с одной фотографии."), + "cLDesc5": MessageLookupByLibrary.simpleMessage( + "Теперь вы будете получать уведомления о всех днях рождениях, которые вы сохранили на Ente, а также коллекцию их лучших фотографий."), + "cLDesc6": MessageLookupByLibrary.simpleMessage( + "Больше не нужно ждать завершения загрузки/скачивания, прежде чем закрыть приложение. Все загрузки и скачивания теперь можно приостановить и возобновить с того места, где вы остановились."), + "cLTitle1": MessageLookupByLibrary.simpleMessage( + "Загрузка больших видеофайлов"), + "cLTitle2": MessageLookupByLibrary.simpleMessage("Фоновая загрузка"), + "cLTitle3": MessageLookupByLibrary.simpleMessage( + "Автовоспроизведение воспоминаний"), + "cLTitle4": MessageLookupByLibrary.simpleMessage( + "Улучшенное распознавание лиц"), + "cLTitle5": + MessageLookupByLibrary.simpleMessage("Уведомления о днях рождения"), + "cLTitle6": MessageLookupByLibrary.simpleMessage( + "Возобновляемые загрузки и скачивания"), + "cachedData": + MessageLookupByLibrary.simpleMessage("Кэшированные данные"), + "calculating": MessageLookupByLibrary.simpleMessage("Подсчёт..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Извините, этот альбом не может быть открыт в приложении."), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( + "Не удаётся открыть этот альбом"), + "canNotUploadToAlbumsOwnedByOthers": + MessageLookupByLibrary.simpleMessage( + "Нельзя загружать в альбомы, принадлежащие другим"), + "canOnlyCreateLinkForFilesOwnedByYou": + MessageLookupByLibrary.simpleMessage( + "Можно создать ссылку только для ваших файлов"), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Можно удалять только файлы, принадлежащие вам"), + "cancel": MessageLookupByLibrary.simpleMessage("Отменить"), + "cancelAccountRecovery": + MessageLookupByLibrary.simpleMessage("Отменить восстановление"), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "Вы уверены, что хотите отменить восстановление?"), + "cancelOtherSubscription": m12, + "cancelSubscription": + MessageLookupByLibrary.simpleMessage("Отменить подписку"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": + MessageLookupByLibrary.simpleMessage("Нельзя удалить общие файлы"), + "castAlbum": + MessageLookupByLibrary.simpleMessage("Транслировать альбом"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, убедитесь, что вы находитесь в одной сети с телевизором."), + "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( + "Не удалось транслировать альбом"), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Посетите cast.ente.io на устройстве, которое хотите подключить.\n\nВведите код ниже, чтобы воспроизвести альбом на телевизоре."), + "centerPoint": + MessageLookupByLibrary.simpleMessage("Центральная точка"), + "change": MessageLookupByLibrary.simpleMessage("Изменить"), + "changeEmail": MessageLookupByLibrary.simpleMessage( + "Изменить адрес электронной почты"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Изменить местоположение выбранных элементов?"), + "changePassword": + MessageLookupByLibrary.simpleMessage("Сменить пароль"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("Изменить пароль"), + "changePermissions": + MessageLookupByLibrary.simpleMessage("Изменить разрешения?"), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Изменить ваш реферальный код"), + "checkForUpdates": + MessageLookupByLibrary.simpleMessage("Проверить обновления"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, проверьте ваш почтовый ящик (и спам) для завершения верификации"), + "checkStatus": MessageLookupByLibrary.simpleMessage("Проверить статус"), + "checking": MessageLookupByLibrary.simpleMessage("Проверка..."), + "checkingModels": + MessageLookupByLibrary.simpleMessage("Проверка моделей..."), + "city": MessageLookupByLibrary.simpleMessage("В городе"), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage( + "Получить бесплатное хранилище"), + "claimMore": MessageLookupByLibrary.simpleMessage("Получите больше!"), + "claimed": MessageLookupByLibrary.simpleMessage("Получено"), + "claimedStorageSoFar": m14, + "cleanUncategorized": + MessageLookupByLibrary.simpleMessage("Очистить «Без категории»"), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Удалить из «Без категории» все файлы, присутствующие в других альбомах"), + "clearCaches": MessageLookupByLibrary.simpleMessage("Очистить кэш"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Удалить индексы"), + "click": MessageLookupByLibrary.simpleMessage("• Нажмите"), + "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( + "• Нажмите на меню дополнительных действий"), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Нажмите, чтобы установить нашу лучшую версию"), + "close": MessageLookupByLibrary.simpleMessage("Закрыть"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( + "Группировать по времени съёмки"), + "clubByFileName": + MessageLookupByLibrary.simpleMessage("Группировать по имени файла"), + "clusteringProgress": + MessageLookupByLibrary.simpleMessage("Прогресс кластеризации"), + "codeAppliedPageTitle": + MessageLookupByLibrary.simpleMessage("Код применён"), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Извините, вы достигли лимита изменений кода."), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Код скопирован в буфер обмена"), + "codeUsedByYou": + MessageLookupByLibrary.simpleMessage("Код, использованный вами"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Создайте ссылку, чтобы люди могли добавлять и просматривать фото в вашем общем альбоме без использования приложения или аккаунта Ente. Это отлично подходит для сбора фото с мероприятий."), + "collaborativeLink": + MessageLookupByLibrary.simpleMessage("Совместная ссылка"), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Соавтор"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Соавторы могут добавлять фото и видео в общий альбом."), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("Макет"), + "collageSaved": + MessageLookupByLibrary.simpleMessage("Коллаж сохранён в галерее"), + "collect": MessageLookupByLibrary.simpleMessage("Собрать"), + "collectEventPhotos": + MessageLookupByLibrary.simpleMessage("Собрать фото с мероприятия"), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Сбор фото"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Создайте ссылку, по которой ваши друзья смогут загружать фото в оригинальном качестве."), + "color": MessageLookupByLibrary.simpleMessage("Цвет"), + "configuration": MessageLookupByLibrary.simpleMessage("Настройки"), + "confirm": MessageLookupByLibrary.simpleMessage("Подтвердить"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Вы уверены, что хотите отключить двухфакторную аутентификацию?"), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Подтвердить удаление аккаунта"), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Да, я хочу навсегда удалить этот аккаунт и все его данные во всех приложениях."), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("Подтвердите пароль"), + "confirmPlanChange": + MessageLookupByLibrary.simpleMessage("Подтвердить смену тарифа"), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Подтвердить ключ восстановления"), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Подтвердите ваш ключ восстановления"), + "connectToDevice": + MessageLookupByLibrary.simpleMessage("Подключиться к устройству"), + "contactFamilyAdmin": m18, + "contactSupport": + MessageLookupByLibrary.simpleMessage("Связаться с поддержкой"), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Контакты"), + "contents": MessageLookupByLibrary.simpleMessage("Содержимое"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Продолжить"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "Продолжить с бесплатным пробным периодом"), + "convertToAlbum": + MessageLookupByLibrary.simpleMessage("Преобразовать в альбом"), + "copyEmailAddress": MessageLookupByLibrary.simpleMessage( + "Скопировать адрес электронной почты"), + "copyLink": MessageLookupByLibrary.simpleMessage("Скопировать ссылку"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Скопируйте этот код\nв ваше приложение для аутентификации"), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "Нам не удалось создать резервную копию ваших данных.\nМы повторим попытку позже."), + "couldNotFreeUpSpace": + MessageLookupByLibrary.simpleMessage("Не удалось освободить место"), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Не удалось обновить подписку"), + "count": MessageLookupByLibrary.simpleMessage("Количество"), + "crashReporting": + MessageLookupByLibrary.simpleMessage("Отчёты об ошибках"), + "create": MessageLookupByLibrary.simpleMessage("Создать"), + "createAccount": + MessageLookupByLibrary.simpleMessage("Создать аккаунт"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Нажмите и удерживайте, чтобы выбрать фото, и нажмите «+», чтобы создать альбом"), + "createCollaborativeLink": + MessageLookupByLibrary.simpleMessage("Создать совместную ссылку"), + "createCollage": MessageLookupByLibrary.simpleMessage("Создать коллаж"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("Создать новый аккаунт"), + "createOrSelectAlbum": + MessageLookupByLibrary.simpleMessage("Создать или выбрать альбом"), + "createPublicLink": + MessageLookupByLibrary.simpleMessage("Создать публичную ссылку"), + "creatingLink": + MessageLookupByLibrary.simpleMessage("Создание ссылки..."), + "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( + "Доступно критическое обновление"), + "crop": MessageLookupByLibrary.simpleMessage("Обрезать"), + "curatedMemories": + MessageLookupByLibrary.simpleMessage("Отобранные воспоминания"), + "currentUsageIs": MessageLookupByLibrary.simpleMessage( + "Текущее использование составляет "), + "currentlyRunning": MessageLookupByLibrary.simpleMessage("выполняется"), + "custom": MessageLookupByLibrary.simpleMessage("Пользовательский"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Тёмная"), + "dayToday": MessageLookupByLibrary.simpleMessage("Сегодня"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Вчера"), + "declineTrustInvite": + MessageLookupByLibrary.simpleMessage("Отклонить приглашение"), + "decrypting": MessageLookupByLibrary.simpleMessage("Расшифровка..."), + "decryptingVideo": + MessageLookupByLibrary.simpleMessage("Расшифровка видео..."), + "deduplicateFiles": + MessageLookupByLibrary.simpleMessage("Удалить дубликаты файлов"), + "delete": MessageLookupByLibrary.simpleMessage("Удалить"), + "deleteAccount": + MessageLookupByLibrary.simpleMessage("Удалить аккаунт"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Нам жаль, что вы уходите. Пожалуйста, поделитесь мнением о том, как мы могли бы стать лучше."), + "deleteAccountPermanentlyButton": + MessageLookupByLibrary.simpleMessage("Удалить аккаунт навсегда"), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Удалить альбом"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Также удалить фото (и видео), находящиеся в этом альбоме, из всех других альбомов, частью которых они являются?"), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "Это удалит все пустые альбомы. Это может быть полезно, если вы хотите навести порядок в списке альбомов."), + "deleteAll": MessageLookupByLibrary.simpleMessage("Удалить всё"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "Этот аккаунт связан с другими приложениями Ente, если вы их используете. Все загруженные данные во всех приложениях Ente будут поставлены в очередь на удаление, а ваш аккаунт будет удален навсегда."), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, отправьте письмо на account-deletion@ente.io с вашего зарегистрированного адреса электронной почты."), + "deleteEmptyAlbums": + MessageLookupByLibrary.simpleMessage("Удалить пустые альбомы"), + "deleteEmptyAlbumsWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Удалить пустые альбомы?"), + "deleteFromBoth": + MessageLookupByLibrary.simpleMessage("Удалить из обоих мест"), + "deleteFromDevice": + MessageLookupByLibrary.simpleMessage("Удалить с устройства"), + "deleteFromEnte": + MessageLookupByLibrary.simpleMessage("Удалить из Ente"), + "deleteItemCount": m21, + "deleteLocation": + MessageLookupByLibrary.simpleMessage("Удалить местоположение"), + "deleteMultipleAlbumDialog": m22, + "deletePhotos": MessageLookupByLibrary.simpleMessage("Удалить фото"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Отсутствует необходимая функция"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "Приложение или определённая функция работают не так, как я ожидал"), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Я нашёл другой сервис, который мне больше нравится"), + "deleteReason4": + MessageLookupByLibrary.simpleMessage("Моя причина не указана"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Ваш запрос будет обработан в течение 72 часов."), + "deleteSharedAlbum": + MessageLookupByLibrary.simpleMessage("Удалить общий альбом?"), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "Альбом будет удалён для всех\n\nВы потеряете доступ к общим фото в этом альбоме, принадлежащим другим"), + "deselectAll": + MessageLookupByLibrary.simpleMessage("Отменить выделение"), + "designedToOutlive": + MessageLookupByLibrary.simpleMessage("Создано на века"), + "details": MessageLookupByLibrary.simpleMessage("Подробности"), + "developerSettings": + MessageLookupByLibrary.simpleMessage("Настройки для разработчиков"), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Вы уверены, что хотите изменить настройки для разработчиков?"), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Введите код"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "Файлы, добавленные в этот альбом на устройстве, будут автоматически загружены в Ente."), + "deviceLock": + MessageLookupByLibrary.simpleMessage("Блокировка устройства"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Отключить блокировку экрана устройства, когда Ente на экране, и выполняется резервное копирование. Обычно это не требуется, но это может ускорить завершение больших загрузок и первоначального импортирования крупных библиотек."), + "deviceNotFound": + MessageLookupByLibrary.simpleMessage("Устройство не найдено"), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Знаете ли вы?"), + "different": MessageLookupByLibrary.simpleMessage("Разные"), + "disableAutoLock": + MessageLookupByLibrary.simpleMessage("Отключить автоблокировку"), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Зрители всё ещё могут делать скриншоты или сохранять копии ваших фото с помощью внешних инструментов"), + "disableDownloadWarningTitle": + MessageLookupByLibrary.simpleMessage("Обратите внимание"), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "Отключить двухфакторную аутентификацию"), + "disablingTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Отключение двухфакторной аутентификации..."), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Откройте для себя"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Малыши"), + "discover_celebrations": + MessageLookupByLibrary.simpleMessage("Праздники"), + "discover_food": MessageLookupByLibrary.simpleMessage("Еда"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Зелень"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Холмы"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Документы"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Мемы"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Заметки"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Питомцы"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Чеки"), + "discover_screenshots": + MessageLookupByLibrary.simpleMessage("Скриншоты"), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Селфи"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Закат"), + "discover_visiting_cards": + MessageLookupByLibrary.simpleMessage("Визитки"), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Обои"), + "dismiss": MessageLookupByLibrary.simpleMessage("Отклонить"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("км"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage("Не выходить"), + "doThisLater": + MessageLookupByLibrary.simpleMessage("Сделать это позже"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Хотите отменить сделанные изменения?"), + "done": MessageLookupByLibrary.simpleMessage("Готово"), + "dontSave": MessageLookupByLibrary.simpleMessage("Не сохранять"), + "doubleYourStorage": + MessageLookupByLibrary.simpleMessage("Удвойте своё хранилище"), + "download": MessageLookupByLibrary.simpleMessage("Скачать"), + "downloadFailed": + MessageLookupByLibrary.simpleMessage("Скачивание не удалось"), + "downloading": MessageLookupByLibrary.simpleMessage("Скачивание..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Редактировать"), + "editEmailAlreadyLinked": m28, + "editLocation": + MessageLookupByLibrary.simpleMessage("Изменить местоположение"), + "editLocationTagTitle": + MessageLookupByLibrary.simpleMessage("Изменить местоположение"), + "editPerson": + MessageLookupByLibrary.simpleMessage("Редактировать человека"), + "editTime": MessageLookupByLibrary.simpleMessage("Изменить время"), + "editsSaved": + MessageLookupByLibrary.simpleMessage("Изменения сохранены"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Изменения в местоположении будут видны только в Ente"), + "eligible": MessageLookupByLibrary.simpleMessage("доступно"), + "email": MessageLookupByLibrary.simpleMessage("Электронная почта"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "Электронная почта уже зарегистрирована."), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "Электронная почта не зарегистрирована."), + "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( + "Подтверждение входа по почте"), + "emailYourLogs": MessageLookupByLibrary.simpleMessage( + "Отправить логи по электронной почте"), + "embracingThem": m32, + "emergencyContacts": + MessageLookupByLibrary.simpleMessage("Экстренные контакты"), + "empty": MessageLookupByLibrary.simpleMessage("Очистить"), + "emptyTrash": MessageLookupByLibrary.simpleMessage("Очистить корзину?"), + "enable": MessageLookupByLibrary.simpleMessage("Включить"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "Ente поддерживает машинное обучение прямо на устройстве для распознавания лиц, магического поиска и других поисковых функций"), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Включите машинное обучение для магического поиска и распознавания лиц"), + "enableMaps": MessageLookupByLibrary.simpleMessage("Включить Карты"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "Ваши фото будут отображены на карте мира.\n\nЭта карта размещена на OpenStreetMap, и точное местоположение ваших фото никогда не разглашается.\n\nВы можете отключить эту функцию в любое время в настройках."), + "enabled": MessageLookupByLibrary.simpleMessage("Включено"), + "encryptingBackup": MessageLookupByLibrary.simpleMessage( + "Шифрование резервной копии..."), + "encryption": MessageLookupByLibrary.simpleMessage("Шифрование"), + "encryptionKeys": + MessageLookupByLibrary.simpleMessage("Ключи шифрования"), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Конечная точка успешно обновлена"), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Сквозное шифрование по умолчанию"), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente может шифровать и сохранять файлы, только если вы предоставите к ним доступ"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente требуется разрешение для сохранения ваших фото"), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "Ente сохраняет ваши воспоминания, чтобы они всегда были доступны вам, даже если вы потеряете устройство."), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Ваша семья также может быть включена в ваш тариф."), + "enterAlbumName": + MessageLookupByLibrary.simpleMessage("Введите название альбома"), + "enterCode": MessageLookupByLibrary.simpleMessage("Введите код"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Введите код, предоставленный вашим другом, чтобы вы оба могли получить бесплатное хранилище"), + "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( + "Дата рождения (необязательно)"), + "enterEmail": + MessageLookupByLibrary.simpleMessage("Введите электронную почту"), + "enterFileName": + MessageLookupByLibrary.simpleMessage("Введите название файла"), + "enterName": MessageLookupByLibrary.simpleMessage("Введите имя"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Введите новый пароль для шифрования ваших данных"), + "enterPassword": MessageLookupByLibrary.simpleMessage("Введите пароль"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Введите пароль для шифрования ваших данных"), + "enterPersonName": + MessageLookupByLibrary.simpleMessage("Введите имя человека"), + "enterPin": MessageLookupByLibrary.simpleMessage("Введите PIN-код"), + "enterReferralCode": + MessageLookupByLibrary.simpleMessage("Введите реферальный код"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Введите 6-значный код из\nвашего приложения для аутентификации"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, введите действительный адрес электронной почты."), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Введите адрес вашей электронной почты"), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Введите ваш новый адрес электронной почты"), + "enterYourPassword": + MessageLookupByLibrary.simpleMessage("Введите ваш пароль"), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Введите ваш ключ восстановления"), + "error": MessageLookupByLibrary.simpleMessage("Ошибка"), + "everywhere": MessageLookupByLibrary.simpleMessage("везде"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": + MessageLookupByLibrary.simpleMessage("Существующий пользователь"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Срок действия этой ссылки истёк. Пожалуйста, выберите новый срок или отключите его."), + "exportLogs": + MessageLookupByLibrary.simpleMessage("Экспортировать логи"), + "exportYourData": + MessageLookupByLibrary.simpleMessage("Экспортировать ваши данные"), + "extraPhotosFound": + MessageLookupByLibrary.simpleMessage("Найдены дополнительные фото"), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Лицо ещё не кластеризовано. Пожалуйста, попробуйте позже"), + "faceRecognition": + MessageLookupByLibrary.simpleMessage("Распознавание лиц"), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "Не удалось создать миниатюры лиц"), + "faces": MessageLookupByLibrary.simpleMessage("Лица"), + "failed": MessageLookupByLibrary.simpleMessage("Не удалось"), + "failedToApplyCode": + MessageLookupByLibrary.simpleMessage("Не удалось применить код"), + "failedToCancel": + MessageLookupByLibrary.simpleMessage("Не удалось отменить"), + "failedToDownloadVideo": + MessageLookupByLibrary.simpleMessage("Не удалось скачать видео"), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Не удалось получить активные сессии"), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Не удалось скачать оригинал для редактирования"), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Не удалось получить данные о рефералах. Пожалуйста, попробуйте позже."), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "Не удалось загрузить альбомы"), + "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Не удалось воспроизвести видео"), + "failedToRefreshStripeSubscription": + MessageLookupByLibrary.simpleMessage( + "Не удалось обновить подписку"), + "failedToRenew": + MessageLookupByLibrary.simpleMessage("Не удалось продлить"), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Не удалось проверить статус платежа"), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Добавьте 5 членов семьи к существующему тарифу без дополнительной оплаты.\n\nКаждый участник получает своё личное пространство и не может видеть файлы других, если они не общедоступны.\n\nСемейные тарифы доступны клиентам с платной подпиской на Ente.\n\nПодпишитесь сейчас, чтобы начать!"), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Семья"), + "familyPlans": MessageLookupByLibrary.simpleMessage("Семейные тарифы"), + "faq": MessageLookupByLibrary.simpleMessage("Часто задаваемые вопросы"), + "faqs": + MessageLookupByLibrary.simpleMessage("Часто задаваемые вопросы"), + "favorite": MessageLookupByLibrary.simpleMessage("В избранное"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("Обратная связь"), + "file": MessageLookupByLibrary.simpleMessage("Файл"), + "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage( + "Не удалось проанализировать файл"), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Не удалось сохранить файл в галерею"), + "fileInfoAddDescHint": + MessageLookupByLibrary.simpleMessage("Добавить описание..."), + "fileNotUploadedYet": + MessageLookupByLibrary.simpleMessage("Файл ещё не загружен"), + "fileSavedToGallery": + MessageLookupByLibrary.simpleMessage("Файл сохранён в галерею"), + "fileTypes": MessageLookupByLibrary.simpleMessage("Типы файлов"), + "fileTypesAndNames": + MessageLookupByLibrary.simpleMessage("Типы и названия файлов"), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage("Файлы удалены"), + "filesSavedToGallery": + MessageLookupByLibrary.simpleMessage("Файлы сохранены в галерею"), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "С лёгкостью находите людей по имени"), + "findThemQuickly": + MessageLookupByLibrary.simpleMessage("С лёгкостью находите его"), + "flip": MessageLookupByLibrary.simpleMessage("Отразить"), + "food": MessageLookupByLibrary.simpleMessage("Кулинарное наслаждение"), + "forYourMemories": + MessageLookupByLibrary.simpleMessage("для ваших воспоминаний"), + "forgotPassword": MessageLookupByLibrary.simpleMessage("Забыл пароль"), + "foundFaces": MessageLookupByLibrary.simpleMessage("Найденные лица"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( + "Полученное бесплатное хранилище"), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Доступное бесплатное хранилище"), + "freeTrial": + MessageLookupByLibrary.simpleMessage("Бесплатный пробный период"), + "freeTrialValidTill": m38, + "freeUpAccessPostDelete": m39, + "freeUpAmount": m40, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( + "Освободить место на устройстве"), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Освободите место на устройстве, удалив файлы, которые уже сохранены в резервной копии."), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("Освободить место"), + "freeUpSpaceSaving": m41, + "gallery": MessageLookupByLibrary.simpleMessage("Галерея"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "В галерее отображается до 1000 воспоминаний"), + "general": MessageLookupByLibrary.simpleMessage("Общие"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Генерация ключей шифрования..."), + "genericProgress": m42, + "goToSettings": + MessageLookupByLibrary.simpleMessage("Перейти в настройки"), + "googlePlayId": + MessageLookupByLibrary.simpleMessage("Идентификатор Google Play"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, разрешите доступ ко всем фото в настройках устройства"), + "grantPermission": + MessageLookupByLibrary.simpleMessage("Предоставить разрешение"), + "greenery": MessageLookupByLibrary.simpleMessage("Зелёная жизнь"), + "groupNearbyPhotos": + MessageLookupByLibrary.simpleMessage("Группировать ближайшие фото"), + "guestView": MessageLookupByLibrary.simpleMessage("Гостевой просмотр"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "Для включения гостевого просмотра, пожалуйста, настройте код или блокировку экрана в настройках устройства."), + "happyBirthday": + MessageLookupByLibrary.simpleMessage("С днём рождения! 🥳"), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "Мы не отслеживаем установки приложений. Нам поможет, если скажете, как вы нас нашли!"), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Как вы узнали об Ente? (необязательно)"), + "help": MessageLookupByLibrary.simpleMessage("Помощь"), + "hidden": MessageLookupByLibrary.simpleMessage("Скрытые"), + "hide": MessageLookupByLibrary.simpleMessage("Скрыть"), + "hideContent": + MessageLookupByLibrary.simpleMessage("Скрыть содержимое"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Скрывает содержимое приложения при переключении между приложениями и отключает скриншоты"), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Скрывает содержимое приложения при переключении между приложениями"), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Скрыть общие элементы из основной галереи"), + "hiding": MessageLookupByLibrary.simpleMessage("Скрытие..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": + MessageLookupByLibrary.simpleMessage("Размещено на OSM France"), + "howItWorks": MessageLookupByLibrary.simpleMessage("Как это работает"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Попросите их нажать с удержанием на адрес электронной почты на экране настроек и убедиться, что идентификаторы на обоих устройствах совпадают."), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Биометрическая аутентификация не настроена. Пожалуйста, включите Touch ID или Face ID на вашем устройстве."), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "Биометрическая аутентификация отключена. Пожалуйста, заблокируйте и разблокируйте экран, чтобы включить её."), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("Хорошо"), + "ignore": MessageLookupByLibrary.simpleMessage("Игнорировать"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Игнорировать"), + "ignored": MessageLookupByLibrary.simpleMessage("игнорируется"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Некоторые файлы в этом альбоме игнорируются, так как ранее они были удалены из Ente."), + "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( + "Изображение не проанализировано"), + "immediately": MessageLookupByLibrary.simpleMessage("Немедленно"), + "importing": MessageLookupByLibrary.simpleMessage("Импортирование..."), + "incorrectCode": MessageLookupByLibrary.simpleMessage("Неверный код"), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("Неверный пароль"), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Неверный ключ восстановления"), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Введённый вами ключ восстановления неверен"), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Неверный ключ восстановления"), + "indexedItems": + MessageLookupByLibrary.simpleMessage("Проиндексированные элементы"), + "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( + "Индексирование приостановлено. Оно автоматически возобновится, когда устройство будет готово. Устройство считается готовым, когда уровень заряда батареи, её состояние и температура находятся в пределах нормы."), + "ineligible": MessageLookupByLibrary.simpleMessage("Неподходящий"), + "info": MessageLookupByLibrary.simpleMessage("Информация"), + "insecureDevice": + MessageLookupByLibrary.simpleMessage("Небезопасное устройство"), + "installManually": + MessageLookupByLibrary.simpleMessage("Установить вручную"), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "Недействительный адрес электронной почты"), + "invalidEndpoint": MessageLookupByLibrary.simpleMessage( + "Недействительная конечная точка"), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Извините, введённая вами конечная точка недействительна. Пожалуйста, введите корректную точку и попробуйте снова."), + "invalidKey": + MessageLookupByLibrary.simpleMessage("Недействительный ключ"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Введённый вами ключ восстановления недействителен. Убедитесь, что он содержит 24 слова, и проверьте правописание каждого из них.\n\nЕсли вы ввели старый код восстановления, убедитесь, что он состоит из 64 символов, и проверьте каждый из них."), + "invite": MessageLookupByLibrary.simpleMessage("Пригласить"), + "inviteToEnte": + MessageLookupByLibrary.simpleMessage("Пригласить в Ente"), + "inviteYourFriends": + MessageLookupByLibrary.simpleMessage("Пригласите своих друзей"), + "inviteYourFriendsToEnte": + MessageLookupByLibrary.simpleMessage("Пригласите друзей в Ente"), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Похоже, что-то пошло не так. Пожалуйста, повторите попытку через некоторое время. Если ошибка сохраняется, обратитесь в нашу службу поддержки."), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "На элементах отображается количество дней, оставшихся до их безвозвратного удаления"), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Выбранные элементы будут удалены из этого альбома"), + "join": MessageLookupByLibrary.simpleMessage("Присоединиться"), + "joinAlbum": + MessageLookupByLibrary.simpleMessage("Присоединиться к альбому"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "Если вы присоединитесь к альбому, ваша электронная почта станет видимой для его участников."), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( + "чтобы просматривать и добавлять свои фото"), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "чтобы добавить это в общие альбомы"), + "joinDiscord": + MessageLookupByLibrary.simpleMessage("Присоединиться в Discord"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Оставить фото"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("км"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, помогите нам с этой информацией"), + "language": MessageLookupByLibrary.simpleMessage("Язык"), + "lastTimeWithThem": m45, + "lastUpdated": + MessageLookupByLibrary.simpleMessage("Последнее обновление"), + "lastYearsTrip": + MessageLookupByLibrary.simpleMessage("Прошлогодняя поездка"), + "leave": MessageLookupByLibrary.simpleMessage("Покинуть"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Покинуть альбом"), + "leaveFamily": MessageLookupByLibrary.simpleMessage("Покинуть семью"), + "leaveSharedAlbum": + MessageLookupByLibrary.simpleMessage("Покинуть общий альбом?"), + "left": MessageLookupByLibrary.simpleMessage("Влево"), + "legacy": MessageLookupByLibrary.simpleMessage("Наследие"), + "legacyAccounts": + MessageLookupByLibrary.simpleMessage("Наследуемые аккаунты"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "Наследие позволяет доверенным контактам получить доступ к вашему аккаунту в ваше отсутствие."), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "Доверенные контакты могут начать восстановление аккаунта. Если не отменить это в течение 30 дней, то они смогут сбросить пароль и получить доступ."), + "light": MessageLookupByLibrary.simpleMessage("Яркость"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Светлая"), + "link": MessageLookupByLibrary.simpleMessage("Привязать"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Ссылка скопирована в буфер обмена"), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage( + "Ограничение по количеству устройств"), + "linkEmail": + MessageLookupByLibrary.simpleMessage("Привязать электронную почту"), + "linkEmailToContactBannerCaption": + MessageLookupByLibrary.simpleMessage("чтобы быстрее делиться"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Включена"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Истекла"), + "linkExpiresOn": m47, + "linkExpiry": + MessageLookupByLibrary.simpleMessage("Срок действия ссылки"), + "linkHasExpired": + MessageLookupByLibrary.simpleMessage("Срок действия ссылки истёк"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Никогда"), + "linkPerson": MessageLookupByLibrary.simpleMessage("Связать человека"), + "linkPersonCaption": + MessageLookupByLibrary.simpleMessage("чтобы было удобнее делиться"), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("Живые фото"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "Вы можете поделиться подпиской с вашей семьёй"), + "loadMessage2": MessageLookupByLibrary.simpleMessage( + "На сегодняшний день мы сохранили более 200 миллионов воспоминаний"), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "Мы храним 3 копии ваших данных, одну из них — в бункере"), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "Все наши приложения имеют открытый исходный код"), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Наш исходный код и криптография прошли внешний аудит"), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "Вы можете делиться ссылками на свои альбомы с близкими"), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Наши мобильные приложения работают в фоновом режиме, чтобы шифровать и сохранять все новые фото, которые вы снимаете"), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "На web.ente.io есть удобный загрузчик"), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Мы используем Xchacha20Poly1305 для безопасного шифрования ваших данных"), + "loadingExifData": + MessageLookupByLibrary.simpleMessage("Загрузка данных EXIF..."), + "loadingGallery": + MessageLookupByLibrary.simpleMessage("Загрузка галереи..."), + "loadingMessage": + MessageLookupByLibrary.simpleMessage("Загрузка ваших фото..."), + "loadingModel": + MessageLookupByLibrary.simpleMessage("Загрузка моделей..."), + "loadingYourPhotos": + MessageLookupByLibrary.simpleMessage("Загрузка ваших фото..."), + "localGallery": + MessageLookupByLibrary.simpleMessage("Локальная галерея"), + "localIndexing": + MessageLookupByLibrary.simpleMessage("Локальная индексация"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Похоже, что-то пошло не так: синхронизация фото занимает больше времени, чем ожидалось. Пожалуйста, обратитесь в поддержку"), + "location": MessageLookupByLibrary.simpleMessage("Местоположение"), + "locationName": + MessageLookupByLibrary.simpleMessage("Название местоположения"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Тег местоположения группирует все фото, снятые в определённом радиусе от фото"), + "locations": MessageLookupByLibrary.simpleMessage("Местоположения"), + "lockButtonLabel": + MessageLookupByLibrary.simpleMessage("Заблокировать"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Экран блокировки"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Войти"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Выход..."), + "loginSessionExpired": + MessageLookupByLibrary.simpleMessage("Сессия истекла"), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "Ваша сессия истекла. Пожалуйста, войдите снова."), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Нажимая \"Войти\", я соглашаюсь с условиями предоставления услуг и политикой конфиденциальности"), + "loginWithTOTP": + MessageLookupByLibrary.simpleMessage("Войти с одноразовым кодом"), + "logout": MessageLookupByLibrary.simpleMessage("Выйти"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "Это отправит нам логи, чтобы помочь разобраться с вашей проблемой. Обратите внимание, что имена файлов будут включены для отслеживания проблем с конкретными файлами."), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Нажмите с удержанием на электронную почту для подтверждения сквозного шифрования."), + "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( + "Нажмите с удержанием на элемент для просмотра в полноэкранном режиме"), + "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( + "Оглянитесь на ваши воспоминания 🌄"), + "loopVideoOff": + MessageLookupByLibrary.simpleMessage("Видео не зациклено"), + "loopVideoOn": MessageLookupByLibrary.simpleMessage("Видео зациклено"), + "lostDevice": + MessageLookupByLibrary.simpleMessage("Потеряли устройство?"), + "machineLearning": + MessageLookupByLibrary.simpleMessage("Машинное обучение"), + "magicSearch": MessageLookupByLibrary.simpleMessage("Магический поиск"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "Магический поиск позволяет искать фото по содержимому, например, «цветок», «красная машина», «документы»"), + "manage": MessageLookupByLibrary.simpleMessage("Управлять"), + "manageDeviceStorage": + MessageLookupByLibrary.simpleMessage("Управление кэшем устройства"), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Ознакомиться и очистить локальный кэш."), + "manageFamily": + MessageLookupByLibrary.simpleMessage("Управление семьёй"), + "manageLink": MessageLookupByLibrary.simpleMessage("Управлять ссылкой"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Управлять"), + "manageSubscription": + MessageLookupByLibrary.simpleMessage("Управление подпиской"), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "Подключение с PIN-кодом работает с любым устройством, на котором вы хотите просматривать альбом."), + "map": MessageLookupByLibrary.simpleMessage("Карта"), + "maps": MessageLookupByLibrary.simpleMessage("Карты"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("Я"), + "memories": MessageLookupByLibrary.simpleMessage("Воспоминания"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Выберите, какие воспоминания вы хотите видеть на главном экране."), + "memoryCount": m50, + "merchandise": MessageLookupByLibrary.simpleMessage("Мерч"), + "merge": MessageLookupByLibrary.simpleMessage("Объединить"), + "mergeWithExisting": + MessageLookupByLibrary.simpleMessage("Объединить с существующим"), + "mergedPhotos": + MessageLookupByLibrary.simpleMessage("Объединённые фото"), + "mlConsent": + MessageLookupByLibrary.simpleMessage("Включить машинное обучение"), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Я понимаю и хочу включить машинное обучение"), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Если вы включите машинное обучение, Ente будет извлекать информацию такую, как геометрия лица, из файлов, включая те, которыми с вами поделились.\n\nЭтот процесс будет происходить на вашем устройстве, и любая сгенерированная биометрическая информация будет защищена сквозным шифрованием."), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, нажмите здесь для получения подробностей об этой функции в нашей политике конфиденциальности"), + "mlConsentTitle": + MessageLookupByLibrary.simpleMessage("Включить машинное обучение?"), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Обратите внимание, что машинное обучение увеличит использование трафика и батареи, пока все элементы не будут проиндексированы. Рассмотрите использование приложения для компьютера для более быстрой индексации. Результаты будут автоматически синхронизированы."), + "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( + "Смартфон, браузер, компьютер"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Средняя"), + "modifyYourQueryOrTrySearchingFor": + MessageLookupByLibrary.simpleMessage( + "Измените запрос или попробуйте поискать"), + "moments": MessageLookupByLibrary.simpleMessage("Моменты"), + "month": MessageLookupByLibrary.simpleMessage("месяц"), + "monthly": MessageLookupByLibrary.simpleMessage("Ежемесячно"), + "moon": MessageLookupByLibrary.simpleMessage("В лунном свете"), + "moreDetails": MessageLookupByLibrary.simpleMessage("Подробнее"), + "mostRecent": MessageLookupByLibrary.simpleMessage("Самые последние"), + "mostRelevant": + MessageLookupByLibrary.simpleMessage("Самые актуальные"), + "mountains": MessageLookupByLibrary.simpleMessage("За холмами"), + "moveItem": m51, + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "Переместите выбранные фото на одну дату"), + "moveToAlbum": + MessageLookupByLibrary.simpleMessage("Переместить в альбом"), + "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Переместить в скрытый альбом"), + "movedSuccessfullyTo": m52, + "movedToTrash": + MessageLookupByLibrary.simpleMessage("Перемещено в корзину"), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Перемещение файлов в альбом..."), + "name": MessageLookupByLibrary.simpleMessage("Имя"), + "nameTheAlbum": + MessageLookupByLibrary.simpleMessage("Дайте название альбому"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Не удалось подключиться к Ente. Повторите попытку через некоторое время. Если ошибка сохраняется, обратитесь в поддержку."), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Не удалось подключиться к Ente. Проверьте настройки сети и обратитесь в поддержку, если ошибка сохраняется."), + "never": MessageLookupByLibrary.simpleMessage("Никогда"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Новый альбом"), + "newLocation": + MessageLookupByLibrary.simpleMessage("Новое местоположение"), + "newPerson": MessageLookupByLibrary.simpleMessage("Новый человек"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" новая 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("Новый диапазон"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Впервые в Ente"), + "newest": MessageLookupByLibrary.simpleMessage("Недавние"), + "next": MessageLookupByLibrary.simpleMessage("Далее"), + "no": MessageLookupByLibrary.simpleMessage("Нет"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Вы пока не делились альбомами"), + "noDeviceFound": + MessageLookupByLibrary.simpleMessage("Устройства не обнаружены"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Нет"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "На этом устройстве нет файлов, которые можно удалить"), + "noDuplicates": + MessageLookupByLibrary.simpleMessage("✨ Дубликатов нет"), + "noEnteAccountExclamation": + MessageLookupByLibrary.simpleMessage("Нет аккаунта Ente!"), + "noExifData": MessageLookupByLibrary.simpleMessage("Нет данных EXIF"), + "noFacesFound": MessageLookupByLibrary.simpleMessage("Лица не найдены"), + "noHiddenPhotosOrVideos": + MessageLookupByLibrary.simpleMessage("Нет скрытых фото или видео"), + "noImagesWithLocation": + MessageLookupByLibrary.simpleMessage("Нет фото с местоположением"), + "noInternetConnection": + MessageLookupByLibrary.simpleMessage("Нет подключения к Интернету"), + "noPhotosAreBeingBackedUpRightNow": + MessageLookupByLibrary.simpleMessage( + "В данный момент фото не копируются"), + "noPhotosFoundHere": + MessageLookupByLibrary.simpleMessage("Здесь фото не найдены"), + "noQuickLinksSelected": + MessageLookupByLibrary.simpleMessage("Быстрые ссылки не выбраны"), + "noRecoveryKey": + MessageLookupByLibrary.simpleMessage("Нет ключа восстановления?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Из-за особенностей нашего протокола сквозного шифрования ваши данные не могут быть расшифрованы без пароля или ключа восстановления"), + "noResults": MessageLookupByLibrary.simpleMessage("Нет результатов"), + "noResultsFound": + MessageLookupByLibrary.simpleMessage("Нет результатов"), + "noSuggestionsForPerson": m53, + "noSystemLockFound": MessageLookupByLibrary.simpleMessage( + "Системная блокировка не найдена"), + "notPersonLabel": m54, + "notThisPerson": + MessageLookupByLibrary.simpleMessage("Не этот человек?"), + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "С вами пока ничем не поделились"), + "nothingToSeeHere": + MessageLookupByLibrary.simpleMessage("Здесь ничего нет! 👀"), + "notifications": MessageLookupByLibrary.simpleMessage("Уведомления"), + "ok": MessageLookupByLibrary.simpleMessage("Хорошо"), + "onDevice": MessageLookupByLibrary.simpleMessage("На устройстве"), + "onEnte": + MessageLookupByLibrary.simpleMessage("В ente"), + "onTheRoad": MessageLookupByLibrary.simpleMessage("Снова в пути"), + "onThisDay": MessageLookupByLibrary.simpleMessage("В этот день"), + "onThisDayMemories": + MessageLookupByLibrary.simpleMessage("В этот день воспоминания"), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "Получайте напоминания о воспоминаниях, связанных с этим днем в прошлые годы."), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Только он(а)"), + "oops": MessageLookupByLibrary.simpleMessage("Ой"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Ой, не удалось сохранить изменения"), + "oopsSomethingWentWrong": + MessageLookupByLibrary.simpleMessage("Ой, что-то пошло не так"), + "openAlbumInBrowser": + MessageLookupByLibrary.simpleMessage("Открыть альбом в браузере"), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, используйте веб-версию, чтобы добавить фото в этот альбом"), + "openFile": MessageLookupByLibrary.simpleMessage("Открыть файл"), + "openSettings": + MessageLookupByLibrary.simpleMessage("Открыть настройки"), + "openTheItem": + MessageLookupByLibrary.simpleMessage("• Откройте элемент"), + "openstreetmapContributors": + MessageLookupByLibrary.simpleMessage("Участники OpenStreetMap"), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Необязательно, насколько коротко пожелаете..."), + "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( + "Или объединить с существующим"), + "orPickAnExistingOne": + MessageLookupByLibrary.simpleMessage("Или выберите существующую"), + "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( + "или выберите из ваших контактов"), + "otherDetectedFaces": + MessageLookupByLibrary.simpleMessage("Другие найденные лица"), + "pair": MessageLookupByLibrary.simpleMessage("Подключить"), + "pairWithPin": MessageLookupByLibrary.simpleMessage("Подключить с PIN"), + "pairingComplete": + MessageLookupByLibrary.simpleMessage("Подключение завершено"), + "panorama": MessageLookupByLibrary.simpleMessage("Панорама"), + "partyWithThem": m56, + "passKeyPendingVerification": + MessageLookupByLibrary.simpleMessage("Проверка всё ещё ожидается"), + "passkey": MessageLookupByLibrary.simpleMessage("Ключ доступа"), + "passkeyAuthTitle": + MessageLookupByLibrary.simpleMessage("Проверка ключа доступа"), + "password": MessageLookupByLibrary.simpleMessage("Пароль"), + "passwordChangedSuccessfully": + MessageLookupByLibrary.simpleMessage("Пароль успешно изменён"), + "passwordLock": MessageLookupByLibrary.simpleMessage("Защита паролем"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "Надёжность пароля определяется его длиной, используемыми символами и присутствием среди 10000 самых популярных паролей"), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Мы не храним этот пароль, поэтому, если вы его забудете, мы не сможем расшифровать ваши данные"), + "pastYearsMemories": + MessageLookupByLibrary.simpleMessage("Воспоминания прошлых лет"), + "paymentDetails": + MessageLookupByLibrary.simpleMessage("Платёжные данные"), + "paymentFailed": + MessageLookupByLibrary.simpleMessage("Платёж не удался"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "К сожалению, ваш платёж не удался. Пожалуйста, свяжитесь с поддержкой, и мы вам поможем!"), + "paymentFailedTalkToProvider": m58, + "pendingItems": + MessageLookupByLibrary.simpleMessage("Элементы в очереди"), + "pendingSync": + MessageLookupByLibrary.simpleMessage("Ожидание синхронизации"), + "people": MessageLookupByLibrary.simpleMessage("Люди"), + "peopleUsingYourCode": + MessageLookupByLibrary.simpleMessage("Люди, использующие ваш код"), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Выберите людей, которых вы хотите видеть на главном экране."), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Все элементы в корзине будут удалены навсегда\n\nЭто действие нельзя отменить"), + "permanentlyDelete": + MessageLookupByLibrary.simpleMessage("Удалить безвозвратно"), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Удалить с устройства безвозвратно?"), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("Имя человека"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("Пушистые спутники"), + "photoDescriptions": + MessageLookupByLibrary.simpleMessage("Описания фото"), + "photoGridSize": + MessageLookupByLibrary.simpleMessage("Размер сетки фото"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("фото"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("Фото"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "Добавленные вами фото будут удалены из альбома"), + "photosCount": m62, + "photosKeepRelativeTimeDifference": + MessageLookupByLibrary.simpleMessage( + "Фото сохранят относительную разницу во времени"), + "pickCenterPoint": + MessageLookupByLibrary.simpleMessage("Выбрать центральную точку"), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Закрепить альбом"), + "pinLock": MessageLookupByLibrary.simpleMessage("Блокировка PIN-кодом"), + "playOnTv": + MessageLookupByLibrary.simpleMessage("Воспроизвести альбом на ТВ"), + "playOriginal": + MessageLookupByLibrary.simpleMessage("Воспроизвести оригинал"), + "playStoreFreeTrialValidTill": m63, + "playStream": + MessageLookupByLibrary.simpleMessage("Воспроизвести поток"), + "playstoreSubscription": + MessageLookupByLibrary.simpleMessage("Подписка PlayStore"), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Пожалуйста, проверьте подключение к Интернету и попробуйте снова."), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Пожалуйста, свяжитесь с support@ente.io, и мы будем рады помочь!"), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Пожалуйста, обратитесь в поддержку, если проблема сохраняется"), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, предоставьте разрешения"), + "pleaseLoginAgain": + MessageLookupByLibrary.simpleMessage("Пожалуйста, войдите снова"), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, выберите быстрые ссылки для удаления"), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, попробуйте снова"), + "pleaseVerifyTheCodeYouHaveEntered": + MessageLookupByLibrary.simpleMessage( + "Пожалуйста, проверьте введённый вами код"), + "pleaseWait": + MessageLookupByLibrary.simpleMessage("Пожалуйста, подождите..."), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, подождите, альбом удаляется"), + "pleaseWaitForSometimeBeforeRetrying": + MessageLookupByLibrary.simpleMessage( + "Пожалуйста, подождите некоторое время перед повторной попыткой"), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, подождите, это займёт некоторое время."), + "posingWithThem": m66, + "preparingLogs": + MessageLookupByLibrary.simpleMessage("Подготовка логов..."), + "preserveMore": + MessageLookupByLibrary.simpleMessage("Сохранить больше"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Нажмите и удерживайте для воспроизведения видео"), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Нажмите с удержанием на изображение для воспроизведения видео"), + "previous": MessageLookupByLibrary.simpleMessage("Предыдущий"), + "privacy": MessageLookupByLibrary.simpleMessage("Конфиденциальность"), + "privacyPolicyTitle": + MessageLookupByLibrary.simpleMessage("Политика конфиденциальности"), + "privateBackups": + MessageLookupByLibrary.simpleMessage("Защищённые резервные копии"), + "privateSharing": + MessageLookupByLibrary.simpleMessage("Защищённый обмен"), + "proceed": MessageLookupByLibrary.simpleMessage("Продолжить"), + "processed": MessageLookupByLibrary.simpleMessage("Обработано"), + "processing": MessageLookupByLibrary.simpleMessage("Обработка"), + "processingImport": m67, + "processingVideos": + MessageLookupByLibrary.simpleMessage("Обработка видео"), + "publicLinkCreated": + MessageLookupByLibrary.simpleMessage("Публичная ссылка создана"), + "publicLinkEnabled": + MessageLookupByLibrary.simpleMessage("Публичная ссылка включена"), + "questionmark": MessageLookupByLibrary.simpleMessage("?"), + "queued": MessageLookupByLibrary.simpleMessage("В очереди"), + "quickLinks": MessageLookupByLibrary.simpleMessage("Быстрые ссылки"), + "radius": MessageLookupByLibrary.simpleMessage("Радиус"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Создать запрос"), + "rateTheApp": + MessageLookupByLibrary.simpleMessage("Оценить приложение"), + "rateUs": MessageLookupByLibrary.simpleMessage("Оцените нас"), + "rateUsOnStore": m68, + "reassignMe": + MessageLookupByLibrary.simpleMessage("Переназначить \"Меня\""), + "reassignedToName": m69, + "reassigningLoading": + MessageLookupByLibrary.simpleMessage("Переназначение..."), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Получайте напоминания, когда у кого-то день рождения. Нажатие на уведомление перенесет вас к фотографиям именинника."), + "recover": MessageLookupByLibrary.simpleMessage("Восстановить"), + "recoverAccount": + MessageLookupByLibrary.simpleMessage("Восстановить аккаунт"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Восстановить"), + "recoveryAccount": + MessageLookupByLibrary.simpleMessage("Восстановить аккаунт"), + "recoveryInitiated": + MessageLookupByLibrary.simpleMessage("Восстановление начато"), + "recoveryInitiatedDesc": m70, + "recoveryKey": + MessageLookupByLibrary.simpleMessage("Ключ восстановления"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Ключ восстановления скопирован в буфер обмена"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Если вы забудете пароль, единственный способ восстановить ваши данные — это использовать этот ключ."), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Мы не храним этот ключ. Пожалуйста, сохраните этот ключ из 24 слов в безопасном месте."), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Отлично! Ваш ключ восстановления действителен. Спасибо за проверку.\n\nПожалуйста, не забудьте сохранить ключ восстановления в безопасном месте."), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Ключ восстановления подтверждён"), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Ваш ключ восстановления — единственный способ восстановить ваши фото, если вы забудете пароль. Вы можете найти ключ восстановления в разделе «Настройки» → «Аккаунт».\n\nПожалуйста, введите ваш ключ восстановления здесь, чтобы убедиться, что вы сохранили его правильно."), + "recoveryReady": m71, + "recoverySuccessful": + MessageLookupByLibrary.simpleMessage("Успешное восстановление!"), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "Доверенный контакт пытается получить доступ к вашему аккаунту"), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Текущее устройство недостаточно мощное для проверки вашего пароля, но мы можем сгенерировать его снова так, чтобы он работал на всех устройствах.\n\nПожалуйста, войдите, используя ваш ключ восстановления, и сгенерируйте пароль (при желании вы можете использовать тот же самый)."), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("Пересоздать пароль"), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": + MessageLookupByLibrary.simpleMessage("Подтвердите пароль"), + "reenterPin": + MessageLookupByLibrary.simpleMessage("Введите PIN-код ещё раз"), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Пригласите друзей и удвойте свой тариф"), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Даёте этот код своим друзьям"), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Они подписываются на платный тариф"), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Рефералы"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "Реферальная программа временно приостановлена"), + "rejectRecovery": + MessageLookupByLibrary.simpleMessage("Отклонить восстановление"), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "Также очистите «Недавно удалённые» в «Настройки» → «Хранилище», чтобы освободить место"), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Также очистите «Корзину», чтобы освободить место"), + "remoteImages": + MessageLookupByLibrary.simpleMessage("Изображения вне устройства"), + "remoteThumbnails": + MessageLookupByLibrary.simpleMessage("Миниатюры вне устройства"), + "remoteVideos": + MessageLookupByLibrary.simpleMessage("Видео вне устройства"), + "remove": MessageLookupByLibrary.simpleMessage("Удалить"), + "removeDuplicates": + MessageLookupByLibrary.simpleMessage("Удалить дубликаты"), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Проверьте и удалите файлы, которые являются точными дубликатами."), + "removeFromAlbum": + MessageLookupByLibrary.simpleMessage("Удалить из альбома"), + "removeFromAlbumTitle": + MessageLookupByLibrary.simpleMessage("Удалить из альбома?"), + "removeFromFavorite": + MessageLookupByLibrary.simpleMessage("Убрать из избранного"), + "removeInvite": + MessageLookupByLibrary.simpleMessage("Удалить приглашение"), + "removeLink": MessageLookupByLibrary.simpleMessage("Удалить ссылку"), + "removeParticipant": + MessageLookupByLibrary.simpleMessage("Удалить участника"), + "removeParticipantBody": m74, + "removePersonLabel": + MessageLookupByLibrary.simpleMessage("Удалить метку человека"), + "removePublicLink": + MessageLookupByLibrary.simpleMessage("Удалить публичную ссылку"), + "removePublicLinks": + MessageLookupByLibrary.simpleMessage("Удалить публичные ссылки"), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Некоторые из удаляемых вами элементов были добавлены другими людьми, и вы потеряете к ним доступ"), + "removeWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Удалить?"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Удалить себя из доверенных контактов"), + "removingFromFavorites": + MessageLookupByLibrary.simpleMessage("Удаление из избранного..."), + "rename": MessageLookupByLibrary.simpleMessage("Переименовать"), + "renameAlbum": + MessageLookupByLibrary.simpleMessage("Переименовать альбом"), + "renameFile": + MessageLookupByLibrary.simpleMessage("Переименовать файл"), + "renewSubscription": + MessageLookupByLibrary.simpleMessage("Продлить подписку"), + "renewsOn": m75, + "reportABug": + MessageLookupByLibrary.simpleMessage("Сообщить об ошибке"), + "reportBug": MessageLookupByLibrary.simpleMessage("Сообщить об ошибке"), + "resendEmail": + MessageLookupByLibrary.simpleMessage("Отправить письмо повторно"), + "reset": MessageLookupByLibrary.simpleMessage("Сбросить"), + "resetIgnoredFiles": + MessageLookupByLibrary.simpleMessage("Сбросить игнорируемые файлы"), + "resetPasswordTitle": + MessageLookupByLibrary.simpleMessage("Сбросить пароль"), + "resetPerson": MessageLookupByLibrary.simpleMessage("Удалить"), + "resetToDefault": + MessageLookupByLibrary.simpleMessage("Вернуть стандартную"), + "restore": MessageLookupByLibrary.simpleMessage("Восстановить"), + "restoreToAlbum": + MessageLookupByLibrary.simpleMessage("Восстановить в альбом"), + "restoringFiles": + MessageLookupByLibrary.simpleMessage("Восстановление файлов..."), + "resumableUploads": + MessageLookupByLibrary.simpleMessage("Возобновляемые загрузки"), + "retry": MessageLookupByLibrary.simpleMessage("Повторить"), + "review": MessageLookupByLibrary.simpleMessage("Предложения"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, проверьте и удалите элементы, которые считаете дубликатами."), + "reviewSuggestions": + MessageLookupByLibrary.simpleMessage("Посмотреть предложения"), + "right": MessageLookupByLibrary.simpleMessage("Вправо"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("Повернуть"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Повернуть влево"), + "rotateRight": MessageLookupByLibrary.simpleMessage("Повернуть вправо"), + "safelyStored": + MessageLookupByLibrary.simpleMessage("Надёжно сохранены"), + "same": MessageLookupByLibrary.simpleMessage("Такой же"), + "sameperson": MessageLookupByLibrary.simpleMessage("Тот же человек?"), + "save": MessageLookupByLibrary.simpleMessage("Сохранить"), + "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage( + "Сохранить как другого человека"), + "saveChangesBeforeLeavingQuestion": + MessageLookupByLibrary.simpleMessage( + "Сохранить изменения перед выходом?"), + "saveCollage": MessageLookupByLibrary.simpleMessage("Сохранить коллаж"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Сохранить копию"), + "saveKey": MessageLookupByLibrary.simpleMessage("Сохранить ключ"), + "savePerson": + MessageLookupByLibrary.simpleMessage("Сохранить человека"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Сохраните ваш ключ восстановления, если вы ещё этого не сделали"), + "saving": MessageLookupByLibrary.simpleMessage("Сохранение..."), + "savingEdits": + MessageLookupByLibrary.simpleMessage("Сохранение изменений..."), + "scanCode": MessageLookupByLibrary.simpleMessage("Сканировать код"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Отсканируйте этот штрих-код\nс помощью вашего приложения для аутентификации"), + "search": MessageLookupByLibrary.simpleMessage("Поиск"), + "searchAlbumsEmptySection": + MessageLookupByLibrary.simpleMessage("Альбомы"), + "searchByAlbumNameHint": + MessageLookupByLibrary.simpleMessage("Название альбома"), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Названия альбомов (например, «Камера»)\n• Типы файлов (например, «Видео», «.gif»)\n• Годы и месяцы (например, «2022», «Январь»)\n• Праздники (например, «Рождество»)\n• Описания фото (например, «#веселье»)"), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Добавляйте описания вроде «#поездка» в информацию о фото, чтобы быстро находить их здесь"), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Ищите по дате, месяцу или году"), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "Изображения появятся здесь после завершения обработки и синхронизации"), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "Люди появятся здесь после завершения индексации"), + "searchFileTypesAndNamesEmptySection": + MessageLookupByLibrary.simpleMessage("Типы и названия файлов"), + "searchHint1": MessageLookupByLibrary.simpleMessage( + "Быстрый поиск прямо на устройстве"), + "searchHint2": + MessageLookupByLibrary.simpleMessage("Даты, описания фото"), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "Альбомы, названия и типы файлов"), + "searchHint4": MessageLookupByLibrary.simpleMessage("Местоположение"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "Скоро: Лица и магический поиск ✨"), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Группируйте фото, снятые в определённом радиусе от фото"), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "Приглашайте людей, и здесь появятся все фото, которыми они поделились"), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "Люди появятся здесь после завершения обработки и синхронизации"), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Безопасность"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "Просматривать публичные ссылки на альбомы в приложении"), + "selectALocation": + MessageLookupByLibrary.simpleMessage("Выбрать местоположение"), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage( + "Сначала выберите местоположение"), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Выбрать альбом"), + "selectAll": MessageLookupByLibrary.simpleMessage("Выбрать все"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("Все"), + "selectCoverPhoto": + MessageLookupByLibrary.simpleMessage("Выберите обложку"), + "selectDate": MessageLookupByLibrary.simpleMessage("Выбрать дату"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Выберите папки для резервного копирования"), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "Выберите элементы для добавления"), + "selectLanguage": MessageLookupByLibrary.simpleMessage("Выберите язык"), + "selectMailApp": MessageLookupByLibrary.simpleMessage( + "Выберите почтовое приложение"), + "selectMorePhotos": + MessageLookupByLibrary.simpleMessage("Выбрать больше фото"), + "selectOneDateAndTime": + MessageLookupByLibrary.simpleMessage("Выбрать одну дату и время"), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "Выберите одну дату и время для всех"), + "selectPersonToLink": MessageLookupByLibrary.simpleMessage( + "Выберите человека для привязки"), + "selectReason": + MessageLookupByLibrary.simpleMessage("Выберите причину"), + "selectStartOfRange": + MessageLookupByLibrary.simpleMessage("Выберите начало диапазона"), + "selectTime": MessageLookupByLibrary.simpleMessage("Выбрать время"), + "selectYourFace": + MessageLookupByLibrary.simpleMessage("Выберите своё лицо"), + "selectYourPlan": + MessageLookupByLibrary.simpleMessage("Выберите тариф"), + "selectedAlbums": m79, + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Выбранные файлы отсутствуют в Ente"), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Выбранные папки будут зашифрованы и сохранены в резервной копии"), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Выбранные элементы будут удалены из всех альбомов и перемещены в корзину."), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "Выбранные элементы будут отвязаны от этого человека, но не удалены из вашей библиотеки."), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("Отправить"), + "sendEmail": MessageLookupByLibrary.simpleMessage( + "Отправить электронное письмо"), + "sendInvite": + MessageLookupByLibrary.simpleMessage("Отправить приглашение"), + "sendLink": MessageLookupByLibrary.simpleMessage("Отправить ссылку"), + "serverEndpoint": + MessageLookupByLibrary.simpleMessage("Конечная точка сервера"), + "sessionExpired": + MessageLookupByLibrary.simpleMessage("Сессия истекла"), + "sessionIdMismatch": + MessageLookupByLibrary.simpleMessage("Несоответствие ID сессии"), + "setAPassword": + MessageLookupByLibrary.simpleMessage("Установить пароль"), + "setAs": MessageLookupByLibrary.simpleMessage("Установить как"), + "setCover": MessageLookupByLibrary.simpleMessage("Установить обложку"), + "setLabel": MessageLookupByLibrary.simpleMessage("Установить"), + "setNewPassword": + MessageLookupByLibrary.simpleMessage("Установите новый пароль"), + "setNewPin": + MessageLookupByLibrary.simpleMessage("Установите новый PIN-код"), + "setPasswordTitle": + MessageLookupByLibrary.simpleMessage("Установить пароль"), + "setRadius": MessageLookupByLibrary.simpleMessage("Установить радиус"), + "setupComplete": + MessageLookupByLibrary.simpleMessage("Настройка завершена"), + "share": MessageLookupByLibrary.simpleMessage("Поделиться"), + "shareALink": + MessageLookupByLibrary.simpleMessage("Поделиться ссылкой"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Откройте альбом и нажмите кнопку «Поделиться» в правом верхнем углу, чтобы поделиться."), + "shareAnAlbumNow": + MessageLookupByLibrary.simpleMessage("Поделиться альбомом"), + "shareLink": MessageLookupByLibrary.simpleMessage("Поделиться ссылкой"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Делитесь только с теми, с кем хотите"), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Скачай Ente, чтобы мы могли легко делиться фото и видео в оригинальном качестве\n\nhttps://ente.io"), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Поделиться с пользователями, не использующими Ente"), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( + "Поделитесь своим первым альбомом"), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Создавайте общие и совместные альбомы с другими пользователями Ente, включая пользователей на бесплатных тарифах."), + "sharedByMe": MessageLookupByLibrary.simpleMessage("Я поделился"), + "sharedByYou": MessageLookupByLibrary.simpleMessage("Вы поделились"), + "sharedPhotoNotifications": + MessageLookupByLibrary.simpleMessage("Новые общие фото"), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Получать уведомления, когда кто-то добавляет фото в общий альбом, в котором вы состоите"), + "sharedWith": m87, + "sharedWithMe": + MessageLookupByLibrary.simpleMessage("Со мной поделились"), + "sharedWithYou": + MessageLookupByLibrary.simpleMessage("Поделились с вами"), + "sharing": MessageLookupByLibrary.simpleMessage("Отправка..."), + "shiftDatesAndTime": + MessageLookupByLibrary.simpleMessage("Сместить даты и время"), + "showLessFaces": + MessageLookupByLibrary.simpleMessage("Показывать меньше лиц"), + "showMemories": + MessageLookupByLibrary.simpleMessage("Показывать воспоминания"), + "showMoreFaces": + MessageLookupByLibrary.simpleMessage("Показывать больше лиц"), + "showPerson": MessageLookupByLibrary.simpleMessage("Показать человека"), + "signOutFromOtherDevices": + MessageLookupByLibrary.simpleMessage("Выйти с других устройств"), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Если вы считаете, что кто-то может знать ваш пароль, вы можете принудительно выйти с других устройств, использующих ваш аккаунт."), + "signOutOtherDevices": + MessageLookupByLibrary.simpleMessage("Выйти с других устройств"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Я согласен с условиями предоставления услуг и политикой конфиденциальности"), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Оно будет удалено из всех альбомов."), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Пропустить"), + "smartMemories": + MessageLookupByLibrary.simpleMessage("Умные воспоминания"), + "social": MessageLookupByLibrary.simpleMessage("Социальные сети"), + "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( + "Некоторые элементы находятся как в Ente, так и на вашем устройстве."), + "someOfTheFilesYouAreTryingToDeleteAre": + MessageLookupByLibrary.simpleMessage( + "Некоторые файлы, которые вы пытаетесь удалить, доступны только на вашем устройстве и не могут быть восстановлены после удаления"), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Тот, кто делится с вами альбомами, должен видеть такой же идентификатор на своём устройстве."), + "somethingWentWrong": + MessageLookupByLibrary.simpleMessage("Что-то пошло не так"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Что-то пошло не так. Пожалуйста, попробуйте снова"), + "sorry": MessageLookupByLibrary.simpleMessage("Извините"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "К сожалению, мы не смогли сделать резервную копию этого файла сейчас, мы повторим попытку позже."), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Извините, не удалось добавить в избранное!"), + "sorryCouldNotRemoveFromFavorites": + MessageLookupByLibrary.simpleMessage( + "Извините, не удалось удалить из избранного!"), + "sorryTheCodeYouveEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "Извините, введённый вами код неверен"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "К сожалению, мы не смогли сгенерировать безопасные ключи на этом устройстве.\n\nПожалуйста, зарегистрируйтесь с другого устройства."), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Извините, нам пришлось приостановить резервное копирование"), + "sort": MessageLookupByLibrary.simpleMessage("Сортировать"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Сортировать по"), + "sortNewestFirst": + MessageLookupByLibrary.simpleMessage("Сначала новые"), + "sortOldestFirst": + MessageLookupByLibrary.simpleMessage("Сначала старые"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Успех"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": + MessageLookupByLibrary.simpleMessage("Вы в центре внимания"), + "startAccountRecoveryTitle": + MessageLookupByLibrary.simpleMessage("Начать восстановление"), + "startBackup": MessageLookupByLibrary.simpleMessage( + "Начать резервное копирование"), + "status": MessageLookupByLibrary.simpleMessage("Статус"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "Хотите остановить трансляцию?"), + "stopCastingTitle": + MessageLookupByLibrary.simpleMessage("Остановить трансляцию"), + "storage": MessageLookupByLibrary.simpleMessage("Хранилище"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Семья"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Вы"), + "storageInGB": m93, + "storageLimitExceeded": + MessageLookupByLibrary.simpleMessage("Превышен лимит хранилища"), + "storageUsageInfo": m94, + "streamDetails": + MessageLookupByLibrary.simpleMessage("Информация о потоке"), + "strongStrength": MessageLookupByLibrary.simpleMessage("Высокая"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Подписаться"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Вам нужна активная платная подписка, чтобы включить общий доступ."), + "subscription": MessageLookupByLibrary.simpleMessage("Подписка"), + "success": MessageLookupByLibrary.simpleMessage("Успех"), + "successfullyArchived": + MessageLookupByLibrary.simpleMessage("Успешно архивировано"), + "successfullyHid": + MessageLookupByLibrary.simpleMessage("Успешно скрыто"), + "successfullyUnarchived": + MessageLookupByLibrary.simpleMessage("Успешно извлечено"), + "successfullyUnhid": + MessageLookupByLibrary.simpleMessage("Успешно раскрыто"), + "suggestFeatures": + MessageLookupByLibrary.simpleMessage("Предложить идею"), + "sunrise": MessageLookupByLibrary.simpleMessage("На горизонте"), + "support": MessageLookupByLibrary.simpleMessage("Поддержка"), + "syncProgress": m97, + "syncStopped": + MessageLookupByLibrary.simpleMessage("Синхронизация остановлена"), + "syncing": MessageLookupByLibrary.simpleMessage("Синхронизация..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("Системная"), + "tapToCopy": + MessageLookupByLibrary.simpleMessage("нажмите, чтобы скопировать"), + "tapToEnterCode": + MessageLookupByLibrary.simpleMessage("Нажмите, чтобы ввести код"), + "tapToUnlock": + MessageLookupByLibrary.simpleMessage("Нажмите для разблокировки"), + "tapToUpload": + MessageLookupByLibrary.simpleMessage("Нажмите для загрузки"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Похоже, что-то пошло не так. Пожалуйста, повторите попытку через некоторое время. Если ошибка сохраняется, обратитесь в нашу службу поддержки."), + "terminate": MessageLookupByLibrary.simpleMessage("Завершить"), + "terminateSession": + MessageLookupByLibrary.simpleMessage("Завершить сеанс?"), + "terms": MessageLookupByLibrary.simpleMessage("Условия"), + "termsOfServicesTitle": + MessageLookupByLibrary.simpleMessage("Условия использования"), + "thankYou": MessageLookupByLibrary.simpleMessage("Спасибо"), + "thankYouForSubscribing": + MessageLookupByLibrary.simpleMessage("Спасибо за подписку!"), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "Скачивание не может быть завершено"), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "Срок действия ссылки, к которой вы обращаетесь, истёк."), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Группы людей больше не будут отображаться в разделе людей. Фотографии останутся нетронутыми."), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Человек больше не будет отображаться в разделе людей. Фотографии останутся нетронутыми."), + "theRecoveryKeyYouEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "Введённый вами ключ восстановления неверен"), + "theme": MessageLookupByLibrary.simpleMessage("Тема"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Эти элементы будут удалены с вашего устройства."), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "Они будут удалены из всех альбомов."), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Это действие нельзя отменить"), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "У этого альбома уже есть совместная ссылка"), + "thisCanBeUsedToRecoverYourAccountIfYou": + MessageLookupByLibrary.simpleMessage( + "Это можно использовать для восстановления вашего аккаунта, если вы потеряете свой аутентификатор"), + "thisDevice": MessageLookupByLibrary.simpleMessage("Это устройство"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "Эта электронная почта уже используется"), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Это фото не имеет данных EXIF"), + "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("Это я!"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Это ваш идентификатор подтверждения"), + "thisWeekThroughTheYears": + MessageLookupByLibrary.simpleMessage("Эта неделя сквозь годы"), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Это завершит ваш сеанс на следующем устройстве:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Это завершит ваш сеанс на этом устройстве!"), + "thisWillMakeTheDateAndTimeOfAllSelected": + MessageLookupByLibrary.simpleMessage( + "Это сделает дату и время всех выбранных фото одинаковыми."), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "Это удалит публичные ссылки всех выбранных быстрых ссылок."), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "Для блокировки приложения, пожалуйста, настройте код или экран блокировки в настройках устройства."), + "toHideAPhotoOrVideo": + MessageLookupByLibrary.simpleMessage("Скрыть фото или видео"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Чтобы сбросить пароль, сначала подтвердите вашу электронную почту."), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Сегодняшние логи"), + "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( + "Слишком много неудачных попыток"), + "total": MessageLookupByLibrary.simpleMessage("всего"), + "totalSize": MessageLookupByLibrary.simpleMessage("Общий размер"), + "trash": MessageLookupByLibrary.simpleMessage("Корзина"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Сократить"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": + MessageLookupByLibrary.simpleMessage("Доверенные контакты"), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Попробовать снова"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Включите резервное копирование, чтобы автоматически загружать файлы из этой папки на устройстве в Ente."), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "2 месяца в подарок на годовом тарифе"), + "twofactor": MessageLookupByLibrary.simpleMessage( + "Двухфакторная аутентификация"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "Двухфакторная аутентификация отключена"), + "twofactorAuthenticationPageTitle": + MessageLookupByLibrary.simpleMessage( + "Двухфакторная аутентификация"), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "Двухфакторная аутентификация успешно сброшена"), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Настройка двухфакторной аутентификации"), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("Извлечь из архива"), + "unarchiveAlbum": + MessageLookupByLibrary.simpleMessage("Извлечь альбом из архива"), + "unarchiving": MessageLookupByLibrary.simpleMessage("Извлечение..."), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Извините, этот код недоступен."), + "uncategorized": MessageLookupByLibrary.simpleMessage("Без категории"), + "unhide": MessageLookupByLibrary.simpleMessage("Не скрывать"), + "unhideToAlbum": + MessageLookupByLibrary.simpleMessage("Перенести в альбом"), + "unhiding": MessageLookupByLibrary.simpleMessage("Раскрытие..."), + "unhidingFilesToAlbum": + MessageLookupByLibrary.simpleMessage("Перенос файлов в альбом"), + "unlock": MessageLookupByLibrary.simpleMessage("Разблокировать"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("Открепить альбом"), + "unselectAll": MessageLookupByLibrary.simpleMessage("Отменить выбор"), + "update": MessageLookupByLibrary.simpleMessage("Обновить"), + "updateAvailable": + MessageLookupByLibrary.simpleMessage("Доступно обновление"), + "updatingFolderSelection": + MessageLookupByLibrary.simpleMessage("Обновление выбора папок..."), + "upgrade": MessageLookupByLibrary.simpleMessage("Улучшить"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": + MessageLookupByLibrary.simpleMessage("Загрузка файлов в альбом..."), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( + "Сохранение 1 воспоминания..."), + "upto50OffUntil4thDec": + MessageLookupByLibrary.simpleMessage("Скидки до 50% до 4 декабря"), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "Доступное хранилище ограничено вашим текущим тарифом. Избыточное полученное хранилище автоматически станет доступным при улучшении тарифа."), + "useAsCover": + MessageLookupByLibrary.simpleMessage("Использовать для обложки"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "Проблемы с воспроизведением видео? Нажмите и удерживайте здесь, чтобы попробовать другой плеер."), + "usePublicLinksForPeopleNotOnEnte": + MessageLookupByLibrary.simpleMessage( + "Используйте публичные ссылки для людей, не использующих Ente"), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Использовать ключ восстановления"), + "useSelectedPhoto": + MessageLookupByLibrary.simpleMessage("Использовать выбранное фото"), + "usedSpace": MessageLookupByLibrary.simpleMessage("Использовано места"), + "validTill": m110, + "verificationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Проверка не удалась, пожалуйста, попробуйте снова"), + "verificationId": + MessageLookupByLibrary.simpleMessage("Идентификатор подтверждения"), + "verify": MessageLookupByLibrary.simpleMessage("Подтвердить"), + "verifyEmail": MessageLookupByLibrary.simpleMessage( + "Подтвердить электронную почту"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Подтвердить"), + "verifyPasskey": + MessageLookupByLibrary.simpleMessage("Подтвердить ключ доступа"), + "verifyPassword": + MessageLookupByLibrary.simpleMessage("Подтвердить пароль"), + "verifying": MessageLookupByLibrary.simpleMessage("Проверка..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Проверка ключа восстановления..."), + "videoInfo": MessageLookupByLibrary.simpleMessage("Информация о видео"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("видео"), + "videoStreaming": + MessageLookupByLibrary.simpleMessage("Потоковое видео"), + "videos": MessageLookupByLibrary.simpleMessage("Видео"), + "viewActiveSessions": + MessageLookupByLibrary.simpleMessage("Просмотр активных сессий"), + "viewAddOnButton": + MessageLookupByLibrary.simpleMessage("Посмотреть дополнения"), + "viewAll": MessageLookupByLibrary.simpleMessage("Посмотреть все"), + "viewAllExifData": + MessageLookupByLibrary.simpleMessage("Посмотреть все данные EXIF"), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Большие файлы"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Узнайте, какие файлы занимают больше всего места."), + "viewLogs": MessageLookupByLibrary.simpleMessage("Просмотреть логи"), + "viewPersonToUnlink": m112, + "viewRecoveryKey": + MessageLookupByLibrary.simpleMessage("Увидеть ключ восстановления"), + "viewer": MessageLookupByLibrary.simpleMessage("Зритель"), + "viewersSuccessfullyAdded": m113, + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Пожалуйста, посетите web.ente.io для управления вашей подпиской"), + "waitingForVerification": + MessageLookupByLibrary.simpleMessage("Ожидание подтверждения..."), + "waitingForWifi": + MessageLookupByLibrary.simpleMessage("Ожидание Wi-Fi..."), + "warning": MessageLookupByLibrary.simpleMessage("Предупреждение"), + "weAreOpenSource": MessageLookupByLibrary.simpleMessage( + "У нас открытый исходный код!"), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "Мы не поддерживаем редактирование фото и альбомов, которые вам пока не принадлежат"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Низкая"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("С возвращением!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("Что нового"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "Доверенный контакт может помочь в восстановлении ваших данных."), + "widgets": MessageLookupByLibrary.simpleMessage("Виджеты"), + "wishThemAHappyBirthday": m115, + "yearShort": MessageLookupByLibrary.simpleMessage("год"), + "yearly": MessageLookupByLibrary.simpleMessage("Ежегодно"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Да"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Да, отменить"), + "yesConvertToViewer": + MessageLookupByLibrary.simpleMessage("Да, перевести в зрители"), + "yesDelete": MessageLookupByLibrary.simpleMessage("Да, удалить"), + "yesDiscardChanges": + MessageLookupByLibrary.simpleMessage("Да, отменить изменения"), + "yesIgnore": MessageLookupByLibrary.simpleMessage("Да, игнорировать"), + "yesLogout": MessageLookupByLibrary.simpleMessage("Да, выйти"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Да, удалить"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Да, продлить"), + "yesResetPerson": MessageLookupByLibrary.simpleMessage( + "Да, сбросить данные человека"), + "you": MessageLookupByLibrary.simpleMessage("Вы"), + "youAndThem": m117, + "youAreOnAFamilyPlan": + MessageLookupByLibrary.simpleMessage("Вы на семейном тарифе!"), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Вы используете последнюю версию"), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Вы можете увеличить хранилище максимум в два раза"), + "youCanManageYourLinksInTheShareTab": + MessageLookupByLibrary.simpleMessage( + "Вы можете управлять своими ссылками на вкладке «Поделиться»."), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "Вы можете попробовать выполнить поиск по другому запросу."), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "Вы не можете понизить до этого тарифа"), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Вы не можете поделиться с самим собой"), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "У вас нет архивных элементов."), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": + MessageLookupByLibrary.simpleMessage("Ваш аккаунт был удалён"), + "yourMap": MessageLookupByLibrary.simpleMessage("Ваша карта"), + "yourPlanWasSuccessfullyDowngraded": + MessageLookupByLibrary.simpleMessage("Ваш тариф успешно понижен"), + "yourPlanWasSuccessfullyUpgraded": + MessageLookupByLibrary.simpleMessage("Ваш тариф успешно повышен"), + "yourPurchaseWasSuccessful": + MessageLookupByLibrary.simpleMessage("Ваша покупка прошла успешно"), + "yourStorageDetailsCouldNotBeFetched": + MessageLookupByLibrary.simpleMessage( + "Не удалось получить данные о вашем хранилище"), + "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( + "Срок действия вашей подписки истёк"), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "Ваша подписка успешно обновлена"), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "Срок действия вашего кода подтверждения истёк"), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "У вас нет дубликатов файлов, которые можно удалить"), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "В этом альбоме нет файлов, которые можно удалить"), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( + "Уменьшите масштаб, чтобы увидеть фото") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_sr.dart b/mobile/apps/photos/lib/generated/intl/messages_sr.dart index 6fff21e930..a548e788ca 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_sr.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_sr.dart @@ -72,387 +72,310 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( - "Добродошли назад!", - ), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Разумем да ако изгубим лозинку, могу изгубити своје податке пошто су шифрирани од краја до краја.", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage("Активне сесије"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Напредно"), - "after1Day": MessageLookupByLibrary.simpleMessage("Након 1 дана"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Након 1 сата"), - "after1Month": MessageLookupByLibrary.simpleMessage("Након 1 месеца"), - "after1Week": MessageLookupByLibrary.simpleMessage("Након 1 недеље"), - "after1Year": MessageLookupByLibrary.simpleMessage("Након 1 године"), - "albumParticipantsCount": m8, - "albumUpdated": MessageLookupByLibrary.simpleMessage("Албум ажуриран"), - "albums": MessageLookupByLibrary.simpleMessage("Албуми"), - "apply": MessageLookupByLibrary.simpleMessage("Примени"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Примени кôд"), - "archive": MessageLookupByLibrary.simpleMessage("Архивирај"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Који је главни разлог што бришете свој налог?", - ), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Молимо вас да се аутентификујете да бисте видели датотеке у отпаду", - ), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Молимо вас да се аутентификујете да бисте видели скривене датотеке", - ), - "cancel": MessageLookupByLibrary.simpleMessage("Откажи"), - "change": MessageLookupByLibrary.simpleMessage("Измени"), - "changeEmail": MessageLookupByLibrary.simpleMessage("Промени е-пошту"), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Промени лозинку", - ), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Промени свој реферални код", - ), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Молимо вас да проверите примљену пошту (и нежељену пошту) да бисте довршили верификацију", - ), - "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( - "Кôд примењен", - ), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Жао нам је, достигли сте максимум броја промена кôда.", - ), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Копирано у међуспремник", - ), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Креирајте везу која омогућава људима да додају и прегледају фотографије у вашем дељеном албуму без потребе за Енте апликацијом или налогом. Одлично за прикупљање фотографија са догађаја.", - ), - "collaborativeLink": MessageLookupByLibrary.simpleMessage( - "Сарадничка веза", - ), - "collectPhotos": MessageLookupByLibrary.simpleMessage( - "Прикупи фотографије", - ), - "confirm": MessageLookupByLibrary.simpleMessage("Потврди"), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Потврдите брисање налога", - ), - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Да, желим трајно да избришем овај налог и све његове податке у свим апликацијама.", - ), - "confirmPassword": MessageLookupByLibrary.simpleMessage( - "Потврдите лозинку", - ), - "contactSupport": MessageLookupByLibrary.simpleMessage( - "Контактирати подршку", - ), - "continueLabel": MessageLookupByLibrary.simpleMessage("Настави"), - "copyLink": MessageLookupByLibrary.simpleMessage("Копирај везу"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Копирајте и налепите овај код \nу своју апликацију за аутентификацију", - ), - "createAccount": MessageLookupByLibrary.simpleMessage("Направи налог"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Дуго притисните да бисте изабрали фотографије и кликните на + да бисте направили албум", - ), - "createNewAccount": MessageLookupByLibrary.simpleMessage( - "Креирај нови налог", - ), - "createPublicLink": MessageLookupByLibrary.simpleMessage( - "Креирај јавну везу", - ), - "custom": MessageLookupByLibrary.simpleMessage("Прилагођено"), - "decrypting": MessageLookupByLibrary.simpleMessage("Дешифровање..."), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Обриши налог"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Жао нам је што одлазите. Молимо вас да нам оставите повратне информације како бисмо могли да се побољшамо.", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Трајно обриши налог", - ), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Молимо пошаљите имејл на account-deletion@ente.io са ваше регистроване адресе е-поште.", - ), - "deleteFromBoth": MessageLookupByLibrary.simpleMessage("Обриши са оба"), - "deleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Обриши са уређаја", - ), - "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Обриши са Енте-а"), - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Недостаје важна функција која ми је потребна", - ), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "Апликација или одређена функција не ради онако како мислим да би требало", - ), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Пронашао/ла сам други сервис који ми више одговара", - ), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "Мој разлог није на листи", - ), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Ваш захтев ће бити обрађен у року од 72 сата.", - ), - "doThisLater": MessageLookupByLibrary.simpleMessage("Уради ово касније"), - "done": MessageLookupByLibrary.simpleMessage("Готово"), - "dropSupportEmail": m25, - "email": MessageLookupByLibrary.simpleMessage("Е-пошта"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "Е-пошта је већ регистрована.", - ), - "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "Е-пошта није регистрована.", - ), - "encryption": MessageLookupByLibrary.simpleMessage("Шифровање"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage("Кључеви шифровања"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Енте-у је потребна дозвола да сачува ваше фотографије", - ), - "enterCode": MessageLookupByLibrary.simpleMessage("Унесите кôд"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Унеси код који ти је дао пријатељ да бисте обоје добили бесплатан простор за складиштење", - ), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Унесите нову лозинку коју можемо да користимо за шифровање ваших података", - ), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Унесите лозинку коју можемо да користимо за шифровање ваших података", - ), - "enterReferralCode": MessageLookupByLibrary.simpleMessage( - "Унеси реферални код", - ), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Унесите 6-цифрени кôд из\nапликације за аутентификацију", - ), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Молимо унесите исправну адресу е-поште.", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Унесите Вашу е-пошту", - ), - "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( - "Унесите Вашу нову е-пошту", - ), - "enterYourPassword": MessageLookupByLibrary.simpleMessage( - "Унесите лозинку", - ), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Унесите Ваш кључ за опоравак", - ), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage( - "Грешка у примењивању кôда", - ), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "Грешка при учитавању албума", - ), - "feedback": MessageLookupByLibrary.simpleMessage("Повратне информације"), - "forgotPassword": MessageLookupByLibrary.simpleMessage( - "Заборавио сам лозинку", - ), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Генерисање кључева за шифровање...", - ), - "hidden": MessageLookupByLibrary.simpleMessage("Скривено"), - "howItWorks": MessageLookupByLibrary.simpleMessage("Како ради"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Молимо их да дуго притисну своју адресу е-поште на екрану за подешавања и провере да ли се ИД-ови на оба уређаја поклапају.", - ), - "importing": MessageLookupByLibrary.simpleMessage("Увоз...."), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Неисправна лозинка", - ), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "Унети кључ за опоравак је натачан", - ), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Нетачан кључ за опоравак", - ), - "insecureDevice": MessageLookupByLibrary.simpleMessage( - "Уређај није сигуран", - ), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "Неисправна е-пошта", - ), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Љубазно вас молимо да нам помогнете са овим информацијама", - ), - "linkExpiresOn": m47, - "linkHasExpired": MessageLookupByLibrary.simpleMessage("Веза је истекла"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Пријави се"), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Кликом на пријаву, прихватам услове сервиса и политику приватности", - ), - "manageLink": MessageLookupByLibrary.simpleMessage("Управљај везом"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Управљај"), - "memoryCount": m50, - "moderateStrength": MessageLookupByLibrary.simpleMessage("Средње"), - "movedToTrash": MessageLookupByLibrary.simpleMessage("Премештено у смеће"), - "never": MessageLookupByLibrary.simpleMessage("Никад"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Нови албум"), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Немате кључ за опоравак?", - ), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Због природе нашег протокола за крај-до-крај енкрипцију, ваши подаци не могу бити дешифровани без ваше лозинке или кључа за опоравак", - ), - "ok": MessageLookupByLibrary.simpleMessage("Ок"), - "onlyFamilyAdminCanChangeCode": m55, - "oops": MessageLookupByLibrary.simpleMessage("Упс!"), - "password": MessageLookupByLibrary.simpleMessage("Лозинка"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Лозинка је успешно промењена", - ), - "passwordStrength": m57, - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Не чувамо ову лозинку, па ако је заборавите, не можемо дешифрирати ваше податке", - ), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("слика"), - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("Пробајте поново"), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Молимо сачекајте..."), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( - "Политика приватности", - ), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( - "Јавна веза је укључена", - ), - "recover": MessageLookupByLibrary.simpleMessage("Опорави"), - "recoverAccount": MessageLookupByLibrary.simpleMessage("Опоравак налога"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Опорави"), - "recoveryKey": MessageLookupByLibrary.simpleMessage("Кључ за опоравак"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Кључ за опоравак је копиран у међуспремник", - ), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Ако заборавите лозинку, једини начин на који можете повратити податке је са овим кључем.", - ), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Не чувамо овај кључ, молимо да сачувате кључ од 24 речи на сигурном месту.", - ), - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "Опоравак успешан!", - ), - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "Тренутни уређај није довољно моћан да потврди вашу лозинку, али можемо регенерирати на начин који ради са свим уређајима.\n\nПријавите се помоћу кључа за опоравак и обновите своју лозинку (можете поново користити исту ако желите).", - ), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Рекреирај лозинку", - ), - "removeLink": MessageLookupByLibrary.simpleMessage("Уклони везу"), - "resendEmail": MessageLookupByLibrary.simpleMessage( - "Поново пошаљи е-пошту", - ), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Ресетуј лозинку", - ), - "saveKey": MessageLookupByLibrary.simpleMessage("Сачувај кључ"), - "scanCode": MessageLookupByLibrary.simpleMessage("Скенирајте кôд"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Скенирајте овај баркод \nсвојом апликацијом за аутентификацију", - ), - "selectReason": MessageLookupByLibrary.simpleMessage("Одаберите разлог"), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "sendEmail": MessageLookupByLibrary.simpleMessage("Пошаљи е-пошту"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Пошаљи позивницу"), - "sendLink": MessageLookupByLibrary.simpleMessage("Пошаљи везу"), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage("Постави лозинку"), - "setupComplete": MessageLookupByLibrary.simpleMessage( - "Постављање завршено", - ), - "shareALink": MessageLookupByLibrary.simpleMessage("Подели везу"), - "shareMyVerificationID": m83, - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Преузми Енте да бисмо лако делили фотографије и видео записе у оригиналном квалитету\n\nhttps://ente.io", - ), - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Пошаљи корисницима који немају Енте налог", - ), - "shareWithPeopleSectionTitle": m86, - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Креирај дељене и заједничке албуме са другим Енте корисницима, укључујући и оне на бесплатним плановима.", - ), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Прихватам услове сервиса и политику приватности", - ), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Биће обрисано из свих албума.", - ), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Особе које деле албуме с тобом би требале да виде исти ИД на свом уређају.", - ), - "somethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Нешто није у реду", - ), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Нешто је пошло наопако, покушајте поново", - ), - "sorry": MessageLookupByLibrary.simpleMessage("Извините"), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Извините, не можемо да генеришемо сигурне кључеве на овом уређају.\n\nМолимо пријавите се са другог уређаја.", - ), - "storageInGB": m93, - "strongStrength": MessageLookupByLibrary.simpleMessage("Јако"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("питисните да копирате"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage( - "Пипните да бисте унели кôд", - ), - "terminate": MessageLookupByLibrary.simpleMessage("Прекини"), - "terminateSession": MessageLookupByLibrary.simpleMessage( - "Прекинути сесију?", - ), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Услови"), - "thisDevice": MessageLookupByLibrary.simpleMessage("Овај уређај"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Ово је Ваш ИД за верификацију", - ), - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Ово ће вас одјавити са овог уређаја:", - ), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Ово ће вас одјавити са овог уређаја!", - ), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Да бисте ресетовали лозинку, прво потврдите своју е-пошту.", - ), - "trash": MessageLookupByLibrary.simpleMessage("Смеће"), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Постављање двофакторске аутентификације", - ), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Жао нам је, овај кôд није доступан.", - ), - "uncategorized": MessageLookupByLibrary.simpleMessage("Некатегоризовано"), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Користи кључ за опоравак", - ), - "verificationId": MessageLookupByLibrary.simpleMessage( - "ИД за верификацију", - ), - "verify": MessageLookupByLibrary.simpleMessage("Верификуј"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("Верификуј е-пошту"), - "verifyEmailID": m111, - "verifyPassword": MessageLookupByLibrary.simpleMessage( - "Верификујте лозинку", - ), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("видео"), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Слабо"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("Добродошли назад!"), - "yesDelete": MessageLookupByLibrary.simpleMessage("Да, обриши"), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Не можеш делити сам са собом", - ), - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "Ваш налог је обрисан", - ), - }; + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("Добродошли назад!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Разумем да ако изгубим лозинку, могу изгубити своје податке пошто су шифрирани од краја до краја."), + "activeSessions": + MessageLookupByLibrary.simpleMessage("Активне сесије"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Напредно"), + "after1Day": MessageLookupByLibrary.simpleMessage("Након 1 дана"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Након 1 сата"), + "after1Month": MessageLookupByLibrary.simpleMessage("Након 1 месеца"), + "after1Week": MessageLookupByLibrary.simpleMessage("Након 1 недеље"), + "after1Year": MessageLookupByLibrary.simpleMessage("Након 1 године"), + "albumParticipantsCount": m8, + "albumUpdated": MessageLookupByLibrary.simpleMessage("Албум ажуриран"), + "albums": MessageLookupByLibrary.simpleMessage("Албуми"), + "apply": MessageLookupByLibrary.simpleMessage("Примени"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Примени кôд"), + "archive": MessageLookupByLibrary.simpleMessage("Архивирај"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Који је главни разлог што бришете свој налог?"), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Молимо вас да се аутентификујете да бисте видели датотеке у отпаду"), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Молимо вас да се аутентификујете да бисте видели скривене датотеке"), + "cancel": MessageLookupByLibrary.simpleMessage("Откажи"), + "change": MessageLookupByLibrary.simpleMessage("Измени"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Промени е-пошту"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("Промени лозинку"), + "changeYourReferralCode": + MessageLookupByLibrary.simpleMessage("Промени свој реферални код"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Молимо вас да проверите примљену пошту (и нежељену пошту) да бисте довршили верификацију"), + "codeAppliedPageTitle": + MessageLookupByLibrary.simpleMessage("Кôд примењен"), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Жао нам је, достигли сте максимум броја промена кôда."), + "codeCopiedToClipboard": + MessageLookupByLibrary.simpleMessage("Копирано у међуспремник"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Креирајте везу која омогућава људима да додају и прегледају фотографије у вашем дељеном албуму без потребе за Енте апликацијом или налогом. Одлично за прикупљање фотографија са догађаја."), + "collaborativeLink": + MessageLookupByLibrary.simpleMessage("Сарадничка веза"), + "collectPhotos": + MessageLookupByLibrary.simpleMessage("Прикупи фотографије"), + "confirm": MessageLookupByLibrary.simpleMessage("Потврди"), + "confirmAccountDeletion": + MessageLookupByLibrary.simpleMessage("Потврдите брисање налога"), + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Да, желим трајно да избришем овај налог и све његове податке у свим апликацијама."), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("Потврдите лозинку"), + "contactSupport": + MessageLookupByLibrary.simpleMessage("Контактирати подршку"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Настави"), + "copyLink": MessageLookupByLibrary.simpleMessage("Копирај везу"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Копирајте и налепите овај код \nу своју апликацију за аутентификацију"), + "createAccount": MessageLookupByLibrary.simpleMessage("Направи налог"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Дуго притисните да бисте изабрали фотографије и кликните на + да бисте направили албум"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("Креирај нови налог"), + "createPublicLink": + MessageLookupByLibrary.simpleMessage("Креирај јавну везу"), + "custom": MessageLookupByLibrary.simpleMessage("Прилагођено"), + "decrypting": MessageLookupByLibrary.simpleMessage("Дешифровање..."), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Обриши налог"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Жао нам је што одлазите. Молимо вас да нам оставите повратне информације како бисмо могли да се побољшамо."), + "deleteAccountPermanentlyButton": + MessageLookupByLibrary.simpleMessage("Трајно обриши налог"), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Молимо пошаљите имејл на account-deletion@ente.io са ваше регистроване адресе е-поште."), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage("Обриши са оба"), + "deleteFromDevice": + MessageLookupByLibrary.simpleMessage("Обриши са уређаја"), + "deleteFromEnte": + MessageLookupByLibrary.simpleMessage("Обриши са Енте-а"), + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Недостаје важна функција која ми је потребна"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "Апликација или одређена функција не ради онако како мислим да би требало"), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Пронашао/ла сам други сервис који ми више одговара"), + "deleteReason4": + MessageLookupByLibrary.simpleMessage("Мој разлог није на листи"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Ваш захтев ће бити обрађен у року од 72 сата."), + "doThisLater": + MessageLookupByLibrary.simpleMessage("Уради ово касније"), + "done": MessageLookupByLibrary.simpleMessage("Готово"), + "dropSupportEmail": m25, + "email": MessageLookupByLibrary.simpleMessage("Е-пошта"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "Е-пошта је већ регистрована."), + "emailNoEnteAccount": m31, + "emailNotRegistered": + MessageLookupByLibrary.simpleMessage("Е-пошта није регистрована."), + "encryption": MessageLookupByLibrary.simpleMessage("Шифровање"), + "encryptionKeys": + MessageLookupByLibrary.simpleMessage("Кључеви шифровања"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Енте-у је потребна дозвола да сачува ваше фотографије"), + "enterCode": MessageLookupByLibrary.simpleMessage("Унесите кôд"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Унеси код који ти је дао пријатељ да бисте обоје добили бесплатан простор за складиштење"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Унесите нову лозинку коју можемо да користимо за шифровање ваших података"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Унесите лозинку коју можемо да користимо за шифровање ваших података"), + "enterReferralCode": + MessageLookupByLibrary.simpleMessage("Унеси реферални код"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Унесите 6-цифрени кôд из\nапликације за аутентификацију"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Молимо унесите исправну адресу е-поште."), + "enterYourEmailAddress": + MessageLookupByLibrary.simpleMessage("Унесите Вашу е-пошту"), + "enterYourNewEmailAddress": + MessageLookupByLibrary.simpleMessage("Унесите Вашу нову е-пошту"), + "enterYourPassword": + MessageLookupByLibrary.simpleMessage("Унесите лозинку"), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Унесите Ваш кључ за опоравак"), + "failedToApplyCode": + MessageLookupByLibrary.simpleMessage("Грешка у примењивању кôда"), + "failedToLoadAlbums": + MessageLookupByLibrary.simpleMessage("Грешка при учитавању албума"), + "feedback": + MessageLookupByLibrary.simpleMessage("Повратне информације"), + "forgotPassword": + MessageLookupByLibrary.simpleMessage("Заборавио сам лозинку"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Генерисање кључева за шифровање..."), + "hidden": MessageLookupByLibrary.simpleMessage("Скривено"), + "howItWorks": MessageLookupByLibrary.simpleMessage("Како ради"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Молимо их да дуго притисну своју адресу е-поште на екрану за подешавања и провере да ли се ИД-ови на оба уређаја поклапају."), + "importing": MessageLookupByLibrary.simpleMessage("Увоз...."), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("Неисправна лозинка"), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Унети кључ за опоравак је натачан"), + "incorrectRecoveryKeyTitle": + MessageLookupByLibrary.simpleMessage("Нетачан кључ за опоравак"), + "insecureDevice": + MessageLookupByLibrary.simpleMessage("Уређај није сигуран"), + "invalidEmailAddress": + MessageLookupByLibrary.simpleMessage("Неисправна е-пошта"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Љубазно вас молимо да нам помогнете са овим информацијама"), + "linkExpiresOn": m47, + "linkHasExpired": + MessageLookupByLibrary.simpleMessage("Веза је истекла"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Пријави се"), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Кликом на пријаву, прихватам услове сервиса и политику приватности"), + "manageLink": MessageLookupByLibrary.simpleMessage("Управљај везом"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Управљај"), + "memoryCount": m50, + "moderateStrength": MessageLookupByLibrary.simpleMessage("Средње"), + "movedToTrash": + MessageLookupByLibrary.simpleMessage("Премештено у смеће"), + "never": MessageLookupByLibrary.simpleMessage("Никад"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Нови албум"), + "noRecoveryKey": + MessageLookupByLibrary.simpleMessage("Немате кључ за опоравак?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Због природе нашег протокола за крај-до-крај енкрипцију, ваши подаци не могу бити дешифровани без ваше лозинке или кључа за опоравак"), + "ok": MessageLookupByLibrary.simpleMessage("Ок"), + "onlyFamilyAdminCanChangeCode": m55, + "oops": MessageLookupByLibrary.simpleMessage("Упс!"), + "password": MessageLookupByLibrary.simpleMessage("Лозинка"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Лозинка је успешно промењена"), + "passwordStrength": m57, + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Не чувамо ову лозинку, па ако је заборавите, не можемо дешифрирати ваше податке"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("слика"), + "pleaseTryAgain": + MessageLookupByLibrary.simpleMessage("Пробајте поново"), + "pleaseWait": + MessageLookupByLibrary.simpleMessage("Молимо сачекајте..."), + "privacyPolicyTitle": + MessageLookupByLibrary.simpleMessage("Политика приватности"), + "publicLinkEnabled": + MessageLookupByLibrary.simpleMessage("Јавна веза је укључена"), + "recover": MessageLookupByLibrary.simpleMessage("Опорави"), + "recoverAccount": + MessageLookupByLibrary.simpleMessage("Опоравак налога"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Опорави"), + "recoveryKey": MessageLookupByLibrary.simpleMessage("Кључ за опоравак"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Кључ за опоравак је копиран у међуспремник"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Ако заборавите лозинку, једини начин на који можете повратити податке је са овим кључем."), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Не чувамо овај кључ, молимо да сачувате кључ од 24 речи на сигурном месту."), + "recoverySuccessful": + MessageLookupByLibrary.simpleMessage("Опоравак успешан!"), + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Тренутни уређај није довољно моћан да потврди вашу лозинку, али можемо регенерирати на начин који ради са свим уређајима.\n\nПријавите се помоћу кључа за опоравак и обновите своју лозинку (можете поново користити исту ако желите)."), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("Рекреирај лозинку"), + "removeLink": MessageLookupByLibrary.simpleMessage("Уклони везу"), + "resendEmail": + MessageLookupByLibrary.simpleMessage("Поново пошаљи е-пошту"), + "resetPasswordTitle": + MessageLookupByLibrary.simpleMessage("Ресетуј лозинку"), + "saveKey": MessageLookupByLibrary.simpleMessage("Сачувај кључ"), + "scanCode": MessageLookupByLibrary.simpleMessage("Скенирајте кôд"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Скенирајте овај баркод \nсвојом апликацијом за аутентификацију"), + "selectReason": + MessageLookupByLibrary.simpleMessage("Одаберите разлог"), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "sendEmail": MessageLookupByLibrary.simpleMessage("Пошаљи е-пошту"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Пошаљи позивницу"), + "sendLink": MessageLookupByLibrary.simpleMessage("Пошаљи везу"), + "setPasswordTitle": + MessageLookupByLibrary.simpleMessage("Постави лозинку"), + "setupComplete": + MessageLookupByLibrary.simpleMessage("Постављање завршено"), + "shareALink": MessageLookupByLibrary.simpleMessage("Подели везу"), + "shareMyVerificationID": m83, + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Преузми Енте да бисмо лако делили фотографије и видео записе у оригиналном квалитету\n\nhttps://ente.io"), + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Пошаљи корисницима који немају Енте налог"), + "shareWithPeopleSectionTitle": m86, + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Креирај дељене и заједничке албуме са другим Енте корисницима, укључујући и оне на бесплатним плановима."), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Прихватам услове сервиса и политику приватности"), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Биће обрисано из свих албума."), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Особе које деле албуме с тобом би требале да виде исти ИД на свом уређају."), + "somethingWentWrong": + MessageLookupByLibrary.simpleMessage("Нешто није у реду"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Нешто је пошло наопако, покушајте поново"), + "sorry": MessageLookupByLibrary.simpleMessage("Извините"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Извините, не можемо да генеришемо сигурне кључеве на овом уређају.\n\nМолимо пријавите се са другог уређаја."), + "storageInGB": m93, + "strongStrength": MessageLookupByLibrary.simpleMessage("Јако"), + "tapToCopy": + MessageLookupByLibrary.simpleMessage("питисните да копирате"), + "tapToEnterCode": + MessageLookupByLibrary.simpleMessage("Пипните да бисте унели кôд"), + "terminate": MessageLookupByLibrary.simpleMessage("Прекини"), + "terminateSession": + MessageLookupByLibrary.simpleMessage("Прекинути сесију?"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Услови"), + "thisDevice": MessageLookupByLibrary.simpleMessage("Овај уређај"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Ово је Ваш ИД за верификацију"), + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Ово ће вас одјавити са овог уређаја:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Ово ће вас одјавити са овог уређаја!"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Да бисте ресетовали лозинку, прво потврдите своју е-пошту."), + "trash": MessageLookupByLibrary.simpleMessage("Смеће"), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Постављање двофакторске аутентификације"), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Жао нам је, овај кôд није доступан."), + "uncategorized": + MessageLookupByLibrary.simpleMessage("Некатегоризовано"), + "useRecoveryKey": + MessageLookupByLibrary.simpleMessage("Користи кључ за опоравак"), + "verificationId": + MessageLookupByLibrary.simpleMessage("ИД за верификацију"), + "verify": MessageLookupByLibrary.simpleMessage("Верификуј"), + "verifyEmail": + MessageLookupByLibrary.simpleMessage("Верификуј е-пошту"), + "verifyEmailID": m111, + "verifyPassword": + MessageLookupByLibrary.simpleMessage("Верификујте лозинку"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("видео"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Слабо"), + "welcomeBack": + MessageLookupByLibrary.simpleMessage("Добродошли назад!"), + "yesDelete": MessageLookupByLibrary.simpleMessage("Да, обриши"), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Не можеш делити сам са собом"), + "yourAccountHasBeenDeleted": + MessageLookupByLibrary.simpleMessage("Ваш налог је обрисан") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_sv.dart b/mobile/apps/photos/lib/generated/intl/messages_sv.dart index b2a22aa8f5..80ddab1271 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_sv.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_sv.dart @@ -32,7 +32,11 @@ class MessageLookup extends MessageLookupByLibrary { "${user} kommer inte att kunna lägga till fler foton till detta album\n\nDe kommer fortfarande att kunna ta bort befintliga foton som lagts till av dem"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, {'true': 'Din familj har begärt ${storageAmountInGb} GB', 'false': '${storageAmountInGb}', 'other': 'Du har begärt ${storageAmountInGb} GB!'})}"; + "${Intl.select(isFamilyMember, { + 'true': 'Din familj har begärt ${storageAmountInGb} GB', + 'false': '${storageAmountInGb}', + 'other': 'Du har begärt ${storageAmountInGb} GB!', + })}"; static String m21(count) => "${Intl.plural(count, one: 'Radera ${count} objekt', other: 'Radera ${count} objekt')}"; @@ -103,741 +107,604 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "En ny version av Ente är tillgänglig.", - ), - "about": MessageLookupByLibrary.simpleMessage("Om"), - "account": MessageLookupByLibrary.simpleMessage("Konto"), - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( - "Välkommen tillbaka!", - ), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Jag förstår att om jag förlorar mitt lösenord kan jag förlora mina data eftersom min data är end-to-end-krypterad.", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage("Aktiva sessioner"), - "add": MessageLookupByLibrary.simpleMessage("Lägg till"), - "addANewEmail": MessageLookupByLibrary.simpleMessage( - "Lägg till en ny e-postadress", - ), - "addCollaborator": MessageLookupByLibrary.simpleMessage( - "Lägg till samarbetspartner", - ), - "addFromDevice": MessageLookupByLibrary.simpleMessage( - "Lägg till från enhet", - ), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Lägg till"), - "addMore": MessageLookupByLibrary.simpleMessage("Lägg till fler"), - "addName": MessageLookupByLibrary.simpleMessage("Lägg till namn"), - "addPhotos": MessageLookupByLibrary.simpleMessage("Lägg till foton"), - "addViewer": MessageLookupByLibrary.simpleMessage("Lägg till bildvy"), - "addedAs": MessageLookupByLibrary.simpleMessage("Lades till som"), - "addingToFavorites": MessageLookupByLibrary.simpleMessage( - "Lägger till bland favoriter...", - ), - "after1Day": MessageLookupByLibrary.simpleMessage("Om en dag"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Om en timme"), - "after1Month": MessageLookupByLibrary.simpleMessage("Om en månad"), - "after1Week": MessageLookupByLibrary.simpleMessage("Om en vecka"), - "after1Year": MessageLookupByLibrary.simpleMessage("Om ett år"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Ägare"), - "albumParticipantsCount": m8, - "albumUpdated": MessageLookupByLibrary.simpleMessage("Album uppdaterat"), - "albums": MessageLookupByLibrary.simpleMessage("Album"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Tillåt personer med länken att även lägga till foton i det delade albumet.", - ), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( - "Tillåt lägga till foton", - ), - "allowDownloads": MessageLookupByLibrary.simpleMessage( - "Tillåt nedladdningar", - ), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Avbryt"), - "appVersion": m9, - "apply": MessageLookupByLibrary.simpleMessage("Verkställ"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Använd kod"), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Är du säker på att du vill logga ut?", - ), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Vad är den främsta anledningen till att du raderar ditt konto?", - ), - "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Autentisering misslyckades, försök igen", - ), - "availableStorageSpace": m10, - "backupSettings": MessageLookupByLibrary.simpleMessage( - "Säkerhetskopieringsinställningar", - ), - "backupStatus": MessageLookupByLibrary.simpleMessage( - "Säkerhetskopieringsstatus", - ), - "blog": MessageLookupByLibrary.simpleMessage("Blogg"), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Tyvärr kan detta album inte öppnas i appen.", - ), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( - "Kan inte öppna det här albumet", - ), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Kan endast ta bort filer som ägs av dig", - ), - "cancel": MessageLookupByLibrary.simpleMessage("Avbryt"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "change": MessageLookupByLibrary.simpleMessage("Ändra"), - "changeEmail": MessageLookupByLibrary.simpleMessage("Ändra e-postadress"), - "changePassword": MessageLookupByLibrary.simpleMessage("Ändra lösenord"), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Ändra lösenord", - ), - "changePermissions": MessageLookupByLibrary.simpleMessage( - "Ändra behörighet?", - ), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Ändra din värvningskod", - ), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Kontrollera din inkorg (och skräppost) för att slutföra verifieringen", - ), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage( - "Hämta kostnadsfri lagring", - ), - "claimMore": MessageLookupByLibrary.simpleMessage("Begär mer!"), - "claimed": MessageLookupByLibrary.simpleMessage("Nyttjad"), - "claimedStorageSoFar": m14, - "clearIndexes": MessageLookupByLibrary.simpleMessage("Rensa index"), - "close": MessageLookupByLibrary.simpleMessage("Stäng"), - "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( - "Kod tillämpad", - ), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Tyvärr, du har nått gränsen för kodändringar.", - ), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Koden har kopierats till urklipp", - ), - "codeUsedByYou": MessageLookupByLibrary.simpleMessage( - "Kod som används av dig", - ), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Skapa en länk så att personer kan lägga till och visa foton i ditt delade album utan att behöva en Ente app eller konto. Perfekt för att samla in bilder från evenemang.", - ), - "collaborativeLink": MessageLookupByLibrary.simpleMessage("Samarbetslänk"), - "collaborator": MessageLookupByLibrary.simpleMessage("Samarbetspartner"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Samarbetspartner kan lägga till foton och videor till det delade albumet.", - ), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Samla in foton"), - "color": MessageLookupByLibrary.simpleMessage("Färg"), - "confirm": MessageLookupByLibrary.simpleMessage("Bekräfta"), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Bekräfta radering av konto", - ), - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Ja, jag vill permanent ta bort detta konto och data i alla appar.", - ), - "confirmPassword": MessageLookupByLibrary.simpleMessage( - "Bekräfta lösenord", - ), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Bekräfta återställningsnyckel", - ), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Bekräfta din återställningsnyckel", - ), - "contactSupport": MessageLookupByLibrary.simpleMessage("Kontakta support"), - "contacts": MessageLookupByLibrary.simpleMessage("Kontakter"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Fortsätt"), - "copyEmailAddress": MessageLookupByLibrary.simpleMessage( - "Kopiera e-postadress", - ), - "copyLink": MessageLookupByLibrary.simpleMessage("Kopiera länk"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Kopiera-klistra in den här koden\ntill din autentiseringsapp", - ), - "create": MessageLookupByLibrary.simpleMessage("Skapa"), - "createAccount": MessageLookupByLibrary.simpleMessage("Skapa konto"), - "createNewAccount": MessageLookupByLibrary.simpleMessage( - "Skapa nytt konto", - ), - "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( - "Skapa eller välj album", - ), - "createPublicLink": MessageLookupByLibrary.simpleMessage( - "Skapa offentlig länk", - ), - "creatingLink": MessageLookupByLibrary.simpleMessage("Skapar länk..."), - "custom": MessageLookupByLibrary.simpleMessage("Anpassad"), - "darkTheme": MessageLookupByLibrary.simpleMessage("Mörkt"), - "decrypting": MessageLookupByLibrary.simpleMessage("Dekrypterar..."), - "delete": MessageLookupByLibrary.simpleMessage("Radera"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Radera konto"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Vi är ledsna att se dig lämna oss. Vänligen dela dina synpunkter för att hjälpa oss att förbättra.", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Radera kontot permanent", - ), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Radera album"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Ta också bort foton (och videor) som finns i detta album från alla andra album som de är en del av?", - ), - "deleteAll": MessageLookupByLibrary.simpleMessage("Radera alla"), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Vänligen skicka ett e-postmeddelande till account-deletion@ente.io från din registrerade e-postadress.", - ), - "deleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Radera från enhet", - ), - "deleteItemCount": m21, - "deletePhotos": MessageLookupByLibrary.simpleMessage("Radera foton"), - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Det saknas en viktig funktion som jag behöver", - ), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "Appen eller en viss funktion beter sig inte som jag tycker det ska", - ), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Jag hittade en annan tjänst som jag gillar bättre", - ), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "Min orsak finns inte med", - ), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Din begäran kommer att hanteras inom 72 timmar.", - ), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Radera delat album?", - ), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "Albumet kommer att raderas för alla\n\nDu kommer att förlora åtkomst till delade foton i detta album som ägs av andra", - ), - "details": MessageLookupByLibrary.simpleMessage("Uppgifter"), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Besökare kan fortfarande ta skärmdumpar eller spara en kopia av dina foton med hjälp av externa verktyg", - ), - "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( - "Vänligen notera:", - ), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Anteckningar"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Kvitton"), - "doThisLater": MessageLookupByLibrary.simpleMessage("Gör detta senare"), - "done": MessageLookupByLibrary.simpleMessage("Klar"), - "dropSupportEmail": m25, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Redigera"), - "eligible": MessageLookupByLibrary.simpleMessage("berättigad"), - "email": MessageLookupByLibrary.simpleMessage("E-post"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "E-postadress redan registrerad.", - ), - "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "E-postadressen är inte registrerad.", - ), - "encryption": MessageLookupByLibrary.simpleMessage("Kryptering"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage( - "Krypteringsnycklar", - ), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente behöver tillåtelse att bevara dina foton", - ), - "enterAlbumName": MessageLookupByLibrary.simpleMessage("Ange albumnamn"), - "enterCode": MessageLookupByLibrary.simpleMessage("Ange kod"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Ange koden som din vän har angett för att få gratis lagring för er båda", - ), - "enterEmail": MessageLookupByLibrary.simpleMessage("Ange e-post"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Ange ett nytt lösenord som vi kan använda för att kryptera din data", - ), - "enterPassword": MessageLookupByLibrary.simpleMessage("Ange lösenord"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Ange ett lösenord som vi kan använda för att kryptera din data", - ), - "enterReferralCode": MessageLookupByLibrary.simpleMessage( - "Ange hänvisningskod", - ), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Ange den 6-siffriga koden från din autentiseringsapp", - ), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Ange en giltig e-postadress.", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Ange din e-postadress", - ), - "enterYourPassword": MessageLookupByLibrary.simpleMessage( - "Ange ditt lösenord", - ), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Ange din återställningsnyckel", - ), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Denna länk har upphört att gälla. Välj ett nytt datum eller inaktivera tidsbegränsningen.", - ), - "exportYourData": MessageLookupByLibrary.simpleMessage( - "Exportera din data", - ), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage( - "Det gick inte att använda koden", - ), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Det gick inte att hämta hänvisningsdetaljer. Försök igen senare.", - ), - "faq": MessageLookupByLibrary.simpleMessage("Vanliga frågor och svar"), - "feedback": MessageLookupByLibrary.simpleMessage("Feedback"), - "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( - "Lägg till en beskrivning...", - ), - "fileTypes": MessageLookupByLibrary.simpleMessage("Filtyper"), - "forgotPassword": MessageLookupByLibrary.simpleMessage("Glömt lösenord"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( - "Gratis lagring begärd", - ), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Gratis lagringsutrymme som kan användas", - ), - "freeTrial": MessageLookupByLibrary.simpleMessage("Gratis provperiod"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Skapar krypteringsnycklar...", - ), - "goToSettings": MessageLookupByLibrary.simpleMessage( - "Gå till inställningar", - ), - "guestView": MessageLookupByLibrary.simpleMessage("Gästvy"), - "help": MessageLookupByLibrary.simpleMessage("Hjälp"), - "howItWorks": MessageLookupByLibrary.simpleMessage("Så här fungerar det"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Be dem att långtrycka på sin e-postadress på inställningsskärmen och verifiera att ID:n på båda enheterna matchar.", - ), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorera"), - "incorrectCode": MessageLookupByLibrary.simpleMessage("Felaktig kod"), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Felaktigt lösenord", - ), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Felaktig återställningsnyckel", - ), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "Återställningsnyckeln du angav är felaktig", - ), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Felaktig återställningsnyckel", - ), - "insecureDevice": MessageLookupByLibrary.simpleMessage("Osäker enhet"), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "Ogiltig e-postadress", - ), - "invalidKey": MessageLookupByLibrary.simpleMessage("Ogiltig nyckel"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Återställningsnyckeln du angav är inte giltig. Kontrollera att den innehåller 24 ord och kontrollera stavningen av varje ord.\n\nOm du har angett en äldre återställnings kod, se till att den är 64 tecken lång, och kontrollera var och en av bokstäverna.", - ), - "inviteToEnte": MessageLookupByLibrary.simpleMessage("Bjud in till Ente"), - "inviteYourFriends": MessageLookupByLibrary.simpleMessage( - "Bjud in dina vänner", - ), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "Bjud in dina vänner till Ente", - ), - "itemCount": m44, - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Valda objekt kommer att tas bort från detta album", - ), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Behåll foton"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Vänligen hjälp oss med denna information", - ), - "language": MessageLookupByLibrary.simpleMessage("Språk"), - "leave": MessageLookupByLibrary.simpleMessage("Lämna"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Ljust"), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Enhetsgräns"), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Aktiverat"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Upphört"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Länken upphör"), - "linkHasExpired": MessageLookupByLibrary.simpleMessage( - "Länk har upphört att gälla", - ), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Aldrig"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Lås"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Logga in"), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "Din session har upphört. Logga in igen.", - ), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Genom att klicka på logga in godkänner jag användarvillkoren och våran integritetspolicy", - ), - "logout": MessageLookupByLibrary.simpleMessage("Logga ut"), - "lostDevice": MessageLookupByLibrary.simpleMessage("Förlorad enhet?"), - "machineLearning": MessageLookupByLibrary.simpleMessage("Maskininlärning"), - "manage": MessageLookupByLibrary.simpleMessage("Hantera"), - "manageLink": MessageLookupByLibrary.simpleMessage("Hantera länk"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Hantera"), - "manageSubscription": MessageLookupByLibrary.simpleMessage( - "Hantera prenumeration", - ), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "mlConsent": MessageLookupByLibrary.simpleMessage( - "Aktivera maskininlärning", - ), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "Aktivera maskininlärning?", - ), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Måttligt"), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("Flytta till album"), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Flyttar filer till album...", - ), - "name": MessageLookupByLibrary.simpleMessage("Namn"), - "never": MessageLookupByLibrary.simpleMessage("Aldrig"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Nytt album"), - "newPerson": MessageLookupByLibrary.simpleMessage("Ny person"), - "next": MessageLookupByLibrary.simpleMessage("Nästa"), - "no": MessageLookupByLibrary.simpleMessage("Nej"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Ingen"), - "noExifData": MessageLookupByLibrary.simpleMessage("Ingen EXIF-data"), - "noInternetConnection": MessageLookupByLibrary.simpleMessage( - "Ingen internetanslutning", - ), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Ingen återställningsnyckel?", - ), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "På grund av vårt punkt-till-punkt-krypteringssystem så kan dina data inte avkrypteras utan ditt lösenord eller återställningsnyckel", - ), - "noResults": MessageLookupByLibrary.simpleMessage("Inga resultat"), - "noResultsFound": MessageLookupByLibrary.simpleMessage( - "Inga resultat hittades", - ), - "notPersonLabel": m54, - "ok": MessageLookupByLibrary.simpleMessage("OK"), - "onlyFamilyAdminCanChangeCode": m55, - "oops": MessageLookupByLibrary.simpleMessage("Hoppsan"), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Oj, något gick fel", - ), - "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( - "Eller välj en befintlig", - ), - "passkey": MessageLookupByLibrary.simpleMessage("Nyckel"), - "password": MessageLookupByLibrary.simpleMessage("Lösenord"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Lösenordet har ändrats", - ), - "passwordLock": MessageLookupByLibrary.simpleMessage("Lösenordskydd"), - "passwordStrength": m57, - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Vi lagrar inte detta lösenord, så om du glömmer bort det, kan vi inte dekryptera dina data", - ), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Personer som använder din kod", - ), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Kontrollera din internetanslutning och försök igen.", - ), - "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage("Logga in igen"), - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("Försök igen"), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Var god vänta..."), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( - "Integritetspolicy", - ), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( - "Offentlig länk aktiverad", - ), - "rateUsOnStore": m68, - "recover": MessageLookupByLibrary.simpleMessage("Återställ"), - "recoverAccount": MessageLookupByLibrary.simpleMessage("Återställ konto"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Återställ"), - "recoveryKey": MessageLookupByLibrary.simpleMessage("Återställningsnyckel"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Återställningsnyckel kopierad till urklipp", - ), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Om du glömmer ditt lösenord är det enda sättet du kan återställa dina data med denna nyckel.", - ), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Vi lagrar inte och har därför inte åtkomst till denna nyckel, vänligen spara denna 24 ords nyckel på en säker plats.", - ), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Grymt! Din återställningsnyckel är giltig. Tack för att du verifierade.\n\nKom ihåg att hålla din återställningsnyckel säker med backups.", - ), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Återställningsnyckel verifierad", - ), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Din återställningsnyckel är det enda sättet att återställa dina foton om du glömmer ditt lösenord. Du hittar din återställningsnyckel i Inställningar > Säkerhet.\n\nAnge din återställningsnyckel här för att verifiera att du har sparat den ordentligt.", - ), - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "Återställning lyckades!", - ), - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "Denna enhet är inte tillräckligt kraftfull för att verifiera ditt lösenord, men vi kan återskapa det på ett sätt som fungerar med alla enheter.\n\nLogga in med din återställningsnyckel och återskapa ditt lösenord (du kan använda samma igen om du vill).", - ), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Återskapa lösenord", - ), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Ge denna kod till dina vänner", - ), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. De registrerar sig för en betalplan", - ), - "referralStep3": m73, - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "Hänvisningar är för närvarande pausade", - ), - "remove": MessageLookupByLibrary.simpleMessage("Ta bort"), - "removeFromAlbum": MessageLookupByLibrary.simpleMessage( - "Ta bort från album", - ), - "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( - "Ta bort från album?", - ), - "removeLink": MessageLookupByLibrary.simpleMessage("Radera länk"), - "removeParticipant": MessageLookupByLibrary.simpleMessage( - "Ta bort användaren", - ), - "removeParticipantBody": m74, - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Några av de objekt som du tar bort lades av andra personer, och du kommer att förlora tillgång till dem", - ), - "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Ta bort?"), - "removingFromFavorites": MessageLookupByLibrary.simpleMessage( - "Tar bort från favoriter...", - ), - "renewSubscription": MessageLookupByLibrary.simpleMessage( - "Förnya prenumeration", - ), - "resendEmail": MessageLookupByLibrary.simpleMessage( - "Skicka e-postmeddelandet igen", - ), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Återställ lösenord", - ), - "resetToDefault": MessageLookupByLibrary.simpleMessage( - "Återställ till standard", - ), - "retry": MessageLookupByLibrary.simpleMessage("Försök igen"), - "save": MessageLookupByLibrary.simpleMessage("Spara"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Spara kopia"), - "saveKey": MessageLookupByLibrary.simpleMessage("Spara nyckel"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Spara din återställningsnyckel om du inte redan har gjort det", - ), - "scanCode": MessageLookupByLibrary.simpleMessage("Skanna kod"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Skanna denna streckkod med\ndin autentiseringsapp", - ), - "search": MessageLookupByLibrary.simpleMessage("Sök"), - "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Album"), - "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage("Albumnamn"), - "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( - "Filtyper och namn", - ), - "searchResultCount": m77, - "selectAlbum": MessageLookupByLibrary.simpleMessage("Välj album"), - "selectAll": MessageLookupByLibrary.simpleMessage("Markera allt"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Välj mappar för säkerhetskopiering", - ), - "selectLanguage": MessageLookupByLibrary.simpleMessage("Välj språk"), - "selectReason": MessageLookupByLibrary.simpleMessage("Välj anledning"), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Valda mappar kommer att krypteras och säkerhetskopieras", - ), - "send": MessageLookupByLibrary.simpleMessage("Skicka"), - "sendEmail": MessageLookupByLibrary.simpleMessage("Skicka e-post"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Skicka inbjudan"), - "sendLink": MessageLookupByLibrary.simpleMessage("Skicka länk"), - "setAPassword": MessageLookupByLibrary.simpleMessage("Ange ett lösenord"), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage("Välj lösenord"), - "setupComplete": MessageLookupByLibrary.simpleMessage( - "Konfiguration slutförd", - ), - "share": MessageLookupByLibrary.simpleMessage("Dela"), - "shareALink": MessageLookupByLibrary.simpleMessage("Dela en länk"), - "shareLink": MessageLookupByLibrary.simpleMessage("Dela länk"), - "shareMyVerificationID": m83, - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Ladda ner Ente så att vi enkelt kan dela bilder och videor med originell kvalitet\n\nhttps://ente.io", - ), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Dela med icke-Ente användare", - ), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( - "Dela ditt första album", - ), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Skapa delade och samarbetande album med andra Ente användare, inklusive användare med gratisnivån.", - ), - "showMemories": MessageLookupByLibrary.simpleMessage("Visa minnen"), - "showPerson": MessageLookupByLibrary.simpleMessage("Visa person"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Jag samtycker till användarvillkoren och integritetspolicyn", - ), - "skip": MessageLookupByLibrary.simpleMessage("Hoppa över"), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Någon som delar album med dig bör se samma ID på deras enhet.", - ), - "somethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Något gick fel", - ), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Något gick fel, vänligen försök igen", - ), - "sorry": MessageLookupByLibrary.simpleMessage("Förlåt"), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Tyvärr, kunde inte lägga till i favoriterna!", - ), - "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( - "Tyvärr kunde inte ta bort från favoriter!", - ), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Tyvärr, vi kunde inte generera säkra nycklar på den här enheten.\n\nVänligen registrera dig från en annan enhet.", - ), - "sort": MessageLookupByLibrary.simpleMessage("Sortera"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sortera efter"), - "status": MessageLookupByLibrary.simpleMessage("Status"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Du"), - "storageInGB": m93, - "strongStrength": MessageLookupByLibrary.simpleMessage("Starkt"), - "subscribe": MessageLookupByLibrary.simpleMessage("Prenumerera"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Du behöver en aktiv betald prenumeration för att möjliggöra delning.", - ), - "subscription": MessageLookupByLibrary.simpleMessage("Prenumeration"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("tryck för att kopiera"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage( - "Tryck för att ange kod", - ), - "terminate": MessageLookupByLibrary.simpleMessage("Avsluta"), - "terminateSession": MessageLookupByLibrary.simpleMessage( - "Avsluta sessionen?", - ), - "terms": MessageLookupByLibrary.simpleMessage("Villkor"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Villkor"), - "thankYou": MessageLookupByLibrary.simpleMessage("Tack"), - "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "Återställningsnyckeln du angav är felaktig", - ), - "theme": MessageLookupByLibrary.simpleMessage("Tema"), - "theyAlsoGetXGb": m99, - "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( - "Detta kan användas för att återställa ditt konto om du förlorar din andra faktor", - ), - "thisDevice": MessageLookupByLibrary.simpleMessage("Den här enheten"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Detta är ditt verifierings-ID", - ), - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Detta kommer att logga ut dig från följande enhet:", - ), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Detta kommer att logga ut dig från denna enhet!", - ), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "För att återställa ditt lösenord måste du först bekräfta din e-postadress.", - ), - "total": MessageLookupByLibrary.simpleMessage("totalt"), - "trash": MessageLookupByLibrary.simpleMessage("Papperskorg"), - "tryAgain": MessageLookupByLibrary.simpleMessage("Försök igen"), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "Tvåfaktorsautentisering har inaktiverats", - ), - "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( - "Tvåfaktorsautentisering", - ), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Tvåfaktorskonfiguration", - ), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Tyvärr är denna kod inte tillgänglig.", - ), - "unselectAll": MessageLookupByLibrary.simpleMessage("Avmarkera alla"), - "update": MessageLookupByLibrary.simpleMessage("Uppdatera"), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Uppdaterar mappval...", - ), - "upgrade": MessageLookupByLibrary.simpleMessage("Uppgradera"), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( - "Bevarar 1 minne...", - ), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "Användbart lagringsutrymme begränsas av din nuvarande plan. Överskrider du lagringsutrymmet kommer automatiskt att kunna använda det när du uppgraderar din plan.", - ), - "useAsCover": MessageLookupByLibrary.simpleMessage("Använd som omslag"), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Använd återställningsnyckel", - ), - "verificationId": MessageLookupByLibrary.simpleMessage("Verifierings-ID"), - "verify": MessageLookupByLibrary.simpleMessage("Bekräfta"), - "verifyEmail": MessageLookupByLibrary.simpleMessage( - "Bekräfta e-postadress", - ), - "verifyEmailID": m111, - "verifyPasskey": MessageLookupByLibrary.simpleMessage("Verifiera nyckel"), - "verifyPassword": MessageLookupByLibrary.simpleMessage("Bekräfta lösenord"), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Verifierar återställningsnyckel...", - ), - "viewActiveSessions": MessageLookupByLibrary.simpleMessage( - "Visa aktiva sessioner", - ), - "viewAll": MessageLookupByLibrary.simpleMessage("Visa alla"), - "viewAllExifData": MessageLookupByLibrary.simpleMessage( - "Visa all EXIF-data", - ), - "viewLogs": MessageLookupByLibrary.simpleMessage("Visa loggar"), - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Visa återställningsnyckel", - ), - "viewer": MessageLookupByLibrary.simpleMessage("Bildvy"), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Svagt"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("Välkommen tillbaka!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("Nyheter"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Ja"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Ja, avbryt"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "Ja, konvertera till bildvy", - ), - "yesDelete": MessageLookupByLibrary.simpleMessage("Ja, radera"), - "yesLogout": MessageLookupByLibrary.simpleMessage("Ja, logga ut"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Ja, ta bort"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Ja, förnya"), - "you": MessageLookupByLibrary.simpleMessage("Du"), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Du kan max fördubbla ditt lagringsutrymme", - ), - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "Ditt konto har raderats", - ), - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "En ny version av Ente är tillgänglig."), + "about": MessageLookupByLibrary.simpleMessage("Om"), + "account": MessageLookupByLibrary.simpleMessage("Konto"), + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("Välkommen tillbaka!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Jag förstår att om jag förlorar mitt lösenord kan jag förlora mina data eftersom min data är end-to-end-krypterad."), + "activeSessions": + MessageLookupByLibrary.simpleMessage("Aktiva sessioner"), + "add": MessageLookupByLibrary.simpleMessage("Lägg till"), + "addANewEmail": MessageLookupByLibrary.simpleMessage( + "Lägg till en ny e-postadress"), + "addCollaborator": + MessageLookupByLibrary.simpleMessage("Lägg till samarbetspartner"), + "addFromDevice": + MessageLookupByLibrary.simpleMessage("Lägg till från enhet"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Lägg till"), + "addMore": MessageLookupByLibrary.simpleMessage("Lägg till fler"), + "addName": MessageLookupByLibrary.simpleMessage("Lägg till namn"), + "addPhotos": MessageLookupByLibrary.simpleMessage("Lägg till foton"), + "addViewer": MessageLookupByLibrary.simpleMessage("Lägg till bildvy"), + "addedAs": MessageLookupByLibrary.simpleMessage("Lades till som"), + "addingToFavorites": MessageLookupByLibrary.simpleMessage( + "Lägger till bland favoriter..."), + "after1Day": MessageLookupByLibrary.simpleMessage("Om en dag"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Om en timme"), + "after1Month": MessageLookupByLibrary.simpleMessage("Om en månad"), + "after1Week": MessageLookupByLibrary.simpleMessage("Om en vecka"), + "after1Year": MessageLookupByLibrary.simpleMessage("Om ett år"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Ägare"), + "albumParticipantsCount": m8, + "albumUpdated": + MessageLookupByLibrary.simpleMessage("Album uppdaterat"), + "albums": MessageLookupByLibrary.simpleMessage("Album"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Tillåt personer med länken att även lägga till foton i det delade albumet."), + "allowAddingPhotos": + MessageLookupByLibrary.simpleMessage("Tillåt lägga till foton"), + "allowDownloads": + MessageLookupByLibrary.simpleMessage("Tillåt nedladdningar"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Avbryt"), + "appVersion": m9, + "apply": MessageLookupByLibrary.simpleMessage("Verkställ"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Använd kod"), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Är du säker på att du vill logga ut?"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Vad är den främsta anledningen till att du raderar ditt konto?"), + "authenticationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Autentisering misslyckades, försök igen"), + "availableStorageSpace": m10, + "backupSettings": MessageLookupByLibrary.simpleMessage( + "Säkerhetskopieringsinställningar"), + "backupStatus": + MessageLookupByLibrary.simpleMessage("Säkerhetskopieringsstatus"), + "blog": MessageLookupByLibrary.simpleMessage("Blogg"), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Tyvärr kan detta album inte öppnas i appen."), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( + "Kan inte öppna det här albumet"), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Kan endast ta bort filer som ägs av dig"), + "cancel": MessageLookupByLibrary.simpleMessage("Avbryt"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "change": MessageLookupByLibrary.simpleMessage("Ändra"), + "changeEmail": + MessageLookupByLibrary.simpleMessage("Ändra e-postadress"), + "changePassword": + MessageLookupByLibrary.simpleMessage("Ändra lösenord"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("Ändra lösenord"), + "changePermissions": + MessageLookupByLibrary.simpleMessage("Ändra behörighet?"), + "changeYourReferralCode": + MessageLookupByLibrary.simpleMessage("Ändra din värvningskod"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Kontrollera din inkorg (och skräppost) för att slutföra verifieringen"), + "claimFreeStorage": + MessageLookupByLibrary.simpleMessage("Hämta kostnadsfri lagring"), + "claimMore": MessageLookupByLibrary.simpleMessage("Begär mer!"), + "claimed": MessageLookupByLibrary.simpleMessage("Nyttjad"), + "claimedStorageSoFar": m14, + "clearIndexes": MessageLookupByLibrary.simpleMessage("Rensa index"), + "close": MessageLookupByLibrary.simpleMessage("Stäng"), + "codeAppliedPageTitle": + MessageLookupByLibrary.simpleMessage("Kod tillämpad"), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Tyvärr, du har nått gränsen för kodändringar."), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Koden har kopierats till urklipp"), + "codeUsedByYou": + MessageLookupByLibrary.simpleMessage("Kod som används av dig"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Skapa en länk så att personer kan lägga till och visa foton i ditt delade album utan att behöva en Ente app eller konto. Perfekt för att samla in bilder från evenemang."), + "collaborativeLink": + MessageLookupByLibrary.simpleMessage("Samarbetslänk"), + "collaborator": + MessageLookupByLibrary.simpleMessage("Samarbetspartner"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Samarbetspartner kan lägga till foton och videor till det delade albumet."), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Samla in foton"), + "color": MessageLookupByLibrary.simpleMessage("Färg"), + "confirm": MessageLookupByLibrary.simpleMessage("Bekräfta"), + "confirmAccountDeletion": + MessageLookupByLibrary.simpleMessage("Bekräfta radering av konto"), + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Ja, jag vill permanent ta bort detta konto och data i alla appar."), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("Bekräfta lösenord"), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Bekräfta återställningsnyckel"), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Bekräfta din återställningsnyckel"), + "contactSupport": + MessageLookupByLibrary.simpleMessage("Kontakta support"), + "contacts": MessageLookupByLibrary.simpleMessage("Kontakter"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Fortsätt"), + "copyEmailAddress": + MessageLookupByLibrary.simpleMessage("Kopiera e-postadress"), + "copyLink": MessageLookupByLibrary.simpleMessage("Kopiera länk"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Kopiera-klistra in den här koden\ntill din autentiseringsapp"), + "create": MessageLookupByLibrary.simpleMessage("Skapa"), + "createAccount": MessageLookupByLibrary.simpleMessage("Skapa konto"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("Skapa nytt konto"), + "createOrSelectAlbum": + MessageLookupByLibrary.simpleMessage("Skapa eller välj album"), + "createPublicLink": + MessageLookupByLibrary.simpleMessage("Skapa offentlig länk"), + "creatingLink": MessageLookupByLibrary.simpleMessage("Skapar länk..."), + "custom": MessageLookupByLibrary.simpleMessage("Anpassad"), + "darkTheme": MessageLookupByLibrary.simpleMessage("Mörkt"), + "decrypting": MessageLookupByLibrary.simpleMessage("Dekrypterar..."), + "delete": MessageLookupByLibrary.simpleMessage("Radera"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Radera konto"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Vi är ledsna att se dig lämna oss. Vänligen dela dina synpunkter för att hjälpa oss att förbättra."), + "deleteAccountPermanentlyButton": + MessageLookupByLibrary.simpleMessage("Radera kontot permanent"), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Radera album"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Ta också bort foton (och videor) som finns i detta album från alla andra album som de är en del av?"), + "deleteAll": MessageLookupByLibrary.simpleMessage("Radera alla"), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Vänligen skicka ett e-postmeddelande till account-deletion@ente.io från din registrerade e-postadress."), + "deleteFromDevice": + MessageLookupByLibrary.simpleMessage("Radera från enhet"), + "deleteItemCount": m21, + "deletePhotos": MessageLookupByLibrary.simpleMessage("Radera foton"), + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Det saknas en viktig funktion som jag behöver"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "Appen eller en viss funktion beter sig inte som jag tycker det ska"), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Jag hittade en annan tjänst som jag gillar bättre"), + "deleteReason4": + MessageLookupByLibrary.simpleMessage("Min orsak finns inte med"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Din begäran kommer att hanteras inom 72 timmar."), + "deleteSharedAlbum": + MessageLookupByLibrary.simpleMessage("Radera delat album?"), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "Albumet kommer att raderas för alla\n\nDu kommer att förlora åtkomst till delade foton i detta album som ägs av andra"), + "details": MessageLookupByLibrary.simpleMessage("Uppgifter"), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Besökare kan fortfarande ta skärmdumpar eller spara en kopia av dina foton med hjälp av externa verktyg"), + "disableDownloadWarningTitle": + MessageLookupByLibrary.simpleMessage("Vänligen notera:"), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Anteckningar"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Kvitton"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Gör detta senare"), + "done": MessageLookupByLibrary.simpleMessage("Klar"), + "dropSupportEmail": m25, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Redigera"), + "eligible": MessageLookupByLibrary.simpleMessage("berättigad"), + "email": MessageLookupByLibrary.simpleMessage("E-post"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "E-postadress redan registrerad."), + "emailNoEnteAccount": m31, + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "E-postadressen är inte registrerad."), + "encryption": MessageLookupByLibrary.simpleMessage("Kryptering"), + "encryptionKeys": + MessageLookupByLibrary.simpleMessage("Krypteringsnycklar"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente behöver tillåtelse att bevara dina foton"), + "enterAlbumName": + MessageLookupByLibrary.simpleMessage("Ange albumnamn"), + "enterCode": MessageLookupByLibrary.simpleMessage("Ange kod"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Ange koden som din vän har angett för att få gratis lagring för er båda"), + "enterEmail": MessageLookupByLibrary.simpleMessage("Ange e-post"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Ange ett nytt lösenord som vi kan använda för att kryptera din data"), + "enterPassword": MessageLookupByLibrary.simpleMessage("Ange lösenord"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Ange ett lösenord som vi kan använda för att kryptera din data"), + "enterReferralCode": + MessageLookupByLibrary.simpleMessage("Ange hänvisningskod"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Ange den 6-siffriga koden från din autentiseringsapp"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Ange en giltig e-postadress."), + "enterYourEmailAddress": + MessageLookupByLibrary.simpleMessage("Ange din e-postadress"), + "enterYourPassword": + MessageLookupByLibrary.simpleMessage("Ange ditt lösenord"), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Ange din återställningsnyckel"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Denna länk har upphört att gälla. Välj ett nytt datum eller inaktivera tidsbegränsningen."), + "exportYourData": + MessageLookupByLibrary.simpleMessage("Exportera din data"), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage( + "Det gick inte att använda koden"), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Det gick inte att hämta hänvisningsdetaljer. Försök igen senare."), + "faq": MessageLookupByLibrary.simpleMessage("Vanliga frågor och svar"), + "feedback": MessageLookupByLibrary.simpleMessage("Feedback"), + "fileInfoAddDescHint": + MessageLookupByLibrary.simpleMessage("Lägg till en beskrivning..."), + "fileTypes": MessageLookupByLibrary.simpleMessage("Filtyper"), + "forgotPassword": + MessageLookupByLibrary.simpleMessage("Glömt lösenord"), + "freeStorageClaimed": + MessageLookupByLibrary.simpleMessage("Gratis lagring begärd"), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Gratis lagringsutrymme som kan användas"), + "freeTrial": MessageLookupByLibrary.simpleMessage("Gratis provperiod"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Skapar krypteringsnycklar..."), + "goToSettings": + MessageLookupByLibrary.simpleMessage("Gå till inställningar"), + "guestView": MessageLookupByLibrary.simpleMessage("Gästvy"), + "help": MessageLookupByLibrary.simpleMessage("Hjälp"), + "howItWorks": + MessageLookupByLibrary.simpleMessage("Så här fungerar det"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Be dem att långtrycka på sin e-postadress på inställningsskärmen och verifiera att ID:n på båda enheterna matchar."), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorera"), + "incorrectCode": MessageLookupByLibrary.simpleMessage("Felaktig kod"), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("Felaktigt lösenord"), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Felaktig återställningsnyckel"), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Återställningsnyckeln du angav är felaktig"), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Felaktig återställningsnyckel"), + "insecureDevice": MessageLookupByLibrary.simpleMessage("Osäker enhet"), + "invalidEmailAddress": + MessageLookupByLibrary.simpleMessage("Ogiltig e-postadress"), + "invalidKey": MessageLookupByLibrary.simpleMessage("Ogiltig nyckel"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Återställningsnyckeln du angav är inte giltig. Kontrollera att den innehåller 24 ord och kontrollera stavningen av varje ord.\n\nOm du har angett en äldre återställnings kod, se till att den är 64 tecken lång, och kontrollera var och en av bokstäverna."), + "inviteToEnte": + MessageLookupByLibrary.simpleMessage("Bjud in till Ente"), + "inviteYourFriends": + MessageLookupByLibrary.simpleMessage("Bjud in dina vänner"), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "Bjud in dina vänner till Ente"), + "itemCount": m44, + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Valda objekt kommer att tas bort från detta album"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Behåll foton"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Vänligen hjälp oss med denna information"), + "language": MessageLookupByLibrary.simpleMessage("Språk"), + "leave": MessageLookupByLibrary.simpleMessage("Lämna"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Ljust"), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Enhetsgräns"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Aktiverat"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Upphört"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Länken upphör"), + "linkHasExpired": + MessageLookupByLibrary.simpleMessage("Länk har upphört att gälla"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Aldrig"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Lås"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Logga in"), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "Din session har upphört. Logga in igen."), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Genom att klicka på logga in godkänner jag användarvillkoren och våran integritetspolicy"), + "logout": MessageLookupByLibrary.simpleMessage("Logga ut"), + "lostDevice": MessageLookupByLibrary.simpleMessage("Förlorad enhet?"), + "machineLearning": + MessageLookupByLibrary.simpleMessage("Maskininlärning"), + "manage": MessageLookupByLibrary.simpleMessage("Hantera"), + "manageLink": MessageLookupByLibrary.simpleMessage("Hantera länk"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Hantera"), + "manageSubscription": + MessageLookupByLibrary.simpleMessage("Hantera prenumeration"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "mlConsent": + MessageLookupByLibrary.simpleMessage("Aktivera maskininlärning"), + "mlConsentTitle": + MessageLookupByLibrary.simpleMessage("Aktivera maskininlärning?"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Måttligt"), + "moveToAlbum": + MessageLookupByLibrary.simpleMessage("Flytta till album"), + "movingFilesToAlbum": + MessageLookupByLibrary.simpleMessage("Flyttar filer till album..."), + "name": MessageLookupByLibrary.simpleMessage("Namn"), + "never": MessageLookupByLibrary.simpleMessage("Aldrig"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Nytt album"), + "newPerson": MessageLookupByLibrary.simpleMessage("Ny person"), + "next": MessageLookupByLibrary.simpleMessage("Nästa"), + "no": MessageLookupByLibrary.simpleMessage("Nej"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Ingen"), + "noExifData": MessageLookupByLibrary.simpleMessage("Ingen EXIF-data"), + "noInternetConnection": + MessageLookupByLibrary.simpleMessage("Ingen internetanslutning"), + "noRecoveryKey": + MessageLookupByLibrary.simpleMessage("Ingen återställningsnyckel?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "På grund av vårt punkt-till-punkt-krypteringssystem så kan dina data inte avkrypteras utan ditt lösenord eller återställningsnyckel"), + "noResults": MessageLookupByLibrary.simpleMessage("Inga resultat"), + "noResultsFound": + MessageLookupByLibrary.simpleMessage("Inga resultat hittades"), + "notPersonLabel": m54, + "ok": MessageLookupByLibrary.simpleMessage("OK"), + "onlyFamilyAdminCanChangeCode": m55, + "oops": MessageLookupByLibrary.simpleMessage("Hoppsan"), + "oopsSomethingWentWrong": + MessageLookupByLibrary.simpleMessage("Oj, något gick fel"), + "orPickAnExistingOne": + MessageLookupByLibrary.simpleMessage("Eller välj en befintlig"), + "passkey": MessageLookupByLibrary.simpleMessage("Nyckel"), + "password": MessageLookupByLibrary.simpleMessage("Lösenord"), + "passwordChangedSuccessfully": + MessageLookupByLibrary.simpleMessage("Lösenordet har ändrats"), + "passwordLock": MessageLookupByLibrary.simpleMessage("Lösenordskydd"), + "passwordStrength": m57, + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Vi lagrar inte detta lösenord, så om du glömmer bort det, kan vi inte dekryptera dina data"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Personer som använder din kod"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("foto"), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Kontrollera din internetanslutning och försök igen."), + "pleaseLoginAgain": + MessageLookupByLibrary.simpleMessage("Logga in igen"), + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("Försök igen"), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Var god vänta..."), + "privacyPolicyTitle": + MessageLookupByLibrary.simpleMessage("Integritetspolicy"), + "publicLinkEnabled": + MessageLookupByLibrary.simpleMessage("Offentlig länk aktiverad"), + "rateUsOnStore": m68, + "recover": MessageLookupByLibrary.simpleMessage("Återställ"), + "recoverAccount": + MessageLookupByLibrary.simpleMessage("Återställ konto"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Återställ"), + "recoveryKey": + MessageLookupByLibrary.simpleMessage("Återställningsnyckel"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Återställningsnyckel kopierad till urklipp"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Om du glömmer ditt lösenord är det enda sättet du kan återställa dina data med denna nyckel."), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Vi lagrar inte och har därför inte åtkomst till denna nyckel, vänligen spara denna 24 ords nyckel på en säker plats."), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Grymt! Din återställningsnyckel är giltig. Tack för att du verifierade.\n\nKom ihåg att hålla din återställningsnyckel säker med backups."), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Återställningsnyckel verifierad"), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Din återställningsnyckel är det enda sättet att återställa dina foton om du glömmer ditt lösenord. Du hittar din återställningsnyckel i Inställningar > Säkerhet.\n\nAnge din återställningsnyckel här för att verifiera att du har sparat den ordentligt."), + "recoverySuccessful": + MessageLookupByLibrary.simpleMessage("Återställning lyckades!"), + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Denna enhet är inte tillräckligt kraftfull för att verifiera ditt lösenord, men vi kan återskapa det på ett sätt som fungerar med alla enheter.\n\nLogga in med din återställningsnyckel och återskapa ditt lösenord (du kan använda samma igen om du vill)."), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("Återskapa lösenord"), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Ge denna kod till dina vänner"), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. De registrerar sig för en betalplan"), + "referralStep3": m73, + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "Hänvisningar är för närvarande pausade"), + "remove": MessageLookupByLibrary.simpleMessage("Ta bort"), + "removeFromAlbum": + MessageLookupByLibrary.simpleMessage("Ta bort från album"), + "removeFromAlbumTitle": + MessageLookupByLibrary.simpleMessage("Ta bort från album?"), + "removeLink": MessageLookupByLibrary.simpleMessage("Radera länk"), + "removeParticipant": + MessageLookupByLibrary.simpleMessage("Ta bort användaren"), + "removeParticipantBody": m74, + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Några av de objekt som du tar bort lades av andra personer, och du kommer att förlora tillgång till dem"), + "removeWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Ta bort?"), + "removingFromFavorites": + MessageLookupByLibrary.simpleMessage("Tar bort från favoriter..."), + "renewSubscription": + MessageLookupByLibrary.simpleMessage("Förnya prenumeration"), + "resendEmail": MessageLookupByLibrary.simpleMessage( + "Skicka e-postmeddelandet igen"), + "resetPasswordTitle": + MessageLookupByLibrary.simpleMessage("Återställ lösenord"), + "resetToDefault": + MessageLookupByLibrary.simpleMessage("Återställ till standard"), + "retry": MessageLookupByLibrary.simpleMessage("Försök igen"), + "save": MessageLookupByLibrary.simpleMessage("Spara"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Spara kopia"), + "saveKey": MessageLookupByLibrary.simpleMessage("Spara nyckel"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Spara din återställningsnyckel om du inte redan har gjort det"), + "scanCode": MessageLookupByLibrary.simpleMessage("Skanna kod"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Skanna denna streckkod med\ndin autentiseringsapp"), + "search": MessageLookupByLibrary.simpleMessage("Sök"), + "searchAlbumsEmptySection": + MessageLookupByLibrary.simpleMessage("Album"), + "searchByAlbumNameHint": + MessageLookupByLibrary.simpleMessage("Albumnamn"), + "searchFileTypesAndNamesEmptySection": + MessageLookupByLibrary.simpleMessage("Filtyper och namn"), + "searchResultCount": m77, + "selectAlbum": MessageLookupByLibrary.simpleMessage("Välj album"), + "selectAll": MessageLookupByLibrary.simpleMessage("Markera allt"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Välj mappar för säkerhetskopiering"), + "selectLanguage": MessageLookupByLibrary.simpleMessage("Välj språk"), + "selectReason": MessageLookupByLibrary.simpleMessage("Välj anledning"), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Valda mappar kommer att krypteras och säkerhetskopieras"), + "send": MessageLookupByLibrary.simpleMessage("Skicka"), + "sendEmail": MessageLookupByLibrary.simpleMessage("Skicka e-post"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Skicka inbjudan"), + "sendLink": MessageLookupByLibrary.simpleMessage("Skicka länk"), + "setAPassword": + MessageLookupByLibrary.simpleMessage("Ange ett lösenord"), + "setPasswordTitle": + MessageLookupByLibrary.simpleMessage("Välj lösenord"), + "setupComplete": + MessageLookupByLibrary.simpleMessage("Konfiguration slutförd"), + "share": MessageLookupByLibrary.simpleMessage("Dela"), + "shareALink": MessageLookupByLibrary.simpleMessage("Dela en länk"), + "shareLink": MessageLookupByLibrary.simpleMessage("Dela länk"), + "shareMyVerificationID": m83, + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Ladda ner Ente så att vi enkelt kan dela bilder och videor med originell kvalitet\n\nhttps://ente.io"), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Dela med icke-Ente användare"), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": + MessageLookupByLibrary.simpleMessage("Dela ditt första album"), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Skapa delade och samarbetande album med andra Ente användare, inklusive användare med gratisnivån."), + "showMemories": MessageLookupByLibrary.simpleMessage("Visa minnen"), + "showPerson": MessageLookupByLibrary.simpleMessage("Visa person"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Jag samtycker till användarvillkoren och integritetspolicyn"), + "skip": MessageLookupByLibrary.simpleMessage("Hoppa över"), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Någon som delar album med dig bör se samma ID på deras enhet."), + "somethingWentWrong": + MessageLookupByLibrary.simpleMessage("Något gick fel"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Något gick fel, vänligen försök igen"), + "sorry": MessageLookupByLibrary.simpleMessage("Förlåt"), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Tyvärr, kunde inte lägga till i favoriterna!"), + "sorryCouldNotRemoveFromFavorites": + MessageLookupByLibrary.simpleMessage( + "Tyvärr kunde inte ta bort från favoriter!"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Tyvärr, vi kunde inte generera säkra nycklar på den här enheten.\n\nVänligen registrera dig från en annan enhet."), + "sort": MessageLookupByLibrary.simpleMessage("Sortera"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sortera efter"), + "status": MessageLookupByLibrary.simpleMessage("Status"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Du"), + "storageInGB": m93, + "strongStrength": MessageLookupByLibrary.simpleMessage("Starkt"), + "subscribe": MessageLookupByLibrary.simpleMessage("Prenumerera"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Du behöver en aktiv betald prenumeration för att möjliggöra delning."), + "subscription": MessageLookupByLibrary.simpleMessage("Prenumeration"), + "tapToCopy": + MessageLookupByLibrary.simpleMessage("tryck för att kopiera"), + "tapToEnterCode": + MessageLookupByLibrary.simpleMessage("Tryck för att ange kod"), + "terminate": MessageLookupByLibrary.simpleMessage("Avsluta"), + "terminateSession": + MessageLookupByLibrary.simpleMessage("Avsluta sessionen?"), + "terms": MessageLookupByLibrary.simpleMessage("Villkor"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Villkor"), + "thankYou": MessageLookupByLibrary.simpleMessage("Tack"), + "theRecoveryKeyYouEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "Återställningsnyckeln du angav är felaktig"), + "theme": MessageLookupByLibrary.simpleMessage("Tema"), + "theyAlsoGetXGb": m99, + "thisCanBeUsedToRecoverYourAccountIfYou": + MessageLookupByLibrary.simpleMessage( + "Detta kan användas för att återställa ditt konto om du förlorar din andra faktor"), + "thisDevice": MessageLookupByLibrary.simpleMessage("Den här enheten"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Detta är ditt verifierings-ID"), + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Detta kommer att logga ut dig från följande enhet:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Detta kommer att logga ut dig från denna enhet!"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "För att återställa ditt lösenord måste du först bekräfta din e-postadress."), + "total": MessageLookupByLibrary.simpleMessage("totalt"), + "trash": MessageLookupByLibrary.simpleMessage("Papperskorg"), + "tryAgain": MessageLookupByLibrary.simpleMessage("Försök igen"), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "Tvåfaktorsautentisering har inaktiverats"), + "twofactorAuthenticationPageTitle": + MessageLookupByLibrary.simpleMessage("Tvåfaktorsautentisering"), + "twofactorSetup": + MessageLookupByLibrary.simpleMessage("Tvåfaktorskonfiguration"), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Tyvärr är denna kod inte tillgänglig."), + "unselectAll": MessageLookupByLibrary.simpleMessage("Avmarkera alla"), + "update": MessageLookupByLibrary.simpleMessage("Uppdatera"), + "updatingFolderSelection": + MessageLookupByLibrary.simpleMessage("Uppdaterar mappval..."), + "upgrade": MessageLookupByLibrary.simpleMessage("Uppgradera"), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": + MessageLookupByLibrary.simpleMessage("Bevarar 1 minne..."), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "Användbart lagringsutrymme begränsas av din nuvarande plan. Överskrider du lagringsutrymmet kommer automatiskt att kunna använda det när du uppgraderar din plan."), + "useAsCover": MessageLookupByLibrary.simpleMessage("Använd som omslag"), + "useRecoveryKey": + MessageLookupByLibrary.simpleMessage("Använd återställningsnyckel"), + "verificationId": + MessageLookupByLibrary.simpleMessage("Verifierings-ID"), + "verify": MessageLookupByLibrary.simpleMessage("Bekräfta"), + "verifyEmail": + MessageLookupByLibrary.simpleMessage("Bekräfta e-postadress"), + "verifyEmailID": m111, + "verifyPasskey": + MessageLookupByLibrary.simpleMessage("Verifiera nyckel"), + "verifyPassword": + MessageLookupByLibrary.simpleMessage("Bekräfta lösenord"), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Verifierar återställningsnyckel..."), + "viewActiveSessions": + MessageLookupByLibrary.simpleMessage("Visa aktiva sessioner"), + "viewAll": MessageLookupByLibrary.simpleMessage("Visa alla"), + "viewAllExifData": + MessageLookupByLibrary.simpleMessage("Visa all EXIF-data"), + "viewLogs": MessageLookupByLibrary.simpleMessage("Visa loggar"), + "viewRecoveryKey": + MessageLookupByLibrary.simpleMessage("Visa återställningsnyckel"), + "viewer": MessageLookupByLibrary.simpleMessage("Bildvy"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Svagt"), + "welcomeBack": + MessageLookupByLibrary.simpleMessage("Välkommen tillbaka!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("Nyheter"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Ja"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Ja, avbryt"), + "yesConvertToViewer": + MessageLookupByLibrary.simpleMessage("Ja, konvertera till bildvy"), + "yesDelete": MessageLookupByLibrary.simpleMessage("Ja, radera"), + "yesLogout": MessageLookupByLibrary.simpleMessage("Ja, logga ut"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Ja, ta bort"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Ja, förnya"), + "you": MessageLookupByLibrary.simpleMessage("Du"), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Du kan max fördubbla ditt lagringsutrymme"), + "yourAccountHasBeenDeleted": + MessageLookupByLibrary.simpleMessage("Ditt konto har raderats") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_ta.dart b/mobile/apps/photos/lib/generated/intl/messages_ta.dart index 5f2f8055b7..2255c71ef9 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_ta.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_ta.dart @@ -22,55 +22,40 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( - "மீண்டும் வருக!", - ), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "உங்கள் கணக்கை நீக்குவதற்கான முக்கிய காரணம் என்ன?", - ), - "cancel": MessageLookupByLibrary.simpleMessage("ரத்து செய்"), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "கணக்கு நீக்குதலை உறுதிப்படுத்தவும்", - ), - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "ஆம், எல்லா செயலிகளிலும் இந்தக் கணக்கையும் அதன் தரவையும் நிரந்தரமாக நீக்க விரும்புகிறேன்.", - ), - "deleteAccount": MessageLookupByLibrary.simpleMessage("கணக்கை நீக்கு"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "நீங்கள் வெளியேறுவதை கண்டு வருந்துகிறோம். எங்களை மேம்படுத்த உதவ உங்கள் கருத்தைப் பகிரவும்.", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "கணக்கை நிரந்தரமாக நீக்கவும்", - ), - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "எனக்கு தேவையான ஒரு முக்கிய அம்சம் இதில் இல்லை", - ), - "email": MessageLookupByLibrary.simpleMessage("மின்னஞ்சல்"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "மின்னஞ்சல் முன்பே பதிவுசெய்யப்பட்டுள்ளது.", - ), - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "மின்னஞ்சல் பதிவு செய்யப்படவில்லை.", - ), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "சரியான மின்னஞ்சல் முகவரியை உள்ளிடவும்.", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "உங்கள் மின்னஞ்சல் முகவரியை உள்ளிடவும்", - ), - "feedback": MessageLookupByLibrary.simpleMessage("பின்னூட்டம்"), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "தவறான மின்னஞ்சல் முகவரி", - ), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "இந்த தகவலுடன் தயவுசெய்து எங்களுக்கு உதவுங்கள்", - ), - "selectReason": MessageLookupByLibrary.simpleMessage( - "காரணத்தைத் தேர்ந்தெடுக்கவும்", - ), - "verify": MessageLookupByLibrary.simpleMessage("சரிபார்க்கவும்"), - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "உங்கள் கணக்கு நீக்கப்பட்டது", - ), - }; + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("மீண்டும் வருக!"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "உங்கள் கணக்கை நீக்குவதற்கான முக்கிய காரணம் என்ன?"), + "cancel": MessageLookupByLibrary.simpleMessage("ரத்து செய்"), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "கணக்கு நீக்குதலை உறுதிப்படுத்தவும்"), + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "ஆம், எல்லா செயலிகளிலும் இந்தக் கணக்கையும் அதன் தரவையும் நிரந்தரமாக நீக்க விரும்புகிறேன்."), + "deleteAccount": MessageLookupByLibrary.simpleMessage("கணக்கை நீக்கு"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "நீங்கள் வெளியேறுவதை கண்டு வருந்துகிறோம். எங்களை மேம்படுத்த உதவ உங்கள் கருத்தைப் பகிரவும்."), + "deleteAccountPermanentlyButton": + MessageLookupByLibrary.simpleMessage("கணக்கை நிரந்தரமாக நீக்கவும்"), + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "எனக்கு தேவையான ஒரு முக்கிய அம்சம் இதில் இல்லை"), + "email": MessageLookupByLibrary.simpleMessage("மின்னஞ்சல்"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "மின்னஞ்சல் முன்பே பதிவுசெய்யப்பட்டுள்ளது."), + "emailNotRegistered": MessageLookupByLibrary.simpleMessage( + "மின்னஞ்சல் பதிவு செய்யப்படவில்லை."), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "சரியான மின்னஞ்சல் முகவரியை உள்ளிடவும்."), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "உங்கள் மின்னஞ்சல் முகவரியை உள்ளிடவும்"), + "feedback": MessageLookupByLibrary.simpleMessage("பின்னூட்டம்"), + "invalidEmailAddress": + MessageLookupByLibrary.simpleMessage("தவறான மின்னஞ்சல் முகவரி"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "இந்த தகவலுடன் தயவுசெய்து எங்களுக்கு உதவுங்கள்"), + "selectReason": MessageLookupByLibrary.simpleMessage( + "காரணத்தைத் தேர்ந்தெடுக்கவும்"), + "verify": MessageLookupByLibrary.simpleMessage("சரிபார்க்கவும்"), + "yourAccountHasBeenDeleted": + MessageLookupByLibrary.simpleMessage("உங்கள் கணக்கு நீக்கப்பட்டது") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_th.dart b/mobile/apps/photos/lib/generated/intl/messages_th.dart index 69137fff96..8fecb411bb 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_th.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_th.dart @@ -40,376 +40,316 @@ class MessageLookup extends MessageLookupByLibrary { "ความแข็งแรงของรหัสผ่าน: ${passwordStrengthValue}"; static String m94( - usedAmount, - usedStorageUnit, - totalAmount, - totalStorageUnit, - ) => + usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => "ใช้ไป ${usedAmount} ${usedStorageUnit} จาก ${totalAmount} ${totalStorageUnit}"; static String m114(email) => "เราได้ส่งจดหมายไปยัง ${email}"; final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( - "ยินดีต้อนรับกลับมา!", - ), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "ฉันเข้าใจว่าหากฉันทำรหัสผ่านหาย ข้อมูลของฉันอาจสูญหายเนื่องจากข้อมูลของฉันมีการเข้ารหัสจากต้นทางถึงปลายทาง", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage( - "เซสชันที่ใช้งานอยู่", - ), - "addANewEmail": MessageLookupByLibrary.simpleMessage("เพิ่มอีเมลใหม่"), - "addCollaborator": MessageLookupByLibrary.simpleMessage( - "เพิ่มผู้ทำงานร่วมกัน", - ), - "addMore": MessageLookupByLibrary.simpleMessage("เพิ่มอีก"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("เพิ่มไปยังอัลบั้ม"), - "addViewer": MessageLookupByLibrary.simpleMessage("เพิ่มผู้ชม"), - "after1Day": MessageLookupByLibrary.simpleMessage("หลังจาก 1 วัน"), - "after1Hour": MessageLookupByLibrary.simpleMessage("หลังจาก 1 ชั่วโมง"), - "after1Month": MessageLookupByLibrary.simpleMessage("หลังจาก 1 เดือน"), - "after1Week": MessageLookupByLibrary.simpleMessage("หลังจาก 1 สัปดาห์"), - "after1Year": MessageLookupByLibrary.simpleMessage("หลังจาก 1 ปี"), - "albumOwner": MessageLookupByLibrary.simpleMessage("เจ้าของ"), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( - "อนุญาตให้เพิ่มรูปภาพ", - ), - "allowDownloads": MessageLookupByLibrary.simpleMessage( - "อนุญาตให้ดาวน์โหลด", - ), - "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("สำเร็จ"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("ยกเลิก"), - "appVersion": m9, - "apply": MessageLookupByLibrary.simpleMessage("นำไปใช้"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "เหตุผลหลักที่คุณลบบัญชีคืออะไร?", - ), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "โปรดตรวจสอบสิทธิ์เพื่อดูคีย์การกู้คืนของคุณ", - ), - "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "สามารถสร้างลิงก์ได้เฉพาะไฟล์ที่คุณเป็นเจ้าของ", - ), - "cancel": MessageLookupByLibrary.simpleMessage("ยกเลิก"), - "changeEmail": MessageLookupByLibrary.simpleMessage("เปลี่ยนอีเมล"), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage( - "เปลี่ยนรหัสผ่าน", - ), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "โปรดตรวจสอบกล่องจดหมาย (และสแปม) ของคุณ เพื่อยืนยันให้เสร็จสิ้น", - ), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "คัดลอกรหัสไปยังคลิปบอร์ดแล้ว", - ), - "collectPhotos": MessageLookupByLibrary.simpleMessage("รวบรวมรูปภาพ"), - "color": MessageLookupByLibrary.simpleMessage("สี"), - "confirm": MessageLookupByLibrary.simpleMessage("ยืนยัน"), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "ยืนยันการลบบัญชี", - ), - "confirmPassword": MessageLookupByLibrary.simpleMessage("ยืนยันรหัสผ่าน"), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "ยืนยันคีย์การกู้คืน", - ), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "ยืนยันคีย์การกู้คืนของคุณ", - ), - "contactSupport": MessageLookupByLibrary.simpleMessage( - "ติดต่อฝ่ายสนับสนุน", - ), - "continueLabel": MessageLookupByLibrary.simpleMessage("ดำเนินการต่อ"), - "copyLink": MessageLookupByLibrary.simpleMessage("คัดลอกลิงก์"), - "createAccount": MessageLookupByLibrary.simpleMessage("สร้างบัญชี"), - "createNewAccount": MessageLookupByLibrary.simpleMessage("สร้างบัญชีใหม่"), - "createPublicLink": MessageLookupByLibrary.simpleMessage( - "สร้างลิงก์สาธารณะ", - ), - "custom": MessageLookupByLibrary.simpleMessage("กำหนดเอง"), - "darkTheme": MessageLookupByLibrary.simpleMessage("มืด"), - "decrypting": MessageLookupByLibrary.simpleMessage("กำลังถอดรหัส..."), - "delete": MessageLookupByLibrary.simpleMessage("ลบ"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("ลบบัญชี"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "เราเสียใจที่เห็นคุณไป โปรดแบ่งปันความคิดเห็นของคุณเพื่อช่วยให้เราปรับปรุง", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "ลบบัญชีถาวร", - ), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "กรุณาส่งอีเมลไปที่ account-deletion@ente.io จากที่อยู่อีเมลที่คุณลงทะเบียนไว้", - ), - "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( - "ลบอัลบั้มที่ว่างเปล่า", - ), - "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( - "ลบอัลบั้มที่ว่างเปล่าหรือไม่?", - ), - "deleteItemCount": m21, - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "ขาดคุณสมบัติสำคัญที่ฉันต้องการ", - ), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "ตัวแอปหรือคุณสมบัติบางอย่างไม่ทำงานเหมือนที่ฉันคิดว่าควรจะเป็น", - ), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "ฉันเจอบริการอื่นที่ฉันชอบมากกว่า", - ), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "เหตุผลของฉันไม่มีระบุไว้", - ), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "คำขอของคุณจะได้รับการดำเนินการภายใน 72 ชั่วโมง", - ), - "doThisLater": MessageLookupByLibrary.simpleMessage("ทำในภายหลัง"), - "dropSupportEmail": m25, - "edit": MessageLookupByLibrary.simpleMessage("แก้ไข"), - "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( - "แก้ไขตำแหน่ง", - ), - "eligible": MessageLookupByLibrary.simpleMessage("มีสิทธิ์"), - "email": MessageLookupByLibrary.simpleMessage("อีเมล"), - "enableMaps": MessageLookupByLibrary.simpleMessage("เปิดใช้งานแผนที่"), - "encryption": MessageLookupByLibrary.simpleMessage("การเข้ารหัส"), - "enterCode": MessageLookupByLibrary.simpleMessage("ป้อนรหัส"), - "enterEmail": MessageLookupByLibrary.simpleMessage("ใส่อีเมล"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "ใส่รหัสผ่านใหม่ที่เราสามารถใช้เพื่อเข้ารหัสข้อมูลของคุณ", - ), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "ใส่รหัสผ่านที่เราสามารถใช้เพื่อเข้ารหัสข้อมูลของคุณ", - ), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "โปรดใส่ที่อยู่อีเมลที่ถูกต้อง", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "ใส่ที่อยู่อีเมลของคุณ", - ), - "enterYourPassword": MessageLookupByLibrary.simpleMessage( - "ใส่รหัสผ่านของคุณ", - ), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "ป้อนคีย์การกู้คืน", - ), - "faq": MessageLookupByLibrary.simpleMessage("คำถามที่พบบ่อย"), - "favorite": MessageLookupByLibrary.simpleMessage("ชื่นชอบ"), - "feedback": MessageLookupByLibrary.simpleMessage("ความคิดเห็น"), - "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( - "เพิ่มคำอธิบาย...", - ), - "forgotPassword": MessageLookupByLibrary.simpleMessage("ลืมรหัสผ่าน"), - "freeTrial": MessageLookupByLibrary.simpleMessage("ทดลองใช้ฟรี"), - "genericProgress": m42, - "goToSettings": MessageLookupByLibrary.simpleMessage("ไปที่การตั้งค่า"), - "hide": MessageLookupByLibrary.simpleMessage("ซ่อน"), - "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( - "โฮสต์ที่ OSM ฝรั่งเศส", - ), - "howItWorks": MessageLookupByLibrary.simpleMessage("วิธีการทำงาน"), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("ตกลง"), - "importing": MessageLookupByLibrary.simpleMessage("กำลังนำเข้า...."), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( - "รหัสผ่านไม่ถูกต้อง", - ), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "คีย์การกู้คืนไม่ถูกต้อง", - ), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "คีย์การกู้คืนที่คุณป้อนไม่ถูกต้อง", - ), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "คีย์การกู้คืนไม่ถูกต้อง", - ), - "insecureDevice": MessageLookupByLibrary.simpleMessage("อุปกรณ์ไม่ปลอดภัย"), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "ที่อยู่อีเมลไม่ถูกต้อง", - ), - "invalidKey": MessageLookupByLibrary.simpleMessage("รหัสไม่ถูกต้อง"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "คีย์การกู้คืนที่คุณป้อนไม่ถูกต้อง โปรดตรวจสอบให้แน่ใจว่ามี 24 คำ และตรวจสอบการสะกดของแต่ละคำ\n\nหากคุณป้อนรหัสกู้คืนที่เก่ากว่า ตรวจสอบให้แน่ใจว่ามีความยาว 64 ตัวอักษร และตรวจสอบแต่ละตัวอักษร", - ), - "itemCount": m44, - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "กรุณาช่วยเราด้วยข้อมูลนี้", - ), - "lastUpdated": MessageLookupByLibrary.simpleMessage("อัปเดตล่าสุด"), - "lightTheme": MessageLookupByLibrary.simpleMessage("สว่าง"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "คัดลอกลิงก์ไปยังคลิปบอร์ดแล้ว", - ), - "linkHasExpired": MessageLookupByLibrary.simpleMessage("ลิงก์หมดอายุแล้ว"), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "เราใช้ Xchacha20Poly1305 เพื่อเข้ารหัสข้อมูลของคุณอย่างปลอดภัย", - ), - "logInLabel": MessageLookupByLibrary.simpleMessage("เข้าสู่ระบบ"), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "โดยการคลิกเข้าสู่ระบบ ฉันยอมรับเงื่อนไขการให้บริการและนโยบายความเป็นส่วนตัว", - ), - "manageParticipants": MessageLookupByLibrary.simpleMessage("จัดการ"), - "map": MessageLookupByLibrary.simpleMessage("แผนที่"), - "maps": MessageLookupByLibrary.simpleMessage("แผนที่"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("ปานกลาง"), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("ย้ายไปยังอัลบั้ม"), - "name": MessageLookupByLibrary.simpleMessage("ชื่อ"), - "newest": MessageLookupByLibrary.simpleMessage("ใหม่สุด"), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "ไม่มีคีย์การกู้คืน?", - ), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "เนื่องจากลักษณะของโปรโตคอลการเข้ารหัสตั้งแต่ต้นทางถึงปลายทางของเรา ข้อมูลของคุณจึงไม่สามารถถอดรหัสได้หากไม่มีรหัสผ่านหรือคีย์การกู้คืน", - ), - "ok": MessageLookupByLibrary.simpleMessage("ตกลง"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "บน ente", - ), - "oops": MessageLookupByLibrary.simpleMessage("อ๊ะ"), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "อ๊ะ มีบางอย่างผิดพลาด", - ), - "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( - "ผู้มีส่วนร่วม OpenStreetMap", - ), - "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( - "หรือเลือกที่มีอยู่แล้ว", - ), - "password": MessageLookupByLibrary.simpleMessage("รหัสผ่าน"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "เปลี่ยนรหัสผ่านสำเร็จ", - ), - "passwordStrength": m57, - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "เราไม่จัดเก็บรหัสผ่านนี้ ดังนั้นหากคุณลืม เราจะไม่สามารถถอดรหัสข้อมูลของคุณ", - ), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "ผู้คนที่ใช้รหัสของคุณ", - ), - "permanentlyDelete": MessageLookupByLibrary.simpleMessage("ลบอย่างถาวร"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("รูปภาพ"), - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("กรุณาลองอีกครั้ง"), - "pleaseWait": MessageLookupByLibrary.simpleMessage("กรุณารอสักครู่..."), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( - "นโยบายความเป็นส่วนตัว", - ), - "publicLinkCreated": MessageLookupByLibrary.simpleMessage( - "สร้างลิงก์สาธารณะแล้ว", - ), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( - "เปิดใช้ลิงก์สาธารณะแล้ว", - ), - "recover": MessageLookupByLibrary.simpleMessage("กู้คืน"), - "recoverAccount": MessageLookupByLibrary.simpleMessage("กู้คืนบัญชี"), - "recoverButton": MessageLookupByLibrary.simpleMessage("กู้คืน"), - "recoveryKey": MessageLookupByLibrary.simpleMessage("คีย์การกู้คืน"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "คัดลอกคีย์การกู้คืนไปยังคลิปบอร์ดแล้ว", - ), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "หากคุณลืมรหัสผ่าน วิธีเดียวที่คุณสามารถกู้คืนข้อมูลของคุณได้คือการใช้คีย์นี้", - ), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "เราไม่จัดเก็บคีย์นี้ โปรดบันทึกคีย์ 24 คำนี้ไว้ในที่ที่ปลอดภัย", - ), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "ยอดเยี่ยม! คีย์การกู้คืนของคุณถูกต้อง ขอบคุณสำหรับการยืนยัน\n\nโปรดอย่าลืมสำรองคีย์การกู้คืนของคุณไว้อย่างปลอดภัย", - ), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "ยืนยันคีย์การกู้คืนแล้ว", - ), - "recoverySuccessful": MessageLookupByLibrary.simpleMessage("กู้คืนสำเร็จ!"), - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "อุปกรณ์ปัจจุบันไม่ทรงพลังพอที่จะยืนยันรหัสผ่านของคุณ แต่เราสามารถสร้างใหม่ในลักษณะที่ใช้ได้กับอุปกรณ์ทั้งหมดได้\n\nกรุณาเข้าสู่ระบบโดยใช้คีย์การกู้คืนของคุณและสร้างรหัสผ่านใหม่ (คุณสามารถใช้รหัสเดิมอีกครั้งได้หากต้องการ)", - ), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "สร้างรหัสผ่านใหม่", - ), - "resendEmail": MessageLookupByLibrary.simpleMessage("ส่งอีเมลอีกครั้ง"), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( - "รีเซ็ตรหัสผ่าน", - ), - "restore": MessageLookupByLibrary.simpleMessage(" กู้คืน"), - "restoreToAlbum": MessageLookupByLibrary.simpleMessage( - "กู้คืนไปยังอัลบั้ม", - ), - "save": MessageLookupByLibrary.simpleMessage("บันทึก"), - "saveCopy": MessageLookupByLibrary.simpleMessage("บันทึกสำเนา"), - "saveKey": MessageLookupByLibrary.simpleMessage("บันทึกคีย์"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "บันทึกคีย์การกู้คืนของคุณหากคุณยังไม่ได้ทำ", - ), - "scanCode": MessageLookupByLibrary.simpleMessage("สแกนรหัส"), - "selectAll": MessageLookupByLibrary.simpleMessage("เลือกทั้งหมด"), - "selectReason": MessageLookupByLibrary.simpleMessage("เลือกเหตุผล"), - "sendEmail": MessageLookupByLibrary.simpleMessage("ส่งอีเมล"), - "sendLink": MessageLookupByLibrary.simpleMessage("ส่งลิงก์"), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage("ตั้งรหัสผ่าน"), - "setupComplete": MessageLookupByLibrary.simpleMessage( - "ตั้งค่าเสร็จสมบูรณ์", - ), - "share": MessageLookupByLibrary.simpleMessage("แชร์"), - "shareALink": MessageLookupByLibrary.simpleMessage("แชร์​ลิงก์"), - "shareLink": MessageLookupByLibrary.simpleMessage("แชร์​ลิงก์"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "ฉันยอมรับเงื่อนไขการให้บริการและนโยบายความเป็นส่วนตัว", - ), - "skip": MessageLookupByLibrary.simpleMessage("ข้าม"), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "มีบางอย่างผิดพลาด โปรดลองอีกครั้ง", - ), - "sorry": MessageLookupByLibrary.simpleMessage("ขออภัย"), - "status": MessageLookupByLibrary.simpleMessage("สถานะ"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("ครอบครัว"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("คุณ"), - "storageUsageInfo": m94, - "strongStrength": MessageLookupByLibrary.simpleMessage("แข็งแรง"), - "syncStopped": MessageLookupByLibrary.simpleMessage("หยุดการซิงค์แล้ว"), - "syncing": MessageLookupByLibrary.simpleMessage("กำลังซิงค์..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("ระบบ"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("แตะเพื่อคัดลอก"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage("แตะเพื่อป้อนรหัส"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("เงื่อนไข"), - "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "คีย์การกู้คืนที่คุณป้อนไม่ถูกต้อง", - ), - "thisDevice": MessageLookupByLibrary.simpleMessage("อุปกรณ์นี้"), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "เพื่อรีเซ็ตรหัสผ่านของคุณ โปรดยืนยันอีเมลของคุณก่อน", - ), - "total": MessageLookupByLibrary.simpleMessage("รวม"), - "trash": MessageLookupByLibrary.simpleMessage("ถังขยะ"), - "tryAgain": MessageLookupByLibrary.simpleMessage("ลองอีกครั้ง"), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "การตั้งค่าสองปัจจัย", - ), - "unarchive": MessageLookupByLibrary.simpleMessage("เลิกเก็บถาวร"), - "uncategorized": MessageLookupByLibrary.simpleMessage("ไม่มีหมวดหมู่"), - "unhide": MessageLookupByLibrary.simpleMessage("เลิกซ่อน"), - "unhideToAlbum": MessageLookupByLibrary.simpleMessage( - "เลิกซ่อนไปยังอัลบั้ม", - ), - "unselectAll": MessageLookupByLibrary.simpleMessage("ไม่เลือกทั้งหมด"), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage("ใช้คีย์การกู้คืน"), - "verify": MessageLookupByLibrary.simpleMessage("ยืนยัน"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("ยืนยันอีเมล"), - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("ยืนยัน"), - "verifyPassword": MessageLookupByLibrary.simpleMessage("ยืนยันรหัสผ่าน"), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "กำลังยืนยันคีย์การกู้คืน...", - ), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("วิดีโอ"), - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage("ดูคีย์การกู้คืน"), - "waitingForWifi": MessageLookupByLibrary.simpleMessage("กำลังรอ WiFi..."), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("อ่อน"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("ยินดีต้อนรับกลับมา!"), - "you": MessageLookupByLibrary.simpleMessage("คุณ"), - "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( - "คุณสามารถจัดการลิงก์ของคุณได้ในแท็บแชร์", - ), - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "บัญชีของคุณถูกลบแล้ว", - ), - }; + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("ยินดีต้อนรับกลับมา!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "ฉันเข้าใจว่าหากฉันทำรหัสผ่านหาย ข้อมูลของฉันอาจสูญหายเนื่องจากข้อมูลของฉันมีการเข้ารหัสจากต้นทางถึงปลายทาง"), + "activeSessions": + MessageLookupByLibrary.simpleMessage("เซสชันที่ใช้งานอยู่"), + "addANewEmail": MessageLookupByLibrary.simpleMessage("เพิ่มอีเมลใหม่"), + "addCollaborator": + MessageLookupByLibrary.simpleMessage("เพิ่มผู้ทำงานร่วมกัน"), + "addMore": MessageLookupByLibrary.simpleMessage("เพิ่มอีก"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("เพิ่มไปยังอัลบั้ม"), + "addViewer": MessageLookupByLibrary.simpleMessage("เพิ่มผู้ชม"), + "after1Day": MessageLookupByLibrary.simpleMessage("หลังจาก 1 วัน"), + "after1Hour": MessageLookupByLibrary.simpleMessage("หลังจาก 1 ชั่วโมง"), + "after1Month": MessageLookupByLibrary.simpleMessage("หลังจาก 1 เดือน"), + "after1Week": MessageLookupByLibrary.simpleMessage("หลังจาก 1 สัปดาห์"), + "after1Year": MessageLookupByLibrary.simpleMessage("หลังจาก 1 ปี"), + "albumOwner": MessageLookupByLibrary.simpleMessage("เจ้าของ"), + "allowAddingPhotos": + MessageLookupByLibrary.simpleMessage("อนุญาตให้เพิ่มรูปภาพ"), + "allowDownloads": + MessageLookupByLibrary.simpleMessage("อนุญาตให้ดาวน์โหลด"), + "androidBiometricSuccess": + MessageLookupByLibrary.simpleMessage("สำเร็จ"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("ยกเลิก"), + "appVersion": m9, + "apply": MessageLookupByLibrary.simpleMessage("นำไปใช้"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "เหตุผลหลักที่คุณลบบัญชีคืออะไร?"), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "โปรดตรวจสอบสิทธิ์เพื่อดูคีย์การกู้คืนของคุณ"), + "canOnlyCreateLinkForFilesOwnedByYou": + MessageLookupByLibrary.simpleMessage( + "สามารถสร้างลิงก์ได้เฉพาะไฟล์ที่คุณเป็นเจ้าของ"), + "cancel": MessageLookupByLibrary.simpleMessage("ยกเลิก"), + "changeEmail": MessageLookupByLibrary.simpleMessage("เปลี่ยนอีเมล"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("เปลี่ยนรหัสผ่าน"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "โปรดตรวจสอบกล่องจดหมาย (และสแปม) ของคุณ เพื่อยืนยันให้เสร็จสิ้น"), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "คัดลอกรหัสไปยังคลิปบอร์ดแล้ว"), + "collectPhotos": MessageLookupByLibrary.simpleMessage("รวบรวมรูปภาพ"), + "color": MessageLookupByLibrary.simpleMessage("สี"), + "confirm": MessageLookupByLibrary.simpleMessage("ยืนยัน"), + "confirmAccountDeletion": + MessageLookupByLibrary.simpleMessage("ยืนยันการลบบัญชี"), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("ยืนยันรหัสผ่าน"), + "confirmRecoveryKey": + MessageLookupByLibrary.simpleMessage("ยืนยันคีย์การกู้คืน"), + "confirmYourRecoveryKey": + MessageLookupByLibrary.simpleMessage("ยืนยันคีย์การกู้คืนของคุณ"), + "contactSupport": + MessageLookupByLibrary.simpleMessage("ติดต่อฝ่ายสนับสนุน"), + "continueLabel": MessageLookupByLibrary.simpleMessage("ดำเนินการต่อ"), + "copyLink": MessageLookupByLibrary.simpleMessage("คัดลอกลิงก์"), + "createAccount": MessageLookupByLibrary.simpleMessage("สร้างบัญชี"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("สร้างบัญชีใหม่"), + "createPublicLink": + MessageLookupByLibrary.simpleMessage("สร้างลิงก์สาธารณะ"), + "custom": MessageLookupByLibrary.simpleMessage("กำหนดเอง"), + "darkTheme": MessageLookupByLibrary.simpleMessage("มืด"), + "decrypting": MessageLookupByLibrary.simpleMessage("กำลังถอดรหัส..."), + "delete": MessageLookupByLibrary.simpleMessage("ลบ"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("ลบบัญชี"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "เราเสียใจที่เห็นคุณไป โปรดแบ่งปันความคิดเห็นของคุณเพื่อช่วยให้เราปรับปรุง"), + "deleteAccountPermanentlyButton": + MessageLookupByLibrary.simpleMessage("ลบบัญชีถาวร"), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "กรุณาส่งอีเมลไปที่ account-deletion@ente.io จากที่อยู่อีเมลที่คุณลงทะเบียนไว้"), + "deleteEmptyAlbums": + MessageLookupByLibrary.simpleMessage("ลบอัลบั้มที่ว่างเปล่า"), + "deleteEmptyAlbumsWithQuestionMark": + MessageLookupByLibrary.simpleMessage( + "ลบอัลบั้มที่ว่างเปล่าหรือไม่?"), + "deleteItemCount": m21, + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "ขาดคุณสมบัติสำคัญที่ฉันต้องการ"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "ตัวแอปหรือคุณสมบัติบางอย่างไม่ทำงานเหมือนที่ฉันคิดว่าควรจะเป็น"), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "ฉันเจอบริการอื่นที่ฉันชอบมากกว่า"), + "deleteReason4": + MessageLookupByLibrary.simpleMessage("เหตุผลของฉันไม่มีระบุไว้"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "คำขอของคุณจะได้รับการดำเนินการภายใน 72 ชั่วโมง"), + "doThisLater": MessageLookupByLibrary.simpleMessage("ทำในภายหลัง"), + "dropSupportEmail": m25, + "edit": MessageLookupByLibrary.simpleMessage("แก้ไข"), + "editLocationTagTitle": + MessageLookupByLibrary.simpleMessage("แก้ไขตำแหน่ง"), + "eligible": MessageLookupByLibrary.simpleMessage("มีสิทธิ์"), + "email": MessageLookupByLibrary.simpleMessage("อีเมล"), + "enableMaps": MessageLookupByLibrary.simpleMessage("เปิดใช้งานแผนที่"), + "encryption": MessageLookupByLibrary.simpleMessage("การเข้ารหัส"), + "enterCode": MessageLookupByLibrary.simpleMessage("ป้อนรหัส"), + "enterEmail": MessageLookupByLibrary.simpleMessage("ใส่อีเมล"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "ใส่รหัสผ่านใหม่ที่เราสามารถใช้เพื่อเข้ารหัสข้อมูลของคุณ"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "ใส่รหัสผ่านที่เราสามารถใช้เพื่อเข้ารหัสข้อมูลของคุณ"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "โปรดใส่ที่อยู่อีเมลที่ถูกต้อง"), + "enterYourEmailAddress": + MessageLookupByLibrary.simpleMessage("ใส่ที่อยู่อีเมลของคุณ"), + "enterYourPassword": + MessageLookupByLibrary.simpleMessage("ใส่รหัสผ่านของคุณ"), + "enterYourRecoveryKey": + MessageLookupByLibrary.simpleMessage("ป้อนคีย์การกู้คืน"), + "faq": MessageLookupByLibrary.simpleMessage("คำถามที่พบบ่อย"), + "favorite": MessageLookupByLibrary.simpleMessage("ชื่นชอบ"), + "feedback": MessageLookupByLibrary.simpleMessage("ความคิดเห็น"), + "fileInfoAddDescHint": + MessageLookupByLibrary.simpleMessage("เพิ่มคำอธิบาย..."), + "forgotPassword": MessageLookupByLibrary.simpleMessage("ลืมรหัสผ่าน"), + "freeTrial": MessageLookupByLibrary.simpleMessage("ทดลองใช้ฟรี"), + "genericProgress": m42, + "goToSettings": MessageLookupByLibrary.simpleMessage("ไปที่การตั้งค่า"), + "hide": MessageLookupByLibrary.simpleMessage("ซ่อน"), + "hostedAtOsmFrance": + MessageLookupByLibrary.simpleMessage("โฮสต์ที่ OSM ฝรั่งเศส"), + "howItWorks": MessageLookupByLibrary.simpleMessage("วิธีการทำงาน"), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("ตกลง"), + "importing": MessageLookupByLibrary.simpleMessage("กำลังนำเข้า...."), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("รหัสผ่านไม่ถูกต้อง"), + "incorrectRecoveryKey": + MessageLookupByLibrary.simpleMessage("คีย์การกู้คืนไม่ถูกต้อง"), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "คีย์การกู้คืนที่คุณป้อนไม่ถูกต้อง"), + "incorrectRecoveryKeyTitle": + MessageLookupByLibrary.simpleMessage("คีย์การกู้คืนไม่ถูกต้อง"), + "insecureDevice": + MessageLookupByLibrary.simpleMessage("อุปกรณ์ไม่ปลอดภัย"), + "invalidEmailAddress": + MessageLookupByLibrary.simpleMessage("ที่อยู่อีเมลไม่ถูกต้อง"), + "invalidKey": MessageLookupByLibrary.simpleMessage("รหัสไม่ถูกต้อง"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "คีย์การกู้คืนที่คุณป้อนไม่ถูกต้อง โปรดตรวจสอบให้แน่ใจว่ามี 24 คำ และตรวจสอบการสะกดของแต่ละคำ\n\nหากคุณป้อนรหัสกู้คืนที่เก่ากว่า ตรวจสอบให้แน่ใจว่ามีความยาว 64 ตัวอักษร และตรวจสอบแต่ละตัวอักษร"), + "itemCount": m44, + "kindlyHelpUsWithThisInformation": + MessageLookupByLibrary.simpleMessage("กรุณาช่วยเราด้วยข้อมูลนี้"), + "lastUpdated": MessageLookupByLibrary.simpleMessage("อัปเดตล่าสุด"), + "lightTheme": MessageLookupByLibrary.simpleMessage("สว่าง"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "คัดลอกลิงก์ไปยังคลิปบอร์ดแล้ว"), + "linkHasExpired": + MessageLookupByLibrary.simpleMessage("ลิงก์หมดอายุแล้ว"), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "เราใช้ Xchacha20Poly1305 เพื่อเข้ารหัสข้อมูลของคุณอย่างปลอดภัย"), + "logInLabel": MessageLookupByLibrary.simpleMessage("เข้าสู่ระบบ"), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "โดยการคลิกเข้าสู่ระบบ ฉันยอมรับเงื่อนไขการให้บริการและนโยบายความเป็นส่วนตัว"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("จัดการ"), + "map": MessageLookupByLibrary.simpleMessage("แผนที่"), + "maps": MessageLookupByLibrary.simpleMessage("แผนที่"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("ปานกลาง"), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("ย้ายไปยังอัลบั้ม"), + "name": MessageLookupByLibrary.simpleMessage("ชื่อ"), + "newest": MessageLookupByLibrary.simpleMessage("ใหม่สุด"), + "noRecoveryKey": + MessageLookupByLibrary.simpleMessage("ไม่มีคีย์การกู้คืน?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "เนื่องจากลักษณะของโปรโตคอลการเข้ารหัสตั้งแต่ต้นทางถึงปลายทางของเรา ข้อมูลของคุณจึงไม่สามารถถอดรหัสได้หากไม่มีรหัสผ่านหรือคีย์การกู้คืน"), + "ok": MessageLookupByLibrary.simpleMessage("ตกลง"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "บน ente"), + "oops": MessageLookupByLibrary.simpleMessage("อ๊ะ"), + "oopsSomethingWentWrong": + MessageLookupByLibrary.simpleMessage("อ๊ะ มีบางอย่างผิดพลาด"), + "openstreetmapContributors": + MessageLookupByLibrary.simpleMessage("ผู้มีส่วนร่วม OpenStreetMap"), + "orPickAnExistingOne": + MessageLookupByLibrary.simpleMessage("หรือเลือกที่มีอยู่แล้ว"), + "password": MessageLookupByLibrary.simpleMessage("รหัสผ่าน"), + "passwordChangedSuccessfully": + MessageLookupByLibrary.simpleMessage("เปลี่ยนรหัสผ่านสำเร็จ"), + "passwordStrength": m57, + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "เราไม่จัดเก็บรหัสผ่านนี้ ดังนั้นหากคุณลืม เราจะไม่สามารถถอดรหัสข้อมูลของคุณ"), + "peopleUsingYourCode": + MessageLookupByLibrary.simpleMessage("ผู้คนที่ใช้รหัสของคุณ"), + "permanentlyDelete": + MessageLookupByLibrary.simpleMessage("ลบอย่างถาวร"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("รูปภาพ"), + "pleaseTryAgain": + MessageLookupByLibrary.simpleMessage("กรุณาลองอีกครั้ง"), + "pleaseWait": MessageLookupByLibrary.simpleMessage("กรุณารอสักครู่..."), + "privacyPolicyTitle": + MessageLookupByLibrary.simpleMessage("นโยบายความเป็นส่วนตัว"), + "publicLinkCreated": + MessageLookupByLibrary.simpleMessage("สร้างลิงก์สาธารณะแล้ว"), + "publicLinkEnabled": + MessageLookupByLibrary.simpleMessage("เปิดใช้ลิงก์สาธารณะแล้ว"), + "recover": MessageLookupByLibrary.simpleMessage("กู้คืน"), + "recoverAccount": MessageLookupByLibrary.simpleMessage("กู้คืนบัญชี"), + "recoverButton": MessageLookupByLibrary.simpleMessage("กู้คืน"), + "recoveryKey": MessageLookupByLibrary.simpleMessage("คีย์การกู้คืน"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "คัดลอกคีย์การกู้คืนไปยังคลิปบอร์ดแล้ว"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "หากคุณลืมรหัสผ่าน วิธีเดียวที่คุณสามารถกู้คืนข้อมูลของคุณได้คือการใช้คีย์นี้"), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "เราไม่จัดเก็บคีย์นี้ โปรดบันทึกคีย์ 24 คำนี้ไว้ในที่ที่ปลอดภัย"), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "ยอดเยี่ยม! คีย์การกู้คืนของคุณถูกต้อง ขอบคุณสำหรับการยืนยัน\n\nโปรดอย่าลืมสำรองคีย์การกู้คืนของคุณไว้อย่างปลอดภัย"), + "recoveryKeyVerified": + MessageLookupByLibrary.simpleMessage("ยืนยันคีย์การกู้คืนแล้ว"), + "recoverySuccessful": + MessageLookupByLibrary.simpleMessage("กู้คืนสำเร็จ!"), + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "อุปกรณ์ปัจจุบันไม่ทรงพลังพอที่จะยืนยันรหัสผ่านของคุณ แต่เราสามารถสร้างใหม่ในลักษณะที่ใช้ได้กับอุปกรณ์ทั้งหมดได้\n\nกรุณาเข้าสู่ระบบโดยใช้คีย์การกู้คืนของคุณและสร้างรหัสผ่านใหม่ (คุณสามารถใช้รหัสเดิมอีกครั้งได้หากต้องการ)"), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("สร้างรหัสผ่านใหม่"), + "resendEmail": MessageLookupByLibrary.simpleMessage("ส่งอีเมลอีกครั้ง"), + "resetPasswordTitle": + MessageLookupByLibrary.simpleMessage("รีเซ็ตรหัสผ่าน"), + "restore": MessageLookupByLibrary.simpleMessage(" กู้คืน"), + "restoreToAlbum": + MessageLookupByLibrary.simpleMessage("กู้คืนไปยังอัลบั้ม"), + "save": MessageLookupByLibrary.simpleMessage("บันทึก"), + "saveCopy": MessageLookupByLibrary.simpleMessage("บันทึกสำเนา"), + "saveKey": MessageLookupByLibrary.simpleMessage("บันทึกคีย์"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "บันทึกคีย์การกู้คืนของคุณหากคุณยังไม่ได้ทำ"), + "scanCode": MessageLookupByLibrary.simpleMessage("สแกนรหัส"), + "selectAll": MessageLookupByLibrary.simpleMessage("เลือกทั้งหมด"), + "selectReason": MessageLookupByLibrary.simpleMessage("เลือกเหตุผล"), + "sendEmail": MessageLookupByLibrary.simpleMessage("ส่งอีเมล"), + "sendLink": MessageLookupByLibrary.simpleMessage("ส่งลิงก์"), + "setPasswordTitle": + MessageLookupByLibrary.simpleMessage("ตั้งรหัสผ่าน"), + "setupComplete": + MessageLookupByLibrary.simpleMessage("ตั้งค่าเสร็จสมบูรณ์"), + "share": MessageLookupByLibrary.simpleMessage("แชร์"), + "shareALink": MessageLookupByLibrary.simpleMessage("แชร์​ลิงก์"), + "shareLink": MessageLookupByLibrary.simpleMessage("แชร์​ลิงก์"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "ฉันยอมรับเงื่อนไขการให้บริการและนโยบายความเป็นส่วนตัว"), + "skip": MessageLookupByLibrary.simpleMessage("ข้าม"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "มีบางอย่างผิดพลาด โปรดลองอีกครั้ง"), + "sorry": MessageLookupByLibrary.simpleMessage("ขออภัย"), + "status": MessageLookupByLibrary.simpleMessage("สถานะ"), + "storageBreakupFamily": + MessageLookupByLibrary.simpleMessage("ครอบครัว"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("คุณ"), + "storageUsageInfo": m94, + "strongStrength": MessageLookupByLibrary.simpleMessage("แข็งแรง"), + "syncStopped": MessageLookupByLibrary.simpleMessage("หยุดการซิงค์แล้ว"), + "syncing": MessageLookupByLibrary.simpleMessage("กำลังซิงค์..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("ระบบ"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("แตะเพื่อคัดลอก"), + "tapToEnterCode": + MessageLookupByLibrary.simpleMessage("แตะเพื่อป้อนรหัส"), + "termsOfServicesTitle": + MessageLookupByLibrary.simpleMessage("เงื่อนไข"), + "theRecoveryKeyYouEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "คีย์การกู้คืนที่คุณป้อนไม่ถูกต้อง"), + "thisDevice": MessageLookupByLibrary.simpleMessage("อุปกรณ์นี้"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "เพื่อรีเซ็ตรหัสผ่านของคุณ โปรดยืนยันอีเมลของคุณก่อน"), + "total": MessageLookupByLibrary.simpleMessage("รวม"), + "trash": MessageLookupByLibrary.simpleMessage("ถังขยะ"), + "tryAgain": MessageLookupByLibrary.simpleMessage("ลองอีกครั้ง"), + "twofactorSetup": + MessageLookupByLibrary.simpleMessage("การตั้งค่าสองปัจจัย"), + "unarchive": MessageLookupByLibrary.simpleMessage("เลิกเก็บถาวร"), + "uncategorized": MessageLookupByLibrary.simpleMessage("ไม่มีหมวดหมู่"), + "unhide": MessageLookupByLibrary.simpleMessage("เลิกซ่อน"), + "unhideToAlbum": + MessageLookupByLibrary.simpleMessage("เลิกซ่อนไปยังอัลบั้ม"), + "unselectAll": MessageLookupByLibrary.simpleMessage("ไม่เลือกทั้งหมด"), + "useRecoveryKey": + MessageLookupByLibrary.simpleMessage("ใช้คีย์การกู้คืน"), + "verify": MessageLookupByLibrary.simpleMessage("ยืนยัน"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("ยืนยันอีเมล"), + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("ยืนยัน"), + "verifyPassword": + MessageLookupByLibrary.simpleMessage("ยืนยันรหัสผ่าน"), + "verifyingRecoveryKey": + MessageLookupByLibrary.simpleMessage("กำลังยืนยันคีย์การกู้คืน..."), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("วิดีโอ"), + "viewRecoveryKey": + MessageLookupByLibrary.simpleMessage("ดูคีย์การกู้คืน"), + "waitingForWifi": + MessageLookupByLibrary.simpleMessage("กำลังรอ WiFi..."), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("อ่อน"), + "welcomeBack": + MessageLookupByLibrary.simpleMessage("ยินดีต้อนรับกลับมา!"), + "you": MessageLookupByLibrary.simpleMessage("คุณ"), + "youCanManageYourLinksInTheShareTab": + MessageLookupByLibrary.simpleMessage( + "คุณสามารถจัดการลิงก์ของคุณได้ในแท็บแชร์"), + "yourAccountHasBeenDeleted": + MessageLookupByLibrary.simpleMessage("บัญชีของคุณถูกลบแล้ว") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_tr.dart b/mobile/apps/photos/lib/generated/intl/messages_tr.dart index fd9619f640..3529148c3c 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_tr.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_tr.dart @@ -57,7 +57,11 @@ class MessageLookup extends MessageLookupByLibrary { "${user}, bu albüme daha fazla fotoğraf ekleyemeyecek.\n\nAncak, kendi eklediği mevcut fotoğrafları kaldırmaya devam edebilecektir"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, {'true': 'Şu ana kadar aileniz ${storageAmountInGb} GB aldı', 'false': 'Şu ana kadar ${storageAmountInGb} GB aldınız', 'other': 'Şu ana kadar ${storageAmountInGb} GB aldınız!'})}"; + "${Intl.select(isFamilyMember, { + 'true': 'Şu ana kadar aileniz ${storageAmountInGb} GB aldı', + 'false': 'Şu ana kadar ${storageAmountInGb} GB aldınız', + 'other': 'Şu ana kadar ${storageAmountInGb} GB aldınız!', + })}"; static String m15(albumName) => "${albumName} için ortak çalışma bağlantısı oluşturuldu"; @@ -261,11 +265,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, - usedStorageUnit, - totalAmount, - totalStorageUnit, - ) => + usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => "${usedAmount} ${usedStorageUnit} / ${totalAmount} ${totalStorageUnit} kullanıldı"; static String m95(id) => @@ -332,2486 +332,1995 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Ente için yeni bir sürüm mevcut.", - ), - "about": MessageLookupByLibrary.simpleMessage("Hakkında"), - "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( - "Daveti Kabul Et", - ), - "account": MessageLookupByLibrary.simpleMessage("Hesap"), - "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( - "Hesap zaten yapılandırılmıştır.", - ), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( - "Tekrar hoş geldiniz!", - ), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Şifremi kaybedersem, verilerim uçtan uca şifrelendiği için verilerimi kaybedebileceğimi farkındayım.", - ), - "actionNotSupportedOnFavouritesAlbum": MessageLookupByLibrary.simpleMessage( - "Favoriler albümünde eylem desteklenmiyor", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage("Aktif oturumlar"), - "add": MessageLookupByLibrary.simpleMessage("Ekle"), - "addAName": MessageLookupByLibrary.simpleMessage("Bir Ad Ekle"), - "addANewEmail": MessageLookupByLibrary.simpleMessage("Yeni e-posta ekle"), - "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Ana ekranınıza bir albüm widget\'ı ekleyin ve özelleştirmek için buraya geri dönün.", - ), - "addCollaborator": MessageLookupByLibrary.simpleMessage("Düzenleyici ekle"), - "addCollaborators": m1, - "addFiles": MessageLookupByLibrary.simpleMessage("Dosyaları Ekle"), - "addFromDevice": MessageLookupByLibrary.simpleMessage("Cihazdan ekle"), - "addItem": m2, - "addLocation": MessageLookupByLibrary.simpleMessage("Konum Ekle"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Ekle"), - "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Ana ekranınıza bir anılar widget\'ı ekleyin ve özelleştirmek için buraya geri dönün.", - ), - "addMore": MessageLookupByLibrary.simpleMessage("Daha fazla ekle"), - "addName": MessageLookupByLibrary.simpleMessage("İsim Ekle"), - "addNameOrMerge": MessageLookupByLibrary.simpleMessage( - "İsim ekleyin veya birleştirin", - ), - "addNew": MessageLookupByLibrary.simpleMessage("Yeni ekle"), - "addNewPerson": MessageLookupByLibrary.simpleMessage("Yeni kişi ekle"), - "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( - "Eklentilerin ayrıntıları", - ), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("Eklentiler"), - "addParticipants": MessageLookupByLibrary.simpleMessage("Katılımcı ekle"), - "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Ana ekranınıza bir kişiler widget\'ı ekleyin ve özelleştirmek için buraya geri dönün.", - ), - "addPhotos": MessageLookupByLibrary.simpleMessage("Fotoğraf ekle"), - "addSelected": MessageLookupByLibrary.simpleMessage("Seçileni ekle"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("Albüme ekle"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Ente\'ye ekle"), - "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Gizli albüme ekle", - ), - "addTrustedContact": MessageLookupByLibrary.simpleMessage( - "Güvenilir kişi ekle", - ), - "addViewer": MessageLookupByLibrary.simpleMessage("Görüntüleyici ekle"), - "addViewers": m4, - "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( - "Fotoğraflarınızı şimdi ekleyin", - ), - "addedAs": MessageLookupByLibrary.simpleMessage("Eklendi"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": MessageLookupByLibrary.simpleMessage( - "Favorilere ekleniyor...", - ), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("Gelişmiş"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Gelişmiş"), - "after1Day": MessageLookupByLibrary.simpleMessage("1 gün sonra"), - "after1Hour": MessageLookupByLibrary.simpleMessage("1 saat sonra"), - "after1Month": MessageLookupByLibrary.simpleMessage("1 ay sonra"), - "after1Week": MessageLookupByLibrary.simpleMessage("1 hafta sonra"), - "after1Year": MessageLookupByLibrary.simpleMessage("1 yıl sonra"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Sahip"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Albüm Başlığı"), - "albumUpdated": MessageLookupByLibrary.simpleMessage("Albüm güncellendi"), - "albums": MessageLookupByLibrary.simpleMessage("Albümler"), - "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Ana ekranınızda görmek istediğiniz albümleri seçin.", - ), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Tümü temizlendi"), - "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( - "Tüm anılar saklandı", - ), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "Bu kişi için tüm gruplamalar sıfırlanacak ve bu kişi için yaptığınız tüm önerileri kaybedeceksiniz", - ), - "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": - MessageLookupByLibrary.simpleMessage( - "Tüm isimsiz gruplar seçilen kişiyle birleştirilecektir. Bu, kişinin öneri geçmişine genel bakışından hala geri alınabilir.", - ), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "Bu, gruptaki ilk fotoğraftır. Seçilen diğer fotoğraflar otomatik olarak bu yeni tarihe göre kaydırılacaktır", - ), - "allow": MessageLookupByLibrary.simpleMessage("İzin ver"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Bağlantıya sahip olan kişilerin paylaşılan albüme fotoğraf eklemelerine izin ver.", - ), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( - "Fotoğraf eklemeye izin ver", - ), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "Uygulamanın paylaşılan albüm bağlantılarını açmasına izin ver", - ), - "allowDownloads": MessageLookupByLibrary.simpleMessage( - "İndirmeye izin ver", - ), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Kullanıcıların fotoğraf eklemesine izin ver", - ), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Ente\'nin kitaplığınızı görüntüleyebilmesi ve yedekleyebilmesi için lütfen Ayarlar\'dan fotoğraflarınıza erişime izin verin.", - ), - "allowPermTitle": MessageLookupByLibrary.simpleMessage( - "Fotoğraflara erişime izin verin", - ), - "androidBiometricHint": MessageLookupByLibrary.simpleMessage( - "Kimliği doğrula", - ), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "Tanınmadı. Tekrar deneyin.", - ), - "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( - "Biyometrik gerekli", - ), - "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("Başarılı"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("İptal et"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage("Cihaz kimlik bilgileri gerekli"), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage( - "Cihaz kimlik bilgileri gerekmekte", - ), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Biyometrik kimlik doğrulama cihazınızda ayarlanmamış. Biyometrik kimlik doğrulama eklemek için \'Ayarlar > Güvenlik\' bölümüne gidin.", - ), - "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( - "Android, iOS, Web, Masaüstü", - ), - "androidSignInTitle": MessageLookupByLibrary.simpleMessage( - "Kimlik doğrulaması gerekli", - ), - "appIcon": MessageLookupByLibrary.simpleMessage("Uygulama simgesi"), - "appLock": MessageLookupByLibrary.simpleMessage("Uygulama kilidi"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Cihazınızın varsayılan kilit ekranı ile PIN veya parola içeren özel bir kilit ekranı arasında seçim yapın.", - ), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), - "apply": MessageLookupByLibrary.simpleMessage("Uygula"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Kodu girin"), - "appstoreSubscription": MessageLookupByLibrary.simpleMessage( - "AppStore aboneliği", - ), - "archive": MessageLookupByLibrary.simpleMessage("Arşiv"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("Albümü arşivle"), - "archiving": MessageLookupByLibrary.simpleMessage("Arşivleniyor..."), - "areThey": MessageLookupByLibrary.simpleMessage("Onlar mı "), - "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( - "Bu yüzü bu kişiden çıkarmak istediğine emin misin?", - ), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Aile planından ayrılmak istediğinize emin misiniz?", - ), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "İptal etmek istediğinize emin misiniz?", - ), - "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( - "Planı değistirmek istediğinize emin misiniz?", - ), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "Çıkmak istediğinden emin misiniz?", - ), - "areYouSureYouWantToIgnoreThesePersons": - MessageLookupByLibrary.simpleMessage( - "Bu insanları görmezden gelmek istediğine emin misiniz?", - ), - "areYouSureYouWantToIgnoreThisPerson": MessageLookupByLibrary.simpleMessage( - "Bu kişiyi görmezden gelmek istediğine emin misin?", - ), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Çıkış yapmak istediğinize emin misiniz?", - ), - "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( - "Onları birleştirmek istediğine emin misiniz?", - ), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "Yenilemek istediğinize emin misiniz?", - ), - "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( - "Bu kişiyi sıfırlamak istediğinden emin misiniz?", - ), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "Aboneliğiniz iptal edilmiştir. Bunun sebebini paylaşmak ister misiniz?", - ), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Hesabınızı silme sebebiniz nedir?", - ), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Sevdiklerinizden paylaşmalarını isteyin", - ), - "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( - "serpinti sığınağında", - ), - "authToChangeEmailVerificationSetting": MessageLookupByLibrary.simpleMessage( - "E-posta doğrulamasını değiştirmek için lütfen kimlik doğrulaması yapın", - ), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Kilit ekranı ayarını değiştirmek için lütfen kimliğinizi doğrulayın", - ), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "E-postanızı değiştirmek için lütfen kimlik doğrulaması yapın", - ), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Şifrenizi değiştirmek için lütfen kimlik doğrulaması yapın", - ), - "authToConfigureTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( - "İki faktörlü kimlik doğrulamayı yapılandırmak için lütfen kimlik doğrulaması yapın", - ), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Hesap silme işlemini başlatmak için lütfen kimlik doğrulaması yapın", - ), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Güvenilir kişilerinizi yönetmek için lütfen kimlik doğrulaması yapın", - ), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Geçiş anahtarınızı görüntülemek için lütfen kimlik doğrulaması yapın", - ), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Çöp dosyalarınızı görüntülemek için lütfen kimlik doğrulaması yapın", - ), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Aktif oturumlarınızı görüntülemek için lütfen kimliğinizi doğrulayın", - ), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Gizli dosyalarınızı görüntülemek için kimlik doğrulama yapınız", - ), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Kodlarınızı görmek için lütfen kimlik doğrulaması yapın", - ), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Kurtarma anahtarınızı görmek için lütfen kimliğinizi doğrulayın", - ), - "authenticating": MessageLookupByLibrary.simpleMessage( - "Kimlik doğrulanıyor...", - ), - "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Kimlik doğrulama başarısız oldu, lütfen tekrar deneyin", - ), - "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( - "Kimlik doğrulama başarılı!", - ), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Mevcut Cast cihazlarını burada görebilirsiniz.", - ), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Ayarlar\'da Ente Photos uygulaması için Yerel Ağ izinlerinin açık olduğundan emin olun.", - ), - "autoLock": MessageLookupByLibrary.simpleMessage("Otomatik Kilit"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Uygulama arka plana geçtikten sonra kilitleneceği süre", - ), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "Teknik aksaklık nedeniyle oturumunuz kapatıldı. Verdiğimiz rahatsızlıktan dolayı özür dileriz.", - ), - "autoPair": MessageLookupByLibrary.simpleMessage("Otomatik eşle"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "Otomatik eşleştirme yalnızca Chromecast destekleyen cihazlarla çalışır.", - ), - "available": MessageLookupByLibrary.simpleMessage("Mevcut"), - "availableStorageSpace": m10, - "backedUpFolders": MessageLookupByLibrary.simpleMessage( - "Yedeklenmiş klasörler", - ), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("Yedekle"), - "backupFailed": MessageLookupByLibrary.simpleMessage( - "Yedekleme başarısız oldu", - ), - "backupFile": MessageLookupByLibrary.simpleMessage("Yedek Dosyası"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Mobil veri ile yedekle", - ), - "backupSettings": MessageLookupByLibrary.simpleMessage( - "Yedekleme seçenekleri", - ), - "backupStatus": MessageLookupByLibrary.simpleMessage("Yedekleme durumu"), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Eklenen öğeler burada görünecek", - ), - "backupVideos": MessageLookupByLibrary.simpleMessage("Videoları yedekle"), - "beach": MessageLookupByLibrary.simpleMessage("Kum ve deniz"), - "birthday": MessageLookupByLibrary.simpleMessage("Doğum Günü"), - "birthdayNotifications": MessageLookupByLibrary.simpleMessage( - "Doğum günü bildirimleri", - ), - "birthdays": MessageLookupByLibrary.simpleMessage("Doğum Günleri"), - "blackFridaySale": MessageLookupByLibrary.simpleMessage( - "Muhteşem Cuma kampanyası", - ), - "blog": MessageLookupByLibrary.simpleMessage("Blog"), - "cLDesc1": MessageLookupByLibrary.simpleMessage( - "Video akışı beta sürümünün arkasında ve devam ettirilebilir yüklemeler ve indirmeler üzerinde çalışırken, artık dosya yükleme sınırını 10 GB\'a çıkardık. Bu artık hem masaüstü hem de mobil uygulamalarda kullanılabilir.", - ), - "cLDesc2": MessageLookupByLibrary.simpleMessage( - "Arka plan yüklemeleri artık Android cihazlara ek olarak iOS\'ta da destekleniyor. En son fotoğraflarınızı ve videolarınızı yedeklemek için uygulamayı açmanıza gerek yok.", - ), - "cLDesc3": MessageLookupByLibrary.simpleMessage( - "Otomatik oynatma, bir sonraki belleğe kaydırma ve çok daha fazlası dahil olmak üzere bellek deneyimimizde önemli iyileştirmeler yaptık.", - ), - "cLDesc4": MessageLookupByLibrary.simpleMessage( - "Bazı arka plandaki iyileştirmelere ek olarak, artık tespit edilen tüm yüzleri görmek, benzer yüzler hakkında geri bildirimde bulunmak ve tek bir fotoğraftan yüz ekleyip çıkarmak çok daha kolay.", - ), - "cLDesc5": MessageLookupByLibrary.simpleMessage( - "Ente’ye kaydettiğiniz tüm doğum günleri için artık en iyi fotoğraflarından oluşan bir koleksiyonla birlikte, devre dışı bırakabileceğiniz bir bildirim alacaksınız.", - ), - "cLDesc6": MessageLookupByLibrary.simpleMessage( - "Uygulamayı kapatmadan önce yüklemelerin / indirmelerin tamamlanmasını beklemenize gerek yok. Tüm yüklemeler ve indirmeler artık yarıda duraklatma ve kaldığınız yerden devam etme özelliğine sahip.", - ), - "cLTitle1": MessageLookupByLibrary.simpleMessage( - "Büyük Video Dosyalarını Yükleme", - ), - "cLTitle2": MessageLookupByLibrary.simpleMessage("Arka Plan Yükleme"), - "cLTitle3": MessageLookupByLibrary.simpleMessage( - "Otomatik Oynatma Anıları", - ), - "cLTitle4": MessageLookupByLibrary.simpleMessage( - "Geliştirilmiş Yüz Tanıma", - ), - "cLTitle5": MessageLookupByLibrary.simpleMessage("Doğum Günü Bildirimleri"), - "cLTitle6": MessageLookupByLibrary.simpleMessage( - "Devam Ettirilebilir Yüklemeler ve İndirmeler", - ), - "cachedData": MessageLookupByLibrary.simpleMessage( - "Önbelleğe alınmış veriler", - ), - "calculating": MessageLookupByLibrary.simpleMessage("Hesaplanıyor..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Üzgünüz, Bu albüm uygulama içinde açılamadı.", - ), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage("Albüm açılamadı"), - "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( - "Başkalarına ait albümlere yüklenemez", - ), - "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Yalnızca size ait dosyalar için bağlantı oluşturabilir", - ), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Yalnızca size ait dosyaları kaldırabilir", - ), - "cancel": MessageLookupByLibrary.simpleMessage("İptal et"), - "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( - "Kurtarma işlemini iptal et", - ), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "Kurtarmayı iptal etmek istediğinize emin misiniz?", - ), - "cancelOtherSubscription": m12, - "cancelSubscription": MessageLookupByLibrary.simpleMessage( - "Abonelik iptali", - ), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Dosyalar silinemiyor", - ), - "castAlbum": MessageLookupByLibrary.simpleMessage("Yayın albümü"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Lütfen TV ile aynı ağda olduğunuzdan emin olun.", - ), - "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( - "Albüm yüklenirken hata oluştu", - ), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Eşleştirmek istediğiniz cihazda cast.ente.io adresini ziyaret edin.\n\nAlbümü TV\'nizde oynatmak için aşağıdaki kodu girin.", - ), - "centerPoint": MessageLookupByLibrary.simpleMessage("Merkez noktası"), - "change": MessageLookupByLibrary.simpleMessage("Değiştir"), - "changeEmail": MessageLookupByLibrary.simpleMessage( - "E-posta adresini değiştir", - ), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Seçilen öğelerin konumu değiştirilsin mi?", - ), - "changePassword": MessageLookupByLibrary.simpleMessage( - "Şifrenizi değiştirin", - ), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Parolanızı değiştirin", - ), - "changePermissions": MessageLookupByLibrary.simpleMessage( - "İzinleri değiştir?", - ), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Referans kodunuzu değiştirin", - ), - "checkForUpdates": MessageLookupByLibrary.simpleMessage( - "Güncellemeleri kontol et", - ), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Lütfen doğrulama işlemini tamamlamak için gelen kutunuzu (ve spam klasörünüzü) kontrol edin", - ), - "checkStatus": MessageLookupByLibrary.simpleMessage("Durumu kontrol edin"), - "checking": MessageLookupByLibrary.simpleMessage("Kontrol ediliyor..."), - "checkingModels": MessageLookupByLibrary.simpleMessage( - "Modeller kontrol ediliyor...", - ), - "city": MessageLookupByLibrary.simpleMessage("Şehirde"), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage( - "Bedava alan kazanın", - ), - "claimMore": MessageLookupByLibrary.simpleMessage("Arttır!"), - "claimed": MessageLookupByLibrary.simpleMessage("Alındı"), - "claimedStorageSoFar": m14, - "cleanUncategorized": MessageLookupByLibrary.simpleMessage("Temiz Genel"), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Diğer albümlerde bulunan Kategorilenmemiş tüm dosyaları kaldırın", - ), - "clearCaches": MessageLookupByLibrary.simpleMessage("Önbelleği temizle"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Dizinleri temizle"), - "click": MessageLookupByLibrary.simpleMessage("• Tıklamak"), - "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( - "• Taşma menüsüne tıklayın", - ), - "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( - "Bugüne kadarki en iyi sürümümüzü yüklemek için tıklayın", - ), - "close": MessageLookupByLibrary.simpleMessage("Kapat"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( - "Yakalama zamanına göre kulüp", - ), - "clubByFileName": MessageLookupByLibrary.simpleMessage( - "Dosya adına göre kulüp", - ), - "clusteringProgress": MessageLookupByLibrary.simpleMessage( - "Kümeleme ilerlemesi", - ), - "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( - "Kod kabul edildi", - ), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Üzgünüz, kod değişikliklerinin sınırına ulaştınız.", - ), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Kodunuz panoya kopyalandı", - ), - "codeUsedByYou": MessageLookupByLibrary.simpleMessage( - "Sizin kullandığınız kod", - ), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Ente aplikasyonu veya hesabı olmadan insanların paylaşılan albümde fotoğraf ekleyip görüntülemelerine izin vermek için bir bağlantı oluşturun. Grup veya etkinlik fotoğraflarını toplamak için harika bir seçenek.", - ), - "collaborativeLink": MessageLookupByLibrary.simpleMessage("Ortak bağlantı"), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Düzenleyici"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Düzenleyiciler, paylaşılan albüme fotoğraf ve videolar ekleyebilir.", - ), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("Düzen"), - "collageSaved": MessageLookupByLibrary.simpleMessage( - "Kolajınız galeriye kaydedildi", - ), - "collect": MessageLookupByLibrary.simpleMessage("Topla"), - "collectEventPhotos": MessageLookupByLibrary.simpleMessage( - "Etkinlik fotoğraflarını topla", - ), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Fotoğrafları topla"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Arkadaşlarınızın orijinal kalitede fotoğraf yükleyebileceği bir bağlantı oluşturun.", - ), - "color": MessageLookupByLibrary.simpleMessage("Renk"), - "configuration": MessageLookupByLibrary.simpleMessage("Yapılandırma"), - "confirm": MessageLookupByLibrary.simpleMessage("Onayla"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "İki adımlı kimlik doğrulamasını devre dışı bırakmak istediğinize emin misiniz?", - ), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Hesap silme işlemini onayla", - ), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Evet, bu hesabı ve verilerini tüm uygulamalardan kalıcı olarak silmek istiyorum.", - ), - "confirmPassword": MessageLookupByLibrary.simpleMessage( - "Şifrenizi onaylayın", - ), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage( - "Plan değişikliğini onaylayın", - ), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Kurtarma anahtarını doğrula", - ), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Kurtarma anahtarını doğrulayın", - ), - "connectToDevice": MessageLookupByLibrary.simpleMessage("Cihaza bağlanın"), - "contactFamilyAdmin": m18, - "contactSupport": MessageLookupByLibrary.simpleMessage( - "Destek ile iletişim", - ), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Kişiler"), - "contents": MessageLookupByLibrary.simpleMessage("İçerikler"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Devam edin"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "Ücretsiz denemeye devam et", - ), - "convertToAlbum": MessageLookupByLibrary.simpleMessage("Albüme taşı"), - "copyEmailAddress": MessageLookupByLibrary.simpleMessage( - "E-posta adresini kopyala", - ), - "copyLink": MessageLookupByLibrary.simpleMessage("Bağlantıyı kopyala"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Bu kodu kopyalayın ve kimlik doğrulama uygulamanıza yapıştırın", - ), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "Verilerinizi yedekleyemedik.\nDaha sonra tekrar deneyeceğiz.", - ), - "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( - "Yer boşaltılamadı", - ), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Abonelikler kaydedilemedi", - ), - "count": MessageLookupByLibrary.simpleMessage("Miktar"), - "crashReporting": MessageLookupByLibrary.simpleMessage("Çökme raporlaması"), - "create": MessageLookupByLibrary.simpleMessage("Oluştur"), - "createAccount": MessageLookupByLibrary.simpleMessage("Hesap oluşturun"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Fotoğrafları seçmek için uzun basın ve + düğmesine tıklayarak bir albüm oluşturun", - ), - "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( - "Ortak bağlantı oluşturun", - ), - "createCollage": MessageLookupByLibrary.simpleMessage("Kolaj oluştur"), - "createNewAccount": MessageLookupByLibrary.simpleMessage( - "Yeni bir hesap oluşturun", - ), - "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( - "Albüm oluştur veya seç", - ), - "createPublicLink": MessageLookupByLibrary.simpleMessage( - "Herkese açık bir bağlantı oluştur", - ), - "creatingLink": MessageLookupByLibrary.simpleMessage( - "Bağlantı oluşturuluyor...", - ), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "Kritik güncelleme mevcut", - ), - "crop": MessageLookupByLibrary.simpleMessage("Kırp"), - "curatedMemories": MessageLookupByLibrary.simpleMessage("Seçilmiş anılar"), - "currentUsageIs": MessageLookupByLibrary.simpleMessage( - "Güncel kullanımınız ", - ), - "currentlyRunning": MessageLookupByLibrary.simpleMessage( - "şu anda çalışıyor", - ), - "custom": MessageLookupByLibrary.simpleMessage("Özel"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Karanlık"), - "dayToday": MessageLookupByLibrary.simpleMessage("Bugün"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Dün"), - "declineTrustInvite": MessageLookupByLibrary.simpleMessage("Daveti Reddet"), - "decrypting": MessageLookupByLibrary.simpleMessage("Şifre çözülüyor..."), - "decryptingVideo": MessageLookupByLibrary.simpleMessage( - "Videonun şifresi çözülüyor...", - ), - "deduplicateFiles": MessageLookupByLibrary.simpleMessage( - "Dosyaları Tekilleştirme", - ), - "delete": MessageLookupByLibrary.simpleMessage("Sil"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Hesabı sil"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Gittiğini gördüğümüze üzüldük. Lütfen gelişmemize yardımcı olmak için neden ayrıldığınızı açıklayın.", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Hesabımı kalıcı olarak sil", - ), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Albümü sil"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Ayrıca bu albümde bulunan fotoğrafları (ve videoları) parçası oldukları tüm diğer albümlerden silebilir miyim?", - ), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "Bu, tüm boş albümleri silecektir. Bu, albüm listenizdeki dağınıklığı azaltmak istediğinizde kullanışlıdır.", - ), - "deleteAll": MessageLookupByLibrary.simpleMessage("Hepsini Sil"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "Kullandığınız Ente uygulamaları varsa bu hesap diğer Ente uygulamalarıyla bağlantılıdır. Tüm Ente uygulamalarına yüklediğiniz veriler ve hesabınız kalıcı olarak silinecektir.", - ), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Lütfen kayıtlı e-posta adresinizden account-deletion@ente.io\'ya e-posta gönderiniz.", - ), - "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( - "Boş albümleri sil", - ), - "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( - "Boş albümler silinsin mi?", - ), - "deleteFromBoth": MessageLookupByLibrary.simpleMessage( - "Her ikisinden de sil", - ), - "deleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Cihazınızdan silin", - ), - "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Ente\'den Sil"), - "deleteItemCount": m21, - "deleteLocation": MessageLookupByLibrary.simpleMessage("Konumu sil"), - "deleteMultipleAlbumDialog": m22, - "deletePhotos": MessageLookupByLibrary.simpleMessage("Fotoğrafları sil"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "İhtiyacım olan önemli bir özellik eksik", - ), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "Uygulama veya bir özellik olması gerektiğini düşündüğüm gibi çalışmıyor", - ), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Daha çok sevdiğim başka bir hizmet buldum", - ), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "Nedenim listede yok", - ), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "İsteğiniz 72 saat içinde gerçekleştirilecek.", - ), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Paylaşılan albüm silinsin mi?", - ), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "Albüm herkes için silinecek\n\nBu albümdeki başkalarına ait paylaşılan fotoğraflara erişiminizi kaybedeceksiniz", - ), - "deselectAll": MessageLookupByLibrary.simpleMessage("Tüm seçimi kaldır"), - "designedToOutlive": MessageLookupByLibrary.simpleMessage( - "Hayatta kalmak için tasarlandı", - ), - "details": MessageLookupByLibrary.simpleMessage("Ayrıntılar"), - "developerSettings": MessageLookupByLibrary.simpleMessage( - "Geliştirici ayarları", - ), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Geliştirici ayarlarını değiştirmek istediğinizden emin misiniz?", - ), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Kodu girin"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "Bu cihazın albümüne eklenen dosyalar otomatik olarak ente\'ye yüklenecektir.", - ), - "deviceLock": MessageLookupByLibrary.simpleMessage("Cihaz kilidi"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Ente uygulaması önplanda calıştığında ve bir yedekleme işlemi devam ettiğinde, cihaz ekran kilidini devre dışı bırakın. Bu genellikle gerekli olmasa da, büyük dosyaların yüklenmesi ve büyük kütüphanelerin başlangıçta içe aktarılması sürecini hızlandırabilir.", - ), - "deviceNotFound": MessageLookupByLibrary.simpleMessage("Cihaz bulunamadı"), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Biliyor musun?"), - "different": MessageLookupByLibrary.simpleMessage("Farklı"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage( - "Otomatik kilidi devre dışı bırak", - ), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Görüntüleyiciler, hala harici araçlar kullanarak ekran görüntüsü alabilir veya fotoğraflarınızın bir kopyasını kaydedebilir. Lütfen bunu göz önünde bulundurunuz", - ), - "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( - "Lütfen dikkate alın", - ), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "İki Aşamalı Doğrulamayı Devre Dışı Bırak", - ), - "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( - "İki aşamalı doğrulamayı devre dışı bırak...", - ), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Keşfet"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Bebek"), - "discover_celebrations": MessageLookupByLibrary.simpleMessage( - "Kutlamalar ", - ), - "discover_food": MessageLookupByLibrary.simpleMessage("Yiyecek"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Yeşillik"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Tepeler"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Kimlik"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Mimler"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Notlar"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Evcil Hayvanlar"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Makbuzlar"), - "discover_screenshots": MessageLookupByLibrary.simpleMessage( - "Ekran Görüntüleri", - ), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Özçekimler"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Gün batımı"), - "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( - "Ziyaret Kartları", - ), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage( - "Duvar Kağıtları", - ), - "dismiss": MessageLookupByLibrary.simpleMessage("Reddet"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage("Çıkış yapma"), - "doThisLater": MessageLookupByLibrary.simpleMessage("Sonra yap"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Yaptığınız düzenlemeleri silmek istiyor musunuz?", - ), - "done": MessageLookupByLibrary.simpleMessage("Bitti"), - "dontSave": MessageLookupByLibrary.simpleMessage("Kaydetme"), - "doubleYourStorage": MessageLookupByLibrary.simpleMessage( - "Depolama alanınızı ikiye katlayın", - ), - "download": MessageLookupByLibrary.simpleMessage("İndir"), - "downloadFailed": MessageLookupByLibrary.simpleMessage("İndirme başarısız"), - "downloading": MessageLookupByLibrary.simpleMessage("İndiriliyor..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Düzenle"), - "editEmailAlreadyLinked": m28, - "editLocation": MessageLookupByLibrary.simpleMessage("Konumu düzenle"), - "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( - "Konumu düzenle", - ), - "editPerson": MessageLookupByLibrary.simpleMessage("Kişiyi düzenle"), - "editTime": MessageLookupByLibrary.simpleMessage("Zamanı düzenle"), - "editsSaved": MessageLookupByLibrary.simpleMessage("Düzenleme kaydedildi"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Konumda yapılan düzenlemeler yalnızca Ente\'de görülecektir", - ), - "eligible": MessageLookupByLibrary.simpleMessage("uygun"), - "email": MessageLookupByLibrary.simpleMessage("E-Posta"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "E-posta zaten kayıtlı.", - ), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "E-posta kayıtlı değil.", - ), - "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( - "E-posta doğrulama", - ), - "emailYourLogs": MessageLookupByLibrary.simpleMessage( - "Kayıtlarınızı e-postayla gönderin", - ), - "embracingThem": m32, - "emergencyContacts": MessageLookupByLibrary.simpleMessage( - "Acil Durum İletişim Bilgileri", - ), - "empty": MessageLookupByLibrary.simpleMessage("Boşalt"), - "emptyTrash": MessageLookupByLibrary.simpleMessage( - "Çöp kutusu boşaltılsın mı?", - ), - "enable": MessageLookupByLibrary.simpleMessage("Etkinleştir"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "Ente, yüz tanıma, sihirli arama ve diğer gelişmiş arama özellikleri için cihaz üzerinde çalışan makine öğrenimini kullanır", - ), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Sihirli arama ve yüz tanıma için makine öğrenimini etkinleştirin", - ), - "enableMaps": MessageLookupByLibrary.simpleMessage( - "Haritaları Etkinleştir", - ), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "Bu, fotoğraflarınızı bir dünya haritasında gösterecektir.\n\nBu harita Open Street Map tarafından barındırılmaktadır ve fotoğraflarınızın tam konumları hiçbir zaman paylaşılmaz.\n\nBu özelliği istediğiniz zaman Ayarlar\'dan devre dışı bırakabilirsiniz.", - ), - "enabled": MessageLookupByLibrary.simpleMessage("Etkin"), - "encryptingBackup": MessageLookupByLibrary.simpleMessage( - "Yedekleme şifreleniyor...", - ), - "encryption": MessageLookupByLibrary.simpleMessage("Şifreleme"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage( - "Şifreleme anahtarı", - ), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Fatura başarıyla güncellendi", - ), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Varsayılan olarak uçtan uca şifrelenmiş", - ), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente dosyaları yalnızca erişim izni verdiğiniz takdirde şifreleyebilir ve koruyabilir", - ), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente fotoğrafları saklamak için iznine ihtiyaç duyuyor", - ), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "Ente anılarınızı korur, böylece cihazınızı kaybetseniz bile anılarınıza her zaman ulaşabilirsiniz.", - ), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Aileniz de planınıza eklenebilir.", - ), - "enterAlbumName": MessageLookupByLibrary.simpleMessage( - "Bir albüm adı girin", - ), - "enterCode": MessageLookupByLibrary.simpleMessage("Kodu giriniz"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "İkiniz için de ücretsiz depolama alanı talep etmek için arkadaşınız tarafından sağlanan kodu girin", - ), - "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( - "Doğum Günü (isteğe bağlı)", - ), - "enterEmail": MessageLookupByLibrary.simpleMessage("E-postanızı giriniz"), - "enterFileName": MessageLookupByLibrary.simpleMessage("Dosya adını girin"), - "enterName": MessageLookupByLibrary.simpleMessage("İsim girin"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Verilerinizi şifrelemek için kullanabileceğimiz yeni bir şifre girin", - ), - "enterPassword": MessageLookupByLibrary.simpleMessage("Şifrenizi girin"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Verilerinizi şifrelemek için kullanabileceğimiz bir şifre girin", - ), - "enterPersonName": MessageLookupByLibrary.simpleMessage( - "Kişi ismini giriniz", - ), - "enterPin": MessageLookupByLibrary.simpleMessage("PIN Girin"), - "enterReferralCode": MessageLookupByLibrary.simpleMessage( - "Davet kodunuzu girin", - ), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Doğrulama uygulamasındaki 6 basamaklı kodu giriniz", - ), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Lütfen geçerli bir e-posta adresi girin.", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "E-posta adresinizi girin", - ), - "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( - "Yeni e-posta adresinizi girin", - ), - "enterYourPassword": MessageLookupByLibrary.simpleMessage( - "Lütfen şifrenizi giriniz", - ), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Kurtarma kodunuzu girin", - ), - "error": MessageLookupByLibrary.simpleMessage("Hata"), - "everywhere": MessageLookupByLibrary.simpleMessage("her yerde"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": MessageLookupByLibrary.simpleMessage("Mevcut kullanıcı"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Bu bağlantının süresi dolmuştur. Lütfen yeni bir süre belirleyin veya bağlantı süresini devre dışı bırakın.", - ), - "exportLogs": MessageLookupByLibrary.simpleMessage("Günlüğü dışa aktar"), - "exportYourData": MessageLookupByLibrary.simpleMessage( - "Veriyi dışarı aktar", - ), - "extraPhotosFound": MessageLookupByLibrary.simpleMessage( - "Ekstra fotoğraflar bulundu", - ), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Yüz henüz kümelenmedi, lütfen daha sonra tekrar gelin", - ), - "faceRecognition": MessageLookupByLibrary.simpleMessage("Yüz Tanıma"), - "faces": MessageLookupByLibrary.simpleMessage("Yüzler"), - "failed": MessageLookupByLibrary.simpleMessage("Başarısız oldu"), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage( - "Uygulanırken hata oluştu", - ), - "failedToCancel": MessageLookupByLibrary.simpleMessage( - "İptal edilirken sorun oluştu", - ), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( - "Video indirilemedi", - ), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Etkin oturumlar getirilemedi", - ), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Düzenleme için orijinal getirilemedi", - ), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Davet ayrıntıları çekilemedi. Iütfen daha sonra deneyin.", - ), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "Albüm yüklenirken hata oluştu", - ), - "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Video oynatılamadı", - ), - "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( - "Abonelik yenilenemedi", - ), - "failedToRenew": MessageLookupByLibrary.simpleMessage( - "Abonelik yenilenirken hata oluştu", - ), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Ödeme durumu doğrulanamadı", - ), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Ekstra ödeme yapmadan mevcut planınıza 5 aile üyesi ekleyin.\n\nHer üyenin kendine ait özel alanı vardır ve paylaşılmadıkça birbirlerinin dosyalarını göremezler.\n\nAile planları ücretli ente aboneliğine sahip müşteriler tarafından kullanılabilir.\n\nBaşlamak için şimdi abone olun!", - ), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Aile"), - "familyPlans": MessageLookupByLibrary.simpleMessage("Aile Planı"), - "faq": MessageLookupByLibrary.simpleMessage("Sık sorulan sorular"), - "faqs": MessageLookupByLibrary.simpleMessage("Sık Sorulan Sorular"), - "favorite": MessageLookupByLibrary.simpleMessage("Favori"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("Geri Bildirim"), - "file": MessageLookupByLibrary.simpleMessage("Dosya"), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Dosya galeriye kaydedilemedi", - ), - "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( - "Bir açıklama ekle...", - ), - "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( - "Dosya henüz yüklenmedi", - ), - "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Video galeriye kaydedildi", - ), - "fileTypes": MessageLookupByLibrary.simpleMessage("Dosya türü"), - "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( - "Dosya türleri ve adları", - ), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage("Dosyalar silinmiş"), - "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Dosyalar galeriye kaydedildi", - ), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Kişileri isimlerine göre bulun", - ), - "findThemQuickly": MessageLookupByLibrary.simpleMessage("Çabucak bulun"), - "flip": MessageLookupByLibrary.simpleMessage("Çevir"), - "food": MessageLookupByLibrary.simpleMessage("Yemek keyfi"), - "forYourMemories": MessageLookupByLibrary.simpleMessage("anılarınız için"), - "forgotPassword": MessageLookupByLibrary.simpleMessage("Şifremi unuttum"), - "foundFaces": MessageLookupByLibrary.simpleMessage("Yüzler bulundu"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( - "Alınan bedava alan", - ), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Kullanılabilir bedava alan", - ), - "freeTrial": MessageLookupByLibrary.simpleMessage("Ücretsiz deneme"), - "freeTrialValidTill": m38, - "freeUpAccessPostDelete": m39, - "freeUpAmount": m40, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( - "Cihaz alanını boşaltın", - ), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Zaten yedeklenmiş dosyaları temizleyerek cihazınızda yer kazanın.", - ), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("Boş alan"), - "freeUpSpaceSaving": m41, - "gallery": MessageLookupByLibrary.simpleMessage("Galeri"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "Galeride 1000\'e kadar anı gösterilir", - ), - "general": MessageLookupByLibrary.simpleMessage("Genel"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Şifreleme anahtarı oluşturuluyor...", - ), - "genericProgress": m42, - "goToSettings": MessageLookupByLibrary.simpleMessage("Ayarlara git"), - "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Lütfen Ayarlar uygulamasında tüm fotoğraflara erişime izin verin", - ), - "grantPermission": MessageLookupByLibrary.simpleMessage( - "İzinleri değiştir", - ), - "greenery": MessageLookupByLibrary.simpleMessage("Yeşil yaşam"), - "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( - "Yakındaki fotoğrafları gruplandır", - ), - "guestView": MessageLookupByLibrary.simpleMessage("Misafir Görünümü"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "Misafir görünümünü etkinleştirmek için lütfen sistem ayarlarınızda cihaz şifresi veya ekran kilidi ayarlayın.", - ), - "happyBirthday": MessageLookupByLibrary.simpleMessage( - "Doğum günün kutlu olsun! 🥳", - ), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "Biz uygulama kurulumlarını takip etmiyoruz. Bizi nereden duyduğunuzdan bahsetmeniz bize çok yardımcı olacak!", - ), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Ente\'yi nereden duydunuz? (isteğe bağlı)", - ), - "help": MessageLookupByLibrary.simpleMessage("Yardım"), - "hidden": MessageLookupByLibrary.simpleMessage("Gizle"), - "hide": MessageLookupByLibrary.simpleMessage("Gizle"), - "hideContent": MessageLookupByLibrary.simpleMessage("İçeriği gizle"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Uygulama değiştiricide bulunan uygulama içeriğini gizler ve ekran görüntülerini devre dışı bırakır", - ), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Uygulama değiştiricideki uygulama içeriğini gizler", - ), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "Paylaşılan öğeleri ana galeriden gizle", - ), - "hiding": MessageLookupByLibrary.simpleMessage("Gizleniyor..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( - "OSM Fransa\'da ağırlandı", - ), - "howItWorks": MessageLookupByLibrary.simpleMessage("Nasıl çalışır"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Lütfen onlardan ayarlar ekranında e-posta adresine uzun süre basmalarını ve her iki cihazdaki kimliklerin eşleştiğini doğrulamalarını isteyin.", - ), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Cihazınızda biyometrik kimlik doğrulama ayarlanmamış. Lütfen telefonunuzda Touch ID veya Face ID\'yi etkinleştirin.", - ), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "Biyometrik kimlik doğrulama devre dışı. Etkinleştirmek için lütfen ekranınızı kilitleyin ve kilidini açın.", - ), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("Tamam"), - "ignore": MessageLookupByLibrary.simpleMessage("Yoksay"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Yoksay"), - "ignored": MessageLookupByLibrary.simpleMessage("yoksayıldı"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Bu albümdeki bazı dosyalar daha önce ente\'den silindiğinden yükleme işleminde göz ardı edildi.", - ), - "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( - "Görüntü analiz edilmedi", - ), - "immediately": MessageLookupByLibrary.simpleMessage("Hemen"), - "importing": MessageLookupByLibrary.simpleMessage("İçeri aktarılıyor...."), - "incorrectCode": MessageLookupByLibrary.simpleMessage("Yanlış kod"), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Yanlış şifre", - ), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Yanlış kurtarma kodu", - ), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "Girdiğiniz kurtarma kod yanlış", - ), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Yanlış kurtarma kodu", - ), - "indexedItems": MessageLookupByLibrary.simpleMessage("Dizinlenmiş öğeler"), - "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( - "Dizin oluşturma duraklatıldı. Cihaz hazır olduğunda otomatik olarak devam edecektir. Cihaz, pil seviyesi, pil sağlığı ve termal durumu sağlıklı bir aralıkta olduğunda hazır kabul edilir.", - ), - "ineligible": MessageLookupByLibrary.simpleMessage("Uygun Değil"), - "info": MessageLookupByLibrary.simpleMessage("Bilgi"), - "insecureDevice": MessageLookupByLibrary.simpleMessage( - "Güvenilir olmayan cihaz", - ), - "installManually": MessageLookupByLibrary.simpleMessage("Manuel kurulum"), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "Geçersiz e-posta adresi", - ), - "invalidEndpoint": MessageLookupByLibrary.simpleMessage( - "Geçersiz uç nokta", - ), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Üzgünüz, girdiğiniz uç nokta geçersiz. Lütfen geçerli bir uç nokta girin ve tekrar deneyin.", - ), - "invalidKey": MessageLookupByLibrary.simpleMessage("Gecersiz anahtar"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Girdiğiniz kurtarma anahtarı geçerli değil. Lütfen anahtarın 24 kelime içerdiğinden ve her bir kelimenin doğru şekilde yazıldığından emin olun.\n\nEğer eski bir kurtarma kodu girdiyseniz, o zaman kodun 64 karakter uzunluğunda olduğunu kontrol edin.", - ), - "invite": MessageLookupByLibrary.simpleMessage("Davet et"), - "inviteToEnte": MessageLookupByLibrary.simpleMessage("Ente\'ye davet edin"), - "inviteYourFriends": MessageLookupByLibrary.simpleMessage( - "Arkadaşlarını davet et", - ), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "Katılmaları için arkadaşlarınızı davet edin", - ), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Bir şeyler ters gitmiş gibi görünüyor. Lütfen bir süre sonra tekrar deneyin. Hata devam ederse, lütfen destek ekibimizle iletişime geçin.", - ), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "Öğeler kalıcı olarak silinmeden önce kalan gün sayısını gösterir", - ), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Seçilen öğeler bu albümden kaldırılacak", - ), - "join": MessageLookupByLibrary.simpleMessage("Katıl"), - "joinAlbum": MessageLookupByLibrary.simpleMessage("Albüme Katılın"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "Bir albüme katılmak, e-postanızın katılımcılar tarafından görülebilmesini sağlayacaktır.", - ), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( - "fotoğraflarınızı görüntülemek ve eklemek için", - ), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "bunu paylaşılan albümlere eklemek için", - ), - "joinDiscord": MessageLookupByLibrary.simpleMessage("Discord\'a Katıl"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Fotoğrafları sakla"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Lütfen bu bilgilerle bize yardımcı olun", - ), - "language": MessageLookupByLibrary.simpleMessage("Dil"), - "lastTimeWithThem": m45, - "lastUpdated": MessageLookupByLibrary.simpleMessage("En son güncellenen"), - "lastYearsTrip": MessageLookupByLibrary.simpleMessage("Geçen yılki gezi"), - "leave": MessageLookupByLibrary.simpleMessage("Ayrıl"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage( - "Albümü yeniden adlandır", - ), - "leaveFamily": MessageLookupByLibrary.simpleMessage("Aile planından ayrıl"), - "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Paylaşılan albüm silinsin mi?", - ), - "left": MessageLookupByLibrary.simpleMessage("Sol"), - "legacy": MessageLookupByLibrary.simpleMessage("Geleneksel"), - "legacyAccounts": MessageLookupByLibrary.simpleMessage( - "Geleneksel hesaplar", - ), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "Geleneksel yol, güvendiğiniz kişilerin yokluğunuzda hesabınıza erişmesine olanak tanır.", - ), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "Güvenilir kişiler hesap kurtarma işlemini başlatabilir ve 30 gün içinde engellenmezse şifrenizi sıfırlayabilir ve hesabınıza erişebilir.", - ), - "light": MessageLookupByLibrary.simpleMessage("Aydınlık"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Aydınlık"), - "link": MessageLookupByLibrary.simpleMessage("Bağlantı"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Link panoya kopyalandı", - ), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Cihaz sınırı"), - "linkEmail": MessageLookupByLibrary.simpleMessage("E-posta bağlantısı"), - "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( - "daha hızlı paylaşım için", - ), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Geçerli"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Süresi dolmuş"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Bağlantı geçerliliği"), - "linkHasExpired": MessageLookupByLibrary.simpleMessage( - "Bağlantının süresi dolmuş", - ), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Asla"), - "linkPerson": MessageLookupByLibrary.simpleMessage("Kişiyi bağla"), - "linkPersonCaption": MessageLookupByLibrary.simpleMessage( - "daha iyi paylaşım deneyimi için", - ), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("Canlı Fotoğraf"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "Aboneliğinizi ailenizle paylaşabilirsiniz", - ), - "loadMessage2": MessageLookupByLibrary.simpleMessage( - "Şimdiye kadar 200 milyondan fazla anıyı koruduk", - ), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "Verilerinizin 3 kopyasını saklıyoruz, biri yer altı serpinti sığınağında", - ), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "Tüm uygulamalarımız açık kaynaktır", - ), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Kaynak kodumuz ve şifrelememiz harici olarak denetlenmiştir", - ), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "Albümlerinizin bağlantılarını sevdiklerinizle paylaşabilirsiniz", - ), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Mobil uygulamalarımız, tıkladığınız yeni fotoğrafları şifrelemek ve yedeklemek için arka planda çalışır", - ), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io\'nun mükemmel bir yükleyicisi var", - ), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Verilerinizi güvenli bir şekilde şifrelemek için Xchacha20Poly1305 kullanıyoruz", - ), - "loadingExifData": MessageLookupByLibrary.simpleMessage( - "EXIF verileri yükleniyor...", - ), - "loadingGallery": MessageLookupByLibrary.simpleMessage( - "Galeri yükleniyor...", - ), - "loadingMessage": MessageLookupByLibrary.simpleMessage( - "Fotoğraflarınız yükleniyor...", - ), - "loadingModel": MessageLookupByLibrary.simpleMessage( - "Modeller indiriliyor...", - ), - "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( - "Fotoğraflarınız yükleniyor...", - ), - "localGallery": MessageLookupByLibrary.simpleMessage("Yerel galeri"), - "localIndexing": MessageLookupByLibrary.simpleMessage("Yerel dizinleme"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Yerel fotoğraf senkronizasyonu beklenenden daha uzun sürdüğü için bir şeyler ters gitmiş gibi görünüyor. Lütfen destek ekibimize ulaşın", - ), - "location": MessageLookupByLibrary.simpleMessage("Konum"), - "locationName": MessageLookupByLibrary.simpleMessage("Konum Adı"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Bir fotoğrafın belli bir yarıçapında çekilen fotoğrafları gruplandırın", - ), - "locations": MessageLookupByLibrary.simpleMessage("Konum"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Kilit"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Kilit ekranı"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Giriş yap"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Çıkış yapılıyor..."), - "loginSessionExpired": MessageLookupByLibrary.simpleMessage( - "Oturum süresi doldu", - ), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "Oturum süreniz doldu. Tekrar giriş yapın.", - ), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "\"Giriş yap\" düğmesine tıklayarak, Hizmet Şartları\'nı ve Gizlilik Politikası\'nı kabul ediyorum", - ), - "loginWithTOTP": MessageLookupByLibrary.simpleMessage("TOTP ile giriş yap"), - "logout": MessageLookupByLibrary.simpleMessage("Çıkış yap"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Bu, sorununuzu gidermemize yardımcı olmak için kayıtları gönderecektir. Belirli dosyalarla ilgili sorunların izlenmesine yardımcı olmak için dosya adlarının ekleneceğini lütfen unutmayın.", - ), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Uçtan uca şifrelemeyi doğrulamak için bir e-postaya uzun basın.", - ), - "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( - "Tam ekranda görüntülemek için bir öğeye uzun basın", - ), - "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( - "Anılarına bir bak 🌄", - ), - "loopVideoOff": MessageLookupByLibrary.simpleMessage( - "Video Döngüsü Kapalı", - ), - "loopVideoOn": MessageLookupByLibrary.simpleMessage("Video Döngüsü Açık"), - "lostDevice": MessageLookupByLibrary.simpleMessage( - "Cihazınızı mı kaybettiniz?", - ), - "machineLearning": MessageLookupByLibrary.simpleMessage("Makine öğrenimi"), - "magicSearch": MessageLookupByLibrary.simpleMessage("Sihirli arama"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "Sihirli arama, fotoğrafları içeriklerine göre aramanıza olanak tanır, örneğin \'çiçek\', \'kırmızı araba\', \'kimlik belgeleri\'", - ), - "manage": MessageLookupByLibrary.simpleMessage("Yönet"), - "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( - "Cihaz Önbelliğini Yönet", - ), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Yerel önbellek depolama alanını gözden geçirin ve temizleyin.", - ), - "manageFamily": MessageLookupByLibrary.simpleMessage("Aileyi yönet"), - "manageLink": MessageLookupByLibrary.simpleMessage("Bağlantıyı yönet"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Yönet"), - "manageSubscription": MessageLookupByLibrary.simpleMessage( - "Abonelikleri yönet", - ), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "PIN ile eşleştirme, albümünüzü görüntülemek istediğiniz herhangi bir ekranla çalışır.", - ), - "map": MessageLookupByLibrary.simpleMessage("Harita"), - "maps": MessageLookupByLibrary.simpleMessage("Haritalar"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("Ben"), - "memories": MessageLookupByLibrary.simpleMessage("Anılar"), - "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Ana ekranınızda görmek istediğiniz anı türünü seçin.", - ), - "memoryCount": m50, - "merchandise": MessageLookupByLibrary.simpleMessage("Ürünler"), - "merge": MessageLookupByLibrary.simpleMessage("Birleştir"), - "mergeWithExisting": MessageLookupByLibrary.simpleMessage( - "Var olan ile birleştir.", - ), - "mergedPhotos": MessageLookupByLibrary.simpleMessage( - "Birleştirilmiş fotoğraflar", - ), - "mlConsent": MessageLookupByLibrary.simpleMessage( - "Makine öğrenimini etkinleştir", - ), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Anladım, ve makine öğrenimini etkinleştirmek istiyorum", - ), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Makine öğrenimini etkinleştirirseniz, Ente sizinle paylaşılanlar da dahil olmak üzere dosyalardan yüz geometrisi gibi bilgileri çıkarır.\n\nBu, cihazınızda gerçekleşecek ve oluşturulan tüm biyometrik bilgiler uçtan uca şifrelenecektir.", - ), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Gizlilik politikamızdaki bu özellik hakkında daha fazla ayrıntı için lütfen buraya tıklayın", - ), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "Makine öğrenimi etkinleştirilsin mi?", - ), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Makine öğreniminin, tüm öğeler dizine eklenene kadar daha yüksek bant genişliği ve pil kullanımıyla sonuçlanacağını lütfen unutmayın. Daha hızlı dizinleme için masaüstü uygulamasını kullanmayı deneyin, tüm sonuçlar otomatik olarak senkronize edilir.", - ), - "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( - "Mobil, Web, Masaüstü", - ), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Ilımlı"), - "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( - "Sorgunuzu değiştirin veya aramayı deneyin", - ), - "moments": MessageLookupByLibrary.simpleMessage("Anlar"), - "month": MessageLookupByLibrary.simpleMessage("ay"), - "monthly": MessageLookupByLibrary.simpleMessage("Aylık"), - "moon": MessageLookupByLibrary.simpleMessage("Ay ışığında"), - "moreDetails": MessageLookupByLibrary.simpleMessage("Daha fazla detay"), - "mostRecent": MessageLookupByLibrary.simpleMessage("En son"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("En alakalı"), - "mountains": MessageLookupByLibrary.simpleMessage("Tepelerin ötesinde"), - "moveItem": m51, - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "Seçilen fotoğrafları bir tarihe taşıma", - ), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("Albüme taşı"), - "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Gizli albüme ekle", - ), - "movedSuccessfullyTo": m52, - "movedToTrash": MessageLookupByLibrary.simpleMessage("Cöp kutusuna taşı"), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Dosyalar albüme taşınıyor...", - ), - "name": MessageLookupByLibrary.simpleMessage("İsim"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Albüm İsmi"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Ente\'ye bağlanılamıyor. Lütfen bir süre sonra tekrar deneyin. Hata devam ederse lütfen desteğe başvurun.", - ), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Ente\'ye bağlanılamıyor. Lütfen ağ ayarlarınızı kontrol edin ve hata devam ederse destek ekibiyle iletişime geçin.", - ), - "never": MessageLookupByLibrary.simpleMessage("Asla"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Yeni albüm"), - "newLocation": MessageLookupByLibrary.simpleMessage("Yeni konum"), - "newPerson": MessageLookupByLibrary.simpleMessage("Yeni Kişi"), - "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" yeni 📸"), - "newRange": MessageLookupByLibrary.simpleMessage("Yeni aralık"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Ente\'de yeniyim"), - "newest": MessageLookupByLibrary.simpleMessage("En yeni"), - "next": MessageLookupByLibrary.simpleMessage("Sonraki"), - "no": MessageLookupByLibrary.simpleMessage("Hayır"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Henüz paylaştığınız albüm yok", - ), - "noDeviceFound": MessageLookupByLibrary.simpleMessage("Aygıt bulunamadı"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Yok"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "Her şey zaten temiz, silinecek dosya kalmadı", - ), - "noDuplicates": MessageLookupByLibrary.simpleMessage( - "Yinelenenleri kaldır", - ), - "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( - "Ente hesabı yok!", - ), - "noExifData": MessageLookupByLibrary.simpleMessage("EXIF verisi yok"), - "noFacesFound": MessageLookupByLibrary.simpleMessage("Yüz bulunamadı"), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "Gizli fotoğraf veya video yok", - ), - "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( - "Konum içeren resim yok", - ), - "noInternetConnection": MessageLookupByLibrary.simpleMessage( - "İnternet bağlantısı yok", - ), - "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( - "Şu anda hiçbir fotoğraf yedeklenmiyor", - ), - "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( - "Burada fotoğraf bulunamadı", - ), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( - "Hızlı bağlantılar seçilmedi", - ), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Kurtarma anahtarınız yok mu?", - ), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Uçtan uca şifreleme protokolümüzün doğası gereği, verileriniz şifreniz veya kurtarma anahtarınız olmadan çözülemez", - ), - "noResults": MessageLookupByLibrary.simpleMessage("Sonuç bulunamadı"), - "noResultsFound": MessageLookupByLibrary.simpleMessage( - "Hiçbir sonuç bulunamadı", - ), - "noSuggestionsForPerson": m53, - "noSystemLockFound": MessageLookupByLibrary.simpleMessage( - "Sistem kilidi bulunamadı", - ), - "notPersonLabel": m54, - "notThisPerson": MessageLookupByLibrary.simpleMessage("Bu kişi değil mi?"), - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "Henüz sizinle paylaşılan bir şey yok", - ), - "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( - "Burada görülecek bir şey yok! 👀", - ), - "notifications": MessageLookupByLibrary.simpleMessage("Bildirimler"), - "ok": MessageLookupByLibrary.simpleMessage("Tamam"), - "onDevice": MessageLookupByLibrary.simpleMessage("Cihazda"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "ente üzerinde", - ), - "onTheRoad": MessageLookupByLibrary.simpleMessage("Yeniden yollarda"), - "onThisDay": MessageLookupByLibrary.simpleMessage("Bu günde"), - "onThisDayMemories": MessageLookupByLibrary.simpleMessage("Bugün anılar"), - "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( - "Önceki yıllarda bu günden anılar hakkında hatırlatıcılar alın.", - ), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Sadece onlar"), - "oops": MessageLookupByLibrary.simpleMessage("Hay aksi"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Hata! Düzenlemeler kaydedilemedi", - ), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Hoop, Birşeyler yanlış gitti", - ), - "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( - "Albümü tarayıcıda aç", - ), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Bu albüme fotoğraf eklemek için lütfen web uygulamasını kullanın", - ), - "openFile": MessageLookupByLibrary.simpleMessage("Dosyayı aç"), - "openSettings": MessageLookupByLibrary.simpleMessage("Ayarları Açın"), - "openTheItem": MessageLookupByLibrary.simpleMessage("• Öğeyi açın"), - "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( - "OpenStreetMap katkıda bululanlar", - ), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "İsteğe bağlı, istediğiniz kadar kısa...", - ), - "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( - "Ya da mevcut olan ile birleştirin", - ), - "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( - "Veya mevcut birini seçiniz", - ), - "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( - "veya kişilerinizden birini seçin", - ), - "otherDetectedFaces": MessageLookupByLibrary.simpleMessage( - "Tespit edilen diğer yüzler", - ), - "pair": MessageLookupByLibrary.simpleMessage("Eşleştir"), - "pairWithPin": MessageLookupByLibrary.simpleMessage("PIN ile eşleştirin"), - "pairingComplete": MessageLookupByLibrary.simpleMessage( - "Eşleştirme tamamlandı", - ), - "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), - "partyWithThem": m56, - "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( - "Doğrulama hala bekliyor", - ), - "passkey": MessageLookupByLibrary.simpleMessage("Geçiş anahtarı"), - "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( - "Geçiş anahtarı doğrulaması", - ), - "password": MessageLookupByLibrary.simpleMessage("Şifre"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Şifreniz başarılı bir şekilde değiştirildi", - ), - "passwordLock": MessageLookupByLibrary.simpleMessage("Şifre kilidi"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "Parola gücü, parolanın uzunluğu, kullanılan karakterler ve parolanın en çok kullanılan ilk 10.000 parola arasında yer alıp almadığı dikkate alınarak hesaplanır", - ), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Şifrelerinizi saklamıyoruz, bu yüzden unutursanız, verilerinizi deşifre edemeyiz", - ), - "pastYearsMemories": MessageLookupByLibrary.simpleMessage( - "Geçmiş yılların anıları", - ), - "paymentDetails": MessageLookupByLibrary.simpleMessage("Ödeme detayları"), - "paymentFailed": MessageLookupByLibrary.simpleMessage( - "Ödeme başarısız oldu", - ), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "Maalesef ödemeniz başarısız oldu. Lütfen destekle iletişime geçin, size yardımcı olacağız!", - ), - "paymentFailedTalkToProvider": m58, - "pendingItems": MessageLookupByLibrary.simpleMessage("Bekleyen Öğeler"), - "pendingSync": MessageLookupByLibrary.simpleMessage( - "Bekleyen Senkronizasyonlar", - ), - "people": MessageLookupByLibrary.simpleMessage("Kişiler"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Kodunuzu kullananlar", - ), - "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Ana ekranınızda görmek istediğiniz kişileri seçin.", - ), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Çöp kutusundaki tüm öğeler kalıcı olarak silinecek\n\nBu işlem geri alınamaz", - ), - "permanentlyDelete": MessageLookupByLibrary.simpleMessage( - "Kalıcı olarak sil", - ), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Cihazdan kalıcı olarak silinsin mi?", - ), - "personIsAge": m59, - "personName": MessageLookupByLibrary.simpleMessage("Kişi Adı"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("Tüylü dostlar"), - "photoDescriptions": MessageLookupByLibrary.simpleMessage( - "Fotoğraf Açıklaması", - ), - "photoGridSize": MessageLookupByLibrary.simpleMessage("Izgara boyutu"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("fotoğraf"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("Fotoğraflar"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "Eklediğiniz fotoğraflar albümden kaldırılacak", - ), - "photosCount": m62, - "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( - "Fotoğraflar göreli zaman farkını korur", - ), - "pickCenterPoint": MessageLookupByLibrary.simpleMessage( - "Merkez noktasını seçin", - ), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Albümü sabitle"), - "pinLock": MessageLookupByLibrary.simpleMessage("Pin kilidi"), - "playOnTv": MessageLookupByLibrary.simpleMessage("Albümü TV\'de oynat"), - "playOriginal": MessageLookupByLibrary.simpleMessage("Orijinali oynat"), - "playStoreFreeTrialValidTill": m63, - "playStream": MessageLookupByLibrary.simpleMessage("Akışı oynat"), - "playstoreSubscription": MessageLookupByLibrary.simpleMessage( - "PlayStore aboneliği", - ), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Lütfen internet bağlantınızı kontrol edin ve yeniden deneyin.", - ), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Lütfen support@ente.io ile iletişime geçin; size yardımcı olmaktan memnuniyet duyarız!", - ), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Bu hata devam ederse lütfen desteğe başvurun", - ), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( - "Lütfen izin ver", - ), - "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( - "Lütfen tekrar giriş yapın", - ), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Lütfen kaldırmak için hızlı bağlantıları seçin", - ), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Lütfen tekrar deneyiniz", - ), - "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( - "Lütfen girdiğiniz kodu doğrulayın", - ), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Lütfen bekleyiniz..."), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Lütfen bekleyin, albüm siliniyor", - ), - "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( - "Tekrar denemeden önce lütfen bir süre bekleyin", - ), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "Lütfen bekleyin, bu biraz zaman alabilir.", - ), - "posingWithThem": m66, - "preparingLogs": MessageLookupByLibrary.simpleMessage( - "Kayıtlar hazırlanıyor...", - ), - "preserveMore": MessageLookupByLibrary.simpleMessage( - "Daha fazlasını koruyun", - ), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Videoları yönetmek için basılı tutun", - ), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Videoyu oynatmak için resmi basılı tutun", - ), - "previous": MessageLookupByLibrary.simpleMessage("Önceki"), - "privacy": MessageLookupByLibrary.simpleMessage("Gizlilik"), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( - "Mahremiyet Politikası", - ), - "privateBackups": MessageLookupByLibrary.simpleMessage("Özel yedeklemeler"), - "privateSharing": MessageLookupByLibrary.simpleMessage("Özel paylaşım"), - "proceed": MessageLookupByLibrary.simpleMessage("Devam edin"), - "processed": MessageLookupByLibrary.simpleMessage("İşlenen"), - "processing": MessageLookupByLibrary.simpleMessage("İşleniyor"), - "processingImport": m67, - "processingVideos": MessageLookupByLibrary.simpleMessage( - "Videolar işleniyor", - ), - "publicLinkCreated": MessageLookupByLibrary.simpleMessage( - "Herkese açık bağlantı oluşturuldu", - ), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( - "Herkese açık bağlantı aktive edildi", - ), - "questionmark": MessageLookupByLibrary.simpleMessage("?"), - "queued": MessageLookupByLibrary.simpleMessage("Kuyrukta"), - "quickLinks": MessageLookupByLibrary.simpleMessage("Hızlı Erişim"), - "radius": MessageLookupByLibrary.simpleMessage("Yarıçap"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Bileti artır"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("Uygulamayı puanlayın"), - "rateUs": MessageLookupByLibrary.simpleMessage("Bizi değerlendirin"), - "rateUsOnStore": m68, - "reassignMe": MessageLookupByLibrary.simpleMessage( - "\"Ben\"i yeniden atayın", - ), - "reassignedToName": m69, - "reassigningLoading": MessageLookupByLibrary.simpleMessage( - "Yeniden atanıyor...", - ), - "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( - "Birinin doğum günü olduğunda hatırlatıcılar alın. Bildirime dokunmak sizi doğum günü kişisinin fotoğraflarına götürecektir.", - ), - "recover": MessageLookupByLibrary.simpleMessage("Kurtarma"), - "recoverAccount": MessageLookupByLibrary.simpleMessage("Hesabı kurtar"), - "recoverButton": MessageLookupByLibrary.simpleMessage("Kurtar"), - "recoveryAccount": MessageLookupByLibrary.simpleMessage("Hesabı kurtar"), - "recoveryInitiated": MessageLookupByLibrary.simpleMessage( - "Kurtarma başlatıldı", - ), - "recoveryInitiatedDesc": m70, - "recoveryKey": MessageLookupByLibrary.simpleMessage("Kurtarma anahtarı"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Kurtarma anahtarınız panoya kopyalandı", - ), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Şifrenizi unutursanız, verilerinizi kurtarmanın tek yolu bu anahtar olacaktır.", - ), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Bu anahtarı saklamıyoruz, lütfen bu 24 kelime anahtarı güvenli bir yerde saklayın.", - ), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Harika! Kurtarma anahtarınız geçerlidir. Doğrulama için teşekkür ederim.\n\nLütfen kurtarma anahtarınızı güvenli bir şekilde yedeklediğinizden emin olun.", - ), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Kurtarma kodu doğrulandı", - ), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Kurtarma anahtarınız, şifrenizi unutmanız durumunda fotoğraflarınızı kurtarmanın tek yoludur. Kurtarma anahtarınızı Ayarlar > Hesap bölümünde bulabilirsiniz.\n\nDoğru kaydettiğinizi doğrulamak için lütfen kurtarma anahtarınızı buraya girin.", - ), - "recoveryReady": m71, - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "Kurtarma başarılı!", - ), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "Güvenilir bir kişi hesabınıza erişmeye çalışıyor", - ), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "Cihazınız, şifrenizi doğrulamak için yeterli güce sahip değil, ancak tüm cihazlarda çalışacak şekilde yeniden oluşturabiliriz.\n\nLütfen kurtarma anahtarınızı kullanarak giriş yapın ve şifrenizi yeniden oluşturun (istediğiniz takdirde aynı şifreyi tekrar kullanabilirsiniz).", - ), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Şifrenizi tekrardan oluşturun", - ), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": MessageLookupByLibrary.simpleMessage( - "Şifrenizi tekrar girin", - ), - "reenterPin": MessageLookupByLibrary.simpleMessage( - "PIN\'inizi tekrar girin", - ), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Arkadaşlarınıza önerin ve planınızı 2 katına çıkarın", - ), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Bu kodu arkadaşlarınıza verin", - ), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Ücretli bir plan için kaydolsunlar", - ), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Arkadaşını davet et"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "Davetler şu anda durmuş durumda", - ), - "rejectRecovery": MessageLookupByLibrary.simpleMessage("Kurtarmayı reddet"), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "Ayrıca boş alanı kazanmak için \"Ayarlar\" > \"Depolama\" bölümünden \"Son Silinenler\" klasörünü de boşaltın", - ), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Ayrıca boşalan alana sahip olmak için \"Çöp Kutunuzu\" boşaltın", - ), - "remoteImages": MessageLookupByLibrary.simpleMessage("Uzak Görseller"), - "remoteThumbnails": MessageLookupByLibrary.simpleMessage( - "Uzak Küçük Resimler", - ), - "remoteVideos": MessageLookupByLibrary.simpleMessage("Uzak Videolar"), - "remove": MessageLookupByLibrary.simpleMessage("Kaldır"), - "removeDuplicates": MessageLookupByLibrary.simpleMessage( - "Yinelenenleri kaldır", - ), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Aynı olan dosyaları gözden geçirin ve kaldırın.", - ), - "removeFromAlbum": MessageLookupByLibrary.simpleMessage("Albümden çıkar"), - "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( - "Albümden çıkarılsın mı?", - ), - "removeFromFavorite": MessageLookupByLibrary.simpleMessage( - "Favorilerden Kaldır", - ), - "removeInvite": MessageLookupByLibrary.simpleMessage("Davetiyeyi kaldır"), - "removeLink": MessageLookupByLibrary.simpleMessage("Bağlantıyı kaldır"), - "removeParticipant": MessageLookupByLibrary.simpleMessage( - "Katılımcıyı kaldır", - ), - "removeParticipantBody": m74, - "removePersonLabel": MessageLookupByLibrary.simpleMessage( - "Kişi etiketini kaldırın", - ), - "removePublicLink": MessageLookupByLibrary.simpleMessage( - "Herkese açık bağlantıyı kaldır", - ), - "removePublicLinks": MessageLookupByLibrary.simpleMessage( - "Herkese açık bağlantıları kaldır", - ), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Kaldırdığınız öğelerden bazıları başkaları tarafından eklenmiştir ve bunlara erişiminizi kaybedeceksiniz", - ), - "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage( - "Kaldırılsın mı?", - ), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Kendinizi güvenilir kişi olarak kaldırın", - ), - "removingFromFavorites": MessageLookupByLibrary.simpleMessage( - "Favorilerimden kaldır...", - ), - "rename": MessageLookupByLibrary.simpleMessage("Yeniden adlandır"), - "renameAlbum": MessageLookupByLibrary.simpleMessage( - "Albümü yeniden adlandır", - ), - "renameFile": MessageLookupByLibrary.simpleMessage( - "Dosyayı yeniden adlandır", - ), - "renewSubscription": MessageLookupByLibrary.simpleMessage( - "Abonelik yenileme", - ), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Hata bildir"), - "reportBug": MessageLookupByLibrary.simpleMessage("Hata bildir"), - "resendEmail": MessageLookupByLibrary.simpleMessage( - "E-postayı yeniden gönder", - ), - "reset": MessageLookupByLibrary.simpleMessage("Sıfırla"), - "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( - "Yok sayılan dosyaları sıfırla", - ), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Parolanızı sıfırlayın", - ), - "resetPerson": MessageLookupByLibrary.simpleMessage("Kaldır"), - "resetToDefault": MessageLookupByLibrary.simpleMessage( - "Varsayılana sıfırla", - ), - "restore": MessageLookupByLibrary.simpleMessage("Geri yükle"), - "restoreToAlbum": MessageLookupByLibrary.simpleMessage("Albümü yenile"), - "restoringFiles": MessageLookupByLibrary.simpleMessage( - "Dosyalar geri yükleniyor...", - ), - "resumableUploads": MessageLookupByLibrary.simpleMessage( - "Devam edilebilir yüklemeler", - ), - "retry": MessageLookupByLibrary.simpleMessage("Tekrar dene"), - "review": MessageLookupByLibrary.simpleMessage("Gözden Geçir"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Lütfen kopya olduğunu düşündüğünüz öğeleri inceleyin ve silin.", - ), - "reviewSuggestions": MessageLookupByLibrary.simpleMessage( - "Önerileri inceleyin", - ), - "right": MessageLookupByLibrary.simpleMessage("Sağ"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("Döndür"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Sola döndür"), - "rotateRight": MessageLookupByLibrary.simpleMessage("Sağa döndür"), - "safelyStored": MessageLookupByLibrary.simpleMessage("Güvenle saklanır"), - "same": MessageLookupByLibrary.simpleMessage("Aynı"), - "sameperson": MessageLookupByLibrary.simpleMessage("Aynı kişi mi?"), - "save": MessageLookupByLibrary.simpleMessage("Kaydet"), - "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage( - "Başka bir kişi olarak kaydet", - ), - "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( - "Çıkmadan önce değişiklikler kaydedilsin mi?", - ), - "saveCollage": MessageLookupByLibrary.simpleMessage("Kolajı kaydet"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Kopyasını kaydet"), - "saveKey": MessageLookupByLibrary.simpleMessage("Anahtarı kaydet"), - "savePerson": MessageLookupByLibrary.simpleMessage("Kişiyi kaydet"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Henüz yapmadıysanız kurtarma anahtarınızı kaydetmeyi unutmayın", - ), - "saving": MessageLookupByLibrary.simpleMessage("Kaydediliyor..."), - "savingEdits": MessageLookupByLibrary.simpleMessage( - "Düzenlemeler kaydediliyor...", - ), - "scanCode": MessageLookupByLibrary.simpleMessage("Kodu tarayın"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Kimlik doğrulama uygulamanız ile kodu tarayın", - ), - "search": MessageLookupByLibrary.simpleMessage("Ara"), - "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage( - "Albümler", - ), - "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage("Albüm adı"), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Albüm adları (ör. \"Kamera\")\n• Dosya türleri (ör. \"Videolar\", \".gif\")\n• Yıllar ve aylar (ör. \"2022\", \"Ocak\")\n• Tatiller (ör. \"Noel\")\n• Fotoğraf açıklamaları (ör. \"#eğlence\")", - ), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Fotoğraf bilgilerini burada hızlı bir şekilde bulmak için \"#trip\" gibi açıklamalar ekleyin", - ), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Tarihe, aya veya yıla göre arama yapın", - ), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "İşleme ve senkronizasyon tamamlandığında görüntüler burada gösterilecektir", - ), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "Dizinleme yapıldıktan sonra insanlar burada gösterilecek", - ), - "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( - "Dosya türleri ve adları", - ), - "searchHint1": MessageLookupByLibrary.simpleMessage( - "Hızlı, cihaz üzerinde arama", - ), - "searchHint2": MessageLookupByLibrary.simpleMessage( - "Fotoğraf tarihleri, açıklamalar", - ), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "Albümler, dosya adları ve türleri", - ), - "searchHint4": MessageLookupByLibrary.simpleMessage("Konum"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "Çok yakında: Yüzler ve sihirli arama ✨", - ), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Bir fotoğrafın belli bir yarıçapında çekilen fotoğrafları gruplandırın", - ), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "İnsanları davet ettiğinizde onların paylaştığı tüm fotoğrafları burada göreceksiniz", - ), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "İşleme ve senkronizasyon tamamlandığında kişiler burada gösterilecektir", - ), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Güvenlik"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "Uygulamadaki herkese açık albüm bağlantılarını görün", - ), - "selectALocation": MessageLookupByLibrary.simpleMessage("Bir konum seçin"), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage( - "Önce yeni yer seçin", - ), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Albüm seçin"), - "selectAll": MessageLookupByLibrary.simpleMessage("Hepsini seç"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("Tümü"), - "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( - "Kapak fotoğrafı seçin", - ), - "selectDate": MessageLookupByLibrary.simpleMessage("Tarih seç"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Yedekleme için klasörleri seçin", - ), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "Eklenecek eşyaları seçin", - ), - "selectLanguage": MessageLookupByLibrary.simpleMessage("Dil Seçin"), - "selectMailApp": MessageLookupByLibrary.simpleMessage( - "Mail Uygulamasını Seç", - ), - "selectMorePhotos": MessageLookupByLibrary.simpleMessage( - "Daha Fazla Fotoğraf Seç", - ), - "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( - "Bir tarih ve saat seçin", - ), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "Tümü için tek bir tarih ve saat seçin", - ), - "selectPersonToLink": MessageLookupByLibrary.simpleMessage( - "Bağlantı kurulacak kişiyi seçin", - ), - "selectReason": MessageLookupByLibrary.simpleMessage( - "Ayrılma nedeninizi seçin", - ), - "selectStartOfRange": MessageLookupByLibrary.simpleMessage( - "Aralık başlangıcını seçin", - ), - "selectTime": MessageLookupByLibrary.simpleMessage("Zaman Seç"), - "selectYourFace": MessageLookupByLibrary.simpleMessage("Yüzünüzü seçin"), - "selectYourPlan": MessageLookupByLibrary.simpleMessage("Planınızı seçin"), - "selectedAlbums": m79, - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Seçilen dosyalar Ente\'de değil", - ), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Seçilen klasörler şifrelenecek ve yedeklenecektir", - ), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Seçilen öğeler tüm albümlerden silinecek ve çöp kutusuna taşınacak.", - ), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "Seçili öğeler bu kişiden silinir, ancak kitaplığınızdan silinmez.", - ), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("Gönder"), - "sendEmail": MessageLookupByLibrary.simpleMessage("E-posta gönder"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Davet kodu gönder"), - "sendLink": MessageLookupByLibrary.simpleMessage("Bağlantıyı gönder"), - "serverEndpoint": MessageLookupByLibrary.simpleMessage("Sunucu uç noktası"), - "sessionExpired": MessageLookupByLibrary.simpleMessage( - "Oturum süresi doldu", - ), - "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( - "Oturum kimliği uyuşmazlığı", - ), - "setAPassword": MessageLookupByLibrary.simpleMessage("Şifre ayarla"), - "setAs": MessageLookupByLibrary.simpleMessage("Şu şekilde ayarla"), - "setCover": MessageLookupByLibrary.simpleMessage("Kapak Belirle"), - "setLabel": MessageLookupByLibrary.simpleMessage("Ayarla"), - "setNewPassword": MessageLookupByLibrary.simpleMessage( - "Yeni şifre belirle", - ), - "setNewPin": MessageLookupByLibrary.simpleMessage("Yeni PIN belirleyin"), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Parola ayarlayın", - ), - "setRadius": MessageLookupByLibrary.simpleMessage("Yarıçapı ayarla"), - "setupComplete": MessageLookupByLibrary.simpleMessage( - "Ayarlama işlemi başarılı", - ), - "share": MessageLookupByLibrary.simpleMessage("Paylaş"), - "shareALink": MessageLookupByLibrary.simpleMessage("Bir bağlantı paylaş"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Bir albüm açın ve paylaşmak için sağ üstteki paylaş düğmesine dokunun.", - ), - "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( - "Şimdi bir albüm paylaşın", - ), - "shareLink": MessageLookupByLibrary.simpleMessage("Bağlantıyı paylaş"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Yalnızca istediğiniz kişilerle paylaşın", - ), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Orijinal kalitede fotoğraf ve videoları kolayca paylaşabilmemiz için Ente\'yi indirin\n\nhttps://ente.io", - ), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Ente kullanıcısı olmayanlar için paylaş", - ), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( - "İlk albümünüzü paylaşın", - ), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Diğer Ente kullanıcılarıyla paylaşılan ve topluluk albümleri oluşturun, bu arada ücretsiz planlara sahip kullanıcıları da içerir.", - ), - "sharedByMe": MessageLookupByLibrary.simpleMessage("Benim paylaştıklarım"), - "sharedByYou": MessageLookupByLibrary.simpleMessage("Paylaştıklarınız"), - "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( - "Paylaşılan fotoğrafları ekle", - ), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Birisi parçası olduğunuz paylaşılan bir albüme fotoğraf eklediğinde bildirim alın", - ), - "sharedWith": m87, - "sharedWithMe": MessageLookupByLibrary.simpleMessage("Benimle paylaşılan"), - "sharedWithYou": MessageLookupByLibrary.simpleMessage("Sizinle paylaşıldı"), - "sharing": MessageLookupByLibrary.simpleMessage("Paylaşılıyor..."), - "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( - "Vardiya tarihleri ve saati", - ), - "showLessFaces": MessageLookupByLibrary.simpleMessage("Daha az yüz göster"), - "showMemories": MessageLookupByLibrary.simpleMessage("Anıları göster"), - "showMoreFaces": MessageLookupByLibrary.simpleMessage( - "Daha fazla yüz göster", - ), - "showPerson": MessageLookupByLibrary.simpleMessage("Kişiyi Göster"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "Diğer cihazlardan çıkış yap", - ), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Eğer başka birisinin parolanızı bildiğini düşünüyorsanız, diğer tüm cihazları hesabınızdan çıkışa zorlayabilirsiniz.", - ), - "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( - "Diğer cihazlardan çıkış yap", - ), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Hizmet Şartları\'nı ve Gizlilik Politikası\'nı kabul ediyorum", - ), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Tüm albümlerden silinecek.", - ), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Geç"), - "smartMemories": MessageLookupByLibrary.simpleMessage("Akıllı anılar"), - "social": MessageLookupByLibrary.simpleMessage("Sosyal Medya"), - "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( - "Bazı öğeler hem Ente\'de hem de cihazınızda bulunur.", - ), - "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( - "Silmeye çalıştığınız dosyalardan bazıları yalnızca cihazınızda mevcuttur ve silindiği takdirde kurtarılamaz", - ), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Size albümleri paylaşan biri, kendi cihazında aynı kimliği görmelidir.", - ), - "somethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Bazı şeyler yanlış gitti", - ), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Bir şeyler ters gitti, lütfen tekrar deneyin", - ), - "sorry": MessageLookupByLibrary.simpleMessage("Üzgünüz"), - "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( - "Üzgünüz, bu dosya şu anda yedeklenemedi. Daha sonra tekrar deneyeceğiz.", - ), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Üzgünüm, favorilere ekleyemedim!", - ), - "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( - "Üzgünüm, favorilere ekleyemedim!", - ), - "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "Üzgünüz, girdiğiniz kod yanlış", - ), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Üzgünüm, bu cihazda güvenli anahtarlarını oluşturamadık.\n\nLütfen başka bir cihazdan giriş yapmayı deneyiniz.", - ), - "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( - "Üzgünüm, yedeklemenizi duraklatmak zorunda kaldık", - ), - "sort": MessageLookupByLibrary.simpleMessage("Sırala"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sırala"), - "sortNewestFirst": MessageLookupByLibrary.simpleMessage("Yeniden eskiye"), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Önce en eski"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Başarılı"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": MessageLookupByLibrary.simpleMessage("Sahne senin"), - "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( - "Kurtarmayı başlat", - ), - "startBackup": MessageLookupByLibrary.simpleMessage("Yedeklemeyi başlat"), - "status": MessageLookupByLibrary.simpleMessage("Durum"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "Yansıtmayı durdurmak istiyor musunuz?", - ), - "stopCastingTitle": MessageLookupByLibrary.simpleMessage("Yayını durdur"), - "storage": MessageLookupByLibrary.simpleMessage("Depolama"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Aile"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Sen"), - "storageInGB": m93, - "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( - "Depolama sınırı aşıldı", - ), - "storageUsageInfo": m94, - "streamDetails": MessageLookupByLibrary.simpleMessage("Akış detayları"), - "strongStrength": MessageLookupByLibrary.simpleMessage("Güçlü"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Abone ol"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Paylaşımı etkinleştirmek için aktif bir ücretli aboneliğe ihtiyacınız var.", - ), - "subscription": MessageLookupByLibrary.simpleMessage("Abonelik"), - "success": MessageLookupByLibrary.simpleMessage("Başarılı"), - "successfullyArchived": MessageLookupByLibrary.simpleMessage( - "Başarıyla arşivlendi", - ), - "successfullyHid": MessageLookupByLibrary.simpleMessage( - "Başarıyla saklandı", - ), - "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( - "Başarıyla arşivden çıkarıldı", - ), - "successfullyUnhid": MessageLookupByLibrary.simpleMessage( - "Başarıyla arşivden çıkarıldı", - ), - "suggestFeatures": MessageLookupByLibrary.simpleMessage("Özellik önerin"), - "sunrise": MessageLookupByLibrary.simpleMessage("Ufukta"), - "support": MessageLookupByLibrary.simpleMessage("Destek"), - "syncProgress": m97, - "syncStopped": MessageLookupByLibrary.simpleMessage( - "Senkronizasyon durduruldu", - ), - "syncing": MessageLookupByLibrary.simpleMessage("Eşitleniyor..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("Sistem"), - "tapToCopy": MessageLookupByLibrary.simpleMessage( - "kopyalamak için dokunun", - ), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage( - "Kodu girmek icin tıklayın", - ), - "tapToUnlock": MessageLookupByLibrary.simpleMessage("Açmak için dokun"), - "tapToUpload": MessageLookupByLibrary.simpleMessage( - "Yüklemek için tıklayın", - ), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Bir şeyler ters gitmiş gibi görünüyor. Lütfen bir süre sonra tekrar deneyin. Hata devam ederse, lütfen destek ekibimizle iletişime geçin.", - ), - "terminate": MessageLookupByLibrary.simpleMessage("Sonlandır"), - "terminateSession": MessageLookupByLibrary.simpleMessage( - "Oturum sonlandırılsın mı?", - ), - "terms": MessageLookupByLibrary.simpleMessage("Şartlar"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Şartlar"), - "thankYou": MessageLookupByLibrary.simpleMessage("Teşekkürler"), - "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( - "Abone olduğunuz için teşekkürler!", - ), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "İndirme işlemi tamamlanamadı", - ), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "Erişmeye çalıştığınız bağlantının süresi dolmuştur.", - ), - "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "Kişi grupları artık kişiler bölümünde görüntülenmeyecek. Fotoğraflar dokunulmadan kalacaktır.", - ), - "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "Kişi artık kişiler bölümünde görüntülenmeyecek. Fotoğraflar dokunulmadan kalacaktır.", - ), - "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "Girdiğiniz kurtarma kodu yanlış", - ), - "theme": MessageLookupByLibrary.simpleMessage("Tema"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Bu öğeler cihazınızdan silinecektir.", - ), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "Tüm albümlerden silinecek.", - ), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Bu eylem geri alınamaz", - ), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "Bu albümde zaten bir ortak çalışma bağlantısı var", - ), - "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( - "Bu, iki faktörünüzü kaybederseniz hesabınızı kurtarmak için kullanılabilir", - ), - "thisDevice": MessageLookupByLibrary.simpleMessage("Bu cihaz"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "Bu e-posta zaten kullanılıyor", - ), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Bu görselde exif verisi yok", - ), - "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("Bu benim!"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Doğrulama kimliğiniz", - ), - "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( - "Yıllar boyunca bu hafta", - ), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Bu, sizi aşağıdaki cihazdan çıkış yapacak:", - ), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Bu cihazdaki oturumunuz kapatılacak!", - ), - "thisWillMakeTheDateAndTimeOfAllSelected": - MessageLookupByLibrary.simpleMessage( - "Bu, seçilen tüm fotoğrafların tarih ve saatini aynı yapacaktır.", - ), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "Bu, seçilen tüm hızlı bağlantıların genel bağlantılarını kaldıracaktır.", - ), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "Uygulama kilidini etkinleştirmek için lütfen sistem ayarlarınızda cihaz şifresi veya ekran kilidi ayarlayın.", - ), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( - "Bir fotoğrafı veya videoyu gizlemek için", - ), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Şifrenizi sıfılamak için lütfen e-postanızı girin.", - ), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Bugünün kayıtları"), - "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( - "Çok fazla hatalı deneme", - ), - "total": MessageLookupByLibrary.simpleMessage("total"), - "totalSize": MessageLookupByLibrary.simpleMessage("Toplam boyut"), - "trash": MessageLookupByLibrary.simpleMessage("Cöp kutusu"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Kes"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": MessageLookupByLibrary.simpleMessage( - "Güvenilir kişiler", - ), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Tekrar deneyiniz"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Bu cihaz klasörüne eklenen dosyaları otomatik olarak ente\'ye yüklemek için yedeklemeyi açın.", - ), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "Yıllık planlarda 2 ay ücretsiz", - ), - "twofactor": MessageLookupByLibrary.simpleMessage("İki faktörlü doğrulama"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "İki faktörlü kimlik doğrulama devre dışı", - ), - "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( - "İki faktörlü doğrulama", - ), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "İki faktörlü kimlik doğrulama başarıyla sıfırlandı", - ), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "İki faktörlü kurulum", - ), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("Arşivden cıkar"), - "unarchiveAlbum": MessageLookupByLibrary.simpleMessage("Arşivden Çıkar"), - "unarchiving": MessageLookupByLibrary.simpleMessage( - "Arşivden çıkarılıyor...", - ), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Üzgünüz, bu kod mevcut değil.", - ), - "uncategorized": MessageLookupByLibrary.simpleMessage("Kategorisiz"), - "unhide": MessageLookupByLibrary.simpleMessage("Gizleme"), - "unhideToAlbum": MessageLookupByLibrary.simpleMessage("Albümü gizleme"), - "unhiding": MessageLookupByLibrary.simpleMessage("Gösteriliyor..."), - "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Albümdeki dosyalar gösteriliyor", - ), - "unlock": MessageLookupByLibrary.simpleMessage("Kilidi aç"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage( - "Albümün sabitlemesini kaldır", - ), - "unselectAll": MessageLookupByLibrary.simpleMessage( - "Tümünün seçimini kaldır", - ), - "update": MessageLookupByLibrary.simpleMessage("Güncelle"), - "updateAvailable": MessageLookupByLibrary.simpleMessage( - "Güncelleme mevcut", - ), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Klasör seçimi güncelleniyor...", - ), - "upgrade": MessageLookupByLibrary.simpleMessage("Yükselt"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Dosyalar albüme taşınıyor...", - ), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( - "1 anı korunuyor...", - ), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "4 Aralık\'a kadar %50\'ye varan indirim.", - ), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "Kullanılabilir depolama alanı mevcut planınızla sınırlıdır. Talep edilen fazla depolama alanı, planınızı yükselttiğinizde otomatik olarak kullanılabilir hale gelecektir.", - ), - "useAsCover": MessageLookupByLibrary.simpleMessage("Kapak olarak kullanın"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "Bu videoyu oynatmakta sorun mu yaşıyorsunuz? Farklı bir oynatıcı denemek için buraya uzun basın.", - ), - "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Ente\'de olmayan kişiler için genel bağlantıları kullanın", - ), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Kurtarma anahtarını kullan", - ), - "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( - "Seçilen fotoğrafı kullan", - ), - "usedSpace": MessageLookupByLibrary.simpleMessage("Kullanılan alan"), - "validTill": m110, - "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Doğrulama başarısız oldu, lütfen tekrar deneyin", - ), - "verificationId": MessageLookupByLibrary.simpleMessage("Doğrulama kimliği"), - "verify": MessageLookupByLibrary.simpleMessage("Doğrula"), - "verifyEmail": MessageLookupByLibrary.simpleMessage( - "E-posta adresini doğrulayın", - ), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Doğrula"), - "verifyPasskey": MessageLookupByLibrary.simpleMessage( - "Şifrenizi doğrulayın", - ), - "verifyPassword": MessageLookupByLibrary.simpleMessage( - "Şifrenizi doğrulayın", - ), - "verifying": MessageLookupByLibrary.simpleMessage("Doğrulanıyor..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Kurtarma kodu doğrulanıyor...", - ), - "videoInfo": MessageLookupByLibrary.simpleMessage("Video Bilgileri"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), - "videoStreaming": MessageLookupByLibrary.simpleMessage( - "Akışlandırılabilir videolar", - ), - "videos": MessageLookupByLibrary.simpleMessage("Videolar"), - "viewActiveSessions": MessageLookupByLibrary.simpleMessage( - "Aktif oturumları görüntüle", - ), - "viewAddOnButton": MessageLookupByLibrary.simpleMessage( - "Eklentileri görüntüle", - ), - "viewAll": MessageLookupByLibrary.simpleMessage("Tümünü görüntüle"), - "viewAllExifData": MessageLookupByLibrary.simpleMessage( - "Tüm EXIF verilerini görüntüle", - ), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Büyük dosyalar"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "En fazla depolama alanı kullanan dosyaları görüntüleyin.", - ), - "viewLogs": MessageLookupByLibrary.simpleMessage("Kayıtları görüntüle"), - "viewPersonToUnlink": m112, - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Kurtarma anahtarını görüntüle", - ), - "viewer": MessageLookupByLibrary.simpleMessage("Görüntüleyici"), - "viewersSuccessfullyAdded": m113, - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Aboneliğinizi yönetmek için lütfen web.ente.io adresini ziyaret edin", - ), - "waitingForVerification": MessageLookupByLibrary.simpleMessage( - "Doğrulama bekleniyor...", - ), - "waitingForWifi": MessageLookupByLibrary.simpleMessage( - "WiFi bekleniyor...", - ), - "warning": MessageLookupByLibrary.simpleMessage("Uyarı"), - "weAreOpenSource": MessageLookupByLibrary.simpleMessage( - "Biz açık kaynağız!", - ), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "Henüz sahibi olmadığınız fotoğraf ve albümlerin düzenlenmesini desteklemiyoruz", - ), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Zayıf"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("Tekrardan hoşgeldin!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("Yenilikler"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage("."), - "widgets": MessageLookupByLibrary.simpleMessage("Widget\'lar"), - "wishThemAHappyBirthday": m115, - "yearShort": MessageLookupByLibrary.simpleMessage("yıl"), - "yearly": MessageLookupByLibrary.simpleMessage("Yıllık"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Evet"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Evet, iptal et"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "Evet, görüntüleyici olarak dönüştür", - ), - "yesDelete": MessageLookupByLibrary.simpleMessage("Evet, sil"), - "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( - "Evet, değişiklikleri sil", - ), - "yesIgnore": MessageLookupByLibrary.simpleMessage("Evet, görmezden gel"), - "yesLogout": MessageLookupByLibrary.simpleMessage("Evet, oturumu kapat"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Evet, sil"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Evet, yenile"), - "yesResetPerson": MessageLookupByLibrary.simpleMessage( - "Evet, kişiyi sıfırla", - ), - "you": MessageLookupByLibrary.simpleMessage("Sen"), - "youAndThem": m117, - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( - "Aile planı kullanıyorsunuz!", - ), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "En son sürüme sahipsiniz", - ), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Alanınızı en fazla ikiye katlayabilirsiniz", - ), - "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( - "Bağlantılarınızı paylaşım sekmesinden yönetebilirsiniz.", - ), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "Farklı bir sorgu aramayı deneyebilirsiniz.", - ), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "Bu plana geçemezsiniz", - ), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Kendinizle paylaşamazsınız", - ), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "Arşivlenmiş öğeniz yok.", - ), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "Hesabınız silindi", - ), - "yourMap": MessageLookupByLibrary.simpleMessage("Haritalarınız"), - "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( - "Planınız başarıyla düşürüldü", - ), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "Planınız başarıyla yükseltildi", - ), - "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( - "Satın alım başarılı", - ), - "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( - "Depolama bilgisi alınamadı", - ), - "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( - "Aboneliğinizin süresi doldu", - ), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "Aboneliğiniz başarıyla güncellendi", - ), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "Doğrulama kodunuzun süresi doldu", - ), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage( - "Temizlenebilecek yinelenen dosyalarınız yok", - ), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "Her şey zaten temiz, silinecek dosya kalmadı", - ), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( - "Fotoğrafları görmek için uzaklaştırın", - ), - }; + "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( + "Ente için yeni bir sürüm mevcut."), + "about": MessageLookupByLibrary.simpleMessage("Hakkında"), + "acceptTrustInvite": + MessageLookupByLibrary.simpleMessage("Daveti Kabul Et"), + "account": MessageLookupByLibrary.simpleMessage("Hesap"), + "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( + "Hesap zaten yapılandırılmıştır."), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("Tekrar hoş geldiniz!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Şifremi kaybedersem, verilerim uçtan uca şifrelendiği için verilerimi kaybedebileceğimi farkındayım."), + "actionNotSupportedOnFavouritesAlbum": + MessageLookupByLibrary.simpleMessage( + "Favoriler albümünde eylem desteklenmiyor"), + "activeSessions": + MessageLookupByLibrary.simpleMessage("Aktif oturumlar"), + "add": MessageLookupByLibrary.simpleMessage("Ekle"), + "addAName": MessageLookupByLibrary.simpleMessage("Bir Ad Ekle"), + "addANewEmail": + MessageLookupByLibrary.simpleMessage("Yeni e-posta ekle"), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Ana ekranınıza bir albüm widget\'ı ekleyin ve özelleştirmek için buraya geri dönün."), + "addCollaborator": + MessageLookupByLibrary.simpleMessage("Düzenleyici ekle"), + "addCollaborators": m1, + "addFiles": MessageLookupByLibrary.simpleMessage("Dosyaları Ekle"), + "addFromDevice": MessageLookupByLibrary.simpleMessage("Cihazdan ekle"), + "addItem": m2, + "addLocation": MessageLookupByLibrary.simpleMessage("Konum Ekle"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Ekle"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Ana ekranınıza bir anılar widget\'ı ekleyin ve özelleştirmek için buraya geri dönün."), + "addMore": MessageLookupByLibrary.simpleMessage("Daha fazla ekle"), + "addName": MessageLookupByLibrary.simpleMessage("İsim Ekle"), + "addNameOrMerge": MessageLookupByLibrary.simpleMessage( + "İsim ekleyin veya birleştirin"), + "addNew": MessageLookupByLibrary.simpleMessage("Yeni ekle"), + "addNewPerson": MessageLookupByLibrary.simpleMessage("Yeni kişi ekle"), + "addOnPageSubtitle": + MessageLookupByLibrary.simpleMessage("Eklentilerin ayrıntıları"), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("Eklentiler"), + "addParticipants": + MessageLookupByLibrary.simpleMessage("Katılımcı ekle"), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Ana ekranınıza bir kişiler widget\'ı ekleyin ve özelleştirmek için buraya geri dönün."), + "addPhotos": MessageLookupByLibrary.simpleMessage("Fotoğraf ekle"), + "addSelected": MessageLookupByLibrary.simpleMessage("Seçileni ekle"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("Albüme ekle"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Ente\'ye ekle"), + "addToHiddenAlbum": + MessageLookupByLibrary.simpleMessage("Gizli albüme ekle"), + "addTrustedContact": + MessageLookupByLibrary.simpleMessage("Güvenilir kişi ekle"), + "addViewer": MessageLookupByLibrary.simpleMessage("Görüntüleyici ekle"), + "addViewers": m4, + "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( + "Fotoğraflarınızı şimdi ekleyin"), + "addedAs": MessageLookupByLibrary.simpleMessage("Eklendi"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": + MessageLookupByLibrary.simpleMessage("Favorilere ekleniyor..."), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("Gelişmiş"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Gelişmiş"), + "after1Day": MessageLookupByLibrary.simpleMessage("1 gün sonra"), + "after1Hour": MessageLookupByLibrary.simpleMessage("1 saat sonra"), + "after1Month": MessageLookupByLibrary.simpleMessage("1 ay sonra"), + "after1Week": MessageLookupByLibrary.simpleMessage("1 hafta sonra"), + "after1Year": MessageLookupByLibrary.simpleMessage("1 yıl sonra"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Sahip"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Albüm Başlığı"), + "albumUpdated": + MessageLookupByLibrary.simpleMessage("Albüm güncellendi"), + "albums": MessageLookupByLibrary.simpleMessage("Albümler"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Ana ekranınızda görmek istediğiniz albümleri seçin."), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Tümü temizlendi"), + "allMemoriesPreserved": + MessageLookupByLibrary.simpleMessage("Tüm anılar saklandı"), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "Bu kişi için tüm gruplamalar sıfırlanacak ve bu kişi için yaptığınız tüm önerileri kaybedeceksiniz"), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "Tüm isimsiz gruplar seçilen kişiyle birleştirilecektir. Bu, kişinin öneri geçmişine genel bakışından hala geri alınabilir."), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "Bu, gruptaki ilk fotoğraftır. Seçilen diğer fotoğraflar otomatik olarak bu yeni tarihe göre kaydırılacaktır"), + "allow": MessageLookupByLibrary.simpleMessage("İzin ver"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Bağlantıya sahip olan kişilerin paylaşılan albüme fotoğraf eklemelerine izin ver."), + "allowAddingPhotos": + MessageLookupByLibrary.simpleMessage("Fotoğraf eklemeye izin ver"), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "Uygulamanın paylaşılan albüm bağlantılarını açmasına izin ver"), + "allowDownloads": + MessageLookupByLibrary.simpleMessage("İndirmeye izin ver"), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Kullanıcıların fotoğraf eklemesine izin ver"), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Ente\'nin kitaplığınızı görüntüleyebilmesi ve yedekleyebilmesi için lütfen Ayarlar\'dan fotoğraflarınıza erişime izin verin."), + "allowPermTitle": MessageLookupByLibrary.simpleMessage( + "Fotoğraflara erişime izin verin"), + "androidBiometricHint": + MessageLookupByLibrary.simpleMessage("Kimliği doğrula"), + "androidBiometricNotRecognized": + MessageLookupByLibrary.simpleMessage("Tanınmadı. Tekrar deneyin."), + "androidBiometricRequiredTitle": + MessageLookupByLibrary.simpleMessage("Biyometrik gerekli"), + "androidBiometricSuccess": + MessageLookupByLibrary.simpleMessage("Başarılı"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("İptal et"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage( + "Cihaz kimlik bilgileri gerekli"), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage( + "Cihaz kimlik bilgileri gerekmekte"), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Biyometrik kimlik doğrulama cihazınızda ayarlanmamış. Biyometrik kimlik doğrulama eklemek için \'Ayarlar > Güvenlik\' bölümüne gidin."), + "androidIosWebDesktop": + MessageLookupByLibrary.simpleMessage("Android, iOS, Web, Masaüstü"), + "androidSignInTitle": + MessageLookupByLibrary.simpleMessage("Kimlik doğrulaması gerekli"), + "appIcon": MessageLookupByLibrary.simpleMessage("Uygulama simgesi"), + "appLock": MessageLookupByLibrary.simpleMessage("Uygulama kilidi"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Cihazınızın varsayılan kilit ekranı ile PIN veya parola içeren özel bir kilit ekranı arasında seçim yapın."), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), + "apply": MessageLookupByLibrary.simpleMessage("Uygula"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Kodu girin"), + "appstoreSubscription": + MessageLookupByLibrary.simpleMessage("AppStore aboneliği"), + "archive": MessageLookupByLibrary.simpleMessage("Arşiv"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("Albümü arşivle"), + "archiving": MessageLookupByLibrary.simpleMessage("Arşivleniyor..."), + "areThey": MessageLookupByLibrary.simpleMessage("Onlar mı "), + "areYouSureRemoveThisFaceFromPerson": + MessageLookupByLibrary.simpleMessage( + "Bu yüzü bu kişiden çıkarmak istediğine emin misin?"), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Aile planından ayrılmak istediğinize emin misiniz?"), + "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( + "İptal etmek istediğinize emin misiniz?"), + "areYouSureYouWantToChangeYourPlan": + MessageLookupByLibrary.simpleMessage( + "Planı değistirmek istediğinize emin misiniz?"), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "Çıkmak istediğinden emin misiniz?"), + "areYouSureYouWantToIgnoreThesePersons": + MessageLookupByLibrary.simpleMessage( + "Bu insanları görmezden gelmek istediğine emin misiniz?"), + "areYouSureYouWantToIgnoreThisPerson": + MessageLookupByLibrary.simpleMessage( + "Bu kişiyi görmezden gelmek istediğine emin misin?"), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Çıkış yapmak istediğinize emin misiniz?"), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "Onları birleştirmek istediğine emin misiniz?"), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "Yenilemek istediğinize emin misiniz?"), + "areYouSureYouWantToResetThisPerson": + MessageLookupByLibrary.simpleMessage( + "Bu kişiyi sıfırlamak istediğinden emin misiniz?"), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "Aboneliğiniz iptal edilmiştir. Bunun sebebini paylaşmak ister misiniz?"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Hesabınızı silme sebebiniz nedir?"), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Sevdiklerinizden paylaşmalarını isteyin"), + "atAFalloutShelter": + MessageLookupByLibrary.simpleMessage("serpinti sığınağında"), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "E-posta doğrulamasını değiştirmek için lütfen kimlik doğrulaması yapın"), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Kilit ekranı ayarını değiştirmek için lütfen kimliğinizi doğrulayın"), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "E-postanızı değiştirmek için lütfen kimlik doğrulaması yapın"), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Şifrenizi değiştirmek için lütfen kimlik doğrulaması yapın"), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "İki faktörlü kimlik doğrulamayı yapılandırmak için lütfen kimlik doğrulaması yapın"), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Hesap silme işlemini başlatmak için lütfen kimlik doğrulaması yapın"), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Güvenilir kişilerinizi yönetmek için lütfen kimlik doğrulaması yapın"), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Geçiş anahtarınızı görüntülemek için lütfen kimlik doğrulaması yapın"), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Çöp dosyalarınızı görüntülemek için lütfen kimlik doğrulaması yapın"), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Aktif oturumlarınızı görüntülemek için lütfen kimliğinizi doğrulayın"), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Gizli dosyalarınızı görüntülemek için kimlik doğrulama yapınız"), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Kodlarınızı görmek için lütfen kimlik doğrulaması yapın"), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Kurtarma anahtarınızı görmek için lütfen kimliğinizi doğrulayın"), + "authenticating": + MessageLookupByLibrary.simpleMessage("Kimlik doğrulanıyor..."), + "authenticationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Kimlik doğrulama başarısız oldu, lütfen tekrar deneyin"), + "authenticationSuccessful": + MessageLookupByLibrary.simpleMessage("Kimlik doğrulama başarılı!"), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Mevcut Cast cihazlarını burada görebilirsiniz."), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Ayarlar\'da Ente Photos uygulaması için Yerel Ağ izinlerinin açık olduğundan emin olun."), + "autoLock": MessageLookupByLibrary.simpleMessage("Otomatik Kilit"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Uygulama arka plana geçtikten sonra kilitleneceği süre"), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "Teknik aksaklık nedeniyle oturumunuz kapatıldı. Verdiğimiz rahatsızlıktan dolayı özür dileriz."), + "autoPair": MessageLookupByLibrary.simpleMessage("Otomatik eşle"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "Otomatik eşleştirme yalnızca Chromecast destekleyen cihazlarla çalışır."), + "available": MessageLookupByLibrary.simpleMessage("Mevcut"), + "availableStorageSpace": m10, + "backedUpFolders": + MessageLookupByLibrary.simpleMessage("Yedeklenmiş klasörler"), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("Yedekle"), + "backupFailed": + MessageLookupByLibrary.simpleMessage("Yedekleme başarısız oldu"), + "backupFile": MessageLookupByLibrary.simpleMessage("Yedek Dosyası"), + "backupOverMobileData": + MessageLookupByLibrary.simpleMessage("Mobil veri ile yedekle"), + "backupSettings": + MessageLookupByLibrary.simpleMessage("Yedekleme seçenekleri"), + "backupStatus": + MessageLookupByLibrary.simpleMessage("Yedekleme durumu"), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Eklenen öğeler burada görünecek"), + "backupVideos": + MessageLookupByLibrary.simpleMessage("Videoları yedekle"), + "beach": MessageLookupByLibrary.simpleMessage("Kum ve deniz"), + "birthday": MessageLookupByLibrary.simpleMessage("Doğum Günü"), + "birthdayNotifications": + MessageLookupByLibrary.simpleMessage("Doğum günü bildirimleri"), + "birthdays": MessageLookupByLibrary.simpleMessage("Doğum Günleri"), + "blackFridaySale": + MessageLookupByLibrary.simpleMessage("Muhteşem Cuma kampanyası"), + "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cLDesc1": MessageLookupByLibrary.simpleMessage( + "Video akışı beta sürümünün arkasında ve devam ettirilebilir yüklemeler ve indirmeler üzerinde çalışırken, artık dosya yükleme sınırını 10 GB\'a çıkardık. Bu artık hem masaüstü hem de mobil uygulamalarda kullanılabilir."), + "cLDesc2": MessageLookupByLibrary.simpleMessage( + "Arka plan yüklemeleri artık Android cihazlara ek olarak iOS\'ta da destekleniyor. En son fotoğraflarınızı ve videolarınızı yedeklemek için uygulamayı açmanıza gerek yok."), + "cLDesc3": MessageLookupByLibrary.simpleMessage( + "Otomatik oynatma, bir sonraki belleğe kaydırma ve çok daha fazlası dahil olmak üzere bellek deneyimimizde önemli iyileştirmeler yaptık."), + "cLDesc4": MessageLookupByLibrary.simpleMessage( + "Bazı arka plandaki iyileştirmelere ek olarak, artık tespit edilen tüm yüzleri görmek, benzer yüzler hakkında geri bildirimde bulunmak ve tek bir fotoğraftan yüz ekleyip çıkarmak çok daha kolay."), + "cLDesc5": MessageLookupByLibrary.simpleMessage( + "Ente’ye kaydettiğiniz tüm doğum günleri için artık en iyi fotoğraflarından oluşan bir koleksiyonla birlikte, devre dışı bırakabileceğiniz bir bildirim alacaksınız."), + "cLDesc6": MessageLookupByLibrary.simpleMessage( + "Uygulamayı kapatmadan önce yüklemelerin / indirmelerin tamamlanmasını beklemenize gerek yok. Tüm yüklemeler ve indirmeler artık yarıda duraklatma ve kaldığınız yerden devam etme özelliğine sahip."), + "cLTitle1": MessageLookupByLibrary.simpleMessage( + "Büyük Video Dosyalarını Yükleme"), + "cLTitle2": MessageLookupByLibrary.simpleMessage("Arka Plan Yükleme"), + "cLTitle3": + MessageLookupByLibrary.simpleMessage("Otomatik Oynatma Anıları"), + "cLTitle4": + MessageLookupByLibrary.simpleMessage("Geliştirilmiş Yüz Tanıma"), + "cLTitle5": + MessageLookupByLibrary.simpleMessage("Doğum Günü Bildirimleri"), + "cLTitle6": MessageLookupByLibrary.simpleMessage( + "Devam Ettirilebilir Yüklemeler ve İndirmeler"), + "cachedData": + MessageLookupByLibrary.simpleMessage("Önbelleğe alınmış veriler"), + "calculating": MessageLookupByLibrary.simpleMessage("Hesaplanıyor..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Üzgünüz, Bu albüm uygulama içinde açılamadı."), + "canNotOpenTitle": + MessageLookupByLibrary.simpleMessage("Albüm açılamadı"), + "canNotUploadToAlbumsOwnedByOthers": + MessageLookupByLibrary.simpleMessage( + "Başkalarına ait albümlere yüklenemez"), + "canOnlyCreateLinkForFilesOwnedByYou": + MessageLookupByLibrary.simpleMessage( + "Yalnızca size ait dosyalar için bağlantı oluşturabilir"), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Yalnızca size ait dosyaları kaldırabilir"), + "cancel": MessageLookupByLibrary.simpleMessage("İptal et"), + "cancelAccountRecovery": + MessageLookupByLibrary.simpleMessage("Kurtarma işlemini iptal et"), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "Kurtarmayı iptal etmek istediğinize emin misiniz?"), + "cancelOtherSubscription": m12, + "cancelSubscription": + MessageLookupByLibrary.simpleMessage("Abonelik iptali"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": + MessageLookupByLibrary.simpleMessage("Dosyalar silinemiyor"), + "castAlbum": MessageLookupByLibrary.simpleMessage("Yayın albümü"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Lütfen TV ile aynı ağda olduğunuzdan emin olun."), + "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( + "Albüm yüklenirken hata oluştu"), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Eşleştirmek istediğiniz cihazda cast.ente.io adresini ziyaret edin.\n\nAlbümü TV\'nizde oynatmak için aşağıdaki kodu girin."), + "centerPoint": MessageLookupByLibrary.simpleMessage("Merkez noktası"), + "change": MessageLookupByLibrary.simpleMessage("Değiştir"), + "changeEmail": + MessageLookupByLibrary.simpleMessage("E-posta adresini değiştir"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Seçilen öğelerin konumu değiştirilsin mi?"), + "changePassword": + MessageLookupByLibrary.simpleMessage("Şifrenizi değiştirin"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("Parolanızı değiştirin"), + "changePermissions": + MessageLookupByLibrary.simpleMessage("İzinleri değiştir?"), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Referans kodunuzu değiştirin"), + "checkForUpdates": + MessageLookupByLibrary.simpleMessage("Güncellemeleri kontol et"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Lütfen doğrulama işlemini tamamlamak için gelen kutunuzu (ve spam klasörünüzü) kontrol edin"), + "checkStatus": + MessageLookupByLibrary.simpleMessage("Durumu kontrol edin"), + "checking": MessageLookupByLibrary.simpleMessage("Kontrol ediliyor..."), + "checkingModels": MessageLookupByLibrary.simpleMessage( + "Modeller kontrol ediliyor..."), + "city": MessageLookupByLibrary.simpleMessage("Şehirde"), + "claimFreeStorage": + MessageLookupByLibrary.simpleMessage("Bedava alan kazanın"), + "claimMore": MessageLookupByLibrary.simpleMessage("Arttır!"), + "claimed": MessageLookupByLibrary.simpleMessage("Alındı"), + "claimedStorageSoFar": m14, + "cleanUncategorized": + MessageLookupByLibrary.simpleMessage("Temiz Genel"), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Diğer albümlerde bulunan Kategorilenmemiş tüm dosyaları kaldırın"), + "clearCaches": + MessageLookupByLibrary.simpleMessage("Önbelleği temizle"), + "clearIndexes": + MessageLookupByLibrary.simpleMessage("Dizinleri temizle"), + "click": MessageLookupByLibrary.simpleMessage("• Tıklamak"), + "clickOnTheOverflowMenu": + MessageLookupByLibrary.simpleMessage("• Taşma menüsüne tıklayın"), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Bugüne kadarki en iyi sürümümüzü yüklemek için tıklayın"), + "close": MessageLookupByLibrary.simpleMessage("Kapat"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( + "Yakalama zamanına göre kulüp"), + "clubByFileName": + MessageLookupByLibrary.simpleMessage("Dosya adına göre kulüp"), + "clusteringProgress": + MessageLookupByLibrary.simpleMessage("Kümeleme ilerlemesi"), + "codeAppliedPageTitle": + MessageLookupByLibrary.simpleMessage("Kod kabul edildi"), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Üzgünüz, kod değişikliklerinin sınırına ulaştınız."), + "codeCopiedToClipboard": + MessageLookupByLibrary.simpleMessage("Kodunuz panoya kopyalandı"), + "codeUsedByYou": + MessageLookupByLibrary.simpleMessage("Sizin kullandığınız kod"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Ente aplikasyonu veya hesabı olmadan insanların paylaşılan albümde fotoğraf ekleyip görüntülemelerine izin vermek için bir bağlantı oluşturun. Grup veya etkinlik fotoğraflarını toplamak için harika bir seçenek."), + "collaborativeLink": + MessageLookupByLibrary.simpleMessage("Ortak bağlantı"), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Düzenleyici"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Düzenleyiciler, paylaşılan albüme fotoğraf ve videolar ekleyebilir."), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("Düzen"), + "collageSaved": MessageLookupByLibrary.simpleMessage( + "Kolajınız galeriye kaydedildi"), + "collect": MessageLookupByLibrary.simpleMessage("Topla"), + "collectEventPhotos": MessageLookupByLibrary.simpleMessage( + "Etkinlik fotoğraflarını topla"), + "collectPhotos": + MessageLookupByLibrary.simpleMessage("Fotoğrafları topla"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Arkadaşlarınızın orijinal kalitede fotoğraf yükleyebileceği bir bağlantı oluşturun."), + "color": MessageLookupByLibrary.simpleMessage("Renk"), + "configuration": MessageLookupByLibrary.simpleMessage("Yapılandırma"), + "confirm": MessageLookupByLibrary.simpleMessage("Onayla"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "İki adımlı kimlik doğrulamasını devre dışı bırakmak istediğinize emin misiniz?"), + "confirmAccountDeletion": + MessageLookupByLibrary.simpleMessage("Hesap silme işlemini onayla"), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Evet, bu hesabı ve verilerini tüm uygulamalardan kalıcı olarak silmek istiyorum."), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("Şifrenizi onaylayın"), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage( + "Plan değişikliğini onaylayın"), + "confirmRecoveryKey": + MessageLookupByLibrary.simpleMessage("Kurtarma anahtarını doğrula"), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Kurtarma anahtarını doğrulayın"), + "connectToDevice": + MessageLookupByLibrary.simpleMessage("Cihaza bağlanın"), + "contactFamilyAdmin": m18, + "contactSupport": + MessageLookupByLibrary.simpleMessage("Destek ile iletişim"), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Kişiler"), + "contents": MessageLookupByLibrary.simpleMessage("İçerikler"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Devam edin"), + "continueOnFreeTrial": + MessageLookupByLibrary.simpleMessage("Ücretsiz denemeye devam et"), + "convertToAlbum": MessageLookupByLibrary.simpleMessage("Albüme taşı"), + "copyEmailAddress": + MessageLookupByLibrary.simpleMessage("E-posta adresini kopyala"), + "copyLink": MessageLookupByLibrary.simpleMessage("Bağlantıyı kopyala"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Bu kodu kopyalayın ve kimlik doğrulama uygulamanıza yapıştırın"), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "Verilerinizi yedekleyemedik.\nDaha sonra tekrar deneyeceğiz."), + "couldNotFreeUpSpace": + MessageLookupByLibrary.simpleMessage("Yer boşaltılamadı"), + "couldNotUpdateSubscription": + MessageLookupByLibrary.simpleMessage("Abonelikler kaydedilemedi"), + "count": MessageLookupByLibrary.simpleMessage("Miktar"), + "crashReporting": + MessageLookupByLibrary.simpleMessage("Çökme raporlaması"), + "create": MessageLookupByLibrary.simpleMessage("Oluştur"), + "createAccount": + MessageLookupByLibrary.simpleMessage("Hesap oluşturun"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Fotoğrafları seçmek için uzun basın ve + düğmesine tıklayarak bir albüm oluşturun"), + "createCollaborativeLink": + MessageLookupByLibrary.simpleMessage("Ortak bağlantı oluşturun"), + "createCollage": MessageLookupByLibrary.simpleMessage("Kolaj oluştur"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("Yeni bir hesap oluşturun"), + "createOrSelectAlbum": + MessageLookupByLibrary.simpleMessage("Albüm oluştur veya seç"), + "createPublicLink": MessageLookupByLibrary.simpleMessage( + "Herkese açık bir bağlantı oluştur"), + "creatingLink": + MessageLookupByLibrary.simpleMessage("Bağlantı oluşturuluyor..."), + "criticalUpdateAvailable": + MessageLookupByLibrary.simpleMessage("Kritik güncelleme mevcut"), + "crop": MessageLookupByLibrary.simpleMessage("Kırp"), + "curatedMemories": + MessageLookupByLibrary.simpleMessage("Seçilmiş anılar"), + "currentUsageIs": + MessageLookupByLibrary.simpleMessage("Güncel kullanımınız "), + "currentlyRunning": + MessageLookupByLibrary.simpleMessage("şu anda çalışıyor"), + "custom": MessageLookupByLibrary.simpleMessage("Özel"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Karanlık"), + "dayToday": MessageLookupByLibrary.simpleMessage("Bugün"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Dün"), + "declineTrustInvite": + MessageLookupByLibrary.simpleMessage("Daveti Reddet"), + "decrypting": + MessageLookupByLibrary.simpleMessage("Şifre çözülüyor..."), + "decryptingVideo": MessageLookupByLibrary.simpleMessage( + "Videonun şifresi çözülüyor..."), + "deduplicateFiles": + MessageLookupByLibrary.simpleMessage("Dosyaları Tekilleştirme"), + "delete": MessageLookupByLibrary.simpleMessage("Sil"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Hesabı sil"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Gittiğini gördüğümüze üzüldük. Lütfen gelişmemize yardımcı olmak için neden ayrıldığınızı açıklayın."), + "deleteAccountPermanentlyButton": + MessageLookupByLibrary.simpleMessage("Hesabımı kalıcı olarak sil"), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Albümü sil"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Ayrıca bu albümde bulunan fotoğrafları (ve videoları) parçası oldukları tüm diğer albümlerden silebilir miyim?"), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "Bu, tüm boş albümleri silecektir. Bu, albüm listenizdeki dağınıklığı azaltmak istediğinizde kullanışlıdır."), + "deleteAll": MessageLookupByLibrary.simpleMessage("Hepsini Sil"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "Kullandığınız Ente uygulamaları varsa bu hesap diğer Ente uygulamalarıyla bağlantılıdır. Tüm Ente uygulamalarına yüklediğiniz veriler ve hesabınız kalıcı olarak silinecektir."), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Lütfen kayıtlı e-posta adresinizden account-deletion@ente.io\'ya e-posta gönderiniz."), + "deleteEmptyAlbums": + MessageLookupByLibrary.simpleMessage("Boş albümleri sil"), + "deleteEmptyAlbumsWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Boş albümler silinsin mi?"), + "deleteFromBoth": + MessageLookupByLibrary.simpleMessage("Her ikisinden de sil"), + "deleteFromDevice": + MessageLookupByLibrary.simpleMessage("Cihazınızdan silin"), + "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Ente\'den Sil"), + "deleteItemCount": m21, + "deleteLocation": MessageLookupByLibrary.simpleMessage("Konumu sil"), + "deleteMultipleAlbumDialog": m22, + "deletePhotos": + MessageLookupByLibrary.simpleMessage("Fotoğrafları sil"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "İhtiyacım olan önemli bir özellik eksik"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "Uygulama veya bir özellik olması gerektiğini düşündüğüm gibi çalışmıyor"), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Daha çok sevdiğim başka bir hizmet buldum"), + "deleteReason4": + MessageLookupByLibrary.simpleMessage("Nedenim listede yok"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "İsteğiniz 72 saat içinde gerçekleştirilecek."), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Paylaşılan albüm silinsin mi?"), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "Albüm herkes için silinecek\n\nBu albümdeki başkalarına ait paylaşılan fotoğraflara erişiminizi kaybedeceksiniz"), + "deselectAll": + MessageLookupByLibrary.simpleMessage("Tüm seçimi kaldır"), + "designedToOutlive": MessageLookupByLibrary.simpleMessage( + "Hayatta kalmak için tasarlandı"), + "details": MessageLookupByLibrary.simpleMessage("Ayrıntılar"), + "developerSettings": + MessageLookupByLibrary.simpleMessage("Geliştirici ayarları"), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Geliştirici ayarlarını değiştirmek istediğinizden emin misiniz?"), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Kodu girin"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "Bu cihazın albümüne eklenen dosyalar otomatik olarak ente\'ye yüklenecektir."), + "deviceLock": MessageLookupByLibrary.simpleMessage("Cihaz kilidi"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Ente uygulaması önplanda calıştığında ve bir yedekleme işlemi devam ettiğinde, cihaz ekran kilidini devre dışı bırakın. Bu genellikle gerekli olmasa da, büyük dosyaların yüklenmesi ve büyük kütüphanelerin başlangıçta içe aktarılması sürecini hızlandırabilir."), + "deviceNotFound": + MessageLookupByLibrary.simpleMessage("Cihaz bulunamadı"), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Biliyor musun?"), + "different": MessageLookupByLibrary.simpleMessage("Farklı"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage( + "Otomatik kilidi devre dışı bırak"), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Görüntüleyiciler, hala harici araçlar kullanarak ekran görüntüsü alabilir veya fotoğraflarınızın bir kopyasını kaydedebilir. Lütfen bunu göz önünde bulundurunuz"), + "disableDownloadWarningTitle": + MessageLookupByLibrary.simpleMessage("Lütfen dikkate alın"), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "İki Aşamalı Doğrulamayı Devre Dışı Bırak"), + "disablingTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "İki aşamalı doğrulamayı devre dışı bırak..."), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Keşfet"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Bebek"), + "discover_celebrations": + MessageLookupByLibrary.simpleMessage("Kutlamalar "), + "discover_food": MessageLookupByLibrary.simpleMessage("Yiyecek"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Yeşillik"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Tepeler"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Kimlik"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Mimler"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Notlar"), + "discover_pets": + MessageLookupByLibrary.simpleMessage("Evcil Hayvanlar"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Makbuzlar"), + "discover_screenshots": + MessageLookupByLibrary.simpleMessage("Ekran Görüntüleri"), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Özçekimler"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Gün batımı"), + "discover_visiting_cards": + MessageLookupByLibrary.simpleMessage("Ziyaret Kartları"), + "discover_wallpapers": + MessageLookupByLibrary.simpleMessage("Duvar Kağıtları"), + "dismiss": MessageLookupByLibrary.simpleMessage("Reddet"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage("Çıkış yapma"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Sonra yap"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Yaptığınız düzenlemeleri silmek istiyor musunuz?"), + "done": MessageLookupByLibrary.simpleMessage("Bitti"), + "dontSave": MessageLookupByLibrary.simpleMessage("Kaydetme"), + "doubleYourStorage": MessageLookupByLibrary.simpleMessage( + "Depolama alanınızı ikiye katlayın"), + "download": MessageLookupByLibrary.simpleMessage("İndir"), + "downloadFailed": + MessageLookupByLibrary.simpleMessage("İndirme başarısız"), + "downloading": MessageLookupByLibrary.simpleMessage("İndiriliyor..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Düzenle"), + "editEmailAlreadyLinked": m28, + "editLocation": MessageLookupByLibrary.simpleMessage("Konumu düzenle"), + "editLocationTagTitle": + MessageLookupByLibrary.simpleMessage("Konumu düzenle"), + "editPerson": MessageLookupByLibrary.simpleMessage("Kişiyi düzenle"), + "editTime": MessageLookupByLibrary.simpleMessage("Zamanı düzenle"), + "editsSaved": + MessageLookupByLibrary.simpleMessage("Düzenleme kaydedildi"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Konumda yapılan düzenlemeler yalnızca Ente\'de görülecektir"), + "eligible": MessageLookupByLibrary.simpleMessage("uygun"), + "email": MessageLookupByLibrary.simpleMessage("E-Posta"), + "emailAlreadyRegistered": + MessageLookupByLibrary.simpleMessage("E-posta zaten kayıtlı."), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": + MessageLookupByLibrary.simpleMessage("E-posta kayıtlı değil."), + "emailVerificationToggle": + MessageLookupByLibrary.simpleMessage("E-posta doğrulama"), + "emailYourLogs": MessageLookupByLibrary.simpleMessage( + "Kayıtlarınızı e-postayla gönderin"), + "embracingThem": m32, + "emergencyContacts": MessageLookupByLibrary.simpleMessage( + "Acil Durum İletişim Bilgileri"), + "empty": MessageLookupByLibrary.simpleMessage("Boşalt"), + "emptyTrash": + MessageLookupByLibrary.simpleMessage("Çöp kutusu boşaltılsın mı?"), + "enable": MessageLookupByLibrary.simpleMessage("Etkinleştir"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "Ente, yüz tanıma, sihirli arama ve diğer gelişmiş arama özellikleri için cihaz üzerinde çalışan makine öğrenimini kullanır"), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Sihirli arama ve yüz tanıma için makine öğrenimini etkinleştirin"), + "enableMaps": + MessageLookupByLibrary.simpleMessage("Haritaları Etkinleştir"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "Bu, fotoğraflarınızı bir dünya haritasında gösterecektir.\n\nBu harita Open Street Map tarafından barındırılmaktadır ve fotoğraflarınızın tam konumları hiçbir zaman paylaşılmaz.\n\nBu özelliği istediğiniz zaman Ayarlar\'dan devre dışı bırakabilirsiniz."), + "enabled": MessageLookupByLibrary.simpleMessage("Etkin"), + "encryptingBackup": + MessageLookupByLibrary.simpleMessage("Yedekleme şifreleniyor..."), + "encryption": MessageLookupByLibrary.simpleMessage("Şifreleme"), + "encryptionKeys": + MessageLookupByLibrary.simpleMessage("Şifreleme anahtarı"), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Fatura başarıyla güncellendi"), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Varsayılan olarak uçtan uca şifrelenmiş"), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente dosyaları yalnızca erişim izni verdiğiniz takdirde şifreleyebilir ve koruyabilir"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente fotoğrafları saklamak için iznine ihtiyaç duyuyor"), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "Ente anılarınızı korur, böylece cihazınızı kaybetseniz bile anılarınıza her zaman ulaşabilirsiniz."), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Aileniz de planınıza eklenebilir."), + "enterAlbumName": + MessageLookupByLibrary.simpleMessage("Bir albüm adı girin"), + "enterCode": MessageLookupByLibrary.simpleMessage("Kodu giriniz"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "İkiniz için de ücretsiz depolama alanı talep etmek için arkadaşınız tarafından sağlanan kodu girin"), + "enterDateOfBirth": + MessageLookupByLibrary.simpleMessage("Doğum Günü (isteğe bağlı)"), + "enterEmail": + MessageLookupByLibrary.simpleMessage("E-postanızı giriniz"), + "enterFileName": + MessageLookupByLibrary.simpleMessage("Dosya adını girin"), + "enterName": MessageLookupByLibrary.simpleMessage("İsim girin"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Verilerinizi şifrelemek için kullanabileceğimiz yeni bir şifre girin"), + "enterPassword": + MessageLookupByLibrary.simpleMessage("Şifrenizi girin"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Verilerinizi şifrelemek için kullanabileceğimiz bir şifre girin"), + "enterPersonName": + MessageLookupByLibrary.simpleMessage("Kişi ismini giriniz"), + "enterPin": MessageLookupByLibrary.simpleMessage("PIN Girin"), + "enterReferralCode": + MessageLookupByLibrary.simpleMessage("Davet kodunuzu girin"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Doğrulama uygulamasındaki 6 basamaklı kodu giriniz"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Lütfen geçerli bir e-posta adresi girin."), + "enterYourEmailAddress": + MessageLookupByLibrary.simpleMessage("E-posta adresinizi girin"), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Yeni e-posta adresinizi girin"), + "enterYourPassword": + MessageLookupByLibrary.simpleMessage("Lütfen şifrenizi giriniz"), + "enterYourRecoveryKey": + MessageLookupByLibrary.simpleMessage("Kurtarma kodunuzu girin"), + "error": MessageLookupByLibrary.simpleMessage("Hata"), + "everywhere": MessageLookupByLibrary.simpleMessage("her yerde"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": + MessageLookupByLibrary.simpleMessage("Mevcut kullanıcı"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Bu bağlantının süresi dolmuştur. Lütfen yeni bir süre belirleyin veya bağlantı süresini devre dışı bırakın."), + "exportLogs": + MessageLookupByLibrary.simpleMessage("Günlüğü dışa aktar"), + "exportYourData": + MessageLookupByLibrary.simpleMessage("Veriyi dışarı aktar"), + "extraPhotosFound": + MessageLookupByLibrary.simpleMessage("Ekstra fotoğraflar bulundu"), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Yüz henüz kümelenmedi, lütfen daha sonra tekrar gelin"), + "faceRecognition": MessageLookupByLibrary.simpleMessage("Yüz Tanıma"), + "faces": MessageLookupByLibrary.simpleMessage("Yüzler"), + "failed": MessageLookupByLibrary.simpleMessage("Başarısız oldu"), + "failedToApplyCode": + MessageLookupByLibrary.simpleMessage("Uygulanırken hata oluştu"), + "failedToCancel": MessageLookupByLibrary.simpleMessage( + "İptal edilirken sorun oluştu"), + "failedToDownloadVideo": + MessageLookupByLibrary.simpleMessage("Video indirilemedi"), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Etkin oturumlar getirilemedi"), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Düzenleme için orijinal getirilemedi"), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Davet ayrıntıları çekilemedi. Iütfen daha sonra deneyin."), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "Albüm yüklenirken hata oluştu"), + "failedToPlayVideo": + MessageLookupByLibrary.simpleMessage("Video oynatılamadı"), + "failedToRefreshStripeSubscription": + MessageLookupByLibrary.simpleMessage("Abonelik yenilenemedi"), + "failedToRenew": MessageLookupByLibrary.simpleMessage( + "Abonelik yenilenirken hata oluştu"), + "failedToVerifyPaymentStatus": + MessageLookupByLibrary.simpleMessage("Ödeme durumu doğrulanamadı"), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Ekstra ödeme yapmadan mevcut planınıza 5 aile üyesi ekleyin.\n\nHer üyenin kendine ait özel alanı vardır ve paylaşılmadıkça birbirlerinin dosyalarını göremezler.\n\nAile planları ücretli ente aboneliğine sahip müşteriler tarafından kullanılabilir.\n\nBaşlamak için şimdi abone olun!"), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Aile"), + "familyPlans": MessageLookupByLibrary.simpleMessage("Aile Planı"), + "faq": MessageLookupByLibrary.simpleMessage("Sık sorulan sorular"), + "faqs": MessageLookupByLibrary.simpleMessage("Sık Sorulan Sorular"), + "favorite": MessageLookupByLibrary.simpleMessage("Favori"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("Geri Bildirim"), + "file": MessageLookupByLibrary.simpleMessage("Dosya"), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Dosya galeriye kaydedilemedi"), + "fileInfoAddDescHint": + MessageLookupByLibrary.simpleMessage("Bir açıklama ekle..."), + "fileNotUploadedYet": + MessageLookupByLibrary.simpleMessage("Dosya henüz yüklenmedi"), + "fileSavedToGallery": + MessageLookupByLibrary.simpleMessage("Video galeriye kaydedildi"), + "fileTypes": MessageLookupByLibrary.simpleMessage("Dosya türü"), + "fileTypesAndNames": + MessageLookupByLibrary.simpleMessage("Dosya türleri ve adları"), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": + MessageLookupByLibrary.simpleMessage("Dosyalar silinmiş"), + "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Dosyalar galeriye kaydedildi"), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "Kişileri isimlerine göre bulun"), + "findThemQuickly": + MessageLookupByLibrary.simpleMessage("Çabucak bulun"), + "flip": MessageLookupByLibrary.simpleMessage("Çevir"), + "food": MessageLookupByLibrary.simpleMessage("Yemek keyfi"), + "forYourMemories": + MessageLookupByLibrary.simpleMessage("anılarınız için"), + "forgotPassword": + MessageLookupByLibrary.simpleMessage("Şifremi unuttum"), + "foundFaces": MessageLookupByLibrary.simpleMessage("Yüzler bulundu"), + "freeStorageClaimed": + MessageLookupByLibrary.simpleMessage("Alınan bedava alan"), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": + MessageLookupByLibrary.simpleMessage("Kullanılabilir bedava alan"), + "freeTrial": MessageLookupByLibrary.simpleMessage("Ücretsiz deneme"), + "freeTrialValidTill": m38, + "freeUpAccessPostDelete": m39, + "freeUpAmount": m40, + "freeUpDeviceSpace": + MessageLookupByLibrary.simpleMessage("Cihaz alanını boşaltın"), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Zaten yedeklenmiş dosyaları temizleyerek cihazınızda yer kazanın."), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("Boş alan"), + "freeUpSpaceSaving": m41, + "gallery": MessageLookupByLibrary.simpleMessage("Galeri"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "Galeride 1000\'e kadar anı gösterilir"), + "general": MessageLookupByLibrary.simpleMessage("Genel"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Şifreleme anahtarı oluşturuluyor..."), + "genericProgress": m42, + "goToSettings": MessageLookupByLibrary.simpleMessage("Ayarlara git"), + "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Lütfen Ayarlar uygulamasında tüm fotoğraflara erişime izin verin"), + "grantPermission": + MessageLookupByLibrary.simpleMessage("İzinleri değiştir"), + "greenery": MessageLookupByLibrary.simpleMessage("Yeşil yaşam"), + "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( + "Yakındaki fotoğrafları gruplandır"), + "guestView": MessageLookupByLibrary.simpleMessage("Misafir Görünümü"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "Misafir görünümünü etkinleştirmek için lütfen sistem ayarlarınızda cihaz şifresi veya ekran kilidi ayarlayın."), + "happyBirthday": + MessageLookupByLibrary.simpleMessage("Doğum günün kutlu olsun! 🥳"), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "Biz uygulama kurulumlarını takip etmiyoruz. Bizi nereden duyduğunuzdan bahsetmeniz bize çok yardımcı olacak!"), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Ente\'yi nereden duydunuz? (isteğe bağlı)"), + "help": MessageLookupByLibrary.simpleMessage("Yardım"), + "hidden": MessageLookupByLibrary.simpleMessage("Gizle"), + "hide": MessageLookupByLibrary.simpleMessage("Gizle"), + "hideContent": MessageLookupByLibrary.simpleMessage("İçeriği gizle"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Uygulama değiştiricide bulunan uygulama içeriğini gizler ve ekran görüntülerini devre dışı bırakır"), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Uygulama değiştiricideki uygulama içeriğini gizler"), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Paylaşılan öğeleri ana galeriden gizle"), + "hiding": MessageLookupByLibrary.simpleMessage("Gizleniyor..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": + MessageLookupByLibrary.simpleMessage("OSM Fransa\'da ağırlandı"), + "howItWorks": MessageLookupByLibrary.simpleMessage("Nasıl çalışır"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Lütfen onlardan ayarlar ekranında e-posta adresine uzun süre basmalarını ve her iki cihazdaki kimliklerin eşleştiğini doğrulamalarını isteyin."), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Cihazınızda biyometrik kimlik doğrulama ayarlanmamış. Lütfen telefonunuzda Touch ID veya Face ID\'yi etkinleştirin."), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "Biyometrik kimlik doğrulama devre dışı. Etkinleştirmek için lütfen ekranınızı kilitleyin ve kilidini açın."), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("Tamam"), + "ignore": MessageLookupByLibrary.simpleMessage("Yoksay"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Yoksay"), + "ignored": MessageLookupByLibrary.simpleMessage("yoksayıldı"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Bu albümdeki bazı dosyalar daha önce ente\'den silindiğinden yükleme işleminde göz ardı edildi."), + "imageNotAnalyzed": + MessageLookupByLibrary.simpleMessage("Görüntü analiz edilmedi"), + "immediately": MessageLookupByLibrary.simpleMessage("Hemen"), + "importing": + MessageLookupByLibrary.simpleMessage("İçeri aktarılıyor...."), + "incorrectCode": MessageLookupByLibrary.simpleMessage("Yanlış kod"), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("Yanlış şifre"), + "incorrectRecoveryKey": + MessageLookupByLibrary.simpleMessage("Yanlış kurtarma kodu"), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Girdiğiniz kurtarma kod yanlış"), + "incorrectRecoveryKeyTitle": + MessageLookupByLibrary.simpleMessage("Yanlış kurtarma kodu"), + "indexedItems": + MessageLookupByLibrary.simpleMessage("Dizinlenmiş öğeler"), + "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( + "Dizin oluşturma duraklatıldı. Cihaz hazır olduğunda otomatik olarak devam edecektir. Cihaz, pil seviyesi, pil sağlığı ve termal durumu sağlıklı bir aralıkta olduğunda hazır kabul edilir."), + "ineligible": MessageLookupByLibrary.simpleMessage("Uygun Değil"), + "info": MessageLookupByLibrary.simpleMessage("Bilgi"), + "insecureDevice": + MessageLookupByLibrary.simpleMessage("Güvenilir olmayan cihaz"), + "installManually": + MessageLookupByLibrary.simpleMessage("Manuel kurulum"), + "invalidEmailAddress": + MessageLookupByLibrary.simpleMessage("Geçersiz e-posta adresi"), + "invalidEndpoint": + MessageLookupByLibrary.simpleMessage("Geçersiz uç nokta"), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Üzgünüz, girdiğiniz uç nokta geçersiz. Lütfen geçerli bir uç nokta girin ve tekrar deneyin."), + "invalidKey": MessageLookupByLibrary.simpleMessage("Gecersiz anahtar"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Girdiğiniz kurtarma anahtarı geçerli değil. Lütfen anahtarın 24 kelime içerdiğinden ve her bir kelimenin doğru şekilde yazıldığından emin olun.\n\nEğer eski bir kurtarma kodu girdiyseniz, o zaman kodun 64 karakter uzunluğunda olduğunu kontrol edin."), + "invite": MessageLookupByLibrary.simpleMessage("Davet et"), + "inviteToEnte": + MessageLookupByLibrary.simpleMessage("Ente\'ye davet edin"), + "inviteYourFriends": + MessageLookupByLibrary.simpleMessage("Arkadaşlarını davet et"), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "Katılmaları için arkadaşlarınızı davet edin"), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Bir şeyler ters gitmiş gibi görünüyor. Lütfen bir süre sonra tekrar deneyin. Hata devam ederse, lütfen destek ekibimizle iletişime geçin."), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "Öğeler kalıcı olarak silinmeden önce kalan gün sayısını gösterir"), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Seçilen öğeler bu albümden kaldırılacak"), + "join": MessageLookupByLibrary.simpleMessage("Katıl"), + "joinAlbum": MessageLookupByLibrary.simpleMessage("Albüme Katılın"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "Bir albüme katılmak, e-postanızın katılımcılar tarafından görülebilmesini sağlayacaktır."), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( + "fotoğraflarınızı görüntülemek ve eklemek için"), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "bunu paylaşılan albümlere eklemek için"), + "joinDiscord": MessageLookupByLibrary.simpleMessage("Discord\'a Katıl"), + "keepPhotos": + MessageLookupByLibrary.simpleMessage("Fotoğrafları sakla"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Lütfen bu bilgilerle bize yardımcı olun"), + "language": MessageLookupByLibrary.simpleMessage("Dil"), + "lastTimeWithThem": m45, + "lastUpdated": + MessageLookupByLibrary.simpleMessage("En son güncellenen"), + "lastYearsTrip": + MessageLookupByLibrary.simpleMessage("Geçen yılki gezi"), + "leave": MessageLookupByLibrary.simpleMessage("Ayrıl"), + "leaveAlbum": + MessageLookupByLibrary.simpleMessage("Albümü yeniden adlandır"), + "leaveFamily": + MessageLookupByLibrary.simpleMessage("Aile planından ayrıl"), + "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( + "Paylaşılan albüm silinsin mi?"), + "left": MessageLookupByLibrary.simpleMessage("Sol"), + "legacy": MessageLookupByLibrary.simpleMessage("Geleneksel"), + "legacyAccounts": + MessageLookupByLibrary.simpleMessage("Geleneksel hesaplar"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "Geleneksel yol, güvendiğiniz kişilerin yokluğunuzda hesabınıza erişmesine olanak tanır."), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "Güvenilir kişiler hesap kurtarma işlemini başlatabilir ve 30 gün içinde engellenmezse şifrenizi sıfırlayabilir ve hesabınıza erişebilir."), + "light": MessageLookupByLibrary.simpleMessage("Aydınlık"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Aydınlık"), + "link": MessageLookupByLibrary.simpleMessage("Bağlantı"), + "linkCopiedToClipboard": + MessageLookupByLibrary.simpleMessage("Link panoya kopyalandı"), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("Cihaz sınırı"), + "linkEmail": MessageLookupByLibrary.simpleMessage("E-posta bağlantısı"), + "linkEmailToContactBannerCaption": + MessageLookupByLibrary.simpleMessage("daha hızlı paylaşım için"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Geçerli"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Süresi dolmuş"), + "linkExpiresOn": m47, + "linkExpiry": + MessageLookupByLibrary.simpleMessage("Bağlantı geçerliliği"), + "linkHasExpired": + MessageLookupByLibrary.simpleMessage("Bağlantının süresi dolmuş"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Asla"), + "linkPerson": MessageLookupByLibrary.simpleMessage("Kişiyi bağla"), + "linkPersonCaption": MessageLookupByLibrary.simpleMessage( + "daha iyi paylaşım deneyimi için"), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("Canlı Fotoğraf"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "Aboneliğinizi ailenizle paylaşabilirsiniz"), + "loadMessage2": MessageLookupByLibrary.simpleMessage( + "Şimdiye kadar 200 milyondan fazla anıyı koruduk"), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "Verilerinizin 3 kopyasını saklıyoruz, biri yer altı serpinti sığınağında"), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "Tüm uygulamalarımız açık kaynaktır"), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Kaynak kodumuz ve şifrelememiz harici olarak denetlenmiştir"), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "Albümlerinizin bağlantılarını sevdiklerinizle paylaşabilirsiniz"), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Mobil uygulamalarımız, tıkladığınız yeni fotoğrafları şifrelemek ve yedeklemek için arka planda çalışır"), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io\'nun mükemmel bir yükleyicisi var"), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Verilerinizi güvenli bir şekilde şifrelemek için Xchacha20Poly1305 kullanıyoruz"), + "loadingExifData": + MessageLookupByLibrary.simpleMessage("EXIF verileri yükleniyor..."), + "loadingGallery": + MessageLookupByLibrary.simpleMessage("Galeri yükleniyor..."), + "loadingMessage": MessageLookupByLibrary.simpleMessage( + "Fotoğraflarınız yükleniyor..."), + "loadingModel": + MessageLookupByLibrary.simpleMessage("Modeller indiriliyor..."), + "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( + "Fotoğraflarınız yükleniyor..."), + "localGallery": MessageLookupByLibrary.simpleMessage("Yerel galeri"), + "localIndexing": + MessageLookupByLibrary.simpleMessage("Yerel dizinleme"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Yerel fotoğraf senkronizasyonu beklenenden daha uzun sürdüğü için bir şeyler ters gitmiş gibi görünüyor. Lütfen destek ekibimize ulaşın"), + "location": MessageLookupByLibrary.simpleMessage("Konum"), + "locationName": MessageLookupByLibrary.simpleMessage("Konum Adı"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Bir fotoğrafın belli bir yarıçapında çekilen fotoğrafları gruplandırın"), + "locations": MessageLookupByLibrary.simpleMessage("Konum"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Kilit"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Kilit ekranı"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Giriş yap"), + "loggingOut": + MessageLookupByLibrary.simpleMessage("Çıkış yapılıyor..."), + "loginSessionExpired": + MessageLookupByLibrary.simpleMessage("Oturum süresi doldu"), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "Oturum süreniz doldu. Tekrar giriş yapın."), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "\"Giriş yap\" düğmesine tıklayarak, Hizmet Şartları\'nı ve Gizlilik Politikası\'nı kabul ediyorum"), + "loginWithTOTP": + MessageLookupByLibrary.simpleMessage("TOTP ile giriş yap"), + "logout": MessageLookupByLibrary.simpleMessage("Çıkış yap"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "Bu, sorununuzu gidermemize yardımcı olmak için kayıtları gönderecektir. Belirli dosyalarla ilgili sorunların izlenmesine yardımcı olmak için dosya adlarının ekleneceğini lütfen unutmayın."), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Uçtan uca şifrelemeyi doğrulamak için bir e-postaya uzun basın."), + "longpressOnAnItemToViewInFullscreen": + MessageLookupByLibrary.simpleMessage( + "Tam ekranda görüntülemek için bir öğeye uzun basın"), + "lookBackOnYourMemories": + MessageLookupByLibrary.simpleMessage("Anılarına bir bak 🌄"), + "loopVideoOff": + MessageLookupByLibrary.simpleMessage("Video Döngüsü Kapalı"), + "loopVideoOn": + MessageLookupByLibrary.simpleMessage("Video Döngüsü Açık"), + "lostDevice": + MessageLookupByLibrary.simpleMessage("Cihazınızı mı kaybettiniz?"), + "machineLearning": + MessageLookupByLibrary.simpleMessage("Makine öğrenimi"), + "magicSearch": MessageLookupByLibrary.simpleMessage("Sihirli arama"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "Sihirli arama, fotoğrafları içeriklerine göre aramanıza olanak tanır, örneğin \'çiçek\', \'kırmızı araba\', \'kimlik belgeleri\'"), + "manage": MessageLookupByLibrary.simpleMessage("Yönet"), + "manageDeviceStorage": + MessageLookupByLibrary.simpleMessage("Cihaz Önbelliğini Yönet"), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Yerel önbellek depolama alanını gözden geçirin ve temizleyin."), + "manageFamily": MessageLookupByLibrary.simpleMessage("Aileyi yönet"), + "manageLink": MessageLookupByLibrary.simpleMessage("Bağlantıyı yönet"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Yönet"), + "manageSubscription": + MessageLookupByLibrary.simpleMessage("Abonelikleri yönet"), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "PIN ile eşleştirme, albümünüzü görüntülemek istediğiniz herhangi bir ekranla çalışır."), + "map": MessageLookupByLibrary.simpleMessage("Harita"), + "maps": MessageLookupByLibrary.simpleMessage("Haritalar"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("Ben"), + "memories": MessageLookupByLibrary.simpleMessage("Anılar"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Ana ekranınızda görmek istediğiniz anı türünü seçin."), + "memoryCount": m50, + "merchandise": MessageLookupByLibrary.simpleMessage("Ürünler"), + "merge": MessageLookupByLibrary.simpleMessage("Birleştir"), + "mergeWithExisting": + MessageLookupByLibrary.simpleMessage("Var olan ile birleştir."), + "mergedPhotos": + MessageLookupByLibrary.simpleMessage("Birleştirilmiş fotoğraflar"), + "mlConsent": MessageLookupByLibrary.simpleMessage( + "Makine öğrenimini etkinleştir"), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Anladım, ve makine öğrenimini etkinleştirmek istiyorum"), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Makine öğrenimini etkinleştirirseniz, Ente sizinle paylaşılanlar da dahil olmak üzere dosyalardan yüz geometrisi gibi bilgileri çıkarır.\n\nBu, cihazınızda gerçekleşecek ve oluşturulan tüm biyometrik bilgiler uçtan uca şifrelenecektir."), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Gizlilik politikamızdaki bu özellik hakkında daha fazla ayrıntı için lütfen buraya tıklayın"), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage( + "Makine öğrenimi etkinleştirilsin mi?"), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Makine öğreniminin, tüm öğeler dizine eklenene kadar daha yüksek bant genişliği ve pil kullanımıyla sonuçlanacağını lütfen unutmayın. Daha hızlı dizinleme için masaüstü uygulamasını kullanmayı deneyin, tüm sonuçlar otomatik olarak senkronize edilir."), + "mobileWebDesktop": + MessageLookupByLibrary.simpleMessage("Mobil, Web, Masaüstü"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Ilımlı"), + "modifyYourQueryOrTrySearchingFor": + MessageLookupByLibrary.simpleMessage( + "Sorgunuzu değiştirin veya aramayı deneyin"), + "moments": MessageLookupByLibrary.simpleMessage("Anlar"), + "month": MessageLookupByLibrary.simpleMessage("ay"), + "monthly": MessageLookupByLibrary.simpleMessage("Aylık"), + "moon": MessageLookupByLibrary.simpleMessage("Ay ışığında"), + "moreDetails": MessageLookupByLibrary.simpleMessage("Daha fazla detay"), + "mostRecent": MessageLookupByLibrary.simpleMessage("En son"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("En alakalı"), + "mountains": MessageLookupByLibrary.simpleMessage("Tepelerin ötesinde"), + "moveItem": m51, + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "Seçilen fotoğrafları bir tarihe taşıma"), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("Albüme taşı"), + "moveToHiddenAlbum": + MessageLookupByLibrary.simpleMessage("Gizli albüme ekle"), + "movedSuccessfullyTo": m52, + "movedToTrash": + MessageLookupByLibrary.simpleMessage("Cöp kutusuna taşı"), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Dosyalar albüme taşınıyor..."), + "name": MessageLookupByLibrary.simpleMessage("İsim"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Albüm İsmi"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Ente\'ye bağlanılamıyor. Lütfen bir süre sonra tekrar deneyin. Hata devam ederse lütfen desteğe başvurun."), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Ente\'ye bağlanılamıyor. Lütfen ağ ayarlarınızı kontrol edin ve hata devam ederse destek ekibiyle iletişime geçin."), + "never": MessageLookupByLibrary.simpleMessage("Asla"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Yeni albüm"), + "newLocation": MessageLookupByLibrary.simpleMessage("Yeni konum"), + "newPerson": MessageLookupByLibrary.simpleMessage("Yeni Kişi"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" yeni 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("Yeni aralık"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Ente\'de yeniyim"), + "newest": MessageLookupByLibrary.simpleMessage("En yeni"), + "next": MessageLookupByLibrary.simpleMessage("Sonraki"), + "no": MessageLookupByLibrary.simpleMessage("Hayır"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Henüz paylaştığınız albüm yok"), + "noDeviceFound": + MessageLookupByLibrary.simpleMessage("Aygıt bulunamadı"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Yok"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "Her şey zaten temiz, silinecek dosya kalmadı"), + "noDuplicates": + MessageLookupByLibrary.simpleMessage("Yinelenenleri kaldır"), + "noEnteAccountExclamation": + MessageLookupByLibrary.simpleMessage("Ente hesabı yok!"), + "noExifData": MessageLookupByLibrary.simpleMessage("EXIF verisi yok"), + "noFacesFound": MessageLookupByLibrary.simpleMessage("Yüz bulunamadı"), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "Gizli fotoğraf veya video yok"), + "noImagesWithLocation": + MessageLookupByLibrary.simpleMessage("Konum içeren resim yok"), + "noInternetConnection": + MessageLookupByLibrary.simpleMessage("İnternet bağlantısı yok"), + "noPhotosAreBeingBackedUpRightNow": + MessageLookupByLibrary.simpleMessage( + "Şu anda hiçbir fotoğraf yedeklenmiyor"), + "noPhotosFoundHere": + MessageLookupByLibrary.simpleMessage("Burada fotoğraf bulunamadı"), + "noQuickLinksSelected": + MessageLookupByLibrary.simpleMessage("Hızlı bağlantılar seçilmedi"), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Kurtarma anahtarınız yok mu?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Uçtan uca şifreleme protokolümüzün doğası gereği, verileriniz şifreniz veya kurtarma anahtarınız olmadan çözülemez"), + "noResults": MessageLookupByLibrary.simpleMessage("Sonuç bulunamadı"), + "noResultsFound": + MessageLookupByLibrary.simpleMessage("Hiçbir sonuç bulunamadı"), + "noSuggestionsForPerson": m53, + "noSystemLockFound": + MessageLookupByLibrary.simpleMessage("Sistem kilidi bulunamadı"), + "notPersonLabel": m54, + "notThisPerson": + MessageLookupByLibrary.simpleMessage("Bu kişi değil mi?"), + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "Henüz sizinle paylaşılan bir şey yok"), + "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( + "Burada görülecek bir şey yok! 👀"), + "notifications": MessageLookupByLibrary.simpleMessage("Bildirimler"), + "ok": MessageLookupByLibrary.simpleMessage("Tamam"), + "onDevice": MessageLookupByLibrary.simpleMessage("Cihazda"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "ente üzerinde"), + "onTheRoad": MessageLookupByLibrary.simpleMessage("Yeniden yollarda"), + "onThisDay": MessageLookupByLibrary.simpleMessage("Bu günde"), + "onThisDayMemories": + MessageLookupByLibrary.simpleMessage("Bugün anılar"), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "Önceki yıllarda bu günden anılar hakkında hatırlatıcılar alın."), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Sadece onlar"), + "oops": MessageLookupByLibrary.simpleMessage("Hay aksi"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Hata! Düzenlemeler kaydedilemedi"), + "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( + "Hoop, Birşeyler yanlış gitti"), + "openAlbumInBrowser": + MessageLookupByLibrary.simpleMessage("Albümü tarayıcıda aç"), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Bu albüme fotoğraf eklemek için lütfen web uygulamasını kullanın"), + "openFile": MessageLookupByLibrary.simpleMessage("Dosyayı aç"), + "openSettings": MessageLookupByLibrary.simpleMessage("Ayarları Açın"), + "openTheItem": MessageLookupByLibrary.simpleMessage("• Öğeyi açın"), + "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( + "OpenStreetMap katkıda bululanlar"), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "İsteğe bağlı, istediğiniz kadar kısa..."), + "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( + "Ya da mevcut olan ile birleştirin"), + "orPickAnExistingOne": + MessageLookupByLibrary.simpleMessage("Veya mevcut birini seçiniz"), + "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( + "veya kişilerinizden birini seçin"), + "otherDetectedFaces": + MessageLookupByLibrary.simpleMessage("Tespit edilen diğer yüzler"), + "pair": MessageLookupByLibrary.simpleMessage("Eşleştir"), + "pairWithPin": + MessageLookupByLibrary.simpleMessage("PIN ile eşleştirin"), + "pairingComplete": + MessageLookupByLibrary.simpleMessage("Eşleştirme tamamlandı"), + "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), + "partyWithThem": m56, + "passKeyPendingVerification": + MessageLookupByLibrary.simpleMessage("Doğrulama hala bekliyor"), + "passkey": MessageLookupByLibrary.simpleMessage("Geçiş anahtarı"), + "passkeyAuthTitle": + MessageLookupByLibrary.simpleMessage("Geçiş anahtarı doğrulaması"), + "password": MessageLookupByLibrary.simpleMessage("Şifre"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Şifreniz başarılı bir şekilde değiştirildi"), + "passwordLock": MessageLookupByLibrary.simpleMessage("Şifre kilidi"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "Parola gücü, parolanın uzunluğu, kullanılan karakterler ve parolanın en çok kullanılan ilk 10.000 parola arasında yer alıp almadığı dikkate alınarak hesaplanır"), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Şifrelerinizi saklamıyoruz, bu yüzden unutursanız, verilerinizi deşifre edemeyiz"), + "pastYearsMemories": + MessageLookupByLibrary.simpleMessage("Geçmiş yılların anıları"), + "paymentDetails": + MessageLookupByLibrary.simpleMessage("Ödeme detayları"), + "paymentFailed": + MessageLookupByLibrary.simpleMessage("Ödeme başarısız oldu"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "Maalesef ödemeniz başarısız oldu. Lütfen destekle iletişime geçin, size yardımcı olacağız!"), + "paymentFailedTalkToProvider": m58, + "pendingItems": MessageLookupByLibrary.simpleMessage("Bekleyen Öğeler"), + "pendingSync": + MessageLookupByLibrary.simpleMessage("Bekleyen Senkronizasyonlar"), + "people": MessageLookupByLibrary.simpleMessage("Kişiler"), + "peopleUsingYourCode": + MessageLookupByLibrary.simpleMessage("Kodunuzu kullananlar"), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Ana ekranınızda görmek istediğiniz kişileri seçin."), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Çöp kutusundaki tüm öğeler kalıcı olarak silinecek\n\nBu işlem geri alınamaz"), + "permanentlyDelete": + MessageLookupByLibrary.simpleMessage("Kalıcı olarak sil"), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Cihazdan kalıcı olarak silinsin mi?"), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("Kişi Adı"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("Tüylü dostlar"), + "photoDescriptions": + MessageLookupByLibrary.simpleMessage("Fotoğraf Açıklaması"), + "photoGridSize": MessageLookupByLibrary.simpleMessage("Izgara boyutu"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("fotoğraf"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("Fotoğraflar"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "Eklediğiniz fotoğraflar albümden kaldırılacak"), + "photosCount": m62, + "photosKeepRelativeTimeDifference": + MessageLookupByLibrary.simpleMessage( + "Fotoğraflar göreli zaman farkını korur"), + "pickCenterPoint": + MessageLookupByLibrary.simpleMessage("Merkez noktasını seçin"), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Albümü sabitle"), + "pinLock": MessageLookupByLibrary.simpleMessage("Pin kilidi"), + "playOnTv": MessageLookupByLibrary.simpleMessage("Albümü TV\'de oynat"), + "playOriginal": MessageLookupByLibrary.simpleMessage("Orijinali oynat"), + "playStoreFreeTrialValidTill": m63, + "playStream": MessageLookupByLibrary.simpleMessage("Akışı oynat"), + "playstoreSubscription": + MessageLookupByLibrary.simpleMessage("PlayStore aboneliği"), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Lütfen internet bağlantınızı kontrol edin ve yeniden deneyin."), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Lütfen support@ente.io ile iletişime geçin; size yardımcı olmaktan memnuniyet duyarız!"), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Bu hata devam ederse lütfen desteğe başvurun"), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": + MessageLookupByLibrary.simpleMessage("Lütfen izin ver"), + "pleaseLoginAgain": + MessageLookupByLibrary.simpleMessage("Lütfen tekrar giriş yapın"), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Lütfen kaldırmak için hızlı bağlantıları seçin"), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": + MessageLookupByLibrary.simpleMessage("Lütfen tekrar deneyiniz"), + "pleaseVerifyTheCodeYouHaveEntered": + MessageLookupByLibrary.simpleMessage( + "Lütfen girdiğiniz kodu doğrulayın"), + "pleaseWait": + MessageLookupByLibrary.simpleMessage("Lütfen bekleyiniz..."), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Lütfen bekleyin, albüm siliniyor"), + "pleaseWaitForSometimeBeforeRetrying": + MessageLookupByLibrary.simpleMessage( + "Tekrar denemeden önce lütfen bir süre bekleyin"), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "Lütfen bekleyin, bu biraz zaman alabilir."), + "posingWithThem": m66, + "preparingLogs": + MessageLookupByLibrary.simpleMessage("Kayıtlar hazırlanıyor..."), + "preserveMore": + MessageLookupByLibrary.simpleMessage("Daha fazlasını koruyun"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Videoları yönetmek için basılı tutun"), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Videoyu oynatmak için resmi basılı tutun"), + "previous": MessageLookupByLibrary.simpleMessage("Önceki"), + "privacy": MessageLookupByLibrary.simpleMessage("Gizlilik"), + "privacyPolicyTitle": + MessageLookupByLibrary.simpleMessage("Mahremiyet Politikası"), + "privateBackups": + MessageLookupByLibrary.simpleMessage("Özel yedeklemeler"), + "privateSharing": MessageLookupByLibrary.simpleMessage("Özel paylaşım"), + "proceed": MessageLookupByLibrary.simpleMessage("Devam edin"), + "processed": MessageLookupByLibrary.simpleMessage("İşlenen"), + "processing": MessageLookupByLibrary.simpleMessage("İşleniyor"), + "processingImport": m67, + "processingVideos": + MessageLookupByLibrary.simpleMessage("Videolar işleniyor"), + "publicLinkCreated": MessageLookupByLibrary.simpleMessage( + "Herkese açık bağlantı oluşturuldu"), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( + "Herkese açık bağlantı aktive edildi"), + "questionmark": MessageLookupByLibrary.simpleMessage("?"), + "queued": MessageLookupByLibrary.simpleMessage("Kuyrukta"), + "quickLinks": MessageLookupByLibrary.simpleMessage("Hızlı Erişim"), + "radius": MessageLookupByLibrary.simpleMessage("Yarıçap"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Bileti artır"), + "rateTheApp": + MessageLookupByLibrary.simpleMessage("Uygulamayı puanlayın"), + "rateUs": MessageLookupByLibrary.simpleMessage("Bizi değerlendirin"), + "rateUsOnStore": m68, + "reassignMe": + MessageLookupByLibrary.simpleMessage("\"Ben\"i yeniden atayın"), + "reassignedToName": m69, + "reassigningLoading": + MessageLookupByLibrary.simpleMessage("Yeniden atanıyor..."), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Birinin doğum günü olduğunda hatırlatıcılar alın. Bildirime dokunmak sizi doğum günü kişisinin fotoğraflarına götürecektir."), + "recover": MessageLookupByLibrary.simpleMessage("Kurtarma"), + "recoverAccount": MessageLookupByLibrary.simpleMessage("Hesabı kurtar"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Kurtar"), + "recoveryAccount": + MessageLookupByLibrary.simpleMessage("Hesabı kurtar"), + "recoveryInitiated": + MessageLookupByLibrary.simpleMessage("Kurtarma başlatıldı"), + "recoveryInitiatedDesc": m70, + "recoveryKey": + MessageLookupByLibrary.simpleMessage("Kurtarma anahtarı"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Kurtarma anahtarınız panoya kopyalandı"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Şifrenizi unutursanız, verilerinizi kurtarmanın tek yolu bu anahtar olacaktır."), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Bu anahtarı saklamıyoruz, lütfen bu 24 kelime anahtarı güvenli bir yerde saklayın."), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Harika! Kurtarma anahtarınız geçerlidir. Doğrulama için teşekkür ederim.\n\nLütfen kurtarma anahtarınızı güvenli bir şekilde yedeklediğinizden emin olun."), + "recoveryKeyVerified": + MessageLookupByLibrary.simpleMessage("Kurtarma kodu doğrulandı"), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Kurtarma anahtarınız, şifrenizi unutmanız durumunda fotoğraflarınızı kurtarmanın tek yoludur. Kurtarma anahtarınızı Ayarlar > Hesap bölümünde bulabilirsiniz.\n\nDoğru kaydettiğinizi doğrulamak için lütfen kurtarma anahtarınızı buraya girin."), + "recoveryReady": m71, + "recoverySuccessful": + MessageLookupByLibrary.simpleMessage("Kurtarma başarılı!"), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "Güvenilir bir kişi hesabınıza erişmeye çalışıyor"), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Cihazınız, şifrenizi doğrulamak için yeterli güce sahip değil, ancak tüm cihazlarda çalışacak şekilde yeniden oluşturabiliriz.\n\nLütfen kurtarma anahtarınızı kullanarak giriş yapın ve şifrenizi yeniden oluşturun (istediğiniz takdirde aynı şifreyi tekrar kullanabilirsiniz)."), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( + "Şifrenizi tekrardan oluşturun"), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": + MessageLookupByLibrary.simpleMessage("Şifrenizi tekrar girin"), + "reenterPin": + MessageLookupByLibrary.simpleMessage("PIN\'inizi tekrar girin"), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Arkadaşlarınıza önerin ve planınızı 2 katına çıkarın"), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Bu kodu arkadaşlarınıza verin"), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Ücretli bir plan için kaydolsunlar"), + "referralStep3": m73, + "referrals": + MessageLookupByLibrary.simpleMessage("Arkadaşını davet et"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "Davetler şu anda durmuş durumda"), + "rejectRecovery": + MessageLookupByLibrary.simpleMessage("Kurtarmayı reddet"), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "Ayrıca boş alanı kazanmak için \"Ayarlar\" > \"Depolama\" bölümünden \"Son Silinenler\" klasörünü de boşaltın"), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Ayrıca boşalan alana sahip olmak için \"Çöp Kutunuzu\" boşaltın"), + "remoteImages": MessageLookupByLibrary.simpleMessage("Uzak Görseller"), + "remoteThumbnails": + MessageLookupByLibrary.simpleMessage("Uzak Küçük Resimler"), + "remoteVideos": MessageLookupByLibrary.simpleMessage("Uzak Videolar"), + "remove": MessageLookupByLibrary.simpleMessage("Kaldır"), + "removeDuplicates": + MessageLookupByLibrary.simpleMessage("Yinelenenleri kaldır"), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Aynı olan dosyaları gözden geçirin ve kaldırın."), + "removeFromAlbum": + MessageLookupByLibrary.simpleMessage("Albümden çıkar"), + "removeFromAlbumTitle": + MessageLookupByLibrary.simpleMessage("Albümden çıkarılsın mı?"), + "removeFromFavorite": + MessageLookupByLibrary.simpleMessage("Favorilerden Kaldır"), + "removeInvite": + MessageLookupByLibrary.simpleMessage("Davetiyeyi kaldır"), + "removeLink": MessageLookupByLibrary.simpleMessage("Bağlantıyı kaldır"), + "removeParticipant": + MessageLookupByLibrary.simpleMessage("Katılımcıyı kaldır"), + "removeParticipantBody": m74, + "removePersonLabel": + MessageLookupByLibrary.simpleMessage("Kişi etiketini kaldırın"), + "removePublicLink": MessageLookupByLibrary.simpleMessage( + "Herkese açık bağlantıyı kaldır"), + "removePublicLinks": MessageLookupByLibrary.simpleMessage( + "Herkese açık bağlantıları kaldır"), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Kaldırdığınız öğelerden bazıları başkaları tarafından eklenmiştir ve bunlara erişiminizi kaybedeceksiniz"), + "removeWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Kaldırılsın mı?"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Kendinizi güvenilir kişi olarak kaldırın"), + "removingFromFavorites": + MessageLookupByLibrary.simpleMessage("Favorilerimden kaldır..."), + "rename": MessageLookupByLibrary.simpleMessage("Yeniden adlandır"), + "renameAlbum": + MessageLookupByLibrary.simpleMessage("Albümü yeniden adlandır"), + "renameFile": + MessageLookupByLibrary.simpleMessage("Dosyayı yeniden adlandır"), + "renewSubscription": + MessageLookupByLibrary.simpleMessage("Abonelik yenileme"), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Hata bildir"), + "reportBug": MessageLookupByLibrary.simpleMessage("Hata bildir"), + "resendEmail": + MessageLookupByLibrary.simpleMessage("E-postayı yeniden gönder"), + "reset": MessageLookupByLibrary.simpleMessage("Sıfırla"), + "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( + "Yok sayılan dosyaları sıfırla"), + "resetPasswordTitle": + MessageLookupByLibrary.simpleMessage("Parolanızı sıfırlayın"), + "resetPerson": MessageLookupByLibrary.simpleMessage("Kaldır"), + "resetToDefault": + MessageLookupByLibrary.simpleMessage("Varsayılana sıfırla"), + "restore": MessageLookupByLibrary.simpleMessage("Geri yükle"), + "restoreToAlbum": MessageLookupByLibrary.simpleMessage("Albümü yenile"), + "restoringFiles": + MessageLookupByLibrary.simpleMessage("Dosyalar geri yükleniyor..."), + "resumableUploads": + MessageLookupByLibrary.simpleMessage("Devam edilebilir yüklemeler"), + "retry": MessageLookupByLibrary.simpleMessage("Tekrar dene"), + "review": MessageLookupByLibrary.simpleMessage("Gözden Geçir"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Lütfen kopya olduğunu düşündüğünüz öğeleri inceleyin ve silin."), + "reviewSuggestions": + MessageLookupByLibrary.simpleMessage("Önerileri inceleyin"), + "right": MessageLookupByLibrary.simpleMessage("Sağ"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("Döndür"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Sola döndür"), + "rotateRight": MessageLookupByLibrary.simpleMessage("Sağa döndür"), + "safelyStored": + MessageLookupByLibrary.simpleMessage("Güvenle saklanır"), + "same": MessageLookupByLibrary.simpleMessage("Aynı"), + "sameperson": MessageLookupByLibrary.simpleMessage("Aynı kişi mi?"), + "save": MessageLookupByLibrary.simpleMessage("Kaydet"), + "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage( + "Başka bir kişi olarak kaydet"), + "saveChangesBeforeLeavingQuestion": + MessageLookupByLibrary.simpleMessage( + "Çıkmadan önce değişiklikler kaydedilsin mi?"), + "saveCollage": MessageLookupByLibrary.simpleMessage("Kolajı kaydet"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Kopyasını kaydet"), + "saveKey": MessageLookupByLibrary.simpleMessage("Anahtarı kaydet"), + "savePerson": MessageLookupByLibrary.simpleMessage("Kişiyi kaydet"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Henüz yapmadıysanız kurtarma anahtarınızı kaydetmeyi unutmayın"), + "saving": MessageLookupByLibrary.simpleMessage("Kaydediliyor..."), + "savingEdits": MessageLookupByLibrary.simpleMessage( + "Düzenlemeler kaydediliyor..."), + "scanCode": MessageLookupByLibrary.simpleMessage("Kodu tarayın"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Kimlik doğrulama uygulamanız ile kodu tarayın"), + "search": MessageLookupByLibrary.simpleMessage("Ara"), + "searchAlbumsEmptySection": + MessageLookupByLibrary.simpleMessage("Albümler"), + "searchByAlbumNameHint": + MessageLookupByLibrary.simpleMessage("Albüm adı"), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Albüm adları (ör. \"Kamera\")\n• Dosya türleri (ör. \"Videolar\", \".gif\")\n• Yıllar ve aylar (ör. \"2022\", \"Ocak\")\n• Tatiller (ör. \"Noel\")\n• Fotoğraf açıklamaları (ör. \"#eğlence\")"), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Fotoğraf bilgilerini burada hızlı bir şekilde bulmak için \"#trip\" gibi açıklamalar ekleyin"), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Tarihe, aya veya yıla göre arama yapın"), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "İşleme ve senkronizasyon tamamlandığında görüntüler burada gösterilecektir"), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "Dizinleme yapıldıktan sonra insanlar burada gösterilecek"), + "searchFileTypesAndNamesEmptySection": + MessageLookupByLibrary.simpleMessage("Dosya türleri ve adları"), + "searchHint1": + MessageLookupByLibrary.simpleMessage("Hızlı, cihaz üzerinde arama"), + "searchHint2": MessageLookupByLibrary.simpleMessage( + "Fotoğraf tarihleri, açıklamalar"), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "Albümler, dosya adları ve türleri"), + "searchHint4": MessageLookupByLibrary.simpleMessage("Konum"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "Çok yakında: Yüzler ve sihirli arama ✨"), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Bir fotoğrafın belli bir yarıçapında çekilen fotoğrafları gruplandırın"), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "İnsanları davet ettiğinizde onların paylaştığı tüm fotoğrafları burada göreceksiniz"), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "İşleme ve senkronizasyon tamamlandığında kişiler burada gösterilecektir"), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Güvenlik"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "Uygulamadaki herkese açık albüm bağlantılarını görün"), + "selectALocation": + MessageLookupByLibrary.simpleMessage("Bir konum seçin"), + "selectALocationFirst": + MessageLookupByLibrary.simpleMessage("Önce yeni yer seçin"), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Albüm seçin"), + "selectAll": MessageLookupByLibrary.simpleMessage("Hepsini seç"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("Tümü"), + "selectCoverPhoto": + MessageLookupByLibrary.simpleMessage("Kapak fotoğrafı seçin"), + "selectDate": MessageLookupByLibrary.simpleMessage("Tarih seç"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Yedekleme için klasörleri seçin"), + "selectItemsToAdd": + MessageLookupByLibrary.simpleMessage("Eklenecek eşyaları seçin"), + "selectLanguage": MessageLookupByLibrary.simpleMessage("Dil Seçin"), + "selectMailApp": + MessageLookupByLibrary.simpleMessage("Mail Uygulamasını Seç"), + "selectMorePhotos": + MessageLookupByLibrary.simpleMessage("Daha Fazla Fotoğraf Seç"), + "selectOneDateAndTime": + MessageLookupByLibrary.simpleMessage("Bir tarih ve saat seçin"), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "Tümü için tek bir tarih ve saat seçin"), + "selectPersonToLink": MessageLookupByLibrary.simpleMessage( + "Bağlantı kurulacak kişiyi seçin"), + "selectReason": + MessageLookupByLibrary.simpleMessage("Ayrılma nedeninizi seçin"), + "selectStartOfRange": + MessageLookupByLibrary.simpleMessage("Aralık başlangıcını seçin"), + "selectTime": MessageLookupByLibrary.simpleMessage("Zaman Seç"), + "selectYourFace": + MessageLookupByLibrary.simpleMessage("Yüzünüzü seçin"), + "selectYourPlan": + MessageLookupByLibrary.simpleMessage("Planınızı seçin"), + "selectedAlbums": m79, + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Seçilen dosyalar Ente\'de değil"), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Seçilen klasörler şifrelenecek ve yedeklenecektir"), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Seçilen öğeler tüm albümlerden silinecek ve çöp kutusuna taşınacak."), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "Seçili öğeler bu kişiden silinir, ancak kitaplığınızdan silinmez."), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("Gönder"), + "sendEmail": MessageLookupByLibrary.simpleMessage("E-posta gönder"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Davet kodu gönder"), + "sendLink": MessageLookupByLibrary.simpleMessage("Bağlantıyı gönder"), + "serverEndpoint": + MessageLookupByLibrary.simpleMessage("Sunucu uç noktası"), + "sessionExpired": + MessageLookupByLibrary.simpleMessage("Oturum süresi doldu"), + "sessionIdMismatch": + MessageLookupByLibrary.simpleMessage("Oturum kimliği uyuşmazlığı"), + "setAPassword": MessageLookupByLibrary.simpleMessage("Şifre ayarla"), + "setAs": MessageLookupByLibrary.simpleMessage("Şu şekilde ayarla"), + "setCover": MessageLookupByLibrary.simpleMessage("Kapak Belirle"), + "setLabel": MessageLookupByLibrary.simpleMessage("Ayarla"), + "setNewPassword": + MessageLookupByLibrary.simpleMessage("Yeni şifre belirle"), + "setNewPin": + MessageLookupByLibrary.simpleMessage("Yeni PIN belirleyin"), + "setPasswordTitle": + MessageLookupByLibrary.simpleMessage("Parola ayarlayın"), + "setRadius": MessageLookupByLibrary.simpleMessage("Yarıçapı ayarla"), + "setupComplete": + MessageLookupByLibrary.simpleMessage("Ayarlama işlemi başarılı"), + "share": MessageLookupByLibrary.simpleMessage("Paylaş"), + "shareALink": + MessageLookupByLibrary.simpleMessage("Bir bağlantı paylaş"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Bir albüm açın ve paylaşmak için sağ üstteki paylaş düğmesine dokunun."), + "shareAnAlbumNow": + MessageLookupByLibrary.simpleMessage("Şimdi bir albüm paylaşın"), + "shareLink": MessageLookupByLibrary.simpleMessage("Bağlantıyı paylaş"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Yalnızca istediğiniz kişilerle paylaşın"), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Orijinal kalitede fotoğraf ve videoları kolayca paylaşabilmemiz için Ente\'yi indirin\n\nhttps://ente.io"), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Ente kullanıcısı olmayanlar için paylaş"), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": + MessageLookupByLibrary.simpleMessage("İlk albümünüzü paylaşın"), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Diğer Ente kullanıcılarıyla paylaşılan ve topluluk albümleri oluşturun, bu arada ücretsiz planlara sahip kullanıcıları da içerir."), + "sharedByMe": + MessageLookupByLibrary.simpleMessage("Benim paylaştıklarım"), + "sharedByYou": MessageLookupByLibrary.simpleMessage("Paylaştıklarınız"), + "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( + "Paylaşılan fotoğrafları ekle"), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Birisi parçası olduğunuz paylaşılan bir albüme fotoğraf eklediğinde bildirim alın"), + "sharedWith": m87, + "sharedWithMe": + MessageLookupByLibrary.simpleMessage("Benimle paylaşılan"), + "sharedWithYou": + MessageLookupByLibrary.simpleMessage("Sizinle paylaşıldı"), + "sharing": MessageLookupByLibrary.simpleMessage("Paylaşılıyor..."), + "shiftDatesAndTime": + MessageLookupByLibrary.simpleMessage("Vardiya tarihleri ve saati"), + "showLessFaces": + MessageLookupByLibrary.simpleMessage("Daha az yüz göster"), + "showMemories": MessageLookupByLibrary.simpleMessage("Anıları göster"), + "showMoreFaces": + MessageLookupByLibrary.simpleMessage("Daha fazla yüz göster"), + "showPerson": MessageLookupByLibrary.simpleMessage("Kişiyi Göster"), + "signOutFromOtherDevices": + MessageLookupByLibrary.simpleMessage("Diğer cihazlardan çıkış yap"), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Eğer başka birisinin parolanızı bildiğini düşünüyorsanız, diğer tüm cihazları hesabınızdan çıkışa zorlayabilirsiniz."), + "signOutOtherDevices": + MessageLookupByLibrary.simpleMessage("Diğer cihazlardan çıkış yap"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Hizmet Şartları\'nı ve Gizlilik Politikası\'nı kabul ediyorum"), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": + MessageLookupByLibrary.simpleMessage("Tüm albümlerden silinecek."), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Geç"), + "smartMemories": MessageLookupByLibrary.simpleMessage("Akıllı anılar"), + "social": MessageLookupByLibrary.simpleMessage("Sosyal Medya"), + "someItemsAreInBothEnteAndYourDevice": + MessageLookupByLibrary.simpleMessage( + "Bazı öğeler hem Ente\'de hem de cihazınızda bulunur."), + "someOfTheFilesYouAreTryingToDeleteAre": + MessageLookupByLibrary.simpleMessage( + "Silmeye çalıştığınız dosyalardan bazıları yalnızca cihazınızda mevcuttur ve silindiği takdirde kurtarılamaz"), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Size albümleri paylaşan biri, kendi cihazında aynı kimliği görmelidir."), + "somethingWentWrong": + MessageLookupByLibrary.simpleMessage("Bazı şeyler yanlış gitti"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Bir şeyler ters gitti, lütfen tekrar deneyin"), + "sorry": MessageLookupByLibrary.simpleMessage("Üzgünüz"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "Üzgünüz, bu dosya şu anda yedeklenemedi. Daha sonra tekrar deneyeceğiz."), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Üzgünüm, favorilere ekleyemedim!"), + "sorryCouldNotRemoveFromFavorites": + MessageLookupByLibrary.simpleMessage( + "Üzgünüm, favorilere ekleyemedim!"), + "sorryTheCodeYouveEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "Üzgünüz, girdiğiniz kod yanlış"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Üzgünüm, bu cihazda güvenli anahtarlarını oluşturamadık.\n\nLütfen başka bir cihazdan giriş yapmayı deneyiniz."), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Üzgünüm, yedeklemenizi duraklatmak zorunda kaldık"), + "sort": MessageLookupByLibrary.simpleMessage("Sırala"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sırala"), + "sortNewestFirst": + MessageLookupByLibrary.simpleMessage("Yeniden eskiye"), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Önce en eski"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Başarılı"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": + MessageLookupByLibrary.simpleMessage("Sahne senin"), + "startAccountRecoveryTitle": + MessageLookupByLibrary.simpleMessage("Kurtarmayı başlat"), + "startBackup": + MessageLookupByLibrary.simpleMessage("Yedeklemeyi başlat"), + "status": MessageLookupByLibrary.simpleMessage("Durum"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "Yansıtmayı durdurmak istiyor musunuz?"), + "stopCastingTitle": + MessageLookupByLibrary.simpleMessage("Yayını durdur"), + "storage": MessageLookupByLibrary.simpleMessage("Depolama"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Aile"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Sen"), + "storageInGB": m93, + "storageLimitExceeded": + MessageLookupByLibrary.simpleMessage("Depolama sınırı aşıldı"), + "storageUsageInfo": m94, + "streamDetails": MessageLookupByLibrary.simpleMessage("Akış detayları"), + "strongStrength": MessageLookupByLibrary.simpleMessage("Güçlü"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Abone ol"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Paylaşımı etkinleştirmek için aktif bir ücretli aboneliğe ihtiyacınız var."), + "subscription": MessageLookupByLibrary.simpleMessage("Abonelik"), + "success": MessageLookupByLibrary.simpleMessage("Başarılı"), + "successfullyArchived": + MessageLookupByLibrary.simpleMessage("Başarıyla arşivlendi"), + "successfullyHid": + MessageLookupByLibrary.simpleMessage("Başarıyla saklandı"), + "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( + "Başarıyla arşivden çıkarıldı"), + "successfullyUnhid": MessageLookupByLibrary.simpleMessage( + "Başarıyla arşivden çıkarıldı"), + "suggestFeatures": + MessageLookupByLibrary.simpleMessage("Özellik önerin"), + "sunrise": MessageLookupByLibrary.simpleMessage("Ufukta"), + "support": MessageLookupByLibrary.simpleMessage("Destek"), + "syncProgress": m97, + "syncStopped": + MessageLookupByLibrary.simpleMessage("Senkronizasyon durduruldu"), + "syncing": MessageLookupByLibrary.simpleMessage("Eşitleniyor..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("Sistem"), + "tapToCopy": + MessageLookupByLibrary.simpleMessage("kopyalamak için dokunun"), + "tapToEnterCode": + MessageLookupByLibrary.simpleMessage("Kodu girmek icin tıklayın"), + "tapToUnlock": MessageLookupByLibrary.simpleMessage("Açmak için dokun"), + "tapToUpload": + MessageLookupByLibrary.simpleMessage("Yüklemek için tıklayın"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Bir şeyler ters gitmiş gibi görünüyor. Lütfen bir süre sonra tekrar deneyin. Hata devam ederse, lütfen destek ekibimizle iletişime geçin."), + "terminate": MessageLookupByLibrary.simpleMessage("Sonlandır"), + "terminateSession": + MessageLookupByLibrary.simpleMessage("Oturum sonlandırılsın mı?"), + "terms": MessageLookupByLibrary.simpleMessage("Şartlar"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Şartlar"), + "thankYou": MessageLookupByLibrary.simpleMessage("Teşekkürler"), + "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( + "Abone olduğunuz için teşekkürler!"), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "İndirme işlemi tamamlanamadı"), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "Erişmeye çalıştığınız bağlantının süresi dolmuştur."), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Kişi grupları artık kişiler bölümünde görüntülenmeyecek. Fotoğraflar dokunulmadan kalacaktır."), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Kişi artık kişiler bölümünde görüntülenmeyecek. Fotoğraflar dokunulmadan kalacaktır."), + "theRecoveryKeyYouEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "Girdiğiniz kurtarma kodu yanlış"), + "theme": MessageLookupByLibrary.simpleMessage("Tema"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Bu öğeler cihazınızdan silinecektir."), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": + MessageLookupByLibrary.simpleMessage("Tüm albümlerden silinecek."), + "thisActionCannotBeUndone": + MessageLookupByLibrary.simpleMessage("Bu eylem geri alınamaz"), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "Bu albümde zaten bir ortak çalışma bağlantısı var"), + "thisCanBeUsedToRecoverYourAccountIfYou": + MessageLookupByLibrary.simpleMessage( + "Bu, iki faktörünüzü kaybederseniz hesabınızı kurtarmak için kullanılabilir"), + "thisDevice": MessageLookupByLibrary.simpleMessage("Bu cihaz"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "Bu e-posta zaten kullanılıyor"), + "thisImageHasNoExifData": + MessageLookupByLibrary.simpleMessage("Bu görselde exif verisi yok"), + "thisIsMeExclamation": + MessageLookupByLibrary.simpleMessage("Bu benim!"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": + MessageLookupByLibrary.simpleMessage("Doğrulama kimliğiniz"), + "thisWeekThroughTheYears": + MessageLookupByLibrary.simpleMessage("Yıllar boyunca bu hafta"), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Bu, sizi aşağıdaki cihazdan çıkış yapacak:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Bu cihazdaki oturumunuz kapatılacak!"), + "thisWillMakeTheDateAndTimeOfAllSelected": + MessageLookupByLibrary.simpleMessage( + "Bu, seçilen tüm fotoğrafların tarih ve saatini aynı yapacaktır."), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "Bu, seçilen tüm hızlı bağlantıların genel bağlantılarını kaldıracaktır."), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "Uygulama kilidini etkinleştirmek için lütfen sistem ayarlarınızda cihaz şifresi veya ekran kilidi ayarlayın."), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( + "Bir fotoğrafı veya videoyu gizlemek için"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Şifrenizi sıfılamak için lütfen e-postanızı girin."), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Bugünün kayıtları"), + "tooManyIncorrectAttempts": + MessageLookupByLibrary.simpleMessage("Çok fazla hatalı deneme"), + "total": MessageLookupByLibrary.simpleMessage("total"), + "totalSize": MessageLookupByLibrary.simpleMessage("Toplam boyut"), + "trash": MessageLookupByLibrary.simpleMessage("Cöp kutusu"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Kes"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": + MessageLookupByLibrary.simpleMessage("Güvenilir kişiler"), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Tekrar deneyiniz"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Bu cihaz klasörüne eklenen dosyaları otomatik olarak ente\'ye yüklemek için yedeklemeyi açın."), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "Yıllık planlarda 2 ay ücretsiz"), + "twofactor": + MessageLookupByLibrary.simpleMessage("İki faktörlü doğrulama"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "İki faktörlü kimlik doğrulama devre dışı"), + "twofactorAuthenticationPageTitle": + MessageLookupByLibrary.simpleMessage("İki faktörlü doğrulama"), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "İki faktörlü kimlik doğrulama başarıyla sıfırlandı"), + "twofactorSetup": + MessageLookupByLibrary.simpleMessage("İki faktörlü kurulum"), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("Arşivden cıkar"), + "unarchiveAlbum": + MessageLookupByLibrary.simpleMessage("Arşivden Çıkar"), + "unarchiving": + MessageLookupByLibrary.simpleMessage("Arşivden çıkarılıyor..."), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Üzgünüz, bu kod mevcut değil."), + "uncategorized": MessageLookupByLibrary.simpleMessage("Kategorisiz"), + "unhide": MessageLookupByLibrary.simpleMessage("Gizleme"), + "unhideToAlbum": MessageLookupByLibrary.simpleMessage("Albümü gizleme"), + "unhiding": MessageLookupByLibrary.simpleMessage("Gösteriliyor..."), + "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Albümdeki dosyalar gösteriliyor"), + "unlock": MessageLookupByLibrary.simpleMessage("Kilidi aç"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage( + "Albümün sabitlemesini kaldır"), + "unselectAll": + MessageLookupByLibrary.simpleMessage("Tümünün seçimini kaldır"), + "update": MessageLookupByLibrary.simpleMessage("Güncelle"), + "updateAvailable": + MessageLookupByLibrary.simpleMessage("Güncelleme mevcut"), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Klasör seçimi güncelleniyor..."), + "upgrade": MessageLookupByLibrary.simpleMessage("Yükselt"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Dosyalar albüme taşınıyor..."), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": + MessageLookupByLibrary.simpleMessage("1 anı korunuyor..."), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "4 Aralık\'a kadar %50\'ye varan indirim."), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "Kullanılabilir depolama alanı mevcut planınızla sınırlıdır. Talep edilen fazla depolama alanı, planınızı yükselttiğinizde otomatik olarak kullanılabilir hale gelecektir."), + "useAsCover": + MessageLookupByLibrary.simpleMessage("Kapak olarak kullanın"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "Bu videoyu oynatmakta sorun mu yaşıyorsunuz? Farklı bir oynatıcı denemek için buraya uzun basın."), + "usePublicLinksForPeopleNotOnEnte": + MessageLookupByLibrary.simpleMessage( + "Ente\'de olmayan kişiler için genel bağlantıları kullanın"), + "useRecoveryKey": + MessageLookupByLibrary.simpleMessage("Kurtarma anahtarını kullan"), + "useSelectedPhoto": + MessageLookupByLibrary.simpleMessage("Seçilen fotoğrafı kullan"), + "usedSpace": MessageLookupByLibrary.simpleMessage("Kullanılan alan"), + "validTill": m110, + "verificationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Doğrulama başarısız oldu, lütfen tekrar deneyin"), + "verificationId": + MessageLookupByLibrary.simpleMessage("Doğrulama kimliği"), + "verify": MessageLookupByLibrary.simpleMessage("Doğrula"), + "verifyEmail": + MessageLookupByLibrary.simpleMessage("E-posta adresini doğrulayın"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Doğrula"), + "verifyPasskey": + MessageLookupByLibrary.simpleMessage("Şifrenizi doğrulayın"), + "verifyPassword": + MessageLookupByLibrary.simpleMessage("Şifrenizi doğrulayın"), + "verifying": MessageLookupByLibrary.simpleMessage("Doğrulanıyor..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Kurtarma kodu doğrulanıyor..."), + "videoInfo": MessageLookupByLibrary.simpleMessage("Video Bilgileri"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), + "videoStreaming": + MessageLookupByLibrary.simpleMessage("Akışlandırılabilir videolar"), + "videos": MessageLookupByLibrary.simpleMessage("Videolar"), + "viewActiveSessions": + MessageLookupByLibrary.simpleMessage("Aktif oturumları görüntüle"), + "viewAddOnButton": + MessageLookupByLibrary.simpleMessage("Eklentileri görüntüle"), + "viewAll": MessageLookupByLibrary.simpleMessage("Tümünü görüntüle"), + "viewAllExifData": MessageLookupByLibrary.simpleMessage( + "Tüm EXIF verilerini görüntüle"), + "viewLargeFiles": + MessageLookupByLibrary.simpleMessage("Büyük dosyalar"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "En fazla depolama alanı kullanan dosyaları görüntüleyin."), + "viewLogs": MessageLookupByLibrary.simpleMessage("Kayıtları görüntüle"), + "viewPersonToUnlink": m112, + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Kurtarma anahtarını görüntüle"), + "viewer": MessageLookupByLibrary.simpleMessage("Görüntüleyici"), + "viewersSuccessfullyAdded": m113, + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Aboneliğinizi yönetmek için lütfen web.ente.io adresini ziyaret edin"), + "waitingForVerification": + MessageLookupByLibrary.simpleMessage("Doğrulama bekleniyor..."), + "waitingForWifi": + MessageLookupByLibrary.simpleMessage("WiFi bekleniyor..."), + "warning": MessageLookupByLibrary.simpleMessage("Uyarı"), + "weAreOpenSource": + MessageLookupByLibrary.simpleMessage("Biz açık kaynağız!"), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "Henüz sahibi olmadığınız fotoğraf ve albümlerin düzenlenmesini desteklemiyoruz"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Zayıf"), + "welcomeBack": + MessageLookupByLibrary.simpleMessage("Tekrardan hoşgeldin!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("Yenilikler"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage("."), + "widgets": MessageLookupByLibrary.simpleMessage("Widget\'lar"), + "wishThemAHappyBirthday": m115, + "yearShort": MessageLookupByLibrary.simpleMessage("yıl"), + "yearly": MessageLookupByLibrary.simpleMessage("Yıllık"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Evet"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Evet, iptal et"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( + "Evet, görüntüleyici olarak dönüştür"), + "yesDelete": MessageLookupByLibrary.simpleMessage("Evet, sil"), + "yesDiscardChanges": + MessageLookupByLibrary.simpleMessage("Evet, değişiklikleri sil"), + "yesIgnore": + MessageLookupByLibrary.simpleMessage("Evet, görmezden gel"), + "yesLogout": + MessageLookupByLibrary.simpleMessage("Evet, oturumu kapat"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Evet, sil"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Evet, yenile"), + "yesResetPerson": + MessageLookupByLibrary.simpleMessage("Evet, kişiyi sıfırla"), + "you": MessageLookupByLibrary.simpleMessage("Sen"), + "youAndThem": m117, + "youAreOnAFamilyPlan": + MessageLookupByLibrary.simpleMessage("Aile planı kullanıyorsunuz!"), + "youAreOnTheLatestVersion": + MessageLookupByLibrary.simpleMessage("En son sürüme sahipsiniz"), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Alanınızı en fazla ikiye katlayabilirsiniz"), + "youCanManageYourLinksInTheShareTab": + MessageLookupByLibrary.simpleMessage( + "Bağlantılarınızı paylaşım sekmesinden yönetebilirsiniz."), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "Farklı bir sorgu aramayı deneyebilirsiniz."), + "youCannotDowngradeToThisPlan": + MessageLookupByLibrary.simpleMessage("Bu plana geçemezsiniz"), + "youCannotShareWithYourself": + MessageLookupByLibrary.simpleMessage("Kendinizle paylaşamazsınız"), + "youDontHaveAnyArchivedItems": + MessageLookupByLibrary.simpleMessage("Arşivlenmiş öğeniz yok."), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": + MessageLookupByLibrary.simpleMessage("Hesabınız silindi"), + "yourMap": MessageLookupByLibrary.simpleMessage("Haritalarınız"), + "yourPlanWasSuccessfullyDowngraded": + MessageLookupByLibrary.simpleMessage( + "Planınız başarıyla düşürüldü"), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "Planınız başarıyla yükseltildi"), + "yourPurchaseWasSuccessful": + MessageLookupByLibrary.simpleMessage("Satın alım başarılı"), + "yourStorageDetailsCouldNotBeFetched": + MessageLookupByLibrary.simpleMessage("Depolama bilgisi alınamadı"), + "yourSubscriptionHasExpired": + MessageLookupByLibrary.simpleMessage("Aboneliğinizin süresi doldu"), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "Aboneliğiniz başarıyla güncellendi"), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "Doğrulama kodunuzun süresi doldu"), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "Temizlenebilecek yinelenen dosyalarınız yok"), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "Her şey zaten temiz, silinecek dosya kalmadı"), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( + "Fotoğrafları görmek için uzaklaştırın") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_uk.dart b/mobile/apps/photos/lib/generated/intl/messages_uk.dart index 00ce37c0de..4288b1f243 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_uk.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_uk.dart @@ -42,7 +42,11 @@ class MessageLookup extends MessageLookupByLibrary { "${user} не зможе додавати більше фотографій до цього альбому\n\nВони все ще зможуть видаляти додані ними фотографії"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, {'true': 'Ваша сім\'я отримала ${storageAmountInGb} ГБ', 'false': 'Ви отримали ${storageAmountInGb} ГБ', 'other': 'Ви отримали ${storageAmountInGb} ГБ!'})}"; + "${Intl.select(isFamilyMember, { + 'true': 'Ваша сім\'я отримала ${storageAmountInGb} ГБ', + 'false': 'Ви отримали ${storageAmountInGb} ГБ', + 'other': 'Ви отримали ${storageAmountInGb} ГБ!', + })}"; static String m15(albumName) => "Створено спільне посилання для «${albumName}»"; @@ -183,11 +187,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} ГБ"; static String m94( - usedAmount, - usedStorageUnit, - totalAmount, - totalStorageUnit, - ) => + usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => "${usedAmount} ${usedStorageUnit} з ${totalAmount} ${totalStorageUnit} використано"; static String m95(id) => @@ -233,2241 +233,1764 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Доступна нова версія Ente.", - ), - "about": MessageLookupByLibrary.simpleMessage("Про застосунок"), - "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( - "Прийняти запрошення", - ), - "account": MessageLookupByLibrary.simpleMessage("Обліковий запис"), - "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( - "Обліковий запис уже налаштовано.", - ), - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( - "З поверненням!", - ), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Я розумію, що якщо я втрачу свій пароль, я можу втратити свої дані, тому що вони є захищені наскрізним шифруванням.", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage("Активні сеанси"), - "add": MessageLookupByLibrary.simpleMessage("Додати"), - "addAName": MessageLookupByLibrary.simpleMessage("Додати ім\'я"), - "addANewEmail": MessageLookupByLibrary.simpleMessage("Додати нову пошту"), - "addCollaborator": MessageLookupByLibrary.simpleMessage( - "Додати співавтора", - ), - "addFiles": MessageLookupByLibrary.simpleMessage("Додати файли"), - "addFromDevice": MessageLookupByLibrary.simpleMessage("Додати з пристрою"), - "addLocation": MessageLookupByLibrary.simpleMessage("Додати розташування"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Додати"), - "addMore": MessageLookupByLibrary.simpleMessage("Додати більше"), - "addName": MessageLookupByLibrary.simpleMessage("Додати ім\'я"), - "addNameOrMerge": MessageLookupByLibrary.simpleMessage( - "Додати назву або об\'єднати", - ), - "addNew": MessageLookupByLibrary.simpleMessage("Додати нове"), - "addNewPerson": MessageLookupByLibrary.simpleMessage("Додати нову особу"), - "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( - "Подробиці доповнень", - ), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("Доповнення"), - "addPhotos": MessageLookupByLibrary.simpleMessage("Додати фотографії"), - "addSelected": MessageLookupByLibrary.simpleMessage("Додати вибране"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("Додати до альбому"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Додати до Ente"), - "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Додати до прихованого альбому", - ), - "addTrustedContact": MessageLookupByLibrary.simpleMessage( - "Додати довірений контакт", - ), - "addViewer": MessageLookupByLibrary.simpleMessage("Додати глядача"), - "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( - "Додайте свої фотографії", - ), - "addedAs": MessageLookupByLibrary.simpleMessage("Додано як"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": MessageLookupByLibrary.simpleMessage( - "Додавання до обраного...", - ), - "advanced": MessageLookupByLibrary.simpleMessage("Додатково"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Додатково"), - "after1Day": MessageLookupByLibrary.simpleMessage("Через 1 день"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Через 1 годину"), - "after1Month": MessageLookupByLibrary.simpleMessage("Через 1 місяць"), - "after1Week": MessageLookupByLibrary.simpleMessage("Через 1 тиждень"), - "after1Year": MessageLookupByLibrary.simpleMessage("Через 1 рік"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Власник"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Назва альбому"), - "albumUpdated": MessageLookupByLibrary.simpleMessage("Альбом оновлено"), - "albums": MessageLookupByLibrary.simpleMessage("Альбоми"), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Все чисто"), - "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( - "Всі спогади збережені", - ), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "Усі групи для цієї особи будуть скинуті, і ви втратите всі пропозиції, зроблені для неї", - ), - "allow": MessageLookupByLibrary.simpleMessage("Дозволити"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Дозволити людям з посиланням також додавати фотографії до спільного альбому.", - ), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( - "Дозволити додавати фотографії", - ), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "Дозволити застосунку відкривати спільні альбоми", - ), - "allowDownloads": MessageLookupByLibrary.simpleMessage( - "Дозволити завантаження", - ), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Дозволити людям додавати фотографії", - ), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Надайте доступ до ваших фотографій з налаштувань, щоб Ente міг показувати та створювати резервну копію вашої бібліотеки.", - ), - "allowPermTitle": MessageLookupByLibrary.simpleMessage( - "Дозволити доступ до фотографій", - ), - "androidBiometricHint": MessageLookupByLibrary.simpleMessage( - "Підтвердження особистості", - ), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "Не розпізнано. Спробуйте ще раз.", - ), - "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( - "Потрібна біометрія", - ), - "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("Успішно"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Скасувати"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage( - "Необхідні облікові дані пристрою", - ), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage( - "Необхідні облікові дані пристрою", - ), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Біометрична перевірка не встановлена на вашому пристрої. Перейдіть в «Налаштування > Безпека», щоб додати біометричну перевірку.", - ), - "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( - "Android, iOS, Вебсайт, ПК", - ), - "androidSignInTitle": MessageLookupByLibrary.simpleMessage( - "Необхідна перевірка", - ), - "appLock": MessageLookupByLibrary.simpleMessage("Блокування застосунку"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Виберіть між типовим екраном блокування вашого пристрою та власним екраном блокування з PIN-кодом або паролем.", - ), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), - "apply": MessageLookupByLibrary.simpleMessage("Застосувати"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Застосувати код"), - "appstoreSubscription": MessageLookupByLibrary.simpleMessage( - "Передплата App Store", - ), - "archive": MessageLookupByLibrary.simpleMessage("Архів"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("Архівувати альбом"), - "archiving": MessageLookupByLibrary.simpleMessage("Архівуємо..."), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Ви впевнені, що хочете залишити сімейний план?", - ), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "Ви дійсно хочете скасувати?", - ), - "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( - "Ви впевнені, що хочете змінити свій план?", - ), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "Ви впевнені, що хочете вийти?", - ), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Ви впевнені, що хочете вийти з облікового запису?", - ), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "Ви впевнені, що хочете поновити?", - ), - "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( - "Ви впевнені, що хочете скинути цю особу?", - ), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "Передплату було скасовано. Ви хотіли б поділитися причиною?", - ), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Яка основна причина видалення вашого облікового запису?", - ), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Попросіть своїх близьких поділитися", - ), - "atAFalloutShelter": MessageLookupByLibrary.simpleMessage("в бомбосховищі"), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Авторизуйтесь, щоб змінити перевірку через пошту", - ), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Авторизуйтесь для зміни налаштувань екрана блокування", - ), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Авторизуйтесь, щоб змінити поштову адресу", - ), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Авторизуйтесь, щоб змінити пароль", - ), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Авторизуйтесь, щоб налаштувати двоетапну перевірку", - ), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Авторизуйтесь, щоби розпочати видалення облікового запису", - ), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Авторизуйтесь, щоби керувати довіреними контактами", - ), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Авторизуйтесь, щоб переглянути свій ключ доступу", - ), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Авторизуйтесь, щоб переглянути активні сеанси", - ), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Авторизуйтеся, щоб переглянути приховані файли", - ), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Авторизуйтеся, щоб переглянути ваші спогади", - ), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Авторизуйтесь для перегляду вашого ключа відновлення", - ), - "authenticating": MessageLookupByLibrary.simpleMessage("Автентифікація..."), - "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Автентифікація не пройдена. Спробуйте ще раз", - ), - "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( - "Автентифікація пройшла успішно!", - ), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Тут ви побачите доступні пристрої для трансляції.", - ), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Переконайтеся, що для застосунку «Фотографії Ente» увімкнено дозволи локальної мережі в налаштуваннях.", - ), - "autoLock": MessageLookupByLibrary.simpleMessage("Автоблокування"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Час, через який застосунок буде заблоковано у фоновому режимі", - ), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "Через технічні збої ви вийшли з системи. Перепрошуємо за незручності.", - ), - "autoPair": MessageLookupByLibrary.simpleMessage( - "Автоматичне створення пари", - ), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "Автоматичне створення пари працює лише з пристроями, що підтримують Chromecast.", - ), - "available": MessageLookupByLibrary.simpleMessage("Доступно"), - "availableStorageSpace": m10, - "backedUpFolders": MessageLookupByLibrary.simpleMessage( - "Резервне копіювання тек", - ), - "backup": MessageLookupByLibrary.simpleMessage("Резервне копіювання"), - "backupFailed": MessageLookupByLibrary.simpleMessage( - "Помилка резервного копіювання", - ), - "backupFile": MessageLookupByLibrary.simpleMessage("Файл резервної копії"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Резервне копіювання через мобільні дані", - ), - "backupSettings": MessageLookupByLibrary.simpleMessage( - "Налаштування резервного копіювання", - ), - "backupStatus": MessageLookupByLibrary.simpleMessage( - "Стан резервного копіювання", - ), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Елементи, для яких було створено резервну копію, показуватимуться тут", - ), - "backupVideos": MessageLookupByLibrary.simpleMessage( - "Резервне копіювання відео", - ), - "birthday": MessageLookupByLibrary.simpleMessage("День народження"), - "blackFridaySale": MessageLookupByLibrary.simpleMessage( - "Розпродаж у «Чорну п\'ятницю»", - ), - "blog": MessageLookupByLibrary.simpleMessage("Блог"), - "cachedData": MessageLookupByLibrary.simpleMessage("Кешовані дані"), - "calculating": MessageLookupByLibrary.simpleMessage("Обчислення..."), - "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( - "Не можна завантажувати в альбоми, які належать іншим", - ), - "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Можна створити лише посилання для файлів, що належать вам", - ), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Ви можете видалити лише файли, що належать вам", - ), - "cancel": MessageLookupByLibrary.simpleMessage("Скасувати"), - "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( - "Скасувати відновлення", - ), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "Ви впевнені, що хочете скасувати відновлення?", - ), - "cancelOtherSubscription": m12, - "cancelSubscription": MessageLookupByLibrary.simpleMessage( - "Скасувати передплату", - ), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Не можна видалити спільні файли", - ), - "castAlbum": MessageLookupByLibrary.simpleMessage("Транслювати альбом"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Переконайтеся, що ви перебуваєте в тій же мережі, що і телевізор.", - ), - "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( - "Не вдалося транслювати альбом", - ), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Відвідайте cast.ente.io на пристрої, з яким ви хочете створити пару.\n\nВведіть код нижче, щоб відтворити альбом на телевізорі.", - ), - "centerPoint": MessageLookupByLibrary.simpleMessage("Центральна точка"), - "change": MessageLookupByLibrary.simpleMessage("Змінити"), - "changeEmail": MessageLookupByLibrary.simpleMessage("Змінити адресу пошти"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Змінити розташування вибраних елементів?", - ), - "changePassword": MessageLookupByLibrary.simpleMessage("Змінити пароль"), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Змінити пароль", - ), - "changePermissions": MessageLookupByLibrary.simpleMessage( - "Змінити дозволи?", - ), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Змінити ваш реферальний код", - ), - "checkForUpdates": MessageLookupByLibrary.simpleMessage( - "Перевiрити наявнiсть оновлень", - ), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Перевірте вашу поштову скриньку (та спам), щоб завершити перевірку", - ), - "checkStatus": MessageLookupByLibrary.simpleMessage("Перевірити стан"), - "checking": MessageLookupByLibrary.simpleMessage("Перевірка..."), - "checkingModels": MessageLookupByLibrary.simpleMessage( - "Перевірка моделей...", - ), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage( - "Отримайте безплатне сховище", - ), - "claimMore": MessageLookupByLibrary.simpleMessage("Отримайте більше!"), - "claimed": MessageLookupByLibrary.simpleMessage("Отримано"), - "claimedStorageSoFar": m14, - "cleanUncategorized": MessageLookupByLibrary.simpleMessage( - "Очистити «Без категорії»", - ), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Видалити всі файли з «Без категорії», що є в інших альбомах", - ), - "clearCaches": MessageLookupByLibrary.simpleMessage("Очистити кеш"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Очистити індекси"), - "click": MessageLookupByLibrary.simpleMessage("• Натисніть"), - "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( - "• Натисніть на меню переповнення", - ), - "close": MessageLookupByLibrary.simpleMessage("Закрити"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( - "Клуб за часом захоплення", - ), - "clubByFileName": MessageLookupByLibrary.simpleMessage( - "Клуб за назвою файлу", - ), - "clusteringProgress": MessageLookupByLibrary.simpleMessage( - "Прогрес кластеризації", - ), - "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( - "Код застосовано", - ), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "На жаль, ви досягли ліміту змін коду.", - ), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Код скопійовано до буфера обміну", - ), - "codeUsedByYou": MessageLookupByLibrary.simpleMessage( - "Код використано вами", - ), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Створіть посилання, щоб дозволити людям додавати й переглядати фотографії у вашому спільному альбомі без використання застосунку Ente або облікового запису. Чудово підходить для збору фотографій з подій.", - ), - "collaborativeLink": MessageLookupByLibrary.simpleMessage( - "Спільне посилання", - ), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Співавтор"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Співавтори можуть додавати фотографії та відео до спільного альбому.", - ), - "collageLayout": MessageLookupByLibrary.simpleMessage("Макет"), - "collageSaved": MessageLookupByLibrary.simpleMessage( - "Колаж збережено до галереї", - ), - "collect": MessageLookupByLibrary.simpleMessage("Зібрати"), - "collectEventPhotos": MessageLookupByLibrary.simpleMessage( - "Зібрати фотографії події", - ), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Зібрати фотографії"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Створіть посилання, за яким ваші друзі зможуть завантажувати фотографії в оригінальній якості.", - ), - "color": MessageLookupByLibrary.simpleMessage("Колір"), - "configuration": MessageLookupByLibrary.simpleMessage("Налаштування"), - "confirm": MessageLookupByLibrary.simpleMessage("Підтвердити"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Ви впевнені, що хочете вимкнути двоетапну перевірку?", - ), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Підтвердьте видалення облікового запису", - ), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Так, я хочу безповоротно видалити цей обліковий запис та його дані з усіх застосунків.", - ), - "confirmPassword": MessageLookupByLibrary.simpleMessage( - "Підтвердити пароль", - ), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage( - "Підтвердити зміну плану", - ), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Підтвердити ключ відновлення", - ), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Підтвердіть ваш ключ відновлення", - ), - "connectToDevice": MessageLookupByLibrary.simpleMessage( - "Під\'єднатися до пристрою", - ), - "contactFamilyAdmin": m18, - "contactSupport": MessageLookupByLibrary.simpleMessage( - "Звернутися до служби підтримки", - ), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Контакти"), - "contents": MessageLookupByLibrary.simpleMessage("Вміст"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Продовжити"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "Продовжити безплатний пробний період", - ), - "convertToAlbum": MessageLookupByLibrary.simpleMessage( - "Перетворити в альбом", - ), - "copyEmailAddress": MessageLookupByLibrary.simpleMessage( - "Копіювати поштову адресу", - ), - "copyLink": MessageLookupByLibrary.simpleMessage("Копіювати посилання"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Скопіюйте цей код\nу ваш застосунок для автентифікації", - ), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "Не вдалося створити резервну копію даних.\nМи спробуємо пізніше.", - ), - "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( - "Не вдалося звільнити місце", - ), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Не вдалося оновити передплату", - ), - "count": MessageLookupByLibrary.simpleMessage("Кількість"), - "crashReporting": MessageLookupByLibrary.simpleMessage("Звіти про помилки"), - "create": MessageLookupByLibrary.simpleMessage("Створити"), - "createAccount": MessageLookupByLibrary.simpleMessage( - "Створити обліковий запис", - ), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Утримуйте, щоби вибрати фотографії, та натисніть «+», щоб створити альбом", - ), - "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( - "Створити спільне посилання", - ), - "createCollage": MessageLookupByLibrary.simpleMessage("Створити колаж"), - "createNewAccount": MessageLookupByLibrary.simpleMessage( - "Створити новий обліковий запис", - ), - "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( - "Створити або вибрати альбом", - ), - "createPublicLink": MessageLookupByLibrary.simpleMessage( - "Створити публічне посилання", - ), - "creatingLink": MessageLookupByLibrary.simpleMessage( - "Створення посилання...", - ), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "Доступне важливе оновлення", - ), - "crop": MessageLookupByLibrary.simpleMessage("Обрізати"), - "currentUsageIs": MessageLookupByLibrary.simpleMessage( - "Поточне використання ", - ), - "currentlyRunning": MessageLookupByLibrary.simpleMessage("зараз працює"), - "custom": MessageLookupByLibrary.simpleMessage("Власне"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Темна"), - "dayToday": MessageLookupByLibrary.simpleMessage("Сьогодні"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Вчора"), - "declineTrustInvite": MessageLookupByLibrary.simpleMessage( - "Відхилити запрошення", - ), - "decrypting": MessageLookupByLibrary.simpleMessage("Дешифрування..."), - "decryptingVideo": MessageLookupByLibrary.simpleMessage( - "Розшифрування відео...", - ), - "deduplicateFiles": MessageLookupByLibrary.simpleMessage( - "Усунути дублікати файлів", - ), - "delete": MessageLookupByLibrary.simpleMessage("Видалити"), - "deleteAccount": MessageLookupByLibrary.simpleMessage( - "Видалити обліковий запис", - ), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Нам шкода, що ви йдете. Будь ласка, поділіться своїм відгуком, щоб допомогти нам покращитися.", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Остаточно видалити обліковий запис", - ), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Видалити альбом"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Також видалити фотографії (і відео), які є в цьому альбомі, зі всіх інших альбомів, з яких вони складаються?", - ), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "Це призведе до видалення всіх пустих альбомів. Це зручно, коли ви бажаєте зменшити засмічення в списку альбомів.", - ), - "deleteAll": MessageLookupByLibrary.simpleMessage("Видалити все"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "Цей обліковий запис пов\'язаний з іншими застосунками Ente, якщо ви ними користуєтесь. Завантажені вами дані з усіх застосунків Ente будуть заплановані до видалення, а ваш обліковий запис буде видалено назавжди.", - ), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Будь ласка, надішліть електронного листа на account-deletion@ente.io зі скриньки, зазначеної при реєстрації.", - ), - "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( - "Видалити пусті альбоми", - ), - "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( - "Видалити пусті альбоми?", - ), - "deleteFromBoth": MessageLookupByLibrary.simpleMessage("Видалити з обох"), - "deleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Видалити з пристрою", - ), - "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Видалити з Ente"), - "deleteItemCount": m21, - "deleteLocation": MessageLookupByLibrary.simpleMessage( - "Видалити розташування", - ), - "deletePhotos": MessageLookupByLibrary.simpleMessage("Видалити фото"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Мені бракує ключової функції", - ), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "Застосунок або певна функція не поводяться так, як я думаю, вони повинні", - ), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Я знайшов інший сервіс, який подобається мені більше", - ), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "Причина не перерахована", - ), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Ваш запит буде оброблений протягом 72 годин.", - ), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Видалити спільний альбом?", - ), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "Альбом буде видалено для всіх\n\nВи втратите доступ до спільних фотографій у цьому альбомі, які належать іншим", - ), - "deselectAll": MessageLookupByLibrary.simpleMessage("Зняти виділення"), - "designedToOutlive": MessageLookupByLibrary.simpleMessage( - "Створено, щоб пережити вас", - ), - "details": MessageLookupByLibrary.simpleMessage("Подробиці"), - "developerSettings": MessageLookupByLibrary.simpleMessage( - "Налаштування для розробників", - ), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Ви впевнені, що хочете змінити налаштування для розробників?", - ), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Введіть код"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "Файли, додані до цього альбому на пристрої, автоматично завантажаться до Ente.", - ), - "deviceLock": MessageLookupByLibrary.simpleMessage("Блокування пристрою"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Вимкніть блокування екрана пристрою, коли на передньому плані знаходиться Ente і виконується резервне копіювання. Зазвичай це не потрібно, але може допомогти швидше завершити великі вивантаження і початковий імпорт великих бібліотек.", - ), - "deviceNotFound": MessageLookupByLibrary.simpleMessage( - "Пристрій не знайдено", - ), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Чи знали ви?"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage( - "Вимкнути автоблокування", - ), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Переглядачі все ще можуть робити знімки екрана або зберігати копію ваших фотографій за допомогою зовнішніх інструментів", - ), - "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( - "Зверніть увагу", - ), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "Вимкнути двоетапну перевірку", - ), - "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( - "Вимкнення двоетапної перевірки...", - ), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Відкрийте для себе"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Немовлята"), - "discover_celebrations": MessageLookupByLibrary.simpleMessage( - "Святкування", - ), - "discover_food": MessageLookupByLibrary.simpleMessage("Їжа"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Зелень"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Пагорби"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Особистість"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Меми"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Нотатки"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Домашні тварини"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Квитанції"), - "discover_screenshots": MessageLookupByLibrary.simpleMessage( - "Знімки екрана", - ), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Селфі"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Захід сонця"), - "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( - "Візитівки", - ), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Шпалери"), - "dismiss": MessageLookupByLibrary.simpleMessage("Відхилити"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("км"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage("Не виходити"), - "doThisLater": MessageLookupByLibrary.simpleMessage("Зробити це пізніше"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Ви хочете відхилити внесені зміни?", - ), - "done": MessageLookupByLibrary.simpleMessage("Готово"), - "doubleYourStorage": MessageLookupByLibrary.simpleMessage( - "Подвоїти своє сховище", - ), - "download": MessageLookupByLibrary.simpleMessage("Завантажити"), - "downloadFailed": MessageLookupByLibrary.simpleMessage( - "Не вдалося завантажити", - ), - "downloading": MessageLookupByLibrary.simpleMessage("Завантаження..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Редагувати"), - "editLocation": MessageLookupByLibrary.simpleMessage( - "Змінити розташування", - ), - "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( - "Змінити розташування", - ), - "editPerson": MessageLookupByLibrary.simpleMessage("Редагувати особу"), - "editsSaved": MessageLookupByLibrary.simpleMessage("Зміни збережено"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Зміна розташування буде видима лише в Ente", - ), - "eligible": MessageLookupByLibrary.simpleMessage("придатний"), - "email": MessageLookupByLibrary.simpleMessage("Адреса електронної пошти"), - "emailChangedTo": m29, - "emailNoEnteAccount": m31, - "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( - "Підтвердження через пошту", - ), - "emailYourLogs": MessageLookupByLibrary.simpleMessage( - "Відправте ваші журнали поштою", - ), - "emergencyContacts": MessageLookupByLibrary.simpleMessage( - "Екстрені контакти", - ), - "empty": MessageLookupByLibrary.simpleMessage("Спорожнити"), - "emptyTrash": MessageLookupByLibrary.simpleMessage("Очистити смітник?"), - "enable": MessageLookupByLibrary.simpleMessage("Увімкнути"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "Ente підтримує машинне навчання для розпізнавання обличчя, магічний пошук та інші розширені функції пошуку", - ), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Увімкніть машинне навчання для магічного пошуку та розпізнавання облич", - ), - "enableMaps": MessageLookupByLibrary.simpleMessage("Увімкнути мапи"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "Це покаже ваші фотографії на мапі світу.\n\nЦя мапа розміщена на OpenStreetMap, і точне розташування ваших фотографій ніколи не розголошується.\n\nВи можете будь-коли вимкнути цю функцію в налаштуваннях.", - ), - "enabled": MessageLookupByLibrary.simpleMessage("Увімкнено"), - "encryptingBackup": MessageLookupByLibrary.simpleMessage( - "Шифруємо резервну копію...", - ), - "encryption": MessageLookupByLibrary.simpleMessage("Шифрування"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage("Ключі шифрування"), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Кінцева точка успішно оновлена", - ), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Наскрізне шифрування по стандарту", - ), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente може зашифрувати та зберігати файли тільки в тому випадку, якщо ви надасте до них доступ", - ), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente потребує дозволу до ваших світлин", - ), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "Ente зберігає ваші спогади, тому вони завжди доступні для вас, навіть якщо ви втратите пристрій.", - ), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Вашу сім\'ю також можна додати до вашого тарифу.", - ), - "enterAlbumName": MessageLookupByLibrary.simpleMessage( - "Введіть назву альбому", - ), - "enterCode": MessageLookupByLibrary.simpleMessage("Введіть код"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Введіть код, наданий вашим другом, щоби отримати безплатне сховище для вас обох", - ), - "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( - "День народження (необов\'язково)", - ), - "enterEmail": MessageLookupByLibrary.simpleMessage( - "Введіть поштову адресу", - ), - "enterFileName": MessageLookupByLibrary.simpleMessage( - "Введіть назву файлу", - ), - "enterName": MessageLookupByLibrary.simpleMessage("Введіть ім\'я"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Введіть новий пароль, який ми зможемо використати для шифрування ваших даних", - ), - "enterPassword": MessageLookupByLibrary.simpleMessage("Введіть пароль"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Введіть пароль, який ми зможемо використати для шифрування ваших даних", - ), - "enterPersonName": MessageLookupByLibrary.simpleMessage( - "Введіть ім\'я особи", - ), - "enterPin": MessageLookupByLibrary.simpleMessage("Введіть PIN-код"), - "enterReferralCode": MessageLookupByLibrary.simpleMessage( - "Введіть реферальний код", - ), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Введіть 6-значний код з\nвашого застосунку для автентифікації", - ), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Будь ласка, введіть дійсну адресу електронної пошти.", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Введіть вашу адресу електронної пошти", - ), - "enterYourPassword": MessageLookupByLibrary.simpleMessage("Введіть пароль"), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Введіть ваш ключ відновлення", - ), - "error": MessageLookupByLibrary.simpleMessage("Помилка"), - "everywhere": MessageLookupByLibrary.simpleMessage("всюди"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": MessageLookupByLibrary.simpleMessage("Існуючий користувач"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Термін дії цього посилання минув. Будь ласка, виберіть новий час терміну дії або вимкніть це посилання.", - ), - "exportLogs": MessageLookupByLibrary.simpleMessage( - "Експортування журналів", - ), - "exportYourData": MessageLookupByLibrary.simpleMessage("Експортувати дані"), - "extraPhotosFound": MessageLookupByLibrary.simpleMessage( - "Знайдено додаткові фотографії", - ), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Обличчя ще не згруповані, поверніться пізніше", - ), - "faceRecognition": MessageLookupByLibrary.simpleMessage( - "Розпізнавання обличчя", - ), - "faces": MessageLookupByLibrary.simpleMessage("Обличчя"), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage( - "Не вдалося застосувати код", - ), - "failedToCancel": MessageLookupByLibrary.simpleMessage( - "Не вдалося скасувати", - ), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( - "Не вдалося завантажити відео", - ), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Не вдалося отримати активні сеанси", - ), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Не вдалося отримати оригінал для редагування", - ), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Не вдається отримати відомості про реферала. Спробуйте ще раз пізніше.", - ), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "Не вдалося завантажити альбоми", - ), - "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Не вдалося відтворити відео", - ), - "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( - "Не вдалося поновити підписку", - ), - "failedToRenew": MessageLookupByLibrary.simpleMessage( - "Не вдалося поновити", - ), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Не вдалося перевірити стан платежу", - ), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Додайте 5 членів сім\'ї до чинного тарифу без додаткової плати.\n\nКожен член сім\'ї отримає власний приватний простір і не зможе бачити файли інших, доки обидва не нададуть до них спільний доступ.\n\nСімейні плани доступні клієнтам, які мають платну підписку на Ente.\n\nПідпишіться зараз, щоби розпочати!", - ), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Сім\'я"), - "familyPlans": MessageLookupByLibrary.simpleMessage("Сімейні тарифи"), - "faq": MessageLookupByLibrary.simpleMessage("ЧаПи"), - "faqs": MessageLookupByLibrary.simpleMessage("ЧаПи"), - "favorite": MessageLookupByLibrary.simpleMessage("Додати до улюбленого"), - "feedback": MessageLookupByLibrary.simpleMessage("Зворотній зв’язок"), - "file": MessageLookupByLibrary.simpleMessage("Файл"), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Не вдалося зберегти файл до галереї", - ), - "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( - "Додати опис...", - ), - "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( - "Файл ще не завантажено", - ), - "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Файл збережено до галереї", - ), - "fileTypes": MessageLookupByLibrary.simpleMessage("Типи файлів"), - "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( - "Типи та назви файлів", - ), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage("Файли видалено"), - "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Файли збережено до галереї", - ), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Швидко знаходьте людей за іменами", - ), - "findThemQuickly": MessageLookupByLibrary.simpleMessage( - "Знайдіть їх швидко", - ), - "flip": MessageLookupByLibrary.simpleMessage("Відзеркалити"), - "forYourMemories": MessageLookupByLibrary.simpleMessage( - "для ваших спогадів", - ), - "forgotPassword": MessageLookupByLibrary.simpleMessage("Нагадати пароль"), - "foundFaces": MessageLookupByLibrary.simpleMessage("Знайдені обличчя"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( - "Безплатне сховище отримано", - ), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Безплатне сховище можна використовувати", - ), - "freeTrial": MessageLookupByLibrary.simpleMessage( - "Безплатний пробний період", - ), - "freeTrialValidTill": m38, - "freeUpAmount": m40, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( - "Звільніть місце на пристрої", - ), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Збережіть місце на вашому пристрої, очистивши файли, які вже збережено.", - ), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("Звільнити місце"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "До 1000 спогадів, показаних у галереї", - ), - "general": MessageLookupByLibrary.simpleMessage("Загальні"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Створення ключів шифрування...", - ), - "genericProgress": m42, - "goToSettings": MessageLookupByLibrary.simpleMessage( - "Перейти до налаштувань", - ), - "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Надайте доступ до всіх фотографій в налаштуваннях застосунку", - ), - "grantPermission": MessageLookupByLibrary.simpleMessage("Надати дозвіл"), - "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( - "Групувати фотографії поблизу", - ), - "guestView": MessageLookupByLibrary.simpleMessage("Гостьовий перегляд"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "Щоб увімкнути гостьовий перегляд, встановіть пароль або блокування екрана в налаштуваннях системи.", - ), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "Ми не відстежуємо встановлення застосунку. Але, якщо ви скажете нам, де ви нас знайшли, це допоможе!", - ), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Як ви дізналися про Ente? (необов\'язково)", - ), - "help": MessageLookupByLibrary.simpleMessage("Допомога"), - "hidden": MessageLookupByLibrary.simpleMessage("Приховано"), - "hide": MessageLookupByLibrary.simpleMessage("Приховати"), - "hideContent": MessageLookupByLibrary.simpleMessage("Приховати вміст"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Приховує вміст застосунку у перемикачі застосунків і вимикає знімки екрана", - ), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Приховує вміст застосунку у перемикачі застосунків", - ), - "hiding": MessageLookupByLibrary.simpleMessage("Приховуємо..."), - "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( - "Розміщення на OSM Франція", - ), - "howItWorks": MessageLookupByLibrary.simpleMessage("Як це працює"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Попросіть їх довго утримувати палець на свій поштовій адресі на екрані налаштувань і переконайтеся, що ідентифікатори на обох пристроях збігаються.", - ), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Біометрична перевірка не встановлена на вашому пристрої. Увімкніть TouchID або FaceID на вашому телефоні.", - ), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "Біометрична перевірка вимкнена. Заблокуйте і розблокуйте свій екран, щоб увімкнути її.", - ), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("Гаразд"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ігнорувати"), - "ignored": MessageLookupByLibrary.simpleMessage("ігнорується"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Деякі файли в цьому альбомі ігноруються після вивантаження, тому що вони раніше були видалені з Ente.", - ), - "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( - "Зображення не проаналізовано", - ), - "immediately": MessageLookupByLibrary.simpleMessage("Негайно"), - "importing": MessageLookupByLibrary.simpleMessage("Імпортування..."), - "incorrectCode": MessageLookupByLibrary.simpleMessage("Невірний код"), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Невірний пароль", - ), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Невірний ключ відновлення", - ), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "Ви ввели невірний ключ відновлення", - ), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Невірний ключ відновлення", - ), - "indexedItems": MessageLookupByLibrary.simpleMessage( - "Індексовані елементи", - ), - "info": MessageLookupByLibrary.simpleMessage("Інформація"), - "insecureDevice": MessageLookupByLibrary.simpleMessage( - "Незахищений пристрій", - ), - "installManually": MessageLookupByLibrary.simpleMessage( - "Встановити вручну", - ), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "Хибна адреса електронної пошти", - ), - "invalidEndpoint": MessageLookupByLibrary.simpleMessage( - "Недійсна кінцева точка", - ), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Введена вами кінцева точка є недійсною. Введіть дійсну кінцеву точку та спробуйте ще раз.", - ), - "invalidKey": MessageLookupByLibrary.simpleMessage("Невірний ключ"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Уведений вами ключ відновлення недійсний. Переконайтеся, що він містить 24 слова, і перевірте правильність написання кожного з них.\n\nЯкщо ви ввели старіший код відновлення, переконайтеся, що він складається з 64 символів, і перевірте кожен з них.", - ), - "invite": MessageLookupByLibrary.simpleMessage("Запросити"), - "inviteToEnte": MessageLookupByLibrary.simpleMessage("Запросити до Ente"), - "inviteYourFriends": MessageLookupByLibrary.simpleMessage( - "Запросити своїх друзів", - ), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "Запросіть своїх друзів до Ente", - ), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Схоже, що щось пішло не так. Спробуйте ще раз через деякий час. Якщо помилка не зникне, зв\'яжіться з нашою командою підтримки.", - ), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "Елементи показують кількість днів, що залишилися до остаточного видалення", - ), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Вибрані елементи будуть видалені з цього альбому", - ), - "joinDiscord": MessageLookupByLibrary.simpleMessage( - "Приєднатися до Discord серверу", - ), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Залишити фото"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("км"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Будь ласка, допоможіть нам із цією інформацією", - ), - "language": MessageLookupByLibrary.simpleMessage("Мова"), - "lastUpdated": MessageLookupByLibrary.simpleMessage("Востаннє оновлено"), - "leave": MessageLookupByLibrary.simpleMessage("Покинути"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Покинути альбом"), - "leaveFamily": MessageLookupByLibrary.simpleMessage("Покинути сім\'ю"), - "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Покинути спільний альбом?", - ), - "left": MessageLookupByLibrary.simpleMessage("Ліворуч"), - "legacy": MessageLookupByLibrary.simpleMessage("Спадок"), - "legacyAccounts": MessageLookupByLibrary.simpleMessage( - "Облікові записи «Спадку»", - ), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "«Спадок» дозволяє довіреним контактам отримати доступ до вашого облікового запису під час вашої відсутності.", - ), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "Довірені контакти можуть ініціювати відновлення облікового запису, і якщо його не буде заблоковано протягом 30 днів, скинути пароль і отримати доступ до нього.", - ), - "light": MessageLookupByLibrary.simpleMessage("Яскравість"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Світла"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Посилання скопійовано в буфер обміну", - ), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage( - "Досягнуто ліміту пристроїв", - ), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Увімкнено"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Закінчився"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage( - "Термін дії посилання закінчився", - ), - "linkHasExpired": MessageLookupByLibrary.simpleMessage( - "Посилання прострочено", - ), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Ніколи"), - "livePhotos": MessageLookupByLibrary.simpleMessage("Живі фото"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "Ви можете поділитися своєю передплатою з родиною", - ), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "Ми зберігаємо 3 копії ваших даних, одну в підземному бункері", - ), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "Всі наші застосунки мають відкритий код", - ), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Наш вихідний код та шифрування пройшли перевірку спільнотою", - ), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "Ви можете поділитися посиланнями на свої альбоми з близькими", - ), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Наші мобільні застосунки працюють у фоновому режимі для шифрування і створення резервних копій будь-яких нових фотографій, які ви виберете", - ), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io має зручний завантажувач", - ), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Ми використовуємо Xchacha20Poly1305 для безпечного шифрування ваших даних", - ), - "loadingExifData": MessageLookupByLibrary.simpleMessage( - "Завантаження даних EXIF...", - ), - "loadingGallery": MessageLookupByLibrary.simpleMessage( - "Завантаження галереї...", - ), - "loadingMessage": MessageLookupByLibrary.simpleMessage( - "Завантажуємо ваші фотографії...", - ), - "loadingModel": MessageLookupByLibrary.simpleMessage( - "Завантаження моделей...", - ), - "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( - "Завантажуємо фотографії...", - ), - "localGallery": MessageLookupByLibrary.simpleMessage("Локальна галерея"), - "localIndexing": MessageLookupByLibrary.simpleMessage( - "Локальне індексування", - ), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Схоже, щось пішло не так, оскільки локальна синхронізація фотографій займає більше часу, ніж очікувалося. Зверніться до нашої служби підтримки", - ), - "location": MessageLookupByLibrary.simpleMessage("Розташування"), - "locationName": MessageLookupByLibrary.simpleMessage( - "Назва місце розташування", - ), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Тег розташування групує всі фотографії, які були зроблені в певному радіусі від фотографії", - ), - "locations": MessageLookupByLibrary.simpleMessage("Розташування"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Заблокувати"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Екран блокування"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Увійти"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Вихід із системи..."), - "loginSessionExpired": MessageLookupByLibrary.simpleMessage( - "Час сеансу минув", - ), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "Термін дії вашого сеансу завершився. Увійдіть знову.", - ), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Натискаючи «Увійти», я приймаю умови використання і політику приватності", - ), - "loginWithTOTP": MessageLookupByLibrary.simpleMessage( - "Увійти за допомогою TOTP", - ), - "logout": MessageLookupByLibrary.simpleMessage("Вийти"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Це призведе до надсилання журналів, які допоможуть нам усунути вашу проблему. Зверніть увагу, що назви файлів будуть включені, щоби допомогти відстежувати проблеми з конкретними файлами.", - ), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Довго утримуйте поштову адресу, щоб перевірити наскрізне шифрування.", - ), - "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( - "Натисніть і утримуйте елемент для перегляду в повноекранному режимі", - ), - "loopVideoOff": MessageLookupByLibrary.simpleMessage( - "Вимкнено зациклювання відео", - ), - "loopVideoOn": MessageLookupByLibrary.simpleMessage( - "Увімкнено зациклювання відео", - ), - "lostDevice": MessageLookupByLibrary.simpleMessage("Загубили пристрій?"), - "machineLearning": MessageLookupByLibrary.simpleMessage("Машинне навчання"), - "magicSearch": MessageLookupByLibrary.simpleMessage("Магічний пошук"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "Магічний пошук дозволяє шукати фотографії за їхнім вмістом, наприклад «квітка», «червоне авто» «паспорт»", - ), - "manage": MessageLookupByLibrary.simpleMessage("Керування"), - "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( - "Керування кешем пристрою", - ), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Переглянути та очистити локальне сховище кешу.", - ), - "manageFamily": MessageLookupByLibrary.simpleMessage("Керування сім\'єю"), - "manageLink": MessageLookupByLibrary.simpleMessage("Керувати посиланням"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Керування"), - "manageSubscription": MessageLookupByLibrary.simpleMessage( - "Керування передплатою", - ), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "Створення пари з PIN-кодом працює з будь-яким екраном, на яку ви хочете переглянути альбом.", - ), - "map": MessageLookupByLibrary.simpleMessage("Мапа"), - "maps": MessageLookupByLibrary.simpleMessage("Мапи"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "merchandise": MessageLookupByLibrary.simpleMessage("Товари"), - "mergeWithExisting": MessageLookupByLibrary.simpleMessage( - "Об\'єднати з наявним", - ), - "mergedPhotos": MessageLookupByLibrary.simpleMessage( - "Об\'єднані фотографії", - ), - "mlConsent": MessageLookupByLibrary.simpleMessage( - "Увімкнути машинне навчання", - ), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Я розумію, та бажаю увімкнути машинне навчання", - ), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Якщо увімкнути машинне навчання, Ente вилучатиме інформацію, наприклад геометрію обличчя з файлів, включно з тими, хто поділився з вами.\n\nЦе відбуватиметься на вашому пристрої, і будь-яка згенерована біометрична інформація буде наскрізно зашифрована.", - ), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Натисніть тут для більш детальної інформації про цю функцію в нашій політиці приватності", - ), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage( - "Увімкнути машинне навчання?", - ), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Зверніть увагу, що машинне навчання призведе до збільшення пропускної здатності та споживання заряду батареї, поки не будуть проіндексовані всі елементи. Для прискорення індексації скористайтеся настільним застосунком, всі результати будуть синхронізовані автоматично.", - ), - "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( - "Смартфон, Вебсайт, ПК", - ), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Середній"), - "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( - "Змініть ваш запит або спробуйте знайти", - ), - "moments": MessageLookupByLibrary.simpleMessage("Моменти"), - "month": MessageLookupByLibrary.simpleMessage("місяць"), - "monthly": MessageLookupByLibrary.simpleMessage("Щомісяця"), - "moreDetails": MessageLookupByLibrary.simpleMessage("Детальніше"), - "mostRecent": MessageLookupByLibrary.simpleMessage("Останні"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("Найактуальніші"), - "moveToAlbum": MessageLookupByLibrary.simpleMessage( - "Перемістити до альбому", - ), - "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Перемістити до прихованого альбому", - ), - "movedSuccessfullyTo": m52, - "movedToTrash": MessageLookupByLibrary.simpleMessage( - "Переміщено у смітник", - ), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Переміщуємо файли до альбому...", - ), - "name": MessageLookupByLibrary.simpleMessage("Назва"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Назвіть альбом"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Не вдалося під\'єднатися до Ente. Спробуйте ще раз через деякий час. Якщо помилка не зникне, зв\'яжіться з нашою командою підтримки.", - ), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Не вдалося під\'єднатися до Ente. Перевірте налаштування мережі. Зверніться до нашої команди підтримки, якщо помилка залишиться.", - ), - "never": MessageLookupByLibrary.simpleMessage("Ніколи"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Новий альбом"), - "newLocation": MessageLookupByLibrary.simpleMessage("Нове розташування"), - "newPerson": MessageLookupByLibrary.simpleMessage("Нова особа"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Уперше на Ente"), - "newest": MessageLookupByLibrary.simpleMessage("Найновіші"), - "next": MessageLookupByLibrary.simpleMessage("Далі"), - "no": MessageLookupByLibrary.simpleMessage("Ні"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Ви ще не поділилися жодним альбомом", - ), - "noDeviceFound": MessageLookupByLibrary.simpleMessage( - "Не знайдено жодного пристрою", - ), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Немає"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "У вас не маєте файлів на цьому пристрої, які можна видалити", - ), - "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ Немає дублікатів"), - "noExifData": MessageLookupByLibrary.simpleMessage("Немає даних EXIF"), - "noFacesFound": MessageLookupByLibrary.simpleMessage("Обличчя не знайдено"), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "Немає прихованих фотографій чи відео", - ), - "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( - "Немає зображень з розташуванням", - ), - "noInternetConnection": MessageLookupByLibrary.simpleMessage( - "Немає з’єднання з мережею", - ), - "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( - "Наразі немає резервних копій фотографій", - ), - "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( - "Тут немає фотографій", - ), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( - "Не вибрано швидких посилань", - ), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Немає ключа відновлення?", - ), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Через природу нашого кінцевого протоколу шифрування, ваші дані не можуть бути розшифровані без вашого пароля або ключа відновлення", - ), - "noResults": MessageLookupByLibrary.simpleMessage("Немає результатів"), - "noResultsFound": MessageLookupByLibrary.simpleMessage( - "Нічого не знайдено", - ), - "noSuggestionsForPerson": m53, - "noSystemLockFound": MessageLookupByLibrary.simpleMessage( - "Не знайдено системного блокування", - ), - "notPersonLabel": m54, - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "Поки що з вами ніхто не поділився", - ), - "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( - "Тут немає на що дивитися! 👀", - ), - "notifications": MessageLookupByLibrary.simpleMessage("Сповіщення"), - "ok": MessageLookupByLibrary.simpleMessage("Добре"), - "onDevice": MessageLookupByLibrary.simpleMessage("На пристрої"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "В Ente", - ), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Тільки вони"), - "oops": MessageLookupByLibrary.simpleMessage("От халепа"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Ой, не вдалося зберегти зміни", - ), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Йой, щось пішло не так", - ), - "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( - "Відкрити альбом у браузері", - ), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Використовуйте вебзастосунок, щоби додавати фотографії до цього альбому", - ), - "openFile": MessageLookupByLibrary.simpleMessage("Відкрити файл"), - "openSettings": MessageLookupByLibrary.simpleMessage( - "Відкрити налаштування", - ), - "openTheItem": MessageLookupByLibrary.simpleMessage("• Відкрити елемент"), - "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( - "Учасники OpenStreetMap", - ), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Необов\'язково, так коротко, як ви хочете...", - ), - "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( - "Або об\'єднати з наявними", - ), - "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( - "Або виберіть наявну", - ), - "pair": MessageLookupByLibrary.simpleMessage("Створити пару"), - "pairWithPin": MessageLookupByLibrary.simpleMessage( - "Під’єднатися через PIN-код", - ), - "pairingComplete": MessageLookupByLibrary.simpleMessage( - "Створення пари завершено", - ), - "panorama": MessageLookupByLibrary.simpleMessage("Панорама"), - "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( - "Перевірка все ще триває", - ), - "passkey": MessageLookupByLibrary.simpleMessage("Ключ доступу"), - "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( - "Перевірка через ключ доступу", - ), - "password": MessageLookupByLibrary.simpleMessage("Пароль"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Пароль успішно змінено", - ), - "passwordLock": MessageLookupByLibrary.simpleMessage("Блокування паролем"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "Надійність пароля розраховується з урахуванням довжини пароля, використаних символів, а також того, чи входить пароль у топ 10 000 найбільш використовуваних паролів", - ), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Ми не зберігаємо цей пароль, тому, якщо ви його забудете, ми не зможемо розшифрувати ваші дані", - ), - "paymentDetails": MessageLookupByLibrary.simpleMessage("Деталі платежу"), - "paymentFailed": MessageLookupByLibrary.simpleMessage( - "Не вдалося оплатити", - ), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "На жаль, ваш платіж не вдався. Зв\'яжіться зі службою підтримки і ми вам допоможемо!", - ), - "paymentFailedTalkToProvider": m58, - "pendingItems": MessageLookupByLibrary.simpleMessage( - "Елементи на розгляді", - ), - "pendingSync": MessageLookupByLibrary.simpleMessage( - "Очікування синхронізації", - ), - "people": MessageLookupByLibrary.simpleMessage("Люди"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Люди, які використовують ваш код", - ), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Усі елементи смітника будуть остаточно видалені\n\nЦю дію не можна скасувати", - ), - "permanentlyDelete": MessageLookupByLibrary.simpleMessage( - "Остаточно видалити", - ), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Остаточно видалити з пристрою?", - ), - "personName": MessageLookupByLibrary.simpleMessage("Ім\'я особи"), - "photoDescriptions": MessageLookupByLibrary.simpleMessage( - "Опис фотографії", - ), - "photoGridSize": MessageLookupByLibrary.simpleMessage( - "Розмір сітки фотографій", - ), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("фото"), - "photos": MessageLookupByLibrary.simpleMessage("Фото"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "Додані вами фотографії будуть видалені з альбому", - ), - "pickCenterPoint": MessageLookupByLibrary.simpleMessage( - "Вкажіть центральну точку", - ), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Закріпити альбом"), - "pinLock": MessageLookupByLibrary.simpleMessage("Блокування PIN-кодом"), - "playOnTv": MessageLookupByLibrary.simpleMessage("Відтворити альбом на ТБ"), - "playStoreFreeTrialValidTill": m63, - "playstoreSubscription": MessageLookupByLibrary.simpleMessage( - "Передплата Play Store", - ), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Перевірте з\'єднання з мережею та спробуйте ще раз.", - ), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Зв\'яжіться з support@ente.io і ми будемо раді допомогти!", - ), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Зверніться до служби підтримки, якщо проблема не зникне", - ), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( - "Надайте дозволи", - ), - "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage("Увійдіть знову"), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Виберіть посилання для видалення", - ), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("Спробуйте ще раз"), - "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( - "Підтвердьте введений код", - ), - "pleaseWait": MessageLookupByLibrary.simpleMessage( - "Будь ласка, зачекайте...", - ), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Зачекайте на видалення альбому", - ), - "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( - "Зачекайте деякий час перед повторною спробою", - ), - "preparingLogs": MessageLookupByLibrary.simpleMessage( - "Підготовка журналів...", - ), - "preserveMore": MessageLookupByLibrary.simpleMessage("Зберегти більше"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Натисніть та утримуйте, щоб відтворити відео", - ), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Натисніть та утримуйте на зображення, щоби відтворити відео", - ), - "privacy": MessageLookupByLibrary.simpleMessage("Приватність"), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( - "Політика приватності", - ), - "privateBackups": MessageLookupByLibrary.simpleMessage( - "Приватні резервні копії", - ), - "privateSharing": MessageLookupByLibrary.simpleMessage( - "Приватне поширення", - ), - "proceed": MessageLookupByLibrary.simpleMessage("Продовжити"), - "processingImport": m67, - "publicLinkCreated": MessageLookupByLibrary.simpleMessage( - "Публічне посилання створено", - ), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( - "Публічне посилання увімкнено", - ), - "quickLinks": MessageLookupByLibrary.simpleMessage("Швидкі посилання"), - "radius": MessageLookupByLibrary.simpleMessage("Радіус"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Подати заявку"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("Оцініть застосунок"), - "rateUs": MessageLookupByLibrary.simpleMessage("Оцініть нас"), - "rateUsOnStore": m68, - "recover": MessageLookupByLibrary.simpleMessage("Відновити"), - "recoverAccount": MessageLookupByLibrary.simpleMessage( - "Відновити обліковий запис", - ), - "recoverButton": MessageLookupByLibrary.simpleMessage("Відновлення"), - "recoveryAccount": MessageLookupByLibrary.simpleMessage( - "Відновити обліковий запис", - ), - "recoveryInitiated": MessageLookupByLibrary.simpleMessage( - "Почато відновлення", - ), - "recoveryInitiatedDesc": m70, - "recoveryKey": MessageLookupByLibrary.simpleMessage("Ключ відновлення"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Ключ відновлення скопійовано в буфер обміну", - ), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Якщо ви забудете свій пароль, то єдиний спосіб відновити ваші дані – за допомогою цього ключа.", - ), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Ми не зберігаємо цей ключ, збережіть цей ключ із 24 слів в надійному місці.", - ), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Чудово! Ваш ключ відновлення дійсний. Дякуємо за перевірку.\n\nНе забувайте надійно зберігати ключ відновлення.", - ), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Ключ відновлення перевірено", - ), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Ключ відновлення — це єдиний спосіб відновити фотографії, якщо ви забули пароль. Ви можете знайти свій ключ в розділі «Налаштування» > «Обліковий запис».\n\nВведіть ключ відновлення тут, щоб перевірити, чи правильно ви його зберегли.", - ), - "recoveryReady": m71, - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "Відновлення успішне!", - ), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "Довірений контакт намагається отримати доступ до вашого облікового запису", - ), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "Ваш пристрій недостатньо потужний для перевірки пароля, але ми можемо відновити його таким чином, щоб він працював на всіх пристроях.\n\nУвійдіть за допомогою ключа відновлення та відновіть свій пароль (за бажанням ви можете використати той самий ключ знову).", - ), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Повторно створити пароль", - ), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": MessageLookupByLibrary.simpleMessage( - "Введіть пароль ще раз", - ), - "reenterPin": MessageLookupByLibrary.simpleMessage( - "Введіть PIN-код ще раз", - ), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Запросіть друзів та подвойте свій план", - ), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Дайте цей код друзям", - ), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Вони оформлюють передплату", - ), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Реферали"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "Реферали зараз призупинені", - ), - "rejectRecovery": MessageLookupByLibrary.simpleMessage( - "Відхилити відновлення", - ), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "Також очистьте «Нещодавно видалено» в «Налаштування» -> «Сховище», щоб отримати вільне місце", - ), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Також очистьте «Смітник», щоб звільнити місце", - ), - "remoteImages": MessageLookupByLibrary.simpleMessage( - "Віддалені зображення", - ), - "remoteThumbnails": MessageLookupByLibrary.simpleMessage( - "Віддалені мініатюри", - ), - "remoteVideos": MessageLookupByLibrary.simpleMessage("Віддалені відео"), - "remove": MessageLookupByLibrary.simpleMessage("Вилучити"), - "removeDuplicates": MessageLookupByLibrary.simpleMessage( - "Вилучити дублікати", - ), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Перегляньте та видаліть файли, які є точними дублікатами.", - ), - "removeFromAlbum": MessageLookupByLibrary.simpleMessage( - "Видалити з альбому", - ), - "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( - "Видалити з альбому?", - ), - "removeFromFavorite": MessageLookupByLibrary.simpleMessage( - "Вилучити з улюбленого", - ), - "removeInvite": MessageLookupByLibrary.simpleMessage("Видалити запрошення"), - "removeLink": MessageLookupByLibrary.simpleMessage("Вилучити посилання"), - "removeParticipant": MessageLookupByLibrary.simpleMessage( - "Видалити учасника", - ), - "removeParticipantBody": m74, - "removePersonLabel": MessageLookupByLibrary.simpleMessage( - "Видалити мітку особи", - ), - "removePublicLink": MessageLookupByLibrary.simpleMessage( - "Видалити публічне посилання", - ), - "removePublicLinks": MessageLookupByLibrary.simpleMessage( - "Видалити публічні посилання", - ), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Деякі речі, які ви видаляєте були додані іншими людьми, ви втратите доступ до них", - ), - "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Видалити?"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Видалити себе як довірений контакт", - ), - "removingFromFavorites": MessageLookupByLibrary.simpleMessage( - "Видалення з обраного...", - ), - "rename": MessageLookupByLibrary.simpleMessage("Перейменувати"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("Перейменувати альбом"), - "renameFile": MessageLookupByLibrary.simpleMessage("Перейменувати файл"), - "renewSubscription": MessageLookupByLibrary.simpleMessage( - "Поновити передплату", - ), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage( - "Повідомити про помилку", - ), - "reportBug": MessageLookupByLibrary.simpleMessage("Повідомити про помилку"), - "resendEmail": MessageLookupByLibrary.simpleMessage( - "Повторно надіслати лист", - ), - "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( - "Скинути ігноровані файли", - ), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Скинути пароль", - ), - "resetPerson": MessageLookupByLibrary.simpleMessage("Вилучити"), - "resetToDefault": MessageLookupByLibrary.simpleMessage( - "Скинути до типових", - ), - "restore": MessageLookupByLibrary.simpleMessage("Відновити"), - "restoreToAlbum": MessageLookupByLibrary.simpleMessage( - "Відновити в альбомі", - ), - "restoringFiles": MessageLookupByLibrary.simpleMessage( - "Відновлюємо файли...", - ), - "resumableUploads": MessageLookupByLibrary.simpleMessage( - "Завантаження з можливістю відновлення", - ), - "retry": MessageLookupByLibrary.simpleMessage("Повторити"), - "review": MessageLookupByLibrary.simpleMessage("Оцінити"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Перегляньте та видаліть елементи, які, на вашу думку, є дублікатами.", - ), - "reviewSuggestions": MessageLookupByLibrary.simpleMessage( - "Переглянути пропозиції", - ), - "right": MessageLookupByLibrary.simpleMessage("Праворуч"), - "rotate": MessageLookupByLibrary.simpleMessage("Обернути"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Повернути ліворуч"), - "rotateRight": MessageLookupByLibrary.simpleMessage("Повернути праворуч"), - "safelyStored": MessageLookupByLibrary.simpleMessage("Безпечне збереження"), - "save": MessageLookupByLibrary.simpleMessage("Зберегти"), - "saveCollage": MessageLookupByLibrary.simpleMessage("Зберегти колаж"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Зберегти копію"), - "saveKey": MessageLookupByLibrary.simpleMessage("Зберегти ключ"), - "savePerson": MessageLookupByLibrary.simpleMessage("Зберегти особу"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Збережіть ваш ключ відновлення, якщо ви ще цього не зробили", - ), - "saving": MessageLookupByLibrary.simpleMessage("Зберігаємо..."), - "savingEdits": MessageLookupByLibrary.simpleMessage("Зберігаємо зміни..."), - "scanCode": MessageLookupByLibrary.simpleMessage("Сканувати код"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Зіскануйте цей штрихкод за допомогою\nвашого застосунку для автентифікації", - ), - "search": MessageLookupByLibrary.simpleMessage("Пошук"), - "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Альбоми"), - "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage( - "Назва альбому", - ), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Назви альбомів (наприклад, «Камера»)\n• Типи файлів (наприклад, «Відео», «.gif»)\n• Роки та місяці (наприклад, «2022», «січень»)\n• Свята (наприклад, «Різдво»)\n• Описи фотографій (наприклад, «#fun»)", - ), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Додавайте такі описи як «#подорож» в інформацію про фотографію, щоб швидко знайти їх тут", - ), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Шукати за датою, місяцем або роком", - ), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "Зображення будуть показані тут після завершення оброблення та синхронізації", - ), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "Люди будуть показані тут після завершення індексації", - ), - "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( - "Типи та назви файлів", - ), - "searchHint1": MessageLookupByLibrary.simpleMessage( - "Швидкий пошук на пристрої", - ), - "searchHint2": MessageLookupByLibrary.simpleMessage("Дати, описи фото"), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "Альбоми, назви та типи файлів", - ), - "searchHint4": MessageLookupByLibrary.simpleMessage("Розташування"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "Незабаром: Обличчя і магічний пошук ✨", - ), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Групові фотографії, які зроблені в певному радіусі від фотографії", - ), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "Запросіть людей, і ви побачите всі фотографії, якими вони поділилися, тут", - ), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "Люди будуть показані тут після завершення оброблення та синхронізації", - ), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Безпека"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "Посилання на публічні альбоми в застосунку", - ), - "selectALocation": MessageLookupByLibrary.simpleMessage("Виберіть місце"), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage( - "Спочатку виберіть розташування", - ), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Вибрати альбом"), - "selectAll": MessageLookupByLibrary.simpleMessage("Вибрати все"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("Усі"), - "selectCoverPhoto": MessageLookupByLibrary.simpleMessage( - "Вибрати обкладинку", - ), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Оберіть теки для резервного копіювання", - ), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "Виберіть елементи для додавання", - ), - "selectLanguage": MessageLookupByLibrary.simpleMessage("Виберіть мову"), - "selectMailApp": MessageLookupByLibrary.simpleMessage( - "Вибрати застосунок пошти", - ), - "selectMorePhotos": MessageLookupByLibrary.simpleMessage( - "Вибрати більше фотографій", - ), - "selectReason": MessageLookupByLibrary.simpleMessage("Оберіть причину"), - "selectYourPlan": MessageLookupByLibrary.simpleMessage("Оберіть тариф"), - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Вибрані файли не на Ente", - ), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Вибрані теки будуть зашифровані й створені резервні копії", - ), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Вибрані елементи будуть видалені з усіх альбомів і переміщені в смітник.", - ), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "send": MessageLookupByLibrary.simpleMessage("Надіслати"), - "sendEmail": MessageLookupByLibrary.simpleMessage( - "Надіслати електронного листа", - ), - "sendInvite": MessageLookupByLibrary.simpleMessage("Надіслати запрошення"), - "sendLink": MessageLookupByLibrary.simpleMessage("Надіслати посилання"), - "serverEndpoint": MessageLookupByLibrary.simpleMessage( - "Кінцева точка сервера", - ), - "sessionExpired": MessageLookupByLibrary.simpleMessage("Час сеансу минув"), - "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( - "Невідповідність ідентифікатора сеансу", - ), - "setAPassword": MessageLookupByLibrary.simpleMessage("Встановити пароль"), - "setAs": MessageLookupByLibrary.simpleMessage("Встановити як"), - "setCover": MessageLookupByLibrary.simpleMessage("Встановити обкладинку"), - "setLabel": MessageLookupByLibrary.simpleMessage("Встановити"), - "setNewPassword": MessageLookupByLibrary.simpleMessage( - "Встановити новий пароль", - ), - "setNewPin": MessageLookupByLibrary.simpleMessage( - "Встановити новий PIN-код", - ), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Встановити пароль", - ), - "setRadius": MessageLookupByLibrary.simpleMessage("Встановити радіус"), - "setupComplete": MessageLookupByLibrary.simpleMessage( - "Налаштування завершено", - ), - "share": MessageLookupByLibrary.simpleMessage("Поділитися"), - "shareALink": MessageLookupByLibrary.simpleMessage("Поділитися посиланням"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Відкрийте альбом та натисніть кнопку «Поділитися» у верхньому правому куті.", - ), - "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( - "Поділитися альбомом зараз", - ), - "shareLink": MessageLookupByLibrary.simpleMessage("Поділитися посиланням"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Поділіться тільки з тими людьми, якими ви хочете", - ), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Завантажте Ente для того, щоб легко поділитися фотографіями оригінальної якості та відео\n\nhttps://ente.io", - ), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Поділитися з користувачами без Ente", - ), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( - "Поділитися вашим першим альбомом", - ), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Створюйте спільні альбоми з іншими користувачами Ente, включно з користувачами безплатних тарифів.", - ), - "sharedByMe": MessageLookupByLibrary.simpleMessage("Поділився мною"), - "sharedByYou": MessageLookupByLibrary.simpleMessage("Поділилися вами"), - "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( - "Нові спільні фотографії", - ), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Отримувати сповіщення, коли хтось додасть фото до спільного альбому, в якому ви перебуваєте", - ), - "sharedWith": m87, - "sharedWithMe": MessageLookupByLibrary.simpleMessage("Поділитися зі мною"), - "sharedWithYou": MessageLookupByLibrary.simpleMessage("Поділилися з вами"), - "sharing": MessageLookupByLibrary.simpleMessage("Відправлення..."), - "showMemories": MessageLookupByLibrary.simpleMessage("Показати спогади"), - "showPerson": MessageLookupByLibrary.simpleMessage("Показати особу"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "Вийти на інших пристроях", - ), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Якщо ви думаєте, що хтось може знати ваш пароль, ви можете примусити всі інші пристрої, які використовують ваш обліковий запис, вийти із системи.", - ), - "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( - "Вийти на інших пристроях", - ), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Я приймаю умови використання і політику приватності", - ), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Воно буде видалено з усіх альбомів.", - ), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Пропустити"), - "social": MessageLookupByLibrary.simpleMessage("Соцмережі"), - "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( - "Деякі елементи знаходяться на Ente та вашому пристрої.", - ), - "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( - "Деякі файли, які ви намагаєтеся видалити, доступні лише на вашому пристрої, і їх неможливо відновити", - ), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Той, хто ділиться з вами альбомами, повинен бачити той самий ідентифікатор на своєму пристрої.", - ), - "somethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Щось пішло не так", - ), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Щось пішло не так, будь ласка, спробуйте знову", - ), - "sorry": MessageLookupByLibrary.simpleMessage("Пробачте"), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Неможливо додати до обраного!", - ), - "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( - "Не вдалося видалити з обраного!", - ), - "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "Вибачте, але введений вами код є невірним", - ), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "На жаль, на цьому пристрої не вдалося створити безпечні ключі.\n\nЗареєструйтесь з іншого пристрою.", - ), - "sort": MessageLookupByLibrary.simpleMessage("Сортувати"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Сортувати за"), - "sortNewestFirst": MessageLookupByLibrary.simpleMessage( - "Спочатку найновіші", - ), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage( - "Спочатку найстаріші", - ), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Успішно"), - "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( - "Почати відновлення", - ), - "startBackup": MessageLookupByLibrary.simpleMessage( - "Почати резервне копіювання", - ), - "status": MessageLookupByLibrary.simpleMessage("Стан"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "Ви хочете припинити трансляцію?", - ), - "stopCastingTitle": MessageLookupByLibrary.simpleMessage( - "Припинити трансляцію", - ), - "storage": MessageLookupByLibrary.simpleMessage("Сховище"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Сім\'я"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Ви"), - "storageInGB": m93, - "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( - "Перевищено ліміт сховища", - ), - "storageUsageInfo": m94, - "strongStrength": MessageLookupByLibrary.simpleMessage("Надійний"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Передплачувати"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Вам потрібна активна передплата, щоб увімкнути спільне поширення.", - ), - "subscription": MessageLookupByLibrary.simpleMessage("Передплата"), - "success": MessageLookupByLibrary.simpleMessage("Успішно"), - "successfullyArchived": MessageLookupByLibrary.simpleMessage( - "Успішно архівовано", - ), - "successfullyHid": MessageLookupByLibrary.simpleMessage( - "Успішно приховано", - ), - "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( - "Успішно розархівовано", - ), - "successfullyUnhid": MessageLookupByLibrary.simpleMessage( - "Успішно показано", - ), - "suggestFeatures": MessageLookupByLibrary.simpleMessage( - "Запропонувати нові функції", - ), - "support": MessageLookupByLibrary.simpleMessage("Підтримка"), - "syncProgress": m97, - "syncStopped": MessageLookupByLibrary.simpleMessage( - "Синхронізацію зупинено", - ), - "syncing": MessageLookupByLibrary.simpleMessage("Синхронізуємо..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("Як в системі"), - "tapToCopy": MessageLookupByLibrary.simpleMessage( - "натисніть, щоб скопіювати", - ), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage( - "Натисніть, щоб ввести код", - ), - "tapToUnlock": MessageLookupByLibrary.simpleMessage( - "Торкніться, щоби розблокувати", - ), - "tapToUpload": MessageLookupByLibrary.simpleMessage( - "Натисніть, щоб завантажити", - ), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Схоже, що щось пішло не так. Спробуйте ще раз через деякий час. Якщо помилка не зникне, зв\'яжіться з нашою командою підтримки.", - ), - "terminate": MessageLookupByLibrary.simpleMessage("Припинити"), - "terminateSession": MessageLookupByLibrary.simpleMessage( - "Припинити сеанс?", - ), - "terms": MessageLookupByLibrary.simpleMessage("Умови"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Умови"), - "thankYou": MessageLookupByLibrary.simpleMessage("Дякуємо"), - "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( - "Спасибі за передплату!", - ), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "Завантаження не може бути завершено", - ), - "theLinkYouAreTryingToAccessHasExpired": MessageLookupByLibrary.simpleMessage( - "Термін дії посилання, за яким ви намагаєтеся отримати доступ, закінчився.", - ), - "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "Ви ввели невірний ключ відновлення", - ), - "theme": MessageLookupByLibrary.simpleMessage("Тема"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Ці елементи будуть видалені з пристрою.", - ), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "Вони будуть видалені з усіх альбомів.", - ), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Цю дію не можна буде скасувати", - ), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "Цей альбом вже має спільне посилання", - ), - "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( - "Це може бути використано для відновлення вашого облікового запису, якщо ви втратите свій автентифікатор", - ), - "thisDevice": MessageLookupByLibrary.simpleMessage("Цей пристрій"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "Ця поштова адреса вже використовується", - ), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Це зображення не має даних exif", - ), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Це ваш Ідентифікатор підтвердження", - ), - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Це призведе до виходу на наступному пристрої:", - ), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Це призведе до виходу на цьому пристрої!", - ), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "Це видалить публічні посилання з усіх вибраних швидких посилань.", - ), - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "Для увімкнення блокування застосунку, налаштуйте пароль пристрою або блокування екрана в системних налаштуваннях.", - ), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( - "Щоб приховати фото або відео", - ), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Щоб скинути пароль, спочатку підтвердьте адресу своєї пошти.", - ), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Сьогоднішні журнали"), - "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( - "Завелика кількість невірних спроб", - ), - "total": MessageLookupByLibrary.simpleMessage("всього"), - "totalSize": MessageLookupByLibrary.simpleMessage("Загальний розмір"), - "trash": MessageLookupByLibrary.simpleMessage("Смітник"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Вирізати"), - "trustedContacts": MessageLookupByLibrary.simpleMessage( - "Довірені контакти", - ), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Спробувати знову"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Увімкніть резервну копію для автоматичного завантаження файлів, доданих до теки пристрою в Ente.", - ), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "2 місяці безплатно на щорічних планах", - ), - "twofactor": MessageLookupByLibrary.simpleMessage("Двоетапна"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage("Двоетапну перевірку вимкнено"), - "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( - "Двоетапна перевірка", - ), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "Двоетапну перевірку успішно скинуто", - ), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Налаштування двоетапної перевірки", - ), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("Розархівувати"), - "unarchiveAlbum": MessageLookupByLibrary.simpleMessage( - "Розархівувати альбом", - ), - "unarchiving": MessageLookupByLibrary.simpleMessage("Розархівуємо..."), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "На жаль, цей код недоступний.", - ), - "uncategorized": MessageLookupByLibrary.simpleMessage("Без категорії"), - "unhide": MessageLookupByLibrary.simpleMessage("Показати"), - "unhideToAlbum": MessageLookupByLibrary.simpleMessage("Показати в альбомі"), - "unhiding": MessageLookupByLibrary.simpleMessage("Показуємо..."), - "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Розкриваємо файли в альбомі", - ), - "unlock": MessageLookupByLibrary.simpleMessage("Розблокувати"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("Відкріпити альбом"), - "unselectAll": MessageLookupByLibrary.simpleMessage("Зняти виділення"), - "update": MessageLookupByLibrary.simpleMessage("Оновити"), - "updateAvailable": MessageLookupByLibrary.simpleMessage( - "Доступне оновлення", - ), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Оновлення вибору теки...", - ), - "upgrade": MessageLookupByLibrary.simpleMessage("Покращити"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Завантажуємо файли до альбому...", - ), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( - "Зберігаємо 1 спогад...", - ), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "Знижки до 50%, до 4 грудня.", - ), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "Доступний обсяг пам\'яті обмежений вашим поточним тарифом. Надлишок заявленого обсягу автоматично стане доступним, коли ви покращите тариф.", - ), - "useAsCover": MessageLookupByLibrary.simpleMessage( - "Використати як обкладинку", - ), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "Виникли проблеми з відтворенням цього відео? Натисніть і утримуйте тут, щоб спробувати інший плеєр.", - ), - "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Використовувати публічні посилання для людей не з Ente", - ), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Застосувати ключ відновлення", - ), - "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( - "Використати вибране фото", - ), - "usedSpace": MessageLookupByLibrary.simpleMessage("Використано місця"), - "validTill": m110, - "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Перевірка не вдалася, спробуйте ще раз", - ), - "verificationId": MessageLookupByLibrary.simpleMessage( - "Ідентифікатор підтвердження", - ), - "verify": MessageLookupByLibrary.simpleMessage("Підтвердити"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("Підтвердити пошту"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Підтвердження"), - "verifyPasskey": MessageLookupByLibrary.simpleMessage( - "Підтвердити ключ доступу", - ), - "verifyPassword": MessageLookupByLibrary.simpleMessage( - "Підтвердження пароля", - ), - "verifying": MessageLookupByLibrary.simpleMessage("Перевіряємо..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Перевірка ключа відновлення...", - ), - "videoInfo": MessageLookupByLibrary.simpleMessage("Інформація про відео"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("відео"), - "videos": MessageLookupByLibrary.simpleMessage("Відео"), - "viewActiveSessions": MessageLookupByLibrary.simpleMessage( - "Показати активні сеанси", - ), - "viewAddOnButton": MessageLookupByLibrary.simpleMessage( - "Переглянути доповнення", - ), - "viewAll": MessageLookupByLibrary.simpleMessage("Переглянути все"), - "viewAllExifData": MessageLookupByLibrary.simpleMessage( - "Переглянути всі дані EXIF", - ), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Великі файли"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Перегляньте файли, які займають найбільше місця у сховищі.", - ), - "viewLogs": MessageLookupByLibrary.simpleMessage("Переглянути журнали"), - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Переглянути ключ відновлення", - ), - "viewer": MessageLookupByLibrary.simpleMessage("Глядач"), - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Відвідайте web.ente.io, щоб керувати передплатою", - ), - "waitingForVerification": MessageLookupByLibrary.simpleMessage( - "Очікується підтвердження...", - ), - "waitingForWifi": MessageLookupByLibrary.simpleMessage( - "Очікування на Wi-Fi...", - ), - "warning": MessageLookupByLibrary.simpleMessage("Увага"), - "weAreOpenSource": MessageLookupByLibrary.simpleMessage( - "У нас відкритий вихідний код!", - ), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "Ми не підтримуємо редагування фотографій та альбомів, якими ви ще не володієте", - ), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Слабкий"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("З поверненням!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("Що нового"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "Довірений контакт може допомогти у відновленні ваших даних.", - ), - "yearShort": MessageLookupByLibrary.simpleMessage("рік"), - "yearly": MessageLookupByLibrary.simpleMessage("Щороку"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Так"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Так, скасувати"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "Так, перетворити в глядача", - ), - "yesDelete": MessageLookupByLibrary.simpleMessage("Так, видалити"), - "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( - "Так, відхилити зміни", - ), - "yesLogout": MessageLookupByLibrary.simpleMessage( - "Так, вийти з облікового запису", - ), - "yesRemove": MessageLookupByLibrary.simpleMessage("Так, видалити"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Так, поновити"), - "yesResetPerson": MessageLookupByLibrary.simpleMessage( - "Так, скинути особу", - ), - "you": MessageLookupByLibrary.simpleMessage("Ви"), - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( - "Ви на сімейному плані!", - ), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Ви використовуєте останню версію", - ), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Ви можете максимально подвоїти своє сховище", - ), - "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( - "Ви можете керувати посиланнями на вкладці «Поділитися».", - ), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "Ви можете спробувати пошукати за іншим запитом.", - ), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "Ви не можете перейти до цього плану", - ), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Ви не можете поділитися із собою", - ), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "У вас немає жодних архівних елементів.", - ), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "Ваш обліковий запис видалено", - ), - "yourMap": MessageLookupByLibrary.simpleMessage("Ваша мапа"), - "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( - "Ваш план був успішно знижено", - ), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "Ваш план успішно покращено", - ), - "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( - "Ваша покупка пройшла успішно", - ), - "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( - "Не вдалося отримати деталі про ваше сховище", - ), - "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( - "Термін дії вашої передплати скінчився", - ), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "Вашу передплату успішно оновлено", - ), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "Термін дії коду підтвердження минув", - ), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "У цьому альбомі немає файлів, які можуть бути видалені", - ), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( - "Збільште, щоб побачити фотографії", - ), - }; + "aNewVersionOfEnteIsAvailable": + MessageLookupByLibrary.simpleMessage("Доступна нова версія Ente."), + "about": MessageLookupByLibrary.simpleMessage("Про застосунок"), + "acceptTrustInvite": + MessageLookupByLibrary.simpleMessage("Прийняти запрошення"), + "account": MessageLookupByLibrary.simpleMessage("Обліковий запис"), + "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( + "Обліковий запис уже налаштовано."), + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("З поверненням!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Я розумію, що якщо я втрачу свій пароль, я можу втратити свої дані, тому що вони є захищені наскрізним шифруванням."), + "activeSessions": + MessageLookupByLibrary.simpleMessage("Активні сеанси"), + "add": MessageLookupByLibrary.simpleMessage("Додати"), + "addAName": MessageLookupByLibrary.simpleMessage("Додати ім\'я"), + "addANewEmail": + MessageLookupByLibrary.simpleMessage("Додати нову пошту"), + "addCollaborator": + MessageLookupByLibrary.simpleMessage("Додати співавтора"), + "addFiles": MessageLookupByLibrary.simpleMessage("Додати файли"), + "addFromDevice": + MessageLookupByLibrary.simpleMessage("Додати з пристрою"), + "addLocation": + MessageLookupByLibrary.simpleMessage("Додати розташування"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Додати"), + "addMore": MessageLookupByLibrary.simpleMessage("Додати більше"), + "addName": MessageLookupByLibrary.simpleMessage("Додати ім\'я"), + "addNameOrMerge": + MessageLookupByLibrary.simpleMessage("Додати назву або об\'єднати"), + "addNew": MessageLookupByLibrary.simpleMessage("Додати нове"), + "addNewPerson": + MessageLookupByLibrary.simpleMessage("Додати нову особу"), + "addOnPageSubtitle": + MessageLookupByLibrary.simpleMessage("Подробиці доповнень"), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("Доповнення"), + "addPhotos": MessageLookupByLibrary.simpleMessage("Додати фотографії"), + "addSelected": MessageLookupByLibrary.simpleMessage("Додати вибране"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("Додати до альбому"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Додати до Ente"), + "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Додати до прихованого альбому"), + "addTrustedContact": + MessageLookupByLibrary.simpleMessage("Додати довірений контакт"), + "addViewer": MessageLookupByLibrary.simpleMessage("Додати глядача"), + "addYourPhotosNow": + MessageLookupByLibrary.simpleMessage("Додайте свої фотографії"), + "addedAs": MessageLookupByLibrary.simpleMessage("Додано як"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": + MessageLookupByLibrary.simpleMessage("Додавання до обраного..."), + "advanced": MessageLookupByLibrary.simpleMessage("Додатково"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Додатково"), + "after1Day": MessageLookupByLibrary.simpleMessage("Через 1 день"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Через 1 годину"), + "after1Month": MessageLookupByLibrary.simpleMessage("Через 1 місяць"), + "after1Week": MessageLookupByLibrary.simpleMessage("Через 1 тиждень"), + "after1Year": MessageLookupByLibrary.simpleMessage("Через 1 рік"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Власник"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Назва альбому"), + "albumUpdated": MessageLookupByLibrary.simpleMessage("Альбом оновлено"), + "albums": MessageLookupByLibrary.simpleMessage("Альбоми"), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Все чисто"), + "allMemoriesPreserved": + MessageLookupByLibrary.simpleMessage("Всі спогади збережені"), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "Усі групи для цієї особи будуть скинуті, і ви втратите всі пропозиції, зроблені для неї"), + "allow": MessageLookupByLibrary.simpleMessage("Дозволити"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Дозволити людям з посиланням також додавати фотографії до спільного альбому."), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( + "Дозволити додавати фотографії"), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "Дозволити застосунку відкривати спільні альбоми"), + "allowDownloads": + MessageLookupByLibrary.simpleMessage("Дозволити завантаження"), + "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( + "Дозволити людям додавати фотографії"), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Надайте доступ до ваших фотографій з налаштувань, щоб Ente міг показувати та створювати резервну копію вашої бібліотеки."), + "allowPermTitle": MessageLookupByLibrary.simpleMessage( + "Дозволити доступ до фотографій"), + "androidBiometricHint": + MessageLookupByLibrary.simpleMessage("Підтвердження особистості"), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "Не розпізнано. Спробуйте ще раз."), + "androidBiometricRequiredTitle": + MessageLookupByLibrary.simpleMessage("Потрібна біометрія"), + "androidBiometricSuccess": + MessageLookupByLibrary.simpleMessage("Успішно"), + "androidCancelButton": + MessageLookupByLibrary.simpleMessage("Скасувати"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage( + "Необхідні облікові дані пристрою"), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage( + "Необхідні облікові дані пристрою"), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Біометрична перевірка не встановлена на вашому пристрої. Перейдіть в «Налаштування > Безпека», щоб додати біометричну перевірку."), + "androidIosWebDesktop": + MessageLookupByLibrary.simpleMessage("Android, iOS, Вебсайт, ПК"), + "androidSignInTitle": + MessageLookupByLibrary.simpleMessage("Необхідна перевірка"), + "appLock": + MessageLookupByLibrary.simpleMessage("Блокування застосунку"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Виберіть між типовим екраном блокування вашого пристрою та власним екраном блокування з PIN-кодом або паролем."), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), + "apply": MessageLookupByLibrary.simpleMessage("Застосувати"), + "applyCodeTitle": + MessageLookupByLibrary.simpleMessage("Застосувати код"), + "appstoreSubscription": + MessageLookupByLibrary.simpleMessage("Передплата App Store"), + "archive": MessageLookupByLibrary.simpleMessage("Архів"), + "archiveAlbum": + MessageLookupByLibrary.simpleMessage("Архівувати альбом"), + "archiving": MessageLookupByLibrary.simpleMessage("Архівуємо..."), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Ви впевнені, що хочете залишити сімейний план?"), + "areYouSureYouWantToCancel": + MessageLookupByLibrary.simpleMessage("Ви дійсно хочете скасувати?"), + "areYouSureYouWantToChangeYourPlan": + MessageLookupByLibrary.simpleMessage( + "Ви впевнені, що хочете змінити свій план?"), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "Ви впевнені, що хочете вийти?"), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Ви впевнені, що хочете вийти з облікового запису?"), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "Ви впевнені, що хочете поновити?"), + "areYouSureYouWantToResetThisPerson": + MessageLookupByLibrary.simpleMessage( + "Ви впевнені, що хочете скинути цю особу?"), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "Передплату було скасовано. Ви хотіли б поділитися причиною?"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Яка основна причина видалення вашого облікового запису?"), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Попросіть своїх близьких поділитися"), + "atAFalloutShelter": + MessageLookupByLibrary.simpleMessage("в бомбосховищі"), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Авторизуйтесь, щоб змінити перевірку через пошту"), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Авторизуйтесь для зміни налаштувань екрана блокування"), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Авторизуйтесь, щоб змінити поштову адресу"), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Авторизуйтесь, щоб змінити пароль"), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Авторизуйтесь, щоб налаштувати двоетапну перевірку"), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Авторизуйтесь, щоби розпочати видалення облікового запису"), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Авторизуйтесь, щоби керувати довіреними контактами"), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Авторизуйтесь, щоб переглянути свій ключ доступу"), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Авторизуйтесь, щоб переглянути активні сеанси"), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Авторизуйтеся, щоб переглянути приховані файли"), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Авторизуйтеся, щоб переглянути ваші спогади"), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Авторизуйтесь для перегляду вашого ключа відновлення"), + "authenticating": + MessageLookupByLibrary.simpleMessage("Автентифікація..."), + "authenticationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Автентифікація не пройдена. Спробуйте ще раз"), + "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( + "Автентифікація пройшла успішно!"), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Тут ви побачите доступні пристрої для трансляції."), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Переконайтеся, що для застосунку «Фотографії Ente» увімкнено дозволи локальної мережі в налаштуваннях."), + "autoLock": MessageLookupByLibrary.simpleMessage("Автоблокування"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Час, через який застосунок буде заблоковано у фоновому режимі"), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "Через технічні збої ви вийшли з системи. Перепрошуємо за незручності."), + "autoPair": + MessageLookupByLibrary.simpleMessage("Автоматичне створення пари"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "Автоматичне створення пари працює лише з пристроями, що підтримують Chromecast."), + "available": MessageLookupByLibrary.simpleMessage("Доступно"), + "availableStorageSpace": m10, + "backedUpFolders": + MessageLookupByLibrary.simpleMessage("Резервне копіювання тек"), + "backup": MessageLookupByLibrary.simpleMessage("Резервне копіювання"), + "backupFailed": MessageLookupByLibrary.simpleMessage( + "Помилка резервного копіювання"), + "backupFile": + MessageLookupByLibrary.simpleMessage("Файл резервної копії"), + "backupOverMobileData": MessageLookupByLibrary.simpleMessage( + "Резервне копіювання через мобільні дані"), + "backupSettings": MessageLookupByLibrary.simpleMessage( + "Налаштування резервного копіювання"), + "backupStatus": + MessageLookupByLibrary.simpleMessage("Стан резервного копіювання"), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Елементи, для яких було створено резервну копію, показуватимуться тут"), + "backupVideos": + MessageLookupByLibrary.simpleMessage("Резервне копіювання відео"), + "birthday": MessageLookupByLibrary.simpleMessage("День народження"), + "blackFridaySale": MessageLookupByLibrary.simpleMessage( + "Розпродаж у «Чорну п\'ятницю»"), + "blog": MessageLookupByLibrary.simpleMessage("Блог"), + "cachedData": MessageLookupByLibrary.simpleMessage("Кешовані дані"), + "calculating": MessageLookupByLibrary.simpleMessage("Обчислення..."), + "canNotUploadToAlbumsOwnedByOthers": + MessageLookupByLibrary.simpleMessage( + "Не можна завантажувати в альбоми, які належать іншим"), + "canOnlyCreateLinkForFilesOwnedByYou": + MessageLookupByLibrary.simpleMessage( + "Можна створити лише посилання для файлів, що належать вам"), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Ви можете видалити лише файли, що належать вам"), + "cancel": MessageLookupByLibrary.simpleMessage("Скасувати"), + "cancelAccountRecovery": + MessageLookupByLibrary.simpleMessage("Скасувати відновлення"), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "Ви впевнені, що хочете скасувати відновлення?"), + "cancelOtherSubscription": m12, + "cancelSubscription": + MessageLookupByLibrary.simpleMessage("Скасувати передплату"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Не можна видалити спільні файли"), + "castAlbum": MessageLookupByLibrary.simpleMessage("Транслювати альбом"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Переконайтеся, що ви перебуваєте в тій же мережі, що і телевізор."), + "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( + "Не вдалося транслювати альбом"), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Відвідайте cast.ente.io на пристрої, з яким ви хочете створити пару.\n\nВведіть код нижче, щоб відтворити альбом на телевізорі."), + "centerPoint": MessageLookupByLibrary.simpleMessage("Центральна точка"), + "change": MessageLookupByLibrary.simpleMessage("Змінити"), + "changeEmail": + MessageLookupByLibrary.simpleMessage("Змінити адресу пошти"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Змінити розташування вибраних елементів?"), + "changePassword": + MessageLookupByLibrary.simpleMessage("Змінити пароль"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("Змінити пароль"), + "changePermissions": + MessageLookupByLibrary.simpleMessage("Змінити дозволи?"), + "changeYourReferralCode": + MessageLookupByLibrary.simpleMessage("Змінити ваш реферальний код"), + "checkForUpdates": MessageLookupByLibrary.simpleMessage( + "Перевiрити наявнiсть оновлень"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Перевірте вашу поштову скриньку (та спам), щоб завершити перевірку"), + "checkStatus": MessageLookupByLibrary.simpleMessage("Перевірити стан"), + "checking": MessageLookupByLibrary.simpleMessage("Перевірка..."), + "checkingModels": + MessageLookupByLibrary.simpleMessage("Перевірка моделей..."), + "claimFreeStorage": + MessageLookupByLibrary.simpleMessage("Отримайте безплатне сховище"), + "claimMore": MessageLookupByLibrary.simpleMessage("Отримайте більше!"), + "claimed": MessageLookupByLibrary.simpleMessage("Отримано"), + "claimedStorageSoFar": m14, + "cleanUncategorized": + MessageLookupByLibrary.simpleMessage("Очистити «Без категорії»"), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Видалити всі файли з «Без категорії», що є в інших альбомах"), + "clearCaches": MessageLookupByLibrary.simpleMessage("Очистити кеш"), + "clearIndexes": + MessageLookupByLibrary.simpleMessage("Очистити індекси"), + "click": MessageLookupByLibrary.simpleMessage("• Натисніть"), + "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( + "• Натисніть на меню переповнення"), + "close": MessageLookupByLibrary.simpleMessage("Закрити"), + "clubByCaptureTime": + MessageLookupByLibrary.simpleMessage("Клуб за часом захоплення"), + "clubByFileName": + MessageLookupByLibrary.simpleMessage("Клуб за назвою файлу"), + "clusteringProgress": + MessageLookupByLibrary.simpleMessage("Прогрес кластеризації"), + "codeAppliedPageTitle": + MessageLookupByLibrary.simpleMessage("Код застосовано"), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "На жаль, ви досягли ліміту змін коду."), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Код скопійовано до буфера обміну"), + "codeUsedByYou": + MessageLookupByLibrary.simpleMessage("Код використано вами"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Створіть посилання, щоб дозволити людям додавати й переглядати фотографії у вашому спільному альбомі без використання застосунку Ente або облікового запису. Чудово підходить для збору фотографій з подій."), + "collaborativeLink": + MessageLookupByLibrary.simpleMessage("Спільне посилання"), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Співавтор"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Співавтори можуть додавати фотографії та відео до спільного альбому."), + "collageLayout": MessageLookupByLibrary.simpleMessage("Макет"), + "collageSaved": + MessageLookupByLibrary.simpleMessage("Колаж збережено до галереї"), + "collect": MessageLookupByLibrary.simpleMessage("Зібрати"), + "collectEventPhotos": + MessageLookupByLibrary.simpleMessage("Зібрати фотографії події"), + "collectPhotos": + MessageLookupByLibrary.simpleMessage("Зібрати фотографії"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Створіть посилання, за яким ваші друзі зможуть завантажувати фотографії в оригінальній якості."), + "color": MessageLookupByLibrary.simpleMessage("Колір"), + "configuration": MessageLookupByLibrary.simpleMessage("Налаштування"), + "confirm": MessageLookupByLibrary.simpleMessage("Підтвердити"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Ви впевнені, що хочете вимкнути двоетапну перевірку?"), + "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Підтвердьте видалення облікового запису"), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Так, я хочу безповоротно видалити цей обліковий запис та його дані з усіх застосунків."), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("Підтвердити пароль"), + "confirmPlanChange": + MessageLookupByLibrary.simpleMessage("Підтвердити зміну плану"), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Підтвердити ключ відновлення"), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Підтвердіть ваш ключ відновлення"), + "connectToDevice": + MessageLookupByLibrary.simpleMessage("Під\'єднатися до пристрою"), + "contactFamilyAdmin": m18, + "contactSupport": MessageLookupByLibrary.simpleMessage( + "Звернутися до служби підтримки"), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Контакти"), + "contents": MessageLookupByLibrary.simpleMessage("Вміст"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Продовжити"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( + "Продовжити безплатний пробний період"), + "convertToAlbum": + MessageLookupByLibrary.simpleMessage("Перетворити в альбом"), + "copyEmailAddress": + MessageLookupByLibrary.simpleMessage("Копіювати поштову адресу"), + "copyLink": MessageLookupByLibrary.simpleMessage("Копіювати посилання"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Скопіюйте цей код\nу ваш застосунок для автентифікації"), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "Не вдалося створити резервну копію даних.\nМи спробуємо пізніше."), + "couldNotFreeUpSpace": + MessageLookupByLibrary.simpleMessage("Не вдалося звільнити місце"), + "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( + "Не вдалося оновити передплату"), + "count": MessageLookupByLibrary.simpleMessage("Кількість"), + "crashReporting": + MessageLookupByLibrary.simpleMessage("Звіти про помилки"), + "create": MessageLookupByLibrary.simpleMessage("Створити"), + "createAccount": + MessageLookupByLibrary.simpleMessage("Створити обліковий запис"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Утримуйте, щоби вибрати фотографії, та натисніть «+», щоб створити альбом"), + "createCollaborativeLink": + MessageLookupByLibrary.simpleMessage("Створити спільне посилання"), + "createCollage": MessageLookupByLibrary.simpleMessage("Створити колаж"), + "createNewAccount": MessageLookupByLibrary.simpleMessage( + "Створити новий обліковий запис"), + "createOrSelectAlbum": + MessageLookupByLibrary.simpleMessage("Створити або вибрати альбом"), + "createPublicLink": + MessageLookupByLibrary.simpleMessage("Створити публічне посилання"), + "creatingLink": + MessageLookupByLibrary.simpleMessage("Створення посилання..."), + "criticalUpdateAvailable": + MessageLookupByLibrary.simpleMessage("Доступне важливе оновлення"), + "crop": MessageLookupByLibrary.simpleMessage("Обрізати"), + "currentUsageIs": + MessageLookupByLibrary.simpleMessage("Поточне використання "), + "currentlyRunning": + MessageLookupByLibrary.simpleMessage("зараз працює"), + "custom": MessageLookupByLibrary.simpleMessage("Власне"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Темна"), + "dayToday": MessageLookupByLibrary.simpleMessage("Сьогодні"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Вчора"), + "declineTrustInvite": + MessageLookupByLibrary.simpleMessage("Відхилити запрошення"), + "decrypting": MessageLookupByLibrary.simpleMessage("Дешифрування..."), + "decryptingVideo": + MessageLookupByLibrary.simpleMessage("Розшифрування відео..."), + "deduplicateFiles": + MessageLookupByLibrary.simpleMessage("Усунути дублікати файлів"), + "delete": MessageLookupByLibrary.simpleMessage("Видалити"), + "deleteAccount": + MessageLookupByLibrary.simpleMessage("Видалити обліковий запис"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Нам шкода, що ви йдете. Будь ласка, поділіться своїм відгуком, щоб допомогти нам покращитися."), + "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( + "Остаточно видалити обліковий запис"), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Видалити альбом"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Також видалити фотографії (і відео), які є в цьому альбомі, зі всіх інших альбомів, з яких вони складаються?"), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "Це призведе до видалення всіх пустих альбомів. Це зручно, коли ви бажаєте зменшити засмічення в списку альбомів."), + "deleteAll": MessageLookupByLibrary.simpleMessage("Видалити все"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "Цей обліковий запис пов\'язаний з іншими застосунками Ente, якщо ви ними користуєтесь. Завантажені вами дані з усіх застосунків Ente будуть заплановані до видалення, а ваш обліковий запис буде видалено назавжди."), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Будь ласка, надішліть електронного листа на account-deletion@ente.io зі скриньки, зазначеної при реєстрації."), + "deleteEmptyAlbums": + MessageLookupByLibrary.simpleMessage("Видалити пусті альбоми"), + "deleteEmptyAlbumsWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Видалити пусті альбоми?"), + "deleteFromBoth": + MessageLookupByLibrary.simpleMessage("Видалити з обох"), + "deleteFromDevice": + MessageLookupByLibrary.simpleMessage("Видалити з пристрою"), + "deleteFromEnte": + MessageLookupByLibrary.simpleMessage("Видалити з Ente"), + "deleteItemCount": m21, + "deleteLocation": + MessageLookupByLibrary.simpleMessage("Видалити розташування"), + "deletePhotos": MessageLookupByLibrary.simpleMessage("Видалити фото"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Мені бракує ключової функції"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "Застосунок або певна функція не поводяться так, як я думаю, вони повинні"), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Я знайшов інший сервіс, який подобається мені більше"), + "deleteReason4": + MessageLookupByLibrary.simpleMessage("Причина не перерахована"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Ваш запит буде оброблений протягом 72 годин."), + "deleteSharedAlbum": + MessageLookupByLibrary.simpleMessage("Видалити спільний альбом?"), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "Альбом буде видалено для всіх\n\nВи втратите доступ до спільних фотографій у цьому альбомі, які належать іншим"), + "deselectAll": MessageLookupByLibrary.simpleMessage("Зняти виділення"), + "designedToOutlive": + MessageLookupByLibrary.simpleMessage("Створено, щоб пережити вас"), + "details": MessageLookupByLibrary.simpleMessage("Подробиці"), + "developerSettings": MessageLookupByLibrary.simpleMessage( + "Налаштування для розробників"), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Ви впевнені, що хочете змінити налаштування для розробників?"), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Введіть код"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "Файли, додані до цього альбому на пристрої, автоматично завантажаться до Ente."), + "deviceLock": + MessageLookupByLibrary.simpleMessage("Блокування пристрою"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Вимкніть блокування екрана пристрою, коли на передньому плані знаходиться Ente і виконується резервне копіювання. Зазвичай це не потрібно, але може допомогти швидше завершити великі вивантаження і початковий імпорт великих бібліотек."), + "deviceNotFound": + MessageLookupByLibrary.simpleMessage("Пристрій не знайдено"), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Чи знали ви?"), + "disableAutoLock": + MessageLookupByLibrary.simpleMessage("Вимкнути автоблокування"), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Переглядачі все ще можуть робити знімки екрана або зберігати копію ваших фотографій за допомогою зовнішніх інструментів"), + "disableDownloadWarningTitle": + MessageLookupByLibrary.simpleMessage("Зверніть увагу"), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage( + "Вимкнути двоетапну перевірку"), + "disablingTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Вимкнення двоетапної перевірки..."), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Відкрийте для себе"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Немовлята"), + "discover_celebrations": + MessageLookupByLibrary.simpleMessage("Святкування"), + "discover_food": MessageLookupByLibrary.simpleMessage("Їжа"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Зелень"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Пагорби"), + "discover_identity": + MessageLookupByLibrary.simpleMessage("Особистість"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Меми"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Нотатки"), + "discover_pets": + MessageLookupByLibrary.simpleMessage("Домашні тварини"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Квитанції"), + "discover_screenshots": + MessageLookupByLibrary.simpleMessage("Знімки екрана"), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Селфі"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Захід сонця"), + "discover_visiting_cards": + MessageLookupByLibrary.simpleMessage("Візитівки"), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Шпалери"), + "dismiss": MessageLookupByLibrary.simpleMessage("Відхилити"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("км"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage("Не виходити"), + "doThisLater": + MessageLookupByLibrary.simpleMessage("Зробити це пізніше"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Ви хочете відхилити внесені зміни?"), + "done": MessageLookupByLibrary.simpleMessage("Готово"), + "doubleYourStorage": + MessageLookupByLibrary.simpleMessage("Подвоїти своє сховище"), + "download": MessageLookupByLibrary.simpleMessage("Завантажити"), + "downloadFailed": + MessageLookupByLibrary.simpleMessage("Не вдалося завантажити"), + "downloading": MessageLookupByLibrary.simpleMessage("Завантаження..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Редагувати"), + "editLocation": + MessageLookupByLibrary.simpleMessage("Змінити розташування"), + "editLocationTagTitle": + MessageLookupByLibrary.simpleMessage("Змінити розташування"), + "editPerson": MessageLookupByLibrary.simpleMessage("Редагувати особу"), + "editsSaved": MessageLookupByLibrary.simpleMessage("Зміни збережено"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Зміна розташування буде видима лише в Ente"), + "eligible": MessageLookupByLibrary.simpleMessage("придатний"), + "email": + MessageLookupByLibrary.simpleMessage("Адреса електронної пошти"), + "emailChangedTo": m29, + "emailNoEnteAccount": m31, + "emailVerificationToggle": + MessageLookupByLibrary.simpleMessage("Підтвердження через пошту"), + "emailYourLogs": MessageLookupByLibrary.simpleMessage( + "Відправте ваші журнали поштою"), + "emergencyContacts": + MessageLookupByLibrary.simpleMessage("Екстрені контакти"), + "empty": MessageLookupByLibrary.simpleMessage("Спорожнити"), + "emptyTrash": MessageLookupByLibrary.simpleMessage("Очистити смітник?"), + "enable": MessageLookupByLibrary.simpleMessage("Увімкнути"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "Ente підтримує машинне навчання для розпізнавання обличчя, магічний пошук та інші розширені функції пошуку"), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Увімкніть машинне навчання для магічного пошуку та розпізнавання облич"), + "enableMaps": MessageLookupByLibrary.simpleMessage("Увімкнути мапи"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "Це покаже ваші фотографії на мапі світу.\n\nЦя мапа розміщена на OpenStreetMap, і точне розташування ваших фотографій ніколи не розголошується.\n\nВи можете будь-коли вимкнути цю функцію в налаштуваннях."), + "enabled": MessageLookupByLibrary.simpleMessage("Увімкнено"), + "encryptingBackup": + MessageLookupByLibrary.simpleMessage("Шифруємо резервну копію..."), + "encryption": MessageLookupByLibrary.simpleMessage("Шифрування"), + "encryptionKeys": + MessageLookupByLibrary.simpleMessage("Ключі шифрування"), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Кінцева точка успішно оновлена"), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Наскрізне шифрування по стандарту"), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente може зашифрувати та зберігати файли тільки в тому випадку, якщо ви надасте до них доступ"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente потребує дозволу до ваших світлин"), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "Ente зберігає ваші спогади, тому вони завжди доступні для вас, навіть якщо ви втратите пристрій."), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Вашу сім\'ю також можна додати до вашого тарифу."), + "enterAlbumName": + MessageLookupByLibrary.simpleMessage("Введіть назву альбому"), + "enterCode": MessageLookupByLibrary.simpleMessage("Введіть код"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Введіть код, наданий вашим другом, щоби отримати безплатне сховище для вас обох"), + "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( + "День народження (необов\'язково)"), + "enterEmail": + MessageLookupByLibrary.simpleMessage("Введіть поштову адресу"), + "enterFileName": + MessageLookupByLibrary.simpleMessage("Введіть назву файлу"), + "enterName": MessageLookupByLibrary.simpleMessage("Введіть ім\'я"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Введіть новий пароль, який ми зможемо використати для шифрування ваших даних"), + "enterPassword": MessageLookupByLibrary.simpleMessage("Введіть пароль"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Введіть пароль, який ми зможемо використати для шифрування ваших даних"), + "enterPersonName": + MessageLookupByLibrary.simpleMessage("Введіть ім\'я особи"), + "enterPin": MessageLookupByLibrary.simpleMessage("Введіть PIN-код"), + "enterReferralCode": + MessageLookupByLibrary.simpleMessage("Введіть реферальний код"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Введіть 6-значний код з\nвашого застосунку для автентифікації"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Будь ласка, введіть дійсну адресу електронної пошти."), + "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( + "Введіть вашу адресу електронної пошти"), + "enterYourPassword": + MessageLookupByLibrary.simpleMessage("Введіть пароль"), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Введіть ваш ключ відновлення"), + "error": MessageLookupByLibrary.simpleMessage("Помилка"), + "everywhere": MessageLookupByLibrary.simpleMessage("всюди"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": + MessageLookupByLibrary.simpleMessage("Існуючий користувач"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Термін дії цього посилання минув. Будь ласка, виберіть новий час терміну дії або вимкніть це посилання."), + "exportLogs": + MessageLookupByLibrary.simpleMessage("Експортування журналів"), + "exportYourData": + MessageLookupByLibrary.simpleMessage("Експортувати дані"), + "extraPhotosFound": MessageLookupByLibrary.simpleMessage( + "Знайдено додаткові фотографії"), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Обличчя ще не згруповані, поверніться пізніше"), + "faceRecognition": + MessageLookupByLibrary.simpleMessage("Розпізнавання обличчя"), + "faces": MessageLookupByLibrary.simpleMessage("Обличчя"), + "failedToApplyCode": + MessageLookupByLibrary.simpleMessage("Не вдалося застосувати код"), + "failedToCancel": + MessageLookupByLibrary.simpleMessage("Не вдалося скасувати"), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( + "Не вдалося завантажити відео"), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Не вдалося отримати активні сеанси"), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Не вдалося отримати оригінал для редагування"), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Не вдається отримати відомості про реферала. Спробуйте ще раз пізніше."), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( + "Не вдалося завантажити альбоми"), + "failedToPlayVideo": + MessageLookupByLibrary.simpleMessage("Не вдалося відтворити відео"), + "failedToRefreshStripeSubscription": + MessageLookupByLibrary.simpleMessage( + "Не вдалося поновити підписку"), + "failedToRenew": + MessageLookupByLibrary.simpleMessage("Не вдалося поновити"), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Не вдалося перевірити стан платежу"), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Додайте 5 членів сім\'ї до чинного тарифу без додаткової плати.\n\nКожен член сім\'ї отримає власний приватний простір і не зможе бачити файли інших, доки обидва не нададуть до них спільний доступ.\n\nСімейні плани доступні клієнтам, які мають платну підписку на Ente.\n\nПідпишіться зараз, щоби розпочати!"), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Сім\'я"), + "familyPlans": MessageLookupByLibrary.simpleMessage("Сімейні тарифи"), + "faq": MessageLookupByLibrary.simpleMessage("ЧаПи"), + "faqs": MessageLookupByLibrary.simpleMessage("ЧаПи"), + "favorite": + MessageLookupByLibrary.simpleMessage("Додати до улюбленого"), + "feedback": MessageLookupByLibrary.simpleMessage("Зворотній зв’язок"), + "file": MessageLookupByLibrary.simpleMessage("Файл"), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Не вдалося зберегти файл до галереї"), + "fileInfoAddDescHint": + MessageLookupByLibrary.simpleMessage("Додати опис..."), + "fileNotUploadedYet": + MessageLookupByLibrary.simpleMessage("Файл ще не завантажено"), + "fileSavedToGallery": + MessageLookupByLibrary.simpleMessage("Файл збережено до галереї"), + "fileTypes": MessageLookupByLibrary.simpleMessage("Типи файлів"), + "fileTypesAndNames": + MessageLookupByLibrary.simpleMessage("Типи та назви файлів"), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage("Файли видалено"), + "filesSavedToGallery": + MessageLookupByLibrary.simpleMessage("Файли збережено до галереї"), + "findPeopleByName": MessageLookupByLibrary.simpleMessage( + "Швидко знаходьте людей за іменами"), + "findThemQuickly": + MessageLookupByLibrary.simpleMessage("Знайдіть їх швидко"), + "flip": MessageLookupByLibrary.simpleMessage("Відзеркалити"), + "forYourMemories": + MessageLookupByLibrary.simpleMessage("для ваших спогадів"), + "forgotPassword": + MessageLookupByLibrary.simpleMessage("Нагадати пароль"), + "foundFaces": MessageLookupByLibrary.simpleMessage("Знайдені обличчя"), + "freeStorageClaimed": + MessageLookupByLibrary.simpleMessage("Безплатне сховище отримано"), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Безплатне сховище можна використовувати"), + "freeTrial": + MessageLookupByLibrary.simpleMessage("Безплатний пробний період"), + "freeTrialValidTill": m38, + "freeUpAmount": m40, + "freeUpDeviceSpace": + MessageLookupByLibrary.simpleMessage("Звільніть місце на пристрої"), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Збережіть місце на вашому пристрої, очистивши файли, які вже збережено."), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("Звільнити місце"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "До 1000 спогадів, показаних у галереї"), + "general": MessageLookupByLibrary.simpleMessage("Загальні"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Створення ключів шифрування..."), + "genericProgress": m42, + "goToSettings": + MessageLookupByLibrary.simpleMessage("Перейти до налаштувань"), + "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Надайте доступ до всіх фотографій в налаштуваннях застосунку"), + "grantPermission": + MessageLookupByLibrary.simpleMessage("Надати дозвіл"), + "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( + "Групувати фотографії поблизу"), + "guestView": MessageLookupByLibrary.simpleMessage("Гостьовий перегляд"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "Щоб увімкнути гостьовий перегляд, встановіть пароль або блокування екрана в налаштуваннях системи."), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "Ми не відстежуємо встановлення застосунку. Але, якщо ви скажете нам, де ви нас знайшли, це допоможе!"), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Як ви дізналися про Ente? (необов\'язково)"), + "help": MessageLookupByLibrary.simpleMessage("Допомога"), + "hidden": MessageLookupByLibrary.simpleMessage("Приховано"), + "hide": MessageLookupByLibrary.simpleMessage("Приховати"), + "hideContent": MessageLookupByLibrary.simpleMessage("Приховати вміст"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Приховує вміст застосунку у перемикачі застосунків і вимикає знімки екрана"), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Приховує вміст застосунку у перемикачі застосунків"), + "hiding": MessageLookupByLibrary.simpleMessage("Приховуємо..."), + "hostedAtOsmFrance": + MessageLookupByLibrary.simpleMessage("Розміщення на OSM Франція"), + "howItWorks": MessageLookupByLibrary.simpleMessage("Як це працює"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Попросіть їх довго утримувати палець на свій поштовій адресі на екрані налаштувань і переконайтеся, що ідентифікатори на обох пристроях збігаються."), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Біометрична перевірка не встановлена на вашому пристрої. Увімкніть TouchID або FaceID на вашому телефоні."), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "Біометрична перевірка вимкнена. Заблокуйте і розблокуйте свій екран, щоб увімкнути її."), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("Гаразд"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ігнорувати"), + "ignored": MessageLookupByLibrary.simpleMessage("ігнорується"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Деякі файли в цьому альбомі ігноруються після вивантаження, тому що вони раніше були видалені з Ente."), + "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( + "Зображення не проаналізовано"), + "immediately": MessageLookupByLibrary.simpleMessage("Негайно"), + "importing": MessageLookupByLibrary.simpleMessage("Імпортування..."), + "incorrectCode": MessageLookupByLibrary.simpleMessage("Невірний код"), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("Невірний пароль"), + "incorrectRecoveryKey": + MessageLookupByLibrary.simpleMessage("Невірний ключ відновлення"), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Ви ввели невірний ключ відновлення"), + "incorrectRecoveryKeyTitle": + MessageLookupByLibrary.simpleMessage("Невірний ключ відновлення"), + "indexedItems": + MessageLookupByLibrary.simpleMessage("Індексовані елементи"), + "info": MessageLookupByLibrary.simpleMessage("Інформація"), + "insecureDevice": + MessageLookupByLibrary.simpleMessage("Незахищений пристрій"), + "installManually": + MessageLookupByLibrary.simpleMessage("Встановити вручну"), + "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( + "Хибна адреса електронної пошти"), + "invalidEndpoint": + MessageLookupByLibrary.simpleMessage("Недійсна кінцева точка"), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Введена вами кінцева точка є недійсною. Введіть дійсну кінцеву точку та спробуйте ще раз."), + "invalidKey": MessageLookupByLibrary.simpleMessage("Невірний ключ"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Уведений вами ключ відновлення недійсний. Переконайтеся, що він містить 24 слова, і перевірте правильність написання кожного з них.\n\nЯкщо ви ввели старіший код відновлення, переконайтеся, що він складається з 64 символів, і перевірте кожен з них."), + "invite": MessageLookupByLibrary.simpleMessage("Запросити"), + "inviteToEnte": + MessageLookupByLibrary.simpleMessage("Запросити до Ente"), + "inviteYourFriends": + MessageLookupByLibrary.simpleMessage("Запросити своїх друзів"), + "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( + "Запросіть своїх друзів до Ente"), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Схоже, що щось пішло не так. Спробуйте ще раз через деякий час. Якщо помилка не зникне, зв\'яжіться з нашою командою підтримки."), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "Елементи показують кількість днів, що залишилися до остаточного видалення"), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Вибрані елементи будуть видалені з цього альбому"), + "joinDiscord": MessageLookupByLibrary.simpleMessage( + "Приєднатися до Discord серверу"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Залишити фото"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("км"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Будь ласка, допоможіть нам із цією інформацією"), + "language": MessageLookupByLibrary.simpleMessage("Мова"), + "lastUpdated": + MessageLookupByLibrary.simpleMessage("Востаннє оновлено"), + "leave": MessageLookupByLibrary.simpleMessage("Покинути"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Покинути альбом"), + "leaveFamily": MessageLookupByLibrary.simpleMessage("Покинути сім\'ю"), + "leaveSharedAlbum": + MessageLookupByLibrary.simpleMessage("Покинути спільний альбом?"), + "left": MessageLookupByLibrary.simpleMessage("Ліворуч"), + "legacy": MessageLookupByLibrary.simpleMessage("Спадок"), + "legacyAccounts": + MessageLookupByLibrary.simpleMessage("Облікові записи «Спадку»"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "«Спадок» дозволяє довіреним контактам отримати доступ до вашого облікового запису під час вашої відсутності."), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "Довірені контакти можуть ініціювати відновлення облікового запису, і якщо його не буде заблоковано протягом 30 днів, скинути пароль і отримати доступ до нього."), + "light": MessageLookupByLibrary.simpleMessage("Яскравість"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Світла"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Посилання скопійовано в буфер обміну"), + "linkDeviceLimit": + MessageLookupByLibrary.simpleMessage("Досягнуто ліміту пристроїв"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Увімкнено"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Закінчився"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage( + "Термін дії посилання закінчився"), + "linkHasExpired": + MessageLookupByLibrary.simpleMessage("Посилання прострочено"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Ніколи"), + "livePhotos": MessageLookupByLibrary.simpleMessage("Живі фото"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "Ви можете поділитися своєю передплатою з родиною"), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "Ми зберігаємо 3 копії ваших даних, одну в підземному бункері"), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "Всі наші застосунки мають відкритий код"), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Наш вихідний код та шифрування пройшли перевірку спільнотою"), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "Ви можете поділитися посиланнями на свої альбоми з близькими"), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Наші мобільні застосунки працюють у фоновому режимі для шифрування і створення резервних копій будь-яких нових фотографій, які ви виберете"), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io має зручний завантажувач"), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Ми використовуємо Xchacha20Poly1305 для безпечного шифрування ваших даних"), + "loadingExifData": + MessageLookupByLibrary.simpleMessage("Завантаження даних EXIF..."), + "loadingGallery": + MessageLookupByLibrary.simpleMessage("Завантаження галереї..."), + "loadingMessage": MessageLookupByLibrary.simpleMessage( + "Завантажуємо ваші фотографії..."), + "loadingModel": + MessageLookupByLibrary.simpleMessage("Завантаження моделей..."), + "loadingYourPhotos": + MessageLookupByLibrary.simpleMessage("Завантажуємо фотографії..."), + "localGallery": + MessageLookupByLibrary.simpleMessage("Локальна галерея"), + "localIndexing": + MessageLookupByLibrary.simpleMessage("Локальне індексування"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Схоже, щось пішло не так, оскільки локальна синхронізація фотографій займає більше часу, ніж очікувалося. Зверніться до нашої служби підтримки"), + "location": MessageLookupByLibrary.simpleMessage("Розташування"), + "locationName": + MessageLookupByLibrary.simpleMessage("Назва місце розташування"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Тег розташування групує всі фотографії, які були зроблені в певному радіусі від фотографії"), + "locations": MessageLookupByLibrary.simpleMessage("Розташування"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Заблокувати"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Екран блокування"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Увійти"), + "loggingOut": + MessageLookupByLibrary.simpleMessage("Вихід із системи..."), + "loginSessionExpired": + MessageLookupByLibrary.simpleMessage("Час сеансу минув"), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "Термін дії вашого сеансу завершився. Увійдіть знову."), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Натискаючи «Увійти», я приймаю умови використання і політику приватності"), + "loginWithTOTP": + MessageLookupByLibrary.simpleMessage("Увійти за допомогою TOTP"), + "logout": MessageLookupByLibrary.simpleMessage("Вийти"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "Це призведе до надсилання журналів, які допоможуть нам усунути вашу проблему. Зверніть увагу, що назви файлів будуть включені, щоби допомогти відстежувати проблеми з конкретними файлами."), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Довго утримуйте поштову адресу, щоб перевірити наскрізне шифрування."), + "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( + "Натисніть і утримуйте елемент для перегляду в повноекранному режимі"), + "loopVideoOff": + MessageLookupByLibrary.simpleMessage("Вимкнено зациклювання відео"), + "loopVideoOn": MessageLookupByLibrary.simpleMessage( + "Увімкнено зациклювання відео"), + "lostDevice": + MessageLookupByLibrary.simpleMessage("Загубили пристрій?"), + "machineLearning": + MessageLookupByLibrary.simpleMessage("Машинне навчання"), + "magicSearch": MessageLookupByLibrary.simpleMessage("Магічний пошук"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "Магічний пошук дозволяє шукати фотографії за їхнім вмістом, наприклад «квітка», «червоне авто» «паспорт»"), + "manage": MessageLookupByLibrary.simpleMessage("Керування"), + "manageDeviceStorage": + MessageLookupByLibrary.simpleMessage("Керування кешем пристрою"), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Переглянути та очистити локальне сховище кешу."), + "manageFamily": + MessageLookupByLibrary.simpleMessage("Керування сім\'єю"), + "manageLink": + MessageLookupByLibrary.simpleMessage("Керувати посиланням"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Керування"), + "manageSubscription": + MessageLookupByLibrary.simpleMessage("Керування передплатою"), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "Створення пари з PIN-кодом працює з будь-яким екраном, на яку ви хочете переглянути альбом."), + "map": MessageLookupByLibrary.simpleMessage("Мапа"), + "maps": MessageLookupByLibrary.simpleMessage("Мапи"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "merchandise": MessageLookupByLibrary.simpleMessage("Товари"), + "mergeWithExisting": + MessageLookupByLibrary.simpleMessage("Об\'єднати з наявним"), + "mergedPhotos": + MessageLookupByLibrary.simpleMessage("Об\'єднані фотографії"), + "mlConsent": + MessageLookupByLibrary.simpleMessage("Увімкнути машинне навчання"), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Я розумію, та бажаю увімкнути машинне навчання"), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Якщо увімкнути машинне навчання, Ente вилучатиме інформацію, наприклад геометрію обличчя з файлів, включно з тими, хто поділився з вами.\n\nЦе відбуватиметься на вашому пристрої, і будь-яка згенерована біометрична інформація буде наскрізно зашифрована."), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Натисніть тут для більш детальної інформації про цю функцію в нашій політиці приватності"), + "mlConsentTitle": + MessageLookupByLibrary.simpleMessage("Увімкнути машинне навчання?"), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Зверніть увагу, що машинне навчання призведе до збільшення пропускної здатності та споживання заряду батареї, поки не будуть проіндексовані всі елементи. Для прискорення індексації скористайтеся настільним застосунком, всі результати будуть синхронізовані автоматично."), + "mobileWebDesktop": + MessageLookupByLibrary.simpleMessage("Смартфон, Вебсайт, ПК"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Середній"), + "modifyYourQueryOrTrySearchingFor": + MessageLookupByLibrary.simpleMessage( + "Змініть ваш запит або спробуйте знайти"), + "moments": MessageLookupByLibrary.simpleMessage("Моменти"), + "month": MessageLookupByLibrary.simpleMessage("місяць"), + "monthly": MessageLookupByLibrary.simpleMessage("Щомісяця"), + "moreDetails": MessageLookupByLibrary.simpleMessage("Детальніше"), + "mostRecent": MessageLookupByLibrary.simpleMessage("Останні"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("Найактуальніші"), + "moveToAlbum": + MessageLookupByLibrary.simpleMessage("Перемістити до альбому"), + "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( + "Перемістити до прихованого альбому"), + "movedSuccessfullyTo": m52, + "movedToTrash": + MessageLookupByLibrary.simpleMessage("Переміщено у смітник"), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Переміщуємо файли до альбому..."), + "name": MessageLookupByLibrary.simpleMessage("Назва"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Назвіть альбом"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Не вдалося під\'єднатися до Ente. Спробуйте ще раз через деякий час. Якщо помилка не зникне, зв\'яжіться з нашою командою підтримки."), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Не вдалося під\'єднатися до Ente. Перевірте налаштування мережі. Зверніться до нашої команди підтримки, якщо помилка залишиться."), + "never": MessageLookupByLibrary.simpleMessage("Ніколи"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Новий альбом"), + "newLocation": + MessageLookupByLibrary.simpleMessage("Нове розташування"), + "newPerson": MessageLookupByLibrary.simpleMessage("Нова особа"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Уперше на Ente"), + "newest": MessageLookupByLibrary.simpleMessage("Найновіші"), + "next": MessageLookupByLibrary.simpleMessage("Далі"), + "no": MessageLookupByLibrary.simpleMessage("Ні"), + "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( + "Ви ще не поділилися жодним альбомом"), + "noDeviceFound": MessageLookupByLibrary.simpleMessage( + "Не знайдено жодного пристрою"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Немає"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "У вас не маєте файлів на цьому пристрої, які можна видалити"), + "noDuplicates": + MessageLookupByLibrary.simpleMessage("✨ Немає дублікатів"), + "noExifData": MessageLookupByLibrary.simpleMessage("Немає даних EXIF"), + "noFacesFound": + MessageLookupByLibrary.simpleMessage("Обличчя не знайдено"), + "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( + "Немає прихованих фотографій чи відео"), + "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( + "Немає зображень з розташуванням"), + "noInternetConnection": + MessageLookupByLibrary.simpleMessage("Немає з’єднання з мережею"), + "noPhotosAreBeingBackedUpRightNow": + MessageLookupByLibrary.simpleMessage( + "Наразі немає резервних копій фотографій"), + "noPhotosFoundHere": + MessageLookupByLibrary.simpleMessage("Тут немає фотографій"), + "noQuickLinksSelected": + MessageLookupByLibrary.simpleMessage("Не вибрано швидких посилань"), + "noRecoveryKey": + MessageLookupByLibrary.simpleMessage("Немає ключа відновлення?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Через природу нашого кінцевого протоколу шифрування, ваші дані не можуть бути розшифровані без вашого пароля або ключа відновлення"), + "noResults": MessageLookupByLibrary.simpleMessage("Немає результатів"), + "noResultsFound": + MessageLookupByLibrary.simpleMessage("Нічого не знайдено"), + "noSuggestionsForPerson": m53, + "noSystemLockFound": MessageLookupByLibrary.simpleMessage( + "Не знайдено системного блокування"), + "notPersonLabel": m54, + "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( + "Поки що з вами ніхто не поділився"), + "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( + "Тут немає на що дивитися! 👀"), + "notifications": MessageLookupByLibrary.simpleMessage("Сповіщення"), + "ok": MessageLookupByLibrary.simpleMessage("Добре"), + "onDevice": MessageLookupByLibrary.simpleMessage("На пристрої"), + "onEnte": + MessageLookupByLibrary.simpleMessage("В Ente"), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Тільки вони"), + "oops": MessageLookupByLibrary.simpleMessage("От халепа"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Ой, не вдалося зберегти зміни"), + "oopsSomethingWentWrong": + MessageLookupByLibrary.simpleMessage("Йой, щось пішло не так"), + "openAlbumInBrowser": + MessageLookupByLibrary.simpleMessage("Відкрити альбом у браузері"), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Використовуйте вебзастосунок, щоби додавати фотографії до цього альбому"), + "openFile": MessageLookupByLibrary.simpleMessage("Відкрити файл"), + "openSettings": + MessageLookupByLibrary.simpleMessage("Відкрити налаштування"), + "openTheItem": + MessageLookupByLibrary.simpleMessage("• Відкрити елемент"), + "openstreetmapContributors": + MessageLookupByLibrary.simpleMessage("Учасники OpenStreetMap"), + "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( + "Необов\'язково, так коротко, як ви хочете..."), + "orMergeWithExistingPerson": + MessageLookupByLibrary.simpleMessage("Або об\'єднати з наявними"), + "orPickAnExistingOne": + MessageLookupByLibrary.simpleMessage("Або виберіть наявну"), + "pair": MessageLookupByLibrary.simpleMessage("Створити пару"), + "pairWithPin": + MessageLookupByLibrary.simpleMessage("Під’єднатися через PIN-код"), + "pairingComplete": + MessageLookupByLibrary.simpleMessage("Створення пари завершено"), + "panorama": MessageLookupByLibrary.simpleMessage("Панорама"), + "passKeyPendingVerification": + MessageLookupByLibrary.simpleMessage("Перевірка все ще триває"), + "passkey": MessageLookupByLibrary.simpleMessage("Ключ доступу"), + "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( + "Перевірка через ключ доступу"), + "password": MessageLookupByLibrary.simpleMessage("Пароль"), + "passwordChangedSuccessfully": + MessageLookupByLibrary.simpleMessage("Пароль успішно змінено"), + "passwordLock": + MessageLookupByLibrary.simpleMessage("Блокування паролем"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "Надійність пароля розраховується з урахуванням довжини пароля, використаних символів, а також того, чи входить пароль у топ 10 000 найбільш використовуваних паролів"), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Ми не зберігаємо цей пароль, тому, якщо ви його забудете, ми не зможемо розшифрувати ваші дані"), + "paymentDetails": + MessageLookupByLibrary.simpleMessage("Деталі платежу"), + "paymentFailed": + MessageLookupByLibrary.simpleMessage("Не вдалося оплатити"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "На жаль, ваш платіж не вдався. Зв\'яжіться зі службою підтримки і ми вам допоможемо!"), + "paymentFailedTalkToProvider": m58, + "pendingItems": + MessageLookupByLibrary.simpleMessage("Елементи на розгляді"), + "pendingSync": + MessageLookupByLibrary.simpleMessage("Очікування синхронізації"), + "people": MessageLookupByLibrary.simpleMessage("Люди"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( + "Люди, які використовують ваш код"), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Усі елементи смітника будуть остаточно видалені\n\nЦю дію не можна скасувати"), + "permanentlyDelete": + MessageLookupByLibrary.simpleMessage("Остаточно видалити"), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Остаточно видалити з пристрою?"), + "personName": MessageLookupByLibrary.simpleMessage("Ім\'я особи"), + "photoDescriptions": + MessageLookupByLibrary.simpleMessage("Опис фотографії"), + "photoGridSize": + MessageLookupByLibrary.simpleMessage("Розмір сітки фотографій"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("фото"), + "photos": MessageLookupByLibrary.simpleMessage("Фото"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "Додані вами фотографії будуть видалені з альбому"), + "pickCenterPoint": + MessageLookupByLibrary.simpleMessage("Вкажіть центральну точку"), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Закріпити альбом"), + "pinLock": MessageLookupByLibrary.simpleMessage("Блокування PIN-кодом"), + "playOnTv": + MessageLookupByLibrary.simpleMessage("Відтворити альбом на ТБ"), + "playStoreFreeTrialValidTill": m63, + "playstoreSubscription": + MessageLookupByLibrary.simpleMessage("Передплата Play Store"), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Перевірте з\'єднання з мережею та спробуйте ще раз."), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Зв\'яжіться з support@ente.io і ми будемо раді допомогти!"), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Зверніться до служби підтримки, якщо проблема не зникне"), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": + MessageLookupByLibrary.simpleMessage("Надайте дозволи"), + "pleaseLoginAgain": + MessageLookupByLibrary.simpleMessage("Увійдіть знову"), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Виберіть посилання для видалення"), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": + MessageLookupByLibrary.simpleMessage("Спробуйте ще раз"), + "pleaseVerifyTheCodeYouHaveEntered": + MessageLookupByLibrary.simpleMessage("Підтвердьте введений код"), + "pleaseWait": + MessageLookupByLibrary.simpleMessage("Будь ласка, зачекайте..."), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Зачекайте на видалення альбому"), + "pleaseWaitForSometimeBeforeRetrying": + MessageLookupByLibrary.simpleMessage( + "Зачекайте деякий час перед повторною спробою"), + "preparingLogs": + MessageLookupByLibrary.simpleMessage("Підготовка журналів..."), + "preserveMore": MessageLookupByLibrary.simpleMessage("Зберегти більше"), + "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( + "Натисніть та утримуйте, щоб відтворити відео"), + "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( + "Натисніть та утримуйте на зображення, щоби відтворити відео"), + "privacy": MessageLookupByLibrary.simpleMessage("Приватність"), + "privacyPolicyTitle": + MessageLookupByLibrary.simpleMessage("Політика приватності"), + "privateBackups": + MessageLookupByLibrary.simpleMessage("Приватні резервні копії"), + "privateSharing": + MessageLookupByLibrary.simpleMessage("Приватне поширення"), + "proceed": MessageLookupByLibrary.simpleMessage("Продовжити"), + "processingImport": m67, + "publicLinkCreated": + MessageLookupByLibrary.simpleMessage("Публічне посилання створено"), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( + "Публічне посилання увімкнено"), + "quickLinks": MessageLookupByLibrary.simpleMessage("Швидкі посилання"), + "radius": MessageLookupByLibrary.simpleMessage("Радіус"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Подати заявку"), + "rateTheApp": + MessageLookupByLibrary.simpleMessage("Оцініть застосунок"), + "rateUs": MessageLookupByLibrary.simpleMessage("Оцініть нас"), + "rateUsOnStore": m68, + "recover": MessageLookupByLibrary.simpleMessage("Відновити"), + "recoverAccount": + MessageLookupByLibrary.simpleMessage("Відновити обліковий запис"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Відновлення"), + "recoveryAccount": + MessageLookupByLibrary.simpleMessage("Відновити обліковий запис"), + "recoveryInitiated": + MessageLookupByLibrary.simpleMessage("Почато відновлення"), + "recoveryInitiatedDesc": m70, + "recoveryKey": MessageLookupByLibrary.simpleMessage("Ключ відновлення"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Ключ відновлення скопійовано в буфер обміну"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Якщо ви забудете свій пароль, то єдиний спосіб відновити ваші дані – за допомогою цього ключа."), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Ми не зберігаємо цей ключ, збережіть цей ключ із 24 слів в надійному місці."), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Чудово! Ваш ключ відновлення дійсний. Дякуємо за перевірку.\n\nНе забувайте надійно зберігати ключ відновлення."), + "recoveryKeyVerified": + MessageLookupByLibrary.simpleMessage("Ключ відновлення перевірено"), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Ключ відновлення — це єдиний спосіб відновити фотографії, якщо ви забули пароль. Ви можете знайти свій ключ в розділі «Налаштування» > «Обліковий запис».\n\nВведіть ключ відновлення тут, щоб перевірити, чи правильно ви його зберегли."), + "recoveryReady": m71, + "recoverySuccessful": + MessageLookupByLibrary.simpleMessage("Відновлення успішне!"), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "Довірений контакт намагається отримати доступ до вашого облікового запису"), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Ваш пристрій недостатньо потужний для перевірки пароля, але ми можемо відновити його таким чином, щоб він працював на всіх пристроях.\n\nУвійдіть за допомогою ключа відновлення та відновіть свій пароль (за бажанням ви можете використати той самий ключ знову)."), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("Повторно створити пароль"), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": + MessageLookupByLibrary.simpleMessage("Введіть пароль ще раз"), + "reenterPin": + MessageLookupByLibrary.simpleMessage("Введіть PIN-код ще раз"), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Запросіть друзів та подвойте свій план"), + "referralStep1": + MessageLookupByLibrary.simpleMessage("1. Дайте цей код друзям"), + "referralStep2": MessageLookupByLibrary.simpleMessage( + "2. Вони оформлюють передплату"), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Реферали"), + "referralsAreCurrentlyPaused": + MessageLookupByLibrary.simpleMessage("Реферали зараз призупинені"), + "rejectRecovery": + MessageLookupByLibrary.simpleMessage("Відхилити відновлення"), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "Також очистьте «Нещодавно видалено» в «Налаштування» -> «Сховище», щоб отримати вільне місце"), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Також очистьте «Смітник», щоб звільнити місце"), + "remoteImages": + MessageLookupByLibrary.simpleMessage("Віддалені зображення"), + "remoteThumbnails": + MessageLookupByLibrary.simpleMessage("Віддалені мініатюри"), + "remoteVideos": MessageLookupByLibrary.simpleMessage("Віддалені відео"), + "remove": MessageLookupByLibrary.simpleMessage("Вилучити"), + "removeDuplicates": + MessageLookupByLibrary.simpleMessage("Вилучити дублікати"), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Перегляньте та видаліть файли, які є точними дублікатами."), + "removeFromAlbum": + MessageLookupByLibrary.simpleMessage("Видалити з альбому"), + "removeFromAlbumTitle": + MessageLookupByLibrary.simpleMessage("Видалити з альбому?"), + "removeFromFavorite": + MessageLookupByLibrary.simpleMessage("Вилучити з улюбленого"), + "removeInvite": + MessageLookupByLibrary.simpleMessage("Видалити запрошення"), + "removeLink": + MessageLookupByLibrary.simpleMessage("Вилучити посилання"), + "removeParticipant": + MessageLookupByLibrary.simpleMessage("Видалити учасника"), + "removeParticipantBody": m74, + "removePersonLabel": + MessageLookupByLibrary.simpleMessage("Видалити мітку особи"), + "removePublicLink": + MessageLookupByLibrary.simpleMessage("Видалити публічне посилання"), + "removePublicLinks": + MessageLookupByLibrary.simpleMessage("Видалити публічні посилання"), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Деякі речі, які ви видаляєте були додані іншими людьми, ви втратите доступ до них"), + "removeWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Видалити?"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Видалити себе як довірений контакт"), + "removingFromFavorites": + MessageLookupByLibrary.simpleMessage("Видалення з обраного..."), + "rename": MessageLookupByLibrary.simpleMessage("Перейменувати"), + "renameAlbum": + MessageLookupByLibrary.simpleMessage("Перейменувати альбом"), + "renameFile": + MessageLookupByLibrary.simpleMessage("Перейменувати файл"), + "renewSubscription": + MessageLookupByLibrary.simpleMessage("Поновити передплату"), + "renewsOn": m75, + "reportABug": + MessageLookupByLibrary.simpleMessage("Повідомити про помилку"), + "reportBug": + MessageLookupByLibrary.simpleMessage("Повідомити про помилку"), + "resendEmail": + MessageLookupByLibrary.simpleMessage("Повторно надіслати лист"), + "resetIgnoredFiles": + MessageLookupByLibrary.simpleMessage("Скинути ігноровані файли"), + "resetPasswordTitle": + MessageLookupByLibrary.simpleMessage("Скинути пароль"), + "resetPerson": MessageLookupByLibrary.simpleMessage("Вилучити"), + "resetToDefault": + MessageLookupByLibrary.simpleMessage("Скинути до типових"), + "restore": MessageLookupByLibrary.simpleMessage("Відновити"), + "restoreToAlbum": + MessageLookupByLibrary.simpleMessage("Відновити в альбомі"), + "restoringFiles": + MessageLookupByLibrary.simpleMessage("Відновлюємо файли..."), + "resumableUploads": MessageLookupByLibrary.simpleMessage( + "Завантаження з можливістю відновлення"), + "retry": MessageLookupByLibrary.simpleMessage("Повторити"), + "review": MessageLookupByLibrary.simpleMessage("Оцінити"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Перегляньте та видаліть елементи, які, на вашу думку, є дублікатами."), + "reviewSuggestions": + MessageLookupByLibrary.simpleMessage("Переглянути пропозиції"), + "right": MessageLookupByLibrary.simpleMessage("Праворуч"), + "rotate": MessageLookupByLibrary.simpleMessage("Обернути"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Повернути ліворуч"), + "rotateRight": + MessageLookupByLibrary.simpleMessage("Повернути праворуч"), + "safelyStored": + MessageLookupByLibrary.simpleMessage("Безпечне збереження"), + "save": MessageLookupByLibrary.simpleMessage("Зберегти"), + "saveCollage": MessageLookupByLibrary.simpleMessage("Зберегти колаж"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Зберегти копію"), + "saveKey": MessageLookupByLibrary.simpleMessage("Зберегти ключ"), + "savePerson": MessageLookupByLibrary.simpleMessage("Зберегти особу"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Збережіть ваш ключ відновлення, якщо ви ще цього не зробили"), + "saving": MessageLookupByLibrary.simpleMessage("Зберігаємо..."), + "savingEdits": + MessageLookupByLibrary.simpleMessage("Зберігаємо зміни..."), + "scanCode": MessageLookupByLibrary.simpleMessage("Сканувати код"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Зіскануйте цей штрихкод за допомогою\nвашого застосунку для автентифікації"), + "search": MessageLookupByLibrary.simpleMessage("Пошук"), + "searchAlbumsEmptySection": + MessageLookupByLibrary.simpleMessage("Альбоми"), + "searchByAlbumNameHint": + MessageLookupByLibrary.simpleMessage("Назва альбому"), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Назви альбомів (наприклад, «Камера»)\n• Типи файлів (наприклад, «Відео», «.gif»)\n• Роки та місяці (наприклад, «2022», «січень»)\n• Свята (наприклад, «Різдво»)\n• Описи фотографій (наприклад, «#fun»)"), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Додавайте такі описи як «#подорож» в інформацію про фотографію, щоб швидко знайти їх тут"), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Шукати за датою, місяцем або роком"), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "Зображення будуть показані тут після завершення оброблення та синхронізації"), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "Люди будуть показані тут після завершення індексації"), + "searchFileTypesAndNamesEmptySection": + MessageLookupByLibrary.simpleMessage("Типи та назви файлів"), + "searchHint1": + MessageLookupByLibrary.simpleMessage("Швидкий пошук на пристрої"), + "searchHint2": MessageLookupByLibrary.simpleMessage("Дати, описи фото"), + "searchHint3": MessageLookupByLibrary.simpleMessage( + "Альбоми, назви та типи файлів"), + "searchHint4": MessageLookupByLibrary.simpleMessage("Розташування"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "Незабаром: Обличчя і магічний пошук ✨"), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Групові фотографії, які зроблені в певному радіусі від фотографії"), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "Запросіть людей, і ви побачите всі фотографії, якими вони поділилися, тут"), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "Люди будуть показані тут після завершення оброблення та синхронізації"), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Безпека"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "Посилання на публічні альбоми в застосунку"), + "selectALocation": + MessageLookupByLibrary.simpleMessage("Виберіть місце"), + "selectALocationFirst": MessageLookupByLibrary.simpleMessage( + "Спочатку виберіть розташування"), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Вибрати альбом"), + "selectAll": MessageLookupByLibrary.simpleMessage("Вибрати все"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("Усі"), + "selectCoverPhoto": + MessageLookupByLibrary.simpleMessage("Вибрати обкладинку"), + "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( + "Оберіть теки для резервного копіювання"), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( + "Виберіть елементи для додавання"), + "selectLanguage": MessageLookupByLibrary.simpleMessage("Виберіть мову"), + "selectMailApp": + MessageLookupByLibrary.simpleMessage("Вибрати застосунок пошти"), + "selectMorePhotos": + MessageLookupByLibrary.simpleMessage("Вибрати більше фотографій"), + "selectReason": MessageLookupByLibrary.simpleMessage("Оберіть причину"), + "selectYourPlan": MessageLookupByLibrary.simpleMessage("Оберіть тариф"), + "selectedFilesAreNotOnEnte": + MessageLookupByLibrary.simpleMessage("Вибрані файли не на Ente"), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Вибрані теки будуть зашифровані й створені резервні копії"), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Вибрані елементи будуть видалені з усіх альбомів і переміщені в смітник."), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "send": MessageLookupByLibrary.simpleMessage("Надіслати"), + "sendEmail": MessageLookupByLibrary.simpleMessage( + "Надіслати електронного листа"), + "sendInvite": + MessageLookupByLibrary.simpleMessage("Надіслати запрошення"), + "sendLink": MessageLookupByLibrary.simpleMessage("Надіслати посилання"), + "serverEndpoint": + MessageLookupByLibrary.simpleMessage("Кінцева точка сервера"), + "sessionExpired": + MessageLookupByLibrary.simpleMessage("Час сеансу минув"), + "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( + "Невідповідність ідентифікатора сеансу"), + "setAPassword": + MessageLookupByLibrary.simpleMessage("Встановити пароль"), + "setAs": MessageLookupByLibrary.simpleMessage("Встановити як"), + "setCover": + MessageLookupByLibrary.simpleMessage("Встановити обкладинку"), + "setLabel": MessageLookupByLibrary.simpleMessage("Встановити"), + "setNewPassword": + MessageLookupByLibrary.simpleMessage("Встановити новий пароль"), + "setNewPin": + MessageLookupByLibrary.simpleMessage("Встановити новий PIN-код"), + "setPasswordTitle": + MessageLookupByLibrary.simpleMessage("Встановити пароль"), + "setRadius": MessageLookupByLibrary.simpleMessage("Встановити радіус"), + "setupComplete": + MessageLookupByLibrary.simpleMessage("Налаштування завершено"), + "share": MessageLookupByLibrary.simpleMessage("Поділитися"), + "shareALink": + MessageLookupByLibrary.simpleMessage("Поділитися посиланням"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Відкрийте альбом та натисніть кнопку «Поділитися» у верхньому правому куті."), + "shareAnAlbumNow": + MessageLookupByLibrary.simpleMessage("Поділитися альбомом зараз"), + "shareLink": + MessageLookupByLibrary.simpleMessage("Поділитися посиланням"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Поділіться тільки з тими людьми, якими ви хочете"), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Завантажте Ente для того, щоб легко поділитися фотографіями оригінальної якості та відео\n\nhttps://ente.io"), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Поділитися з користувачами без Ente"), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( + "Поділитися вашим першим альбомом"), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Створюйте спільні альбоми з іншими користувачами Ente, включно з користувачами безплатних тарифів."), + "sharedByMe": MessageLookupByLibrary.simpleMessage("Поділився мною"), + "sharedByYou": MessageLookupByLibrary.simpleMessage("Поділилися вами"), + "sharedPhotoNotifications": + MessageLookupByLibrary.simpleMessage("Нові спільні фотографії"), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Отримувати сповіщення, коли хтось додасть фото до спільного альбому, в якому ви перебуваєте"), + "sharedWith": m87, + "sharedWithMe": + MessageLookupByLibrary.simpleMessage("Поділитися зі мною"), + "sharedWithYou": + MessageLookupByLibrary.simpleMessage("Поділилися з вами"), + "sharing": MessageLookupByLibrary.simpleMessage("Відправлення..."), + "showMemories": + MessageLookupByLibrary.simpleMessage("Показати спогади"), + "showPerson": MessageLookupByLibrary.simpleMessage("Показати особу"), + "signOutFromOtherDevices": + MessageLookupByLibrary.simpleMessage("Вийти на інших пристроях"), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Якщо ви думаєте, що хтось може знати ваш пароль, ви можете примусити всі інші пристрої, які використовують ваш обліковий запис, вийти із системи."), + "signOutOtherDevices": + MessageLookupByLibrary.simpleMessage("Вийти на інших пристроях"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Я приймаю умови використання і політику приватності"), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Воно буде видалено з усіх альбомів."), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Пропустити"), + "social": MessageLookupByLibrary.simpleMessage("Соцмережі"), + "someItemsAreInBothEnteAndYourDevice": + MessageLookupByLibrary.simpleMessage( + "Деякі елементи знаходяться на Ente та вашому пристрої."), + "someOfTheFilesYouAreTryingToDeleteAre": + MessageLookupByLibrary.simpleMessage( + "Деякі файли, які ви намагаєтеся видалити, доступні лише на вашому пристрої, і їх неможливо відновити"), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Той, хто ділиться з вами альбомами, повинен бачити той самий ідентифікатор на своєму пристрої."), + "somethingWentWrong": + MessageLookupByLibrary.simpleMessage("Щось пішло не так"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Щось пішло не так, будь ласка, спробуйте знову"), + "sorry": MessageLookupByLibrary.simpleMessage("Пробачте"), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Неможливо додати до обраного!"), + "sorryCouldNotRemoveFromFavorites": + MessageLookupByLibrary.simpleMessage( + "Не вдалося видалити з обраного!"), + "sorryTheCodeYouveEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "Вибачте, але введений вами код є невірним"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "На жаль, на цьому пристрої не вдалося створити безпечні ключі.\n\nЗареєструйтесь з іншого пристрою."), + "sort": MessageLookupByLibrary.simpleMessage("Сортувати"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Сортувати за"), + "sortNewestFirst": + MessageLookupByLibrary.simpleMessage("Спочатку найновіші"), + "sortOldestFirst": + MessageLookupByLibrary.simpleMessage("Спочатку найстаріші"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Успішно"), + "startAccountRecoveryTitle": + MessageLookupByLibrary.simpleMessage("Почати відновлення"), + "startBackup": + MessageLookupByLibrary.simpleMessage("Почати резервне копіювання"), + "status": MessageLookupByLibrary.simpleMessage("Стан"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "Ви хочете припинити трансляцію?"), + "stopCastingTitle": + MessageLookupByLibrary.simpleMessage("Припинити трансляцію"), + "storage": MessageLookupByLibrary.simpleMessage("Сховище"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Сім\'я"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Ви"), + "storageInGB": m93, + "storageLimitExceeded": + MessageLookupByLibrary.simpleMessage("Перевищено ліміт сховища"), + "storageUsageInfo": m94, + "strongStrength": MessageLookupByLibrary.simpleMessage("Надійний"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Передплачувати"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Вам потрібна активна передплата, щоб увімкнути спільне поширення."), + "subscription": MessageLookupByLibrary.simpleMessage("Передплата"), + "success": MessageLookupByLibrary.simpleMessage("Успішно"), + "successfullyArchived": + MessageLookupByLibrary.simpleMessage("Успішно архівовано"), + "successfullyHid": + MessageLookupByLibrary.simpleMessage("Успішно приховано"), + "successfullyUnarchived": + MessageLookupByLibrary.simpleMessage("Успішно розархівовано"), + "successfullyUnhid": + MessageLookupByLibrary.simpleMessage("Успішно показано"), + "suggestFeatures": + MessageLookupByLibrary.simpleMessage("Запропонувати нові функції"), + "support": MessageLookupByLibrary.simpleMessage("Підтримка"), + "syncProgress": m97, + "syncStopped": + MessageLookupByLibrary.simpleMessage("Синхронізацію зупинено"), + "syncing": MessageLookupByLibrary.simpleMessage("Синхронізуємо..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("Як в системі"), + "tapToCopy": + MessageLookupByLibrary.simpleMessage("натисніть, щоб скопіювати"), + "tapToEnterCode": + MessageLookupByLibrary.simpleMessage("Натисніть, щоб ввести код"), + "tapToUnlock": MessageLookupByLibrary.simpleMessage( + "Торкніться, щоби розблокувати"), + "tapToUpload": + MessageLookupByLibrary.simpleMessage("Натисніть, щоб завантажити"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Схоже, що щось пішло не так. Спробуйте ще раз через деякий час. Якщо помилка не зникне, зв\'яжіться з нашою командою підтримки."), + "terminate": MessageLookupByLibrary.simpleMessage("Припинити"), + "terminateSession": + MessageLookupByLibrary.simpleMessage("Припинити сеанс?"), + "terms": MessageLookupByLibrary.simpleMessage("Умови"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Умови"), + "thankYou": MessageLookupByLibrary.simpleMessage("Дякуємо"), + "thankYouForSubscribing": + MessageLookupByLibrary.simpleMessage("Спасибі за передплату!"), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "Завантаження не може бути завершено"), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "Термін дії посилання, за яким ви намагаєтеся отримати доступ, закінчився."), + "theRecoveryKeyYouEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "Ви ввели невірний ключ відновлення"), + "theme": MessageLookupByLibrary.simpleMessage("Тема"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Ці елементи будуть видалені з пристрою."), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "Вони будуть видалені з усіх альбомів."), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Цю дію не можна буде скасувати"), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "Цей альбом вже має спільне посилання"), + "thisCanBeUsedToRecoverYourAccountIfYou": + MessageLookupByLibrary.simpleMessage( + "Це може бути використано для відновлення вашого облікового запису, якщо ви втратите свій автентифікатор"), + "thisDevice": MessageLookupByLibrary.simpleMessage("Цей пристрій"), + "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( + "Ця поштова адреса вже використовується"), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Це зображення не має даних exif"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Це ваш Ідентифікатор підтвердження"), + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Це призведе до виходу на наступному пристрої:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Це призведе до виходу на цьому пристрої!"), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "Це видалить публічні посилання з усіх вибраних швидких посилань."), + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "Для увімкнення блокування застосунку, налаштуйте пароль пристрою або блокування екрана в системних налаштуваннях."), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( + "Щоб приховати фото або відео"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Щоб скинути пароль, спочатку підтвердьте адресу своєї пошти."), + "todaysLogs": + MessageLookupByLibrary.simpleMessage("Сьогоднішні журнали"), + "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( + "Завелика кількість невірних спроб"), + "total": MessageLookupByLibrary.simpleMessage("всього"), + "totalSize": MessageLookupByLibrary.simpleMessage("Загальний розмір"), + "trash": MessageLookupByLibrary.simpleMessage("Смітник"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Вирізати"), + "trustedContacts": + MessageLookupByLibrary.simpleMessage("Довірені контакти"), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Спробувати знову"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Увімкніть резервну копію для автоматичного завантаження файлів, доданих до теки пристрою в Ente."), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "2 місяці безплатно на щорічних планах"), + "twofactor": MessageLookupByLibrary.simpleMessage("Двоетапна"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "Двоетапну перевірку вимкнено"), + "twofactorAuthenticationPageTitle": + MessageLookupByLibrary.simpleMessage("Двоетапна перевірка"), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "Двоетапну перевірку успішно скинуто"), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Налаштування двоетапної перевірки"), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("Розархівувати"), + "unarchiveAlbum": + MessageLookupByLibrary.simpleMessage("Розархівувати альбом"), + "unarchiving": MessageLookupByLibrary.simpleMessage("Розархівуємо..."), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "На жаль, цей код недоступний."), + "uncategorized": MessageLookupByLibrary.simpleMessage("Без категорії"), + "unhide": MessageLookupByLibrary.simpleMessage("Показати"), + "unhideToAlbum": + MessageLookupByLibrary.simpleMessage("Показати в альбомі"), + "unhiding": MessageLookupByLibrary.simpleMessage("Показуємо..."), + "unhidingFilesToAlbum": + MessageLookupByLibrary.simpleMessage("Розкриваємо файли в альбомі"), + "unlock": MessageLookupByLibrary.simpleMessage("Розблокувати"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("Відкріпити альбом"), + "unselectAll": MessageLookupByLibrary.simpleMessage("Зняти виділення"), + "update": MessageLookupByLibrary.simpleMessage("Оновити"), + "updateAvailable": + MessageLookupByLibrary.simpleMessage("Доступне оновлення"), + "updatingFolderSelection": + MessageLookupByLibrary.simpleMessage("Оновлення вибору теки..."), + "upgrade": MessageLookupByLibrary.simpleMessage("Покращити"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Завантажуємо файли до альбому..."), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": + MessageLookupByLibrary.simpleMessage("Зберігаємо 1 спогад..."), + "upto50OffUntil4thDec": + MessageLookupByLibrary.simpleMessage("Знижки до 50%, до 4 грудня."), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "Доступний обсяг пам\'яті обмежений вашим поточним тарифом. Надлишок заявленого обсягу автоматично стане доступним, коли ви покращите тариф."), + "useAsCover": + MessageLookupByLibrary.simpleMessage("Використати як обкладинку"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "Виникли проблеми з відтворенням цього відео? Натисніть і утримуйте тут, щоб спробувати інший плеєр."), + "usePublicLinksForPeopleNotOnEnte": + MessageLookupByLibrary.simpleMessage( + "Використовувати публічні посилання для людей не з Ente"), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Застосувати ключ відновлення"), + "useSelectedPhoto": + MessageLookupByLibrary.simpleMessage("Використати вибране фото"), + "usedSpace": MessageLookupByLibrary.simpleMessage("Використано місця"), + "validTill": m110, + "verificationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Перевірка не вдалася, спробуйте ще раз"), + "verificationId": + MessageLookupByLibrary.simpleMessage("Ідентифікатор підтвердження"), + "verify": MessageLookupByLibrary.simpleMessage("Підтвердити"), + "verifyEmail": + MessageLookupByLibrary.simpleMessage("Підтвердити пошту"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Підтвердження"), + "verifyPasskey": + MessageLookupByLibrary.simpleMessage("Підтвердити ключ доступу"), + "verifyPassword": + MessageLookupByLibrary.simpleMessage("Підтвердження пароля"), + "verifying": MessageLookupByLibrary.simpleMessage("Перевіряємо..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Перевірка ключа відновлення..."), + "videoInfo": + MessageLookupByLibrary.simpleMessage("Інформація про відео"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("відео"), + "videos": MessageLookupByLibrary.simpleMessage("Відео"), + "viewActiveSessions": + MessageLookupByLibrary.simpleMessage("Показати активні сеанси"), + "viewAddOnButton": + MessageLookupByLibrary.simpleMessage("Переглянути доповнення"), + "viewAll": MessageLookupByLibrary.simpleMessage("Переглянути все"), + "viewAllExifData": + MessageLookupByLibrary.simpleMessage("Переглянути всі дані EXIF"), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Великі файли"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Перегляньте файли, які займають найбільше місця у сховищі."), + "viewLogs": MessageLookupByLibrary.simpleMessage("Переглянути журнали"), + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Переглянути ключ відновлення"), + "viewer": MessageLookupByLibrary.simpleMessage("Глядач"), + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Відвідайте web.ente.io, щоб керувати передплатою"), + "waitingForVerification": + MessageLookupByLibrary.simpleMessage("Очікується підтвердження..."), + "waitingForWifi": + MessageLookupByLibrary.simpleMessage("Очікування на Wi-Fi..."), + "warning": MessageLookupByLibrary.simpleMessage("Увага"), + "weAreOpenSource": MessageLookupByLibrary.simpleMessage( + "У нас відкритий вихідний код!"), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "Ми не підтримуємо редагування фотографій та альбомів, якими ви ще не володієте"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Слабкий"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("З поверненням!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("Що нового"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "Довірений контакт може допомогти у відновленні ваших даних."), + "yearShort": MessageLookupByLibrary.simpleMessage("рік"), + "yearly": MessageLookupByLibrary.simpleMessage("Щороку"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Так"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Так, скасувати"), + "yesConvertToViewer": + MessageLookupByLibrary.simpleMessage("Так, перетворити в глядача"), + "yesDelete": MessageLookupByLibrary.simpleMessage("Так, видалити"), + "yesDiscardChanges": + MessageLookupByLibrary.simpleMessage("Так, відхилити зміни"), + "yesLogout": MessageLookupByLibrary.simpleMessage( + "Так, вийти з облікового запису"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Так, видалити"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Так, поновити"), + "yesResetPerson": + MessageLookupByLibrary.simpleMessage("Так, скинути особу"), + "you": MessageLookupByLibrary.simpleMessage("Ви"), + "youAreOnAFamilyPlan": + MessageLookupByLibrary.simpleMessage("Ви на сімейному плані!"), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Ви використовуєте останню версію"), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Ви можете максимально подвоїти своє сховище"), + "youCanManageYourLinksInTheShareTab": + MessageLookupByLibrary.simpleMessage( + "Ви можете керувати посиланнями на вкладці «Поділитися»."), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "Ви можете спробувати пошукати за іншим запитом."), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "Ви не можете перейти до цього плану"), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Ви не можете поділитися із собою"), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "У вас немає жодних архівних елементів."), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( + "Ваш обліковий запис видалено"), + "yourMap": MessageLookupByLibrary.simpleMessage("Ваша мапа"), + "yourPlanWasSuccessfullyDowngraded": + MessageLookupByLibrary.simpleMessage( + "Ваш план був успішно знижено"), + "yourPlanWasSuccessfullyUpgraded": + MessageLookupByLibrary.simpleMessage("Ваш план успішно покращено"), + "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( + "Ваша покупка пройшла успішно"), + "yourStorageDetailsCouldNotBeFetched": + MessageLookupByLibrary.simpleMessage( + "Не вдалося отримати деталі про ваше сховище"), + "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( + "Термін дії вашої передплати скінчився"), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "Вашу передплату успішно оновлено"), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "Термін дії коду підтвердження минув"), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "У цьому альбомі немає файлів, які можуть бути видалені"), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( + "Збільште, щоб побачити фотографії") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_vi.dart b/mobile/apps/photos/lib/generated/intl/messages_vi.dart index 5d41e14cbe..8f44e52987 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_vi.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_vi.dart @@ -57,7 +57,14 @@ class MessageLookup extends MessageLookupByLibrary { "${user} sẽ không thể thêm ảnh vào album này\n\nHọ vẫn có thể xóa ảnh đã thêm bởi họ"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, {'true': 'Gia đình bạn đã nhận thêm ${storageAmountInGb} GB tính đến hiện tại', 'false': 'Bạn đã nhận thêm ${storageAmountInGb} GB tính đến hiện tại', 'other': 'Bạn đã nhận thêm ${storageAmountInGb} GB tính đến hiện tại!'})}"; + "${Intl.select(isFamilyMember, { + 'true': + 'Gia đình bạn đã nhận thêm ${storageAmountInGb} GB tính đến hiện tại', + 'false': + 'Bạn đã nhận thêm ${storageAmountInGb} GB tính đến hiện tại', + 'other': + 'Bạn đã nhận thêm ${storageAmountInGb} GB tính đến hiện tại!', + })}"; static String m15(albumName) => "Liên kết cộng tác đã được tạo cho ${albumName}"; @@ -262,11 +269,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, - usedStorageUnit, - totalAmount, - totalStorageUnit, - ) => + usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => "${usedAmount} ${usedStorageUnit} / ${totalAmount} ${totalStorageUnit} đã dùng"; static String m95(id) => @@ -331,2423 +334,1962 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "Ente có phiên bản mới.", - ), - "about": MessageLookupByLibrary.simpleMessage("Giới thiệu"), - "acceptTrustInvite": MessageLookupByLibrary.simpleMessage( - "Chấp nhận lời mời", - ), - "account": MessageLookupByLibrary.simpleMessage("Tài khoản"), - "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( - "Tài khoản đã được cấu hình.", - ), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage( - "Chào mừng bạn trở lại!", - ), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Tôi hiểu rằng nếu mất mật khẩu, dữ liệu của tôi sẽ mất vì nó được mã hóa đầu cuối.", - ), - "actionNotSupportedOnFavouritesAlbum": MessageLookupByLibrary.simpleMessage( - "Hành động không áp dụng trong album Đã thích", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage("Phiên hoạt động"), - "add": MessageLookupByLibrary.simpleMessage("Thêm"), - "addAName": MessageLookupByLibrary.simpleMessage("Thêm một tên"), - "addANewEmail": MessageLookupByLibrary.simpleMessage("Thêm một email mới"), - "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Thêm tiện ích album vào màn hình chính và quay lại đây để tùy chỉnh.", - ), - "addCollaborator": MessageLookupByLibrary.simpleMessage( - "Thêm cộng tác viên", - ), - "addCollaborators": m1, - "addFiles": MessageLookupByLibrary.simpleMessage("Thêm tệp"), - "addFromDevice": MessageLookupByLibrary.simpleMessage("Thêm từ thiết bị"), - "addItem": m2, - "addLocation": MessageLookupByLibrary.simpleMessage("Thêm vị trí"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("Thêm"), - "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Thêm tiện ích kỷ niệm vào màn hình chính và quay lại đây để tùy chỉnh.", - ), - "addMore": MessageLookupByLibrary.simpleMessage("Thêm nhiều hơn"), - "addName": MessageLookupByLibrary.simpleMessage("Thêm tên"), - "addNameOrMerge": MessageLookupByLibrary.simpleMessage( - "Thêm tên hoặc hợp nhất", - ), - "addNew": MessageLookupByLibrary.simpleMessage("Thêm mới"), - "addNewPerson": MessageLookupByLibrary.simpleMessage("Thêm người mới"), - "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( - "Chi tiết về tiện ích mở rộng", - ), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("Tiện ích mở rộng"), - "addParticipants": MessageLookupByLibrary.simpleMessage( - "Thêm người tham gia", - ), - "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "Thêm tiện ích người vào màn hình chính và quay lại đây để tùy chỉnh.", - ), - "addPhotos": MessageLookupByLibrary.simpleMessage("Thêm ảnh"), - "addSelected": MessageLookupByLibrary.simpleMessage("Thêm mục đã chọn"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("Thêm vào album"), - "addToEnte": MessageLookupByLibrary.simpleMessage("Thêm vào Ente"), - "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Thêm vào album ẩn", - ), - "addTrustedContact": MessageLookupByLibrary.simpleMessage( - "Thêm liên hệ tin cậy", - ), - "addViewer": MessageLookupByLibrary.simpleMessage("Thêm người xem"), - "addViewers": m4, - "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( - "Thêm ảnh của bạn ngay bây giờ", - ), - "addedAs": MessageLookupByLibrary.simpleMessage("Đã thêm như"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": MessageLookupByLibrary.simpleMessage( - "Đang thêm vào mục yêu thích...", - ), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("Nâng cao"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("Nâng cao"), - "after1Day": MessageLookupByLibrary.simpleMessage("Sau 1 ngày"), - "after1Hour": MessageLookupByLibrary.simpleMessage("Sau 1 giờ"), - "after1Month": MessageLookupByLibrary.simpleMessage("Sau 1 tháng"), - "after1Week": MessageLookupByLibrary.simpleMessage("Sau 1 tuần"), - "after1Year": MessageLookupByLibrary.simpleMessage("Sau 1 năm"), - "albumOwner": MessageLookupByLibrary.simpleMessage("Chủ sở hữu"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("Tiêu đề album"), - "albumUpdated": MessageLookupByLibrary.simpleMessage( - "Album đã được cập nhật", - ), - "albums": MessageLookupByLibrary.simpleMessage("Album"), - "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Chọn những album bạn muốn thấy trên màn hình chính của mình.", - ), - "allClear": MessageLookupByLibrary.simpleMessage("✨ Tất cả đã xong"), - "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( - "Tất cả kỷ niệm đã được lưu giữ", - ), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "Tất cả nhóm của người này sẽ được đặt lại, và bạn sẽ mất tất cả các gợi ý đã được tạo ra cho người này", - ), - "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": - MessageLookupByLibrary.simpleMessage( - "Tất cả nhóm không có tên sẽ được hợp nhất vào người đã chọn. Điều này vẫn có thể được hoàn tác từ tổng quan lịch sử đề xuất của người đó.", - ), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "Đây là ảnh đầu tiên trong nhóm. Các ảnh được chọn khác sẽ tự động thay đổi dựa theo ngày mới này", - ), - "allow": MessageLookupByLibrary.simpleMessage("Cho phép"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Cho phép người có liên kết thêm ảnh vào album chia sẻ.", - ), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage( - "Cho phép thêm ảnh", - ), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "Cho phép ứng dụng mở liên kết album chia sẻ", - ), - "allowDownloads": MessageLookupByLibrary.simpleMessage( - "Cho phép tải xuống", - ), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage( - "Cho phép mọi người thêm ảnh", - ), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "Vui lòng cho phép truy cập vào ảnh của bạn từ Cài đặt để Ente có thể hiển thị và sao lưu thư viện của bạn.", - ), - "allowPermTitle": MessageLookupByLibrary.simpleMessage( - "Cho phép truy cập ảnh", - ), - "androidBiometricHint": MessageLookupByLibrary.simpleMessage( - "Xác minh danh tính", - ), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "Không nhận diện được. Thử lại.", - ), - "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( - "Yêu cầu sinh trắc học", - ), - "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage( - "Thành công", - ), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("Hủy"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage( - "Yêu cầu thông tin xác thực thiết bị", - ), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage( - "Yêu cầu thông tin xác thực thiết bị", - ), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Xác thực sinh trắc học chưa được thiết lập trên thiết bị của bạn. Đi đến \'Cài đặt > Bảo mật\' để thêm xác thực sinh trắc học.", - ), - "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( - "Android, iOS, Web, Desktop", - ), - "androidSignInTitle": MessageLookupByLibrary.simpleMessage( - "Yêu cầu xác thực", - ), - "appIcon": MessageLookupByLibrary.simpleMessage("Biểu tượng ứng dụng"), - "appLock": MessageLookupByLibrary.simpleMessage("Khóa ứng dụng"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "Chọn giữa màn hình khóa mặc định của thiết bị và màn hình khóa tùy chỉnh với PIN hoặc mật khẩu.", - ), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("ID Apple"), - "apply": MessageLookupByLibrary.simpleMessage("Áp dụng"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Áp dụng mã"), - "appstoreSubscription": MessageLookupByLibrary.simpleMessage( - "Gói AppStore", - ), - "archive": MessageLookupByLibrary.simpleMessage("Lưu trữ"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("Lưu trữ album"), - "archiving": MessageLookupByLibrary.simpleMessage("Đang lưu trữ..."), - "areThey": MessageLookupByLibrary.simpleMessage("Họ có phải là "), - "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( - "Bạn có chắc muốn xóa khuôn mặt này khỏi người này không?", - ), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage( - "Bạn có chắc muốn rời khỏi gói gia đình không?", - ), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "Bạn có chắc muốn hủy không?", - ), - "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( - "Bạn có chắc muốn thay đổi gói của mình không?", - ), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( - "Bạn có chắc muốn thoát không?", - ), - "areYouSureYouWantToIgnoreThesePersons": - MessageLookupByLibrary.simpleMessage( - "Bạn có chắc muốn bỏ qua những người này?", - ), - "areYouSureYouWantToIgnoreThisPerson": MessageLookupByLibrary.simpleMessage( - "Bạn có chắc muốn bỏ qua người này?", - ), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "Bạn có chắc muốn đăng xuất không?", - ), - "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( - "Bạn có chắc muốn hợp nhất họ?", - ), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "Bạn có chắc muốn gia hạn không?", - ), - "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( - "Bạn có chắc muốn đặt lại người này không?", - ), - "askCancelReason": MessageLookupByLibrary.simpleMessage( - "Gói của bạn đã bị hủy. Bạn có muốn chia sẻ lý do không?", - ), - "askDeleteReason": MessageLookupByLibrary.simpleMessage( - "Lý do chính bạn xóa tài khoản là gì?", - ), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( - "Hãy gợi ý những người thân yêu của bạn chia sẻ", - ), - "atAFalloutShelter": MessageLookupByLibrary.simpleMessage( - "ở hầm trú ẩn hạt nhân", - ), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage( - "Vui lòng xác thực để đổi cài đặt xác minh email", - ), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "Vui lòng xác thực để thay đổi cài đặt khóa màn hình", - ), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "Vui lòng xác thực để đổi email", - ), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "Vui lòng xác thực để đổi mật khẩu", - ), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage( - "Vui lòng xác thực để cấu hình xác thực 2 bước", - ), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Vui lòng xác thực để bắt đầu xóa tài khoản", - ), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "Vui lòng xác thực để quản lý các liên hệ tin cậy", - ), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage( - "Vui lòng xác thực để xem khóa truy cập", - ), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "Vui lòng xác thực để xem các tệp đã xóa", - ), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "Vui lòng xác thực để xem các phiên hoạt động", - ), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "Vui lòng xác thực để xem các tệp ẩn", - ), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "Vui lòng xác thực để xem kỷ niệm", - ), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Vui lòng xác thực để xem mã khôi phục", - ), - "authenticating": MessageLookupByLibrary.simpleMessage("Đang xác thực..."), - "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Xác thực không thành công, vui lòng thử lại", - ), - "authenticationSuccessful": MessageLookupByLibrary.simpleMessage( - "Xác thực thành công!", - ), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Bạn sẽ thấy các thiết bị phát khả dụng ở đây.", - ), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "Hãy chắc rằng quyền Mạng cục bộ đã được bật cho ứng dụng Ente Photos, trong Cài đặt.", - ), - "autoLock": MessageLookupByLibrary.simpleMessage("Khóa tự động"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Sau thời gian này, ứng dụng sẽ khóa sau khi được chạy ở chế độ nền", - ), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "Do sự cố kỹ thuật, bạn đã bị đăng xuất. Chúng tôi xin lỗi vì sự bất tiện.", - ), - "autoPair": MessageLookupByLibrary.simpleMessage("Kết nối tự động"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "Kết nối tự động chỉ hoạt động với các thiết bị hỗ trợ Chromecast.", - ), - "available": MessageLookupByLibrary.simpleMessage("Có sẵn"), - "availableStorageSpace": m10, - "backedUpFolders": MessageLookupByLibrary.simpleMessage( - "Thư mục đã sao lưu", - ), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("Sao lưu"), - "backupFailed": MessageLookupByLibrary.simpleMessage("Sao lưu thất bại"), - "backupFile": MessageLookupByLibrary.simpleMessage("Sao lưu tệp"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Sao lưu với dữ liệu di động", - ), - "backupSettings": MessageLookupByLibrary.simpleMessage("Cài đặt sao lưu"), - "backupStatus": MessageLookupByLibrary.simpleMessage("Trạng thái sao lưu"), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "Các mục đã được sao lưu sẽ hiển thị ở đây", - ), - "backupVideos": MessageLookupByLibrary.simpleMessage("Sao lưu video"), - "beach": MessageLookupByLibrary.simpleMessage("Cát và biển"), - "birthday": MessageLookupByLibrary.simpleMessage("Sinh nhật"), - "birthdayNotifications": MessageLookupByLibrary.simpleMessage( - "Thông báo sinh nhật", - ), - "birthdays": MessageLookupByLibrary.simpleMessage("Sinh nhật"), - "blackFridaySale": MessageLookupByLibrary.simpleMessage( - "Giảm giá Black Friday", - ), - "blog": MessageLookupByLibrary.simpleMessage("Blog"), - "cLDesc1": MessageLookupByLibrary.simpleMessage( - "Sau bản beta phát trực tuyến video và làm việc trên các bản có thể tiếp tục tải lên và tải xuống, chúng tôi hiện đã tăng giới hạn tải lên tệp tới 10 GB. Tính năng này hiện khả dụng trên cả ứng dụng dành cho máy tính để bàn và di động.", - ), - "cLDesc2": MessageLookupByLibrary.simpleMessage( - "Tải lên trong nền hiện đã hỗ trợ trên iOS và Android. Không cần phải mở ứng dụng để sao lưu ảnh và video mới nhất của bạn.", - ), - "cLDesc3": MessageLookupByLibrary.simpleMessage( - "Chúng tôi đã có những cải tiến đáng kể cho trải nghiệm kỷ niệm, bao gồm tự phát, vuốt xem kỷ niệm tiếp theo và nhiều tính năng khác.", - ), - "cLDesc4": MessageLookupByLibrary.simpleMessage( - "Cùng với một loạt cải tiến nội bộ, giờ đây bạn có thể dễ dàng xem tất cả khuôn mặt đã phát hiện, cung cấp phản hồi về các khuôn mặt giống nhau và thêm/xóa khuôn mặt khỏi một bức ảnh.", - ), - "cLDesc5": MessageLookupByLibrary.simpleMessage( - "Bây giờ bạn sẽ nhận được thông báo tùy-chọn cho tất cả các ngày sinh nhật mà bạn đã lưu trên Ente, cùng với bộ sưu tập những bức ảnh đẹp nhất của họ.", - ), - "cLDesc6": MessageLookupByLibrary.simpleMessage( - "Không còn phải chờ tải lên/tải xuống xong mới có thể đóng ứng dụng. Tất cả các tải lên và tải xuống hiện có thể tạm dừng giữa chừng và tiếp tục từ nơi bạn đã dừng lại.", - ), - "cLTitle1": MessageLookupByLibrary.simpleMessage("Tải lên tệp video lớn"), - "cLTitle2": MessageLookupByLibrary.simpleMessage("Tải lên trong nền"), - "cLTitle3": MessageLookupByLibrary.simpleMessage("Tự động phát kỷ niệm"), - "cLTitle4": MessageLookupByLibrary.simpleMessage( - "Cải thiện nhận diện khuôn mặt", - ), - "cLTitle5": MessageLookupByLibrary.simpleMessage("Thông báo sinh nhật"), - "cLTitle6": MessageLookupByLibrary.simpleMessage( - "Tiếp tục tải lên và tải xuống", - ), - "cachedData": MessageLookupByLibrary.simpleMessage( - "Dữ liệu đã lưu trong bộ nhớ đệm", - ), - "calculating": MessageLookupByLibrary.simpleMessage("Đang tính toán..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage( - "Rất tiếc, album này không thể mở trong ứng dụng.", - ), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage( - "Không thể mở album này", - ), - "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( - "Không thể tải lên album thuộc sở hữu của người khác", - ), - "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Chỉ có thể tạo liên kết cho các tệp thuộc sở hữu của bạn", - ), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "Chỉ có thể xóa các tệp thuộc sở hữu của bạn", - ), - "cancel": MessageLookupByLibrary.simpleMessage("Hủy"), - "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage( - "Hủy khôi phục", - ), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "Bạn có chắc muốn hủy khôi phục không?", - ), - "cancelOtherSubscription": m12, - "cancelSubscription": MessageLookupByLibrary.simpleMessage("Hủy gói"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( - "Không thể xóa các tệp đã chia sẻ", - ), - "castAlbum": MessageLookupByLibrary.simpleMessage("Phát album"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "Hãy chắc rằng bạn đang dùng chung mạng với TV.", - ), - "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage( - "Không thể phát album", - ), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "Truy cập cast.ente.io trên thiết bị bạn muốn kết nối.\n\nNhập mã dưới đây để phát album trên TV của bạn.", - ), - "centerPoint": MessageLookupByLibrary.simpleMessage("Tâm điểm"), - "change": MessageLookupByLibrary.simpleMessage("Thay đổi"), - "changeEmail": MessageLookupByLibrary.simpleMessage("Đổi email"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "Thay đổi vị trí của các mục đã chọn?", - ), - "changePassword": MessageLookupByLibrary.simpleMessage("Đổi mật khẩu"), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Thay đổi mật khẩu", - ), - "changePermissions": MessageLookupByLibrary.simpleMessage( - "Thay đổi quyền?", - ), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( - "Thay đổi mã giới thiệu của bạn", - ), - "checkForUpdates": MessageLookupByLibrary.simpleMessage( - "Kiểm tra cập nhật", - ), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "Vui lòng kiểm tra hộp thư đến (và thư rác) để hoàn tất xác minh", - ), - "checkStatus": MessageLookupByLibrary.simpleMessage("Kiểm tra trạng thái"), - "checking": MessageLookupByLibrary.simpleMessage("Đang kiểm tra..."), - "checkingModels": MessageLookupByLibrary.simpleMessage( - "Đang kiểm tra mô hình...", - ), - "city": MessageLookupByLibrary.simpleMessage("Trong thành phố"), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage( - "Nhận thêm dung lượng miễn phí", - ), - "claimMore": MessageLookupByLibrary.simpleMessage("Nhận thêm!"), - "claimed": MessageLookupByLibrary.simpleMessage("Đã nhận"), - "claimedStorageSoFar": m14, - "cleanUncategorized": MessageLookupByLibrary.simpleMessage( - "Dọn dẹp chưa phân loại", - ), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "Xóa khỏi mục Chưa phân loại với tất cả tệp đang xuất hiện trong các album khác", - ), - "clearCaches": MessageLookupByLibrary.simpleMessage("Xóa bộ nhớ cache"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("Xóa chỉ mục"), - "click": MessageLookupByLibrary.simpleMessage("• Nhấn"), - "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( - "• Nhấn vào menu xổ xuống", - ), - "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( - "Nhấn để cài đặt phiên bản tốt nhất", - ), - "close": MessageLookupByLibrary.simpleMessage("Đóng"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( - "Xếp theo thời gian chụp", - ), - "clubByFileName": MessageLookupByLibrary.simpleMessage("Xếp theo tên tệp"), - "clusteringProgress": MessageLookupByLibrary.simpleMessage( - "Tiến trình phân cụm", - ), - "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage( - "Mã đã được áp dụng", - ), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "Rất tiếc, bạn đã đạt hạn mức thay đổi mã.", - ), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Mã đã được sao chép vào bộ nhớ tạm", - ), - "codeUsedByYou": MessageLookupByLibrary.simpleMessage("Mã bạn đã dùng"), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Tạo một liên kết cho phép mọi người thêm và xem ảnh trong album chia sẻ của bạn mà không cần ứng dụng hoặc tài khoản Ente. Phù hợp để thu thập ảnh sự kiện.", - ), - "collaborativeLink": MessageLookupByLibrary.simpleMessage( - "Liên kết cộng tác", - ), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("Cộng tác viên"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage( - "Cộng tác viên có thể thêm ảnh và video vào album chia sẻ.", - ), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("Bố cục"), - "collageSaved": MessageLookupByLibrary.simpleMessage( - "Ảnh ghép đã được lưu vào thư viện", - ), - "collect": MessageLookupByLibrary.simpleMessage("Thu thập"), - "collectEventPhotos": MessageLookupByLibrary.simpleMessage( - "Thu thập ảnh sự kiện", - ), - "collectPhotos": MessageLookupByLibrary.simpleMessage("Thu thập ảnh"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "Tạo một liên kết nơi bạn bè của bạn có thể tải lên ảnh với chất lượng gốc.", - ), - "color": MessageLookupByLibrary.simpleMessage("Màu sắc"), - "configuration": MessageLookupByLibrary.simpleMessage("Cấu hình"), - "confirm": MessageLookupByLibrary.simpleMessage("Xác nhận"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage( - "Bạn có chắc muốn tắt xác thực 2 bước không?", - ), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage( - "Xác nhận xóa tài khoản", - ), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "Có, tôi muốn xóa vĩnh viễn tài khoản này và tất cả dữ liệu của nó.", - ), - "confirmPassword": MessageLookupByLibrary.simpleMessage( - "Xác nhận mật khẩu", - ), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage( - "Xác nhận thay đổi gói", - ), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Xác nhận mã khôi phục", - ), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Xác nhận mã khôi phục của bạn", - ), - "connectToDevice": MessageLookupByLibrary.simpleMessage( - "Kết nối với thiết bị", - ), - "contactFamilyAdmin": m18, - "contactSupport": MessageLookupByLibrary.simpleMessage("Liên hệ hỗ trợ"), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("Danh bạ"), - "contents": MessageLookupByLibrary.simpleMessage("Nội dung"), - "continueLabel": MessageLookupByLibrary.simpleMessage("Tiếp tục"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage( - "Tiếp tục dùng thử miễn phí", - ), - "convertToAlbum": MessageLookupByLibrary.simpleMessage( - "Chuyển đổi thành album", - ), - "copyEmailAddress": MessageLookupByLibrary.simpleMessage( - "Sao chép địa chỉ email", - ), - "copyLink": MessageLookupByLibrary.simpleMessage("Sao chép liên kết"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Chép & dán mã này\nvào ứng dụng xác thực của bạn", - ), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "Chúng tôi không thể sao lưu dữ liệu của bạn.\nChúng tôi sẽ thử lại sau.", - ), - "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( - "Không thể giải phóng dung lượng", - ), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "Không thể cập nhật gói", - ), - "count": MessageLookupByLibrary.simpleMessage("Số lượng"), - "crashReporting": MessageLookupByLibrary.simpleMessage("Báo cáo sự cố"), - "create": MessageLookupByLibrary.simpleMessage("Tạo"), - "createAccount": MessageLookupByLibrary.simpleMessage("Tạo tài khoản"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "Nhấn giữ để chọn ảnh và nhấn + để tạo album", - ), - "createCollaborativeLink": MessageLookupByLibrary.simpleMessage( - "Tạo liên kết cộng tác", - ), - "createCollage": MessageLookupByLibrary.simpleMessage("Tạo ảnh ghép"), - "createNewAccount": MessageLookupByLibrary.simpleMessage( - "Tạo tài khoản mới", - ), - "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage( - "Tạo hoặc chọn album", - ), - "createPublicLink": MessageLookupByLibrary.simpleMessage( - "Tạo liên kết công khai", - ), - "creatingLink": MessageLookupByLibrary.simpleMessage( - "Đang tạo liên kết...", - ), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( - "Cập nhật quan trọng có sẵn", - ), - "crop": MessageLookupByLibrary.simpleMessage("Cắt xén"), - "curatedMemories": MessageLookupByLibrary.simpleMessage("Kỷ niệm đáng nhớ"), - "currentUsageIs": MessageLookupByLibrary.simpleMessage( - "Dung lượng hiện tại ", - ), - "currentlyRunning": MessageLookupByLibrary.simpleMessage("đang chạy"), - "custom": MessageLookupByLibrary.simpleMessage("Tùy chỉnh"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("Tối"), - "dayToday": MessageLookupByLibrary.simpleMessage("Hôm nay"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("Hôm qua"), - "declineTrustInvite": MessageLookupByLibrary.simpleMessage( - "Từ chối lời mời", - ), - "decrypting": MessageLookupByLibrary.simpleMessage("Đang giải mã..."), - "decryptingVideo": MessageLookupByLibrary.simpleMessage( - "Đang giải mã video...", - ), - "deduplicateFiles": MessageLookupByLibrary.simpleMessage("Xóa trùng lặp"), - "delete": MessageLookupByLibrary.simpleMessage("Xóa"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("Xóa tài khoản"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "Chúng tôi rất tiếc khi thấy bạn rời đi. Vui lòng chia sẻ phản hồi của bạn để giúp chúng tôi cải thiện.", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "Xóa tài khoản vĩnh viễn", - ), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("Xóa album"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Xóa luôn ảnh (và video) trong album này khỏi toàn bộ album khác cũng đang chứa chúng?", - ), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "Tất cả album trống sẽ bị xóa. Sẽ hữu ích khi bạn muốn giảm bớt sự lộn xộn trong danh sách album của mình.", - ), - "deleteAll": MessageLookupByLibrary.simpleMessage("Xóa tất cả"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "Tài khoản này được liên kết với các ứng dụng Ente khác, nếu bạn có dùng. Dữ liệu bạn đã tải lên, trên tất cả ứng dụng Ente, sẽ được lên lịch để xóa, và tài khoản của bạn sẽ bị xóa vĩnh viễn.", - ), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "Vui lòng gửi email đến account-deletion@ente.io từ địa chỉ email đã đăng ký của bạn.", - ), - "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage( - "Xóa album trống", - ), - "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( - "Xóa album trống?", - ), - "deleteFromBoth": MessageLookupByLibrary.simpleMessage("Xóa khỏi cả hai"), - "deleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Xóa khỏi thiết bị", - ), - "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Xóa khỏi Ente"), - "deleteItemCount": m21, - "deleteLocation": MessageLookupByLibrary.simpleMessage("Xóa vị trí"), - "deleteMultipleAlbumDialog": m22, - "deletePhotos": MessageLookupByLibrary.simpleMessage("Xóa ảnh"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage( - "Nó thiếu một tính năng quan trọng mà tôi cần", - ), - "deleteReason2": MessageLookupByLibrary.simpleMessage( - "Ứng dụng hoặc một tính năng nhất định không hoạt động như tôi muốn", - ), - "deleteReason3": MessageLookupByLibrary.simpleMessage( - "Tôi tìm thấy một dịch vụ khác mà tôi thích hơn", - ), - "deleteReason4": MessageLookupByLibrary.simpleMessage( - "Lý do không có trong danh sách", - ), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "Yêu cầu của bạn sẽ được xử lý trong vòng 72 giờ.", - ), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Xóa album chia sẻ?", - ), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "Album sẽ bị xóa với tất cả mọi người\n\nBạn sẽ mất quyền truy cập vào các ảnh chia sẻ trong album này mà thuộc sở hữu của người khác", - ), - "deselectAll": MessageLookupByLibrary.simpleMessage("Bỏ chọn tất cả"), - "designedToOutlive": MessageLookupByLibrary.simpleMessage( - "Được thiết kế để trường tồn", - ), - "details": MessageLookupByLibrary.simpleMessage("Chi tiết"), - "developerSettings": MessageLookupByLibrary.simpleMessage( - "Cài đặt Nhà phát triển", - ), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "Bạn có chắc muốn thay đổi cài đặt Nhà phát triển không?", - ), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Nhập mã"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "Các tệp được thêm vào album thiết bị này sẽ tự động được tải lên Ente.", - ), - "deviceLock": MessageLookupByLibrary.simpleMessage("Khóa thiết bị"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Vô hiệu hóa khóa màn hình thiết bị khi Ente đang ở chế độ nền và có một bản sao lưu đang diễn ra. Điều này thường không cần thiết, nhưng có thể giúp tải lên các tệp lớn và tệp nhập của các thư viện lớn xong nhanh hơn.", - ), - "deviceNotFound": MessageLookupByLibrary.simpleMessage( - "Không tìm thấy thiết bị", - ), - "didYouKnow": MessageLookupByLibrary.simpleMessage("Bạn có biết?"), - "different": MessageLookupByLibrary.simpleMessage("Khác"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage( - "Vô hiệu hóa khóa tự động", - ), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Người xem vẫn có thể chụp màn hình hoặc sao chép ảnh của bạn bằng các công cụ bên ngoài", - ), - "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage( - "Xin lưu ý", - ), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage( - "Tắt xác thực 2 bước", - ), - "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( - "Đang vô hiệu hóa xác thực 2 bước...", - ), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("Khám phá"), - "discover_babies": MessageLookupByLibrary.simpleMessage("Em bé"), - "discover_celebrations": MessageLookupByLibrary.simpleMessage("Lễ kỷ niệm"), - "discover_food": MessageLookupByLibrary.simpleMessage("Thức ăn"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("Cây cối"), - "discover_hills": MessageLookupByLibrary.simpleMessage("Đồi"), - "discover_identity": MessageLookupByLibrary.simpleMessage("Nhận dạng"), - "discover_memes": MessageLookupByLibrary.simpleMessage("Meme"), - "discover_notes": MessageLookupByLibrary.simpleMessage("Ghi chú"), - "discover_pets": MessageLookupByLibrary.simpleMessage("Thú cưng"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("Biên lai"), - "discover_screenshots": MessageLookupByLibrary.simpleMessage( - "Ảnh chụp màn hình", - ), - "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfie"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("Hoàng hôn"), - "discover_visiting_cards": MessageLookupByLibrary.simpleMessage( - "Danh thiếp", - ), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Hình nền"), - "dismiss": MessageLookupByLibrary.simpleMessage("Bỏ qua"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage("Không đăng xuất"), - "doThisLater": MessageLookupByLibrary.simpleMessage("Để sau"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage( - "Bạn có muốn bỏ qua các chỉnh sửa đã thực hiện không?", - ), - "done": MessageLookupByLibrary.simpleMessage("Xong"), - "dontSave": MessageLookupByLibrary.simpleMessage("Không lưu"), - "doubleYourStorage": MessageLookupByLibrary.simpleMessage( - "Gấp đôi dung lượng lưu trữ của bạn", - ), - "download": MessageLookupByLibrary.simpleMessage("Tải xuống"), - "downloadFailed": MessageLookupByLibrary.simpleMessage( - "Tải xuống thất bại", - ), - "downloading": MessageLookupByLibrary.simpleMessage("Đang tải xuống..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("Chỉnh sửa"), - "editEmailAlreadyLinked": m28, - "editLocation": MessageLookupByLibrary.simpleMessage("Chỉnh sửa vị trí"), - "editLocationTagTitle": MessageLookupByLibrary.simpleMessage( - "Chỉnh sửa vị trí", - ), - "editPerson": MessageLookupByLibrary.simpleMessage("Chỉnh sửa người"), - "editTime": MessageLookupByLibrary.simpleMessage("Chỉnh sửa thời gian"), - "editsSaved": MessageLookupByLibrary.simpleMessage("Chỉnh sửa đã được lưu"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage( - "Các chỉnh sửa vị trí sẽ chỉ thấy được trong Ente", - ), - "eligible": MessageLookupByLibrary.simpleMessage("đủ điều kiện"), - "email": MessageLookupByLibrary.simpleMessage("Email"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "Email đã được đăng ký.", - ), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "Email chưa được đăng ký.", - ), - "emailVerificationToggle": MessageLookupByLibrary.simpleMessage( - "Xác minh email", - ), - "emailYourLogs": MessageLookupByLibrary.simpleMessage( - "Gửi nhật ký qua email", - ), - "embracingThem": m32, - "emergencyContacts": MessageLookupByLibrary.simpleMessage( - "Liên hệ khẩn cấp", - ), - "empty": MessageLookupByLibrary.simpleMessage("Xóa sạch"), - "emptyTrash": MessageLookupByLibrary.simpleMessage("Xóa sạch thùng rác?"), - "enable": MessageLookupByLibrary.simpleMessage("Bật"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "Ente hỗ trợ học máy trên-thiết-bị nhằm nhận diện khuôn mặt, tìm kiếm vi diệu và các tính năng tìm kiếm nâng cao khác", - ), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "Bật học máy để tìm kiếm vi diệu và nhận diện khuôn mặt", - ), - "enableMaps": MessageLookupByLibrary.simpleMessage("Kích hoạt Bản đồ"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "Ảnh của bạn sẽ hiển thị trên bản đồ thế giới.\n\nBản đồ được lưu trữ bởi OpenStreetMap và vị trí chính xác ảnh của bạn không bao giờ được chia sẻ.\n\nBạn có thể tắt tính năng này bất cứ lúc nào từ Cài đặt.", - ), - "enabled": MessageLookupByLibrary.simpleMessage("Bật"), - "encryptingBackup": MessageLookupByLibrary.simpleMessage( - "Đang mã hóa sao lưu...", - ), - "encryption": MessageLookupByLibrary.simpleMessage("Mã hóa"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage("Khóa mã hóa"), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( - "Điểm cuối đã được cập nhật thành công", - ), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "Mã hóa đầu cuối theo mặc định", - ), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage( - "Ente chỉ có thể mã hóa và lưu giữ tệp nếu bạn cấp quyền truy cập chúng", - ), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente cần quyền để lưu giữ ảnh của bạn", - ), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "Ente lưu giữ kỷ niệm của bạn, vì vậy chúng luôn có sẵn, ngay cả khi bạn mất thiết bị.", - ), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "Bạn có thể thêm gia đình vào gói của mình.", - ), - "enterAlbumName": MessageLookupByLibrary.simpleMessage("Nhập tên album"), - "enterCode": MessageLookupByLibrary.simpleMessage("Nhập mã"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "Nhập mã do bạn bè cung cấp để nhận thêm dung lượng miễn phí cho cả hai", - ), - "enterDateOfBirth": MessageLookupByLibrary.simpleMessage( - "Sinh nhật (tùy chọn)", - ), - "enterEmail": MessageLookupByLibrary.simpleMessage("Nhập email"), - "enterFileName": MessageLookupByLibrary.simpleMessage("Nhập tên tệp"), - "enterName": MessageLookupByLibrary.simpleMessage("Nhập tên"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Vui lòng nhập một mật khẩu mới để mã hóa dữ liệu của bạn", - ), - "enterPassword": MessageLookupByLibrary.simpleMessage("Nhập mật khẩu"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "Vui lòng nhập một mật khẩu dùng để mã hóa dữ liệu của bạn", - ), - "enterPersonName": MessageLookupByLibrary.simpleMessage("Nhập tên người"), - "enterPin": MessageLookupByLibrary.simpleMessage("Nhập PIN"), - "enterReferralCode": MessageLookupByLibrary.simpleMessage( - "Nhập mã giới thiệu", - ), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Nhập mã 6 chữ số từ\nứng dụng xác thực của bạn", - ), - "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Vui lòng nhập một địa chỉ email hợp lệ.", - ), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "Nhập địa chỉ email của bạn", - ), - "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( - "Nhập địa chỉ email mới của bạn", - ), - "enterYourPassword": MessageLookupByLibrary.simpleMessage( - "Nhập mật khẩu của bạn", - ), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Nhập mã khôi phục của bạn", - ), - "error": MessageLookupByLibrary.simpleMessage("Lỗi"), - "everywhere": MessageLookupByLibrary.simpleMessage("mọi nơi"), - "exif": MessageLookupByLibrary.simpleMessage("Exif"), - "existingUser": MessageLookupByLibrary.simpleMessage("Người dùng hiện tại"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "Liên kết này đã hết hạn. Vui lòng chọn thời gian hết hạn mới hoặc tắt tính năng hết hạn liên kết.", - ), - "exportLogs": MessageLookupByLibrary.simpleMessage("Xuất nhật ký"), - "exportYourData": MessageLookupByLibrary.simpleMessage( - "Xuất dữ liệu của bạn", - ), - "extraPhotosFound": MessageLookupByLibrary.simpleMessage( - "Tìm thấy ảnh bổ sung", - ), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( - "Khuôn mặt chưa được phân cụm, vui lòng quay lại sau", - ), - "faceRecognition": MessageLookupByLibrary.simpleMessage( - "Nhận diện khuôn mặt", - ), - "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( - "Không thể tạo ảnh thu nhỏ khuôn mặt", - ), - "faces": MessageLookupByLibrary.simpleMessage("Khuôn mặt"), - "failed": MessageLookupByLibrary.simpleMessage("Không thành công"), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage( - "Không thể áp dụng mã", - ), - "failedToCancel": MessageLookupByLibrary.simpleMessage( - "Hủy không thành công", - ), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage( - "Không thể tải video", - ), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "Không thể lấy phiên hoạt động", - ), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "Không thể lấy bản gốc để chỉnh sửa", - ), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "Không thể lấy thông tin giới thiệu. Vui lòng thử lại sau.", - ), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage( - "Không thể tải album", - ), - "failedToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Không thể phát video", - ), - "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( - "Không thể làm mới gói", - ), - "failedToRenew": MessageLookupByLibrary.simpleMessage( - "Gia hạn không thành công", - ), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "Không thể xác minh trạng thái thanh toán", - ), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "Thêm 5 thành viên gia đình vào gói hiện tại của bạn mà không phải trả thêm phí.\n\nMỗi thành viên có không gian riêng tư của mình và không thể xem tệp của nhau trừ khi được chia sẻ.\n\nGói gia đình có sẵn cho người dùng Ente gói trả phí.\n\nĐăng ký ngay để bắt đầu!", - ), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("Gia đình"), - "familyPlans": MessageLookupByLibrary.simpleMessage("Gói gia đình"), - "faq": MessageLookupByLibrary.simpleMessage("Câu hỏi thường gặp"), - "faqs": MessageLookupByLibrary.simpleMessage("Câu hỏi thường gặp"), - "favorite": MessageLookupByLibrary.simpleMessage("Thích"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("Phản hồi"), - "file": MessageLookupByLibrary.simpleMessage("Tệp"), - "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage( - "Không thể xác định tệp", - ), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "Không thể lưu tệp vào thư viện", - ), - "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage( - "Thêm mô tả...", - ), - "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage( - "Tệp chưa được tải lên", - ), - "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Tệp đã được lưu vào thư viện", - ), - "fileTypes": MessageLookupByLibrary.simpleMessage("Loại tệp"), - "fileTypesAndNames": MessageLookupByLibrary.simpleMessage( - "Loại tệp và tên", - ), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage("Tệp đã bị xóa"), - "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( - "Các tệp đã được lưu vào thư viện", - ), - "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Tìm nhanh người theo tên", - ), - "findThemQuickly": MessageLookupByLibrary.simpleMessage( - "Tìm họ nhanh chóng", - ), - "flip": MessageLookupByLibrary.simpleMessage("Lật"), - "food": MessageLookupByLibrary.simpleMessage("Ăn chơi"), - "forYourMemories": MessageLookupByLibrary.simpleMessage( - "cho những kỷ niệm của bạn", - ), - "forgotPassword": MessageLookupByLibrary.simpleMessage("Quên mật khẩu"), - "foundFaces": MessageLookupByLibrary.simpleMessage("Đã tìm thấy khuôn mặt"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage( - "Dung lượng miễn phí đã nhận", - ), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage( - "Dung lượng miễn phí có thể dùng", - ), - "freeTrial": MessageLookupByLibrary.simpleMessage("Dùng thử miễn phí"), - "freeTrialValidTill": m38, - "freeUpAccessPostDelete": m39, - "freeUpAmount": m40, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( - "Giải phóng dung lượng thiết bị", - ), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "Tiết kiệm dung lượng thiết bị của bạn bằng cách xóa các tệp đã được sao lưu.", - ), - "freeUpSpace": MessageLookupByLibrary.simpleMessage( - "Giải phóng dung lượng", - ), - "freeUpSpaceSaving": m41, - "gallery": MessageLookupByLibrary.simpleMessage("Thư viện"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "Mỗi thư viện chứa tối đa 1000 ảnh và video", - ), - "general": MessageLookupByLibrary.simpleMessage("Chung"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "Đang mã hóa...", - ), - "genericProgress": m42, - "goToSettings": MessageLookupByLibrary.simpleMessage("Đi đến cài đặt"), - "googlePlayId": MessageLookupByLibrary.simpleMessage("ID Google Play"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "Vui lòng cho phép truy cập vào tất cả ảnh trong ứng dụng Cài đặt", - ), - "grantPermission": MessageLookupByLibrary.simpleMessage("Cấp quyền"), - "greenery": MessageLookupByLibrary.simpleMessage("Cây cối"), - "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage( - "Nhóm ảnh gần nhau", - ), - "guestView": MessageLookupByLibrary.simpleMessage("Chế độ khách"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "Để bật chế độ khách, vui lòng thiết lập mã khóa thiết bị hoặc khóa màn hình trong cài đặt hệ thống của bạn.", - ), - "happyBirthday": MessageLookupByLibrary.simpleMessage( - "Chúc mừng sinh nhật! 🥳", - ), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "Chúng tôi không theo dõi cài đặt ứng dụng, nên nếu bạn bật mí bạn tìm thấy chúng tôi từ đâu sẽ rất hữu ích!", - ), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "Bạn biết Ente từ đâu? (tùy chọn)", - ), - "help": MessageLookupByLibrary.simpleMessage("Trợ giúp"), - "hidden": MessageLookupByLibrary.simpleMessage("Ẩn"), - "hide": MessageLookupByLibrary.simpleMessage("Ẩn"), - "hideContent": MessageLookupByLibrary.simpleMessage("Ẩn nội dung"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "Ẩn nội dung ứng dụng trong trình chuyển đổi ứng dụng và vô hiệu hóa chụp màn hình", - ), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "Ẩn nội dung ứng dụng trong trình chuyển đổi ứng dụng", - ), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "Ẩn các mục được chia sẻ khỏi thư viện chính", - ), - "hiding": MessageLookupByLibrary.simpleMessage("Đang ẩn..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage( - "Được lưu trữ tại OSM Pháp", - ), - "howItWorks": MessageLookupByLibrary.simpleMessage("Cách thức hoạt động"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "Hãy chỉ họ nhấn giữ địa chỉ email của họ trên màn hình cài đặt, và xác minh rằng ID trên cả hai thiết bị khớp nhau.", - ), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "Xác thực sinh trắc học chưa được thiết lập trên thiết bị của bạn. Vui lòng kích hoạt Touch ID hoặc Face ID.", - ), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "Xác thực sinh trắc học đã bị vô hiệu hóa. Vui lòng khóa và mở khóa màn hình của bạn để kích hoạt lại.", - ), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), - "ignore": MessageLookupByLibrary.simpleMessage("Bỏ qua"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Bỏ qua"), - "ignored": MessageLookupByLibrary.simpleMessage("bỏ qua"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "Một số tệp trong album này bị bỏ qua khi tải lên vì chúng đã bị xóa trước đó từ Ente.", - ), - "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( - "Hình ảnh chưa được phân tích", - ), - "immediately": MessageLookupByLibrary.simpleMessage("Lập tức"), - "importing": MessageLookupByLibrary.simpleMessage("Đang nhập...."), - "incorrectCode": MessageLookupByLibrary.simpleMessage("Mã không chính xác"), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Mật khẩu không đúng", - ), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Mã khôi phục không chính xác", - ), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "Mã khôi phục bạn nhập không chính xác", - ), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "Mã khôi phục không chính xác", - ), - "indexedItems": MessageLookupByLibrary.simpleMessage( - "Các mục đã lập chỉ mục", - ), - "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( - "Lập chỉ mục bị tạm dừng. Nó sẽ tự động tiếp tục khi thiết bị đã sẵn sàng. Thiết bị được coi là sẵn sàng khi mức pin, tình trạng pin và trạng thái nhiệt độ nằm trong phạm vi tốt.", - ), - "ineligible": MessageLookupByLibrary.simpleMessage("Không đủ điều kiện"), - "info": MessageLookupByLibrary.simpleMessage("Thông tin"), - "insecureDevice": MessageLookupByLibrary.simpleMessage( - "Thiết bị không an toàn", - ), - "installManually": MessageLookupByLibrary.simpleMessage("Cài đặt thủ công"), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage( - "Địa chỉ email không hợp lệ", - ), - "invalidEndpoint": MessageLookupByLibrary.simpleMessage( - "Điểm cuối không hợp lệ", - ), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "Xin lỗi, điểm cuối bạn nhập không hợp lệ. Vui lòng nhập một điểm cuối hợp lệ và thử lại.", - ), - "invalidKey": MessageLookupByLibrary.simpleMessage("Mã không hợp lệ"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Mã khôi phục không hợp lệ. Vui lòng đảm bảo nó chứa 24 từ, và đúng chính tả từng từ.\n\nNếu bạn nhập loại mã khôi phục cũ, hãy đảm bảo nó dài 64 ký tự, và kiểm tra từng ký tự.", - ), - "invite": MessageLookupByLibrary.simpleMessage("Mời"), - "inviteToEnte": MessageLookupByLibrary.simpleMessage("Mời sử dụng Ente"), - "inviteYourFriends": MessageLookupByLibrary.simpleMessage( - "Mời bạn bè của bạn", - ), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "Mời bạn bè dùng Ente", - ), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "Có vẻ đã xảy ra sự cố. Vui lòng thử lại sau ít phút. Nếu lỗi vẫn tiếp diễn, hãy liên hệ với đội ngũ hỗ trợ của chúng tôi.", - ), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage( - "Trên các mục là số ngày còn lại trước khi xóa vĩnh viễn", - ), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "Các mục đã chọn sẽ bị xóa khỏi album này", - ), - "join": MessageLookupByLibrary.simpleMessage("Tham gia"), - "joinAlbum": MessageLookupByLibrary.simpleMessage("Tham gia album"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "Tham gia một album sẽ khiến email của bạn hiển thị với những người tham gia khác.", - ), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( - "để xem và thêm ảnh của bạn", - ), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "để thêm vào album được chia sẻ", - ), - "joinDiscord": MessageLookupByLibrary.simpleMessage("Tham gia Discord"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("Giữ ảnh"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "Mong bạn giúp chúng tôi thông tin này", - ), - "language": MessageLookupByLibrary.simpleMessage("Ngôn ngữ"), - "lastTimeWithThem": m45, - "lastUpdated": MessageLookupByLibrary.simpleMessage("Mới cập nhật"), - "lastYearsTrip": MessageLookupByLibrary.simpleMessage("Phượt năm ngoái"), - "leave": MessageLookupByLibrary.simpleMessage("Rời"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("Rời khỏi album"), - "leaveFamily": MessageLookupByLibrary.simpleMessage("Rời khỏi gia đình"), - "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage( - "Rời album được chia sẻ?", - ), - "left": MessageLookupByLibrary.simpleMessage("Trái"), - "legacy": MessageLookupByLibrary.simpleMessage("Thừa kế"), - "legacyAccounts": MessageLookupByLibrary.simpleMessage("Tài khoản thừa kế"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "Thừa kế cho phép các liên hệ tin cậy truy cập tài khoản của bạn khi bạn qua đời.", - ), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "Các liên hệ tin cậy có thể khởi động quá trình khôi phục tài khoản, và nếu không bị chặn trong vòng 30 ngày, có thể đặt lại mật khẩu và truy cập tài khoản của bạn.", - ), - "light": MessageLookupByLibrary.simpleMessage("Độ sáng"), - "lightTheme": MessageLookupByLibrary.simpleMessage("Sáng"), - "link": MessageLookupByLibrary.simpleMessage("Liên kết"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Liên kết đã được sao chép vào bộ nhớ tạm", - ), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage( - "Giới hạn thiết bị", - ), - "linkEmail": MessageLookupByLibrary.simpleMessage("Liên kết email"), - "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( - "để chia sẻ nhanh hơn", - ), - "linkEnabled": MessageLookupByLibrary.simpleMessage("Đã bật"), - "linkExpired": MessageLookupByLibrary.simpleMessage("Hết hạn"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("Hết hạn liên kết"), - "linkHasExpired": MessageLookupByLibrary.simpleMessage( - "Liên kết đã hết hạn", - ), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Không bao giờ"), - "linkPerson": MessageLookupByLibrary.simpleMessage("Liên kết người"), - "linkPersonCaption": MessageLookupByLibrary.simpleMessage( - "để trải nghiệm chia sẻ tốt hơn", - ), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("Ảnh động"), - "loadMessage1": MessageLookupByLibrary.simpleMessage( - "Bạn có thể chia sẻ gói của mình với gia đình", - ), - "loadMessage2": MessageLookupByLibrary.simpleMessage( - "Chúng tôi đã lưu giữ hơn 200 triệu kỷ niệm cho đến hiện tại", - ), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "Chúng tôi giữ 3 bản sao dữ liệu của bạn, một cái lưu ở hầm trú ẩn hạt nhân", - ), - "loadMessage4": MessageLookupByLibrary.simpleMessage( - "Tất cả các ứng dụng của chúng tôi đều là mã nguồn mở", - ), - "loadMessage5": MessageLookupByLibrary.simpleMessage( - "Mã nguồn và mã hóa của chúng tôi đã được kiểm nghiệm ngoại bộ", - ), - "loadMessage6": MessageLookupByLibrary.simpleMessage( - "Bạn có thể chia sẻ liên kết đến album của mình với những người thân yêu", - ), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "Các ứng dụng di động của chúng tôi chạy ngầm để mã hóa và sao lưu bất kỳ ảnh nào bạn mới chụp", - ), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io có một trình tải lên mượt mà", - ), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "Chúng tôi sử dụng Xchacha20Poly1305 để mã hóa dữ liệu của bạn", - ), - "loadingExifData": MessageLookupByLibrary.simpleMessage( - "Đang tải thông số Exif...", - ), - "loadingGallery": MessageLookupByLibrary.simpleMessage( - "Đang tải thư viện...", - ), - "loadingMessage": MessageLookupByLibrary.simpleMessage( - "Đang tải ảnh của bạn...", - ), - "loadingModel": MessageLookupByLibrary.simpleMessage("Đang tải mô hình..."), - "loadingYourPhotos": MessageLookupByLibrary.simpleMessage( - "Đang tải ảnh của bạn...", - ), - "localGallery": MessageLookupByLibrary.simpleMessage("Thư viện cục bộ"), - "localIndexing": MessageLookupByLibrary.simpleMessage("Chỉ mục cục bộ"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Có vẻ như có điều gì đó không ổn vì đồng bộ ảnh cục bộ đang tốn nhiều thời gian hơn mong đợi. Vui lòng liên hệ đội ngũ hỗ trợ của chúng tôi", - ), - "location": MessageLookupByLibrary.simpleMessage("Vị trí"), - "locationName": MessageLookupByLibrary.simpleMessage("Tên vị trí"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Thẻ vị trí sẽ giúp xếp nhóm tất cả ảnh được chụp gần kề nhau", - ), - "locations": MessageLookupByLibrary.simpleMessage("Vị trí"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Khóa"), - "lockscreen": MessageLookupByLibrary.simpleMessage("Khóa màn hình"), - "logInLabel": MessageLookupByLibrary.simpleMessage("Đăng nhập"), - "loggingOut": MessageLookupByLibrary.simpleMessage("Đang đăng xuất..."), - "loginSessionExpired": MessageLookupByLibrary.simpleMessage( - "Phiên đăng nhập đã hết hạn", - ), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "Phiên đăng nhập của bạn đã hết hạn. Vui lòng đăng nhập lại.", - ), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "Nhấn vào đăng nhập, tôi đồng ý với điều khoảnchính sách bảo mật", - ), - "loginWithTOTP": MessageLookupByLibrary.simpleMessage( - "Đăng nhập bằng TOTP", - ), - "logout": MessageLookupByLibrary.simpleMessage("Đăng xuất"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Gửi file nhật ký để chúng tôi có thể phân tích lỗi mà bạn gặp. Lưu ý rằng, trong nhật ký lỗi sẽ bao gồm tên các tệp để giúp theo dõi vấn đề với từng tệp cụ thể.", - ), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage( - "Nhấn giữ một email để xác minh mã hóa đầu cuối.", - ), - "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( - "Nhấn giữ một mục để xem toàn màn hình", - ), - "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( - "Xem lại kỷ niệm của bạn 🌄", - ), - "loopVideoOff": MessageLookupByLibrary.simpleMessage( - "Dừng phát video lặp lại", - ), - "loopVideoOn": MessageLookupByLibrary.simpleMessage("Phát video lặp lại"), - "lostDevice": MessageLookupByLibrary.simpleMessage("Mất thiết bị?"), - "machineLearning": MessageLookupByLibrary.simpleMessage("Học máy"), - "magicSearch": MessageLookupByLibrary.simpleMessage("Tìm kiếm vi diệu"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "Tìm kiếm vi diệu cho phép tìm ảnh theo nội dung của chúng, ví dụ: \'xe hơi\', \'xe hơi đỏ\', \'Ferrari\'", - ), - "manage": MessageLookupByLibrary.simpleMessage("Quản lý"), - "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( - "Quản lý bộ nhớ đệm của thiết bị", - ), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "Xem và xóa bộ nhớ đệm trên thiết bị.", - ), - "manageFamily": MessageLookupByLibrary.simpleMessage("Quản lý gia đình"), - "manageLink": MessageLookupByLibrary.simpleMessage("Quản lý liên kết"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("Quản lý"), - "manageSubscription": MessageLookupByLibrary.simpleMessage("Quản lý gói"), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "Kết nối bằng PIN hoạt động với bất kỳ màn hình nào bạn muốn.", - ), - "map": MessageLookupByLibrary.simpleMessage("Bản đồ"), - "maps": MessageLookupByLibrary.simpleMessage("Bản đồ"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("Tôi"), - "memories": MessageLookupByLibrary.simpleMessage("Kỷ niệm"), - "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Chọn những loại kỷ niệm bạn muốn thấy trên màn hình chính của mình.", - ), - "memoryCount": m50, - "merchandise": MessageLookupByLibrary.simpleMessage("Vật phẩm"), - "merge": MessageLookupByLibrary.simpleMessage("Hợp nhất"), - "mergeWithExisting": MessageLookupByLibrary.simpleMessage( - "Hợp nhất với người đã có", - ), - "mergedPhotos": MessageLookupByLibrary.simpleMessage("Hợp nhất ảnh"), - "mlConsent": MessageLookupByLibrary.simpleMessage("Bật học máy"), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "Tôi hiểu và muốn bật học máy", - ), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "Nếu bạn bật học máy, Ente sẽ trích xuất thông tin như hình dạng khuôn mặt từ các tệp, gồm cả những tệp mà bạn được chia sẻ.\n\nViệc này sẽ diễn ra trên thiết bị của bạn, với mọi thông tin sinh trắc học tạo ra đều được mã hóa đầu cuối.", - ), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "Vui lòng nhấn vào đây để biết thêm chi tiết về tính năng này trong chính sách quyền riêng tư của chúng tôi", - ), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage("Bật học máy?"), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "Lưu ý rằng việc học máy sẽ khiến tốn băng thông và pin nhiều hơn cho đến khi tất cả mục được lập chỉ mục. Hãy sử dụng ứng dụng máy tính để lập chỉ mục nhanh hơn. Mọi kết quả sẽ được tự động đồng bộ.", - ), - "mobileWebDesktop": MessageLookupByLibrary.simpleMessage( - "Di động, Web, Desktop", - ), - "moderateStrength": MessageLookupByLibrary.simpleMessage("Trung bình"), - "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( - "Chỉnh sửa truy vấn của bạn, hoặc thử tìm", - ), - "moments": MessageLookupByLibrary.simpleMessage("Khoảnh khắc"), - "month": MessageLookupByLibrary.simpleMessage("tháng"), - "monthly": MessageLookupByLibrary.simpleMessage("Theo tháng"), - "moon": MessageLookupByLibrary.simpleMessage("Ánh trăng"), - "moreDetails": MessageLookupByLibrary.simpleMessage("Thêm chi tiết"), - "mostRecent": MessageLookupByLibrary.simpleMessage("Mới nhất"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("Liên quan nhất"), - "mountains": MessageLookupByLibrary.simpleMessage("Đồi núi"), - "moveItem": m51, - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "Di chuyển ảnh đã chọn đến một ngày", - ), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("Chuyển đến album"), - "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage( - "Di chuyển đến album ẩn", - ), - "movedSuccessfullyTo": m52, - "movedToTrash": MessageLookupByLibrary.simpleMessage( - "Đã cho vào thùng rác", - ), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Đang di chuyển tệp vào album...", - ), - "name": MessageLookupByLibrary.simpleMessage("Tên"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Đặt tên cho album"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Không thể kết nối với Ente, vui lòng thử lại sau ít phút. Nếu lỗi vẫn tiếp diễn, hãy liên hệ với bộ phận hỗ trợ.", - ), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "Không thể kết nối với Ente, vui lòng kiểm tra cài đặt mạng của bạn và liên hệ với bộ phận hỗ trợ nếu lỗi vẫn tiếp diễn.", - ), - "never": MessageLookupByLibrary.simpleMessage("Không bao giờ"), - "newAlbum": MessageLookupByLibrary.simpleMessage("Album mới"), - "newLocation": MessageLookupByLibrary.simpleMessage("Vị trí mới"), - "newPerson": MessageLookupByLibrary.simpleMessage("Người mới"), - "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" mới 📸"), - "newRange": MessageLookupByLibrary.simpleMessage("Phạm vi mới"), - "newToEnte": MessageLookupByLibrary.simpleMessage("Mới dùng Ente"), - "newest": MessageLookupByLibrary.simpleMessage("Mới nhất"), - "next": MessageLookupByLibrary.simpleMessage("Tiếp theo"), - "no": MessageLookupByLibrary.simpleMessage("Không"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage( - "Bạn chưa chia sẻ album nào", - ), - "noDeviceFound": MessageLookupByLibrary.simpleMessage( - "Không tìm thấy thiết bị", - ), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Không có"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "Bạn không có tệp nào có thể xóa trên thiết bị này", - ), - "noDuplicates": MessageLookupByLibrary.simpleMessage( - "✨ Không có trùng lặp", - ), - "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( - "Chưa có tài khoản Ente!", - ), - "noExifData": MessageLookupByLibrary.simpleMessage( - "Không có thông số Exif", - ), - "noFacesFound": MessageLookupByLibrary.simpleMessage( - "Không tìm thấy khuôn mặt", - ), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "Không có ảnh hoặc video ẩn", - ), - "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( - "Không có ảnh với vị trí", - ), - "noInternetConnection": MessageLookupByLibrary.simpleMessage( - "Không có kết nối internet", - ), - "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( - "Hiện tại không có ảnh nào đang được sao lưu", - ), - "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage( - "Không tìm thấy ảnh ở đây", - ), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( - "Không có liên kết nhanh nào được chọn", - ), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Không có mã khôi phục?", - ), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "Do tính chất của giao thức mã hóa đầu cuối, không thể giải mã dữ liệu của bạn mà không có mật khẩu hoặc mã khôi phục", - ), - "noResults": MessageLookupByLibrary.simpleMessage("Không có kết quả"), - "noResultsFound": MessageLookupByLibrary.simpleMessage( - "Không tìm thấy kết quả", - ), - "noSuggestionsForPerson": m53, - "noSystemLockFound": MessageLookupByLibrary.simpleMessage( - "Không tìm thấy khóa hệ thống", - ), - "notPersonLabel": m54, - "notThisPerson": MessageLookupByLibrary.simpleMessage( - "Không phải người này?", - ), - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "Bạn chưa được chia sẻ gì", - ), - "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( - "Ở đây không có gì để xem! 👀", - ), - "notifications": MessageLookupByLibrary.simpleMessage("Thông báo"), - "ok": MessageLookupByLibrary.simpleMessage("Được"), - "onDevice": MessageLookupByLibrary.simpleMessage("Trên thiết bị"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "Trên ente", - ), - "onTheRoad": MessageLookupByLibrary.simpleMessage("Trên đường"), - "onThisDay": MessageLookupByLibrary.simpleMessage("Vào ngày này"), - "onThisDayMemories": MessageLookupByLibrary.simpleMessage( - "Kỷ niệm hôm nay", - ), - "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( - "Nhắc về những kỷ niệm ngày này trong những năm trước.", - ), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("Chỉ họ"), - "oops": MessageLookupByLibrary.simpleMessage("Ốii!"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Ốii!, không thể lưu chỉnh sửa", - ), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Ốii!, có gì đó không ổn", - ), - "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage( - "Mở album trong trình duyệt", - ), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "Vui lòng sử dụng ứng dụng web để thêm ảnh vào album này", - ), - "openFile": MessageLookupByLibrary.simpleMessage("Mở tệp"), - "openSettings": MessageLookupByLibrary.simpleMessage("Mở Cài đặt"), - "openTheItem": MessageLookupByLibrary.simpleMessage("• Mở mục"), - "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( - "Người đóng góp OpenStreetMap", - ), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "Tùy chọn, ngắn dài tùy ý...", - ), - "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( - "Hoặc hợp nhất với hiện có", - ), - "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage( - "Hoặc chọn một cái có sẵn", - ), - "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( - "hoặc chọn từ danh bạ", - ), - "otherDetectedFaces": MessageLookupByLibrary.simpleMessage( - "Những khuôn mặt khác được phát hiện", - ), - "pair": MessageLookupByLibrary.simpleMessage("Kết nối"), - "pairWithPin": MessageLookupByLibrary.simpleMessage("Kết nối bằng PIN"), - "pairingComplete": MessageLookupByLibrary.simpleMessage("Kết nối hoàn tất"), - "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), - "partyWithThem": m56, - "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( - "Xác minh vẫn đang chờ", - ), - "passkey": MessageLookupByLibrary.simpleMessage("Khóa truy cập"), - "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage( - "Xác minh khóa truy cập", - ), - "password": MessageLookupByLibrary.simpleMessage("Mật khẩu"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "Đã thay đổi mật khẩu thành công", - ), - "passwordLock": MessageLookupByLibrary.simpleMessage("Khóa bằng mật khẩu"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "Độ mạnh của mật khẩu được tính toán dựa trên độ dài của mật khẩu, các ký tự đã sử dụng và liệu mật khẩu có xuất hiện trong 10.000 mật khẩu được sử dụng nhiều nhất hay không", - ), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "Chúng tôi không lưu trữ mật khẩu này, nên nếu bạn quên, chúng tôi không thể giải mã dữ liệu của bạn", - ), - "pastYearsMemories": MessageLookupByLibrary.simpleMessage( - "Kỷ niệm năm ngoái", - ), - "paymentDetails": MessageLookupByLibrary.simpleMessage( - "Chi tiết thanh toán", - ), - "paymentFailed": MessageLookupByLibrary.simpleMessage( - "Thanh toán thất bại", - ), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "Rất tiếc, bạn đã thanh toán không thành công. Vui lòng liên hệ hỗ trợ và chúng tôi sẽ giúp bạn!", - ), - "paymentFailedTalkToProvider": m58, - "pendingItems": MessageLookupByLibrary.simpleMessage("Các mục đang chờ"), - "pendingSync": MessageLookupByLibrary.simpleMessage("Đồng bộ hóa đang chờ"), - "people": MessageLookupByLibrary.simpleMessage("Người"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( - "Người dùng mã của bạn", - ), - "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( - "Chọn những người bạn muốn thấy trên màn hình chính của mình.", - ), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "Tất cả các mục trong thùng rác sẽ bị xóa vĩnh viễn\n\nKhông thể hoàn tác thao tác này", - ), - "permanentlyDelete": MessageLookupByLibrary.simpleMessage("Xóa vĩnh viễn"), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "Xóa vĩnh viễn khỏi thiết bị?", - ), - "personIsAge": m59, - "personName": MessageLookupByLibrary.simpleMessage("Tên người"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("Thú cưng"), - "photoDescriptions": MessageLookupByLibrary.simpleMessage("Mô tả ảnh"), - "photoGridSize": MessageLookupByLibrary.simpleMessage( - "Kích thước lưới ảnh", - ), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("ảnh"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("Ảnh"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage( - "Ảnh bạn đã thêm sẽ bị xóa khỏi album", - ), - "photosCount": m62, - "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( - "Ảnh giữ nguyên chênh lệch thời gian tương đối", - ), - "pickCenterPoint": MessageLookupByLibrary.simpleMessage("Chọn tâm điểm"), - "pinAlbum": MessageLookupByLibrary.simpleMessage("Ghim album"), - "pinLock": MessageLookupByLibrary.simpleMessage("Khóa PIN"), - "playOnTv": MessageLookupByLibrary.simpleMessage("Phát album trên TV"), - "playOriginal": MessageLookupByLibrary.simpleMessage("Phát tệp gốc"), - "playStoreFreeTrialValidTill": m63, - "playStream": MessageLookupByLibrary.simpleMessage("Phát trực tiếp"), - "playstoreSubscription": MessageLookupByLibrary.simpleMessage( - "Gói PlayStore", - ), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage( - "Vui lòng kiểm tra kết nối internet của bạn và thử lại.", - ), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "Vui lòng liên hệ support@ente.io và chúng tôi rất sẵn sàng giúp đỡ!", - ), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage( - "Vui lòng liên hệ bộ phận hỗ trợ nếu vấn đề vẫn tiếp diễn", - ), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage( - "Vui lòng cấp quyền", - ), - "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage( - "Vui lòng đăng nhập lại", - ), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "Vui lòng chọn liên kết nhanh để xóa", - ), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("Vui lòng thử lại"), - "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( - "Vui lòng xác minh mã bạn đã nhập", - ), - "pleaseWait": MessageLookupByLibrary.simpleMessage("Vui lòng chờ..."), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "Vui lòng chờ, đang xóa album", - ), - "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( - "Vui lòng chờ một chút trước khi thử lại", - ), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "Vui lòng chờ, có thể mất một lúc.", - ), - "posingWithThem": m66, - "preparingLogs": MessageLookupByLibrary.simpleMessage( - "Đang ghi nhật ký...", - ), - "preserveMore": MessageLookupByLibrary.simpleMessage("Lưu giữ nhiều hơn"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage( - "Nhấn giữ để phát video", - ), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "Nhấn giữ ảnh để phát video", - ), - "previous": MessageLookupByLibrary.simpleMessage("Trước"), - "privacy": MessageLookupByLibrary.simpleMessage("Bảo mật"), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( - "Chính sách bảo mật", - ), - "privateBackups": MessageLookupByLibrary.simpleMessage("Sao lưu riêng tư"), - "privateSharing": MessageLookupByLibrary.simpleMessage("Chia sẻ riêng tư"), - "proceed": MessageLookupByLibrary.simpleMessage("Tiếp tục"), - "processed": MessageLookupByLibrary.simpleMessage("Đã xử lý"), - "processing": MessageLookupByLibrary.simpleMessage("Đang xử lý"), - "processingImport": m67, - "processingVideos": MessageLookupByLibrary.simpleMessage( - "Đang xử lý video", - ), - "publicLinkCreated": MessageLookupByLibrary.simpleMessage( - "Liên kết công khai đã được tạo", - ), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( - "Liên kết công khai đã được bật", - ), - "questionmark": MessageLookupByLibrary.simpleMessage("?"), - "queued": MessageLookupByLibrary.simpleMessage("Đang chờ"), - "quickLinks": MessageLookupByLibrary.simpleMessage("Liên kết nhanh"), - "radius": MessageLookupByLibrary.simpleMessage("Bán kính"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("Yêu cầu hỗ trợ"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("Đánh giá ứng dụng"), - "rateUs": MessageLookupByLibrary.simpleMessage("Đánh giá chúng tôi"), - "rateUsOnStore": m68, - "reassignMe": MessageLookupByLibrary.simpleMessage("Chỉ định lại \"Tôi\""), - "reassignedToName": m69, - "reassigningLoading": MessageLookupByLibrary.simpleMessage( - "Đang chỉ định lại...", - ), - "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( - "Nhắc khi đến sinh nhật của ai đó. Chạm vào thông báo sẽ đưa bạn đến ảnh của người sinh nhật.", - ), - "recover": MessageLookupByLibrary.simpleMessage("Khôi phục"), - "recoverAccount": MessageLookupByLibrary.simpleMessage( - "Khôi phục tài khoản", - ), - "recoverButton": MessageLookupByLibrary.simpleMessage("Khôi phục"), - "recoveryAccount": MessageLookupByLibrary.simpleMessage( - "Khôi phục tài khoản", - ), - "recoveryInitiated": MessageLookupByLibrary.simpleMessage( - "Quá trình khôi phục đã được khởi động", - ), - "recoveryInitiatedDesc": m70, - "recoveryKey": MessageLookupByLibrary.simpleMessage("Mã khôi phục"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "Đã sao chép mã khôi phục vào bộ nhớ tạm", - ), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "Nếu bạn quên mật khẩu, cách duy nhất để khôi phục dữ liệu của bạn là dùng mã này.", - ), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Chúng tôi không lưu trữ mã này, nên hãy lưu nó ở nơi an toàn.", - ), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "Tuyệt! Mã khôi phục của bạn hợp lệ. Cảm ơn đã xác minh.\n\nNhớ lưu giữ mã khôi phục của bạn ở nơi an toàn.", - ), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( - "Mã khôi phục đã được xác minh", - ), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "Mã khôi phục là cách duy nhất để khôi phục ảnh của bạn nếu bạn quên mật khẩu. Bạn có thể xem mã khôi phục của mình trong Cài đặt > Tài khoản.\n\nVui lòng nhập mã khôi phục của bạn ở đây để xác minh rằng bạn đã lưu nó đúng cách.", - ), - "recoveryReady": m71, - "recoverySuccessful": MessageLookupByLibrary.simpleMessage( - "Khôi phục thành công!", - ), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "Một liên hệ tin cậy đang cố gắng truy cập tài khoản của bạn", - ), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "Thiết bị hiện tại không đủ mạnh để xác minh mật khẩu của bạn, nhưng chúng tôi có thể tạo lại để nó hoạt động với tất cả thiết bị.\n\nVui lòng đăng nhập bằng mã khôi phục và tạo lại mật khẩu (bạn có thể dùng lại mật khẩu cũ nếu muốn).", - ), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Tạo lại mật khẩu", - ), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": MessageLookupByLibrary.simpleMessage( - "Nhập lại mật khẩu", - ), - "reenterPin": MessageLookupByLibrary.simpleMessage("Nhập lại PIN"), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "Giới thiệu bạn bè và ×2 gói của bạn", - ), - "referralStep1": MessageLookupByLibrary.simpleMessage( - "1. Đưa mã này cho bạn bè của bạn", - ), - "referralStep2": MessageLookupByLibrary.simpleMessage( - "2. Họ đăng ký gói trả phí", - ), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("Giới thiệu"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "Giới thiệu hiện đang tạm dừng", - ), - "rejectRecovery": MessageLookupByLibrary.simpleMessage("Từ chối khôi phục"), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "Hãy xóa luôn \"Đã xóa gần đây\" từ \"Cài đặt\" -> \"Lưu trữ\" để lấy lại dung lượng đã giải phóng", - ), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "Hãy xóa luôn \"Thùng rác\" của bạn để lấy lại dung lượng đã giải phóng", - ), - "remoteImages": MessageLookupByLibrary.simpleMessage("Ảnh bên ngoài"), - "remoteThumbnails": MessageLookupByLibrary.simpleMessage( - "Ảnh thu nhỏ bên ngoài", - ), - "remoteVideos": MessageLookupByLibrary.simpleMessage("Video bên ngoài"), - "remove": MessageLookupByLibrary.simpleMessage("Xóa"), - "removeDuplicates": MessageLookupByLibrary.simpleMessage("Xóa trùng lặp"), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "Xem và xóa các tệp bị trùng lặp.", - ), - "removeFromAlbum": MessageLookupByLibrary.simpleMessage("Xóa khỏi album"), - "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage( - "Xóa khỏi album?", - ), - "removeFromFavorite": MessageLookupByLibrary.simpleMessage( - "Xóa khỏi mục đã thích", - ), - "removeInvite": MessageLookupByLibrary.simpleMessage("Gỡ bỏ lời mời"), - "removeLink": MessageLookupByLibrary.simpleMessage("Xóa liên kết"), - "removeParticipant": MessageLookupByLibrary.simpleMessage( - "Xóa người tham gia", - ), - "removeParticipantBody": m74, - "removePersonLabel": MessageLookupByLibrary.simpleMessage("Xóa nhãn người"), - "removePublicLink": MessageLookupByLibrary.simpleMessage( - "Xóa liên kết công khai", - ), - "removePublicLinks": MessageLookupByLibrary.simpleMessage( - "Xóa liên kết công khai", - ), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "Vài mục mà bạn đang xóa được thêm bởi người khác, và bạn sẽ mất quyền truy cập vào chúng", - ), - "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Xóa?"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "Gỡ bỏ bạn khỏi liên hệ tin cậy", - ), - "removingFromFavorites": MessageLookupByLibrary.simpleMessage( - "Đang xóa khỏi mục yêu thích...", - ), - "rename": MessageLookupByLibrary.simpleMessage("Đổi tên"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("Đổi tên album"), - "renameFile": MessageLookupByLibrary.simpleMessage("Đổi tên tệp"), - "renewSubscription": MessageLookupByLibrary.simpleMessage("Gia hạn gói"), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("Báo lỗi"), - "reportBug": MessageLookupByLibrary.simpleMessage("Báo lỗi"), - "resendEmail": MessageLookupByLibrary.simpleMessage("Gửi lại email"), - "reset": MessageLookupByLibrary.simpleMessage("Đặt lại"), - "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( - "Đặt lại các tệp bị bỏ qua", - ), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( - "Đặt lại mật khẩu", - ), - "resetPerson": MessageLookupByLibrary.simpleMessage("Xóa"), - "resetToDefault": MessageLookupByLibrary.simpleMessage("Đặt lại mặc định"), - "restore": MessageLookupByLibrary.simpleMessage("Khôi phục"), - "restoreToAlbum": MessageLookupByLibrary.simpleMessage( - "Khôi phục vào album", - ), - "restoringFiles": MessageLookupByLibrary.simpleMessage( - "Đang khôi phục tệp...", - ), - "resumableUploads": MessageLookupByLibrary.simpleMessage( - "Cho phép tải lên tiếp tục", - ), - "retry": MessageLookupByLibrary.simpleMessage("Thử lại"), - "review": MessageLookupByLibrary.simpleMessage("Xem lại"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "Vui lòng xem qua và xóa các mục mà bạn tin là trùng lặp.", - ), - "reviewSuggestions": MessageLookupByLibrary.simpleMessage("Xem gợi ý"), - "right": MessageLookupByLibrary.simpleMessage("Phải"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("Xoay"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("Xoay trái"), - "rotateRight": MessageLookupByLibrary.simpleMessage("Xoay phải"), - "safelyStored": MessageLookupByLibrary.simpleMessage("Lưu trữ an toàn"), - "same": MessageLookupByLibrary.simpleMessage("Chính xác"), - "sameperson": MessageLookupByLibrary.simpleMessage("Cùng một người?"), - "save": MessageLookupByLibrary.simpleMessage("Lưu"), - "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage( - "Lưu như một người khác", - ), - "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( - "Lưu thay đổi trước khi rời?", - ), - "saveCollage": MessageLookupByLibrary.simpleMessage("Lưu ảnh ghép"), - "saveCopy": MessageLookupByLibrary.simpleMessage("Lưu bản sao"), - "saveKey": MessageLookupByLibrary.simpleMessage("Lưu mã"), - "savePerson": MessageLookupByLibrary.simpleMessage("Lưu người"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage( - "Lưu mã khôi phục của bạn nếu bạn chưa làm", - ), - "saving": MessageLookupByLibrary.simpleMessage("Đang lưu..."), - "savingEdits": MessageLookupByLibrary.simpleMessage( - "Đang lưu chỉnh sửa...", - ), - "scanCode": MessageLookupByLibrary.simpleMessage("Quét mã"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage( - "Quét mã vạch này bằng\nứng dụng xác thực của bạn", - ), - "search": MessageLookupByLibrary.simpleMessage("Tìm kiếm"), - "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Album"), - "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage("Tên album"), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• Tên album (vd: \"Camera\")\n• Loại tệp (vd: \"Video\", \".gif\")\n• Năm và tháng (vd: \"2022\", \"Tháng Một\")\n• Ngày lễ (vd: \"Giáng Sinh\")\n• Mô tả ảnh (vd: “#vui”)", - ), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Thêm mô tả như \"#phượt\" trong thông tin ảnh để tìm nhanh thấy chúng ở đây", - ), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "Tìm kiếm theo ngày, tháng hoặc năm", - ), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "Ảnh sẽ được hiển thị ở đây sau khi xử lý và đồng bộ hoàn tất", - ), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "Người sẽ được hiển thị ở đây khi quá trình xử lý hoàn tất", - ), - "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( - "Loại tệp và tên", - ), - "searchHint1": MessageLookupByLibrary.simpleMessage( - "Tìm kiếm nhanh, trên thiết bị", - ), - "searchHint2": MessageLookupByLibrary.simpleMessage("Ngày chụp, mô tả ảnh"), - "searchHint3": MessageLookupByLibrary.simpleMessage( - "Album, tên tệp và loại", - ), - "searchHint4": MessageLookupByLibrary.simpleMessage("Vị trí"), - "searchHint5": MessageLookupByLibrary.simpleMessage( - "Sắp ra mắt: Nhận diện khuôn mặt & tìm kiếm vi diệu ✨", - ), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Xếp nhóm những ảnh được chụp gần kề nhau", - ), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "Mời mọi người, và bạn sẽ thấy tất cả ảnh mà họ chia sẻ ở đây", - ), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "Người sẽ được hiển thị ở đây sau khi hoàn tất xử lý và đồng bộ", - ), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("Bảo mật"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "Xem liên kết album công khai trong ứng dụng", - ), - "selectALocation": MessageLookupByLibrary.simpleMessage("Chọn một vị trí"), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage( - "Chọn một vị trí trước", - ), - "selectAlbum": MessageLookupByLibrary.simpleMessage("Chọn album"), - "selectAll": MessageLookupByLibrary.simpleMessage("Chọn tất cả"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("Tất cả"), - "selectCoverPhoto": MessageLookupByLibrary.simpleMessage("Chọn ảnh bìa"), - "selectDate": MessageLookupByLibrary.simpleMessage("Chọn ngày"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( - "Chọn thư mục để sao lưu", - ), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage( - "Chọn mục để thêm", - ), - "selectLanguage": MessageLookupByLibrary.simpleMessage("Chọn ngôn ngữ"), - "selectMailApp": MessageLookupByLibrary.simpleMessage( - "Chọn ứng dụng email", - ), - "selectMorePhotos": MessageLookupByLibrary.simpleMessage("Chọn thêm ảnh"), - "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage( - "Chọn một ngày và giờ", - ), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "Chọn một ngày và giờ cho tất cả", - ), - "selectPersonToLink": MessageLookupByLibrary.simpleMessage( - "Chọn người để liên kết", - ), - "selectReason": MessageLookupByLibrary.simpleMessage("Chọn lý do"), - "selectStartOfRange": MessageLookupByLibrary.simpleMessage( - "Chọn phạm vi bắt đầu", - ), - "selectTime": MessageLookupByLibrary.simpleMessage("Chọn thời gian"), - "selectYourFace": MessageLookupByLibrary.simpleMessage( - "Chọn khuôn mặt bạn", - ), - "selectYourPlan": MessageLookupByLibrary.simpleMessage("Chọn gói của bạn"), - "selectedAlbums": m79, - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Các tệp đã chọn không có trên Ente", - ), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage( - "Các thư mục đã chọn sẽ được mã hóa và sao lưu", - ), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage( - "Các tệp đã chọn sẽ bị xóa khỏi tất cả album và cho vào thùng rác.", - ), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage( - "Các mục đã chọn sẽ bị xóa khỏi người này, nhưng không bị xóa khỏi thư viện của bạn.", - ), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("Gửi"), - "sendEmail": MessageLookupByLibrary.simpleMessage("Gửi email"), - "sendInvite": MessageLookupByLibrary.simpleMessage("Gửi lời mời"), - "sendLink": MessageLookupByLibrary.simpleMessage("Gửi liên kết"), - "serverEndpoint": MessageLookupByLibrary.simpleMessage("Điểm cuối máy chủ"), - "sessionExpired": MessageLookupByLibrary.simpleMessage("Phiên đã hết hạn"), - "sessionIdMismatch": MessageLookupByLibrary.simpleMessage( - "Mã phiên không khớp", - ), - "setAPassword": MessageLookupByLibrary.simpleMessage("Đặt mật khẩu"), - "setAs": MessageLookupByLibrary.simpleMessage("Đặt làm"), - "setCover": MessageLookupByLibrary.simpleMessage("Đặt ảnh bìa"), - "setLabel": MessageLookupByLibrary.simpleMessage("Đặt"), - "setNewPassword": MessageLookupByLibrary.simpleMessage("Đặt mật khẩu mới"), - "setNewPin": MessageLookupByLibrary.simpleMessage("Đặt PIN mới"), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage("Đặt mật khẩu"), - "setRadius": MessageLookupByLibrary.simpleMessage("Đặt bán kính"), - "setupComplete": MessageLookupByLibrary.simpleMessage("Cài đặt hoàn tất"), - "share": MessageLookupByLibrary.simpleMessage("Chia sẻ"), - "shareALink": MessageLookupByLibrary.simpleMessage("Chia sẻ một liên kết"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "Mở album và nhấn nút chia sẻ ở góc trên bên phải để chia sẻ.", - ), - "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage( - "Chia sẻ ngay một album", - ), - "shareLink": MessageLookupByLibrary.simpleMessage("Chia sẻ liên kết"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "Chỉ chia sẻ với những người bạn muốn", - ), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "Tải Ente để chúng ta có thể dễ dàng chia sẻ ảnh và video chất lượng gốc\n\nhttps://ente.io", - ), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "Chia sẻ với người không dùng Ente", - ), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( - "Chia sẻ album đầu tiên của bạn", - ), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "Tạo album chia sẻ và cộng tác với người dùng Ente khác, bao gồm cả người dùng các gói miễn phí.", - ), - "sharedByMe": MessageLookupByLibrary.simpleMessage("Chia sẻ bởi tôi"), - "sharedByYou": MessageLookupByLibrary.simpleMessage("Được chia sẻ bởi bạn"), - "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage( - "Ảnh chia sẻ mới", - ), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "Nhận thông báo khi ai đó thêm ảnh vào album chia sẻ mà bạn tham gia", - ), - "sharedWith": m87, - "sharedWithMe": MessageLookupByLibrary.simpleMessage("Chia sẻ với tôi"), - "sharedWithYou": MessageLookupByLibrary.simpleMessage( - "Được chia sẻ với bạn", - ), - "sharing": MessageLookupByLibrary.simpleMessage("Đang chia sẻ..."), - "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage( - "Di chuyển ngày và giờ", - ), - "showLessFaces": MessageLookupByLibrary.simpleMessage( - "Hiện ít khuôn mặt hơn", - ), - "showMemories": MessageLookupByLibrary.simpleMessage("Xem lại kỷ niệm"), - "showMoreFaces": MessageLookupByLibrary.simpleMessage( - "Hiện nhiều khuôn mặt hơn", - ), - "showPerson": MessageLookupByLibrary.simpleMessage("Hiện người"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "Đăng xuất khỏi các thiết bị khác", - ), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "Nếu bạn nghĩ rằng ai đó biết mật khẩu của bạn, hãy ép tài khoản của bạn đăng xuất khỏi tất cả thiết bị khác đang sử dụng.", - ), - "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( - "Đăng xuất khỏi các thiết bị khác", - ), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Tôi đồng ý với điều khoảnchính sách bảo mật", - ), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "Nó sẽ bị xóa khỏi tất cả album.", - ), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("Bỏ qua"), - "smartMemories": MessageLookupByLibrary.simpleMessage("Gợi nhớ kỷ niệm"), - "social": MessageLookupByLibrary.simpleMessage("Mạng xã hội"), - "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( - "Một số mục có trên cả Ente và thiết bị của bạn.", - ), - "someOfTheFilesYouAreTryingToDeleteAre": MessageLookupByLibrary.simpleMessage( - "Một số tệp bạn đang cố gắng xóa chỉ có trên thiết bị của bạn và không thể khôi phục nếu bị xóa", - ), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage( - "Ai đó chia sẻ album với bạn nên thấy cùng một ID trên thiết bị của họ.", - ), - "somethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Có gì đó không ổn", - ), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Có gì đó không ổn, vui lòng thử lại", - ), - "sorry": MessageLookupByLibrary.simpleMessage("Xin lỗi"), - "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( - "Rất tiếc, không thể sao lưu tệp vào lúc này, chúng tôi sẽ thử lại sau.", - ), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "Xin lỗi, không thể thêm vào mục yêu thích!", - ), - "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( - "Xin lỗi, không thể xóa khỏi mục yêu thích!", - ), - "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "Rất tiếc, mã bạn nhập không chính xác", - ), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "Rất tiếc, chúng tôi không thể tạo khóa an toàn trên thiết bị này.\n\nVui lòng đăng ký từ một thiết bị khác.", - ), - "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( - "Rất tiếc, chúng tôi phải dừng sao lưu cho bạn", - ), - "sort": MessageLookupByLibrary.simpleMessage("Sắp xếp"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sắp xếp theo"), - "sortNewestFirst": MessageLookupByLibrary.simpleMessage("Mới nhất trước"), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Cũ nhất trước"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Thành công"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": MessageLookupByLibrary.simpleMessage( - "Tập trung vào bản thân bạn", - ), - "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage( - "Bắt đầu khôi phục", - ), - "startBackup": MessageLookupByLibrary.simpleMessage("Bắt đầu sao lưu"), - "status": MessageLookupByLibrary.simpleMessage("Trạng thái"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage( - "Bạn có muốn dừng phát không?", - ), - "stopCastingTitle": MessageLookupByLibrary.simpleMessage("Dừng phát"), - "storage": MessageLookupByLibrary.simpleMessage("Dung lượng"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Gia đình"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Bạn"), - "storageInGB": m93, - "storageLimitExceeded": MessageLookupByLibrary.simpleMessage( - "Đã vượt hạn mức lưu trữ", - ), - "storageUsageInfo": m94, - "streamDetails": MessageLookupByLibrary.simpleMessage("Chi tiết phát"), - "strongStrength": MessageLookupByLibrary.simpleMessage("Mạnh"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("Đăng ký gói"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "Bạn phải dùng gói trả phí mới có thể chia sẻ.", - ), - "subscription": MessageLookupByLibrary.simpleMessage("Gói đăng ký"), - "success": MessageLookupByLibrary.simpleMessage("Thành công"), - "successfullyArchived": MessageLookupByLibrary.simpleMessage( - "Lưu trữ thành công", - ), - "successfullyHid": MessageLookupByLibrary.simpleMessage("Đã ẩn thành công"), - "successfullyUnarchived": MessageLookupByLibrary.simpleMessage( - "Bỏ lưu trữ thành công", - ), - "successfullyUnhid": MessageLookupByLibrary.simpleMessage( - "Đã hiện thành công", - ), - "suggestFeatures": MessageLookupByLibrary.simpleMessage( - "Đề xuất tính năng", - ), - "sunrise": MessageLookupByLibrary.simpleMessage("Đường chân trời"), - "support": MessageLookupByLibrary.simpleMessage("Hỗ trợ"), - "syncProgress": m97, - "syncStopped": MessageLookupByLibrary.simpleMessage("Đồng bộ hóa đã dừng"), - "syncing": MessageLookupByLibrary.simpleMessage("Đang đồng bộ..."), - "systemTheme": MessageLookupByLibrary.simpleMessage("Giống hệ thống"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("nhấn để sao chép"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage("Nhấn để nhập mã"), - "tapToUnlock": MessageLookupByLibrary.simpleMessage("Nhấn để mở khóa"), - "tapToUpload": MessageLookupByLibrary.simpleMessage("Nhấn để tải lên"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Có vẻ đã xảy ra sự cố. Vui lòng thử lại sau ít phút. Nếu lỗi vẫn tiếp diễn, hãy liên hệ với đội ngũ hỗ trợ của chúng tôi.", - ), - "terminate": MessageLookupByLibrary.simpleMessage("Kết thúc"), - "terminateSession": MessageLookupByLibrary.simpleMessage( - "Kết thúc phiên? ", - ), - "terms": MessageLookupByLibrary.simpleMessage("Điều khoản"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Điều khoản"), - "thankYou": MessageLookupByLibrary.simpleMessage("Cảm ơn bạn"), - "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage( - "Cảm ơn bạn đã đăng ký gói!", - ), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "Không thể hoàn tất tải xuống", - ), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage( - "Liên kết mà bạn truy cập đã hết hạn.", - ), - "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "Nhóm người sẽ không được hiển thị trong phần người nữa. Ảnh sẽ vẫn được giữ nguyên.", - ), - "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "Người sẽ không được hiển thị trong phần người nữa. Ảnh sẽ vẫn được giữ nguyên.", - ), - "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "Mã khôi phục bạn nhập không chính xác", - ), - "theme": MessageLookupByLibrary.simpleMessage("Chủ đề"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage( - "Các mục này sẽ bị xóa khỏi thiết bị của bạn.", - ), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "Nó sẽ bị xóa khỏi tất cả album.", - ), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( - "Không thể hoàn tác thao tác này", - ), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage( - "Album này đã có một liên kết cộng tác", - ), - "thisCanBeUsedToRecoverYourAccountIfYou": MessageLookupByLibrary.simpleMessage( - "Chúng có thể giúp khôi phục tài khoản của bạn nếu bạn mất xác thực 2 bước", - ), - "thisDevice": MessageLookupByLibrary.simpleMessage("Thiết bị này"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "Email này đã được sử dụng", - ), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "Ảnh này không có thông số Exif", - ), - "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("Đây là tôi!"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "Đây là ID xác minh của bạn", - ), - "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage( - "Tuần này qua các năm", - ), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage( - "Bạn cũng sẽ đăng xuất khỏi những thiết bị sau:", - ), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "Bạn sẽ đăng xuất khỏi thiết bị này!", - ), - "thisWillMakeTheDateAndTimeOfAllSelected": MessageLookupByLibrary.simpleMessage( - "Thao tác này sẽ làm cho ngày và giờ của tất cả ảnh được chọn đều giống nhau.", - ), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage( - "Liên kết công khai của tất cả các liên kết nhanh đã chọn sẽ bị xóa.", - ), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage( - "Để bật khóa ứng dụng, vui lòng thiết lập mã khóa thiết bị hoặc khóa màn hình trong cài đặt hệ thống của bạn.", - ), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage( - "Để ẩn một ảnh hoặc video", - ), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "Để đặt lại mật khẩu, vui lòng xác minh email của bạn trước.", - ), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Nhật ký hôm nay"), - "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( - "Thử sai nhiều lần", - ), - "total": MessageLookupByLibrary.simpleMessage("tổng"), - "totalSize": MessageLookupByLibrary.simpleMessage("Tổng dung lượng"), - "trash": MessageLookupByLibrary.simpleMessage("Thùng rác"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("Cắt"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": MessageLookupByLibrary.simpleMessage("Liên hệ tin cậy"), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("Thử lại"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "Bật sao lưu để tự động tải lên các tệp được thêm vào thư mục thiết bị này lên Ente.", - ), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "Nhận 2 tháng miễn phí với các gói theo năm", - ), - "twofactor": MessageLookupByLibrary.simpleMessage("Xác thực 2 bước"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage( - "Xác thực 2 bước đã bị vô hiệu hóa", - ), - "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( - "Xác thực 2 bước", - ), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage( - "Xác thực 2 bước đã được đặt lại thành công", - ), - "twofactorSetup": MessageLookupByLibrary.simpleMessage( - "Cài đặt xác minh 2 bước", - ), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("Bỏ lưu trữ"), - "unarchiveAlbum": MessageLookupByLibrary.simpleMessage("Bỏ lưu trữ album"), - "unarchiving": MessageLookupByLibrary.simpleMessage("Đang bỏ lưu trữ..."), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "Rất tiếc, mã này không khả dụng.", - ), - "uncategorized": MessageLookupByLibrary.simpleMessage("Chưa phân loại"), - "unhide": MessageLookupByLibrary.simpleMessage("Hiện lại"), - "unhideToAlbum": MessageLookupByLibrary.simpleMessage( - "Hiện lại trong album", - ), - "unhiding": MessageLookupByLibrary.simpleMessage("Đang hiện..."), - "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Đang hiện lại tệp trong album", - ), - "unlock": MessageLookupByLibrary.simpleMessage("Mở khóa"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("Bỏ ghim album"), - "unselectAll": MessageLookupByLibrary.simpleMessage("Bỏ chọn tất cả"), - "update": MessageLookupByLibrary.simpleMessage("Cập nhật"), - "updateAvailable": MessageLookupByLibrary.simpleMessage("Cập nhật có sẵn"), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "Đang cập nhật lựa chọn thư mục...", - ), - "upgrade": MessageLookupByLibrary.simpleMessage("Nâng cấp"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "Đang tải tệp lên album...", - ), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( - "Đang lưu giữ 1 kỷ niệm...", - ), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "Giảm tới 50%, đến ngày 4 Tháng 12.", - ), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "Dung lượng có thể dùng bị giới hạn bởi gói hiện tại của bạn. Dung lượng nhận thêm vượt hạn mức sẽ tự động có thể dùng khi bạn nâng cấp gói.", - ), - "useAsCover": MessageLookupByLibrary.simpleMessage("Đặt làm ảnh bìa"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "Phát video gặp vấn đề? Nhấn giữ tại đây để thử một trình phát khác.", - ), - "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( - "Dùng liên kết công khai cho những người không dùng Ente", - ), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage("Dùng mã khôi phục"), - "useSelectedPhoto": MessageLookupByLibrary.simpleMessage( - "Sử dụng ảnh đã chọn", - ), - "usedSpace": MessageLookupByLibrary.simpleMessage("Dung lượng đã dùng"), - "validTill": m110, - "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "Xác minh không thành công, vui lòng thử lại", - ), - "verificationId": MessageLookupByLibrary.simpleMessage("ID xác minh"), - "verify": MessageLookupByLibrary.simpleMessage("Xác minh"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("Xác minh email"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Xác minh"), - "verifyPasskey": MessageLookupByLibrary.simpleMessage( - "Xác minh khóa truy cập", - ), - "verifyPassword": MessageLookupByLibrary.simpleMessage("Xác minh mật khẩu"), - "verifying": MessageLookupByLibrary.simpleMessage("Đang xác minh..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( - "Đang xác minh mã khôi phục...", - ), - "videoInfo": MessageLookupByLibrary.simpleMessage("Thông tin video"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), - "videoStreaming": MessageLookupByLibrary.simpleMessage( - "Phát trực tuyến video", - ), - "videos": MessageLookupByLibrary.simpleMessage("Video"), - "viewActiveSessions": MessageLookupByLibrary.simpleMessage( - "Xem phiên hoạt động", - ), - "viewAddOnButton": MessageLookupByLibrary.simpleMessage( - "Xem tiện ích mở rộng", - ), - "viewAll": MessageLookupByLibrary.simpleMessage("Xem tất cả"), - "viewAllExifData": MessageLookupByLibrary.simpleMessage( - "Xem thông số Exif", - ), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Tệp lớn"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "Xem các tệp đang chiếm nhiều dung lượng nhất.", - ), - "viewLogs": MessageLookupByLibrary.simpleMessage("Xem nhật ký"), - "viewPersonToUnlink": m112, - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage("Xem mã khôi phục"), - "viewer": MessageLookupByLibrary.simpleMessage("Người xem"), - "viewersSuccessfullyAdded": m113, - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "Vui lòng truy cập web.ente.io để quản lý gói đăng ký", - ), - "waitingForVerification": MessageLookupByLibrary.simpleMessage( - "Đang chờ xác minh...", - ), - "waitingForWifi": MessageLookupByLibrary.simpleMessage("Đang chờ WiFi..."), - "warning": MessageLookupByLibrary.simpleMessage("Cảnh báo"), - "weAreOpenSource": MessageLookupByLibrary.simpleMessage( - "Chúng tôi là mã nguồn mở!", - ), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage( - "Chúng tôi chưa hỗ trợ chỉnh sửa ảnh và album không phải bạn sở hữu", - ), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("Yếu"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("Chào mừng trở lại!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("Có gì mới"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "Liên hệ tin cậy có thể giúp khôi phục dữ liệu của bạn.", - ), - "widgets": MessageLookupByLibrary.simpleMessage("Tiện ích"), - "wishThemAHappyBirthday": m115, - "yearShort": MessageLookupByLibrary.simpleMessage("năm"), - "yearly": MessageLookupByLibrary.simpleMessage("Theo năm"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("Có"), - "yesCancel": MessageLookupByLibrary.simpleMessage("Có, hủy"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage( - "Có, chuyển thành người xem", - ), - "yesDelete": MessageLookupByLibrary.simpleMessage("Có, xóa"), - "yesDiscardChanges": MessageLookupByLibrary.simpleMessage( - "Có, bỏ qua thay đổi", - ), - "yesIgnore": MessageLookupByLibrary.simpleMessage("Có, bỏ qua"), - "yesLogout": MessageLookupByLibrary.simpleMessage("Có, đăng xuất"), - "yesRemove": MessageLookupByLibrary.simpleMessage("Có, xóa"), - "yesRenew": MessageLookupByLibrary.simpleMessage("Có, Gia hạn"), - "yesResetPerson": MessageLookupByLibrary.simpleMessage("Có, đặt lại người"), - "you": MessageLookupByLibrary.simpleMessage("Bạn"), - "youAndThem": m117, - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage( - "Bạn đang dùng gói gia đình!", - ), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( - "Bạn đang sử dụng phiên bản mới nhất", - ), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* Bạn có thể tối đa ×2 dung lượng của mình", - ), - "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( - "Bạn có thể quản lý các liên kết của mình trong tab chia sẻ.", - ), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage( - "Bạn có thể thử tìm kiếm một truy vấn khác.", - ), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "Bạn không thể đổi xuống gói này", - ), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "Bạn không thể chia sẻ với chính mình", - ), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "Bạn không có mục nào đã lưu trữ.", - ), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "Tài khoản của bạn đã bị xóa", - ), - "yourMap": MessageLookupByLibrary.simpleMessage("Bản đồ của bạn"), - "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( - "Gói của bạn đã được hạ cấp thành công", - ), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "Gói của bạn đã được nâng cấp thành công", - ), - "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage( - "Bạn đã giao dịch thành công", - ), - "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( - "Không thể lấy chi tiết dung lượng của bạn", - ), - "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( - "Gói của bạn đã hết hạn", - ), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage( - "Gói của bạn đã được cập nhật thành công", - ), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "Mã xác minh của bạn đã hết hạn", - ), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage( - "Bạn không có tệp nào bị trùng để xóa", - ), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage( - "Bạn không có tệp nào có thể xóa trong album này", - ), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage( - "Phóng to để xem ảnh", - ), - }; + "aNewVersionOfEnteIsAvailable": + MessageLookupByLibrary.simpleMessage("Ente có phiên bản mới."), + "about": MessageLookupByLibrary.simpleMessage("Giới thiệu"), + "acceptTrustInvite": + MessageLookupByLibrary.simpleMessage("Chấp nhận lời mời"), + "account": MessageLookupByLibrary.simpleMessage("Tài khoản"), + "accountIsAlreadyConfigured": + MessageLookupByLibrary.simpleMessage("Tài khoản đã được cấu hình."), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("Chào mừng bạn trở lại!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Tôi hiểu rằng nếu mất mật khẩu, dữ liệu của tôi sẽ mất vì nó được mã hóa đầu cuối."), + "actionNotSupportedOnFavouritesAlbum": + MessageLookupByLibrary.simpleMessage( + "Hành động không áp dụng trong album Đã thích"), + "activeSessions": + MessageLookupByLibrary.simpleMessage("Phiên hoạt động"), + "add": MessageLookupByLibrary.simpleMessage("Thêm"), + "addAName": MessageLookupByLibrary.simpleMessage("Thêm một tên"), + "addANewEmail": + MessageLookupByLibrary.simpleMessage("Thêm một email mới"), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Thêm tiện ích album vào màn hình chính và quay lại đây để tùy chỉnh."), + "addCollaborator": + MessageLookupByLibrary.simpleMessage("Thêm cộng tác viên"), + "addCollaborators": m1, + "addFiles": MessageLookupByLibrary.simpleMessage("Thêm tệp"), + "addFromDevice": + MessageLookupByLibrary.simpleMessage("Thêm từ thiết bị"), + "addItem": m2, + "addLocation": MessageLookupByLibrary.simpleMessage("Thêm vị trí"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("Thêm"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Thêm tiện ích kỷ niệm vào màn hình chính và quay lại đây để tùy chỉnh."), + "addMore": MessageLookupByLibrary.simpleMessage("Thêm nhiều hơn"), + "addName": MessageLookupByLibrary.simpleMessage("Thêm tên"), + "addNameOrMerge": + MessageLookupByLibrary.simpleMessage("Thêm tên hoặc hợp nhất"), + "addNew": MessageLookupByLibrary.simpleMessage("Thêm mới"), + "addNewPerson": MessageLookupByLibrary.simpleMessage("Thêm người mới"), + "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage( + "Chi tiết về tiện ích mở rộng"), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("Tiện ích mở rộng"), + "addParticipants": + MessageLookupByLibrary.simpleMessage("Thêm người tham gia"), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Thêm tiện ích người vào màn hình chính và quay lại đây để tùy chỉnh."), + "addPhotos": MessageLookupByLibrary.simpleMessage("Thêm ảnh"), + "addSelected": MessageLookupByLibrary.simpleMessage("Thêm mục đã chọn"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("Thêm vào album"), + "addToEnte": MessageLookupByLibrary.simpleMessage("Thêm vào Ente"), + "addToHiddenAlbum": + MessageLookupByLibrary.simpleMessage("Thêm vào album ẩn"), + "addTrustedContact": + MessageLookupByLibrary.simpleMessage("Thêm liên hệ tin cậy"), + "addViewer": MessageLookupByLibrary.simpleMessage("Thêm người xem"), + "addViewers": m4, + "addYourPhotosNow": MessageLookupByLibrary.simpleMessage( + "Thêm ảnh của bạn ngay bây giờ"), + "addedAs": MessageLookupByLibrary.simpleMessage("Đã thêm như"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": MessageLookupByLibrary.simpleMessage( + "Đang thêm vào mục yêu thích..."), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("Nâng cao"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Nâng cao"), + "after1Day": MessageLookupByLibrary.simpleMessage("Sau 1 ngày"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Sau 1 giờ"), + "after1Month": MessageLookupByLibrary.simpleMessage("Sau 1 tháng"), + "after1Week": MessageLookupByLibrary.simpleMessage("Sau 1 tuần"), + "after1Year": MessageLookupByLibrary.simpleMessage("Sau 1 năm"), + "albumOwner": MessageLookupByLibrary.simpleMessage("Chủ sở hữu"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("Tiêu đề album"), + "albumUpdated": + MessageLookupByLibrary.simpleMessage("Album đã được cập nhật"), + "albums": MessageLookupByLibrary.simpleMessage("Album"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Chọn những album bạn muốn thấy trên màn hình chính của mình."), + "allClear": MessageLookupByLibrary.simpleMessage("✨ Tất cả đã xong"), + "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( + "Tất cả kỷ niệm đã được lưu giữ"), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "Tất cả nhóm của người này sẽ được đặt lại, và bạn sẽ mất tất cả các gợi ý đã được tạo ra cho người này"), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "Tất cả nhóm không có tên sẽ được hợp nhất vào người đã chọn. Điều này vẫn có thể được hoàn tác từ tổng quan lịch sử đề xuất của người đó."), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "Đây là ảnh đầu tiên trong nhóm. Các ảnh được chọn khác sẽ tự động thay đổi dựa theo ngày mới này"), + "allow": MessageLookupByLibrary.simpleMessage("Cho phép"), + "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Cho phép người có liên kết thêm ảnh vào album chia sẻ."), + "allowAddingPhotos": + MessageLookupByLibrary.simpleMessage("Cho phép thêm ảnh"), + "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( + "Cho phép ứng dụng mở liên kết album chia sẻ"), + "allowDownloads": + MessageLookupByLibrary.simpleMessage("Cho phép tải xuống"), + "allowPeopleToAddPhotos": + MessageLookupByLibrary.simpleMessage("Cho phép mọi người thêm ảnh"), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "Vui lòng cho phép truy cập vào ảnh của bạn từ Cài đặt để Ente có thể hiển thị và sao lưu thư viện của bạn."), + "allowPermTitle": + MessageLookupByLibrary.simpleMessage("Cho phép truy cập ảnh"), + "androidBiometricHint": + MessageLookupByLibrary.simpleMessage("Xác minh danh tính"), + "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( + "Không nhận diện được. Thử lại."), + "androidBiometricRequiredTitle": + MessageLookupByLibrary.simpleMessage("Yêu cầu sinh trắc học"), + "androidBiometricSuccess": + MessageLookupByLibrary.simpleMessage("Thành công"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("Hủy"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage( + "Yêu cầu thông tin xác thực thiết bị"), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage( + "Yêu cầu thông tin xác thực thiết bị"), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Xác thực sinh trắc học chưa được thiết lập trên thiết bị của bạn. Đi đến \'Cài đặt > Bảo mật\' để thêm xác thực sinh trắc học."), + "androidIosWebDesktop": + MessageLookupByLibrary.simpleMessage("Android, iOS, Web, Desktop"), + "androidSignInTitle": + MessageLookupByLibrary.simpleMessage("Yêu cầu xác thực"), + "appIcon": MessageLookupByLibrary.simpleMessage("Biểu tượng ứng dụng"), + "appLock": MessageLookupByLibrary.simpleMessage("Khóa ứng dụng"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "Chọn giữa màn hình khóa mặc định của thiết bị và màn hình khóa tùy chỉnh với PIN hoặc mật khẩu."), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("ID Apple"), + "apply": MessageLookupByLibrary.simpleMessage("Áp dụng"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Áp dụng mã"), + "appstoreSubscription": + MessageLookupByLibrary.simpleMessage("Gói AppStore"), + "archive": MessageLookupByLibrary.simpleMessage("Lưu trữ"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("Lưu trữ album"), + "archiving": MessageLookupByLibrary.simpleMessage("Đang lưu trữ..."), + "areThey": MessageLookupByLibrary.simpleMessage("Họ có phải là "), + "areYouSureRemoveThisFaceFromPerson": + MessageLookupByLibrary.simpleMessage( + "Bạn có chắc muốn xóa khuôn mặt này khỏi người này không?"), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage( + "Bạn có chắc muốn rời khỏi gói gia đình không?"), + "areYouSureYouWantToCancel": + MessageLookupByLibrary.simpleMessage("Bạn có chắc muốn hủy không?"), + "areYouSureYouWantToChangeYourPlan": + MessageLookupByLibrary.simpleMessage( + "Bạn có chắc muốn thay đổi gói của mình không?"), + "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( + "Bạn có chắc muốn thoát không?"), + "areYouSureYouWantToIgnoreThesePersons": + MessageLookupByLibrary.simpleMessage( + "Bạn có chắc muốn bỏ qua những người này?"), + "areYouSureYouWantToIgnoreThisPerson": + MessageLookupByLibrary.simpleMessage( + "Bạn có chắc muốn bỏ qua người này?"), + "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( + "Bạn có chắc muốn đăng xuất không?"), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "Bạn có chắc muốn hợp nhất họ?"), + "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( + "Bạn có chắc muốn gia hạn không?"), + "areYouSureYouWantToResetThisPerson": + MessageLookupByLibrary.simpleMessage( + "Bạn có chắc muốn đặt lại người này không?"), + "askCancelReason": MessageLookupByLibrary.simpleMessage( + "Gói của bạn đã bị hủy. Bạn có muốn chia sẻ lý do không?"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Lý do chính bạn xóa tài khoản là gì?"), + "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage( + "Hãy gợi ý những người thân yêu của bạn chia sẻ"), + "atAFalloutShelter": + MessageLookupByLibrary.simpleMessage("ở hầm trú ẩn hạt nhân"), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage( + "Vui lòng xác thực để đổi cài đặt xác minh email"), + "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( + "Vui lòng xác thực để thay đổi cài đặt khóa màn hình"), + "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( + "Vui lòng xác thực để đổi email"), + "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( + "Vui lòng xác thực để đổi mật khẩu"), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Vui lòng xác thực để cấu hình xác thực 2 bước"), + "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( + "Vui lòng xác thực để bắt đầu xóa tài khoản"), + "authToManageLegacy": MessageLookupByLibrary.simpleMessage( + "Vui lòng xác thực để quản lý các liên hệ tin cậy"), + "authToViewPasskey": MessageLookupByLibrary.simpleMessage( + "Vui lòng xác thực để xem khóa truy cập"), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Vui lòng xác thực để xem các tệp đã xóa"), + "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( + "Vui lòng xác thực để xem các phiên hoạt động"), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Vui lòng xác thực để xem các tệp ẩn"), + "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( + "Vui lòng xác thực để xem kỷ niệm"), + "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Vui lòng xác thực để xem mã khôi phục"), + "authenticating": + MessageLookupByLibrary.simpleMessage("Đang xác thực..."), + "authenticationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Xác thực không thành công, vui lòng thử lại"), + "authenticationSuccessful": + MessageLookupByLibrary.simpleMessage("Xác thực thành công!"), + "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( + "Bạn sẽ thấy các thiết bị phát khả dụng ở đây."), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "Hãy chắc rằng quyền Mạng cục bộ đã được bật cho ứng dụng Ente Photos, trong Cài đặt."), + "autoLock": MessageLookupByLibrary.simpleMessage("Khóa tự động"), + "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Sau thời gian này, ứng dụng sẽ khóa sau khi được chạy ở chế độ nền"), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "Do sự cố kỹ thuật, bạn đã bị đăng xuất. Chúng tôi xin lỗi vì sự bất tiện."), + "autoPair": MessageLookupByLibrary.simpleMessage("Kết nối tự động"), + "autoPairDesc": MessageLookupByLibrary.simpleMessage( + "Kết nối tự động chỉ hoạt động với các thiết bị hỗ trợ Chromecast."), + "available": MessageLookupByLibrary.simpleMessage("Có sẵn"), + "availableStorageSpace": m10, + "backedUpFolders": + MessageLookupByLibrary.simpleMessage("Thư mục đã sao lưu"), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("Sao lưu"), + "backupFailed": + MessageLookupByLibrary.simpleMessage("Sao lưu thất bại"), + "backupFile": MessageLookupByLibrary.simpleMessage("Sao lưu tệp"), + "backupOverMobileData": + MessageLookupByLibrary.simpleMessage("Sao lưu với dữ liệu di động"), + "backupSettings": + MessageLookupByLibrary.simpleMessage("Cài đặt sao lưu"), + "backupStatus": + MessageLookupByLibrary.simpleMessage("Trạng thái sao lưu"), + "backupStatusDescription": MessageLookupByLibrary.simpleMessage( + "Các mục đã được sao lưu sẽ hiển thị ở đây"), + "backupVideos": MessageLookupByLibrary.simpleMessage("Sao lưu video"), + "beach": MessageLookupByLibrary.simpleMessage("Cát và biển"), + "birthday": MessageLookupByLibrary.simpleMessage("Sinh nhật"), + "birthdayNotifications": + MessageLookupByLibrary.simpleMessage("Thông báo sinh nhật"), + "birthdays": MessageLookupByLibrary.simpleMessage("Sinh nhật"), + "blackFridaySale": + MessageLookupByLibrary.simpleMessage("Giảm giá Black Friday"), + "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cLDesc1": MessageLookupByLibrary.simpleMessage( + "Sau bản beta phát trực tuyến video và làm việc trên các bản có thể tiếp tục tải lên và tải xuống, chúng tôi hiện đã tăng giới hạn tải lên tệp tới 10 GB. Tính năng này hiện khả dụng trên cả ứng dụng dành cho máy tính để bàn và di động."), + "cLDesc2": MessageLookupByLibrary.simpleMessage( + "Tải lên trong nền hiện đã hỗ trợ trên iOS và Android. Không cần phải mở ứng dụng để sao lưu ảnh và video mới nhất của bạn."), + "cLDesc3": MessageLookupByLibrary.simpleMessage( + "Chúng tôi đã có những cải tiến đáng kể cho trải nghiệm kỷ niệm, bao gồm tự phát, vuốt xem kỷ niệm tiếp theo và nhiều tính năng khác."), + "cLDesc4": MessageLookupByLibrary.simpleMessage( + "Cùng với một loạt cải tiến nội bộ, giờ đây bạn có thể dễ dàng xem tất cả khuôn mặt đã phát hiện, cung cấp phản hồi về các khuôn mặt giống nhau và thêm/xóa khuôn mặt khỏi một bức ảnh."), + "cLDesc5": MessageLookupByLibrary.simpleMessage( + "Bây giờ bạn sẽ nhận được thông báo tùy-chọn cho tất cả các ngày sinh nhật mà bạn đã lưu trên Ente, cùng với bộ sưu tập những bức ảnh đẹp nhất của họ."), + "cLDesc6": MessageLookupByLibrary.simpleMessage( + "Không còn phải chờ tải lên/tải xuống xong mới có thể đóng ứng dụng. Tất cả các tải lên và tải xuống hiện có thể tạm dừng giữa chừng và tiếp tục từ nơi bạn đã dừng lại."), + "cLTitle1": + MessageLookupByLibrary.simpleMessage("Tải lên tệp video lớn"), + "cLTitle2": MessageLookupByLibrary.simpleMessage("Tải lên trong nền"), + "cLTitle3": + MessageLookupByLibrary.simpleMessage("Tự động phát kỷ niệm"), + "cLTitle4": MessageLookupByLibrary.simpleMessage( + "Cải thiện nhận diện khuôn mặt"), + "cLTitle5": MessageLookupByLibrary.simpleMessage("Thông báo sinh nhật"), + "cLTitle6": MessageLookupByLibrary.simpleMessage( + "Tiếp tục tải lên và tải xuống"), + "cachedData": MessageLookupByLibrary.simpleMessage( + "Dữ liệu đã lưu trong bộ nhớ đệm"), + "calculating": + MessageLookupByLibrary.simpleMessage("Đang tính toán..."), + "canNotOpenBody": MessageLookupByLibrary.simpleMessage( + "Rất tiếc, album này không thể mở trong ứng dụng."), + "canNotOpenTitle": + MessageLookupByLibrary.simpleMessage("Không thể mở album này"), + "canNotUploadToAlbumsOwnedByOthers": + MessageLookupByLibrary.simpleMessage( + "Không thể tải lên album thuộc sở hữu của người khác"), + "canOnlyCreateLinkForFilesOwnedByYou": + MessageLookupByLibrary.simpleMessage( + "Chỉ có thể tạo liên kết cho các tệp thuộc sở hữu của bạn"), + "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( + "Chỉ có thể xóa các tệp thuộc sở hữu của bạn"), + "cancel": MessageLookupByLibrary.simpleMessage("Hủy"), + "cancelAccountRecovery": + MessageLookupByLibrary.simpleMessage("Hủy khôi phục"), + "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( + "Bạn có chắc muốn hủy khôi phục không?"), + "cancelOtherSubscription": m12, + "cancelSubscription": MessageLookupByLibrary.simpleMessage("Hủy gói"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage( + "Không thể xóa các tệp đã chia sẻ"), + "castAlbum": MessageLookupByLibrary.simpleMessage("Phát album"), + "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( + "Hãy chắc rằng bạn đang dùng chung mạng với TV."), + "castIPMismatchTitle": + MessageLookupByLibrary.simpleMessage("Không thể phát album"), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "Truy cập cast.ente.io trên thiết bị bạn muốn kết nối.\n\nNhập mã dưới đây để phát album trên TV của bạn."), + "centerPoint": MessageLookupByLibrary.simpleMessage("Tâm điểm"), + "change": MessageLookupByLibrary.simpleMessage("Thay đổi"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Đổi email"), + "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( + "Thay đổi vị trí của các mục đã chọn?"), + "changePassword": MessageLookupByLibrary.simpleMessage("Đổi mật khẩu"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("Thay đổi mật khẩu"), + "changePermissions": + MessageLookupByLibrary.simpleMessage("Thay đổi quyền?"), + "changeYourReferralCode": MessageLookupByLibrary.simpleMessage( + "Thay đổi mã giới thiệu của bạn"), + "checkForUpdates": + MessageLookupByLibrary.simpleMessage("Kiểm tra cập nhật"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Vui lòng kiểm tra hộp thư đến (và thư rác) để hoàn tất xác minh"), + "checkStatus": + MessageLookupByLibrary.simpleMessage("Kiểm tra trạng thái"), + "checking": MessageLookupByLibrary.simpleMessage("Đang kiểm tra..."), + "checkingModels": + MessageLookupByLibrary.simpleMessage("Đang kiểm tra mô hình..."), + "city": MessageLookupByLibrary.simpleMessage("Trong thành phố"), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage( + "Nhận thêm dung lượng miễn phí"), + "claimMore": MessageLookupByLibrary.simpleMessage("Nhận thêm!"), + "claimed": MessageLookupByLibrary.simpleMessage("Đã nhận"), + "claimedStorageSoFar": m14, + "cleanUncategorized": + MessageLookupByLibrary.simpleMessage("Dọn dẹp chưa phân loại"), + "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( + "Xóa khỏi mục Chưa phân loại với tất cả tệp đang xuất hiện trong các album khác"), + "clearCaches": MessageLookupByLibrary.simpleMessage("Xóa bộ nhớ cache"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("Xóa chỉ mục"), + "click": MessageLookupByLibrary.simpleMessage("• Nhấn"), + "clickOnTheOverflowMenu": + MessageLookupByLibrary.simpleMessage("• Nhấn vào menu xổ xuống"), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Nhấn để cài đặt phiên bản tốt nhất"), + "close": MessageLookupByLibrary.simpleMessage("Đóng"), + "clubByCaptureTime": + MessageLookupByLibrary.simpleMessage("Xếp theo thời gian chụp"), + "clubByFileName": + MessageLookupByLibrary.simpleMessage("Xếp theo tên tệp"), + "clusteringProgress": + MessageLookupByLibrary.simpleMessage("Tiến trình phân cụm"), + "codeAppliedPageTitle": + MessageLookupByLibrary.simpleMessage("Mã đã được áp dụng"), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Rất tiếc, bạn đã đạt hạn mức thay đổi mã."), + "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Mã đã được sao chép vào bộ nhớ tạm"), + "codeUsedByYou": MessageLookupByLibrary.simpleMessage("Mã bạn đã dùng"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Tạo một liên kết cho phép mọi người thêm và xem ảnh trong album chia sẻ của bạn mà không cần ứng dụng hoặc tài khoản Ente. Phù hợp để thu thập ảnh sự kiện."), + "collaborativeLink": + MessageLookupByLibrary.simpleMessage("Liên kết cộng tác"), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("Cộng tác viên"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage( + "Cộng tác viên có thể thêm ảnh và video vào album chia sẻ."), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("Bố cục"), + "collageSaved": MessageLookupByLibrary.simpleMessage( + "Ảnh ghép đã được lưu vào thư viện"), + "collect": MessageLookupByLibrary.simpleMessage("Thu thập"), + "collectEventPhotos": + MessageLookupByLibrary.simpleMessage("Thu thập ảnh sự kiện"), + "collectPhotos": MessageLookupByLibrary.simpleMessage("Thu thập ảnh"), + "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( + "Tạo một liên kết nơi bạn bè của bạn có thể tải lên ảnh với chất lượng gốc."), + "color": MessageLookupByLibrary.simpleMessage("Màu sắc"), + "configuration": MessageLookupByLibrary.simpleMessage("Cấu hình"), + "confirm": MessageLookupByLibrary.simpleMessage("Xác nhận"), + "confirm2FADisable": MessageLookupByLibrary.simpleMessage( + "Bạn có chắc muốn tắt xác thực 2 bước không?"), + "confirmAccountDeletion": + MessageLookupByLibrary.simpleMessage("Xác nhận xóa tài khoản"), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Có, tôi muốn xóa vĩnh viễn tài khoản này và tất cả dữ liệu của nó."), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("Xác nhận mật khẩu"), + "confirmPlanChange": + MessageLookupByLibrary.simpleMessage("Xác nhận thay đổi gói"), + "confirmRecoveryKey": + MessageLookupByLibrary.simpleMessage("Xác nhận mã khôi phục"), + "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Xác nhận mã khôi phục của bạn"), + "connectToDevice": + MessageLookupByLibrary.simpleMessage("Kết nối với thiết bị"), + "contactFamilyAdmin": m18, + "contactSupport": + MessageLookupByLibrary.simpleMessage("Liên hệ hỗ trợ"), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("Danh bạ"), + "contents": MessageLookupByLibrary.simpleMessage("Nội dung"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Tiếp tục"), + "continueOnFreeTrial": + MessageLookupByLibrary.simpleMessage("Tiếp tục dùng thử miễn phí"), + "convertToAlbum": + MessageLookupByLibrary.simpleMessage("Chuyển đổi thành album"), + "copyEmailAddress": + MessageLookupByLibrary.simpleMessage("Sao chép địa chỉ email"), + "copyLink": MessageLookupByLibrary.simpleMessage("Sao chép liên kết"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Chép & dán mã này\nvào ứng dụng xác thực của bạn"), + "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( + "Chúng tôi không thể sao lưu dữ liệu của bạn.\nChúng tôi sẽ thử lại sau."), + "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage( + "Không thể giải phóng dung lượng"), + "couldNotUpdateSubscription": + MessageLookupByLibrary.simpleMessage("Không thể cập nhật gói"), + "count": MessageLookupByLibrary.simpleMessage("Số lượng"), + "crashReporting": MessageLookupByLibrary.simpleMessage("Báo cáo sự cố"), + "create": MessageLookupByLibrary.simpleMessage("Tạo"), + "createAccount": MessageLookupByLibrary.simpleMessage("Tạo tài khoản"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Nhấn giữ để chọn ảnh và nhấn + để tạo album"), + "createCollaborativeLink": + MessageLookupByLibrary.simpleMessage("Tạo liên kết cộng tác"), + "createCollage": MessageLookupByLibrary.simpleMessage("Tạo ảnh ghép"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("Tạo tài khoản mới"), + "createOrSelectAlbum": + MessageLookupByLibrary.simpleMessage("Tạo hoặc chọn album"), + "createPublicLink": + MessageLookupByLibrary.simpleMessage("Tạo liên kết công khai"), + "creatingLink": + MessageLookupByLibrary.simpleMessage("Đang tạo liên kết..."), + "criticalUpdateAvailable": + MessageLookupByLibrary.simpleMessage("Cập nhật quan trọng có sẵn"), + "crop": MessageLookupByLibrary.simpleMessage("Cắt xén"), + "curatedMemories": + MessageLookupByLibrary.simpleMessage("Kỷ niệm đáng nhớ"), + "currentUsageIs": + MessageLookupByLibrary.simpleMessage("Dung lượng hiện tại "), + "currentlyRunning": MessageLookupByLibrary.simpleMessage("đang chạy"), + "custom": MessageLookupByLibrary.simpleMessage("Tùy chỉnh"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("Tối"), + "dayToday": MessageLookupByLibrary.simpleMessage("Hôm nay"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("Hôm qua"), + "declineTrustInvite": + MessageLookupByLibrary.simpleMessage("Từ chối lời mời"), + "decrypting": MessageLookupByLibrary.simpleMessage("Đang giải mã..."), + "decryptingVideo": + MessageLookupByLibrary.simpleMessage("Đang giải mã video..."), + "deduplicateFiles": + MessageLookupByLibrary.simpleMessage("Xóa trùng lặp"), + "delete": MessageLookupByLibrary.simpleMessage("Xóa"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Xóa tài khoản"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Chúng tôi rất tiếc khi thấy bạn rời đi. Vui lòng chia sẻ phản hồi của bạn để giúp chúng tôi cải thiện."), + "deleteAccountPermanentlyButton": + MessageLookupByLibrary.simpleMessage("Xóa tài khoản vĩnh viễn"), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("Xóa album"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "Xóa luôn ảnh (và video) trong album này khỏi toàn bộ album khác cũng đang chứa chúng?"), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "Tất cả album trống sẽ bị xóa. Sẽ hữu ích khi bạn muốn giảm bớt sự lộn xộn trong danh sách album của mình."), + "deleteAll": MessageLookupByLibrary.simpleMessage("Xóa tất cả"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "Tài khoản này được liên kết với các ứng dụng Ente khác, nếu bạn có dùng. Dữ liệu bạn đã tải lên, trên tất cả ứng dụng Ente, sẽ được lên lịch để xóa, và tài khoản của bạn sẽ bị xóa vĩnh viễn."), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Vui lòng gửi email đến account-deletion@ente.io từ địa chỉ email đã đăng ký của bạn."), + "deleteEmptyAlbums": + MessageLookupByLibrary.simpleMessage("Xóa album trống"), + "deleteEmptyAlbumsWithQuestionMark": + MessageLookupByLibrary.simpleMessage("Xóa album trống?"), + "deleteFromBoth": + MessageLookupByLibrary.simpleMessage("Xóa khỏi cả hai"), + "deleteFromDevice": + MessageLookupByLibrary.simpleMessage("Xóa khỏi thiết bị"), + "deleteFromEnte": MessageLookupByLibrary.simpleMessage("Xóa khỏi Ente"), + "deleteItemCount": m21, + "deleteLocation": MessageLookupByLibrary.simpleMessage("Xóa vị trí"), + "deleteMultipleAlbumDialog": m22, + "deletePhotos": MessageLookupByLibrary.simpleMessage("Xóa ảnh"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Nó thiếu một tính năng quan trọng mà tôi cần"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "Ứng dụng hoặc một tính năng nhất định không hoạt động như tôi muốn"), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Tôi tìm thấy một dịch vụ khác mà tôi thích hơn"), + "deleteReason4": MessageLookupByLibrary.simpleMessage( + "Lý do không có trong danh sách"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Yêu cầu của bạn sẽ được xử lý trong vòng 72 giờ."), + "deleteSharedAlbum": + MessageLookupByLibrary.simpleMessage("Xóa album chia sẻ?"), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "Album sẽ bị xóa với tất cả mọi người\n\nBạn sẽ mất quyền truy cập vào các ảnh chia sẻ trong album này mà thuộc sở hữu của người khác"), + "deselectAll": MessageLookupByLibrary.simpleMessage("Bỏ chọn tất cả"), + "designedToOutlive": + MessageLookupByLibrary.simpleMessage("Được thiết kế để trường tồn"), + "details": MessageLookupByLibrary.simpleMessage("Chi tiết"), + "developerSettings": + MessageLookupByLibrary.simpleMessage("Cài đặt Nhà phát triển"), + "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( + "Bạn có chắc muốn thay đổi cài đặt Nhà phát triển không?"), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage("Nhập mã"), + "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( + "Các tệp được thêm vào album thiết bị này sẽ tự động được tải lên Ente."), + "deviceLock": MessageLookupByLibrary.simpleMessage("Khóa thiết bị"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "Vô hiệu hóa khóa màn hình thiết bị khi Ente đang ở chế độ nền và có một bản sao lưu đang diễn ra. Điều này thường không cần thiết, nhưng có thể giúp tải lên các tệp lớn và tệp nhập của các thư viện lớn xong nhanh hơn."), + "deviceNotFound": + MessageLookupByLibrary.simpleMessage("Không tìm thấy thiết bị"), + "didYouKnow": MessageLookupByLibrary.simpleMessage("Bạn có biết?"), + "different": MessageLookupByLibrary.simpleMessage("Khác"), + "disableAutoLock": + MessageLookupByLibrary.simpleMessage("Vô hiệu hóa khóa tự động"), + "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( + "Người xem vẫn có thể chụp màn hình hoặc sao chép ảnh của bạn bằng các công cụ bên ngoài"), + "disableDownloadWarningTitle": + MessageLookupByLibrary.simpleMessage("Xin lưu ý"), + "disableLinkMessage": m24, + "disableTwofactor": + MessageLookupByLibrary.simpleMessage("Tắt xác thực 2 bước"), + "disablingTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage( + "Đang vô hiệu hóa xác thực 2 bước..."), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("Khám phá"), + "discover_babies": MessageLookupByLibrary.simpleMessage("Em bé"), + "discover_celebrations": + MessageLookupByLibrary.simpleMessage("Lễ kỷ niệm"), + "discover_food": MessageLookupByLibrary.simpleMessage("Thức ăn"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("Cây cối"), + "discover_hills": MessageLookupByLibrary.simpleMessage("Đồi"), + "discover_identity": MessageLookupByLibrary.simpleMessage("Nhận dạng"), + "discover_memes": MessageLookupByLibrary.simpleMessage("Meme"), + "discover_notes": MessageLookupByLibrary.simpleMessage("Ghi chú"), + "discover_pets": MessageLookupByLibrary.simpleMessage("Thú cưng"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("Biên lai"), + "discover_screenshots": + MessageLookupByLibrary.simpleMessage("Ảnh chụp màn hình"), + "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfie"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("Hoàng hôn"), + "discover_visiting_cards": + MessageLookupByLibrary.simpleMessage("Danh thiếp"), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Hình nền"), + "dismiss": MessageLookupByLibrary.simpleMessage("Bỏ qua"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage("Không đăng xuất"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Để sau"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage( + "Bạn có muốn bỏ qua các chỉnh sửa đã thực hiện không?"), + "done": MessageLookupByLibrary.simpleMessage("Xong"), + "dontSave": MessageLookupByLibrary.simpleMessage("Không lưu"), + "doubleYourStorage": MessageLookupByLibrary.simpleMessage( + "Gấp đôi dung lượng lưu trữ của bạn"), + "download": MessageLookupByLibrary.simpleMessage("Tải xuống"), + "downloadFailed": + MessageLookupByLibrary.simpleMessage("Tải xuống thất bại"), + "downloading": + MessageLookupByLibrary.simpleMessage("Đang tải xuống..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("Chỉnh sửa"), + "editEmailAlreadyLinked": m28, + "editLocation": + MessageLookupByLibrary.simpleMessage("Chỉnh sửa vị trí"), + "editLocationTagTitle": + MessageLookupByLibrary.simpleMessage("Chỉnh sửa vị trí"), + "editPerson": MessageLookupByLibrary.simpleMessage("Chỉnh sửa người"), + "editTime": MessageLookupByLibrary.simpleMessage("Chỉnh sửa thời gian"), + "editsSaved": + MessageLookupByLibrary.simpleMessage("Chỉnh sửa đã được lưu"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage( + "Các chỉnh sửa vị trí sẽ chỉ thấy được trong Ente"), + "eligible": MessageLookupByLibrary.simpleMessage("đủ điều kiện"), + "email": MessageLookupByLibrary.simpleMessage("Email"), + "emailAlreadyRegistered": + MessageLookupByLibrary.simpleMessage("Email đã được đăng ký."), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": + MessageLookupByLibrary.simpleMessage("Email chưa được đăng ký."), + "emailVerificationToggle": + MessageLookupByLibrary.simpleMessage("Xác minh email"), + "emailYourLogs": + MessageLookupByLibrary.simpleMessage("Gửi nhật ký qua email"), + "embracingThem": m32, + "emergencyContacts": + MessageLookupByLibrary.simpleMessage("Liên hệ khẩn cấp"), + "empty": MessageLookupByLibrary.simpleMessage("Xóa sạch"), + "emptyTrash": + MessageLookupByLibrary.simpleMessage("Xóa sạch thùng rác?"), + "enable": MessageLookupByLibrary.simpleMessage("Bật"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "Ente hỗ trợ học máy trên-thiết-bị nhằm nhận diện khuôn mặt, tìm kiếm vi diệu và các tính năng tìm kiếm nâng cao khác"), + "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( + "Bật học máy để tìm kiếm vi diệu và nhận diện khuôn mặt"), + "enableMaps": MessageLookupByLibrary.simpleMessage("Kích hoạt Bản đồ"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "Ảnh của bạn sẽ hiển thị trên bản đồ thế giới.\n\nBản đồ được lưu trữ bởi OpenStreetMap và vị trí chính xác ảnh của bạn không bao giờ được chia sẻ.\n\nBạn có thể tắt tính năng này bất cứ lúc nào từ Cài đặt."), + "enabled": MessageLookupByLibrary.simpleMessage("Bật"), + "encryptingBackup": + MessageLookupByLibrary.simpleMessage("Đang mã hóa sao lưu..."), + "encryption": MessageLookupByLibrary.simpleMessage("Mã hóa"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage("Khóa mã hóa"), + "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( + "Điểm cuối đã được cập nhật thành công"), + "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( + "Mã hóa đầu cuối theo mặc định"), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage( + "Ente chỉ có thể mã hóa và lưu giữ tệp nếu bạn cấp quyền truy cập chúng"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente cần quyền để lưu giữ ảnh của bạn"), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "Ente lưu giữ kỷ niệm của bạn, vì vậy chúng luôn có sẵn, ngay cả khi bạn mất thiết bị."), + "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( + "Bạn có thể thêm gia đình vào gói của mình."), + "enterAlbumName": + MessageLookupByLibrary.simpleMessage("Nhập tên album"), + "enterCode": MessageLookupByLibrary.simpleMessage("Nhập mã"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Nhập mã do bạn bè cung cấp để nhận thêm dung lượng miễn phí cho cả hai"), + "enterDateOfBirth": + MessageLookupByLibrary.simpleMessage("Sinh nhật (tùy chọn)"), + "enterEmail": MessageLookupByLibrary.simpleMessage("Nhập email"), + "enterFileName": MessageLookupByLibrary.simpleMessage("Nhập tên tệp"), + "enterName": MessageLookupByLibrary.simpleMessage("Nhập tên"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Vui lòng nhập một mật khẩu mới để mã hóa dữ liệu của bạn"), + "enterPassword": MessageLookupByLibrary.simpleMessage("Nhập mật khẩu"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Vui lòng nhập một mật khẩu dùng để mã hóa dữ liệu của bạn"), + "enterPersonName": + MessageLookupByLibrary.simpleMessage("Nhập tên người"), + "enterPin": MessageLookupByLibrary.simpleMessage("Nhập PIN"), + "enterReferralCode": + MessageLookupByLibrary.simpleMessage("Nhập mã giới thiệu"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Nhập mã 6 chữ số từ\nứng dụng xác thực của bạn"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Vui lòng nhập một địa chỉ email hợp lệ."), + "enterYourEmailAddress": + MessageLookupByLibrary.simpleMessage("Nhập địa chỉ email của bạn"), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Nhập địa chỉ email mới của bạn"), + "enterYourPassword": + MessageLookupByLibrary.simpleMessage("Nhập mật khẩu của bạn"), + "enterYourRecoveryKey": + MessageLookupByLibrary.simpleMessage("Nhập mã khôi phục của bạn"), + "error": MessageLookupByLibrary.simpleMessage("Lỗi"), + "everywhere": MessageLookupByLibrary.simpleMessage("mọi nơi"), + "exif": MessageLookupByLibrary.simpleMessage("Exif"), + "existingUser": + MessageLookupByLibrary.simpleMessage("Người dùng hiện tại"), + "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( + "Liên kết này đã hết hạn. Vui lòng chọn thời gian hết hạn mới hoặc tắt tính năng hết hạn liên kết."), + "exportLogs": MessageLookupByLibrary.simpleMessage("Xuất nhật ký"), + "exportYourData": + MessageLookupByLibrary.simpleMessage("Xuất dữ liệu của bạn"), + "extraPhotosFound": + MessageLookupByLibrary.simpleMessage("Tìm thấy ảnh bổ sung"), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage( + "Khuôn mặt chưa được phân cụm, vui lòng quay lại sau"), + "faceRecognition": + MessageLookupByLibrary.simpleMessage("Nhận diện khuôn mặt"), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "Không thể tạo ảnh thu nhỏ khuôn mặt"), + "faces": MessageLookupByLibrary.simpleMessage("Khuôn mặt"), + "failed": MessageLookupByLibrary.simpleMessage("Không thành công"), + "failedToApplyCode": + MessageLookupByLibrary.simpleMessage("Không thể áp dụng mã"), + "failedToCancel": + MessageLookupByLibrary.simpleMessage("Hủy không thành công"), + "failedToDownloadVideo": + MessageLookupByLibrary.simpleMessage("Không thể tải video"), + "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( + "Không thể lấy phiên hoạt động"), + "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( + "Không thể lấy bản gốc để chỉnh sửa"), + "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( + "Không thể lấy thông tin giới thiệu. Vui lòng thử lại sau."), + "failedToLoadAlbums": + MessageLookupByLibrary.simpleMessage("Không thể tải album"), + "failedToPlayVideo": + MessageLookupByLibrary.simpleMessage("Không thể phát video"), + "failedToRefreshStripeSubscription": + MessageLookupByLibrary.simpleMessage("Không thể làm mới gói"), + "failedToRenew": + MessageLookupByLibrary.simpleMessage("Gia hạn không thành công"), + "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( + "Không thể xác minh trạng thái thanh toán"), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "Thêm 5 thành viên gia đình vào gói hiện tại của bạn mà không phải trả thêm phí.\n\nMỗi thành viên có không gian riêng tư của mình và không thể xem tệp của nhau trừ khi được chia sẻ.\n\nGói gia đình có sẵn cho người dùng Ente gói trả phí.\n\nĐăng ký ngay để bắt đầu!"), + "familyPlanPortalTitle": + MessageLookupByLibrary.simpleMessage("Gia đình"), + "familyPlans": MessageLookupByLibrary.simpleMessage("Gói gia đình"), + "faq": MessageLookupByLibrary.simpleMessage("Câu hỏi thường gặp"), + "faqs": MessageLookupByLibrary.simpleMessage("Câu hỏi thường gặp"), + "favorite": MessageLookupByLibrary.simpleMessage("Thích"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("Phản hồi"), + "file": MessageLookupByLibrary.simpleMessage("Tệp"), + "fileAnalysisFailed": + MessageLookupByLibrary.simpleMessage("Không thể xác định tệp"), + "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( + "Không thể lưu tệp vào thư viện"), + "fileInfoAddDescHint": + MessageLookupByLibrary.simpleMessage("Thêm mô tả..."), + "fileNotUploadedYet": + MessageLookupByLibrary.simpleMessage("Tệp chưa được tải lên"), + "fileSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Tệp đã được lưu vào thư viện"), + "fileTypes": MessageLookupByLibrary.simpleMessage("Loại tệp"), + "fileTypesAndNames": + MessageLookupByLibrary.simpleMessage("Loại tệp và tên"), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage("Tệp đã bị xóa"), + "filesSavedToGallery": MessageLookupByLibrary.simpleMessage( + "Các tệp đã được lưu vào thư viện"), + "findPeopleByName": + MessageLookupByLibrary.simpleMessage("Tìm nhanh người theo tên"), + "findThemQuickly": + MessageLookupByLibrary.simpleMessage("Tìm họ nhanh chóng"), + "flip": MessageLookupByLibrary.simpleMessage("Lật"), + "food": MessageLookupByLibrary.simpleMessage("Ăn chơi"), + "forYourMemories": + MessageLookupByLibrary.simpleMessage("cho những kỷ niệm của bạn"), + "forgotPassword": MessageLookupByLibrary.simpleMessage("Quên mật khẩu"), + "foundFaces": + MessageLookupByLibrary.simpleMessage("Đã tìm thấy khuôn mặt"), + "freeStorageClaimed": + MessageLookupByLibrary.simpleMessage("Dung lượng miễn phí đã nhận"), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage( + "Dung lượng miễn phí có thể dùng"), + "freeTrial": MessageLookupByLibrary.simpleMessage("Dùng thử miễn phí"), + "freeTrialValidTill": m38, + "freeUpAccessPostDelete": m39, + "freeUpAmount": m40, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage( + "Giải phóng dung lượng thiết bị"), + "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( + "Tiết kiệm dung lượng thiết bị của bạn bằng cách xóa các tệp đã được sao lưu."), + "freeUpSpace": + MessageLookupByLibrary.simpleMessage("Giải phóng dung lượng"), + "freeUpSpaceSaving": m41, + "gallery": MessageLookupByLibrary.simpleMessage("Thư viện"), + "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( + "Mỗi thư viện chứa tối đa 1000 ảnh và video"), + "general": MessageLookupByLibrary.simpleMessage("Chung"), + "generatingEncryptionKeys": + MessageLookupByLibrary.simpleMessage("Đang mã hóa..."), + "genericProgress": m42, + "goToSettings": MessageLookupByLibrary.simpleMessage("Đi đến cài đặt"), + "googlePlayId": MessageLookupByLibrary.simpleMessage("ID Google Play"), + "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( + "Vui lòng cho phép truy cập vào tất cả ảnh trong ứng dụng Cài đặt"), + "grantPermission": MessageLookupByLibrary.simpleMessage("Cấp quyền"), + "greenery": MessageLookupByLibrary.simpleMessage("Cây cối"), + "groupNearbyPhotos": + MessageLookupByLibrary.simpleMessage("Nhóm ảnh gần nhau"), + "guestView": MessageLookupByLibrary.simpleMessage("Chế độ khách"), + "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( + "Để bật chế độ khách, vui lòng thiết lập mã khóa thiết bị hoặc khóa màn hình trong cài đặt hệ thống của bạn."), + "happyBirthday": + MessageLookupByLibrary.simpleMessage("Chúc mừng sinh nhật! 🥳"), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "Chúng tôi không theo dõi cài đặt ứng dụng, nên nếu bạn bật mí bạn tìm thấy chúng tôi từ đâu sẽ rất hữu ích!"), + "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( + "Bạn biết Ente từ đâu? (tùy chọn)"), + "help": MessageLookupByLibrary.simpleMessage("Trợ giúp"), + "hidden": MessageLookupByLibrary.simpleMessage("Ẩn"), + "hide": MessageLookupByLibrary.simpleMessage("Ẩn"), + "hideContent": MessageLookupByLibrary.simpleMessage("Ẩn nội dung"), + "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( + "Ẩn nội dung ứng dụng trong trình chuyển đổi ứng dụng và vô hiệu hóa chụp màn hình"), + "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( + "Ẩn nội dung ứng dụng trong trình chuyển đổi ứng dụng"), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Ẩn các mục được chia sẻ khỏi thư viện chính"), + "hiding": MessageLookupByLibrary.simpleMessage("Đang ẩn..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": + MessageLookupByLibrary.simpleMessage("Được lưu trữ tại OSM Pháp"), + "howItWorks": + MessageLookupByLibrary.simpleMessage("Cách thức hoạt động"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Hãy chỉ họ nhấn giữ địa chỉ email của họ trên màn hình cài đặt, và xác minh rằng ID trên cả hai thiết bị khớp nhau."), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "Xác thực sinh trắc học chưa được thiết lập trên thiết bị của bạn. Vui lòng kích hoạt Touch ID hoặc Face ID."), + "iOSLockOut": MessageLookupByLibrary.simpleMessage( + "Xác thực sinh trắc học đã bị vô hiệu hóa. Vui lòng khóa và mở khóa màn hình của bạn để kích hoạt lại."), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), + "ignore": MessageLookupByLibrary.simpleMessage("Bỏ qua"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Bỏ qua"), + "ignored": MessageLookupByLibrary.simpleMessage("bỏ qua"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "Một số tệp trong album này bị bỏ qua khi tải lên vì chúng đã bị xóa trước đó từ Ente."), + "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage( + "Hình ảnh chưa được phân tích"), + "immediately": MessageLookupByLibrary.simpleMessage("Lập tức"), + "importing": MessageLookupByLibrary.simpleMessage("Đang nhập...."), + "incorrectCode": + MessageLookupByLibrary.simpleMessage("Mã không chính xác"), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("Mật khẩu không đúng"), + "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Mã khôi phục không chính xác"), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Mã khôi phục bạn nhập không chính xác"), + "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( + "Mã khôi phục không chính xác"), + "indexedItems": + MessageLookupByLibrary.simpleMessage("Các mục đã lập chỉ mục"), + "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( + "Lập chỉ mục bị tạm dừng. Nó sẽ tự động tiếp tục khi thiết bị đã sẵn sàng. Thiết bị được coi là sẵn sàng khi mức pin, tình trạng pin và trạng thái nhiệt độ nằm trong phạm vi tốt."), + "ineligible": + MessageLookupByLibrary.simpleMessage("Không đủ điều kiện"), + "info": MessageLookupByLibrary.simpleMessage("Thông tin"), + "insecureDevice": + MessageLookupByLibrary.simpleMessage("Thiết bị không an toàn"), + "installManually": + MessageLookupByLibrary.simpleMessage("Cài đặt thủ công"), + "invalidEmailAddress": + MessageLookupByLibrary.simpleMessage("Địa chỉ email không hợp lệ"), + "invalidEndpoint": + MessageLookupByLibrary.simpleMessage("Điểm cuối không hợp lệ"), + "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( + "Xin lỗi, điểm cuối bạn nhập không hợp lệ. Vui lòng nhập một điểm cuối hợp lệ và thử lại."), + "invalidKey": MessageLookupByLibrary.simpleMessage("Mã không hợp lệ"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Mã khôi phục không hợp lệ. Vui lòng đảm bảo nó chứa 24 từ, và đúng chính tả từng từ.\n\nNếu bạn nhập loại mã khôi phục cũ, hãy đảm bảo nó dài 64 ký tự, và kiểm tra từng ký tự."), + "invite": MessageLookupByLibrary.simpleMessage("Mời"), + "inviteToEnte": + MessageLookupByLibrary.simpleMessage("Mời sử dụng Ente"), + "inviteYourFriends": + MessageLookupByLibrary.simpleMessage("Mời bạn bè của bạn"), + "inviteYourFriendsToEnte": + MessageLookupByLibrary.simpleMessage("Mời bạn bè dùng Ente"), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "Có vẻ đã xảy ra sự cố. Vui lòng thử lại sau ít phút. Nếu lỗi vẫn tiếp diễn, hãy liên hệ với đội ngũ hỗ trợ của chúng tôi."), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage( + "Trên các mục là số ngày còn lại trước khi xóa vĩnh viễn"), + "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( + "Các mục đã chọn sẽ bị xóa khỏi album này"), + "join": MessageLookupByLibrary.simpleMessage("Tham gia"), + "joinAlbum": MessageLookupByLibrary.simpleMessage("Tham gia album"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "Tham gia một album sẽ khiến email của bạn hiển thị với những người tham gia khác."), + "joinAlbumSubtext": + MessageLookupByLibrary.simpleMessage("để xem và thêm ảnh của bạn"), + "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( + "để thêm vào album được chia sẻ"), + "joinDiscord": MessageLookupByLibrary.simpleMessage("Tham gia Discord"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("Giữ ảnh"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("km"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Mong bạn giúp chúng tôi thông tin này"), + "language": MessageLookupByLibrary.simpleMessage("Ngôn ngữ"), + "lastTimeWithThem": m45, + "lastUpdated": MessageLookupByLibrary.simpleMessage("Mới cập nhật"), + "lastYearsTrip": + MessageLookupByLibrary.simpleMessage("Phượt năm ngoái"), + "leave": MessageLookupByLibrary.simpleMessage("Rời"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("Rời khỏi album"), + "leaveFamily": + MessageLookupByLibrary.simpleMessage("Rời khỏi gia đình"), + "leaveSharedAlbum": + MessageLookupByLibrary.simpleMessage("Rời album được chia sẻ?"), + "left": MessageLookupByLibrary.simpleMessage("Trái"), + "legacy": MessageLookupByLibrary.simpleMessage("Thừa kế"), + "legacyAccounts": + MessageLookupByLibrary.simpleMessage("Tài khoản thừa kế"), + "legacyInvite": m46, + "legacyPageDesc": MessageLookupByLibrary.simpleMessage( + "Thừa kế cho phép các liên hệ tin cậy truy cập tài khoản của bạn khi bạn qua đời."), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "Các liên hệ tin cậy có thể khởi động quá trình khôi phục tài khoản, và nếu không bị chặn trong vòng 30 ngày, có thể đặt lại mật khẩu và truy cập tài khoản của bạn."), + "light": MessageLookupByLibrary.simpleMessage("Độ sáng"), + "lightTheme": MessageLookupByLibrary.simpleMessage("Sáng"), + "link": MessageLookupByLibrary.simpleMessage("Liên kết"), + "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Liên kết đã được sao chép vào bộ nhớ tạm"), + "linkDeviceLimit": + MessageLookupByLibrary.simpleMessage("Giới hạn thiết bị"), + "linkEmail": MessageLookupByLibrary.simpleMessage("Liên kết email"), + "linkEmailToContactBannerCaption": + MessageLookupByLibrary.simpleMessage("để chia sẻ nhanh hơn"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("Đã bật"), + "linkExpired": MessageLookupByLibrary.simpleMessage("Hết hạn"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("Hết hạn liên kết"), + "linkHasExpired": + MessageLookupByLibrary.simpleMessage("Liên kết đã hết hạn"), + "linkNeverExpires": + MessageLookupByLibrary.simpleMessage("Không bao giờ"), + "linkPerson": MessageLookupByLibrary.simpleMessage("Liên kết người"), + "linkPersonCaption": MessageLookupByLibrary.simpleMessage( + "để trải nghiệm chia sẻ tốt hơn"), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("Ảnh động"), + "loadMessage1": MessageLookupByLibrary.simpleMessage( + "Bạn có thể chia sẻ gói của mình với gia đình"), + "loadMessage2": MessageLookupByLibrary.simpleMessage( + "Chúng tôi đã lưu giữ hơn 200 triệu kỷ niệm cho đến hiện tại"), + "loadMessage3": MessageLookupByLibrary.simpleMessage( + "Chúng tôi giữ 3 bản sao dữ liệu của bạn, một cái lưu ở hầm trú ẩn hạt nhân"), + "loadMessage4": MessageLookupByLibrary.simpleMessage( + "Tất cả các ứng dụng của chúng tôi đều là mã nguồn mở"), + "loadMessage5": MessageLookupByLibrary.simpleMessage( + "Mã nguồn và mã hóa của chúng tôi đã được kiểm nghiệm ngoại bộ"), + "loadMessage6": MessageLookupByLibrary.simpleMessage( + "Bạn có thể chia sẻ liên kết đến album của mình với những người thân yêu"), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "Các ứng dụng di động của chúng tôi chạy ngầm để mã hóa và sao lưu bất kỳ ảnh nào bạn mới chụp"), + "loadMessage8": MessageLookupByLibrary.simpleMessage( + "web.ente.io có một trình tải lên mượt mà"), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "Chúng tôi sử dụng Xchacha20Poly1305 để mã hóa dữ liệu của bạn"), + "loadingExifData": + MessageLookupByLibrary.simpleMessage("Đang tải thông số Exif..."), + "loadingGallery": + MessageLookupByLibrary.simpleMessage("Đang tải thư viện..."), + "loadingMessage": + MessageLookupByLibrary.simpleMessage("Đang tải ảnh của bạn..."), + "loadingModel": + MessageLookupByLibrary.simpleMessage("Đang tải mô hình..."), + "loadingYourPhotos": + MessageLookupByLibrary.simpleMessage("Đang tải ảnh của bạn..."), + "localGallery": MessageLookupByLibrary.simpleMessage("Thư viện cục bộ"), + "localIndexing": MessageLookupByLibrary.simpleMessage("Chỉ mục cục bộ"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "Có vẻ như có điều gì đó không ổn vì đồng bộ ảnh cục bộ đang tốn nhiều thời gian hơn mong đợi. Vui lòng liên hệ đội ngũ hỗ trợ của chúng tôi"), + "location": MessageLookupByLibrary.simpleMessage("Vị trí"), + "locationName": MessageLookupByLibrary.simpleMessage("Tên vị trí"), + "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( + "Thẻ vị trí sẽ giúp xếp nhóm tất cả ảnh được chụp gần kề nhau"), + "locations": MessageLookupByLibrary.simpleMessage("Vị trí"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Khóa"), + "lockscreen": MessageLookupByLibrary.simpleMessage("Khóa màn hình"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Đăng nhập"), + "loggingOut": MessageLookupByLibrary.simpleMessage("Đang đăng xuất..."), + "loginSessionExpired": + MessageLookupByLibrary.simpleMessage("Phiên đăng nhập đã hết hạn"), + "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( + "Phiên đăng nhập của bạn đã hết hạn. Vui lòng đăng nhập lại."), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Nhấn vào đăng nhập, tôi đồng ý với điều khoảnchính sách bảo mật"), + "loginWithTOTP": + MessageLookupByLibrary.simpleMessage("Đăng nhập bằng TOTP"), + "logout": MessageLookupByLibrary.simpleMessage("Đăng xuất"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "Gửi file nhật ký để chúng tôi có thể phân tích lỗi mà bạn gặp. Lưu ý rằng, trong nhật ký lỗi sẽ bao gồm tên các tệp để giúp theo dõi vấn đề với từng tệp cụ thể."), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage( + "Nhấn giữ một email để xác minh mã hóa đầu cuối."), + "longpressOnAnItemToViewInFullscreen": + MessageLookupByLibrary.simpleMessage( + "Nhấn giữ một mục để xem toàn màn hình"), + "lookBackOnYourMemories": + MessageLookupByLibrary.simpleMessage("Xem lại kỷ niệm của bạn 🌄"), + "loopVideoOff": + MessageLookupByLibrary.simpleMessage("Dừng phát video lặp lại"), + "loopVideoOn": + MessageLookupByLibrary.simpleMessage("Phát video lặp lại"), + "lostDevice": MessageLookupByLibrary.simpleMessage("Mất thiết bị?"), + "machineLearning": MessageLookupByLibrary.simpleMessage("Học máy"), + "magicSearch": MessageLookupByLibrary.simpleMessage("Tìm kiếm vi diệu"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "Tìm kiếm vi diệu cho phép tìm ảnh theo nội dung của chúng, ví dụ: \'xe hơi\', \'xe hơi đỏ\', \'Ferrari\'"), + "manage": MessageLookupByLibrary.simpleMessage("Quản lý"), + "manageDeviceStorage": MessageLookupByLibrary.simpleMessage( + "Quản lý bộ nhớ đệm của thiết bị"), + "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( + "Xem và xóa bộ nhớ đệm trên thiết bị."), + "manageFamily": + MessageLookupByLibrary.simpleMessage("Quản lý gia đình"), + "manageLink": MessageLookupByLibrary.simpleMessage("Quản lý liên kết"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Quản lý"), + "manageSubscription": + MessageLookupByLibrary.simpleMessage("Quản lý gói"), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "Kết nối bằng PIN hoạt động với bất kỳ màn hình nào bạn muốn."), + "map": MessageLookupByLibrary.simpleMessage("Bản đồ"), + "maps": MessageLookupByLibrary.simpleMessage("Bản đồ"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("Tôi"), + "memories": MessageLookupByLibrary.simpleMessage("Kỷ niệm"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Chọn những loại kỷ niệm bạn muốn thấy trên màn hình chính của mình."), + "memoryCount": m50, + "merchandise": MessageLookupByLibrary.simpleMessage("Vật phẩm"), + "merge": MessageLookupByLibrary.simpleMessage("Hợp nhất"), + "mergeWithExisting": + MessageLookupByLibrary.simpleMessage("Hợp nhất với người đã có"), + "mergedPhotos": MessageLookupByLibrary.simpleMessage("Hợp nhất ảnh"), + "mlConsent": MessageLookupByLibrary.simpleMessage("Bật học máy"), + "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( + "Tôi hiểu và muốn bật học máy"), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "Nếu bạn bật học máy, Ente sẽ trích xuất thông tin như hình dạng khuôn mặt từ các tệp, gồm cả những tệp mà bạn được chia sẻ.\n\nViệc này sẽ diễn ra trên thiết bị của bạn, với mọi thông tin sinh trắc học tạo ra đều được mã hóa đầu cuối."), + "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( + "Vui lòng nhấn vào đây để biết thêm chi tiết về tính năng này trong chính sách quyền riêng tư của chúng tôi"), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage("Bật học máy?"), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "Lưu ý rằng việc học máy sẽ khiến tốn băng thông và pin nhiều hơn cho đến khi tất cả mục được lập chỉ mục. Hãy sử dụng ứng dụng máy tính để lập chỉ mục nhanh hơn. Mọi kết quả sẽ được tự động đồng bộ."), + "mobileWebDesktop": + MessageLookupByLibrary.simpleMessage("Di động, Web, Desktop"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Trung bình"), + "modifyYourQueryOrTrySearchingFor": + MessageLookupByLibrary.simpleMessage( + "Chỉnh sửa truy vấn của bạn, hoặc thử tìm"), + "moments": MessageLookupByLibrary.simpleMessage("Khoảnh khắc"), + "month": MessageLookupByLibrary.simpleMessage("tháng"), + "monthly": MessageLookupByLibrary.simpleMessage("Theo tháng"), + "moon": MessageLookupByLibrary.simpleMessage("Ánh trăng"), + "moreDetails": MessageLookupByLibrary.simpleMessage("Thêm chi tiết"), + "mostRecent": MessageLookupByLibrary.simpleMessage("Mới nhất"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("Liên quan nhất"), + "mountains": MessageLookupByLibrary.simpleMessage("Đồi núi"), + "moveItem": m51, + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "Di chuyển ảnh đã chọn đến một ngày"), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("Chuyển đến album"), + "moveToHiddenAlbum": + MessageLookupByLibrary.simpleMessage("Di chuyển đến album ẩn"), + "movedSuccessfullyTo": m52, + "movedToTrash": + MessageLookupByLibrary.simpleMessage("Đã cho vào thùng rác"), + "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Đang di chuyển tệp vào album..."), + "name": MessageLookupByLibrary.simpleMessage("Tên"), + "nameTheAlbum": + MessageLookupByLibrary.simpleMessage("Đặt tên cho album"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "Không thể kết nối với Ente, vui lòng thử lại sau ít phút. Nếu lỗi vẫn tiếp diễn, hãy liên hệ với bộ phận hỗ trợ."), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "Không thể kết nối với Ente, vui lòng kiểm tra cài đặt mạng của bạn và liên hệ với bộ phận hỗ trợ nếu lỗi vẫn tiếp diễn."), + "never": MessageLookupByLibrary.simpleMessage("Không bao giờ"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Album mới"), + "newLocation": MessageLookupByLibrary.simpleMessage("Vị trí mới"), + "newPerson": MessageLookupByLibrary.simpleMessage("Người mới"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" mới 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("Phạm vi mới"), + "newToEnte": MessageLookupByLibrary.simpleMessage("Mới dùng Ente"), + "newest": MessageLookupByLibrary.simpleMessage("Mới nhất"), + "next": MessageLookupByLibrary.simpleMessage("Tiếp theo"), + "no": MessageLookupByLibrary.simpleMessage("Không"), + "noAlbumsSharedByYouYet": + MessageLookupByLibrary.simpleMessage("Bạn chưa chia sẻ album nào"), + "noDeviceFound": + MessageLookupByLibrary.simpleMessage("Không tìm thấy thiết bị"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("Không có"), + "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( + "Bạn không có tệp nào có thể xóa trên thiết bị này"), + "noDuplicates": + MessageLookupByLibrary.simpleMessage("✨ Không có trùng lặp"), + "noEnteAccountExclamation": + MessageLookupByLibrary.simpleMessage("Chưa có tài khoản Ente!"), + "noExifData": + MessageLookupByLibrary.simpleMessage("Không có thông số Exif"), + "noFacesFound": + MessageLookupByLibrary.simpleMessage("Không tìm thấy khuôn mặt"), + "noHiddenPhotosOrVideos": + MessageLookupByLibrary.simpleMessage("Không có ảnh hoặc video ẩn"), + "noImagesWithLocation": + MessageLookupByLibrary.simpleMessage("Không có ảnh với vị trí"), + "noInternetConnection": + MessageLookupByLibrary.simpleMessage("Không có kết nối internet"), + "noPhotosAreBeingBackedUpRightNow": + MessageLookupByLibrary.simpleMessage( + "Hiện tại không có ảnh nào đang được sao lưu"), + "noPhotosFoundHere": + MessageLookupByLibrary.simpleMessage("Không tìm thấy ảnh ở đây"), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage( + "Không có liên kết nhanh nào được chọn"), + "noRecoveryKey": + MessageLookupByLibrary.simpleMessage("Không có mã khôi phục?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Do tính chất của giao thức mã hóa đầu cuối, không thể giải mã dữ liệu của bạn mà không có mật khẩu hoặc mã khôi phục"), + "noResults": MessageLookupByLibrary.simpleMessage("Không có kết quả"), + "noResultsFound": + MessageLookupByLibrary.simpleMessage("Không tìm thấy kết quả"), + "noSuggestionsForPerson": m53, + "noSystemLockFound": MessageLookupByLibrary.simpleMessage( + "Không tìm thấy khóa hệ thống"), + "notPersonLabel": m54, + "notThisPerson": + MessageLookupByLibrary.simpleMessage("Không phải người này?"), + "nothingSharedWithYouYet": + MessageLookupByLibrary.simpleMessage("Bạn chưa được chia sẻ gì"), + "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( + "Ở đây không có gì để xem! 👀"), + "notifications": MessageLookupByLibrary.simpleMessage("Thông báo"), + "ok": MessageLookupByLibrary.simpleMessage("Được"), + "onDevice": MessageLookupByLibrary.simpleMessage("Trên thiết bị"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "Trên ente"), + "onTheRoad": MessageLookupByLibrary.simpleMessage("Trên đường"), + "onThisDay": MessageLookupByLibrary.simpleMessage("Vào ngày này"), + "onThisDayMemories": + MessageLookupByLibrary.simpleMessage("Kỷ niệm hôm nay"), + "onThisDayNotificationExplanation": + MessageLookupByLibrary.simpleMessage( + "Nhắc về những kỷ niệm ngày này trong những năm trước."), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("Chỉ họ"), + "oops": MessageLookupByLibrary.simpleMessage("Ốii!"), + "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( + "Ốii!, không thể lưu chỉnh sửa"), + "oopsSomethingWentWrong": + MessageLookupByLibrary.simpleMessage("Ốii!, có gì đó không ổn"), + "openAlbumInBrowser": + MessageLookupByLibrary.simpleMessage("Mở album trong trình duyệt"), + "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( + "Vui lòng sử dụng ứng dụng web để thêm ảnh vào album này"), + "openFile": MessageLookupByLibrary.simpleMessage("Mở tệp"), + "openSettings": MessageLookupByLibrary.simpleMessage("Mở Cài đặt"), + "openTheItem": MessageLookupByLibrary.simpleMessage("• Mở mục"), + "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( + "Người đóng góp OpenStreetMap"), + "optionalAsShortAsYouLike": + MessageLookupByLibrary.simpleMessage("Tùy chọn, ngắn dài tùy ý..."), + "orMergeWithExistingPerson": + MessageLookupByLibrary.simpleMessage("Hoặc hợp nhất với hiện có"), + "orPickAnExistingOne": + MessageLookupByLibrary.simpleMessage("Hoặc chọn một cái có sẵn"), + "orPickFromYourContacts": + MessageLookupByLibrary.simpleMessage("hoặc chọn từ danh bạ"), + "otherDetectedFaces": MessageLookupByLibrary.simpleMessage( + "Những khuôn mặt khác được phát hiện"), + "pair": MessageLookupByLibrary.simpleMessage("Kết nối"), + "pairWithPin": MessageLookupByLibrary.simpleMessage("Kết nối bằng PIN"), + "pairingComplete": + MessageLookupByLibrary.simpleMessage("Kết nối hoàn tất"), + "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), + "partyWithThem": m56, + "passKeyPendingVerification": + MessageLookupByLibrary.simpleMessage("Xác minh vẫn đang chờ"), + "passkey": MessageLookupByLibrary.simpleMessage("Khóa truy cập"), + "passkeyAuthTitle": + MessageLookupByLibrary.simpleMessage("Xác minh khóa truy cập"), + "password": MessageLookupByLibrary.simpleMessage("Mật khẩu"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Đã thay đổi mật khẩu thành công"), + "passwordLock": + MessageLookupByLibrary.simpleMessage("Khóa bằng mật khẩu"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "Độ mạnh của mật khẩu được tính toán dựa trên độ dài của mật khẩu, các ký tự đã sử dụng và liệu mật khẩu có xuất hiện trong 10.000 mật khẩu được sử dụng nhiều nhất hay không"), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Chúng tôi không lưu trữ mật khẩu này, nên nếu bạn quên, chúng tôi không thể giải mã dữ liệu của bạn"), + "pastYearsMemories": + MessageLookupByLibrary.simpleMessage("Kỷ niệm năm ngoái"), + "paymentDetails": + MessageLookupByLibrary.simpleMessage("Chi tiết thanh toán"), + "paymentFailed": + MessageLookupByLibrary.simpleMessage("Thanh toán thất bại"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "Rất tiếc, bạn đã thanh toán không thành công. Vui lòng liên hệ hỗ trợ và chúng tôi sẽ giúp bạn!"), + "paymentFailedTalkToProvider": m58, + "pendingItems": + MessageLookupByLibrary.simpleMessage("Các mục đang chờ"), + "pendingSync": + MessageLookupByLibrary.simpleMessage("Đồng bộ hóa đang chờ"), + "people": MessageLookupByLibrary.simpleMessage("Người"), + "peopleUsingYourCode": + MessageLookupByLibrary.simpleMessage("Người dùng mã của bạn"), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Chọn những người bạn muốn thấy trên màn hình chính của mình."), + "permDeleteWarning": MessageLookupByLibrary.simpleMessage( + "Tất cả các mục trong thùng rác sẽ bị xóa vĩnh viễn\n\nKhông thể hoàn tác thao tác này"), + "permanentlyDelete": + MessageLookupByLibrary.simpleMessage("Xóa vĩnh viễn"), + "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( + "Xóa vĩnh viễn khỏi thiết bị?"), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("Tên người"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("Thú cưng"), + "photoDescriptions": MessageLookupByLibrary.simpleMessage("Mô tả ảnh"), + "photoGridSize": + MessageLookupByLibrary.simpleMessage("Kích thước lưới ảnh"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("ảnh"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("Ảnh"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage( + "Ảnh bạn đã thêm sẽ bị xóa khỏi album"), + "photosCount": m62, + "photosKeepRelativeTimeDifference": + MessageLookupByLibrary.simpleMessage( + "Ảnh giữ nguyên chênh lệch thời gian tương đối"), + "pickCenterPoint": + MessageLookupByLibrary.simpleMessage("Chọn tâm điểm"), + "pinAlbum": MessageLookupByLibrary.simpleMessage("Ghim album"), + "pinLock": MessageLookupByLibrary.simpleMessage("Khóa PIN"), + "playOnTv": MessageLookupByLibrary.simpleMessage("Phát album trên TV"), + "playOriginal": MessageLookupByLibrary.simpleMessage("Phát tệp gốc"), + "playStoreFreeTrialValidTill": m63, + "playStream": MessageLookupByLibrary.simpleMessage("Phát trực tiếp"), + "playstoreSubscription": + MessageLookupByLibrary.simpleMessage("Gói PlayStore"), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage( + "Vui lòng kiểm tra kết nối internet của bạn và thử lại."), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "Vui lòng liên hệ support@ente.io và chúng tôi rất sẵn sàng giúp đỡ!"), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage( + "Vui lòng liên hệ bộ phận hỗ trợ nếu vấn đề vẫn tiếp diễn"), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": + MessageLookupByLibrary.simpleMessage("Vui lòng cấp quyền"), + "pleaseLoginAgain": + MessageLookupByLibrary.simpleMessage("Vui lòng đăng nhập lại"), + "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( + "Vui lòng chọn liên kết nhanh để xóa"), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": + MessageLookupByLibrary.simpleMessage("Vui lòng thử lại"), + "pleaseVerifyTheCodeYouHaveEntered": + MessageLookupByLibrary.simpleMessage( + "Vui lòng xác minh mã bạn đã nhập"), + "pleaseWait": MessageLookupByLibrary.simpleMessage("Vui lòng chờ..."), + "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( + "Vui lòng chờ, đang xóa album"), + "pleaseWaitForSometimeBeforeRetrying": + MessageLookupByLibrary.simpleMessage( + "Vui lòng chờ một chút trước khi thử lại"), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "Vui lòng chờ, có thể mất một lúc."), + "posingWithThem": m66, + "preparingLogs": + MessageLookupByLibrary.simpleMessage("Đang ghi nhật ký..."), + "preserveMore": + MessageLookupByLibrary.simpleMessage("Lưu giữ nhiều hơn"), + "pressAndHoldToPlayVideo": + MessageLookupByLibrary.simpleMessage("Nhấn giữ để phát video"), + "pressAndHoldToPlayVideoDetailed": + MessageLookupByLibrary.simpleMessage("Nhấn giữ ảnh để phát video"), + "previous": MessageLookupByLibrary.simpleMessage("Trước"), + "privacy": MessageLookupByLibrary.simpleMessage("Bảo mật"), + "privacyPolicyTitle": + MessageLookupByLibrary.simpleMessage("Chính sách bảo mật"), + "privateBackups": + MessageLookupByLibrary.simpleMessage("Sao lưu riêng tư"), + "privateSharing": + MessageLookupByLibrary.simpleMessage("Chia sẻ riêng tư"), + "proceed": MessageLookupByLibrary.simpleMessage("Tiếp tục"), + "processed": MessageLookupByLibrary.simpleMessage("Đã xử lý"), + "processing": MessageLookupByLibrary.simpleMessage("Đang xử lý"), + "processingImport": m67, + "processingVideos": + MessageLookupByLibrary.simpleMessage("Đang xử lý video"), + "publicLinkCreated": MessageLookupByLibrary.simpleMessage( + "Liên kết công khai đã được tạo"), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( + "Liên kết công khai đã được bật"), + "questionmark": MessageLookupByLibrary.simpleMessage("?"), + "queued": MessageLookupByLibrary.simpleMessage("Đang chờ"), + "quickLinks": MessageLookupByLibrary.simpleMessage("Liên kết nhanh"), + "radius": MessageLookupByLibrary.simpleMessage("Bán kính"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("Yêu cầu hỗ trợ"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("Đánh giá ứng dụng"), + "rateUs": MessageLookupByLibrary.simpleMessage("Đánh giá chúng tôi"), + "rateUsOnStore": m68, + "reassignMe": + MessageLookupByLibrary.simpleMessage("Chỉ định lại \"Tôi\""), + "reassignedToName": m69, + "reassigningLoading": + MessageLookupByLibrary.simpleMessage("Đang chỉ định lại..."), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Nhắc khi đến sinh nhật của ai đó. Chạm vào thông báo sẽ đưa bạn đến ảnh của người sinh nhật."), + "recover": MessageLookupByLibrary.simpleMessage("Khôi phục"), + "recoverAccount": + MessageLookupByLibrary.simpleMessage("Khôi phục tài khoản"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Khôi phục"), + "recoveryAccount": + MessageLookupByLibrary.simpleMessage("Khôi phục tài khoản"), + "recoveryInitiated": MessageLookupByLibrary.simpleMessage( + "Quá trình khôi phục đã được khởi động"), + "recoveryInitiatedDesc": m70, + "recoveryKey": MessageLookupByLibrary.simpleMessage("Mã khôi phục"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Đã sao chép mã khôi phục vào bộ nhớ tạm"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Nếu bạn quên mật khẩu, cách duy nhất để khôi phục dữ liệu của bạn là dùng mã này."), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Chúng tôi không lưu trữ mã này, nên hãy lưu nó ở nơi an toàn."), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "Tuyệt! Mã khôi phục của bạn hợp lệ. Cảm ơn đã xác minh.\n\nNhớ lưu giữ mã khôi phục của bạn ở nơi an toàn."), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( + "Mã khôi phục đã được xác minh"), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "Mã khôi phục là cách duy nhất để khôi phục ảnh của bạn nếu bạn quên mật khẩu. Bạn có thể xem mã khôi phục của mình trong Cài đặt > Tài khoản.\n\nVui lòng nhập mã khôi phục của bạn ở đây để xác minh rằng bạn đã lưu nó đúng cách."), + "recoveryReady": m71, + "recoverySuccessful": + MessageLookupByLibrary.simpleMessage("Khôi phục thành công!"), + "recoveryWarning": MessageLookupByLibrary.simpleMessage( + "Một liên hệ tin cậy đang cố gắng truy cập tài khoản của bạn"), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Thiết bị hiện tại không đủ mạnh để xác minh mật khẩu của bạn, nhưng chúng tôi có thể tạo lại để nó hoạt động với tất cả thiết bị.\n\nVui lòng đăng nhập bằng mã khôi phục và tạo lại mật khẩu (bạn có thể dùng lại mật khẩu cũ nếu muốn)."), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("Tạo lại mật khẩu"), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": + MessageLookupByLibrary.simpleMessage("Nhập lại mật khẩu"), + "reenterPin": MessageLookupByLibrary.simpleMessage("Nhập lại PIN"), + "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( + "Giới thiệu bạn bè và ×2 gói của bạn"), + "referralStep1": MessageLookupByLibrary.simpleMessage( + "1. Đưa mã này cho bạn bè của bạn"), + "referralStep2": + MessageLookupByLibrary.simpleMessage("2. Họ đăng ký gói trả phí"), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("Giới thiệu"), + "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( + "Giới thiệu hiện đang tạm dừng"), + "rejectRecovery": + MessageLookupByLibrary.simpleMessage("Từ chối khôi phục"), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "Hãy xóa luôn \"Đã xóa gần đây\" từ \"Cài đặt\" -> \"Lưu trữ\" để lấy lại dung lượng đã giải phóng"), + "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( + "Hãy xóa luôn \"Thùng rác\" của bạn để lấy lại dung lượng đã giải phóng"), + "remoteImages": MessageLookupByLibrary.simpleMessage("Ảnh bên ngoài"), + "remoteThumbnails": + MessageLookupByLibrary.simpleMessage("Ảnh thu nhỏ bên ngoài"), + "remoteVideos": MessageLookupByLibrary.simpleMessage("Video bên ngoài"), + "remove": MessageLookupByLibrary.simpleMessage("Xóa"), + "removeDuplicates": + MessageLookupByLibrary.simpleMessage("Xóa trùng lặp"), + "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( + "Xem và xóa các tệp bị trùng lặp."), + "removeFromAlbum": + MessageLookupByLibrary.simpleMessage("Xóa khỏi album"), + "removeFromAlbumTitle": + MessageLookupByLibrary.simpleMessage("Xóa khỏi album?"), + "removeFromFavorite": + MessageLookupByLibrary.simpleMessage("Xóa khỏi mục đã thích"), + "removeInvite": MessageLookupByLibrary.simpleMessage("Gỡ bỏ lời mời"), + "removeLink": MessageLookupByLibrary.simpleMessage("Xóa liên kết"), + "removeParticipant": + MessageLookupByLibrary.simpleMessage("Xóa người tham gia"), + "removeParticipantBody": m74, + "removePersonLabel": + MessageLookupByLibrary.simpleMessage("Xóa nhãn người"), + "removePublicLink": + MessageLookupByLibrary.simpleMessage("Xóa liên kết công khai"), + "removePublicLinks": + MessageLookupByLibrary.simpleMessage("Xóa liên kết công khai"), + "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( + "Vài mục mà bạn đang xóa được thêm bởi người khác, và bạn sẽ mất quyền truy cập vào chúng"), + "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("Xóa?"), + "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( + "Gỡ bỏ bạn khỏi liên hệ tin cậy"), + "removingFromFavorites": MessageLookupByLibrary.simpleMessage( + "Đang xóa khỏi mục yêu thích..."), + "rename": MessageLookupByLibrary.simpleMessage("Đổi tên"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("Đổi tên album"), + "renameFile": MessageLookupByLibrary.simpleMessage("Đổi tên tệp"), + "renewSubscription": + MessageLookupByLibrary.simpleMessage("Gia hạn gói"), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("Báo lỗi"), + "reportBug": MessageLookupByLibrary.simpleMessage("Báo lỗi"), + "resendEmail": MessageLookupByLibrary.simpleMessage("Gửi lại email"), + "reset": MessageLookupByLibrary.simpleMessage("Đặt lại"), + "resetIgnoredFiles": + MessageLookupByLibrary.simpleMessage("Đặt lại các tệp bị bỏ qua"), + "resetPasswordTitle": + MessageLookupByLibrary.simpleMessage("Đặt lại mật khẩu"), + "resetPerson": MessageLookupByLibrary.simpleMessage("Xóa"), + "resetToDefault": + MessageLookupByLibrary.simpleMessage("Đặt lại mặc định"), + "restore": MessageLookupByLibrary.simpleMessage("Khôi phục"), + "restoreToAlbum": + MessageLookupByLibrary.simpleMessage("Khôi phục vào album"), + "restoringFiles": + MessageLookupByLibrary.simpleMessage("Đang khôi phục tệp..."), + "resumableUploads": + MessageLookupByLibrary.simpleMessage("Cho phép tải lên tiếp tục"), + "retry": MessageLookupByLibrary.simpleMessage("Thử lại"), + "review": MessageLookupByLibrary.simpleMessage("Xem lại"), + "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( + "Vui lòng xem qua và xóa các mục mà bạn tin là trùng lặp."), + "reviewSuggestions": MessageLookupByLibrary.simpleMessage("Xem gợi ý"), + "right": MessageLookupByLibrary.simpleMessage("Phải"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("Xoay"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("Xoay trái"), + "rotateRight": MessageLookupByLibrary.simpleMessage("Xoay phải"), + "safelyStored": MessageLookupByLibrary.simpleMessage("Lưu trữ an toàn"), + "same": MessageLookupByLibrary.simpleMessage("Chính xác"), + "sameperson": MessageLookupByLibrary.simpleMessage("Cùng một người?"), + "save": MessageLookupByLibrary.simpleMessage("Lưu"), + "saveAsAnotherPerson": + MessageLookupByLibrary.simpleMessage("Lưu như một người khác"), + "saveChangesBeforeLeavingQuestion": + MessageLookupByLibrary.simpleMessage("Lưu thay đổi trước khi rời?"), + "saveCollage": MessageLookupByLibrary.simpleMessage("Lưu ảnh ghép"), + "saveCopy": MessageLookupByLibrary.simpleMessage("Lưu bản sao"), + "saveKey": MessageLookupByLibrary.simpleMessage("Lưu mã"), + "savePerson": MessageLookupByLibrary.simpleMessage("Lưu người"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage( + "Lưu mã khôi phục của bạn nếu bạn chưa làm"), + "saving": MessageLookupByLibrary.simpleMessage("Đang lưu..."), + "savingEdits": + MessageLookupByLibrary.simpleMessage("Đang lưu chỉnh sửa..."), + "scanCode": MessageLookupByLibrary.simpleMessage("Quét mã"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Quét mã vạch này bằng\nứng dụng xác thực của bạn"), + "search": MessageLookupByLibrary.simpleMessage("Tìm kiếm"), + "searchAlbumsEmptySection": + MessageLookupByLibrary.simpleMessage("Album"), + "searchByAlbumNameHint": + MessageLookupByLibrary.simpleMessage("Tên album"), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• Tên album (vd: \"Camera\")\n• Loại tệp (vd: \"Video\", \".gif\")\n• Năm và tháng (vd: \"2022\", \"Tháng Một\")\n• Ngày lễ (vd: \"Giáng Sinh\")\n• Mô tả ảnh (vd: “#vui”)"), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "Thêm mô tả như \"#phượt\" trong thông tin ảnh để tìm nhanh thấy chúng ở đây"), + "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( + "Tìm kiếm theo ngày, tháng hoặc năm"), + "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( + "Ảnh sẽ được hiển thị ở đây sau khi xử lý và đồng bộ hoàn tất"), + "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( + "Người sẽ được hiển thị ở đây khi quá trình xử lý hoàn tất"), + "searchFileTypesAndNamesEmptySection": + MessageLookupByLibrary.simpleMessage("Loại tệp và tên"), + "searchHint1": MessageLookupByLibrary.simpleMessage( + "Tìm kiếm nhanh, trên thiết bị"), + "searchHint2": + MessageLookupByLibrary.simpleMessage("Ngày chụp, mô tả ảnh"), + "searchHint3": + MessageLookupByLibrary.simpleMessage("Album, tên tệp và loại"), + "searchHint4": MessageLookupByLibrary.simpleMessage("Vị trí"), + "searchHint5": MessageLookupByLibrary.simpleMessage( + "Sắp ra mắt: Nhận diện khuôn mặt & tìm kiếm vi diệu ✨"), + "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( + "Xếp nhóm những ảnh được chụp gần kề nhau"), + "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( + "Mời mọi người, và bạn sẽ thấy tất cả ảnh mà họ chia sẻ ở đây"), + "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( + "Người sẽ được hiển thị ở đây sau khi hoàn tất xử lý và đồng bộ"), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("Bảo mật"), + "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( + "Xem liên kết album công khai trong ứng dụng"), + "selectALocation": + MessageLookupByLibrary.simpleMessage("Chọn một vị trí"), + "selectALocationFirst": + MessageLookupByLibrary.simpleMessage("Chọn một vị trí trước"), + "selectAlbum": MessageLookupByLibrary.simpleMessage("Chọn album"), + "selectAll": MessageLookupByLibrary.simpleMessage("Chọn tất cả"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("Tất cả"), + "selectCoverPhoto": + MessageLookupByLibrary.simpleMessage("Chọn ảnh bìa"), + "selectDate": MessageLookupByLibrary.simpleMessage("Chọn ngày"), + "selectFoldersForBackup": + MessageLookupByLibrary.simpleMessage("Chọn thư mục để sao lưu"), + "selectItemsToAdd": + MessageLookupByLibrary.simpleMessage("Chọn mục để thêm"), + "selectLanguage": MessageLookupByLibrary.simpleMessage("Chọn ngôn ngữ"), + "selectMailApp": + MessageLookupByLibrary.simpleMessage("Chọn ứng dụng email"), + "selectMorePhotos": + MessageLookupByLibrary.simpleMessage("Chọn thêm ảnh"), + "selectOneDateAndTime": + MessageLookupByLibrary.simpleMessage("Chọn một ngày và giờ"), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "Chọn một ngày và giờ cho tất cả"), + "selectPersonToLink": + MessageLookupByLibrary.simpleMessage("Chọn người để liên kết"), + "selectReason": MessageLookupByLibrary.simpleMessage("Chọn lý do"), + "selectStartOfRange": + MessageLookupByLibrary.simpleMessage("Chọn phạm vi bắt đầu"), + "selectTime": MessageLookupByLibrary.simpleMessage("Chọn thời gian"), + "selectYourFace": + MessageLookupByLibrary.simpleMessage("Chọn khuôn mặt bạn"), + "selectYourPlan": + MessageLookupByLibrary.simpleMessage("Chọn gói của bạn"), + "selectedAlbums": m79, + "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( + "Các tệp đã chọn không có trên Ente"), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage( + "Các thư mục đã chọn sẽ được mã hóa và sao lưu"), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage( + "Các tệp đã chọn sẽ bị xóa khỏi tất cả album và cho vào thùng rác."), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "Các mục đã chọn sẽ bị xóa khỏi người này, nhưng không bị xóa khỏi thư viện của bạn."), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("Gửi"), + "sendEmail": MessageLookupByLibrary.simpleMessage("Gửi email"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Gửi lời mời"), + "sendLink": MessageLookupByLibrary.simpleMessage("Gửi liên kết"), + "serverEndpoint": + MessageLookupByLibrary.simpleMessage("Điểm cuối máy chủ"), + "sessionExpired": + MessageLookupByLibrary.simpleMessage("Phiên đã hết hạn"), + "sessionIdMismatch": + MessageLookupByLibrary.simpleMessage("Mã phiên không khớp"), + "setAPassword": MessageLookupByLibrary.simpleMessage("Đặt mật khẩu"), + "setAs": MessageLookupByLibrary.simpleMessage("Đặt làm"), + "setCover": MessageLookupByLibrary.simpleMessage("Đặt ảnh bìa"), + "setLabel": MessageLookupByLibrary.simpleMessage("Đặt"), + "setNewPassword": + MessageLookupByLibrary.simpleMessage("Đặt mật khẩu mới"), + "setNewPin": MessageLookupByLibrary.simpleMessage("Đặt PIN mới"), + "setPasswordTitle": + MessageLookupByLibrary.simpleMessage("Đặt mật khẩu"), + "setRadius": MessageLookupByLibrary.simpleMessage("Đặt bán kính"), + "setupComplete": + MessageLookupByLibrary.simpleMessage("Cài đặt hoàn tất"), + "share": MessageLookupByLibrary.simpleMessage("Chia sẻ"), + "shareALink": + MessageLookupByLibrary.simpleMessage("Chia sẻ một liên kết"), + "shareAlbumHint": MessageLookupByLibrary.simpleMessage( + "Mở album và nhấn nút chia sẻ ở góc trên bên phải để chia sẻ."), + "shareAnAlbumNow": + MessageLookupByLibrary.simpleMessage("Chia sẻ ngay một album"), + "shareLink": MessageLookupByLibrary.simpleMessage("Chia sẻ liên kết"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( + "Chỉ chia sẻ với những người bạn muốn"), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Tải Ente để chúng ta có thể dễ dàng chia sẻ ảnh và video chất lượng gốc\n\nhttps://ente.io"), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Chia sẻ với người không dùng Ente"), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage( + "Chia sẻ album đầu tiên của bạn"), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Tạo album chia sẻ và cộng tác với người dùng Ente khác, bao gồm cả người dùng các gói miễn phí."), + "sharedByMe": MessageLookupByLibrary.simpleMessage("Chia sẻ bởi tôi"), + "sharedByYou": + MessageLookupByLibrary.simpleMessage("Được chia sẻ bởi bạn"), + "sharedPhotoNotifications": + MessageLookupByLibrary.simpleMessage("Ảnh chia sẻ mới"), + "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( + "Nhận thông báo khi ai đó thêm ảnh vào album chia sẻ mà bạn tham gia"), + "sharedWith": m87, + "sharedWithMe": MessageLookupByLibrary.simpleMessage("Chia sẻ với tôi"), + "sharedWithYou": + MessageLookupByLibrary.simpleMessage("Được chia sẻ với bạn"), + "sharing": MessageLookupByLibrary.simpleMessage("Đang chia sẻ..."), + "shiftDatesAndTime": + MessageLookupByLibrary.simpleMessage("Di chuyển ngày và giờ"), + "showLessFaces": + MessageLookupByLibrary.simpleMessage("Hiện ít khuôn mặt hơn"), + "showMemories": MessageLookupByLibrary.simpleMessage("Xem lại kỷ niệm"), + "showMoreFaces": + MessageLookupByLibrary.simpleMessage("Hiện nhiều khuôn mặt hơn"), + "showPerson": MessageLookupByLibrary.simpleMessage("Hiện người"), + "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( + "Đăng xuất khỏi các thiết bị khác"), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "Nếu bạn nghĩ rằng ai đó biết mật khẩu của bạn, hãy ép tài khoản của bạn đăng xuất khỏi tất cả thiết bị khác đang sử dụng."), + "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( + "Đăng xuất khỏi các thiết bị khác"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Tôi đồng ý với điều khoảnchính sách bảo mật"), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Nó sẽ bị xóa khỏi tất cả album."), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("Bỏ qua"), + "smartMemories": + MessageLookupByLibrary.simpleMessage("Gợi nhớ kỷ niệm"), + "social": MessageLookupByLibrary.simpleMessage("Mạng xã hội"), + "someItemsAreInBothEnteAndYourDevice": + MessageLookupByLibrary.simpleMessage( + "Một số mục có trên cả Ente và thiết bị của bạn."), + "someOfTheFilesYouAreTryingToDeleteAre": + MessageLookupByLibrary.simpleMessage( + "Một số tệp bạn đang cố gắng xóa chỉ có trên thiết bị của bạn và không thể khôi phục nếu bị xóa"), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Ai đó chia sẻ album với bạn nên thấy cùng một ID trên thiết bị của họ."), + "somethingWentWrong": + MessageLookupByLibrary.simpleMessage("Có gì đó không ổn"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Có gì đó không ổn, vui lòng thử lại"), + "sorry": MessageLookupByLibrary.simpleMessage("Xin lỗi"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "Rất tiếc, không thể sao lưu tệp vào lúc này, chúng tôi sẽ thử lại sau."), + "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( + "Xin lỗi, không thể thêm vào mục yêu thích!"), + "sorryCouldNotRemoveFromFavorites": + MessageLookupByLibrary.simpleMessage( + "Xin lỗi, không thể xóa khỏi mục yêu thích!"), + "sorryTheCodeYouveEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "Rất tiếc, mã bạn nhập không chính xác"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Rất tiếc, chúng tôi không thể tạo khóa an toàn trên thiết bị này.\n\nVui lòng đăng ký từ một thiết bị khác."), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Rất tiếc, chúng tôi phải dừng sao lưu cho bạn"), + "sort": MessageLookupByLibrary.simpleMessage("Sắp xếp"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sắp xếp theo"), + "sortNewestFirst": + MessageLookupByLibrary.simpleMessage("Mới nhất trước"), + "sortOldestFirst": + MessageLookupByLibrary.simpleMessage("Cũ nhất trước"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Thành công"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": + MessageLookupByLibrary.simpleMessage("Tập trung vào bản thân bạn"), + "startAccountRecoveryTitle": + MessageLookupByLibrary.simpleMessage("Bắt đầu khôi phục"), + "startBackup": MessageLookupByLibrary.simpleMessage("Bắt đầu sao lưu"), + "status": MessageLookupByLibrary.simpleMessage("Trạng thái"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage( + "Bạn có muốn dừng phát không?"), + "stopCastingTitle": MessageLookupByLibrary.simpleMessage("Dừng phát"), + "storage": MessageLookupByLibrary.simpleMessage("Dung lượng"), + "storageBreakupFamily": + MessageLookupByLibrary.simpleMessage("Gia đình"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Bạn"), + "storageInGB": m93, + "storageLimitExceeded": + MessageLookupByLibrary.simpleMessage("Đã vượt hạn mức lưu trữ"), + "storageUsageInfo": m94, + "streamDetails": MessageLookupByLibrary.simpleMessage("Chi tiết phát"), + "strongStrength": MessageLookupByLibrary.simpleMessage("Mạnh"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("Đăng ký gói"), + "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( + "Bạn phải dùng gói trả phí mới có thể chia sẻ."), + "subscription": MessageLookupByLibrary.simpleMessage("Gói đăng ký"), + "success": MessageLookupByLibrary.simpleMessage("Thành công"), + "successfullyArchived": + MessageLookupByLibrary.simpleMessage("Lưu trữ thành công"), + "successfullyHid": + MessageLookupByLibrary.simpleMessage("Đã ẩn thành công"), + "successfullyUnarchived": + MessageLookupByLibrary.simpleMessage("Bỏ lưu trữ thành công"), + "successfullyUnhid": + MessageLookupByLibrary.simpleMessage("Đã hiện thành công"), + "suggestFeatures": + MessageLookupByLibrary.simpleMessage("Đề xuất tính năng"), + "sunrise": MessageLookupByLibrary.simpleMessage("Đường chân trời"), + "support": MessageLookupByLibrary.simpleMessage("Hỗ trợ"), + "syncProgress": m97, + "syncStopped": + MessageLookupByLibrary.simpleMessage("Đồng bộ hóa đã dừng"), + "syncing": MessageLookupByLibrary.simpleMessage("Đang đồng bộ..."), + "systemTheme": MessageLookupByLibrary.simpleMessage("Giống hệ thống"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("nhấn để sao chép"), + "tapToEnterCode": + MessageLookupByLibrary.simpleMessage("Nhấn để nhập mã"), + "tapToUnlock": MessageLookupByLibrary.simpleMessage("Nhấn để mở khóa"), + "tapToUpload": MessageLookupByLibrary.simpleMessage("Nhấn để tải lên"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( + "Có vẻ đã xảy ra sự cố. Vui lòng thử lại sau ít phút. Nếu lỗi vẫn tiếp diễn, hãy liên hệ với đội ngũ hỗ trợ của chúng tôi."), + "terminate": MessageLookupByLibrary.simpleMessage("Kết thúc"), + "terminateSession": + MessageLookupByLibrary.simpleMessage("Kết thúc phiên? "), + "terms": MessageLookupByLibrary.simpleMessage("Điều khoản"), + "termsOfServicesTitle": + MessageLookupByLibrary.simpleMessage("Điều khoản"), + "thankYou": MessageLookupByLibrary.simpleMessage("Cảm ơn bạn"), + "thankYouForSubscribing": + MessageLookupByLibrary.simpleMessage("Cảm ơn bạn đã đăng ký gói!"), + "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( + "Không thể hoàn tất tải xuống"), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage( + "Liên kết mà bạn truy cập đã hết hạn."), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Nhóm người sẽ không được hiển thị trong phần người nữa. Ảnh sẽ vẫn được giữ nguyên."), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Người sẽ không được hiển thị trong phần người nữa. Ảnh sẽ vẫn được giữ nguyên."), + "theRecoveryKeyYouEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage( + "Mã khôi phục bạn nhập không chính xác"), + "theme": MessageLookupByLibrary.simpleMessage("Chủ đề"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage( + "Các mục này sẽ bị xóa khỏi thiết bị của bạn."), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( + "Nó sẽ bị xóa khỏi tất cả album."), + "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage( + "Không thể hoàn tác thao tác này"), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage( + "Album này đã có một liên kết cộng tác"), + "thisCanBeUsedToRecoverYourAccountIfYou": + MessageLookupByLibrary.simpleMessage( + "Chúng có thể giúp khôi phục tài khoản của bạn nếu bạn mất xác thực 2 bước"), + "thisDevice": MessageLookupByLibrary.simpleMessage("Thiết bị này"), + "thisEmailIsAlreadyInUse": + MessageLookupByLibrary.simpleMessage("Email này đã được sử dụng"), + "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( + "Ảnh này không có thông số Exif"), + "thisIsMeExclamation": + MessageLookupByLibrary.simpleMessage("Đây là tôi!"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": + MessageLookupByLibrary.simpleMessage("Đây là ID xác minh của bạn"), + "thisWeekThroughTheYears": + MessageLookupByLibrary.simpleMessage("Tuần này qua các năm"), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Bạn cũng sẽ đăng xuất khỏi những thiết bị sau:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Bạn sẽ đăng xuất khỏi thiết bị này!"), + "thisWillMakeTheDateAndTimeOfAllSelected": + MessageLookupByLibrary.simpleMessage( + "Thao tác này sẽ làm cho ngày và giờ của tất cả ảnh được chọn đều giống nhau."), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage( + "Liên kết công khai của tất cả các liên kết nhanh đã chọn sẽ bị xóa."), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage( + "Để bật khóa ứng dụng, vui lòng thiết lập mã khóa thiết bị hoặc khóa màn hình trong cài đặt hệ thống của bạn."), + "toHideAPhotoOrVideo": + MessageLookupByLibrary.simpleMessage("Để ẩn một ảnh hoặc video"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Để đặt lại mật khẩu, vui lòng xác minh email của bạn trước."), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Nhật ký hôm nay"), + "tooManyIncorrectAttempts": + MessageLookupByLibrary.simpleMessage("Thử sai nhiều lần"), + "total": MessageLookupByLibrary.simpleMessage("tổng"), + "totalSize": MessageLookupByLibrary.simpleMessage("Tổng dung lượng"), + "trash": MessageLookupByLibrary.simpleMessage("Thùng rác"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("Cắt"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": + MessageLookupByLibrary.simpleMessage("Liên hệ tin cậy"), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("Thử lại"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "Bật sao lưu để tự động tải lên các tệp được thêm vào thư mục thiết bị này lên Ente."), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( + "Nhận 2 tháng miễn phí với các gói theo năm"), + "twofactor": MessageLookupByLibrary.simpleMessage("Xác thực 2 bước"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage( + "Xác thực 2 bước đã bị vô hiệu hóa"), + "twofactorAuthenticationPageTitle": + MessageLookupByLibrary.simpleMessage("Xác thực 2 bước"), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage( + "Xác thực 2 bước đã được đặt lại thành công"), + "twofactorSetup": + MessageLookupByLibrary.simpleMessage("Cài đặt xác minh 2 bước"), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("Bỏ lưu trữ"), + "unarchiveAlbum": + MessageLookupByLibrary.simpleMessage("Bỏ lưu trữ album"), + "unarchiving": + MessageLookupByLibrary.simpleMessage("Đang bỏ lưu trữ..."), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Rất tiếc, mã này không khả dụng."), + "uncategorized": MessageLookupByLibrary.simpleMessage("Chưa phân loại"), + "unhide": MessageLookupByLibrary.simpleMessage("Hiện lại"), + "unhideToAlbum": + MessageLookupByLibrary.simpleMessage("Hiện lại trong album"), + "unhiding": MessageLookupByLibrary.simpleMessage("Đang hiện..."), + "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage( + "Đang hiện lại tệp trong album"), + "unlock": MessageLookupByLibrary.simpleMessage("Mở khóa"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("Bỏ ghim album"), + "unselectAll": MessageLookupByLibrary.simpleMessage("Bỏ chọn tất cả"), + "update": MessageLookupByLibrary.simpleMessage("Cập nhật"), + "updateAvailable": + MessageLookupByLibrary.simpleMessage("Cập nhật có sẵn"), + "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( + "Đang cập nhật lựa chọn thư mục..."), + "upgrade": MessageLookupByLibrary.simpleMessage("Nâng cấp"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": + MessageLookupByLibrary.simpleMessage("Đang tải tệp lên album..."), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": + MessageLookupByLibrary.simpleMessage("Đang lưu giữ 1 kỷ niệm..."), + "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( + "Giảm tới 50%, đến ngày 4 Tháng 12."), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "Dung lượng có thể dùng bị giới hạn bởi gói hiện tại của bạn. Dung lượng nhận thêm vượt hạn mức sẽ tự động có thể dùng khi bạn nâng cấp gói."), + "useAsCover": MessageLookupByLibrary.simpleMessage("Đặt làm ảnh bìa"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "Phát video gặp vấn đề? Nhấn giữ tại đây để thử một trình phát khác."), + "usePublicLinksForPeopleNotOnEnte": + MessageLookupByLibrary.simpleMessage( + "Dùng liên kết công khai cho những người không dùng Ente"), + "useRecoveryKey": + MessageLookupByLibrary.simpleMessage("Dùng mã khôi phục"), + "useSelectedPhoto": + MessageLookupByLibrary.simpleMessage("Sử dụng ảnh đã chọn"), + "usedSpace": MessageLookupByLibrary.simpleMessage("Dung lượng đã dùng"), + "validTill": m110, + "verificationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Xác minh không thành công, vui lòng thử lại"), + "verificationId": MessageLookupByLibrary.simpleMessage("ID xác minh"), + "verify": MessageLookupByLibrary.simpleMessage("Xác minh"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("Xác minh email"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Xác minh"), + "verifyPasskey": + MessageLookupByLibrary.simpleMessage("Xác minh khóa truy cập"), + "verifyPassword": + MessageLookupByLibrary.simpleMessage("Xác minh mật khẩu"), + "verifying": MessageLookupByLibrary.simpleMessage("Đang xác minh..."), + "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Đang xác minh mã khôi phục..."), + "videoInfo": MessageLookupByLibrary.simpleMessage("Thông tin video"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), + "videoStreaming": + MessageLookupByLibrary.simpleMessage("Phát trực tuyến video"), + "videos": MessageLookupByLibrary.simpleMessage("Video"), + "viewActiveSessions": + MessageLookupByLibrary.simpleMessage("Xem phiên hoạt động"), + "viewAddOnButton": + MessageLookupByLibrary.simpleMessage("Xem tiện ích mở rộng"), + "viewAll": MessageLookupByLibrary.simpleMessage("Xem tất cả"), + "viewAllExifData": + MessageLookupByLibrary.simpleMessage("Xem thông số Exif"), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Tệp lớn"), + "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( + "Xem các tệp đang chiếm nhiều dung lượng nhất."), + "viewLogs": MessageLookupByLibrary.simpleMessage("Xem nhật ký"), + "viewPersonToUnlink": m112, + "viewRecoveryKey": + MessageLookupByLibrary.simpleMessage("Xem mã khôi phục"), + "viewer": MessageLookupByLibrary.simpleMessage("Người xem"), + "viewersSuccessfullyAdded": m113, + "visitWebToManage": MessageLookupByLibrary.simpleMessage( + "Vui lòng truy cập web.ente.io để quản lý gói đăng ký"), + "waitingForVerification": + MessageLookupByLibrary.simpleMessage("Đang chờ xác minh..."), + "waitingForWifi": + MessageLookupByLibrary.simpleMessage("Đang chờ WiFi..."), + "warning": MessageLookupByLibrary.simpleMessage("Cảnh báo"), + "weAreOpenSource": + MessageLookupByLibrary.simpleMessage("Chúng tôi là mã nguồn mở!"), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage( + "Chúng tôi chưa hỗ trợ chỉnh sửa ảnh và album không phải bạn sở hữu"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Yếu"), + "welcomeBack": + MessageLookupByLibrary.simpleMessage("Chào mừng trở lại!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("Có gì mới"), + "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( + "Liên hệ tin cậy có thể giúp khôi phục dữ liệu của bạn."), + "widgets": MessageLookupByLibrary.simpleMessage("Tiện ích"), + "wishThemAHappyBirthday": m115, + "yearShort": MessageLookupByLibrary.simpleMessage("năm"), + "yearly": MessageLookupByLibrary.simpleMessage("Theo năm"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("Có"), + "yesCancel": MessageLookupByLibrary.simpleMessage("Có, hủy"), + "yesConvertToViewer": + MessageLookupByLibrary.simpleMessage("Có, chuyển thành người xem"), + "yesDelete": MessageLookupByLibrary.simpleMessage("Có, xóa"), + "yesDiscardChanges": + MessageLookupByLibrary.simpleMessage("Có, bỏ qua thay đổi"), + "yesIgnore": MessageLookupByLibrary.simpleMessage("Có, bỏ qua"), + "yesLogout": MessageLookupByLibrary.simpleMessage("Có, đăng xuất"), + "yesRemove": MessageLookupByLibrary.simpleMessage("Có, xóa"), + "yesRenew": MessageLookupByLibrary.simpleMessage("Có, Gia hạn"), + "yesResetPerson": + MessageLookupByLibrary.simpleMessage("Có, đặt lại người"), + "you": MessageLookupByLibrary.simpleMessage("Bạn"), + "youAndThem": m117, + "youAreOnAFamilyPlan": + MessageLookupByLibrary.simpleMessage("Bạn đang dùng gói gia đình!"), + "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( + "Bạn đang sử dụng phiên bản mới nhất"), + "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( + "* Bạn có thể tối đa ×2 dung lượng của mình"), + "youCanManageYourLinksInTheShareTab": + MessageLookupByLibrary.simpleMessage( + "Bạn có thể quản lý các liên kết của mình trong tab chia sẻ."), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage( + "Bạn có thể thử tìm kiếm một truy vấn khác."), + "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( + "Bạn không thể đổi xuống gói này"), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Bạn không thể chia sẻ với chính mình"), + "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( + "Bạn không có mục nào đã lưu trữ."), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": + MessageLookupByLibrary.simpleMessage("Tài khoản của bạn đã bị xóa"), + "yourMap": MessageLookupByLibrary.simpleMessage("Bản đồ của bạn"), + "yourPlanWasSuccessfullyDowngraded": + MessageLookupByLibrary.simpleMessage( + "Gói của bạn đã được hạ cấp thành công"), + "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( + "Gói của bạn đã được nâng cấp thành công"), + "yourPurchaseWasSuccessful": + MessageLookupByLibrary.simpleMessage("Bạn đã giao dịch thành công"), + "yourStorageDetailsCouldNotBeFetched": + MessageLookupByLibrary.simpleMessage( + "Không thể lấy chi tiết dung lượng của bạn"), + "yourSubscriptionHasExpired": + MessageLookupByLibrary.simpleMessage("Gói của bạn đã hết hạn"), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage( + "Gói của bạn đã được cập nhật thành công"), + "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( + "Mã xác minh của bạn đã hết hạn"), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "Bạn không có tệp nào bị trùng để xóa"), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage( + "Bạn không có tệp nào có thể xóa trong album này"), + "zoomOutToSeePhotos": + MessageLookupByLibrary.simpleMessage("Phóng to để xem ảnh") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_zh.dart b/mobile/apps/photos/lib/generated/intl/messages_zh.dart index c395bc818a..4ad5c5c75c 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_zh.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_zh.dart @@ -55,7 +55,11 @@ class MessageLookup extends MessageLookupByLibrary { static String m13(user) => "${user} 将无法添加更多照片到此相册\n\n他们仍然能够删除他们添加的现有照片"; static String m14(isFamilyMember, storageAmountInGb) => - "${Intl.select(isFamilyMember, {'true': '到目前为止,您的家庭已经领取了 ${storageAmountInGb} GB', 'false': '到目前为止,您已经领取了 ${storageAmountInGb} GB', 'other': '到目前为止,您已经领取了${storageAmountInGb} GB'})}"; + "${Intl.select(isFamilyMember, { + 'true': '到目前为止,您的家庭已经领取了 ${storageAmountInGb} GB', + 'false': '到目前为止,您已经领取了 ${storageAmountInGb} GB', + 'other': '到目前为止,您已经领取了${storageAmountInGb} GB', + })}"; static String m15(albumName) => "为 ${albumName} 创建了协作链接"; @@ -242,11 +246,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( - usedAmount, - usedStorageUnit, - totalAmount, - totalStorageUnit, - ) => + usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => "已使用 ${usedAmount} ${usedStorageUnit} / ${totalAmount} ${totalStorageUnit}"; static String m95(id) => @@ -304,1806 +304,1598 @@ class MessageLookup extends MessageLookupByLibrary { final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { - "aNewVersionOfEnteIsAvailable": MessageLookupByLibrary.simpleMessage( - "有新版本的 Ente 可供使用。", - ), - "about": MessageLookupByLibrary.simpleMessage("关于"), - "acceptTrustInvite": MessageLookupByLibrary.simpleMessage("接受邀请"), - "account": MessageLookupByLibrary.simpleMessage("账户"), - "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( - "账户已配置。", - ), - "accountOwnerPersonAppbarTitle": m0, - "accountWelcomeBack": MessageLookupByLibrary.simpleMessage("欢迎回来!"), - "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "我明白,如果我丢失密码,我可能会丢失我的数据,因为我的数据是 端到端加密的。", - ), - "actionNotSupportedOnFavouritesAlbum": MessageLookupByLibrary.simpleMessage( - "收藏相册不支持此操作", - ), - "activeSessions": MessageLookupByLibrary.simpleMessage("已登录的设备"), - "add": MessageLookupByLibrary.simpleMessage("添加"), - "addAName": MessageLookupByLibrary.simpleMessage("添加一个名称"), - "addANewEmail": MessageLookupByLibrary.simpleMessage("添加新的电子邮件"), - "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "将相册小组件添加到您的主屏幕,然后返回此处进行自定义。", - ), - "addCollaborator": MessageLookupByLibrary.simpleMessage("添加协作者"), - "addCollaborators": m1, - "addFiles": MessageLookupByLibrary.simpleMessage("添加文件"), - "addFromDevice": MessageLookupByLibrary.simpleMessage("从设备添加"), - "addItem": m2, - "addLocation": MessageLookupByLibrary.simpleMessage("添加地点"), - "addLocationButton": MessageLookupByLibrary.simpleMessage("添加"), - "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "将回忆小组件添加到您的主屏幕,然后返回此处进行自定义。", - ), - "addMore": MessageLookupByLibrary.simpleMessage("添加更多"), - "addName": MessageLookupByLibrary.simpleMessage("添加名称"), - "addNameOrMerge": MessageLookupByLibrary.simpleMessage("添加名称或合并"), - "addNew": MessageLookupByLibrary.simpleMessage("新建"), - "addNewPerson": MessageLookupByLibrary.simpleMessage("添加新人物"), - "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage("附加组件详情"), - "addOnValidTill": m3, - "addOns": MessageLookupByLibrary.simpleMessage("附加组件"), - "addParticipants": MessageLookupByLibrary.simpleMessage("添加参与者"), - "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( - "将人物小组件添加到您的主屏幕,然后返回此处进行自定义。", - ), - "addPhotos": MessageLookupByLibrary.simpleMessage("添加照片"), - "addSelected": MessageLookupByLibrary.simpleMessage("添加所选项"), - "addToAlbum": MessageLookupByLibrary.simpleMessage("添加到相册"), - "addToEnte": MessageLookupByLibrary.simpleMessage("添加到 Ente"), - "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage("添加到隐藏相册"), - "addTrustedContact": MessageLookupByLibrary.simpleMessage("添加可信联系人"), - "addViewer": MessageLookupByLibrary.simpleMessage("添加查看者"), - "addViewers": m4, - "addYourPhotosNow": MessageLookupByLibrary.simpleMessage("立即添加您的照片"), - "addedAs": MessageLookupByLibrary.simpleMessage("已添加为"), - "addedBy": m5, - "addedSuccessfullyTo": m6, - "addingToFavorites": MessageLookupByLibrary.simpleMessage("正在添加到收藏..."), - "admiringThem": m7, - "advanced": MessageLookupByLibrary.simpleMessage("高级设置"), - "advancedSettings": MessageLookupByLibrary.simpleMessage("高级设置"), - "after1Day": MessageLookupByLibrary.simpleMessage("1天后"), - "after1Hour": MessageLookupByLibrary.simpleMessage("1小时后"), - "after1Month": MessageLookupByLibrary.simpleMessage("1个月后"), - "after1Week": MessageLookupByLibrary.simpleMessage("1 周后"), - "after1Year": MessageLookupByLibrary.simpleMessage("1 年后"), - "albumOwner": MessageLookupByLibrary.simpleMessage("所有者"), - "albumParticipantsCount": m8, - "albumTitle": MessageLookupByLibrary.simpleMessage("相册标题"), - "albumUpdated": MessageLookupByLibrary.simpleMessage("相册已更新"), - "albums": MessageLookupByLibrary.simpleMessage("相册"), - "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( - "选择您希望在主屏幕上看到的相册。", - ), - "allClear": MessageLookupByLibrary.simpleMessage("✨ 全部清除"), - "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage("所有回忆都已保存"), - "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( - "此人的所有分组都将被重设,并且您将丢失针对此人的所有建议", - ), - "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": - MessageLookupByLibrary.simpleMessage( - "所有未命名组将合并到所选人物中。此操作仍可从该人物的建议历史概览中撤销。", - ), - "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( - "这张照片是该组中的第一张。其他已选择的照片将根据此新日期自动调整。", - ), - "allow": MessageLookupByLibrary.simpleMessage("允许"), - "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( - "允许具有链接的人也将照片添加到共享相册。", - ), - "allowAddingPhotos": MessageLookupByLibrary.simpleMessage("允许添加照片"), - "allowAppToOpenSharedAlbumLinks": MessageLookupByLibrary.simpleMessage( - "允许应用打开共享相册链接", - ), - "allowDownloads": MessageLookupByLibrary.simpleMessage("允许下载"), - "allowPeopleToAddPhotos": MessageLookupByLibrary.simpleMessage("允许人们添加照片"), - "allowPermBody": MessageLookupByLibrary.simpleMessage( - "请从“设置”中选择允许访问您的照片,以便 Ente 可以显示和备份您的图库。", - ), - "allowPermTitle": MessageLookupByLibrary.simpleMessage("允许访问照片"), - "androidBiometricHint": MessageLookupByLibrary.simpleMessage("验证身份"), - "androidBiometricNotRecognized": MessageLookupByLibrary.simpleMessage( - "无法识别。请重试。", - ), - "androidBiometricRequiredTitle": MessageLookupByLibrary.simpleMessage( - "需要生物识别认证", - ), - "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("成功"), - "androidCancelButton": MessageLookupByLibrary.simpleMessage("取消"), - "androidDeviceCredentialsRequiredTitle": - MessageLookupByLibrary.simpleMessage("需要设备凭据"), - "androidDeviceCredentialsSetupDescription": - MessageLookupByLibrary.simpleMessage("需要设备凭据"), - "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "您未在该设备上设置生物识别身份验证。前往“设置>安全”添加生物识别身份验证。", - ), - "androidIosWebDesktop": MessageLookupByLibrary.simpleMessage( - "安卓, iOS, 网页端, 桌面端", - ), - "androidSignInTitle": MessageLookupByLibrary.simpleMessage("需要身份验证"), - "appIcon": MessageLookupByLibrary.simpleMessage("应用图标"), - "appLock": MessageLookupByLibrary.simpleMessage("应用锁"), - "appLockDescriptions": MessageLookupByLibrary.simpleMessage( - "在设备的默认锁定屏幕和带有 PIN 或密码的自定义锁定屏幕之间进行选择。", - ), - "appVersion": m9, - "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), - "apply": MessageLookupByLibrary.simpleMessage("应用"), - "applyCodeTitle": MessageLookupByLibrary.simpleMessage("应用代码"), - "appstoreSubscription": MessageLookupByLibrary.simpleMessage("AppStore 订阅"), - "archive": MessageLookupByLibrary.simpleMessage("存档"), - "archiveAlbum": MessageLookupByLibrary.simpleMessage("存档相册"), - "archiving": MessageLookupByLibrary.simpleMessage("正在存档..."), - "areThey": MessageLookupByLibrary.simpleMessage("他们是 "), - "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( - "您确定要从此人中移除这个人脸吗?", - ), - "areYouSureThatYouWantToLeaveTheFamily": - MessageLookupByLibrary.simpleMessage("您确定要离开家庭计划吗?"), - "areYouSureYouWantToCancel": MessageLookupByLibrary.simpleMessage( - "您确定要取消吗?", - ), - "areYouSureYouWantToChangeYourPlan": MessageLookupByLibrary.simpleMessage( - "您确定要更改您的计划吗?", - ), - "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage("您确定要退出吗?"), - "areYouSureYouWantToIgnoreThesePersons": - MessageLookupByLibrary.simpleMessage("您确定要忽略这些人吗?"), - "areYouSureYouWantToIgnoreThisPerson": MessageLookupByLibrary.simpleMessage( - "您确定要忽略此人吗?", - ), - "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( - "您确定要退出登录吗?", - ), - "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( - "您确定要合并他们吗?", - ), - "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( - "您确定要续费吗?", - ), - "areYouSureYouWantToResetThisPerson": MessageLookupByLibrary.simpleMessage( - "您确定要重设此人吗?", - ), - "askCancelReason": MessageLookupByLibrary.simpleMessage("您的订阅已取消。您想分享原因吗?"), - "askDeleteReason": MessageLookupByLibrary.simpleMessage("您删除账户的主要原因是什么?"), - "askYourLovedOnesToShare": MessageLookupByLibrary.simpleMessage("请您的亲人分享"), - "atAFalloutShelter": MessageLookupByLibrary.simpleMessage("在一个庇护所中"), - "authToChangeEmailVerificationSetting": - MessageLookupByLibrary.simpleMessage("请进行身份验证以更改电子邮件验证"), - "authToChangeLockscreenSetting": MessageLookupByLibrary.simpleMessage( - "请验证以更改锁屏设置", - ), - "authToChangeYourEmail": MessageLookupByLibrary.simpleMessage( - "请验证以更改您的电子邮件", - ), - "authToChangeYourPassword": MessageLookupByLibrary.simpleMessage( - "请验证以更改密码", - ), - "authToConfigureTwofactorAuthentication": - MessageLookupByLibrary.simpleMessage("请进行身份验证以配置双重身份认证"), - "authToInitiateAccountDeletion": MessageLookupByLibrary.simpleMessage( - "请进行身份验证以启动账户删除", - ), - "authToManageLegacy": MessageLookupByLibrary.simpleMessage( - "请验证身份以管理您的可信联系人", - ), - "authToViewPasskey": MessageLookupByLibrary.simpleMessage("请验证身份以查看您的通行密钥"), - "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( - "请验证身份以查看您已删除的文件", - ), - "authToViewYourActiveSessions": MessageLookupByLibrary.simpleMessage( - "请验证以查看您的活动会话", - ), - "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( - "请验证以查看您的隐藏文件", - ), - "authToViewYourMemories": MessageLookupByLibrary.simpleMessage( - "请验证以查看您的回忆", - ), - "authToViewYourRecoveryKey": MessageLookupByLibrary.simpleMessage( - "请验证以查看您的恢复密钥", - ), - "authenticating": MessageLookupByLibrary.simpleMessage("正在验证..."), - "authenticationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "身份验证失败,请重试", - ), - "authenticationSuccessful": MessageLookupByLibrary.simpleMessage("验证成功"), - "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "您将在此处看到可用的 Cast 设备。", - ), - "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( - "请确保已在“设置”中为 Ente Photos 应用打开本地网络权限。", - ), - "autoLock": MessageLookupByLibrary.simpleMessage("自动锁定"), - "autoLockFeatureDescription": MessageLookupByLibrary.simpleMessage( - "应用程序进入后台后锁定的时间", - ), - "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( - "由于技术故障,您已退出登录。对于由此造成的不便,我们深表歉意。", - ), - "autoPair": MessageLookupByLibrary.simpleMessage("自动配对"), - "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "自动配对仅适用于支持 Chromecast 的设备。", - ), - "available": MessageLookupByLibrary.simpleMessage("可用"), - "availableStorageSpace": m10, - "backedUpFolders": MessageLookupByLibrary.simpleMessage("已备份的文件夹"), - "backgroundWithThem": m11, - "backup": MessageLookupByLibrary.simpleMessage("备份"), - "backupFailed": MessageLookupByLibrary.simpleMessage("备份失败"), - "backupFile": MessageLookupByLibrary.simpleMessage("备份文件"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage("通过移动数据备份"), - "backupSettings": MessageLookupByLibrary.simpleMessage("备份设置"), - "backupStatus": MessageLookupByLibrary.simpleMessage("备份状态"), - "backupStatusDescription": MessageLookupByLibrary.simpleMessage( - "已备份的项目将显示在此处", - ), - "backupVideos": MessageLookupByLibrary.simpleMessage("备份视频"), - "beach": MessageLookupByLibrary.simpleMessage("沙滩与大海"), - "birthday": MessageLookupByLibrary.simpleMessage("生日"), - "birthdayNotifications": MessageLookupByLibrary.simpleMessage("生日通知"), - "birthdays": MessageLookupByLibrary.simpleMessage("生日"), - "blackFridaySale": MessageLookupByLibrary.simpleMessage("黑色星期五特惠"), - "blog": MessageLookupByLibrary.simpleMessage("博客"), - "cLDesc1": MessageLookupByLibrary.simpleMessage( - "在视频流媒体测试版和可恢复上传与下载功能的基础上,我们现已将文件上传限制提高到10GB。此功能现已在桌面和移动应用程序中可用。", - ), - "cLDesc2": MessageLookupByLibrary.simpleMessage( - "现在 iOS 设备也支持后台上传,Android 设备早已支持。无需打开应用程序即可备份最新的照片和视频。", - ), - "cLDesc3": MessageLookupByLibrary.simpleMessage( - "我们对回忆体验进行了重大改进,包括自动播放、滑动到下一个回忆以及更多功能。", - ), - "cLDesc4": MessageLookupByLibrary.simpleMessage( - "除了多项底层改进外,现在可以更轻松地查看所有检测到的人脸,对相似人脸提供反馈,以及从单张照片中添加/删除人脸。", - ), - "cLDesc5": MessageLookupByLibrary.simpleMessage( - "您现在将收到 Ente 上保存的所有生日的可选退出通知,同时附上他们最佳照片的合集。", - ), - "cLDesc6": MessageLookupByLibrary.simpleMessage( - "无需等待上传/下载完成即可关闭应用程序。所有上传和下载现在都可以中途暂停,并从中断处继续。", - ), - "cLTitle1": MessageLookupByLibrary.simpleMessage("正在上传大型视频文件"), - "cLTitle2": MessageLookupByLibrary.simpleMessage("后台上传"), - "cLTitle3": MessageLookupByLibrary.simpleMessage("自动播放回忆"), - "cLTitle4": MessageLookupByLibrary.simpleMessage("改进的人脸识别"), - "cLTitle5": MessageLookupByLibrary.simpleMessage("生日通知"), - "cLTitle6": MessageLookupByLibrary.simpleMessage("可恢复的上传和下载"), - "cachedData": MessageLookupByLibrary.simpleMessage("缓存数据"), - "calculating": MessageLookupByLibrary.simpleMessage("正在计算..."), - "canNotOpenBody": MessageLookupByLibrary.simpleMessage("抱歉,该相册无法在应用中打开。"), - "canNotOpenTitle": MessageLookupByLibrary.simpleMessage("无法打开此相册"), - "canNotUploadToAlbumsOwnedByOthers": MessageLookupByLibrary.simpleMessage( - "无法上传到他人拥有的相册中", - ), - "canOnlyCreateLinkForFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "只能为您拥有的文件创建链接", - ), - "canOnlyRemoveFilesOwnedByYou": MessageLookupByLibrary.simpleMessage( - "只能删除您拥有的文件", - ), - "cancel": MessageLookupByLibrary.simpleMessage("取消"), - "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage("取消恢复"), - "cancelAccountRecoveryBody": MessageLookupByLibrary.simpleMessage( - "您真的要取消恢复吗?", - ), - "cancelOtherSubscription": m12, - "cancelSubscription": MessageLookupByLibrary.simpleMessage("取消订阅"), - "cannotAddMorePhotosAfterBecomingViewer": m13, - "cannotDeleteSharedFiles": MessageLookupByLibrary.simpleMessage("无法删除共享文件"), - "castAlbum": MessageLookupByLibrary.simpleMessage("投放相册"), - "castIPMismatchBody": MessageLookupByLibrary.simpleMessage( - "请确保您的设备与电视处于同一网络。", - ), - "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage("投放相册失败"), - "castInstruction": MessageLookupByLibrary.simpleMessage( - "在您要配对的设备上访问 cast.ente.io。\n在下框中输入代码即可在电视上播放相册。", - ), - "centerPoint": MessageLookupByLibrary.simpleMessage("中心点"), - "change": MessageLookupByLibrary.simpleMessage("更改"), - "changeEmail": MessageLookupByLibrary.simpleMessage("修改邮箱"), - "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( - "确定要更改所选项目的位置吗?", - ), - "changePassword": MessageLookupByLibrary.simpleMessage("修改密码"), - "changePasswordTitle": MessageLookupByLibrary.simpleMessage("修改密码"), - "changePermissions": MessageLookupByLibrary.simpleMessage("要修改权限吗?"), - "changeYourReferralCode": MessageLookupByLibrary.simpleMessage("更改您的推荐代码"), - "checkForUpdates": MessageLookupByLibrary.simpleMessage("检查更新"), - "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( - "请检查您的收件箱 (或者是在您的“垃圾邮件”列表内) 以完成验证", - ), - "checkStatus": MessageLookupByLibrary.simpleMessage("检查状态"), - "checking": MessageLookupByLibrary.simpleMessage("正在检查..."), - "checkingModels": MessageLookupByLibrary.simpleMessage("正在检查模型..."), - "city": MessageLookupByLibrary.simpleMessage("城市之中"), - "claimFreeStorage": MessageLookupByLibrary.simpleMessage("领取免费存储"), - "claimMore": MessageLookupByLibrary.simpleMessage("领取更多!"), - "claimed": MessageLookupByLibrary.simpleMessage("已领取"), - "claimedStorageSoFar": m14, - "cleanUncategorized": MessageLookupByLibrary.simpleMessage("清除未分类的"), - "cleanUncategorizedDescription": MessageLookupByLibrary.simpleMessage( - "从“未分类”中删除其他相册中存在的所有文件", - ), - "clearCaches": MessageLookupByLibrary.simpleMessage("清除缓存"), - "clearIndexes": MessageLookupByLibrary.simpleMessage("清空索引"), - "click": MessageLookupByLibrary.simpleMessage("• 点击"), - "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage("• 点击溢出菜单"), - "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( - "点击安装我们迄今最好的版本", - ), - "close": MessageLookupByLibrary.simpleMessage("关闭"), - "clubByCaptureTime": MessageLookupByLibrary.simpleMessage("按拍摄时间分组"), - "clubByFileName": MessageLookupByLibrary.simpleMessage("按文件名排序"), - "clusteringProgress": MessageLookupByLibrary.simpleMessage("聚类进展"), - "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage("代码已应用"), - "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( - "抱歉,您已达到代码更改的限制。", - ), - "codeCopiedToClipboard": MessageLookupByLibrary.simpleMessage("代码已复制到剪贴板"), - "codeUsedByYou": MessageLookupByLibrary.simpleMessage("您所使用的代码"), - "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "创建一个链接来让他人无需 Ente 应用程序或账户即可在您的共享相册中添加和查看照片。非常适合收集活动照片。", - ), - "collaborativeLink": MessageLookupByLibrary.simpleMessage("协作链接"), - "collaborativeLinkCreatedFor": m15, - "collaborator": MessageLookupByLibrary.simpleMessage("协作者"), - "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": - MessageLookupByLibrary.simpleMessage("协作者可以将照片和视频添加到共享相册中。"), - "collaboratorsSuccessfullyAdded": m16, - "collageLayout": MessageLookupByLibrary.simpleMessage("布局"), - "collageSaved": MessageLookupByLibrary.simpleMessage("拼贴已保存到相册"), - "collect": MessageLookupByLibrary.simpleMessage("收集"), - "collectEventPhotos": MessageLookupByLibrary.simpleMessage("收集活动照片"), - "collectPhotos": MessageLookupByLibrary.simpleMessage("收集照片"), - "collectPhotosDescription": MessageLookupByLibrary.simpleMessage( - "创建一个您的朋友可以上传原图的链接。", - ), - "color": MessageLookupByLibrary.simpleMessage("颜色"), - "configuration": MessageLookupByLibrary.simpleMessage("配置"), - "confirm": MessageLookupByLibrary.simpleMessage("确认"), - "confirm2FADisable": MessageLookupByLibrary.simpleMessage("您确定要禁用双重认证吗?"), - "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage("确认删除账户"), - "confirmAddingTrustedContact": m17, - "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( - "是的,我想永久删除此账户及其所有关联的应用程序的数据。", - ), - "confirmPassword": MessageLookupByLibrary.simpleMessage("请确认密码"), - "confirmPlanChange": MessageLookupByLibrary.simpleMessage("确认更改计划"), - "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage("确认恢复密钥"), - "confirmYourRecoveryKey": MessageLookupByLibrary.simpleMessage("确认您的恢复密钥"), - "connectToDevice": MessageLookupByLibrary.simpleMessage("连接到设备"), - "contactFamilyAdmin": m18, - "contactSupport": MessageLookupByLibrary.simpleMessage("联系支持"), - "contactToManageSubscription": m19, - "contacts": MessageLookupByLibrary.simpleMessage("联系人"), - "contents": MessageLookupByLibrary.simpleMessage("内容"), - "continueLabel": MessageLookupByLibrary.simpleMessage("继续"), - "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage("继续免费试用"), - "convertToAlbum": MessageLookupByLibrary.simpleMessage("转换为相册"), - "copyEmailAddress": MessageLookupByLibrary.simpleMessage("复制电子邮件地址"), - "copyLink": MessageLookupByLibrary.simpleMessage("复制链接"), - "copypasteThisCodentoYourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage("请复制粘贴此代码\n到您的身份验证器应用程序上"), - "couldNotBackUpTryLater": MessageLookupByLibrary.simpleMessage( - "我们无法备份您的数据。\n我们将稍后再试。", - ), - "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage("无法释放空间"), - "couldNotUpdateSubscription": MessageLookupByLibrary.simpleMessage( - "无法升级订阅", - ), - "count": MessageLookupByLibrary.simpleMessage("计数"), - "crashReporting": MessageLookupByLibrary.simpleMessage("上报崩溃"), - "create": MessageLookupByLibrary.simpleMessage("创建"), - "createAccount": MessageLookupByLibrary.simpleMessage("创建账户"), - "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( - "长按选择照片,然后点击 + 创建相册", - ), - "createCollaborativeLink": MessageLookupByLibrary.simpleMessage("创建协作链接"), - "createCollage": MessageLookupByLibrary.simpleMessage("创建拼贴"), - "createNewAccount": MessageLookupByLibrary.simpleMessage("创建新账号"), - "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage("创建或选择相册"), - "createPublicLink": MessageLookupByLibrary.simpleMessage("创建公开链接"), - "creatingLink": MessageLookupByLibrary.simpleMessage("正在创建链接..."), - "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage("可用的关键更新"), - "crop": MessageLookupByLibrary.simpleMessage("裁剪"), - "curatedMemories": MessageLookupByLibrary.simpleMessage("精选回忆"), - "currentUsageIs": MessageLookupByLibrary.simpleMessage("当前用量 "), - "currentlyRunning": MessageLookupByLibrary.simpleMessage("目前正在运行"), - "custom": MessageLookupByLibrary.simpleMessage("自定义"), - "customEndpoint": m20, - "darkTheme": MessageLookupByLibrary.simpleMessage("深色"), - "dayToday": MessageLookupByLibrary.simpleMessage("今天"), - "dayYesterday": MessageLookupByLibrary.simpleMessage("昨天"), - "declineTrustInvite": MessageLookupByLibrary.simpleMessage("拒绝邀请"), - "decrypting": MessageLookupByLibrary.simpleMessage("解密中..."), - "decryptingVideo": MessageLookupByLibrary.simpleMessage("正在解密视频..."), - "deduplicateFiles": MessageLookupByLibrary.simpleMessage("文件去重"), - "delete": MessageLookupByLibrary.simpleMessage("删除"), - "deleteAccount": MessageLookupByLibrary.simpleMessage("删除账户"), - "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( - "我们很抱歉看到您离开。请分享您的反馈以帮助我们改进。", - ), - "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage( - "永久删除账户", - ), - "deleteAlbum": MessageLookupByLibrary.simpleMessage("删除相册"), - "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "也删除此相册中存在的照片(和视频),从 他们所加入的所有 其他相册?", - ), - "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( - "这将删除所有空相册。 当您想减少相册列表的混乱时,这很有用。", - ), - "deleteAll": MessageLookupByLibrary.simpleMessage("全部删除"), - "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( - "此账户已链接到其他 Ente 应用程序(如果您使用任何应用程序)。您在所有 Ente 应用程序中上传的数据将被安排删除,并且您的账户将被永久删除。", - ), - "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( - "请从您注册的电子邮件地址发送电子邮件到 account-delettion@ente.io。", - ), - "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage("删除空相册"), - "deleteEmptyAlbumsWithQuestionMark": MessageLookupByLibrary.simpleMessage( - "要删除空相册吗?", - ), - "deleteFromBoth": MessageLookupByLibrary.simpleMessage("同时从两者中删除"), - "deleteFromDevice": MessageLookupByLibrary.simpleMessage("从设备中删除"), - "deleteFromEnte": MessageLookupByLibrary.simpleMessage("从 Ente 中删除"), - "deleteItemCount": m21, - "deleteLocation": MessageLookupByLibrary.simpleMessage("删除位置"), - "deleteMultipleAlbumDialog": m22, - "deletePhotos": MessageLookupByLibrary.simpleMessage("删除照片"), - "deleteProgress": m23, - "deleteReason1": MessageLookupByLibrary.simpleMessage("缺少我所需的关键功能"), - "deleteReason2": MessageLookupByLibrary.simpleMessage("应用或某项功能未按预期运行"), - "deleteReason3": MessageLookupByLibrary.simpleMessage("我发现另一个产品更好用"), - "deleteReason4": MessageLookupByLibrary.simpleMessage("其他原因"), - "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( - "您的请求将在 72 小时内处理。", - ), - "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage("要删除共享相册吗?"), - "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( - "将为所有人删除相册\n\n您将无法访问此相册中他人拥有的共享照片", - ), - "deselectAll": MessageLookupByLibrary.simpleMessage("取消全选"), - "designedToOutlive": MessageLookupByLibrary.simpleMessage("经久耐用"), - "details": MessageLookupByLibrary.simpleMessage("详情"), - "developerSettings": MessageLookupByLibrary.simpleMessage("开发者设置"), - "developerSettingsWarning": MessageLookupByLibrary.simpleMessage( - "您确定要修改开发者设置吗?", - ), - "deviceCodeHint": MessageLookupByLibrary.simpleMessage("输入代码"), - "deviceFilesAutoUploading": MessageLookupByLibrary.simpleMessage( - "添加到此设备相册的文件将自动上传到 Ente。", - ), - "deviceLock": MessageLookupByLibrary.simpleMessage("设备锁"), - "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "当 Ente 置于前台且正在进行备份时将禁用设备屏幕锁定。这通常是不需要的,但可能有助于更快地完成大型上传和大型库的初始导入。", - ), - "deviceNotFound": MessageLookupByLibrary.simpleMessage("未发现设备"), - "didYouKnow": MessageLookupByLibrary.simpleMessage("您知道吗?"), - "different": MessageLookupByLibrary.simpleMessage("不同"), - "disableAutoLock": MessageLookupByLibrary.simpleMessage("禁用自动锁定"), - "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "查看者仍然可以使用外部工具截图或保存您的照片副本", - ), - "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage("请注意"), - "disableLinkMessage": m24, - "disableTwofactor": MessageLookupByLibrary.simpleMessage("禁用双重认证"), - "disablingTwofactorAuthentication": MessageLookupByLibrary.simpleMessage( - "正在禁用双重认证...", - ), - "discord": MessageLookupByLibrary.simpleMessage("Discord"), - "discover": MessageLookupByLibrary.simpleMessage("发现"), - "discover_babies": MessageLookupByLibrary.simpleMessage("婴儿"), - "discover_celebrations": MessageLookupByLibrary.simpleMessage("节日"), - "discover_food": MessageLookupByLibrary.simpleMessage("食物"), - "discover_greenery": MessageLookupByLibrary.simpleMessage("绿植"), - "discover_hills": MessageLookupByLibrary.simpleMessage("山"), - "discover_identity": MessageLookupByLibrary.simpleMessage("身份"), - "discover_memes": MessageLookupByLibrary.simpleMessage("表情包"), - "discover_notes": MessageLookupByLibrary.simpleMessage("备注"), - "discover_pets": MessageLookupByLibrary.simpleMessage("宠物"), - "discover_receipts": MessageLookupByLibrary.simpleMessage("收据"), - "discover_screenshots": MessageLookupByLibrary.simpleMessage("屏幕截图"), - "discover_selfies": MessageLookupByLibrary.simpleMessage("自拍"), - "discover_sunset": MessageLookupByLibrary.simpleMessage("日落"), - "discover_visiting_cards": MessageLookupByLibrary.simpleMessage("访问卡"), - "discover_wallpapers": MessageLookupByLibrary.simpleMessage("壁纸"), - "dismiss": MessageLookupByLibrary.simpleMessage("忽略"), - "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("公里"), - "doNotSignOut": MessageLookupByLibrary.simpleMessage("不要登出"), - "doThisLater": MessageLookupByLibrary.simpleMessage("稍后再说"), - "doYouWantToDiscardTheEditsYouHaveMade": - MessageLookupByLibrary.simpleMessage("您想要放弃您所做的编辑吗?"), - "done": MessageLookupByLibrary.simpleMessage("已完成"), - "dontSave": MessageLookupByLibrary.simpleMessage("不保存"), - "doubleYourStorage": MessageLookupByLibrary.simpleMessage("将您的存储空间增加一倍"), - "download": MessageLookupByLibrary.simpleMessage("下载"), - "downloadFailed": MessageLookupByLibrary.simpleMessage("下載失敗"), - "downloading": MessageLookupByLibrary.simpleMessage("正在下载..."), - "dropSupportEmail": m25, - "duplicateFileCountWithStorageSaved": m26, - "duplicateItemsGroup": m27, - "edit": MessageLookupByLibrary.simpleMessage("编辑"), - "editEmailAlreadyLinked": m28, - "editLocation": MessageLookupByLibrary.simpleMessage("编辑位置"), - "editLocationTagTitle": MessageLookupByLibrary.simpleMessage("编辑位置"), - "editPerson": MessageLookupByLibrary.simpleMessage("编辑人物"), - "editTime": MessageLookupByLibrary.simpleMessage("修改时间"), - "editsSaved": MessageLookupByLibrary.simpleMessage("已保存编辑"), - "editsToLocationWillOnlyBeSeenWithinEnte": - MessageLookupByLibrary.simpleMessage("对位置的编辑只能在 Ente 内看到"), - "eligible": MessageLookupByLibrary.simpleMessage("符合资格"), - "email": MessageLookupByLibrary.simpleMessage("电子邮件地址"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "此电子邮件地址已被注册。", - ), - "emailChangedTo": m29, - "emailDoesNotHaveEnteAccount": m30, - "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage("此电子邮件地址未被注册。"), - "emailVerificationToggle": MessageLookupByLibrary.simpleMessage("电子邮件验证"), - "emailYourLogs": MessageLookupByLibrary.simpleMessage("通过电子邮件发送您的日志"), - "embracingThem": m32, - "emergencyContacts": MessageLookupByLibrary.simpleMessage("紧急联系人"), - "empty": MessageLookupByLibrary.simpleMessage("清空"), - "emptyTrash": MessageLookupByLibrary.simpleMessage("要清空回收站吗?"), - "enable": MessageLookupByLibrary.simpleMessage("启用"), - "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( - "Ente 支持设备上的机器学习,实现人脸识别、魔法搜索和其他高级搜索功能", - ), - "enableMachineLearningBanner": MessageLookupByLibrary.simpleMessage( - "启用机器学习进行魔法搜索和面部识别", - ), - "enableMaps": MessageLookupByLibrary.simpleMessage("启用地图"), - "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "这将在世界地图上显示您的照片。\n\n该地图由 Open Street Map 托管,并且您的照片的确切位置永远不会共享。\n\n您可以随时从“设置”中禁用此功能。", - ), - "enabled": MessageLookupByLibrary.simpleMessage("已启用"), - "encryptingBackup": MessageLookupByLibrary.simpleMessage("正在加密备份..."), - "encryption": MessageLookupByLibrary.simpleMessage("加密"), - "encryptionKeys": MessageLookupByLibrary.simpleMessage("加密密钥"), - "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage("端点更新成功"), - "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( - "默认端到端加密", - ), - "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": - MessageLookupByLibrary.simpleMessage("仅当您授予文件访问权限时,Ente 才能加密和保存文件"), - "entePhotosPerm": MessageLookupByLibrary.simpleMessage( - "Ente 需要许可才能保存您的照片", - ), - "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( - "Ente 会保留您的回忆,因此即使您丢失了设备,也能随时找到它们。", - ), - "enteSubscriptionShareWithFamily": MessageLookupByLibrary.simpleMessage( - "您的家人也可以添加到您的计划中。", - ), - "enterAlbumName": MessageLookupByLibrary.simpleMessage("输入相册名称"), - "enterCode": MessageLookupByLibrary.simpleMessage("输入代码"), - "enterCodeDescription": MessageLookupByLibrary.simpleMessage( - "输入您的朋友提供的代码来为您申请免费存储", - ), - "enterDateOfBirth": MessageLookupByLibrary.simpleMessage("生日(可选)"), - "enterEmail": MessageLookupByLibrary.simpleMessage("输入电子邮件"), - "enterFileName": MessageLookupByLibrary.simpleMessage("请输入文件名"), - "enterName": MessageLookupByLibrary.simpleMessage("输入名称"), - "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "输入我们可以用来加密您的数据的新密码", - ), - "enterPassword": MessageLookupByLibrary.simpleMessage("输入密码"), - "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( - "输入我们可以用来加密您的数据的密码", - ), - "enterPersonName": MessageLookupByLibrary.simpleMessage("输入人物名称"), - "enterPin": MessageLookupByLibrary.simpleMessage("输入 PIN 码"), - "enterReferralCode": MessageLookupByLibrary.simpleMessage("输入推荐代码"), - "enterThe6digitCodeFromnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage("从你的身份验证器应用中\n输入6位数字代码"), - "enterValidEmail": MessageLookupByLibrary.simpleMessage("请输入一个有效的电子邮件地址。"), - "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( - "请输入您的电子邮件地址", - ), - "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( - "输入您的新电子邮件地址", - ), - "enterYourPassword": MessageLookupByLibrary.simpleMessage("输入您的密码"), - "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage("输入您的恢复密钥"), - "error": MessageLookupByLibrary.simpleMessage("错误"), - "everywhere": MessageLookupByLibrary.simpleMessage("随时随地"), - "exif": MessageLookupByLibrary.simpleMessage("EXIF"), - "existingUser": MessageLookupByLibrary.simpleMessage("现有用户"), - "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( - "此链接已过期。请选择新的过期时间或禁用链接有效期。", - ), - "exportLogs": MessageLookupByLibrary.simpleMessage("导出日志"), - "exportYourData": MessageLookupByLibrary.simpleMessage("导出您的数据"), - "extraPhotosFound": MessageLookupByLibrary.simpleMessage("发现额外照片"), - "extraPhotosFoundFor": m33, - "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage("人脸尚未聚类,请稍后再来"), - "faceRecognition": MessageLookupByLibrary.simpleMessage("人脸识别"), - "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( - "无法生成人脸缩略图", - ), - "faces": MessageLookupByLibrary.simpleMessage("人脸"), - "failed": MessageLookupByLibrary.simpleMessage("失败"), - "failedToApplyCode": MessageLookupByLibrary.simpleMessage("无法使用此代码"), - "failedToCancel": MessageLookupByLibrary.simpleMessage("取消失败"), - "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage("视频下载失败"), - "failedToFetchActiveSessions": MessageLookupByLibrary.simpleMessage( - "无法获取活动会话", - ), - "failedToFetchOriginalForEdit": MessageLookupByLibrary.simpleMessage( - "无法获取原始编辑", - ), - "failedToFetchReferralDetails": MessageLookupByLibrary.simpleMessage( - "无法获取引荐详细信息。 请稍后再试。", - ), - "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage("加载相册失败"), - "failedToPlayVideo": MessageLookupByLibrary.simpleMessage("播放视频失败"), - "failedToRefreshStripeSubscription": MessageLookupByLibrary.simpleMessage( - "刷新订阅失败", - ), - "failedToRenew": MessageLookupByLibrary.simpleMessage("续费失败"), - "failedToVerifyPaymentStatus": MessageLookupByLibrary.simpleMessage( - "验证支付状态失败", - ), - "familyPlanOverview": MessageLookupByLibrary.simpleMessage( - "将 5 名家庭成员添加到您现有的计划中,无需支付额外费用。\n\n每个成员都有自己的私人空间,除非共享,否则无法看到彼此的文件。\n\n家庭计划适用于已付费 Ente 订阅的客户。\n\n立即订阅,开始体验!", - ), - "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("家庭"), - "familyPlans": MessageLookupByLibrary.simpleMessage("家庭计划"), - "faq": MessageLookupByLibrary.simpleMessage("常见问题"), - "faqs": MessageLookupByLibrary.simpleMessage("常见问题"), - "favorite": MessageLookupByLibrary.simpleMessage("收藏"), - "feastingWithThem": m34, - "feedback": MessageLookupByLibrary.simpleMessage("反馈"), - "file": MessageLookupByLibrary.simpleMessage("文件"), - "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage("无法分析文件"), - "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( - "无法将文件保存到相册", - ), - "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage("添加说明..."), - "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage("文件尚未上传"), - "fileSavedToGallery": MessageLookupByLibrary.simpleMessage("文件已保存到相册"), - "fileTypes": MessageLookupByLibrary.simpleMessage("文件类型"), - "fileTypesAndNames": MessageLookupByLibrary.simpleMessage("文件类型和名称"), - "filesBackedUpFromDevice": m35, - "filesBackedUpInAlbum": m36, - "filesDeleted": MessageLookupByLibrary.simpleMessage("文件已删除"), - "filesSavedToGallery": MessageLookupByLibrary.simpleMessage("多个文件已保存到相册"), - "findPeopleByName": MessageLookupByLibrary.simpleMessage("按名称快速查找人物"), - "findThemQuickly": MessageLookupByLibrary.simpleMessage("快速找到它们"), - "flip": MessageLookupByLibrary.simpleMessage("上下翻转"), - "food": MessageLookupByLibrary.simpleMessage("美食盛宴"), - "forYourMemories": MessageLookupByLibrary.simpleMessage("为您的回忆"), - "forgotPassword": MessageLookupByLibrary.simpleMessage("忘记密码"), - "foundFaces": MessageLookupByLibrary.simpleMessage("已找到的人脸"), - "freeStorageClaimed": MessageLookupByLibrary.simpleMessage("已领取的免费存储"), - "freeStorageOnReferralSuccess": m37, - "freeStorageUsable": MessageLookupByLibrary.simpleMessage("可用的免费存储"), - "freeTrial": MessageLookupByLibrary.simpleMessage("免费试用"), - "freeTrialValidTill": m38, - "freeUpAccessPostDelete": m39, - "freeUpAmount": m40, - "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage("释放设备空间"), - "freeUpDeviceSpaceDesc": MessageLookupByLibrary.simpleMessage( - "通过清除已备份的文件来节省设备空间。", - ), - "freeUpSpace": MessageLookupByLibrary.simpleMessage("释放空间"), - "freeUpSpaceSaving": m41, - "gallery": MessageLookupByLibrary.simpleMessage("图库"), - "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "在图库中显示最多1000个回忆", - ), - "general": MessageLookupByLibrary.simpleMessage("通用"), - "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( - "正在生成加密密钥...", - ), - "genericProgress": m42, - "goToSettings": MessageLookupByLibrary.simpleMessage("前往设置"), - "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), - "grantFullAccessPrompt": MessageLookupByLibrary.simpleMessage( - "请在手机“设置”中授权软件访问所有照片", - ), - "grantPermission": MessageLookupByLibrary.simpleMessage("授予权限"), - "greenery": MessageLookupByLibrary.simpleMessage("绿色生活"), - "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage("将附近的照片分组"), - "guestView": MessageLookupByLibrary.simpleMessage("访客视图"), - "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( - "要启用访客视图,请在系统设置中设置设备密码或屏幕锁。", - ), - "happyBirthday": MessageLookupByLibrary.simpleMessage("生日快乐! 🥳"), - "hearUsExplanation": MessageLookupByLibrary.simpleMessage( - "我们不跟踪应用程序安装情况。如果您告诉我们您是在哪里找到我们的,将会有所帮助!", - ), - "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( - "您是如何知道Ente的? (可选的)", - ), - "help": MessageLookupByLibrary.simpleMessage("帮助"), - "hidden": MessageLookupByLibrary.simpleMessage("已隐藏"), - "hide": MessageLookupByLibrary.simpleMessage("隐藏"), - "hideContent": MessageLookupByLibrary.simpleMessage("隐藏内容"), - "hideContentDescriptionAndroid": MessageLookupByLibrary.simpleMessage( - "在应用切换器中隐藏应用内容并禁用屏幕截图", - ), - "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( - "在应用切换器中隐藏应用内容", - ), - "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( - "隐藏主页图库中的共享项目", - ), - "hiding": MessageLookupByLibrary.simpleMessage("正在隐藏..."), - "hikingWithThem": m43, - "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage("法国 OSM 主办"), - "howItWorks": MessageLookupByLibrary.simpleMessage("工作原理"), - "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( - "请让他们在设置屏幕上长按他们的电子邮件地址,并验证两台设备上的 ID 是否匹配。", - ), - "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( - "您未在该设备上设置生物识别身份验证。请在您的手机上启用 Touch ID或Face ID。", - ), - "iOSLockOut": MessageLookupByLibrary.simpleMessage( - "生物识别认证已禁用。请锁定并解锁您的屏幕以启用它。", - ), - "iOSOkButton": MessageLookupByLibrary.simpleMessage("好的"), - "ignore": MessageLookupByLibrary.simpleMessage("忽略"), - "ignoreUpdate": MessageLookupByLibrary.simpleMessage("忽略"), - "ignored": MessageLookupByLibrary.simpleMessage("已忽略"), - "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( - "此相册中的某些文件在上传时会被忽略,因为它们之前已从 Ente 中删除。", - ), - "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage("图像未分析"), - "immediately": MessageLookupByLibrary.simpleMessage("立即"), - "importing": MessageLookupByLibrary.simpleMessage("正在导入..."), - "incorrectCode": MessageLookupByLibrary.simpleMessage("代码错误"), - "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage("密码错误"), - "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage("不正确的恢复密钥"), - "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( - "您输入的恢复密钥不正确", - ), - "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage( - "恢复密钥不正确", - ), - "indexedItems": MessageLookupByLibrary.simpleMessage("已索引项目"), - "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( - "索引已暂停。待设备准备就绪后,索引将自动恢复。当设备的电池电量、电池健康度和温度状态处于健康范围内时,设备即被视为准备就绪。", - ), - "ineligible": MessageLookupByLibrary.simpleMessage("不合格"), - "info": MessageLookupByLibrary.simpleMessage("详情"), - "insecureDevice": MessageLookupByLibrary.simpleMessage("设备不安全"), - "installManually": MessageLookupByLibrary.simpleMessage("手动安装"), - "invalidEmailAddress": MessageLookupByLibrary.simpleMessage("无效的电子邮件地址"), - "invalidEndpoint": MessageLookupByLibrary.simpleMessage("端点无效"), - "invalidEndpointMessage": MessageLookupByLibrary.simpleMessage( - "抱歉,您输入的端点无效。请输入有效的端点,然后重试。", - ), - "invalidKey": MessageLookupByLibrary.simpleMessage("无效的密钥"), - "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( - "您输入的恢复密钥无效。请确保它包含24个单词,并检查每个单词的拼写。\n\n如果您输入了旧的恢复码,请确保它长度为64个字符,并检查其中每个字符。", - ), - "invite": MessageLookupByLibrary.simpleMessage("邀请"), - "inviteToEnte": MessageLookupByLibrary.simpleMessage("邀请到 Ente"), - "inviteYourFriends": MessageLookupByLibrary.simpleMessage("邀请您的朋友"), - "inviteYourFriendsToEnte": MessageLookupByLibrary.simpleMessage( - "邀请您的朋友加入 Ente", - ), - "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": - MessageLookupByLibrary.simpleMessage( - "看起来出了点问题。 请稍后重试。 如果错误仍然存在,请联系我们的支持团队。", - ), - "itemCount": m44, - "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": - MessageLookupByLibrary.simpleMessage("项目显示永久删除前剩余的天数"), - "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( - "所选项目将从此相册中移除", - ), - "join": MessageLookupByLibrary.simpleMessage("加入"), - "joinAlbum": MessageLookupByLibrary.simpleMessage("加入相册"), - "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( - "加入相册将使相册的参与者可以看到您的电子邮件地址。", - ), - "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage("来查看和添加您的照片"), - "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( - "来将其添加到共享相册", - ), - "joinDiscord": MessageLookupByLibrary.simpleMessage("加入 Discord"), - "keepPhotos": MessageLookupByLibrary.simpleMessage("保留照片"), - "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("公里"), - "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( - "请帮助我们了解这个信息", - ), - "language": MessageLookupByLibrary.simpleMessage("语言"), - "lastTimeWithThem": m45, - "lastUpdated": MessageLookupByLibrary.simpleMessage("最后更新"), - "lastYearsTrip": MessageLookupByLibrary.simpleMessage("去年的旅行"), - "leave": MessageLookupByLibrary.simpleMessage("离开"), - "leaveAlbum": MessageLookupByLibrary.simpleMessage("离开相册"), - "leaveFamily": MessageLookupByLibrary.simpleMessage("离开家庭计划"), - "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage("要离开共享相册吗?"), - "left": MessageLookupByLibrary.simpleMessage("向左"), - "legacy": MessageLookupByLibrary.simpleMessage("遗产"), - "legacyAccounts": MessageLookupByLibrary.simpleMessage("遗产账户"), - "legacyInvite": m46, - "legacyPageDesc": MessageLookupByLibrary.simpleMessage( - "遗产允许信任的联系人在您不在时访问您的账户。", - ), - "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( - "可信联系人可以启动账户恢复,如果 30 天内没有被阻止,则可以重置密码并访问您的账户。", - ), - "light": MessageLookupByLibrary.simpleMessage("亮度"), - "lightTheme": MessageLookupByLibrary.simpleMessage("浅色"), - "link": MessageLookupByLibrary.simpleMessage("链接"), - "linkCopiedToClipboard": MessageLookupByLibrary.simpleMessage("链接已复制到剪贴板"), - "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("设备限制"), - "linkEmail": MessageLookupByLibrary.simpleMessage("链接邮箱"), - "linkEmailToContactBannerCaption": MessageLookupByLibrary.simpleMessage( - "来实现更快的共享", - ), - "linkEnabled": MessageLookupByLibrary.simpleMessage("已启用"), - "linkExpired": MessageLookupByLibrary.simpleMessage("已过期"), - "linkExpiresOn": m47, - "linkExpiry": MessageLookupByLibrary.simpleMessage("链接过期"), - "linkHasExpired": MessageLookupByLibrary.simpleMessage("链接已过期"), - "linkNeverExpires": MessageLookupByLibrary.simpleMessage("永不"), - "linkPerson": MessageLookupByLibrary.simpleMessage("链接人员"), - "linkPersonCaption": MessageLookupByLibrary.simpleMessage("来感受更好的共享体验"), - "linkPersonToEmail": m48, - "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("实况照片"), - "loadMessage1": MessageLookupByLibrary.simpleMessage("您可以与家庭分享您的订阅"), - "loadMessage2": MessageLookupByLibrary.simpleMessage("我们至今已保存超过2亿个回忆"), - "loadMessage3": MessageLookupByLibrary.simpleMessage( - "我们保存你的3个数据副本,其中一个在地下安全屋中", - ), - "loadMessage4": MessageLookupByLibrary.simpleMessage("我们所有的应用程序都是开源的"), - "loadMessage5": MessageLookupByLibrary.simpleMessage("我们的源代码和加密技术已经由外部审计"), - "loadMessage6": MessageLookupByLibrary.simpleMessage("您可以与您所爱的人分享您相册的链接"), - "loadMessage7": MessageLookupByLibrary.simpleMessage( - "我们的移动应用程序在后台运行以加密和备份您点击的任何新照片", - ), - "loadMessage8": MessageLookupByLibrary.simpleMessage( - "web.ente.io 有一个巧妙的上传器", - ), - "loadMessage9": MessageLookupByLibrary.simpleMessage( - "我们使用 Xchacha20Poly1305 加密技术来安全地加密您的数据", - ), - "loadingExifData": MessageLookupByLibrary.simpleMessage("正在加载 EXIF 数据..."), - "loadingGallery": MessageLookupByLibrary.simpleMessage("正在加载图库..."), - "loadingMessage": MessageLookupByLibrary.simpleMessage("正在加载您的照片..."), - "loadingModel": MessageLookupByLibrary.simpleMessage("正在下载模型..."), - "loadingYourPhotos": MessageLookupByLibrary.simpleMessage("正在加载您的照片..."), - "localGallery": MessageLookupByLibrary.simpleMessage("本地相册"), - "localIndexing": MessageLookupByLibrary.simpleMessage("本地索引"), - "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "似乎出了点问题,因为本地照片同步耗时比预期的要长。请联系我们的支持团队", - ), - "location": MessageLookupByLibrary.simpleMessage("地理位置"), - "locationName": MessageLookupByLibrary.simpleMessage("地点名称"), - "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "位置标签将在照片的某个半径范围内拍摄的所有照片进行分组", - ), - "locations": MessageLookupByLibrary.simpleMessage("位置"), - "lockButtonLabel": MessageLookupByLibrary.simpleMessage("锁定"), - "lockscreen": MessageLookupByLibrary.simpleMessage("锁屏"), - "logInLabel": MessageLookupByLibrary.simpleMessage("登录"), - "loggingOut": MessageLookupByLibrary.simpleMessage("正在退出登录..."), - "loginSessionExpired": MessageLookupByLibrary.simpleMessage("会话已过期"), - "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( - "您的会话已过期。请重新登录。", - ), - "loginTerms": MessageLookupByLibrary.simpleMessage( - "点击登录时,默认我同意 服务条款隐私政策", - ), - "loginWithTOTP": MessageLookupByLibrary.simpleMessage("使用 TOTP 登录"), - "logout": MessageLookupByLibrary.simpleMessage("退出登录"), - "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "这将跨日志发送以帮助我们调试您的问题。 请注意,将包含文件名以帮助跟踪特定文件的问题。", - ), - "longPressAnEmailToVerifyEndToEndEncryption": - MessageLookupByLibrary.simpleMessage("长按电子邮件以验证端到端加密。"), - "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( - "长按一个项目来全屏查看", - ), - "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage("回顾你的回忆🌄"), - "loopVideoOff": MessageLookupByLibrary.simpleMessage("循环播放视频关闭"), - "loopVideoOn": MessageLookupByLibrary.simpleMessage("循环播放视频开启"), - "lostDevice": MessageLookupByLibrary.simpleMessage("设备丢失?"), - "machineLearning": MessageLookupByLibrary.simpleMessage("机器学习"), - "magicSearch": MessageLookupByLibrary.simpleMessage("魔法搜索"), - "magicSearchHint": MessageLookupByLibrary.simpleMessage( - "魔法搜索允许按内容搜索照片,例如“lower\'”、“red car”、“identity documents”", - ), - "manage": MessageLookupByLibrary.simpleMessage("管理"), - "manageDeviceStorage": MessageLookupByLibrary.simpleMessage("管理设备缓存"), - "manageDeviceStorageDesc": MessageLookupByLibrary.simpleMessage( - "检查并清除本地缓存存储。", - ), - "manageFamily": MessageLookupByLibrary.simpleMessage("管理家庭计划"), - "manageLink": MessageLookupByLibrary.simpleMessage("管理链接"), - "manageParticipants": MessageLookupByLibrary.simpleMessage("管理"), - "manageSubscription": MessageLookupByLibrary.simpleMessage("管理订阅"), - "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "用 PIN 码配对适用于您希望在其上查看相册的任何屏幕。", - ), - "map": MessageLookupByLibrary.simpleMessage("地图"), - "maps": MessageLookupByLibrary.simpleMessage("地图"), - "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), - "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), - "me": MessageLookupByLibrary.simpleMessage("我"), - "memories": MessageLookupByLibrary.simpleMessage("回忆"), - "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( - "选择您希望在主屏幕上看到的回忆类型。", - ), - "memoryCount": m50, - "merchandise": MessageLookupByLibrary.simpleMessage("商品"), - "merge": MessageLookupByLibrary.simpleMessage("合并"), - "mergeWithExisting": MessageLookupByLibrary.simpleMessage("与现有的合并"), - "mergedPhotos": MessageLookupByLibrary.simpleMessage("已合并照片"), - "mlConsent": MessageLookupByLibrary.simpleMessage("启用机器学习"), - "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( - "我了解了,并希望启用机器学习", - ), - "mlConsentDescription": MessageLookupByLibrary.simpleMessage( - "如果您启用机器学习,Ente 将从文件(包括与您共享的文件)中提取面部几何形状等信息。\n\n这将在您的设备上进行,并且任何生成的生物特征信息都将被端到端加密。", - ), - "mlConsentPrivacy": MessageLookupByLibrary.simpleMessage( - "请点击此处查看我们隐私政策中有关此功能的更多详细信息", - ), - "mlConsentTitle": MessageLookupByLibrary.simpleMessage("要启用机器学习吗?"), - "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( - "请注意,机器学习会导致带宽和电池使用量增加,直到所有项目都被索引。请考虑使用桌面应用程序来加快索引速度,所有结果都将自动同步。", - ), - "mobileWebDesktop": MessageLookupByLibrary.simpleMessage("移动端, 网页端, 桌面端"), - "moderateStrength": MessageLookupByLibrary.simpleMessage("中等"), - "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( - "修改您的查询,或尝试搜索", - ), - "moments": MessageLookupByLibrary.simpleMessage("瞬间"), - "month": MessageLookupByLibrary.simpleMessage("月"), - "monthly": MessageLookupByLibrary.simpleMessage("每月"), - "moon": MessageLookupByLibrary.simpleMessage("月光之下"), - "moreDetails": MessageLookupByLibrary.simpleMessage("更多详情"), - "mostRecent": MessageLookupByLibrary.simpleMessage("最近"), - "mostRelevant": MessageLookupByLibrary.simpleMessage("最相关"), - "mountains": MessageLookupByLibrary.simpleMessage("翻过山丘"), - "moveItem": m51, - "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( - "将选定的照片调整到某一日期", - ), - "moveToAlbum": MessageLookupByLibrary.simpleMessage("移动到相册"), - "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage("移至隐藏相册"), - "movedSuccessfullyTo": m52, - "movedToTrash": MessageLookupByLibrary.simpleMessage("已移至回收站"), - "movingFilesToAlbum": MessageLookupByLibrary.simpleMessage("正在将文件移动到相册..."), - "name": MessageLookupByLibrary.simpleMessage("名称"), - "nameTheAlbum": MessageLookupByLibrary.simpleMessage("命名相册"), - "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "无法连接到 Ente,请稍后重试。如果错误仍然存在,请联系支持人员。", - ), - "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( - "无法连接到 Ente,请检查您的网络设置,如果错误仍然存在,请联系支持人员。", - ), - "never": MessageLookupByLibrary.simpleMessage("永不"), - "newAlbum": MessageLookupByLibrary.simpleMessage("新建相册"), - "newLocation": MessageLookupByLibrary.simpleMessage("新位置"), - "newPerson": MessageLookupByLibrary.simpleMessage("新人物"), - "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" 新 📸"), - "newRange": MessageLookupByLibrary.simpleMessage("新起始图片"), - "newToEnte": MessageLookupByLibrary.simpleMessage("初来 Ente"), - "newest": MessageLookupByLibrary.simpleMessage("最新"), - "next": MessageLookupByLibrary.simpleMessage("下一步"), - "no": MessageLookupByLibrary.simpleMessage("否"), - "noAlbumsSharedByYouYet": MessageLookupByLibrary.simpleMessage("您尚未共享任何相册"), - "noDeviceFound": MessageLookupByLibrary.simpleMessage("未发现设备"), - "noDeviceLimit": MessageLookupByLibrary.simpleMessage("无"), - "noDeviceThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( - "您在此设备上没有可被删除的文件", - ), - "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ 没有重复内容"), - "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage( - "没有 Ente 账户!", - ), - "noExifData": MessageLookupByLibrary.simpleMessage("无 EXIF 数据"), - "noFacesFound": MessageLookupByLibrary.simpleMessage("未找到任何面部"), - "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage( - "没有隐藏的照片或视频", - ), - "noImagesWithLocation": MessageLookupByLibrary.simpleMessage("没有带有位置的图像"), - "noInternetConnection": MessageLookupByLibrary.simpleMessage("无互联网连接"), - "noPhotosAreBeingBackedUpRightNow": MessageLookupByLibrary.simpleMessage( - "目前没有照片正在备份", - ), - "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage("这里没有找到照片"), - "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage("未选择快速链接"), - "noRecoveryKey": MessageLookupByLibrary.simpleMessage("没有恢复密钥吗?"), - "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( - "由于我们端到端加密协议的性质,如果没有您的密码或恢复密钥,您的数据将无法解密", - ), - "noResults": MessageLookupByLibrary.simpleMessage("无结果"), - "noResultsFound": MessageLookupByLibrary.simpleMessage("未找到任何结果"), - "noSuggestionsForPerson": m53, - "noSystemLockFound": MessageLookupByLibrary.simpleMessage("未找到系统锁"), - "notPersonLabel": m54, - "notThisPerson": MessageLookupByLibrary.simpleMessage("不是此人?"), - "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( - "尚未与您共享任何内容", - ), - "nothingToSeeHere": MessageLookupByLibrary.simpleMessage("这里空空如也! 👀"), - "notifications": MessageLookupByLibrary.simpleMessage("通知"), - "ok": MessageLookupByLibrary.simpleMessage("OK"), - "onDevice": MessageLookupByLibrary.simpleMessage("在设备上"), - "onEnte": MessageLookupByLibrary.simpleMessage( - "在 ente 上", - ), - "onTheRoad": MessageLookupByLibrary.simpleMessage("再次踏上旅途"), - "onThisDay": MessageLookupByLibrary.simpleMessage("这天"), - "onThisDayMemories": MessageLookupByLibrary.simpleMessage("这天的回忆"), - "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( - "接收关于往年这一天回忆的提醒。", - ), - "onlyFamilyAdminCanChangeCode": m55, - "onlyThem": MessageLookupByLibrary.simpleMessage("仅限他们"), - "oops": MessageLookupByLibrary.simpleMessage("哎呀"), - "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage("糟糕,无法保存编辑"), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "哎呀,似乎出了点问题", - ), - "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage("在浏览器中打开相册"), - "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( - "请使用网络应用将照片添加到此相册", - ), - "openFile": MessageLookupByLibrary.simpleMessage("打开文件"), - "openSettings": MessageLookupByLibrary.simpleMessage("打开“设置”"), - "openTheItem": MessageLookupByLibrary.simpleMessage("• 打开该项目"), - "openstreetmapContributors": MessageLookupByLibrary.simpleMessage( - "OpenStreetMap 贡献者", - ), - "optionalAsShortAsYouLike": MessageLookupByLibrary.simpleMessage( - "可选的,按您喜欢的短语...", - ), - "orMergeWithExistingPerson": MessageLookupByLibrary.simpleMessage( - "或与现有的合并", - ), - "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage("或者选择一个现有的"), - "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( - "或从您的联系人中选择", - ), - "otherDetectedFaces": MessageLookupByLibrary.simpleMessage("其他检测到的人脸"), - "pair": MessageLookupByLibrary.simpleMessage("配对"), - "pairWithPin": MessageLookupByLibrary.simpleMessage("用 PIN 配对"), - "pairingComplete": MessageLookupByLibrary.simpleMessage("配对完成"), - "panorama": MessageLookupByLibrary.simpleMessage("全景"), - "partyWithThem": m56, - "passKeyPendingVerification": MessageLookupByLibrary.simpleMessage( - "仍需进行验证", - ), - "passkey": MessageLookupByLibrary.simpleMessage("通行密钥"), - "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage("通行密钥认证"), - "password": MessageLookupByLibrary.simpleMessage("密码"), - "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( - "密码修改成功", - ), - "passwordLock": MessageLookupByLibrary.simpleMessage("密码锁"), - "passwordStrength": m57, - "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( - "密码强度的计算考虑了密码的长度、使用的字符以及密码是否出现在最常用的 10,000 个密码中", - ), - "passwordWarning": MessageLookupByLibrary.simpleMessage( - "我们不储存这个密码,所以如果忘记, 我们将无法解密您的数据", - ), - "pastYearsMemories": MessageLookupByLibrary.simpleMessage("往年回忆"), - "paymentDetails": MessageLookupByLibrary.simpleMessage("付款明细"), - "paymentFailed": MessageLookupByLibrary.simpleMessage("支付失败"), - "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( - "不幸的是,您的付款失败。请联系支持人员,我们将为您提供帮助!", - ), - "paymentFailedTalkToProvider": m58, - "pendingItems": MessageLookupByLibrary.simpleMessage("待处理项目"), - "pendingSync": MessageLookupByLibrary.simpleMessage("正在等待同步"), - "people": MessageLookupByLibrary.simpleMessage("人物"), - "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage("使用您的代码的人"), - "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage("选择您希望在主屏幕上看到的人。"), - "permDeleteWarning": MessageLookupByLibrary.simpleMessage( - "回收站中的所有项目将被永久删除\n\n此操作无法撤消", - ), - "permanentlyDelete": MessageLookupByLibrary.simpleMessage("永久删除"), - "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage( - "要从设备中永久删除吗?", - ), - "personIsAge": m59, - "personName": MessageLookupByLibrary.simpleMessage("人物名称"), - "personTurningAge": m60, - "pets": MessageLookupByLibrary.simpleMessage("毛茸茸的伙伴"), - "photoDescriptions": MessageLookupByLibrary.simpleMessage("照片说明"), - "photoGridSize": MessageLookupByLibrary.simpleMessage("照片网格大小"), - "photoSmallCase": MessageLookupByLibrary.simpleMessage("照片"), - "photocountPhotos": m61, - "photos": MessageLookupByLibrary.simpleMessage("照片"), - "photosAddedByYouWillBeRemovedFromTheAlbum": - MessageLookupByLibrary.simpleMessage("您添加的照片将从相册中移除"), - "photosCount": m62, - "photosKeepRelativeTimeDifference": MessageLookupByLibrary.simpleMessage( - "照片保持相对时间差", - ), - "pickCenterPoint": MessageLookupByLibrary.simpleMessage("选择中心点"), - "pinAlbum": MessageLookupByLibrary.simpleMessage("置顶相册"), - "pinLock": MessageLookupByLibrary.simpleMessage("PIN 锁定"), - "playOnTv": MessageLookupByLibrary.simpleMessage("在电视上播放相册"), - "playOriginal": MessageLookupByLibrary.simpleMessage("播放原内容"), - "playStoreFreeTrialValidTill": m63, - "playStream": MessageLookupByLibrary.simpleMessage("播放流"), - "playstoreSubscription": MessageLookupByLibrary.simpleMessage( - "PlayStore 订阅", - ), - "pleaseCheckYourInternetConnectionAndTryAgain": - MessageLookupByLibrary.simpleMessage("请检查您的互联网连接,然后重试。"), - "pleaseContactSupportAndWeWillBeHappyToHelp": - MessageLookupByLibrary.simpleMessage( - "请用英语联系 support@ente.io ,我们将乐意提供帮助!", - ), - "pleaseContactSupportIfTheProblemPersists": - MessageLookupByLibrary.simpleMessage("如果问题仍然存在,请联系支持"), - "pleaseEmailUsAt": m64, - "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage("请授予权限"), - "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage("请重新登录"), - "pleaseSelectQuickLinksToRemove": MessageLookupByLibrary.simpleMessage( - "请选择要删除的快速链接", - ), - "pleaseSendTheLogsTo": m65, - "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("请重试"), - "pleaseVerifyTheCodeYouHaveEntered": MessageLookupByLibrary.simpleMessage( - "请验证您输入的代码", - ), - "pleaseWait": MessageLookupByLibrary.simpleMessage("请稍候..."), - "pleaseWaitDeletingAlbum": MessageLookupByLibrary.simpleMessage( - "请稍候,正在删除相册", - ), - "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( - "请稍等片刻后再重试", - ), - "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( - "请稍候,这将需要一段时间。", - ), - "posingWithThem": m66, - "preparingLogs": MessageLookupByLibrary.simpleMessage("正在准备日志..."), - "preserveMore": MessageLookupByLibrary.simpleMessage("保留更多"), - "pressAndHoldToPlayVideo": MessageLookupByLibrary.simpleMessage("按住以播放视频"), - "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( - "长按图像以播放视频", - ), - "previous": MessageLookupByLibrary.simpleMessage("以前的"), - "privacy": MessageLookupByLibrary.simpleMessage("隐私"), - "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage("隐私政策"), - "privateBackups": MessageLookupByLibrary.simpleMessage("私人备份"), - "privateSharing": MessageLookupByLibrary.simpleMessage("私人分享"), - "proceed": MessageLookupByLibrary.simpleMessage("继续"), - "processed": MessageLookupByLibrary.simpleMessage("已处理"), - "processing": MessageLookupByLibrary.simpleMessage("正在处理"), - "processingImport": m67, - "processingVideos": MessageLookupByLibrary.simpleMessage("正在处理视频"), - "publicLinkCreated": MessageLookupByLibrary.simpleMessage("公共链接已创建"), - "publicLinkEnabled": MessageLookupByLibrary.simpleMessage("公开链接已启用"), - "questionmark": MessageLookupByLibrary.simpleMessage("?"), - "queued": MessageLookupByLibrary.simpleMessage("已入列"), - "quickLinks": MessageLookupByLibrary.simpleMessage("快速链接"), - "radius": MessageLookupByLibrary.simpleMessage("半径"), - "raiseTicket": MessageLookupByLibrary.simpleMessage("提升工单"), - "rateTheApp": MessageLookupByLibrary.simpleMessage("为此应用评分"), - "rateUs": MessageLookupByLibrary.simpleMessage("给我们评分"), - "rateUsOnStore": m68, - "reassignMe": MessageLookupByLibrary.simpleMessage("重新分配“我”"), - "reassignedToName": m69, - "reassigningLoading": MessageLookupByLibrary.simpleMessage("正在重新分配..."), - "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( - "接收某人生日时的提醒。点击通知将带您查看生日人物的照片。", - ), - "recover": MessageLookupByLibrary.simpleMessage("恢复"), - "recoverAccount": MessageLookupByLibrary.simpleMessage("恢复账户"), - "recoverButton": MessageLookupByLibrary.simpleMessage("恢复"), - "recoveryAccount": MessageLookupByLibrary.simpleMessage("恢复账户"), - "recoveryInitiated": MessageLookupByLibrary.simpleMessage("已启动恢复"), - "recoveryInitiatedDesc": m70, - "recoveryKey": MessageLookupByLibrary.simpleMessage("恢复密钥"), - "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( - "恢复密钥已复制到剪贴板", - ), - "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( - "如果您忘记了密码,恢复数据的唯一方法就是使用此密钥。", - ), - "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "我们不会存储此密钥,请将此24个单词密钥保存在一个安全的地方。", - ), - "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( - "太棒了! 您的恢复密钥是有效的。 感谢您的验证。\n\n请记住要安全备份您的恢复密钥。", - ), - "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage("恢复密钥已验证"), - "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( - "如果您忘记了密码,恢复密钥是恢复照片的唯一方法。您可以在“设置”>“账户”中找到恢复密钥。\n\n请在此处输入恢复密钥,以验证您是否已正确保存。", - ), - "recoveryReady": m71, - "recoverySuccessful": MessageLookupByLibrary.simpleMessage("恢复成功!"), - "recoveryWarning": MessageLookupByLibrary.simpleMessage( - "一位可信联系人正在尝试访问您的账户", - ), - "recoveryWarningBody": m72, - "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( - "当前设备的功能不足以验证您的密码,但我们可以以适用于所有设备的方式重新生成。\n\n请使用您的恢复密钥登录并重新生成您的密码(如果您希望,可以再次使用相同的密码)。", - ), - "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage("重新创建密码"), - "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), - "reenterPassword": MessageLookupByLibrary.simpleMessage("再次输入密码"), - "reenterPin": MessageLookupByLibrary.simpleMessage("再次输入 PIN 码"), - "referFriendsAnd2xYourPlan": MessageLookupByLibrary.simpleMessage( - "把我们推荐给你的朋友然后获得延长一倍的订阅计划", - ), - "referralStep1": MessageLookupByLibrary.simpleMessage("1. 将此代码提供给您的朋友"), - "referralStep2": MessageLookupByLibrary.simpleMessage("2. 他们注册一个付费计划"), - "referralStep3": m73, - "referrals": MessageLookupByLibrary.simpleMessage("推荐"), - "referralsAreCurrentlyPaused": MessageLookupByLibrary.simpleMessage( - "推荐已暂停", - ), - "rejectRecovery": MessageLookupByLibrary.simpleMessage("拒绝恢复"), - "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( - "同时从“设置”->“存储”中清空“最近删除”以领取释放的空间", - ), - "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( - "同时清空您的“回收站”以领取释放的空间", - ), - "remoteImages": MessageLookupByLibrary.simpleMessage("云端图像"), - "remoteThumbnails": MessageLookupByLibrary.simpleMessage("云端缩略图"), - "remoteVideos": MessageLookupByLibrary.simpleMessage("云端视频"), - "remove": MessageLookupByLibrary.simpleMessage("移除"), - "removeDuplicates": MessageLookupByLibrary.simpleMessage("移除重复内容"), - "removeDuplicatesDesc": MessageLookupByLibrary.simpleMessage( - "检查并删除完全重复的文件。", - ), - "removeFromAlbum": MessageLookupByLibrary.simpleMessage("从相册中移除"), - "removeFromAlbumTitle": MessageLookupByLibrary.simpleMessage("要从相册中移除吗?"), - "removeFromFavorite": MessageLookupByLibrary.simpleMessage("从收藏中移除"), - "removeInvite": MessageLookupByLibrary.simpleMessage("移除邀请"), - "removeLink": MessageLookupByLibrary.simpleMessage("移除链接"), - "removeParticipant": MessageLookupByLibrary.simpleMessage("移除参与者"), - "removeParticipantBody": m74, - "removePersonLabel": MessageLookupByLibrary.simpleMessage("移除人物标签"), - "removePublicLink": MessageLookupByLibrary.simpleMessage("删除公开链接"), - "removePublicLinks": MessageLookupByLibrary.simpleMessage("删除公开链接"), - "removeShareItemsWarning": MessageLookupByLibrary.simpleMessage( - "您要删除的某些项目是由其他人添加的,您将无法访问它们", - ), - "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("要移除吗?"), - "removeYourselfAsTrustedContact": MessageLookupByLibrary.simpleMessage( - "删除自己作为可信联系人", - ), - "removingFromFavorites": MessageLookupByLibrary.simpleMessage( - "正在从收藏中删除...", - ), - "rename": MessageLookupByLibrary.simpleMessage("重命名"), - "renameAlbum": MessageLookupByLibrary.simpleMessage("重命名相册"), - "renameFile": MessageLookupByLibrary.simpleMessage("重命名文件"), - "renewSubscription": MessageLookupByLibrary.simpleMessage("续费订阅"), - "renewsOn": m75, - "reportABug": MessageLookupByLibrary.simpleMessage("报告错误"), - "reportBug": MessageLookupByLibrary.simpleMessage("报告错误"), - "resendEmail": MessageLookupByLibrary.simpleMessage("重新发送电子邮件"), - "reset": MessageLookupByLibrary.simpleMessage("重设"), - "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage("重置忽略的文件"), - "resetPasswordTitle": MessageLookupByLibrary.simpleMessage("重置密码"), - "resetPerson": MessageLookupByLibrary.simpleMessage("移除"), - "resetToDefault": MessageLookupByLibrary.simpleMessage("重置为默认设置"), - "restore": MessageLookupByLibrary.simpleMessage("恢复"), - "restoreToAlbum": MessageLookupByLibrary.simpleMessage("恢复到相册"), - "restoringFiles": MessageLookupByLibrary.simpleMessage("正在恢复文件..."), - "resumableUploads": MessageLookupByLibrary.simpleMessage("可续传上传"), - "retry": MessageLookupByLibrary.simpleMessage("重试"), - "review": MessageLookupByLibrary.simpleMessage("查看"), - "reviewDeduplicateItems": MessageLookupByLibrary.simpleMessage( - "请检查并删除您认为重复的项目。", - ), - "reviewSuggestions": MessageLookupByLibrary.simpleMessage("查看建议"), - "right": MessageLookupByLibrary.simpleMessage("向右"), - "roadtripWithThem": m76, - "rotate": MessageLookupByLibrary.simpleMessage("旋转"), - "rotateLeft": MessageLookupByLibrary.simpleMessage("向左旋转"), - "rotateRight": MessageLookupByLibrary.simpleMessage("向右旋转"), - "safelyStored": MessageLookupByLibrary.simpleMessage("安全存储"), - "same": MessageLookupByLibrary.simpleMessage("相同"), - "sameperson": MessageLookupByLibrary.simpleMessage("是同一个人?"), - "save": MessageLookupByLibrary.simpleMessage("保存"), - "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage("另存为其他人物"), - "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( - "离开之前要保存更改吗?", - ), - "saveCollage": MessageLookupByLibrary.simpleMessage("保存拼贴"), - "saveCopy": MessageLookupByLibrary.simpleMessage("保存副本"), - "saveKey": MessageLookupByLibrary.simpleMessage("保存密钥"), - "savePerson": MessageLookupByLibrary.simpleMessage("保存人物"), - "saveYourRecoveryKeyIfYouHaventAlready": - MessageLookupByLibrary.simpleMessage("若您尚未保存,请妥善保存此恢复密钥"), - "saving": MessageLookupByLibrary.simpleMessage("正在保存..."), - "savingEdits": MessageLookupByLibrary.simpleMessage("正在保存编辑内容..."), - "scanCode": MessageLookupByLibrary.simpleMessage("扫描二维码/条码"), - "scanThisBarcodeWithnyourAuthenticatorApp": - MessageLookupByLibrary.simpleMessage("用您的身份验证器应用\n扫描此条码"), - "search": MessageLookupByLibrary.simpleMessage("搜索"), - "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("相册"), - "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage("相册名称"), - "searchByExamples": MessageLookupByLibrary.simpleMessage( - "• 相册名称(例如“相机”)\n• 文件类型(例如“视频”、“.gif”)\n• 年份和月份(例如“2022”、“一月”)\n• 假期(例如“圣诞节”)\n• 照片说明(例如“#和女儿独居,好开心啊”)", - ), - "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "在照片信息中添加“#旅游”等描述,以便在此处快速找到它们", - ), - "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( - "按日期搜索,月份或年份", - ), - "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "处理和同步完成后,图像将显示在此处", - ), - "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( - "待索引完成后,人物将显示在此处", - ), - "searchFileTypesAndNamesEmptySection": MessageLookupByLibrary.simpleMessage( - "文件类型和名称", - ), - "searchHint1": MessageLookupByLibrary.simpleMessage("在设备上快速搜索"), - "searchHint2": MessageLookupByLibrary.simpleMessage("照片日期、描述"), - "searchHint3": MessageLookupByLibrary.simpleMessage("相册、文件名和类型"), - "searchHint4": MessageLookupByLibrary.simpleMessage("位置"), - "searchHint5": MessageLookupByLibrary.simpleMessage("即将到来:面部和魔法搜索✨"), - "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "在照片的一定半径内拍摄的几组照片", - ), - "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( - "邀请他人,您将在此看到他们分享的所有照片", - ), - "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( - "处理和同步完成后,人物将显示在此处", - ), - "searchResultCount": m77, - "searchSectionsLengthMismatch": m78, - "security": MessageLookupByLibrary.simpleMessage("安全"), - "seePublicAlbumLinksInApp": MessageLookupByLibrary.simpleMessage( - "在应用程序中查看公开相册链接", - ), - "selectALocation": MessageLookupByLibrary.simpleMessage("选择一个位置"), - "selectALocationFirst": MessageLookupByLibrary.simpleMessage("首先选择一个位置"), - "selectAlbum": MessageLookupByLibrary.simpleMessage("选择相册"), - "selectAll": MessageLookupByLibrary.simpleMessage("全选"), - "selectAllShort": MessageLookupByLibrary.simpleMessage("全部"), - "selectCoverPhoto": MessageLookupByLibrary.simpleMessage("选择封面照片"), - "selectDate": MessageLookupByLibrary.simpleMessage("选择日期"), - "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage("选择要备份的文件夹"), - "selectItemsToAdd": MessageLookupByLibrary.simpleMessage("选择要添加的项目"), - "selectLanguage": MessageLookupByLibrary.simpleMessage("选择语言"), - "selectMailApp": MessageLookupByLibrary.simpleMessage("选择邮件应用"), - "selectMorePhotos": MessageLookupByLibrary.simpleMessage("选择更多照片"), - "selectOneDateAndTime": MessageLookupByLibrary.simpleMessage("选择一个日期和时间"), - "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( - "为所有项选择一个日期和时间", - ), - "selectPersonToLink": MessageLookupByLibrary.simpleMessage("选择要链接的人"), - "selectReason": MessageLookupByLibrary.simpleMessage("选择原因"), - "selectStartOfRange": MessageLookupByLibrary.simpleMessage("选择起始图片"), - "selectTime": MessageLookupByLibrary.simpleMessage("选择时间"), - "selectYourFace": MessageLookupByLibrary.simpleMessage("选择你的脸"), - "selectYourPlan": MessageLookupByLibrary.simpleMessage("选择您的计划"), - "selectedAlbums": m79, - "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( - "所选文件不在 Ente 上", - ), - "selectedFoldersWillBeEncryptedAndBackedUp": - MessageLookupByLibrary.simpleMessage("所选文件夹将被加密并备份"), - "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": - MessageLookupByLibrary.simpleMessage("所选项目将从所有相册中删除并移动到回收站。"), - "selectedItemsWillBeRemovedFromThisPerson": - MessageLookupByLibrary.simpleMessage("选定的项目将从此人身上移除,但不会从您的库中删除。"), - "selectedPhotos": m80, - "selectedPhotosWithYours": m81, - "selfiesWithThem": m82, - "send": MessageLookupByLibrary.simpleMessage("发送"), - "sendEmail": MessageLookupByLibrary.simpleMessage("发送电子邮件"), - "sendInvite": MessageLookupByLibrary.simpleMessage("发送邀请"), - "sendLink": MessageLookupByLibrary.simpleMessage("发送链接"), - "serverEndpoint": MessageLookupByLibrary.simpleMessage("服务器端点"), - "sessionExpired": MessageLookupByLibrary.simpleMessage("会话已过期"), - "sessionIdMismatch": MessageLookupByLibrary.simpleMessage("会话 ID 不匹配"), - "setAPassword": MessageLookupByLibrary.simpleMessage("设置密码"), - "setAs": MessageLookupByLibrary.simpleMessage("设置为"), - "setCover": MessageLookupByLibrary.simpleMessage("设置封面"), - "setLabel": MessageLookupByLibrary.simpleMessage("设置"), - "setNewPassword": MessageLookupByLibrary.simpleMessage("设置新密码"), - "setNewPin": MessageLookupByLibrary.simpleMessage("设置新 PIN 码"), - "setPasswordTitle": MessageLookupByLibrary.simpleMessage("设置密码"), - "setRadius": MessageLookupByLibrary.simpleMessage("设定半径"), - "setupComplete": MessageLookupByLibrary.simpleMessage("设置完成"), - "share": MessageLookupByLibrary.simpleMessage("分享"), - "shareALink": MessageLookupByLibrary.simpleMessage("分享链接"), - "shareAlbumHint": MessageLookupByLibrary.simpleMessage( - "打开相册并点击右上角的分享按钮进行分享", - ), - "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage("立即分享相册"), - "shareLink": MessageLookupByLibrary.simpleMessage("分享链接"), - "shareMyVerificationID": m83, - "shareOnlyWithThePeopleYouWant": MessageLookupByLibrary.simpleMessage( - "仅与您想要的人分享", - ), - "shareTextConfirmOthersVerificationID": m84, - "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( - "下载 Ente,让我们轻松共享高质量的原始照片和视频", - ), - "shareTextReferralCode": m85, - "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( - "与非 Ente 用户共享", - ), - "shareWithPeopleSectionTitle": m86, - "shareYourFirstAlbum": MessageLookupByLibrary.simpleMessage("分享您的第一个相册"), - "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( - "与其他 Ente 用户(包括免费计划用户)创建共享和协作相册。", - ), - "sharedByMe": MessageLookupByLibrary.simpleMessage("由我共享的"), - "sharedByYou": MessageLookupByLibrary.simpleMessage("您共享的"), - "sharedPhotoNotifications": MessageLookupByLibrary.simpleMessage("新共享的照片"), - "sharedPhotoNotificationsExplanation": MessageLookupByLibrary.simpleMessage( - "当有人将照片添加到您所属的共享相册时收到通知", - ), - "sharedWith": m87, - "sharedWithMe": MessageLookupByLibrary.simpleMessage("与我共享"), - "sharedWithYou": MessageLookupByLibrary.simpleMessage("已与您共享"), - "sharing": MessageLookupByLibrary.simpleMessage("正在分享..."), - "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage("调整日期和时间"), - "showLessFaces": MessageLookupByLibrary.simpleMessage("显示较少人脸"), - "showMemories": MessageLookupByLibrary.simpleMessage("显示回忆"), - "showMoreFaces": MessageLookupByLibrary.simpleMessage("显示更多人脸"), - "showPerson": MessageLookupByLibrary.simpleMessage("显示人员"), - "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( - "从其他设备退出登录", - ), - "signOutOtherBody": MessageLookupByLibrary.simpleMessage( - "如果你认为有人可能知道你的密码,你可以强制所有使用你账户的其他设备退出登录。", - ), - "signOutOtherDevices": MessageLookupByLibrary.simpleMessage("登出其他设备"), - "signUpTerms": MessageLookupByLibrary.simpleMessage( - "我同意 服务条款隐私政策", - ), - "singleFileDeleteFromDevice": m88, - "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( - "它将从所有相册中删除。", - ), - "singleFileInBothLocalAndRemote": m89, - "singleFileInRemoteOnly": m90, - "skip": MessageLookupByLibrary.simpleMessage("跳过"), - "smartMemories": MessageLookupByLibrary.simpleMessage("智能回忆"), - "social": MessageLookupByLibrary.simpleMessage("社交"), - "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( - "有些项目同时存在于 Ente 和您的设备中。", - ), - "someOfTheFilesYouAreTryingToDeleteAre": - MessageLookupByLibrary.simpleMessage("您要删除的部分文件仅在您的设备上可用,且删除后无法恢复"), - "someoneSharingAlbumsWithYouShouldSeeTheSameId": - MessageLookupByLibrary.simpleMessage("与您共享相册的人应该会在他们的设备上看到相同的 ID。"), - "somethingWentWrong": MessageLookupByLibrary.simpleMessage("出了些问题"), - "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "出了点问题,请重试", - ), - "sorry": MessageLookupByLibrary.simpleMessage("抱歉"), - "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( - "抱歉,我们目前无法备份此文件,我们将稍后重试。", - ), - "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( - "抱歉,无法添加到收藏!", - ), - "sorryCouldNotRemoveFromFavorites": MessageLookupByLibrary.simpleMessage( - "抱歉,无法从收藏中移除!", - ), - "sorryTheCodeYouveEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "抱歉,您输入的代码不正确", - ), - "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": - MessageLookupByLibrary.simpleMessage( - "抱歉,我们无法在此设备上生成安全密钥。\n\n请使用其他设备注册。", - ), - "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( - "抱歉,我们不得不暂停您的备份", - ), - "sort": MessageLookupByLibrary.simpleMessage("排序"), - "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("排序方式"), - "sortNewestFirst": MessageLookupByLibrary.simpleMessage("最新在前"), - "sortOldestFirst": MessageLookupByLibrary.simpleMessage("最旧在前"), - "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ 成功"), - "sportsWithThem": m91, - "spotlightOnThem": m92, - "spotlightOnYourself": MessageLookupByLibrary.simpleMessage("聚光灯下的自己"), - "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage("开始恢复"), - "startBackup": MessageLookupByLibrary.simpleMessage("开始备份"), - "status": MessageLookupByLibrary.simpleMessage("状态"), - "stopCastingBody": MessageLookupByLibrary.simpleMessage("您想停止投放吗?"), - "stopCastingTitle": MessageLookupByLibrary.simpleMessage("停止投放"), - "storage": MessageLookupByLibrary.simpleMessage("存储空间"), - "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("家庭"), - "storageBreakupYou": MessageLookupByLibrary.simpleMessage("您"), - "storageInGB": m93, - "storageLimitExceeded": MessageLookupByLibrary.simpleMessage("已超出存储限制"), - "storageUsageInfo": m94, - "streamDetails": MessageLookupByLibrary.simpleMessage("流详情"), - "strongStrength": MessageLookupByLibrary.simpleMessage("强"), - "subAlreadyLinkedErrMessage": m95, - "subWillBeCancelledOn": m96, - "subscribe": MessageLookupByLibrary.simpleMessage("订阅"), - "subscribeToEnableSharing": MessageLookupByLibrary.simpleMessage( - "您需要有效的付费订阅才能启用共享。", - ), - "subscription": MessageLookupByLibrary.simpleMessage("订阅"), - "success": MessageLookupByLibrary.simpleMessage("成功"), - "successfullyArchived": MessageLookupByLibrary.simpleMessage("存档成功"), - "successfullyHid": MessageLookupByLibrary.simpleMessage("已成功隐藏"), - "successfullyUnarchived": MessageLookupByLibrary.simpleMessage("取消存档成功"), - "successfullyUnhid": MessageLookupByLibrary.simpleMessage("已成功取消隐藏"), - "suggestFeatures": MessageLookupByLibrary.simpleMessage("建议新功能"), - "sunrise": MessageLookupByLibrary.simpleMessage("在地平线上"), - "support": MessageLookupByLibrary.simpleMessage("支持"), - "syncProgress": m97, - "syncStopped": MessageLookupByLibrary.simpleMessage("同步已停止"), - "syncing": MessageLookupByLibrary.simpleMessage("正在同步···"), - "systemTheme": MessageLookupByLibrary.simpleMessage("适应系统"), - "tapToCopy": MessageLookupByLibrary.simpleMessage("点击以复制"), - "tapToEnterCode": MessageLookupByLibrary.simpleMessage("点击以输入代码"), - "tapToUnlock": MessageLookupByLibrary.simpleMessage("点击解锁"), - "tapToUpload": MessageLookupByLibrary.simpleMessage("点按上传"), - "tapToUploadIsIgnoredDue": m98, - "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "看起来出了点问题。 请稍后重试。 如果错误仍然存在,请联系我们的支持团队。", - ), - "terminate": MessageLookupByLibrary.simpleMessage("终止"), - "terminateSession": MessageLookupByLibrary.simpleMessage("是否终止会话?"), - "terms": MessageLookupByLibrary.simpleMessage("使用条款"), - "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("使用条款"), - "thankYou": MessageLookupByLibrary.simpleMessage("非常感谢您"), - "thankYouForSubscribing": MessageLookupByLibrary.simpleMessage("感谢您的订阅!"), - "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( - "未能完成下载", - ), - "theLinkYouAreTryingToAccessHasExpired": - MessageLookupByLibrary.simpleMessage("您尝试访问的链接已过期。"), - "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "人物组将不再显示在人物部分。照片将保持不变。", - ), - "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( - "该人将不再显示在人物部分。照片将保持不变。", - ), - "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( - "您输入的恢复密钥不正确", - ), - "theme": MessageLookupByLibrary.simpleMessage("主题"), - "theseItemsWillBeDeletedFromYourDevice": - MessageLookupByLibrary.simpleMessage("这些项目将从您的设备中删除。"), - "theyAlsoGetXGb": m99, - "theyWillBeDeletedFromAllAlbums": MessageLookupByLibrary.simpleMessage( - "他们将从所有相册中删除。", - ), - "thisActionCannotBeUndone": MessageLookupByLibrary.simpleMessage("此操作无法撤销"), - "thisAlbumAlreadyHDACollaborativeLink": - MessageLookupByLibrary.simpleMessage("此相册已经有一个协作链接"), - "thisCanBeUsedToRecoverYourAccountIfYou": - MessageLookupByLibrary.simpleMessage("如果您丢失了双重认证方式,这可以用来恢复您的账户"), - "thisDevice": MessageLookupByLibrary.simpleMessage("此设备"), - "thisEmailIsAlreadyInUse": MessageLookupByLibrary.simpleMessage( - "这个邮箱地址已经被使用", - ), - "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( - "此图像没有Exif 数据", - ), - "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("这就是我!"), - "thisIsPersonVerificationId": m100, - "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( - "这是您的验证 ID", - ), - "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage("历年本周"), - "thisWeekXYearsAgo": m101, - "thisWillLogYouOutOfTheFollowingDevice": - MessageLookupByLibrary.simpleMessage("这将使您在以下设备中退出登录:"), - "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( - "这将使您在此设备上退出登录!", - ), - "thisWillMakeTheDateAndTimeOfAllSelected": - MessageLookupByLibrary.simpleMessage("这将使所有选定的照片的日期和时间相同。"), - "thisWillRemovePublicLinksOfAllSelectedQuickLinks": - MessageLookupByLibrary.simpleMessage("这将删除所有选定的快速链接的公共链接。"), - "throughTheYears": m102, - "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": - MessageLookupByLibrary.simpleMessage("要启用应用锁,请在系统设置中设置设备密码或屏幕锁。"), - "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage("隐藏照片或视频"), - "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( - "要重置您的密码,请先验证您的电子邮件。", - ), - "todaysLogs": MessageLookupByLibrary.simpleMessage("当天日志"), - "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage( - "错误尝试次数过多", - ), - "total": MessageLookupByLibrary.simpleMessage("总计"), - "totalSize": MessageLookupByLibrary.simpleMessage("总大小"), - "trash": MessageLookupByLibrary.simpleMessage("回收站"), - "trashDaysLeft": m103, - "trim": MessageLookupByLibrary.simpleMessage("修剪"), - "tripInYear": m104, - "tripToLocation": m105, - "trustedContacts": MessageLookupByLibrary.simpleMessage("可信联系人"), - "trustedInviteBody": m106, - "tryAgain": MessageLookupByLibrary.simpleMessage("请再试一次"), - "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( - "打开备份可自动上传添加到此设备文件夹的文件至 Ente。", - ), - "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), - "twoMonthsFreeOnYearlyPlans": MessageLookupByLibrary.simpleMessage( - "在年度计划上免费获得 2 个月", - ), - "twofactor": MessageLookupByLibrary.simpleMessage("双重认证"), - "twofactorAuthenticationHasBeenDisabled": - MessageLookupByLibrary.simpleMessage("双重认证已被禁用"), - "twofactorAuthenticationPageTitle": MessageLookupByLibrary.simpleMessage( - "双重认证", - ), - "twofactorAuthenticationSuccessfullyReset": - MessageLookupByLibrary.simpleMessage("成功重置双重认证"), - "twofactorSetup": MessageLookupByLibrary.simpleMessage("双重认证设置"), - "typeOfGallerGallerytypeIsNotSupportedForRename": m107, - "unarchive": MessageLookupByLibrary.simpleMessage("取消存档"), - "unarchiveAlbum": MessageLookupByLibrary.simpleMessage("取消存档相册"), - "unarchiving": MessageLookupByLibrary.simpleMessage("正在取消存档..."), - "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( - "抱歉,此代码不可用。", - ), - "uncategorized": MessageLookupByLibrary.simpleMessage("未分类的"), - "unhide": MessageLookupByLibrary.simpleMessage("取消隐藏"), - "unhideToAlbum": MessageLookupByLibrary.simpleMessage("取消隐藏到相册"), - "unhiding": MessageLookupByLibrary.simpleMessage("正在取消隐藏..."), - "unhidingFilesToAlbum": MessageLookupByLibrary.simpleMessage("正在取消隐藏文件到相册"), - "unlock": MessageLookupByLibrary.simpleMessage("解锁"), - "unpinAlbum": MessageLookupByLibrary.simpleMessage("取消置顶相册"), - "unselectAll": MessageLookupByLibrary.simpleMessage("取消全部选择"), - "update": MessageLookupByLibrary.simpleMessage("更新"), - "updateAvailable": MessageLookupByLibrary.simpleMessage("有可用的更新"), - "updatingFolderSelection": MessageLookupByLibrary.simpleMessage( - "正在更新文件夹选择...", - ), - "upgrade": MessageLookupByLibrary.simpleMessage("升级"), - "uploadIsIgnoredDueToIgnorereason": m108, - "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( - "正在将文件上传到相册...", - ), - "uploadingMultipleMemories": m109, - "uploadingSingleMemory": MessageLookupByLibrary.simpleMessage( - "正在保存 1 个回忆...", - ), - "upto50OffUntil4thDec": MessageLookupByLibrary.simpleMessage( - "最高五折优惠,直至12月4日。", - ), - "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( - "可用存储空间受您当前计划的限制。 当您升级您的计划时,超出要求的存储空间将自动变为可用。", - ), - "useAsCover": MessageLookupByLibrary.simpleMessage("用作封面"), - "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( - "播放此视频时遇到问题了吗?长按此处可尝试使用其他播放器。", - ), - "usePublicLinksForPeopleNotOnEnte": MessageLookupByLibrary.simpleMessage( - "对不在 Ente 上的人使用公开链接", - ), - "useRecoveryKey": MessageLookupByLibrary.simpleMessage("使用恢复密钥"), - "useSelectedPhoto": MessageLookupByLibrary.simpleMessage("使用所选照片"), - "usedSpace": MessageLookupByLibrary.simpleMessage("已用空间"), - "validTill": m110, - "verificationFailedPleaseTryAgain": MessageLookupByLibrary.simpleMessage( - "验证失败,请重试", - ), - "verificationId": MessageLookupByLibrary.simpleMessage("验证 ID"), - "verify": MessageLookupByLibrary.simpleMessage("验证"), - "verifyEmail": MessageLookupByLibrary.simpleMessage("验证电子邮件"), - "verifyEmailID": m111, - "verifyIDLabel": MessageLookupByLibrary.simpleMessage("验证"), - "verifyPasskey": MessageLookupByLibrary.simpleMessage("验证通行密钥"), - "verifyPassword": MessageLookupByLibrary.simpleMessage("验证密码"), - "verifying": MessageLookupByLibrary.simpleMessage("正在验证..."), - "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage("正在验证恢复密钥..."), - "videoInfo": MessageLookupByLibrary.simpleMessage("视频详情"), - "videoSmallCase": MessageLookupByLibrary.simpleMessage("视频"), - "videoStreaming": MessageLookupByLibrary.simpleMessage("可流媒体播放的视频"), - "videos": MessageLookupByLibrary.simpleMessage("视频"), - "viewActiveSessions": MessageLookupByLibrary.simpleMessage("查看活动会话"), - "viewAddOnButton": MessageLookupByLibrary.simpleMessage("查看附加组件"), - "viewAll": MessageLookupByLibrary.simpleMessage("查看全部"), - "viewAllExifData": MessageLookupByLibrary.simpleMessage("查看所有 EXIF 数据"), - "viewLargeFiles": MessageLookupByLibrary.simpleMessage("大文件"), - "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( - "查看占用存储空间最多的文件。", - ), - "viewLogs": MessageLookupByLibrary.simpleMessage("查看日志"), - "viewPersonToUnlink": m112, - "viewRecoveryKey": MessageLookupByLibrary.simpleMessage("查看恢复密钥"), - "viewer": MessageLookupByLibrary.simpleMessage("查看者"), - "viewersSuccessfullyAdded": m113, - "visitWebToManage": MessageLookupByLibrary.simpleMessage( - "请访问 web.ente.io 来管理您的订阅", - ), - "waitingForVerification": MessageLookupByLibrary.simpleMessage("等待验证..."), - "waitingForWifi": MessageLookupByLibrary.simpleMessage("正在等待 WiFi..."), - "warning": MessageLookupByLibrary.simpleMessage("警告"), - "weAreOpenSource": MessageLookupByLibrary.simpleMessage("我们是开源的 !"), - "weDontSupportEditingPhotosAndAlbumsThatYouDont": - MessageLookupByLibrary.simpleMessage("我们不支持编辑您尚未拥有的照片和相册"), - "weHaveSendEmailTo": m114, - "weakStrength": MessageLookupByLibrary.simpleMessage("弱"), - "welcomeBack": MessageLookupByLibrary.simpleMessage("欢迎回来!"), - "whatsNew": MessageLookupByLibrary.simpleMessage("更新日志"), - "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( - "可信联系人可以帮助恢复您的数据。", - ), - "widgets": MessageLookupByLibrary.simpleMessage("小组件"), - "wishThemAHappyBirthday": m115, - "yearShort": MessageLookupByLibrary.simpleMessage("年"), - "yearly": MessageLookupByLibrary.simpleMessage("每年"), - "yearsAgo": m116, - "yes": MessageLookupByLibrary.simpleMessage("是"), - "yesCancel": MessageLookupByLibrary.simpleMessage("是的,取消"), - "yesConvertToViewer": MessageLookupByLibrary.simpleMessage("是的,转换为查看者"), - "yesDelete": MessageLookupByLibrary.simpleMessage("是的, 删除"), - "yesDiscardChanges": MessageLookupByLibrary.simpleMessage("是的,放弃更改"), - "yesIgnore": MessageLookupByLibrary.simpleMessage("是的,忽略"), - "yesLogout": MessageLookupByLibrary.simpleMessage("是的,退出登陆"), - "yesRemove": MessageLookupByLibrary.simpleMessage("是,移除"), - "yesRenew": MessageLookupByLibrary.simpleMessage("是的,续费"), - "yesResetPerson": MessageLookupByLibrary.simpleMessage("是,重设人物"), - "you": MessageLookupByLibrary.simpleMessage("您"), - "youAndThem": m117, - "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage("你在一个家庭计划中!"), - "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage("当前为最新版本"), - "youCanAtMaxDoubleYourStorage": MessageLookupByLibrary.simpleMessage( - "* 您最多可以将您的存储空间增加一倍", - ), - "youCanManageYourLinksInTheShareTab": MessageLookupByLibrary.simpleMessage( - "您可以在分享选项卡中管理您的链接。", - ), - "youCanTrySearchingForADifferentQuery": - MessageLookupByLibrary.simpleMessage("您可以尝试搜索不同的查询。"), - "youCannotDowngradeToThisPlan": MessageLookupByLibrary.simpleMessage( - "您不能降级到此计划", - ), - "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( - "莫开玩笑,您不能与自己分享", - ), - "youDontHaveAnyArchivedItems": MessageLookupByLibrary.simpleMessage( - "您没有任何存档的项目。", - ), - "youHaveSuccessfullyFreedUp": m118, - "yourAccountHasBeenDeleted": MessageLookupByLibrary.simpleMessage( - "您的账户已删除", - ), - "yourMap": MessageLookupByLibrary.simpleMessage("您的地图"), - "yourPlanWasSuccessfullyDowngraded": MessageLookupByLibrary.simpleMessage( - "您的计划已成功降级", - ), - "yourPlanWasSuccessfullyUpgraded": MessageLookupByLibrary.simpleMessage( - "您的计划已成功升级", - ), - "yourPurchaseWasSuccessful": MessageLookupByLibrary.simpleMessage("您购买成功!"), - "yourStorageDetailsCouldNotBeFetched": MessageLookupByLibrary.simpleMessage( - "无法获取您的存储详情", - ), - "yourSubscriptionHasExpired": MessageLookupByLibrary.simpleMessage( - "您的订阅已过期", - ), - "yourSubscriptionWasUpdatedSuccessfully": - MessageLookupByLibrary.simpleMessage("您的订阅已成功更新"), - "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( - "您的验证码已过期", - ), - "youveNoDuplicateFilesThatCanBeCleared": - MessageLookupByLibrary.simpleMessage("您没有任何可以清除的重复文件"), - "youveNoFilesInThisAlbumThatCanBeDeleted": - MessageLookupByLibrary.simpleMessage("您在此相册中没有可以删除的文件"), - "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage("缩小以查看照片"), - }; + "aNewVersionOfEnteIsAvailable": + MessageLookupByLibrary.simpleMessage("有新版本的 Ente 可供使用。"), + "about": MessageLookupByLibrary.simpleMessage("关于"), + "acceptTrustInvite": MessageLookupByLibrary.simpleMessage("接受邀请"), + "account": MessageLookupByLibrary.simpleMessage("账户"), + "accountIsAlreadyConfigured": + MessageLookupByLibrary.simpleMessage("账户已配置。"), + "accountOwnerPersonAppbarTitle": m0, + "accountWelcomeBack": MessageLookupByLibrary.simpleMessage("欢迎回来!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "我明白,如果我丢失密码,我可能会丢失我的数据,因为我的数据是 端到端加密的。"), + "actionNotSupportedOnFavouritesAlbum": + MessageLookupByLibrary.simpleMessage("收藏相册不支持此操作"), + "activeSessions": MessageLookupByLibrary.simpleMessage("已登录的设备"), + "add": MessageLookupByLibrary.simpleMessage("添加"), + "addAName": MessageLookupByLibrary.simpleMessage("添加一个名称"), + "addANewEmail": MessageLookupByLibrary.simpleMessage("添加新的电子邮件"), + "addAlbumWidgetPrompt": + MessageLookupByLibrary.simpleMessage("将相册小组件添加到您的主屏幕,然后返回此处进行自定义。"), + "addCollaborator": MessageLookupByLibrary.simpleMessage("添加协作者"), + "addCollaborators": m1, + "addFiles": MessageLookupByLibrary.simpleMessage("添加文件"), + "addFromDevice": MessageLookupByLibrary.simpleMessage("从设备添加"), + "addItem": m2, + "addLocation": MessageLookupByLibrary.simpleMessage("添加地点"), + "addLocationButton": MessageLookupByLibrary.simpleMessage("添加"), + "addMemoriesWidgetPrompt": + MessageLookupByLibrary.simpleMessage("将回忆小组件添加到您的主屏幕,然后返回此处进行自定义。"), + "addMore": MessageLookupByLibrary.simpleMessage("添加更多"), + "addName": MessageLookupByLibrary.simpleMessage("添加名称"), + "addNameOrMerge": MessageLookupByLibrary.simpleMessage("添加名称或合并"), + "addNew": MessageLookupByLibrary.simpleMessage("新建"), + "addNewPerson": MessageLookupByLibrary.simpleMessage("添加新人物"), + "addOnPageSubtitle": MessageLookupByLibrary.simpleMessage("附加组件详情"), + "addOnValidTill": m3, + "addOns": MessageLookupByLibrary.simpleMessage("附加组件"), + "addParticipants": MessageLookupByLibrary.simpleMessage("添加参与者"), + "addPeopleWidgetPrompt": + MessageLookupByLibrary.simpleMessage("将人物小组件添加到您的主屏幕,然后返回此处进行自定义。"), + "addPhotos": MessageLookupByLibrary.simpleMessage("添加照片"), + "addSelected": MessageLookupByLibrary.simpleMessage("添加所选项"), + "addToAlbum": MessageLookupByLibrary.simpleMessage("添加到相册"), + "addToEnte": MessageLookupByLibrary.simpleMessage("添加到 Ente"), + "addToHiddenAlbum": MessageLookupByLibrary.simpleMessage("添加到隐藏相册"), + "addTrustedContact": MessageLookupByLibrary.simpleMessage("添加可信联系人"), + "addViewer": MessageLookupByLibrary.simpleMessage("添加查看者"), + "addViewers": m4, + "addYourPhotosNow": MessageLookupByLibrary.simpleMessage("立即添加您的照片"), + "addedAs": MessageLookupByLibrary.simpleMessage("已添加为"), + "addedBy": m5, + "addedSuccessfullyTo": m6, + "addingToFavorites": MessageLookupByLibrary.simpleMessage("正在添加到收藏..."), + "admiringThem": m7, + "advanced": MessageLookupByLibrary.simpleMessage("高级设置"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("高级设置"), + "after1Day": MessageLookupByLibrary.simpleMessage("1天后"), + "after1Hour": MessageLookupByLibrary.simpleMessage("1小时后"), + "after1Month": MessageLookupByLibrary.simpleMessage("1个月后"), + "after1Week": MessageLookupByLibrary.simpleMessage("1 周后"), + "after1Year": MessageLookupByLibrary.simpleMessage("1 年后"), + "albumOwner": MessageLookupByLibrary.simpleMessage("所有者"), + "albumParticipantsCount": m8, + "albumTitle": MessageLookupByLibrary.simpleMessage("相册标题"), + "albumUpdated": MessageLookupByLibrary.simpleMessage("相册已更新"), + "albums": MessageLookupByLibrary.simpleMessage("相册"), + "albumsWidgetDesc": + MessageLookupByLibrary.simpleMessage("选择您希望在主屏幕上看到的相册。"), + "allClear": MessageLookupByLibrary.simpleMessage("✨ 全部清除"), + "allMemoriesPreserved": + MessageLookupByLibrary.simpleMessage("所有回忆都已保存"), + "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( + "此人的所有分组都将被重设,并且您将丢失针对此人的所有建议"), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "所有未命名组将合并到所选人物中。此操作仍可从该人物的建议历史概览中撤销。"), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "这张照片是该组中的第一张。其他已选择的照片将根据此新日期自动调整。"), + "allow": MessageLookupByLibrary.simpleMessage("允许"), + "allowAddPhotosDescription": + MessageLookupByLibrary.simpleMessage("允许具有链接的人也将照片添加到共享相册。"), + "allowAddingPhotos": MessageLookupByLibrary.simpleMessage("允许添加照片"), + "allowAppToOpenSharedAlbumLinks": + MessageLookupByLibrary.simpleMessage("允许应用打开共享相册链接"), + "allowDownloads": MessageLookupByLibrary.simpleMessage("允许下载"), + "allowPeopleToAddPhotos": + MessageLookupByLibrary.simpleMessage("允许人们添加照片"), + "allowPermBody": MessageLookupByLibrary.simpleMessage( + "请从“设置”中选择允许访问您的照片,以便 Ente 可以显示和备份您的图库。"), + "allowPermTitle": MessageLookupByLibrary.simpleMessage("允许访问照片"), + "androidBiometricHint": MessageLookupByLibrary.simpleMessage("验证身份"), + "androidBiometricNotRecognized": + MessageLookupByLibrary.simpleMessage("无法识别。请重试。"), + "androidBiometricRequiredTitle": + MessageLookupByLibrary.simpleMessage("需要生物识别认证"), + "androidBiometricSuccess": MessageLookupByLibrary.simpleMessage("成功"), + "androidCancelButton": MessageLookupByLibrary.simpleMessage("取消"), + "androidDeviceCredentialsRequiredTitle": + MessageLookupByLibrary.simpleMessage("需要设备凭据"), + "androidDeviceCredentialsSetupDescription": + MessageLookupByLibrary.simpleMessage("需要设备凭据"), + "androidGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "您未在该设备上设置生物识别身份验证。前往“设置>安全”添加生物识别身份验证。"), + "androidIosWebDesktop": + MessageLookupByLibrary.simpleMessage("安卓, iOS, 网页端, 桌面端"), + "androidSignInTitle": MessageLookupByLibrary.simpleMessage("需要身份验证"), + "appIcon": MessageLookupByLibrary.simpleMessage("应用图标"), + "appLock": MessageLookupByLibrary.simpleMessage("应用锁"), + "appLockDescriptions": MessageLookupByLibrary.simpleMessage( + "在设备的默认锁定屏幕和带有 PIN 或密码的自定义锁定屏幕之间进行选择。"), + "appVersion": m9, + "appleId": MessageLookupByLibrary.simpleMessage("Apple ID"), + "apply": MessageLookupByLibrary.simpleMessage("应用"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("应用代码"), + "appstoreSubscription": + MessageLookupByLibrary.simpleMessage("AppStore 订阅"), + "archive": MessageLookupByLibrary.simpleMessage("存档"), + "archiveAlbum": MessageLookupByLibrary.simpleMessage("存档相册"), + "archiving": MessageLookupByLibrary.simpleMessage("正在存档..."), + "areThey": MessageLookupByLibrary.simpleMessage("他们是 "), + "areYouSureRemoveThisFaceFromPerson": + MessageLookupByLibrary.simpleMessage("您确定要从此人中移除这个人脸吗?"), + "areYouSureThatYouWantToLeaveTheFamily": + MessageLookupByLibrary.simpleMessage("您确定要离开家庭计划吗?"), + "areYouSureYouWantToCancel": + MessageLookupByLibrary.simpleMessage("您确定要取消吗?"), + "areYouSureYouWantToChangeYourPlan": + MessageLookupByLibrary.simpleMessage("您确定要更改您的计划吗?"), + "areYouSureYouWantToExit": + MessageLookupByLibrary.simpleMessage("您确定要退出吗?"), + "areYouSureYouWantToIgnoreThesePersons": + MessageLookupByLibrary.simpleMessage("您确定要忽略这些人吗?"), + "areYouSureYouWantToIgnoreThisPerson": + MessageLookupByLibrary.simpleMessage("您确定要忽略此人吗?"), + "areYouSureYouWantToLogout": + MessageLookupByLibrary.simpleMessage("您确定要退出登录吗?"), + "areYouSureYouWantToMergeThem": + MessageLookupByLibrary.simpleMessage("您确定要合并他们吗?"), + "areYouSureYouWantToRenew": + MessageLookupByLibrary.simpleMessage("您确定要续费吗?"), + "areYouSureYouWantToResetThisPerson": + MessageLookupByLibrary.simpleMessage("您确定要重设此人吗?"), + "askCancelReason": + MessageLookupByLibrary.simpleMessage("您的订阅已取消。您想分享原因吗?"), + "askDeleteReason": + MessageLookupByLibrary.simpleMessage("您删除账户的主要原因是什么?"), + "askYourLovedOnesToShare": + MessageLookupByLibrary.simpleMessage("请您的亲人分享"), + "atAFalloutShelter": MessageLookupByLibrary.simpleMessage("在一个庇护所中"), + "authToChangeEmailVerificationSetting": + MessageLookupByLibrary.simpleMessage("请进行身份验证以更改电子邮件验证"), + "authToChangeLockscreenSetting": + MessageLookupByLibrary.simpleMessage("请验证以更改锁屏设置"), + "authToChangeYourEmail": + MessageLookupByLibrary.simpleMessage("请验证以更改您的电子邮件"), + "authToChangeYourPassword": + MessageLookupByLibrary.simpleMessage("请验证以更改密码"), + "authToConfigureTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage("请进行身份验证以配置双重身份认证"), + "authToInitiateAccountDeletion": + MessageLookupByLibrary.simpleMessage("请进行身份验证以启动账户删除"), + "authToManageLegacy": + MessageLookupByLibrary.simpleMessage("请验证身份以管理您的可信联系人"), + "authToViewPasskey": + MessageLookupByLibrary.simpleMessage("请验证身份以查看您的通行密钥"), + "authToViewTrashedFiles": + MessageLookupByLibrary.simpleMessage("请验证身份以查看您已删除的文件"), + "authToViewYourActiveSessions": + MessageLookupByLibrary.simpleMessage("请验证以查看您的活动会话"), + "authToViewYourHiddenFiles": + MessageLookupByLibrary.simpleMessage("请验证以查看您的隐藏文件"), + "authToViewYourMemories": + MessageLookupByLibrary.simpleMessage("请验证以查看您的回忆"), + "authToViewYourRecoveryKey": + MessageLookupByLibrary.simpleMessage("请验证以查看您的恢复密钥"), + "authenticating": MessageLookupByLibrary.simpleMessage("正在验证..."), + "authenticationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage("身份验证失败,请重试"), + "authenticationSuccessful": + MessageLookupByLibrary.simpleMessage("验证成功"), + "autoCastDialogBody": + MessageLookupByLibrary.simpleMessage("您将在此处看到可用的 Cast 设备。"), + "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( + "请确保已在“设置”中为 Ente Photos 应用打开本地网络权限。"), + "autoLock": MessageLookupByLibrary.simpleMessage("自动锁定"), + "autoLockFeatureDescription": + MessageLookupByLibrary.simpleMessage("应用程序进入后台后锁定的时间"), + "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( + "由于技术故障,您已退出登录。对于由此造成的不便,我们深表歉意。"), + "autoPair": MessageLookupByLibrary.simpleMessage("自动配对"), + "autoPairDesc": + MessageLookupByLibrary.simpleMessage("自动配对仅适用于支持 Chromecast 的设备。"), + "available": MessageLookupByLibrary.simpleMessage("可用"), + "availableStorageSpace": m10, + "backedUpFolders": MessageLookupByLibrary.simpleMessage("已备份的文件夹"), + "backgroundWithThem": m11, + "backup": MessageLookupByLibrary.simpleMessage("备份"), + "backupFailed": MessageLookupByLibrary.simpleMessage("备份失败"), + "backupFile": MessageLookupByLibrary.simpleMessage("备份文件"), + "backupOverMobileData": + MessageLookupByLibrary.simpleMessage("通过移动数据备份"), + "backupSettings": MessageLookupByLibrary.simpleMessage("备份设置"), + "backupStatus": MessageLookupByLibrary.simpleMessage("备份状态"), + "backupStatusDescription": + MessageLookupByLibrary.simpleMessage("已备份的项目将显示在此处"), + "backupVideos": MessageLookupByLibrary.simpleMessage("备份视频"), + "beach": MessageLookupByLibrary.simpleMessage("沙滩与大海"), + "birthday": MessageLookupByLibrary.simpleMessage("生日"), + "birthdayNotifications": MessageLookupByLibrary.simpleMessage("生日通知"), + "birthdays": MessageLookupByLibrary.simpleMessage("生日"), + "blackFridaySale": MessageLookupByLibrary.simpleMessage("黑色星期五特惠"), + "blog": MessageLookupByLibrary.simpleMessage("博客"), + "cLDesc1": MessageLookupByLibrary.simpleMessage( + "在视频流媒体测试版和可恢复上传与下载功能的基础上,我们现已将文件上传限制提高到10GB。此功能现已在桌面和移动应用程序中可用。"), + "cLDesc2": MessageLookupByLibrary.simpleMessage( + "现在 iOS 设备也支持后台上传,Android 设备早已支持。无需打开应用程序即可备份最新的照片和视频。"), + "cLDesc3": MessageLookupByLibrary.simpleMessage( + "我们对回忆体验进行了重大改进,包括自动播放、滑动到下一个回忆以及更多功能。"), + "cLDesc4": MessageLookupByLibrary.simpleMessage( + "除了多项底层改进外,现在可以更轻松地查看所有检测到的人脸,对相似人脸提供反馈,以及从单张照片中添加/删除人脸。"), + "cLDesc5": MessageLookupByLibrary.simpleMessage( + "您现在将收到 Ente 上保存的所有生日的可选退出通知,同时附上他们最佳照片的合集。"), + "cLDesc6": MessageLookupByLibrary.simpleMessage( + "无需等待上传/下载完成即可关闭应用程序。所有上传和下载现在都可以中途暂停,并从中断处继续。"), + "cLTitle1": MessageLookupByLibrary.simpleMessage("正在上传大型视频文件"), + "cLTitle2": MessageLookupByLibrary.simpleMessage("后台上传"), + "cLTitle3": MessageLookupByLibrary.simpleMessage("自动播放回忆"), + "cLTitle4": MessageLookupByLibrary.simpleMessage("改进的人脸识别"), + "cLTitle5": MessageLookupByLibrary.simpleMessage("生日通知"), + "cLTitle6": MessageLookupByLibrary.simpleMessage("可恢复的上传和下载"), + "cachedData": MessageLookupByLibrary.simpleMessage("缓存数据"), + "calculating": MessageLookupByLibrary.simpleMessage("正在计算..."), + "canNotOpenBody": + MessageLookupByLibrary.simpleMessage("抱歉,该相册无法在应用中打开。"), + "canNotOpenTitle": MessageLookupByLibrary.simpleMessage("无法打开此相册"), + "canNotUploadToAlbumsOwnedByOthers": + MessageLookupByLibrary.simpleMessage("无法上传到他人拥有的相册中"), + "canOnlyCreateLinkForFilesOwnedByYou": + MessageLookupByLibrary.simpleMessage("只能为您拥有的文件创建链接"), + "canOnlyRemoveFilesOwnedByYou": + MessageLookupByLibrary.simpleMessage("只能删除您拥有的文件"), + "cancel": MessageLookupByLibrary.simpleMessage("取消"), + "cancelAccountRecovery": MessageLookupByLibrary.simpleMessage("取消恢复"), + "cancelAccountRecoveryBody": + MessageLookupByLibrary.simpleMessage("您真的要取消恢复吗?"), + "cancelOtherSubscription": m12, + "cancelSubscription": MessageLookupByLibrary.simpleMessage("取消订阅"), + "cannotAddMorePhotosAfterBecomingViewer": m13, + "cannotDeleteSharedFiles": + MessageLookupByLibrary.simpleMessage("无法删除共享文件"), + "castAlbum": MessageLookupByLibrary.simpleMessage("投放相册"), + "castIPMismatchBody": + MessageLookupByLibrary.simpleMessage("请确保您的设备与电视处于同一网络。"), + "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage("投放相册失败"), + "castInstruction": MessageLookupByLibrary.simpleMessage( + "在您要配对的设备上访问 cast.ente.io。\n在下框中输入代码即可在电视上播放相册。"), + "centerPoint": MessageLookupByLibrary.simpleMessage("中心点"), + "change": MessageLookupByLibrary.simpleMessage("更改"), + "changeEmail": MessageLookupByLibrary.simpleMessage("修改邮箱"), + "changeLocationOfSelectedItems": + MessageLookupByLibrary.simpleMessage("确定要更改所选项目的位置吗?"), + "changePassword": MessageLookupByLibrary.simpleMessage("修改密码"), + "changePasswordTitle": MessageLookupByLibrary.simpleMessage("修改密码"), + "changePermissions": MessageLookupByLibrary.simpleMessage("要修改权限吗?"), + "changeYourReferralCode": + MessageLookupByLibrary.simpleMessage("更改您的推荐代码"), + "checkForUpdates": MessageLookupByLibrary.simpleMessage("检查更新"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "请检查您的收件箱 (或者是在您的“垃圾邮件”列表内) 以完成验证"), + "checkStatus": MessageLookupByLibrary.simpleMessage("检查状态"), + "checking": MessageLookupByLibrary.simpleMessage("正在检查..."), + "checkingModels": MessageLookupByLibrary.simpleMessage("正在检查模型..."), + "city": MessageLookupByLibrary.simpleMessage("城市之中"), + "claimFreeStorage": MessageLookupByLibrary.simpleMessage("领取免费存储"), + "claimMore": MessageLookupByLibrary.simpleMessage("领取更多!"), + "claimed": MessageLookupByLibrary.simpleMessage("已领取"), + "claimedStorageSoFar": m14, + "cleanUncategorized": MessageLookupByLibrary.simpleMessage("清除未分类的"), + "cleanUncategorizedDescription": + MessageLookupByLibrary.simpleMessage("从“未分类”中删除其他相册中存在的所有文件"), + "clearCaches": MessageLookupByLibrary.simpleMessage("清除缓存"), + "clearIndexes": MessageLookupByLibrary.simpleMessage("清空索引"), + "click": MessageLookupByLibrary.simpleMessage("• 点击"), + "clickOnTheOverflowMenu": + MessageLookupByLibrary.simpleMessage("• 点击溢出菜单"), + "clickToInstallOurBestVersionYet": + MessageLookupByLibrary.simpleMessage("点击安装我们迄今最好的版本"), + "close": MessageLookupByLibrary.simpleMessage("关闭"), + "clubByCaptureTime": MessageLookupByLibrary.simpleMessage("按拍摄时间分组"), + "clubByFileName": MessageLookupByLibrary.simpleMessage("按文件名排序"), + "clusteringProgress": MessageLookupByLibrary.simpleMessage("聚类进展"), + "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage("代码已应用"), + "codeChangeLimitReached": + MessageLookupByLibrary.simpleMessage("抱歉,您已达到代码更改的限制。"), + "codeCopiedToClipboard": + MessageLookupByLibrary.simpleMessage("代码已复制到剪贴板"), + "codeUsedByYou": MessageLookupByLibrary.simpleMessage("您所使用的代码"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "创建一个链接来让他人无需 Ente 应用程序或账户即可在您的共享相册中添加和查看照片。非常适合收集活动照片。"), + "collaborativeLink": MessageLookupByLibrary.simpleMessage("协作链接"), + "collaborativeLinkCreatedFor": m15, + "collaborator": MessageLookupByLibrary.simpleMessage("协作者"), + "collaboratorsCanAddPhotosAndVideosToTheSharedAlbum": + MessageLookupByLibrary.simpleMessage("协作者可以将照片和视频添加到共享相册中。"), + "collaboratorsSuccessfullyAdded": m16, + "collageLayout": MessageLookupByLibrary.simpleMessage("布局"), + "collageSaved": MessageLookupByLibrary.simpleMessage("拼贴已保存到相册"), + "collect": MessageLookupByLibrary.simpleMessage("收集"), + "collectEventPhotos": MessageLookupByLibrary.simpleMessage("收集活动照片"), + "collectPhotos": MessageLookupByLibrary.simpleMessage("收集照片"), + "collectPhotosDescription": + MessageLookupByLibrary.simpleMessage("创建一个您的朋友可以上传原图的链接。"), + "color": MessageLookupByLibrary.simpleMessage("颜色"), + "configuration": MessageLookupByLibrary.simpleMessage("配置"), + "confirm": MessageLookupByLibrary.simpleMessage("确认"), + "confirm2FADisable": + MessageLookupByLibrary.simpleMessage("您确定要禁用双重认证吗?"), + "confirmAccountDeletion": + MessageLookupByLibrary.simpleMessage("确认删除账户"), + "confirmAddingTrustedContact": m17, + "confirmDeletePrompt": + MessageLookupByLibrary.simpleMessage("是的,我想永久删除此账户及其所有关联的应用程序的数据。"), + "confirmPassword": MessageLookupByLibrary.simpleMessage("请确认密码"), + "confirmPlanChange": MessageLookupByLibrary.simpleMessage("确认更改计划"), + "confirmRecoveryKey": MessageLookupByLibrary.simpleMessage("确认恢复密钥"), + "confirmYourRecoveryKey": + MessageLookupByLibrary.simpleMessage("确认您的恢复密钥"), + "connectToDevice": MessageLookupByLibrary.simpleMessage("连接到设备"), + "contactFamilyAdmin": m18, + "contactSupport": MessageLookupByLibrary.simpleMessage("联系支持"), + "contactToManageSubscription": m19, + "contacts": MessageLookupByLibrary.simpleMessage("联系人"), + "contents": MessageLookupByLibrary.simpleMessage("内容"), + "continueLabel": MessageLookupByLibrary.simpleMessage("继续"), + "continueOnFreeTrial": MessageLookupByLibrary.simpleMessage("继续免费试用"), + "convertToAlbum": MessageLookupByLibrary.simpleMessage("转换为相册"), + "copyEmailAddress": MessageLookupByLibrary.simpleMessage("复制电子邮件地址"), + "copyLink": MessageLookupByLibrary.simpleMessage("复制链接"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage("请复制粘贴此代码\n到您的身份验证器应用程序上"), + "couldNotBackUpTryLater": + MessageLookupByLibrary.simpleMessage("我们无法备份您的数据。\n我们将稍后再试。"), + "couldNotFreeUpSpace": MessageLookupByLibrary.simpleMessage("无法释放空间"), + "couldNotUpdateSubscription": + MessageLookupByLibrary.simpleMessage("无法升级订阅"), + "count": MessageLookupByLibrary.simpleMessage("计数"), + "crashReporting": MessageLookupByLibrary.simpleMessage("上报崩溃"), + "create": MessageLookupByLibrary.simpleMessage("创建"), + "createAccount": MessageLookupByLibrary.simpleMessage("创建账户"), + "createAlbumActionHint": + MessageLookupByLibrary.simpleMessage("长按选择照片,然后点击 + 创建相册"), + "createCollaborativeLink": + MessageLookupByLibrary.simpleMessage("创建协作链接"), + "createCollage": MessageLookupByLibrary.simpleMessage("创建拼贴"), + "createNewAccount": MessageLookupByLibrary.simpleMessage("创建新账号"), + "createOrSelectAlbum": MessageLookupByLibrary.simpleMessage("创建或选择相册"), + "createPublicLink": MessageLookupByLibrary.simpleMessage("创建公开链接"), + "creatingLink": MessageLookupByLibrary.simpleMessage("正在创建链接..."), + "criticalUpdateAvailable": + MessageLookupByLibrary.simpleMessage("可用的关键更新"), + "crop": MessageLookupByLibrary.simpleMessage("裁剪"), + "curatedMemories": MessageLookupByLibrary.simpleMessage("精选回忆"), + "currentUsageIs": MessageLookupByLibrary.simpleMessage("当前用量 "), + "currentlyRunning": MessageLookupByLibrary.simpleMessage("目前正在运行"), + "custom": MessageLookupByLibrary.simpleMessage("自定义"), + "customEndpoint": m20, + "darkTheme": MessageLookupByLibrary.simpleMessage("深色"), + "dayToday": MessageLookupByLibrary.simpleMessage("今天"), + "dayYesterday": MessageLookupByLibrary.simpleMessage("昨天"), + "declineTrustInvite": MessageLookupByLibrary.simpleMessage("拒绝邀请"), + "decrypting": MessageLookupByLibrary.simpleMessage("解密中..."), + "decryptingVideo": MessageLookupByLibrary.simpleMessage("正在解密视频..."), + "deduplicateFiles": MessageLookupByLibrary.simpleMessage("文件去重"), + "delete": MessageLookupByLibrary.simpleMessage("删除"), + "deleteAccount": MessageLookupByLibrary.simpleMessage("删除账户"), + "deleteAccountFeedbackPrompt": + MessageLookupByLibrary.simpleMessage("我们很抱歉看到您离开。请分享您的反馈以帮助我们改进。"), + "deleteAccountPermanentlyButton": + MessageLookupByLibrary.simpleMessage("永久删除账户"), + "deleteAlbum": MessageLookupByLibrary.simpleMessage("删除相册"), + "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( + "也删除此相册中存在的照片(和视频),从 他们所加入的所有 其他相册?"), + "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( + "这将删除所有空相册。 当您想减少相册列表的混乱时,这很有用。"), + "deleteAll": MessageLookupByLibrary.simpleMessage("全部删除"), + "deleteConfirmDialogBody": MessageLookupByLibrary.simpleMessage( + "此账户已链接到其他 Ente 应用程序(如果您使用任何应用程序)。您在所有 Ente 应用程序中上传的数据将被安排删除,并且您的账户将被永久删除。"), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "请从您注册的电子邮件地址发送电子邮件到 account-delettion@ente.io。"), + "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage("删除空相册"), + "deleteEmptyAlbumsWithQuestionMark": + MessageLookupByLibrary.simpleMessage("要删除空相册吗?"), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage("同时从两者中删除"), + "deleteFromDevice": MessageLookupByLibrary.simpleMessage("从设备中删除"), + "deleteFromEnte": MessageLookupByLibrary.simpleMessage("从 Ente 中删除"), + "deleteItemCount": m21, + "deleteLocation": MessageLookupByLibrary.simpleMessage("删除位置"), + "deleteMultipleAlbumDialog": m22, + "deletePhotos": MessageLookupByLibrary.simpleMessage("删除照片"), + "deleteProgress": m23, + "deleteReason1": MessageLookupByLibrary.simpleMessage("缺少我所需的关键功能"), + "deleteReason2": MessageLookupByLibrary.simpleMessage("应用或某项功能未按预期运行"), + "deleteReason3": MessageLookupByLibrary.simpleMessage("我发现另一个产品更好用"), + "deleteReason4": MessageLookupByLibrary.simpleMessage("其他原因"), + "deleteRequestSLAText": + MessageLookupByLibrary.simpleMessage("您的请求将在 72 小时内处理。"), + "deleteSharedAlbum": MessageLookupByLibrary.simpleMessage("要删除共享相册吗?"), + "deleteSharedAlbumDialogBody": MessageLookupByLibrary.simpleMessage( + "将为所有人删除相册\n\n您将无法访问此相册中他人拥有的共享照片"), + "deselectAll": MessageLookupByLibrary.simpleMessage("取消全选"), + "designedToOutlive": MessageLookupByLibrary.simpleMessage("经久耐用"), + "details": MessageLookupByLibrary.simpleMessage("详情"), + "developerSettings": MessageLookupByLibrary.simpleMessage("开发者设置"), + "developerSettingsWarning": + MessageLookupByLibrary.simpleMessage("您确定要修改开发者设置吗?"), + "deviceCodeHint": MessageLookupByLibrary.simpleMessage("输入代码"), + "deviceFilesAutoUploading": + MessageLookupByLibrary.simpleMessage("添加到此设备相册的文件将自动上传到 Ente。"), + "deviceLock": MessageLookupByLibrary.simpleMessage("设备锁"), + "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( + "当 Ente 置于前台且正在进行备份时将禁用设备屏幕锁定。这通常是不需要的,但可能有助于更快地完成大型上传和大型库的初始导入。"), + "deviceNotFound": MessageLookupByLibrary.simpleMessage("未发现设备"), + "didYouKnow": MessageLookupByLibrary.simpleMessage("您知道吗?"), + "different": MessageLookupByLibrary.simpleMessage("不同"), + "disableAutoLock": MessageLookupByLibrary.simpleMessage("禁用自动锁定"), + "disableDownloadWarningBody": + MessageLookupByLibrary.simpleMessage("查看者仍然可以使用外部工具截图或保存您的照片副本"), + "disableDownloadWarningTitle": + MessageLookupByLibrary.simpleMessage("请注意"), + "disableLinkMessage": m24, + "disableTwofactor": MessageLookupByLibrary.simpleMessage("禁用双重认证"), + "disablingTwofactorAuthentication": + MessageLookupByLibrary.simpleMessage("正在禁用双重认证..."), + "discord": MessageLookupByLibrary.simpleMessage("Discord"), + "discover": MessageLookupByLibrary.simpleMessage("发现"), + "discover_babies": MessageLookupByLibrary.simpleMessage("婴儿"), + "discover_celebrations": MessageLookupByLibrary.simpleMessage("节日"), + "discover_food": MessageLookupByLibrary.simpleMessage("食物"), + "discover_greenery": MessageLookupByLibrary.simpleMessage("绿植"), + "discover_hills": MessageLookupByLibrary.simpleMessage("山"), + "discover_identity": MessageLookupByLibrary.simpleMessage("身份"), + "discover_memes": MessageLookupByLibrary.simpleMessage("表情包"), + "discover_notes": MessageLookupByLibrary.simpleMessage("备注"), + "discover_pets": MessageLookupByLibrary.simpleMessage("宠物"), + "discover_receipts": MessageLookupByLibrary.simpleMessage("收据"), + "discover_screenshots": MessageLookupByLibrary.simpleMessage("屏幕截图"), + "discover_selfies": MessageLookupByLibrary.simpleMessage("自拍"), + "discover_sunset": MessageLookupByLibrary.simpleMessage("日落"), + "discover_visiting_cards": MessageLookupByLibrary.simpleMessage("访问卡"), + "discover_wallpapers": MessageLookupByLibrary.simpleMessage("壁纸"), + "dismiss": MessageLookupByLibrary.simpleMessage("忽略"), + "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("公里"), + "doNotSignOut": MessageLookupByLibrary.simpleMessage("不要登出"), + "doThisLater": MessageLookupByLibrary.simpleMessage("稍后再说"), + "doYouWantToDiscardTheEditsYouHaveMade": + MessageLookupByLibrary.simpleMessage("您想要放弃您所做的编辑吗?"), + "done": MessageLookupByLibrary.simpleMessage("已完成"), + "dontSave": MessageLookupByLibrary.simpleMessage("不保存"), + "doubleYourStorage": + MessageLookupByLibrary.simpleMessage("将您的存储空间增加一倍"), + "download": MessageLookupByLibrary.simpleMessage("下载"), + "downloadFailed": MessageLookupByLibrary.simpleMessage("下載失敗"), + "downloading": MessageLookupByLibrary.simpleMessage("正在下载..."), + "dropSupportEmail": m25, + "duplicateFileCountWithStorageSaved": m26, + "duplicateItemsGroup": m27, + "edit": MessageLookupByLibrary.simpleMessage("编辑"), + "editEmailAlreadyLinked": m28, + "editLocation": MessageLookupByLibrary.simpleMessage("编辑位置"), + "editLocationTagTitle": MessageLookupByLibrary.simpleMessage("编辑位置"), + "editPerson": MessageLookupByLibrary.simpleMessage("编辑人物"), + "editTime": MessageLookupByLibrary.simpleMessage("修改时间"), + "editsSaved": MessageLookupByLibrary.simpleMessage("已保存编辑"), + "editsToLocationWillOnlyBeSeenWithinEnte": + MessageLookupByLibrary.simpleMessage("对位置的编辑只能在 Ente 内看到"), + "eligible": MessageLookupByLibrary.simpleMessage("符合资格"), + "email": MessageLookupByLibrary.simpleMessage("电子邮件地址"), + "emailAlreadyRegistered": + MessageLookupByLibrary.simpleMessage("此电子邮件地址已被注册。"), + "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, + "emailNoEnteAccount": m31, + "emailNotRegistered": + MessageLookupByLibrary.simpleMessage("此电子邮件地址未被注册。"), + "emailVerificationToggle": + MessageLookupByLibrary.simpleMessage("电子邮件验证"), + "emailYourLogs": MessageLookupByLibrary.simpleMessage("通过电子邮件发送您的日志"), + "embracingThem": m32, + "emergencyContacts": MessageLookupByLibrary.simpleMessage("紧急联系人"), + "empty": MessageLookupByLibrary.simpleMessage("清空"), + "emptyTrash": MessageLookupByLibrary.simpleMessage("要清空回收站吗?"), + "enable": MessageLookupByLibrary.simpleMessage("启用"), + "enableMLIndexingDesc": MessageLookupByLibrary.simpleMessage( + "Ente 支持设备上的机器学习,实现人脸识别、魔法搜索和其他高级搜索功能"), + "enableMachineLearningBanner": + MessageLookupByLibrary.simpleMessage("启用机器学习进行魔法搜索和面部识别"), + "enableMaps": MessageLookupByLibrary.simpleMessage("启用地图"), + "enableMapsDesc": MessageLookupByLibrary.simpleMessage( + "这将在世界地图上显示您的照片。\n\n该地图由 Open Street Map 托管,并且您的照片的确切位置永远不会共享。\n\n您可以随时从“设置”中禁用此功能。"), + "enabled": MessageLookupByLibrary.simpleMessage("已启用"), + "encryptingBackup": MessageLookupByLibrary.simpleMessage("正在加密备份..."), + "encryption": MessageLookupByLibrary.simpleMessage("加密"), + "encryptionKeys": MessageLookupByLibrary.simpleMessage("加密密钥"), + "endpointUpdatedMessage": + MessageLookupByLibrary.simpleMessage("端点更新成功"), + "endtoendEncryptedByDefault": + MessageLookupByLibrary.simpleMessage("默认端到端加密"), + "enteCanEncryptAndPreserveFilesOnlyIfYouGrant": + MessageLookupByLibrary.simpleMessage("仅当您授予文件访问权限时,Ente 才能加密和保存文件"), + "entePhotosPerm": + MessageLookupByLibrary.simpleMessage("Ente 需要许可才能保存您的照片"), + "enteSubscriptionPitch": MessageLookupByLibrary.simpleMessage( + "Ente 会保留您的回忆,因此即使您丢失了设备,也能随时找到它们。"), + "enteSubscriptionShareWithFamily": + MessageLookupByLibrary.simpleMessage("您的家人也可以添加到您的计划中。"), + "enterAlbumName": MessageLookupByLibrary.simpleMessage("输入相册名称"), + "enterCode": MessageLookupByLibrary.simpleMessage("输入代码"), + "enterCodeDescription": + MessageLookupByLibrary.simpleMessage("输入您的朋友提供的代码来为您申请免费存储"), + "enterDateOfBirth": MessageLookupByLibrary.simpleMessage("生日(可选)"), + "enterEmail": MessageLookupByLibrary.simpleMessage("输入电子邮件"), + "enterFileName": MessageLookupByLibrary.simpleMessage("请输入文件名"), + "enterName": MessageLookupByLibrary.simpleMessage("输入名称"), + "enterNewPasswordToEncrypt": + MessageLookupByLibrary.simpleMessage("输入我们可以用来加密您的数据的新密码"), + "enterPassword": MessageLookupByLibrary.simpleMessage("输入密码"), + "enterPasswordToEncrypt": + MessageLookupByLibrary.simpleMessage("输入我们可以用来加密您的数据的密码"), + "enterPersonName": MessageLookupByLibrary.simpleMessage("输入人物名称"), + "enterPin": MessageLookupByLibrary.simpleMessage("输入 PIN 码"), + "enterReferralCode": MessageLookupByLibrary.simpleMessage("输入推荐代码"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage("从你的身份验证器应用中\n输入6位数字代码"), + "enterValidEmail": + MessageLookupByLibrary.simpleMessage("请输入一个有效的电子邮件地址。"), + "enterYourEmailAddress": + MessageLookupByLibrary.simpleMessage("请输入您的电子邮件地址"), + "enterYourNewEmailAddress": + MessageLookupByLibrary.simpleMessage("输入您的新电子邮件地址"), + "enterYourPassword": MessageLookupByLibrary.simpleMessage("输入您的密码"), + "enterYourRecoveryKey": + MessageLookupByLibrary.simpleMessage("输入您的恢复密钥"), + "error": MessageLookupByLibrary.simpleMessage("错误"), + "everywhere": MessageLookupByLibrary.simpleMessage("随时随地"), + "exif": MessageLookupByLibrary.simpleMessage("EXIF"), + "existingUser": MessageLookupByLibrary.simpleMessage("现有用户"), + "expiredLinkInfo": + MessageLookupByLibrary.simpleMessage("此链接已过期。请选择新的过期时间或禁用链接有效期。"), + "exportLogs": MessageLookupByLibrary.simpleMessage("导出日志"), + "exportYourData": MessageLookupByLibrary.simpleMessage("导出您的数据"), + "extraPhotosFound": MessageLookupByLibrary.simpleMessage("发现额外照片"), + "extraPhotosFoundFor": m33, + "faceNotClusteredYet": + MessageLookupByLibrary.simpleMessage("人脸尚未聚类,请稍后再来"), + "faceRecognition": MessageLookupByLibrary.simpleMessage("人脸识别"), + "faceThumbnailGenerationFailed": + MessageLookupByLibrary.simpleMessage("无法生成人脸缩略图"), + "faces": MessageLookupByLibrary.simpleMessage("人脸"), + "failed": MessageLookupByLibrary.simpleMessage("失败"), + "failedToApplyCode": MessageLookupByLibrary.simpleMessage("无法使用此代码"), + "failedToCancel": MessageLookupByLibrary.simpleMessage("取消失败"), + "failedToDownloadVideo": MessageLookupByLibrary.simpleMessage("视频下载失败"), + "failedToFetchActiveSessions": + MessageLookupByLibrary.simpleMessage("无法获取活动会话"), + "failedToFetchOriginalForEdit": + MessageLookupByLibrary.simpleMessage("无法获取原始编辑"), + "failedToFetchReferralDetails": + MessageLookupByLibrary.simpleMessage("无法获取引荐详细信息。 请稍后再试。"), + "failedToLoadAlbums": MessageLookupByLibrary.simpleMessage("加载相册失败"), + "failedToPlayVideo": MessageLookupByLibrary.simpleMessage("播放视频失败"), + "failedToRefreshStripeSubscription": + MessageLookupByLibrary.simpleMessage("刷新订阅失败"), + "failedToRenew": MessageLookupByLibrary.simpleMessage("续费失败"), + "failedToVerifyPaymentStatus": + MessageLookupByLibrary.simpleMessage("验证支付状态失败"), + "familyPlanOverview": MessageLookupByLibrary.simpleMessage( + "将 5 名家庭成员添加到您现有的计划中,无需支付额外费用。\n\n每个成员都有自己的私人空间,除非共享,否则无法看到彼此的文件。\n\n家庭计划适用于已付费 Ente 订阅的客户。\n\n立即订阅,开始体验!"), + "familyPlanPortalTitle": MessageLookupByLibrary.simpleMessage("家庭"), + "familyPlans": MessageLookupByLibrary.simpleMessage("家庭计划"), + "faq": MessageLookupByLibrary.simpleMessage("常见问题"), + "faqs": MessageLookupByLibrary.simpleMessage("常见问题"), + "favorite": MessageLookupByLibrary.simpleMessage("收藏"), + "feastingWithThem": m34, + "feedback": MessageLookupByLibrary.simpleMessage("反馈"), + "file": MessageLookupByLibrary.simpleMessage("文件"), + "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage("无法分析文件"), + "fileFailedToSaveToGallery": + MessageLookupByLibrary.simpleMessage("无法将文件保存到相册"), + "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage("添加说明..."), + "fileNotUploadedYet": MessageLookupByLibrary.simpleMessage("文件尚未上传"), + "fileSavedToGallery": MessageLookupByLibrary.simpleMessage("文件已保存到相册"), + "fileTypes": MessageLookupByLibrary.simpleMessage("文件类型"), + "fileTypesAndNames": MessageLookupByLibrary.simpleMessage("文件类型和名称"), + "filesBackedUpFromDevice": m35, + "filesBackedUpInAlbum": m36, + "filesDeleted": MessageLookupByLibrary.simpleMessage("文件已删除"), + "filesSavedToGallery": + MessageLookupByLibrary.simpleMessage("多个文件已保存到相册"), + "findPeopleByName": MessageLookupByLibrary.simpleMessage("按名称快速查找人物"), + "findThemQuickly": MessageLookupByLibrary.simpleMessage("快速找到它们"), + "flip": MessageLookupByLibrary.simpleMessage("上下翻转"), + "food": MessageLookupByLibrary.simpleMessage("美食盛宴"), + "forYourMemories": MessageLookupByLibrary.simpleMessage("为您的回忆"), + "forgotPassword": MessageLookupByLibrary.simpleMessage("忘记密码"), + "foundFaces": MessageLookupByLibrary.simpleMessage("已找到的人脸"), + "freeStorageClaimed": MessageLookupByLibrary.simpleMessage("已领取的免费存储"), + "freeStorageOnReferralSuccess": m37, + "freeStorageUsable": MessageLookupByLibrary.simpleMessage("可用的免费存储"), + "freeTrial": MessageLookupByLibrary.simpleMessage("免费试用"), + "freeTrialValidTill": m38, + "freeUpAccessPostDelete": m39, + "freeUpAmount": m40, + "freeUpDeviceSpace": MessageLookupByLibrary.simpleMessage("释放设备空间"), + "freeUpDeviceSpaceDesc": + MessageLookupByLibrary.simpleMessage("通过清除已备份的文件来节省设备空间。"), + "freeUpSpace": MessageLookupByLibrary.simpleMessage("释放空间"), + "freeUpSpaceSaving": m41, + "gallery": MessageLookupByLibrary.simpleMessage("图库"), + "galleryMemoryLimitInfo": + MessageLookupByLibrary.simpleMessage("在图库中显示最多1000个回忆"), + "general": MessageLookupByLibrary.simpleMessage("通用"), + "generatingEncryptionKeys": + MessageLookupByLibrary.simpleMessage("正在生成加密密钥..."), + "genericProgress": m42, + "goToSettings": MessageLookupByLibrary.simpleMessage("前往设置"), + "googlePlayId": MessageLookupByLibrary.simpleMessage("Google Play ID"), + "grantFullAccessPrompt": + MessageLookupByLibrary.simpleMessage("请在手机“设置”中授权软件访问所有照片"), + "grantPermission": MessageLookupByLibrary.simpleMessage("授予权限"), + "greenery": MessageLookupByLibrary.simpleMessage("绿色生活"), + "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage("将附近的照片分组"), + "guestView": MessageLookupByLibrary.simpleMessage("访客视图"), + "guestViewEnablePreSteps": + MessageLookupByLibrary.simpleMessage("要启用访客视图,请在系统设置中设置设备密码或屏幕锁。"), + "happyBirthday": MessageLookupByLibrary.simpleMessage("生日快乐! 🥳"), + "hearUsExplanation": MessageLookupByLibrary.simpleMessage( + "我们不跟踪应用程序安装情况。如果您告诉我们您是在哪里找到我们的,将会有所帮助!"), + "hearUsWhereTitle": + MessageLookupByLibrary.simpleMessage("您是如何知道Ente的? (可选的)"), + "help": MessageLookupByLibrary.simpleMessage("帮助"), + "hidden": MessageLookupByLibrary.simpleMessage("已隐藏"), + "hide": MessageLookupByLibrary.simpleMessage("隐藏"), + "hideContent": MessageLookupByLibrary.simpleMessage("隐藏内容"), + "hideContentDescriptionAndroid": + MessageLookupByLibrary.simpleMessage("在应用切换器中隐藏应用内容并禁用屏幕截图"), + "hideContentDescriptionIos": + MessageLookupByLibrary.simpleMessage("在应用切换器中隐藏应用内容"), + "hideSharedItemsFromHomeGallery": + MessageLookupByLibrary.simpleMessage("隐藏主页图库中的共享项目"), + "hiding": MessageLookupByLibrary.simpleMessage("正在隐藏..."), + "hikingWithThem": m43, + "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage("法国 OSM 主办"), + "howItWorks": MessageLookupByLibrary.simpleMessage("工作原理"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "请让他们在设置屏幕上长按他们的电子邮件地址,并验证两台设备上的 ID 是否匹配。"), + "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( + "您未在该设备上设置生物识别身份验证。请在您的手机上启用 Touch ID或Face ID。"), + "iOSLockOut": + MessageLookupByLibrary.simpleMessage("生物识别认证已禁用。请锁定并解锁您的屏幕以启用它。"), + "iOSOkButton": MessageLookupByLibrary.simpleMessage("好的"), + "ignore": MessageLookupByLibrary.simpleMessage("忽略"), + "ignoreUpdate": MessageLookupByLibrary.simpleMessage("忽略"), + "ignored": MessageLookupByLibrary.simpleMessage("已忽略"), + "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( + "此相册中的某些文件在上传时会被忽略,因为它们之前已从 Ente 中删除。"), + "imageNotAnalyzed": MessageLookupByLibrary.simpleMessage("图像未分析"), + "immediately": MessageLookupByLibrary.simpleMessage("立即"), + "importing": MessageLookupByLibrary.simpleMessage("正在导入..."), + "incorrectCode": MessageLookupByLibrary.simpleMessage("代码错误"), + "incorrectPasswordTitle": MessageLookupByLibrary.simpleMessage("密码错误"), + "incorrectRecoveryKey": + MessageLookupByLibrary.simpleMessage("不正确的恢复密钥"), + "incorrectRecoveryKeyBody": + MessageLookupByLibrary.simpleMessage("您输入的恢复密钥不正确"), + "incorrectRecoveryKeyTitle": + MessageLookupByLibrary.simpleMessage("恢复密钥不正确"), + "indexedItems": MessageLookupByLibrary.simpleMessage("已索引项目"), + "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( + "索引已暂停。待设备准备就绪后,索引将自动恢复。当设备的电池电量、电池健康度和温度状态处于健康范围内时,设备即被视为准备就绪。"), + "ineligible": MessageLookupByLibrary.simpleMessage("不合格"), + "info": MessageLookupByLibrary.simpleMessage("详情"), + "insecureDevice": MessageLookupByLibrary.simpleMessage("设备不安全"), + "installManually": MessageLookupByLibrary.simpleMessage("手动安装"), + "invalidEmailAddress": + MessageLookupByLibrary.simpleMessage("无效的电子邮件地址"), + "invalidEndpoint": MessageLookupByLibrary.simpleMessage("端点无效"), + "invalidEndpointMessage": + MessageLookupByLibrary.simpleMessage("抱歉,您输入的端点无效。请输入有效的端点,然后重试。"), + "invalidKey": MessageLookupByLibrary.simpleMessage("无效的密钥"), + "invalidRecoveryKey": MessageLookupByLibrary.simpleMessage( + "您输入的恢复密钥无效。请确保它包含24个单词,并检查每个单词的拼写。\n\n如果您输入了旧的恢复码,请确保它长度为64个字符,并检查其中每个字符。"), + "invite": MessageLookupByLibrary.simpleMessage("邀请"), + "inviteToEnte": MessageLookupByLibrary.simpleMessage("邀请到 Ente"), + "inviteYourFriends": MessageLookupByLibrary.simpleMessage("邀请您的朋友"), + "inviteYourFriendsToEnte": + MessageLookupByLibrary.simpleMessage("邀请您的朋友加入 Ente"), + "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": + MessageLookupByLibrary.simpleMessage( + "看起来出了点问题。 请稍后重试。 如果错误仍然存在,请联系我们的支持团队。"), + "itemCount": m44, + "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": + MessageLookupByLibrary.simpleMessage("项目显示永久删除前剩余的天数"), + "itemsWillBeRemovedFromAlbum": + MessageLookupByLibrary.simpleMessage("所选项目将从此相册中移除"), + "join": MessageLookupByLibrary.simpleMessage("加入"), + "joinAlbum": MessageLookupByLibrary.simpleMessage("加入相册"), + "joinAlbumConfirmationDialogBody": + MessageLookupByLibrary.simpleMessage("加入相册将使相册的参与者可以看到您的电子邮件地址。"), + "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage("来查看和添加您的照片"), + "joinAlbumSubtextViewer": + MessageLookupByLibrary.simpleMessage("来将其添加到共享相册"), + "joinDiscord": MessageLookupByLibrary.simpleMessage("加入 Discord"), + "keepPhotos": MessageLookupByLibrary.simpleMessage("保留照片"), + "kiloMeterUnit": MessageLookupByLibrary.simpleMessage("公里"), + "kindlyHelpUsWithThisInformation": + MessageLookupByLibrary.simpleMessage("请帮助我们了解这个信息"), + "language": MessageLookupByLibrary.simpleMessage("语言"), + "lastTimeWithThem": m45, + "lastUpdated": MessageLookupByLibrary.simpleMessage("最后更新"), + "lastYearsTrip": MessageLookupByLibrary.simpleMessage("去年的旅行"), + "leave": MessageLookupByLibrary.simpleMessage("离开"), + "leaveAlbum": MessageLookupByLibrary.simpleMessage("离开相册"), + "leaveFamily": MessageLookupByLibrary.simpleMessage("离开家庭计划"), + "leaveSharedAlbum": MessageLookupByLibrary.simpleMessage("要离开共享相册吗?"), + "left": MessageLookupByLibrary.simpleMessage("向左"), + "legacy": MessageLookupByLibrary.simpleMessage("遗产"), + "legacyAccounts": MessageLookupByLibrary.simpleMessage("遗产账户"), + "legacyInvite": m46, + "legacyPageDesc": + MessageLookupByLibrary.simpleMessage("遗产允许信任的联系人在您不在时访问您的账户。"), + "legacyPageDesc2": MessageLookupByLibrary.simpleMessage( + "可信联系人可以启动账户恢复,如果 30 天内没有被阻止,则可以重置密码并访问您的账户。"), + "light": MessageLookupByLibrary.simpleMessage("亮度"), + "lightTheme": MessageLookupByLibrary.simpleMessage("浅色"), + "link": MessageLookupByLibrary.simpleMessage("链接"), + "linkCopiedToClipboard": + MessageLookupByLibrary.simpleMessage("链接已复制到剪贴板"), + "linkDeviceLimit": MessageLookupByLibrary.simpleMessage("设备限制"), + "linkEmail": MessageLookupByLibrary.simpleMessage("链接邮箱"), + "linkEmailToContactBannerCaption": + MessageLookupByLibrary.simpleMessage("来实现更快的共享"), + "linkEnabled": MessageLookupByLibrary.simpleMessage("已启用"), + "linkExpired": MessageLookupByLibrary.simpleMessage("已过期"), + "linkExpiresOn": m47, + "linkExpiry": MessageLookupByLibrary.simpleMessage("链接过期"), + "linkHasExpired": MessageLookupByLibrary.simpleMessage("链接已过期"), + "linkNeverExpires": MessageLookupByLibrary.simpleMessage("永不"), + "linkPerson": MessageLookupByLibrary.simpleMessage("链接人员"), + "linkPersonCaption": MessageLookupByLibrary.simpleMessage("来感受更好的共享体验"), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, + "livePhotos": MessageLookupByLibrary.simpleMessage("实况照片"), + "loadMessage1": MessageLookupByLibrary.simpleMessage("您可以与家庭分享您的订阅"), + "loadMessage2": MessageLookupByLibrary.simpleMessage("我们至今已保存超过2亿个回忆"), + "loadMessage3": + MessageLookupByLibrary.simpleMessage("我们保存你的3个数据副本,其中一个在地下安全屋中"), + "loadMessage4": MessageLookupByLibrary.simpleMessage("我们所有的应用程序都是开源的"), + "loadMessage5": + MessageLookupByLibrary.simpleMessage("我们的源代码和加密技术已经由外部审计"), + "loadMessage6": + MessageLookupByLibrary.simpleMessage("您可以与您所爱的人分享您相册的链接"), + "loadMessage7": MessageLookupByLibrary.simpleMessage( + "我们的移动应用程序在后台运行以加密和备份您点击的任何新照片"), + "loadMessage8": + MessageLookupByLibrary.simpleMessage("web.ente.io 有一个巧妙的上传器"), + "loadMessage9": MessageLookupByLibrary.simpleMessage( + "我们使用 Xchacha20Poly1305 加密技术来安全地加密您的数据"), + "loadingExifData": + MessageLookupByLibrary.simpleMessage("正在加载 EXIF 数据..."), + "loadingGallery": MessageLookupByLibrary.simpleMessage("正在加载图库..."), + "loadingMessage": MessageLookupByLibrary.simpleMessage("正在加载您的照片..."), + "loadingModel": MessageLookupByLibrary.simpleMessage("正在下载模型..."), + "loadingYourPhotos": + MessageLookupByLibrary.simpleMessage("正在加载您的照片..."), + "localGallery": MessageLookupByLibrary.simpleMessage("本地相册"), + "localIndexing": MessageLookupByLibrary.simpleMessage("本地索引"), + "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( + "似乎出了点问题,因为本地照片同步耗时比预期的要长。请联系我们的支持团队"), + "location": MessageLookupByLibrary.simpleMessage("地理位置"), + "locationName": MessageLookupByLibrary.simpleMessage("地点名称"), + "locationTagFeatureDescription": + MessageLookupByLibrary.simpleMessage("位置标签将在照片的某个半径范围内拍摄的所有照片进行分组"), + "locations": MessageLookupByLibrary.simpleMessage("位置"), + "lockButtonLabel": MessageLookupByLibrary.simpleMessage("锁定"), + "lockscreen": MessageLookupByLibrary.simpleMessage("锁屏"), + "logInLabel": MessageLookupByLibrary.simpleMessage("登录"), + "loggingOut": MessageLookupByLibrary.simpleMessage("正在退出登录..."), + "loginSessionExpired": MessageLookupByLibrary.simpleMessage("会话已过期"), + "loginSessionExpiredDetails": + MessageLookupByLibrary.simpleMessage("您的会话已过期。请重新登录。"), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "点击登录时,默认我同意 服务条款隐私政策"), + "loginWithTOTP": MessageLookupByLibrary.simpleMessage("使用 TOTP 登录"), + "logout": MessageLookupByLibrary.simpleMessage("退出登录"), + "logsDialogBody": MessageLookupByLibrary.simpleMessage( + "这将跨日志发送以帮助我们调试您的问题。 请注意,将包含文件名以帮助跟踪特定文件的问题。"), + "longPressAnEmailToVerifyEndToEndEncryption": + MessageLookupByLibrary.simpleMessage("长按电子邮件以验证端到端加密。"), + "longpressOnAnItemToViewInFullscreen": + MessageLookupByLibrary.simpleMessage("长按一个项目来全屏查看"), + "lookBackOnYourMemories": + MessageLookupByLibrary.simpleMessage("回顾你的回忆🌄"), + "loopVideoOff": MessageLookupByLibrary.simpleMessage("循环播放视频关闭"), + "loopVideoOn": MessageLookupByLibrary.simpleMessage("循环播放视频开启"), + "lostDevice": MessageLookupByLibrary.simpleMessage("设备丢失?"), + "machineLearning": MessageLookupByLibrary.simpleMessage("机器学习"), + "magicSearch": MessageLookupByLibrary.simpleMessage("魔法搜索"), + "magicSearchHint": MessageLookupByLibrary.simpleMessage( + "魔法搜索允许按内容搜索照片,例如“lower\'”、“red car”、“identity documents”"), + "manage": MessageLookupByLibrary.simpleMessage("管理"), + "manageDeviceStorage": MessageLookupByLibrary.simpleMessage("管理设备缓存"), + "manageDeviceStorageDesc": + MessageLookupByLibrary.simpleMessage("检查并清除本地缓存存储。"), + "manageFamily": MessageLookupByLibrary.simpleMessage("管理家庭计划"), + "manageLink": MessageLookupByLibrary.simpleMessage("管理链接"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("管理"), + "manageSubscription": MessageLookupByLibrary.simpleMessage("管理订阅"), + "manualPairDesc": MessageLookupByLibrary.simpleMessage( + "用 PIN 码配对适用于您希望在其上查看相册的任何屏幕。"), + "map": MessageLookupByLibrary.simpleMessage("地图"), + "maps": MessageLookupByLibrary.simpleMessage("地图"), + "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), + "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("我"), + "memories": MessageLookupByLibrary.simpleMessage("回忆"), + "memoriesWidgetDesc": + MessageLookupByLibrary.simpleMessage("选择您希望在主屏幕上看到的回忆类型。"), + "memoryCount": m50, + "merchandise": MessageLookupByLibrary.simpleMessage("商品"), + "merge": MessageLookupByLibrary.simpleMessage("合并"), + "mergeWithExisting": MessageLookupByLibrary.simpleMessage("与现有的合并"), + "mergedPhotos": MessageLookupByLibrary.simpleMessage("已合并照片"), + "mlConsent": MessageLookupByLibrary.simpleMessage("启用机器学习"), + "mlConsentConfirmation": + MessageLookupByLibrary.simpleMessage("我了解了,并希望启用机器学习"), + "mlConsentDescription": MessageLookupByLibrary.simpleMessage( + "如果您启用机器学习,Ente 将从文件(包括与您共享的文件)中提取面部几何形状等信息。\n\n这将在您的设备上进行,并且任何生成的生物特征信息都将被端到端加密。"), + "mlConsentPrivacy": + MessageLookupByLibrary.simpleMessage("请点击此处查看我们隐私政策中有关此功能的更多详细信息"), + "mlConsentTitle": MessageLookupByLibrary.simpleMessage("要启用机器学习吗?"), + "mlIndexingDescription": MessageLookupByLibrary.simpleMessage( + "请注意,机器学习会导致带宽和电池使用量增加,直到所有项目都被索引。请考虑使用桌面应用程序来加快索引速度,所有结果都将自动同步。"), + "mobileWebDesktop": + MessageLookupByLibrary.simpleMessage("移动端, 网页端, 桌面端"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("中等"), + "modifyYourQueryOrTrySearchingFor": + MessageLookupByLibrary.simpleMessage("修改您的查询,或尝试搜索"), + "moments": MessageLookupByLibrary.simpleMessage("瞬间"), + "month": MessageLookupByLibrary.simpleMessage("月"), + "monthly": MessageLookupByLibrary.simpleMessage("每月"), + "moon": MessageLookupByLibrary.simpleMessage("月光之下"), + "moreDetails": MessageLookupByLibrary.simpleMessage("更多详情"), + "mostRecent": MessageLookupByLibrary.simpleMessage("最近"), + "mostRelevant": MessageLookupByLibrary.simpleMessage("最相关"), + "mountains": MessageLookupByLibrary.simpleMessage("翻过山丘"), + "moveItem": m51, + "moveSelectedPhotosToOneDate": + MessageLookupByLibrary.simpleMessage("将选定的照片调整到某一日期"), + "moveToAlbum": MessageLookupByLibrary.simpleMessage("移动到相册"), + "moveToHiddenAlbum": MessageLookupByLibrary.simpleMessage("移至隐藏相册"), + "movedSuccessfullyTo": m52, + "movedToTrash": MessageLookupByLibrary.simpleMessage("已移至回收站"), + "movingFilesToAlbum": + MessageLookupByLibrary.simpleMessage("正在将文件移动到相册..."), + "name": MessageLookupByLibrary.simpleMessage("名称"), + "nameTheAlbum": MessageLookupByLibrary.simpleMessage("命名相册"), + "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( + "无法连接到 Ente,请稍后重试。如果错误仍然存在,请联系支持人员。"), + "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( + "无法连接到 Ente,请检查您的网络设置,如果错误仍然存在,请联系支持人员。"), + "never": MessageLookupByLibrary.simpleMessage("永不"), + "newAlbum": MessageLookupByLibrary.simpleMessage("新建相册"), + "newLocation": MessageLookupByLibrary.simpleMessage("新位置"), + "newPerson": MessageLookupByLibrary.simpleMessage("新人物"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" 新 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("新起始图片"), + "newToEnte": MessageLookupByLibrary.simpleMessage("初来 Ente"), + "newest": MessageLookupByLibrary.simpleMessage("最新"), + "next": MessageLookupByLibrary.simpleMessage("下一步"), + "no": MessageLookupByLibrary.simpleMessage("否"), + "noAlbumsSharedByYouYet": + MessageLookupByLibrary.simpleMessage("您尚未共享任何相册"), + "noDeviceFound": MessageLookupByLibrary.simpleMessage("未发现设备"), + "noDeviceLimit": MessageLookupByLibrary.simpleMessage("无"), + "noDeviceThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage("您在此设备上没有可被删除的文件"), + "noDuplicates": MessageLookupByLibrary.simpleMessage("✨ 没有重复内容"), + "noEnteAccountExclamation": + MessageLookupByLibrary.simpleMessage("没有 Ente 账户!"), + "noExifData": MessageLookupByLibrary.simpleMessage("无 EXIF 数据"), + "noFacesFound": MessageLookupByLibrary.simpleMessage("未找到任何面部"), + "noHiddenPhotosOrVideos": + MessageLookupByLibrary.simpleMessage("没有隐藏的照片或视频"), + "noImagesWithLocation": + MessageLookupByLibrary.simpleMessage("没有带有位置的图像"), + "noInternetConnection": MessageLookupByLibrary.simpleMessage("无互联网连接"), + "noPhotosAreBeingBackedUpRightNow": + MessageLookupByLibrary.simpleMessage("目前没有照片正在备份"), + "noPhotosFoundHere": MessageLookupByLibrary.simpleMessage("这里没有找到照片"), + "noQuickLinksSelected": MessageLookupByLibrary.simpleMessage("未选择快速链接"), + "noRecoveryKey": MessageLookupByLibrary.simpleMessage("没有恢复密钥吗?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "由于我们端到端加密协议的性质,如果没有您的密码或恢复密钥,您的数据将无法解密"), + "noResults": MessageLookupByLibrary.simpleMessage("无结果"), + "noResultsFound": MessageLookupByLibrary.simpleMessage("未找到任何结果"), + "noSuggestionsForPerson": m53, + "noSystemLockFound": MessageLookupByLibrary.simpleMessage("未找到系统锁"), + "notPersonLabel": m54, + "notThisPerson": MessageLookupByLibrary.simpleMessage("不是此人?"), + "nothingSharedWithYouYet": + MessageLookupByLibrary.simpleMessage("尚未与您共享任何内容"), + "nothingToSeeHere": MessageLookupByLibrary.simpleMessage("这里空空如也! 👀"), + "notifications": MessageLookupByLibrary.simpleMessage("通知"), + "ok": MessageLookupByLibrary.simpleMessage("OK"), + "onDevice": MessageLookupByLibrary.simpleMessage("在设备上"), + "onEnte": MessageLookupByLibrary.simpleMessage( + "在 ente 上"), + "onTheRoad": MessageLookupByLibrary.simpleMessage("再次踏上旅途"), + "onThisDay": MessageLookupByLibrary.simpleMessage("这天"), + "onThisDayMemories": MessageLookupByLibrary.simpleMessage("这天的回忆"), + "onThisDayNotificationExplanation": + MessageLookupByLibrary.simpleMessage("接收关于往年这一天回忆的提醒。"), + "onlyFamilyAdminCanChangeCode": m55, + "onlyThem": MessageLookupByLibrary.simpleMessage("仅限他们"), + "oops": MessageLookupByLibrary.simpleMessage("哎呀"), + "oopsCouldNotSaveEdits": + MessageLookupByLibrary.simpleMessage("糟糕,无法保存编辑"), + "oopsSomethingWentWrong": + MessageLookupByLibrary.simpleMessage("哎呀,似乎出了点问题"), + "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage("在浏览器中打开相册"), + "openAlbumInBrowserTitle": + MessageLookupByLibrary.simpleMessage("请使用网络应用将照片添加到此相册"), + "openFile": MessageLookupByLibrary.simpleMessage("打开文件"), + "openSettings": MessageLookupByLibrary.simpleMessage("打开“设置”"), + "openTheItem": MessageLookupByLibrary.simpleMessage("• 打开该项目"), + "openstreetmapContributors": + MessageLookupByLibrary.simpleMessage("OpenStreetMap 贡献者"), + "optionalAsShortAsYouLike": + MessageLookupByLibrary.simpleMessage("可选的,按您喜欢的短语..."), + "orMergeWithExistingPerson": + MessageLookupByLibrary.simpleMessage("或与现有的合并"), + "orPickAnExistingOne": + MessageLookupByLibrary.simpleMessage("或者选择一个现有的"), + "orPickFromYourContacts": + MessageLookupByLibrary.simpleMessage("或从您的联系人中选择"), + "otherDetectedFaces": MessageLookupByLibrary.simpleMessage("其他检测到的人脸"), + "pair": MessageLookupByLibrary.simpleMessage("配对"), + "pairWithPin": MessageLookupByLibrary.simpleMessage("用 PIN 配对"), + "pairingComplete": MessageLookupByLibrary.simpleMessage("配对完成"), + "panorama": MessageLookupByLibrary.simpleMessage("全景"), + "partyWithThem": m56, + "passKeyPendingVerification": + MessageLookupByLibrary.simpleMessage("仍需进行验证"), + "passkey": MessageLookupByLibrary.simpleMessage("通行密钥"), + "passkeyAuthTitle": MessageLookupByLibrary.simpleMessage("通行密钥认证"), + "password": MessageLookupByLibrary.simpleMessage("密码"), + "passwordChangedSuccessfully": + MessageLookupByLibrary.simpleMessage("密码修改成功"), + "passwordLock": MessageLookupByLibrary.simpleMessage("密码锁"), + "passwordStrength": m57, + "passwordStrengthInfo": MessageLookupByLibrary.simpleMessage( + "密码强度的计算考虑了密码的长度、使用的字符以及密码是否出现在最常用的 10,000 个密码中"), + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "我们不储存这个密码,所以如果忘记, 我们将无法解密您的数据"), + "pastYearsMemories": MessageLookupByLibrary.simpleMessage("往年回忆"), + "paymentDetails": MessageLookupByLibrary.simpleMessage("付款明细"), + "paymentFailed": MessageLookupByLibrary.simpleMessage("支付失败"), + "paymentFailedMessage": MessageLookupByLibrary.simpleMessage( + "不幸的是,您的付款失败。请联系支持人员,我们将为您提供帮助!"), + "paymentFailedTalkToProvider": m58, + "pendingItems": MessageLookupByLibrary.simpleMessage("待处理项目"), + "pendingSync": MessageLookupByLibrary.simpleMessage("正在等待同步"), + "people": MessageLookupByLibrary.simpleMessage("人物"), + "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage("使用您的代码的人"), + "peopleWidgetDesc": + MessageLookupByLibrary.simpleMessage("选择您希望在主屏幕上看到的人。"), + "permDeleteWarning": + MessageLookupByLibrary.simpleMessage("回收站中的所有项目将被永久删除\n\n此操作无法撤消"), + "permanentlyDelete": MessageLookupByLibrary.simpleMessage("永久删除"), + "permanentlyDeleteFromDevice": + MessageLookupByLibrary.simpleMessage("要从设备中永久删除吗?"), + "personIsAge": m59, + "personName": MessageLookupByLibrary.simpleMessage("人物名称"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("毛茸茸的伙伴"), + "photoDescriptions": MessageLookupByLibrary.simpleMessage("照片说明"), + "photoGridSize": MessageLookupByLibrary.simpleMessage("照片网格大小"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("照片"), + "photocountPhotos": m61, + "photos": MessageLookupByLibrary.simpleMessage("照片"), + "photosAddedByYouWillBeRemovedFromTheAlbum": + MessageLookupByLibrary.simpleMessage("您添加的照片将从相册中移除"), + "photosCount": m62, + "photosKeepRelativeTimeDifference": + MessageLookupByLibrary.simpleMessage("照片保持相对时间差"), + "pickCenterPoint": MessageLookupByLibrary.simpleMessage("选择中心点"), + "pinAlbum": MessageLookupByLibrary.simpleMessage("置顶相册"), + "pinLock": MessageLookupByLibrary.simpleMessage("PIN 锁定"), + "playOnTv": MessageLookupByLibrary.simpleMessage("在电视上播放相册"), + "playOriginal": MessageLookupByLibrary.simpleMessage("播放原内容"), + "playStoreFreeTrialValidTill": m63, + "playStream": MessageLookupByLibrary.simpleMessage("播放流"), + "playstoreSubscription": + MessageLookupByLibrary.simpleMessage("PlayStore 订阅"), + "pleaseCheckYourInternetConnectionAndTryAgain": + MessageLookupByLibrary.simpleMessage("请检查您的互联网连接,然后重试。"), + "pleaseContactSupportAndWeWillBeHappyToHelp": + MessageLookupByLibrary.simpleMessage( + "请用英语联系 support@ente.io ,我们将乐意提供帮助!"), + "pleaseContactSupportIfTheProblemPersists": + MessageLookupByLibrary.simpleMessage("如果问题仍然存在,请联系支持"), + "pleaseEmailUsAt": m64, + "pleaseGrantPermissions": MessageLookupByLibrary.simpleMessage("请授予权限"), + "pleaseLoginAgain": MessageLookupByLibrary.simpleMessage("请重新登录"), + "pleaseSelectQuickLinksToRemove": + MessageLookupByLibrary.simpleMessage("请选择要删除的快速链接"), + "pleaseSendTheLogsTo": m65, + "pleaseTryAgain": MessageLookupByLibrary.simpleMessage("请重试"), + "pleaseVerifyTheCodeYouHaveEntered": + MessageLookupByLibrary.simpleMessage("请验证您输入的代码"), + "pleaseWait": MessageLookupByLibrary.simpleMessage("请稍候..."), + "pleaseWaitDeletingAlbum": + MessageLookupByLibrary.simpleMessage("请稍候,正在删除相册"), + "pleaseWaitForSometimeBeforeRetrying": + MessageLookupByLibrary.simpleMessage("请稍等片刻后再重试"), + "pleaseWaitThisWillTakeAWhile": + MessageLookupByLibrary.simpleMessage("请稍候,这将需要一段时间。"), + "posingWithThem": m66, + "preparingLogs": MessageLookupByLibrary.simpleMessage("正在准备日志..."), + "preserveMore": MessageLookupByLibrary.simpleMessage("保留更多"), + "pressAndHoldToPlayVideo": + MessageLookupByLibrary.simpleMessage("按住以播放视频"), + "pressAndHoldToPlayVideoDetailed": + MessageLookupByLibrary.simpleMessage("长按图像以播放视频"), + "previous": MessageLookupByLibrary.simpleMessage("以前的"), + "privacy": MessageLookupByLibrary.simpleMessage("隐私"), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage("隐私政策"), + "privateBackups": MessageLookupByLibrary.simpleMessage("私人备份"), + "privateSharing": MessageLookupByLibrary.simpleMessage("私人分享"), + "proceed": MessageLookupByLibrary.simpleMessage("继续"), + "processed": MessageLookupByLibrary.simpleMessage("已处理"), + "processing": MessageLookupByLibrary.simpleMessage("正在处理"), + "processingImport": m67, + "processingVideos": MessageLookupByLibrary.simpleMessage("正在处理视频"), + "publicLinkCreated": MessageLookupByLibrary.simpleMessage("公共链接已创建"), + "publicLinkEnabled": MessageLookupByLibrary.simpleMessage("公开链接已启用"), + "questionmark": MessageLookupByLibrary.simpleMessage("?"), + "queued": MessageLookupByLibrary.simpleMessage("已入列"), + "quickLinks": MessageLookupByLibrary.simpleMessage("快速链接"), + "radius": MessageLookupByLibrary.simpleMessage("半径"), + "raiseTicket": MessageLookupByLibrary.simpleMessage("提升工单"), + "rateTheApp": MessageLookupByLibrary.simpleMessage("为此应用评分"), + "rateUs": MessageLookupByLibrary.simpleMessage("给我们评分"), + "rateUsOnStore": m68, + "reassignMe": MessageLookupByLibrary.simpleMessage("重新分配“我”"), + "reassignedToName": m69, + "reassigningLoading": MessageLookupByLibrary.simpleMessage("正在重新分配..."), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "接收某人生日时的提醒。点击通知将带您查看生日人物的照片。"), + "recover": MessageLookupByLibrary.simpleMessage("恢复"), + "recoverAccount": MessageLookupByLibrary.simpleMessage("恢复账户"), + "recoverButton": MessageLookupByLibrary.simpleMessage("恢复"), + "recoveryAccount": MessageLookupByLibrary.simpleMessage("恢复账户"), + "recoveryInitiated": MessageLookupByLibrary.simpleMessage("已启动恢复"), + "recoveryInitiatedDesc": m70, + "recoveryKey": MessageLookupByLibrary.simpleMessage("恢复密钥"), + "recoveryKeyCopiedToClipboard": + MessageLookupByLibrary.simpleMessage("恢复密钥已复制到剪贴板"), + "recoveryKeyOnForgotPassword": + MessageLookupByLibrary.simpleMessage("如果您忘记了密码,恢复数据的唯一方法就是使用此密钥。"), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "我们不会存储此密钥,请将此24个单词密钥保存在一个安全的地方。"), + "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( + "太棒了! 您的恢复密钥是有效的。 感谢您的验证。\n\n请记住要安全备份您的恢复密钥。"), + "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage("恢复密钥已验证"), + "recoveryKeyVerifyReason": MessageLookupByLibrary.simpleMessage( + "如果您忘记了密码,恢复密钥是恢复照片的唯一方法。您可以在“设置”>“账户”中找到恢复密钥。\n\n请在此处输入恢复密钥,以验证您是否已正确保存。"), + "recoveryReady": m71, + "recoverySuccessful": MessageLookupByLibrary.simpleMessage("恢复成功!"), + "recoveryWarning": + MessageLookupByLibrary.simpleMessage("一位可信联系人正在尝试访问您的账户"), + "recoveryWarningBody": m72, + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "当前设备的功能不足以验证您的密码,但我们可以以适用于所有设备的方式重新生成。\n\n请使用您的恢复密钥登录并重新生成您的密码(如果您希望,可以再次使用相同的密码)。"), + "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage("重新创建密码"), + "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), + "reenterPassword": MessageLookupByLibrary.simpleMessage("再次输入密码"), + "reenterPin": MessageLookupByLibrary.simpleMessage("再次输入 PIN 码"), + "referFriendsAnd2xYourPlan": + MessageLookupByLibrary.simpleMessage("把我们推荐给你的朋友然后获得延长一倍的订阅计划"), + "referralStep1": MessageLookupByLibrary.simpleMessage("1. 将此代码提供给您的朋友"), + "referralStep2": MessageLookupByLibrary.simpleMessage("2. 他们注册一个付费计划"), + "referralStep3": m73, + "referrals": MessageLookupByLibrary.simpleMessage("推荐"), + "referralsAreCurrentlyPaused": + MessageLookupByLibrary.simpleMessage("推荐已暂停"), + "rejectRecovery": MessageLookupByLibrary.simpleMessage("拒绝恢复"), + "remindToEmptyDeviceTrash": MessageLookupByLibrary.simpleMessage( + "同时从“设置”->“存储”中清空“最近删除”以领取释放的空间"), + "remindToEmptyEnteTrash": + MessageLookupByLibrary.simpleMessage("同时清空您的“回收站”以领取释放的空间"), + "remoteImages": MessageLookupByLibrary.simpleMessage("云端图像"), + "remoteThumbnails": MessageLookupByLibrary.simpleMessage("云端缩略图"), + "remoteVideos": MessageLookupByLibrary.simpleMessage("云端视频"), + "remove": MessageLookupByLibrary.simpleMessage("移除"), + "removeDuplicates": MessageLookupByLibrary.simpleMessage("移除重复内容"), + "removeDuplicatesDesc": + MessageLookupByLibrary.simpleMessage("检查并删除完全重复的文件。"), + "removeFromAlbum": MessageLookupByLibrary.simpleMessage("从相册中移除"), + "removeFromAlbumTitle": + MessageLookupByLibrary.simpleMessage("要从相册中移除吗?"), + "removeFromFavorite": MessageLookupByLibrary.simpleMessage("从收藏中移除"), + "removeInvite": MessageLookupByLibrary.simpleMessage("移除邀请"), + "removeLink": MessageLookupByLibrary.simpleMessage("移除链接"), + "removeParticipant": MessageLookupByLibrary.simpleMessage("移除参与者"), + "removeParticipantBody": m74, + "removePersonLabel": MessageLookupByLibrary.simpleMessage("移除人物标签"), + "removePublicLink": MessageLookupByLibrary.simpleMessage("删除公开链接"), + "removePublicLinks": MessageLookupByLibrary.simpleMessage("删除公开链接"), + "removeShareItemsWarning": + MessageLookupByLibrary.simpleMessage("您要删除的某些项目是由其他人添加的,您将无法访问它们"), + "removeWithQuestionMark": MessageLookupByLibrary.simpleMessage("要移除吗?"), + "removeYourselfAsTrustedContact": + MessageLookupByLibrary.simpleMessage("删除自己作为可信联系人"), + "removingFromFavorites": + MessageLookupByLibrary.simpleMessage("正在从收藏中删除..."), + "rename": MessageLookupByLibrary.simpleMessage("重命名"), + "renameAlbum": MessageLookupByLibrary.simpleMessage("重命名相册"), + "renameFile": MessageLookupByLibrary.simpleMessage("重命名文件"), + "renewSubscription": MessageLookupByLibrary.simpleMessage("续费订阅"), + "renewsOn": m75, + "reportABug": MessageLookupByLibrary.simpleMessage("报告错误"), + "reportBug": MessageLookupByLibrary.simpleMessage("报告错误"), + "resendEmail": MessageLookupByLibrary.simpleMessage("重新发送电子邮件"), + "reset": MessageLookupByLibrary.simpleMessage("重设"), + "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage("重置忽略的文件"), + "resetPasswordTitle": MessageLookupByLibrary.simpleMessage("重置密码"), + "resetPerson": MessageLookupByLibrary.simpleMessage("移除"), + "resetToDefault": MessageLookupByLibrary.simpleMessage("重置为默认设置"), + "restore": MessageLookupByLibrary.simpleMessage("恢复"), + "restoreToAlbum": MessageLookupByLibrary.simpleMessage("恢复到相册"), + "restoringFiles": MessageLookupByLibrary.simpleMessage("正在恢复文件..."), + "resumableUploads": MessageLookupByLibrary.simpleMessage("可续传上传"), + "retry": MessageLookupByLibrary.simpleMessage("重试"), + "review": MessageLookupByLibrary.simpleMessage("查看"), + "reviewDeduplicateItems": + MessageLookupByLibrary.simpleMessage("请检查并删除您认为重复的项目。"), + "reviewSuggestions": MessageLookupByLibrary.simpleMessage("查看建议"), + "right": MessageLookupByLibrary.simpleMessage("向右"), + "roadtripWithThem": m76, + "rotate": MessageLookupByLibrary.simpleMessage("旋转"), + "rotateLeft": MessageLookupByLibrary.simpleMessage("向左旋转"), + "rotateRight": MessageLookupByLibrary.simpleMessage("向右旋转"), + "safelyStored": MessageLookupByLibrary.simpleMessage("安全存储"), + "same": MessageLookupByLibrary.simpleMessage("相同"), + "sameperson": MessageLookupByLibrary.simpleMessage("是同一个人?"), + "save": MessageLookupByLibrary.simpleMessage("保存"), + "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage("另存为其他人物"), + "saveChangesBeforeLeavingQuestion": + MessageLookupByLibrary.simpleMessage("离开之前要保存更改吗?"), + "saveCollage": MessageLookupByLibrary.simpleMessage("保存拼贴"), + "saveCopy": MessageLookupByLibrary.simpleMessage("保存副本"), + "saveKey": MessageLookupByLibrary.simpleMessage("保存密钥"), + "savePerson": MessageLookupByLibrary.simpleMessage("保存人物"), + "saveYourRecoveryKeyIfYouHaventAlready": + MessageLookupByLibrary.simpleMessage("若您尚未保存,请妥善保存此恢复密钥"), + "saving": MessageLookupByLibrary.simpleMessage("正在保存..."), + "savingEdits": MessageLookupByLibrary.simpleMessage("正在保存编辑内容..."), + "scanCode": MessageLookupByLibrary.simpleMessage("扫描二维码/条码"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage("用您的身份验证器应用\n扫描此条码"), + "search": MessageLookupByLibrary.simpleMessage("搜索"), + "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("相册"), + "searchByAlbumNameHint": MessageLookupByLibrary.simpleMessage("相册名称"), + "searchByExamples": MessageLookupByLibrary.simpleMessage( + "• 相册名称(例如“相机”)\n• 文件类型(例如“视频”、“.gif”)\n• 年份和月份(例如“2022”、“一月”)\n• 假期(例如“圣诞节”)\n• 照片说明(例如“#和女儿独居,好开心啊”)"), + "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( + "在照片信息中添加“#旅游”等描述,以便在此处快速找到它们"), + "searchDatesEmptySection": + MessageLookupByLibrary.simpleMessage("按日期搜索,月份或年份"), + "searchDiscoverEmptySection": + MessageLookupByLibrary.simpleMessage("处理和同步完成后,图像将显示在此处"), + "searchFaceEmptySection": + MessageLookupByLibrary.simpleMessage("待索引完成后,人物将显示在此处"), + "searchFileTypesAndNamesEmptySection": + MessageLookupByLibrary.simpleMessage("文件类型和名称"), + "searchHint1": MessageLookupByLibrary.simpleMessage("在设备上快速搜索"), + "searchHint2": MessageLookupByLibrary.simpleMessage("照片日期、描述"), + "searchHint3": MessageLookupByLibrary.simpleMessage("相册、文件名和类型"), + "searchHint4": MessageLookupByLibrary.simpleMessage("位置"), + "searchHint5": MessageLookupByLibrary.simpleMessage("即将到来:面部和魔法搜索✨"), + "searchLocationEmptySection": + MessageLookupByLibrary.simpleMessage("在照片的一定半径内拍摄的几组照片"), + "searchPeopleEmptySection": + MessageLookupByLibrary.simpleMessage("邀请他人,您将在此看到他们分享的所有照片"), + "searchPersonsEmptySection": + MessageLookupByLibrary.simpleMessage("处理和同步完成后,人物将显示在此处"), + "searchResultCount": m77, + "searchSectionsLengthMismatch": m78, + "security": MessageLookupByLibrary.simpleMessage("安全"), + "seePublicAlbumLinksInApp": + MessageLookupByLibrary.simpleMessage("在应用程序中查看公开相册链接"), + "selectALocation": MessageLookupByLibrary.simpleMessage("选择一个位置"), + "selectALocationFirst": + MessageLookupByLibrary.simpleMessage("首先选择一个位置"), + "selectAlbum": MessageLookupByLibrary.simpleMessage("选择相册"), + "selectAll": MessageLookupByLibrary.simpleMessage("全选"), + "selectAllShort": MessageLookupByLibrary.simpleMessage("全部"), + "selectCoverPhoto": MessageLookupByLibrary.simpleMessage("选择封面照片"), + "selectDate": MessageLookupByLibrary.simpleMessage("选择日期"), + "selectFoldersForBackup": + MessageLookupByLibrary.simpleMessage("选择要备份的文件夹"), + "selectItemsToAdd": MessageLookupByLibrary.simpleMessage("选择要添加的项目"), + "selectLanguage": MessageLookupByLibrary.simpleMessage("选择语言"), + "selectMailApp": MessageLookupByLibrary.simpleMessage("选择邮件应用"), + "selectMorePhotos": MessageLookupByLibrary.simpleMessage("选择更多照片"), + "selectOneDateAndTime": + MessageLookupByLibrary.simpleMessage("选择一个日期和时间"), + "selectOneDateAndTimeForAll": + MessageLookupByLibrary.simpleMessage("为所有项选择一个日期和时间"), + "selectPersonToLink": MessageLookupByLibrary.simpleMessage("选择要链接的人"), + "selectReason": MessageLookupByLibrary.simpleMessage("选择原因"), + "selectStartOfRange": MessageLookupByLibrary.simpleMessage("选择起始图片"), + "selectTime": MessageLookupByLibrary.simpleMessage("选择时间"), + "selectYourFace": MessageLookupByLibrary.simpleMessage("选择你的脸"), + "selectYourPlan": MessageLookupByLibrary.simpleMessage("选择您的计划"), + "selectedAlbums": m79, + "selectedFilesAreNotOnEnte": + MessageLookupByLibrary.simpleMessage("所选文件不在 Ente 上"), + "selectedFoldersWillBeEncryptedAndBackedUp": + MessageLookupByLibrary.simpleMessage("所选文件夹将被加密并备份"), + "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": + MessageLookupByLibrary.simpleMessage("所选项目将从所有相册中删除并移动到回收站。"), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage("选定的项目将从此人身上移除,但不会从您的库中删除。"), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, + "send": MessageLookupByLibrary.simpleMessage("发送"), + "sendEmail": MessageLookupByLibrary.simpleMessage("发送电子邮件"), + "sendInvite": MessageLookupByLibrary.simpleMessage("发送邀请"), + "sendLink": MessageLookupByLibrary.simpleMessage("发送链接"), + "serverEndpoint": MessageLookupByLibrary.simpleMessage("服务器端点"), + "sessionExpired": MessageLookupByLibrary.simpleMessage("会话已过期"), + "sessionIdMismatch": MessageLookupByLibrary.simpleMessage("会话 ID 不匹配"), + "setAPassword": MessageLookupByLibrary.simpleMessage("设置密码"), + "setAs": MessageLookupByLibrary.simpleMessage("设置为"), + "setCover": MessageLookupByLibrary.simpleMessage("设置封面"), + "setLabel": MessageLookupByLibrary.simpleMessage("设置"), + "setNewPassword": MessageLookupByLibrary.simpleMessage("设置新密码"), + "setNewPin": MessageLookupByLibrary.simpleMessage("设置新 PIN 码"), + "setPasswordTitle": MessageLookupByLibrary.simpleMessage("设置密码"), + "setRadius": MessageLookupByLibrary.simpleMessage("设定半径"), + "setupComplete": MessageLookupByLibrary.simpleMessage("设置完成"), + "share": MessageLookupByLibrary.simpleMessage("分享"), + "shareALink": MessageLookupByLibrary.simpleMessage("分享链接"), + "shareAlbumHint": + MessageLookupByLibrary.simpleMessage("打开相册并点击右上角的分享按钮进行分享"), + "shareAnAlbumNow": MessageLookupByLibrary.simpleMessage("立即分享相册"), + "shareLink": MessageLookupByLibrary.simpleMessage("分享链接"), + "shareMyVerificationID": m83, + "shareOnlyWithThePeopleYouWant": + MessageLookupByLibrary.simpleMessage("仅与您想要的人分享"), + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": + MessageLookupByLibrary.simpleMessage("下载 Ente,让我们轻松共享高质量的原始照片和视频"), + "shareTextReferralCode": m85, + "shareWithNonenteUsers": + MessageLookupByLibrary.simpleMessage("与非 Ente 用户共享"), + "shareWithPeopleSectionTitle": m86, + "shareYourFirstAlbum": + MessageLookupByLibrary.simpleMessage("分享您的第一个相册"), + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "与其他 Ente 用户(包括免费计划用户)创建共享和协作相册。"), + "sharedByMe": MessageLookupByLibrary.simpleMessage("由我共享的"), + "sharedByYou": MessageLookupByLibrary.simpleMessage("您共享的"), + "sharedPhotoNotifications": + MessageLookupByLibrary.simpleMessage("新共享的照片"), + "sharedPhotoNotificationsExplanation": + MessageLookupByLibrary.simpleMessage("当有人将照片添加到您所属的共享相册时收到通知"), + "sharedWith": m87, + "sharedWithMe": MessageLookupByLibrary.simpleMessage("与我共享"), + "sharedWithYou": MessageLookupByLibrary.simpleMessage("已与您共享"), + "sharing": MessageLookupByLibrary.simpleMessage("正在分享..."), + "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage("调整日期和时间"), + "showLessFaces": MessageLookupByLibrary.simpleMessage("显示较少人脸"), + "showMemories": MessageLookupByLibrary.simpleMessage("显示回忆"), + "showMoreFaces": MessageLookupByLibrary.simpleMessage("显示更多人脸"), + "showPerson": MessageLookupByLibrary.simpleMessage("显示人员"), + "signOutFromOtherDevices": + MessageLookupByLibrary.simpleMessage("从其他设备退出登录"), + "signOutOtherBody": MessageLookupByLibrary.simpleMessage( + "如果你认为有人可能知道你的密码,你可以强制所有使用你账户的其他设备退出登录。"), + "signOutOtherDevices": MessageLookupByLibrary.simpleMessage("登出其他设备"), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "我同意 服务条款隐私政策"), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": + MessageLookupByLibrary.simpleMessage("它将从所有相册中删除。"), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "skip": MessageLookupByLibrary.simpleMessage("跳过"), + "smartMemories": MessageLookupByLibrary.simpleMessage("智能回忆"), + "social": MessageLookupByLibrary.simpleMessage("社交"), + "someItemsAreInBothEnteAndYourDevice": + MessageLookupByLibrary.simpleMessage("有些项目同时存在于 Ente 和您的设备中。"), + "someOfTheFilesYouAreTryingToDeleteAre": + MessageLookupByLibrary.simpleMessage("您要删除的部分文件仅在您的设备上可用,且删除后无法恢复"), + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage("与您共享相册的人应该会在他们的设备上看到相同的 ID。"), + "somethingWentWrong": MessageLookupByLibrary.simpleMessage("出了些问题"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage("出了点问题,请重试"), + "sorry": MessageLookupByLibrary.simpleMessage("抱歉"), + "sorryBackupFailedDesc": + MessageLookupByLibrary.simpleMessage("抱歉,我们目前无法备份此文件,我们将稍后重试。"), + "sorryCouldNotAddToFavorites": + MessageLookupByLibrary.simpleMessage("抱歉,无法添加到收藏!"), + "sorryCouldNotRemoveFromFavorites": + MessageLookupByLibrary.simpleMessage("抱歉,无法从收藏中移除!"), + "sorryTheCodeYouveEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage("抱歉,您输入的代码不正确"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "抱歉,我们无法在此设备上生成安全密钥。\n\n请使用其他设备注册。"), + "sorryWeHadToPauseYourBackups": + MessageLookupByLibrary.simpleMessage("抱歉,我们不得不暂停您的备份"), + "sort": MessageLookupByLibrary.simpleMessage("排序"), + "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("排序方式"), + "sortNewestFirst": MessageLookupByLibrary.simpleMessage("最新在前"), + "sortOldestFirst": MessageLookupByLibrary.simpleMessage("最旧在前"), + "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ 成功"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": MessageLookupByLibrary.simpleMessage("聚光灯下的自己"), + "startAccountRecoveryTitle": + MessageLookupByLibrary.simpleMessage("开始恢复"), + "startBackup": MessageLookupByLibrary.simpleMessage("开始备份"), + "status": MessageLookupByLibrary.simpleMessage("状态"), + "stopCastingBody": MessageLookupByLibrary.simpleMessage("您想停止投放吗?"), + "stopCastingTitle": MessageLookupByLibrary.simpleMessage("停止投放"), + "storage": MessageLookupByLibrary.simpleMessage("存储空间"), + "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("家庭"), + "storageBreakupYou": MessageLookupByLibrary.simpleMessage("您"), + "storageInGB": m93, + "storageLimitExceeded": MessageLookupByLibrary.simpleMessage("已超出存储限制"), + "storageUsageInfo": m94, + "streamDetails": MessageLookupByLibrary.simpleMessage("流详情"), + "strongStrength": MessageLookupByLibrary.simpleMessage("强"), + "subAlreadyLinkedErrMessage": m95, + "subWillBeCancelledOn": m96, + "subscribe": MessageLookupByLibrary.simpleMessage("订阅"), + "subscribeToEnableSharing": + MessageLookupByLibrary.simpleMessage("您需要有效的付费订阅才能启用共享。"), + "subscription": MessageLookupByLibrary.simpleMessage("订阅"), + "success": MessageLookupByLibrary.simpleMessage("成功"), + "successfullyArchived": MessageLookupByLibrary.simpleMessage("存档成功"), + "successfullyHid": MessageLookupByLibrary.simpleMessage("已成功隐藏"), + "successfullyUnarchived": + MessageLookupByLibrary.simpleMessage("取消存档成功"), + "successfullyUnhid": MessageLookupByLibrary.simpleMessage("已成功取消隐藏"), + "suggestFeatures": MessageLookupByLibrary.simpleMessage("建议新功能"), + "sunrise": MessageLookupByLibrary.simpleMessage("在地平线上"), + "support": MessageLookupByLibrary.simpleMessage("支持"), + "syncProgress": m97, + "syncStopped": MessageLookupByLibrary.simpleMessage("同步已停止"), + "syncing": MessageLookupByLibrary.simpleMessage("正在同步···"), + "systemTheme": MessageLookupByLibrary.simpleMessage("适应系统"), + "tapToCopy": MessageLookupByLibrary.simpleMessage("点击以复制"), + "tapToEnterCode": MessageLookupByLibrary.simpleMessage("点击以输入代码"), + "tapToUnlock": MessageLookupByLibrary.simpleMessage("点击解锁"), + "tapToUpload": MessageLookupByLibrary.simpleMessage("点按上传"), + "tapToUploadIsIgnoredDue": m98, + "tempErrorContactSupportIfPersists": + MessageLookupByLibrary.simpleMessage( + "看起来出了点问题。 请稍后重试。 如果错误仍然存在,请联系我们的支持团队。"), + "terminate": MessageLookupByLibrary.simpleMessage("终止"), + "terminateSession": MessageLookupByLibrary.simpleMessage("是否终止会话?"), + "terms": MessageLookupByLibrary.simpleMessage("使用条款"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("使用条款"), + "thankYou": MessageLookupByLibrary.simpleMessage("非常感谢您"), + "thankYouForSubscribing": + MessageLookupByLibrary.simpleMessage("感谢您的订阅!"), + "theDownloadCouldNotBeCompleted": + MessageLookupByLibrary.simpleMessage("未能完成下载"), + "theLinkYouAreTryingToAccessHasExpired": + MessageLookupByLibrary.simpleMessage("您尝试访问的链接已过期。"), + "thePersonGroupsWillNotBeDisplayed": + MessageLookupByLibrary.simpleMessage("人物组将不再显示在人物部分。照片将保持不变。"), + "thePersonWillNotBeDisplayed": + MessageLookupByLibrary.simpleMessage("该人将不再显示在人物部分。照片将保持不变。"), + "theRecoveryKeyYouEnteredIsIncorrect": + MessageLookupByLibrary.simpleMessage("您输入的恢复密钥不正确"), + "theme": MessageLookupByLibrary.simpleMessage("主题"), + "theseItemsWillBeDeletedFromYourDevice": + MessageLookupByLibrary.simpleMessage("这些项目将从您的设备中删除。"), + "theyAlsoGetXGb": m99, + "theyWillBeDeletedFromAllAlbums": + MessageLookupByLibrary.simpleMessage("他们将从所有相册中删除。"), + "thisActionCannotBeUndone": + MessageLookupByLibrary.simpleMessage("此操作无法撤销"), + "thisAlbumAlreadyHDACollaborativeLink": + MessageLookupByLibrary.simpleMessage("此相册已经有一个协作链接"), + "thisCanBeUsedToRecoverYourAccountIfYou": + MessageLookupByLibrary.simpleMessage("如果您丢失了双重认证方式,这可以用来恢复您的账户"), + "thisDevice": MessageLookupByLibrary.simpleMessage("此设备"), + "thisEmailIsAlreadyInUse": + MessageLookupByLibrary.simpleMessage("这个邮箱地址已经被使用"), + "thisImageHasNoExifData": + MessageLookupByLibrary.simpleMessage("此图像没有Exif 数据"), + "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("这就是我!"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": + MessageLookupByLibrary.simpleMessage("这是您的验证 ID"), + "thisWeekThroughTheYears": MessageLookupByLibrary.simpleMessage("历年本周"), + "thisWeekXYearsAgo": m101, + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage("这将使您在以下设备中退出登录:"), + "thisWillLogYouOutOfThisDevice": + MessageLookupByLibrary.simpleMessage("这将使您在此设备上退出登录!"), + "thisWillMakeTheDateAndTimeOfAllSelected": + MessageLookupByLibrary.simpleMessage("这将使所有选定的照片的日期和时间相同。"), + "thisWillRemovePublicLinksOfAllSelectedQuickLinks": + MessageLookupByLibrary.simpleMessage("这将删除所有选定的快速链接的公共链接。"), + "throughTheYears": m102, + "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": + MessageLookupByLibrary.simpleMessage("要启用应用锁,请在系统设置中设置设备密码或屏幕锁。"), + "toHideAPhotoOrVideo": MessageLookupByLibrary.simpleMessage("隐藏照片或视频"), + "toResetVerifyEmail": + MessageLookupByLibrary.simpleMessage("要重置您的密码,请先验证您的电子邮件。"), + "todaysLogs": MessageLookupByLibrary.simpleMessage("当天日志"), + "tooManyIncorrectAttempts": + MessageLookupByLibrary.simpleMessage("错误尝试次数过多"), + "total": MessageLookupByLibrary.simpleMessage("总计"), + "totalSize": MessageLookupByLibrary.simpleMessage("总大小"), + "trash": MessageLookupByLibrary.simpleMessage("回收站"), + "trashDaysLeft": m103, + "trim": MessageLookupByLibrary.simpleMessage("修剪"), + "tripInYear": m104, + "tripToLocation": m105, + "trustedContacts": MessageLookupByLibrary.simpleMessage("可信联系人"), + "trustedInviteBody": m106, + "tryAgain": MessageLookupByLibrary.simpleMessage("请再试一次"), + "turnOnBackupForAutoUpload": MessageLookupByLibrary.simpleMessage( + "打开备份可自动上传添加到此设备文件夹的文件至 Ente。"), + "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twoMonthsFreeOnYearlyPlans": + MessageLookupByLibrary.simpleMessage("在年度计划上免费获得 2 个月"), + "twofactor": MessageLookupByLibrary.simpleMessage("双重认证"), + "twofactorAuthenticationHasBeenDisabled": + MessageLookupByLibrary.simpleMessage("双重认证已被禁用"), + "twofactorAuthenticationPageTitle": + MessageLookupByLibrary.simpleMessage("双重认证"), + "twofactorAuthenticationSuccessfullyReset": + MessageLookupByLibrary.simpleMessage("成功重置双重认证"), + "twofactorSetup": MessageLookupByLibrary.simpleMessage("双重认证设置"), + "typeOfGallerGallerytypeIsNotSupportedForRename": m107, + "unarchive": MessageLookupByLibrary.simpleMessage("取消存档"), + "unarchiveAlbum": MessageLookupByLibrary.simpleMessage("取消存档相册"), + "unarchiving": MessageLookupByLibrary.simpleMessage("正在取消存档..."), + "unavailableReferralCode": + MessageLookupByLibrary.simpleMessage("抱歉,此代码不可用。"), + "uncategorized": MessageLookupByLibrary.simpleMessage("未分类的"), + "unhide": MessageLookupByLibrary.simpleMessage("取消隐藏"), + "unhideToAlbum": MessageLookupByLibrary.simpleMessage("取消隐藏到相册"), + "unhiding": MessageLookupByLibrary.simpleMessage("正在取消隐藏..."), + "unhidingFilesToAlbum": + MessageLookupByLibrary.simpleMessage("正在取消隐藏文件到相册"), + "unlock": MessageLookupByLibrary.simpleMessage("解锁"), + "unpinAlbum": MessageLookupByLibrary.simpleMessage("取消置顶相册"), + "unselectAll": MessageLookupByLibrary.simpleMessage("取消全部选择"), + "update": MessageLookupByLibrary.simpleMessage("更新"), + "updateAvailable": MessageLookupByLibrary.simpleMessage("有可用的更新"), + "updatingFolderSelection": + MessageLookupByLibrary.simpleMessage("正在更新文件夹选择..."), + "upgrade": MessageLookupByLibrary.simpleMessage("升级"), + "uploadIsIgnoredDueToIgnorereason": m108, + "uploadingFilesToAlbum": + MessageLookupByLibrary.simpleMessage("正在将文件上传到相册..."), + "uploadingMultipleMemories": m109, + "uploadingSingleMemory": + MessageLookupByLibrary.simpleMessage("正在保存 1 个回忆..."), + "upto50OffUntil4thDec": + MessageLookupByLibrary.simpleMessage("最高五折优惠,直至12月4日。"), + "usableReferralStorageInfo": MessageLookupByLibrary.simpleMessage( + "可用存储空间受您当前计划的限制。 当您升级您的计划时,超出要求的存储空间将自动变为可用。"), + "useAsCover": MessageLookupByLibrary.simpleMessage("用作封面"), + "useDifferentPlayerInfo": MessageLookupByLibrary.simpleMessage( + "播放此视频时遇到问题了吗?长按此处可尝试使用其他播放器。"), + "usePublicLinksForPeopleNotOnEnte": + MessageLookupByLibrary.simpleMessage("对不在 Ente 上的人使用公开链接"), + "useRecoveryKey": MessageLookupByLibrary.simpleMessage("使用恢复密钥"), + "useSelectedPhoto": MessageLookupByLibrary.simpleMessage("使用所选照片"), + "usedSpace": MessageLookupByLibrary.simpleMessage("已用空间"), + "validTill": m110, + "verificationFailedPleaseTryAgain": + MessageLookupByLibrary.simpleMessage("验证失败,请重试"), + "verificationId": MessageLookupByLibrary.simpleMessage("验证 ID"), + "verify": MessageLookupByLibrary.simpleMessage("验证"), + "verifyEmail": MessageLookupByLibrary.simpleMessage("验证电子邮件"), + "verifyEmailID": m111, + "verifyIDLabel": MessageLookupByLibrary.simpleMessage("验证"), + "verifyPasskey": MessageLookupByLibrary.simpleMessage("验证通行密钥"), + "verifyPassword": MessageLookupByLibrary.simpleMessage("验证密码"), + "verifying": MessageLookupByLibrary.simpleMessage("正在验证..."), + "verifyingRecoveryKey": + MessageLookupByLibrary.simpleMessage("正在验证恢复密钥..."), + "videoInfo": MessageLookupByLibrary.simpleMessage("视频详情"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("视频"), + "videoStreaming": MessageLookupByLibrary.simpleMessage("可流媒体播放的视频"), + "videos": MessageLookupByLibrary.simpleMessage("视频"), + "viewActiveSessions": MessageLookupByLibrary.simpleMessage("查看活动会话"), + "viewAddOnButton": MessageLookupByLibrary.simpleMessage("查看附加组件"), + "viewAll": MessageLookupByLibrary.simpleMessage("查看全部"), + "viewAllExifData": MessageLookupByLibrary.simpleMessage("查看所有 EXIF 数据"), + "viewLargeFiles": MessageLookupByLibrary.simpleMessage("大文件"), + "viewLargeFilesDesc": + MessageLookupByLibrary.simpleMessage("查看占用存储空间最多的文件。"), + "viewLogs": MessageLookupByLibrary.simpleMessage("查看日志"), + "viewPersonToUnlink": m112, + "viewRecoveryKey": MessageLookupByLibrary.simpleMessage("查看恢复密钥"), + "viewer": MessageLookupByLibrary.simpleMessage("查看者"), + "viewersSuccessfullyAdded": m113, + "visitWebToManage": + MessageLookupByLibrary.simpleMessage("请访问 web.ente.io 来管理您的订阅"), + "waitingForVerification": + MessageLookupByLibrary.simpleMessage("等待验证..."), + "waitingForWifi": MessageLookupByLibrary.simpleMessage("正在等待 WiFi..."), + "warning": MessageLookupByLibrary.simpleMessage("警告"), + "weAreOpenSource": MessageLookupByLibrary.simpleMessage("我们是开源的 !"), + "weDontSupportEditingPhotosAndAlbumsThatYouDont": + MessageLookupByLibrary.simpleMessage("我们不支持编辑您尚未拥有的照片和相册"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("弱"), + "welcomeBack": MessageLookupByLibrary.simpleMessage("欢迎回来!"), + "whatsNew": MessageLookupByLibrary.simpleMessage("更新日志"), + "whyAddTrustContact": + MessageLookupByLibrary.simpleMessage("可信联系人可以帮助恢复您的数据。"), + "widgets": MessageLookupByLibrary.simpleMessage("小组件"), + "wishThemAHappyBirthday": m115, + "yearShort": MessageLookupByLibrary.simpleMessage("年"), + "yearly": MessageLookupByLibrary.simpleMessage("每年"), + "yearsAgo": m116, + "yes": MessageLookupByLibrary.simpleMessage("是"), + "yesCancel": MessageLookupByLibrary.simpleMessage("是的,取消"), + "yesConvertToViewer": MessageLookupByLibrary.simpleMessage("是的,转换为查看者"), + "yesDelete": MessageLookupByLibrary.simpleMessage("是的, 删除"), + "yesDiscardChanges": MessageLookupByLibrary.simpleMessage("是的,放弃更改"), + "yesIgnore": MessageLookupByLibrary.simpleMessage("是的,忽略"), + "yesLogout": MessageLookupByLibrary.simpleMessage("是的,退出登陆"), + "yesRemove": MessageLookupByLibrary.simpleMessage("是,移除"), + "yesRenew": MessageLookupByLibrary.simpleMessage("是的,续费"), + "yesResetPerson": MessageLookupByLibrary.simpleMessage("是,重设人物"), + "you": MessageLookupByLibrary.simpleMessage("您"), + "youAndThem": m117, + "youAreOnAFamilyPlan": + MessageLookupByLibrary.simpleMessage("你在一个家庭计划中!"), + "youAreOnTheLatestVersion": + MessageLookupByLibrary.simpleMessage("当前为最新版本"), + "youCanAtMaxDoubleYourStorage": + MessageLookupByLibrary.simpleMessage("* 您最多可以将您的存储空间增加一倍"), + "youCanManageYourLinksInTheShareTab": + MessageLookupByLibrary.simpleMessage("您可以在分享选项卡中管理您的链接。"), + "youCanTrySearchingForADifferentQuery": + MessageLookupByLibrary.simpleMessage("您可以尝试搜索不同的查询。"), + "youCannotDowngradeToThisPlan": + MessageLookupByLibrary.simpleMessage("您不能降级到此计划"), + "youCannotShareWithYourself": + MessageLookupByLibrary.simpleMessage("莫开玩笑,您不能与自己分享"), + "youDontHaveAnyArchivedItems": + MessageLookupByLibrary.simpleMessage("您没有任何存档的项目。"), + "youHaveSuccessfullyFreedUp": m118, + "yourAccountHasBeenDeleted": + MessageLookupByLibrary.simpleMessage("您的账户已删除"), + "yourMap": MessageLookupByLibrary.simpleMessage("您的地图"), + "yourPlanWasSuccessfullyDowngraded": + MessageLookupByLibrary.simpleMessage("您的计划已成功降级"), + "yourPlanWasSuccessfullyUpgraded": + MessageLookupByLibrary.simpleMessage("您的计划已成功升级"), + "yourPurchaseWasSuccessful": + MessageLookupByLibrary.simpleMessage("您购买成功!"), + "yourStorageDetailsCouldNotBeFetched": + MessageLookupByLibrary.simpleMessage("无法获取您的存储详情"), + "yourSubscriptionHasExpired": + MessageLookupByLibrary.simpleMessage("您的订阅已过期"), + "yourSubscriptionWasUpdatedSuccessfully": + MessageLookupByLibrary.simpleMessage("您的订阅已成功更新"), + "yourVerificationCodeHasExpired": + MessageLookupByLibrary.simpleMessage("您的验证码已过期"), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage("您没有任何可以清除的重复文件"), + "youveNoFilesInThisAlbumThatCanBeDeleted": + MessageLookupByLibrary.simpleMessage("您在此相册中没有可以删除的文件"), + "zoomOutToSeePhotos": MessageLookupByLibrary.simpleMessage("缩小以查看照片") + }; } diff --git a/mobile/apps/photos/lib/generated/l10n.dart b/mobile/apps/photos/lib/generated/l10n.dart index 2df799b7c4..fb730cd61a 100644 --- a/mobile/apps/photos/lib/generated/l10n.dart +++ b/mobile/apps/photos/lib/generated/l10n.dart @@ -18,10 +18,8 @@ class S { static S? _current; static S get current { - assert( - _current != null, - 'No instance of S was loaded. Try to initialize the S delegate before accessing S.current.', - ); + assert(_current != null, + 'No instance of S was loaded. Try to initialize the S delegate before accessing S.current.'); return _current!; } @@ -43,10 +41,8 @@ class S { static S of(BuildContext context) { final instance = S.maybeOf(context); - assert( - instance != null, - 'No instance of S present in the widget tree. Did you add S.delegate in localizationsDelegates?', - ); + assert(instance != null, + 'No instance of S present in the widget tree. Did you add S.delegate in localizationsDelegates?'); return instance!; } @@ -106,17 +102,32 @@ class S { /// `Email` String get email { - return Intl.message('Email', name: 'email', desc: '', args: []); + return Intl.message( + 'Email', + name: 'email', + desc: '', + args: [], + ); } /// `Cancel` String get cancel { - return Intl.message('Cancel', name: 'cancel', desc: '', args: []); + return Intl.message( + 'Cancel', + name: 'cancel', + desc: '', + args: [], + ); } /// `Verify` String get verify { - return Intl.message('Verify', name: 'verify', desc: '', args: []); + return Intl.message( + 'Verify', + name: 'verify', + desc: '', + args: [], + ); } /// `Invalid email address` @@ -171,7 +182,12 @@ class S { /// `Feedback` String get feedback { - return Intl.message('Feedback', name: 'feedback', desc: '', args: []); + return Intl.message( + 'Feedback', + name: 'feedback', + desc: '', + args: [], + ); } /// `Kindly help us with this information` @@ -276,7 +292,12 @@ class S { /// `Send email` String get sendEmail { - return Intl.message('Send email', name: 'sendEmail', desc: '', args: []); + return Intl.message( + 'Send email', + name: 'sendEmail', + desc: '', + args: [], + ); } /// `Your request will be processed within 72 hours.` @@ -311,7 +332,12 @@ class S { /// `Ok` String get ok { - return Intl.message('Ok', name: 'ok', desc: '', args: []); + return Intl.message( + 'Ok', + name: 'ok', + desc: '', + args: [], + ); } /// `Create account` @@ -336,7 +362,12 @@ class S { /// `Password` String get password { - return Intl.message('Password', name: 'password', desc: '', args: []); + return Intl.message( + 'Password', + name: 'password', + desc: '', + args: [], + ); } /// `Confirm password` @@ -361,7 +392,12 @@ class S { /// `Oops` String get oops { - return Intl.message('Oops', name: 'oops', desc: '', args: []); + return Intl.message( + 'Oops', + name: 'oops', + desc: '', + args: [], + ); } /// `Something went wrong, please try again` @@ -406,17 +442,32 @@ class S { /// `Terminate` String get terminate { - return Intl.message('Terminate', name: 'terminate', desc: '', args: []); + return Intl.message( + 'Terminate', + name: 'terminate', + desc: '', + args: [], + ); } /// `This device` String get thisDevice { - return Intl.message('This device', name: 'thisDevice', desc: '', args: []); + return Intl.message( + 'This device', + name: 'thisDevice', + desc: '', + args: [], + ); } /// `Recover` String get recoverButton { - return Intl.message('Recover', name: 'recoverButton', desc: '', args: []); + return Intl.message( + 'Recover', + name: 'recoverButton', + desc: '', + args: [], + ); } /// `Recovery successful!` @@ -491,7 +542,12 @@ class S { /// `Sorry` String get sorry { - return Intl.message('Sorry', name: 'sorry', desc: '', args: []); + return Intl.message( + 'Sorry', + name: 'sorry', + desc: '', + args: [], + ); } /// `Due to the nature of our end-to-end encryption protocol, your data cannot be decrypted without your password or recovery key` @@ -636,12 +692,22 @@ class S { /// `Weak` String get weakStrength { - return Intl.message('Weak', name: 'weakStrength', desc: '', args: []); + return Intl.message( + 'Weak', + name: 'weakStrength', + desc: '', + args: [], + ); } /// `Strong` String get strongStrength { - return Intl.message('Strong', name: 'strongStrength', desc: '', args: []); + return Intl.message( + 'Strong', + name: 'strongStrength', + desc: '', + args: [], + ); } /// `Moderate` @@ -696,7 +762,12 @@ class S { /// `Continue` String get continueLabel { - return Intl.message('Continue', name: 'continueLabel', desc: '', args: []); + return Intl.message( + 'Continue', + name: 'continueLabel', + desc: '', + args: [], + ); } /// `Insecure device` @@ -721,12 +792,22 @@ class S { /// `How it works` String get howItWorks { - return Intl.message('How it works', name: 'howItWorks', desc: '', args: []); + return Intl.message( + 'How it works', + name: 'howItWorks', + desc: '', + args: [], + ); } /// `Encryption` String get encryption { - return Intl.message('Encryption', name: 'encryption', desc: '', args: []); + return Intl.message( + 'Encryption', + name: 'encryption', + desc: '', + args: [], + ); } /// `I understand that if I lose my password, I may lose my data since my data is end-to-end encrypted.` @@ -771,7 +852,12 @@ class S { /// `Log in` String get logInLabel { - return Intl.message('Log in', name: 'logInLabel', desc: '', args: []); + return Intl.message( + 'Log in', + name: 'logInLabel', + desc: '', + args: [], + ); } /// `By clicking log in, I agree to the terms of service and privacy policy` @@ -926,7 +1012,12 @@ class S { /// `Save key` String get saveKey { - return Intl.message('Save key', name: 'saveKey', desc: '', args: []); + return Intl.message( + 'Save key', + name: 'saveKey', + desc: '', + args: [], + ); } /// `Recovery key copied to clipboard` @@ -951,7 +1042,12 @@ class S { /// `Recover` String get recover { - return Intl.message('Recover', name: 'recover', desc: '', args: []); + return Intl.message( + 'Recover', + name: 'recover', + desc: '', + args: [], + ); } /// `Please drop an email to {supportEmail} from your registered email address` @@ -976,12 +1072,22 @@ class S { /// `Enter code` String get enterCode { - return Intl.message('Enter code', name: 'enterCode', desc: '', args: []); + return Intl.message( + 'Enter code', + name: 'enterCode', + desc: '', + args: [], + ); } /// `Scan code` String get scanCode { - return Intl.message('Scan code', name: 'scanCode', desc: '', args: []); + return Intl.message( + 'Scan code', + name: 'scanCode', + desc: '', + args: [], + ); } /// `Code copied to clipboard` @@ -1006,7 +1112,12 @@ class S { /// `tap to copy` String get tapToCopy { - return Intl.message('tap to copy', name: 'tapToCopy', desc: '', args: []); + return Intl.message( + 'tap to copy', + name: 'tapToCopy', + desc: '', + args: [], + ); } /// `Scan this barcode with\nyour authenticator app` @@ -1031,7 +1142,12 @@ class S { /// `Confirm` String get confirm { - return Intl.message('Confirm', name: 'confirm', desc: '', args: []); + return Intl.message( + 'Confirm', + name: 'confirm', + desc: '', + args: [], + ); } /// `Setup complete` @@ -1076,7 +1192,12 @@ class S { /// `Lost device?` String get lostDevice { - return Intl.message('Lost device?', name: 'lostDevice', desc: '', args: []); + return Intl.message( + 'Lost device?', + name: 'lostDevice', + desc: '', + args: [], + ); } /// `Verifying recovery key...` @@ -1121,12 +1242,22 @@ class S { /// `Invalid key` String get invalidKey { - return Intl.message('Invalid key', name: 'invalidKey', desc: '', args: []); + return Intl.message( + 'Invalid key', + name: 'invalidKey', + desc: '', + args: [], + ); } /// `Try again` String get tryAgain { - return Intl.message('Try again', name: 'tryAgain', desc: '', args: []); + return Intl.message( + 'Try again', + name: 'tryAgain', + desc: '', + args: [], + ); } /// `View recovery key` @@ -1171,7 +1302,12 @@ class S { /// `Add viewer` String get addViewer { - return Intl.message('Add viewer', name: 'addViewer', desc: '', args: []); + return Intl.message( + 'Add viewer', + name: 'addViewer', + desc: '', + args: [], + ); } /// `Add collaborator` @@ -1216,7 +1352,12 @@ class S { /// `Enter email` String get enterEmail { - return Intl.message('Enter email', name: 'enterEmail', desc: '', args: []); + return Intl.message( + 'Enter email', + name: 'enterEmail', + desc: '', + args: [], + ); } /// `Owner` @@ -1231,7 +1372,12 @@ class S { /// `You` String get you { - return Intl.message('You', name: 'you', desc: '', args: []); + return Intl.message( + 'You', + name: 'you', + desc: '', + args: [], + ); } /// `Collaborator` @@ -1256,12 +1402,22 @@ class S { /// `Viewer` String get viewer { - return Intl.message('Viewer', name: 'viewer', desc: '', args: []); + return Intl.message( + 'Viewer', + name: 'viewer', + desc: '', + args: [], + ); } /// `Remove` String get remove { - return Intl.message('Remove', name: 'remove', desc: '', args: []); + return Intl.message( + 'Remove', + name: 'remove', + desc: '', + args: [], + ); } /// `Remove participant` @@ -1276,12 +1432,22 @@ class S { /// `Manage` String get manage { - return Intl.message('Manage', name: 'manage', desc: '', args: []); + return Intl.message( + 'Manage', + name: 'manage', + desc: '', + args: [], + ); } /// `Added as` String get addedAs { - return Intl.message('Added as', name: 'addedAs', desc: '', args: []); + return Intl.message( + 'Added as', + name: 'addedAs', + desc: '', + args: [], + ); } /// `Change permissions?` @@ -1416,22 +1582,42 @@ class S { /// `Link expiry` String get linkExpiry { - return Intl.message('Link expiry', name: 'linkExpiry', desc: '', args: []); + return Intl.message( + 'Link expiry', + name: 'linkExpiry', + desc: '', + args: [], + ); } /// `Expired` String get linkExpired { - return Intl.message('Expired', name: 'linkExpired', desc: '', args: []); + return Intl.message( + 'Expired', + name: 'linkExpired', + desc: '', + args: [], + ); } /// `Enabled` String get linkEnabled { - return Intl.message('Enabled', name: 'linkEnabled', desc: '', args: []); + return Intl.message( + 'Enabled', + name: 'linkEnabled', + desc: '', + args: [], + ); } /// `Never` String get linkNeverExpires { - return Intl.message('Never', name: 'linkNeverExpires', desc: '', args: []); + return Intl.message( + 'Never', + name: 'linkNeverExpires', + desc: '', + args: [], + ); } /// `This link has expired. Please select a new expiry time or disable link expiry.` @@ -1456,7 +1642,12 @@ class S { /// `Lock` String get lockButtonLabel { - return Intl.message('Lock', name: 'lockButtonLabel', desc: '', args: []); + return Intl.message( + 'Lock', + name: 'lockButtonLabel', + desc: '', + args: [], + ); } /// `Enter password` @@ -1471,12 +1662,22 @@ class S { /// `Remove link` String get removeLink { - return Intl.message('Remove link', name: 'removeLink', desc: '', args: []); + return Intl.message( + 'Remove link', + name: 'removeLink', + desc: '', + args: [], + ); } /// `Manage link` String get manageLink { - return Intl.message('Manage link', name: 'manageLink', desc: '', args: []); + return Intl.message( + 'Manage link', + name: 'manageLink', + desc: '', + args: [], + ); } /// `Link will expire on {expiryTime}` @@ -1501,7 +1702,12 @@ class S { /// `Never` String get never { - return Intl.message('Never', name: 'never', desc: '', args: []); + return Intl.message( + 'Never', + name: 'never', + desc: '', + args: [], + ); } /// `Custom` @@ -1516,17 +1722,32 @@ class S { /// `After 1 hour` String get after1Hour { - return Intl.message('After 1 hour', name: 'after1Hour', desc: '', args: []); + return Intl.message( + 'After 1 hour', + name: 'after1Hour', + desc: '', + args: [], + ); } /// `After 1 day` String get after1Day { - return Intl.message('After 1 day', name: 'after1Day', desc: '', args: []); + return Intl.message( + 'After 1 day', + name: 'after1Day', + desc: '', + args: [], + ); } /// `After 1 week` String get after1Week { - return Intl.message('After 1 week', name: 'after1Week', desc: '', args: []); + return Intl.message( + 'After 1 week', + name: 'after1Week', + desc: '', + args: [], + ); } /// `After 1 month` @@ -1541,7 +1762,12 @@ class S { /// `After 1 year` String get after1Year { - return Intl.message('After 1 year', name: 'after1Year', desc: '', args: []); + return Intl.message( + 'After 1 year', + name: 'after1Year', + desc: '', + args: [], + ); } /// `Manage` @@ -1619,12 +1845,22 @@ class S { /// `Send link` String get sendLink { - return Intl.message('Send link', name: 'sendLink', desc: '', args: []); + return Intl.message( + 'Send link', + name: 'sendLink', + desc: '', + args: [], + ); } /// `Copy link` String get copyLink { - return Intl.message('Copy link', name: 'copyLink', desc: '', args: []); + return Intl.message( + 'Copy link', + name: 'copyLink', + desc: '', + args: [], + ); } /// `Link has expired` @@ -1649,7 +1885,12 @@ class S { /// `Share a link` String get shareALink { - return Intl.message('Share a link', name: 'shareALink', desc: '', args: []); + return Intl.message( + 'Share a link', + name: 'shareALink', + desc: '', + args: [], + ); } /// `Create shared and collaborative albums with other Ente users, including users on free plans.` @@ -1777,7 +2018,12 @@ class S { /// `Send invite` String get sendInvite { - return Intl.message('Send invite', name: 'sendInvite', desc: '', args: []); + return Intl.message( + 'Send invite', + name: 'sendInvite', + desc: '', + args: [], + ); } /// `Download Ente so we can easily share original quality photos and videos\n\nhttps://ente.io` @@ -1792,7 +2038,12 @@ class S { /// `Done` String get done { - return Intl.message('Done', name: 'done', desc: '', args: []); + return Intl.message( + 'Done', + name: 'done', + desc: '', + args: [], + ); } /// `Apply code` @@ -1817,7 +2068,12 @@ class S { /// `Apply` String get apply { - return Intl.message('Apply', name: 'apply', desc: '', args: []); + return Intl.message( + 'Apply', + name: 'apply', + desc: '', + args: [], + ); } /// `Failed to apply code` @@ -1862,7 +2118,12 @@ class S { /// `Change` String get change { - return Intl.message('Change', name: 'change', desc: '', args: []); + return Intl.message( + 'Change', + name: 'change', + desc: '', + args: [], + ); } /// `Sorry, this code is unavailable.` @@ -1917,12 +2178,22 @@ class S { /// `Details` String get details { - return Intl.message('Details', name: 'details', desc: '', args: []); + return Intl.message( + 'Details', + name: 'details', + desc: '', + args: [], + ); } /// `Claim more!` String get claimMore { - return Intl.message('Claim more!', name: 'claimMore', desc: '', args: []); + return Intl.message( + 'Claim more!', + name: 'claimMore', + desc: '', + args: [], + ); } /// `They also get {storageAmountInGB} GB` @@ -1947,9 +2218,7 @@ class S { /// `Ente referral code: {referralCode} \n\nApply it in Settings → General → Referrals to get {referralStorageInGB} GB free after you signup for a paid plan\n\nhttps://ente.io` String shareTextReferralCode( - Object referralCode, - Object referralStorageInGB, - ) { + Object referralCode, Object referralStorageInGB) { return Intl.message( 'Ente referral code: $referralCode \n\nApply it in Settings → General → Referrals to get $referralStorageInGB GB free after you signup for a paid plan\n\nhttps://ente.io', name: 'shareTextReferralCode', @@ -2055,12 +2324,22 @@ class S { /// `FAQ` String get faq { - return Intl.message('FAQ', name: 'faq', desc: '', args: []); + return Intl.message( + 'FAQ', + name: 'faq', + desc: '', + args: [], + ); } /// `Help` String get help { - return Intl.message('Help', name: 'help', desc: '', args: []); + return Intl.message( + 'Help', + name: 'help', + desc: '', + args: [], + ); } /// `Oops, something went wrong` @@ -2085,12 +2364,22 @@ class S { /// `eligible` String get eligible { - return Intl.message('eligible', name: 'eligible', desc: '', args: []); + return Intl.message( + 'eligible', + name: 'eligible', + desc: '', + args: [], + ); } /// `total` String get total { - return Intl.message('total', name: 'total', desc: '', args: []); + return Intl.message( + 'total', + name: 'total', + desc: '', + args: [], + ); } /// `Code used by you` @@ -2225,7 +2514,12 @@ class S { /// `Subscribe` String get subscribe { - return Intl.message('Subscribe', name: 'subscribe', desc: '', args: []); + return Intl.message( + 'Subscribe', + name: 'subscribe', + desc: '', + args: [], + ); } /// `Can only remove files owned by you` @@ -2280,7 +2574,12 @@ class S { /// `Yes, remove` String get yesRemove { - return Intl.message('Yes, remove', name: 'yesRemove', desc: '', args: []); + return Intl.message( + 'Yes, remove', + name: 'yesRemove', + desc: '', + args: [], + ); } /// `Creating link...` @@ -2315,7 +2614,12 @@ class S { /// `Keep Photos` String get keepPhotos { - return Intl.message('Keep Photos', name: 'keepPhotos', desc: '', args: []); + return Intl.message( + 'Keep Photos', + name: 'keepPhotos', + desc: '', + args: [], + ); } /// `Delete photos` @@ -2360,7 +2664,12 @@ class S { /// `Sharing...` String get sharing { - return Intl.message('Sharing...', name: 'sharing', desc: '', args: []); + return Intl.message( + 'Sharing...', + name: 'sharing', + desc: '', + args: [], + ); } /// `You cannot share with yourself` @@ -2375,7 +2684,12 @@ class S { /// `Archive` String get archive { - return Intl.message('Archive', name: 'archive', desc: '', args: []); + return Intl.message( + 'Archive', + name: 'archive', + desc: '', + args: [], + ); } /// `Long press to select photos and click + to create an album` @@ -2390,7 +2704,12 @@ class S { /// `Importing....` String get importing { - return Intl.message('Importing....', name: 'importing', desc: '', args: []); + return Intl.message( + 'Importing....', + name: 'importing', + desc: '', + args: [], + ); } /// `Failed to load albums` @@ -2405,7 +2724,12 @@ class S { /// `Hidden` String get hidden { - return Intl.message('Hidden', name: 'hidden', desc: '', args: []); + return Intl.message( + 'Hidden', + name: 'hidden', + desc: '', + args: [], + ); } /// `Please authenticate to view your hidden files` @@ -2430,7 +2754,12 @@ class S { /// `Trash` String get trash { - return Intl.message('Trash', name: 'trash', desc: '', args: []); + return Intl.message( + 'Trash', + name: 'trash', + desc: '', + args: [], + ); } /// `Uncategorized` @@ -2445,12 +2774,22 @@ class S { /// `video` String get videoSmallCase { - return Intl.message('video', name: 'videoSmallCase', desc: '', args: []); + return Intl.message( + 'video', + name: 'videoSmallCase', + desc: '', + args: [], + ); } /// `photo` String get photoSmallCase { - return Intl.message('photo', name: 'photoSmallCase', desc: '', args: []); + return Intl.message( + 'photo', + name: 'photoSmallCase', + desc: '', + args: [], + ); } /// `It will be deleted from all albums.` @@ -2505,7 +2844,12 @@ class S { /// `Yes, delete` String get yesDelete { - return Intl.message('Yes, delete', name: 'yesDelete', desc: '', args: []); + return Intl.message( + 'Yes, delete', + name: 'yesDelete', + desc: '', + args: [], + ); } /// `Moved to trash` @@ -2540,12 +2884,22 @@ class S { /// `New album` String get newAlbum { - return Intl.message('New album', name: 'newAlbum', desc: '', args: []); + return Intl.message( + 'New album', + name: 'newAlbum', + desc: '', + args: [], + ); } /// `Albums` String get albums { - return Intl.message('Albums', name: 'albums', desc: '', args: []); + return Intl.message( + 'Albums', + name: 'albums', + desc: '', + args: [], + ); } /// `{count, plural, =0{no memories} one{{formattedCount} memory} other{{formattedCount} memories}}` @@ -2735,12 +3089,22 @@ class S { /// `Notes` String get discover_notes { - return Intl.message('Notes', name: 'discover_notes', desc: '', args: []); + return Intl.message( + 'Notes', + name: 'discover_notes', + desc: '', + args: [], + ); } /// `Memes` String get discover_memes { - return Intl.message('Memes', name: 'discover_memes', desc: '', args: []); + return Intl.message( + 'Memes', + name: 'discover_memes', + desc: '', + args: [], + ); } /// `Visiting Cards` @@ -2755,12 +3119,22 @@ class S { /// `Babies` String get discover_babies { - return Intl.message('Babies', name: 'discover_babies', desc: '', args: []); + return Intl.message( + 'Babies', + name: 'discover_babies', + desc: '', + args: [], + ); } /// `Pets` String get discover_pets { - return Intl.message('Pets', name: 'discover_pets', desc: '', args: []); + return Intl.message( + 'Pets', + name: 'discover_pets', + desc: '', + args: [], + ); } /// `Selfies` @@ -2785,7 +3159,12 @@ class S { /// `Food` String get discover_food { - return Intl.message('Food', name: 'discover_food', desc: '', args: []); + return Intl.message( + 'Food', + name: 'discover_food', + desc: '', + args: [], + ); } /// `Celebrations` @@ -2800,12 +3179,22 @@ class S { /// `Sunset` String get discover_sunset { - return Intl.message('Sunset', name: 'discover_sunset', desc: '', args: []); + return Intl.message( + 'Sunset', + name: 'discover_sunset', + desc: '', + args: [], + ); } /// `Hills` String get discover_hills { - return Intl.message('Hills', name: 'discover_hills', desc: '', args: []); + return Intl.message( + 'Hills', + name: 'discover_hills', + desc: '', + args: [], + ); } /// `Greenery` @@ -2850,7 +3239,12 @@ class S { /// `Status` String get status { - return Intl.message('Status', name: 'status', desc: '', args: []); + return Intl.message( + 'Status', + name: 'status', + desc: '', + args: [], + ); } /// `Indexed items` @@ -2915,12 +3309,22 @@ class S { /// `Select all` String get selectAll { - return Intl.message('Select all', name: 'selectAll', desc: '', args: []); + return Intl.message( + 'Select all', + name: 'selectAll', + desc: '', + args: [], + ); } /// `Skip` String get skip { - return Intl.message('Skip', name: 'skip', desc: '', args: []); + return Intl.message( + 'Skip', + name: 'skip', + desc: '', + args: [], + ); } /// `Updating folder selection...` @@ -3061,7 +3465,12 @@ class S { /// `About` String get about { - return Intl.message('About', name: 'about', desc: '', args: []); + return Intl.message( + 'About', + name: 'about', + desc: '', + args: [], + ); } /// `We are open source!` @@ -3076,12 +3485,22 @@ class S { /// `Privacy` String get privacy { - return Intl.message('Privacy', name: 'privacy', desc: '', args: []); + return Intl.message( + 'Privacy', + name: 'privacy', + desc: '', + args: [], + ); } /// `Terms` String get terms { - return Intl.message('Terms', name: 'terms', desc: '', args: []); + return Intl.message( + 'Terms', + name: 'terms', + desc: '', + args: [], + ); } /// `Check for updates` @@ -3106,7 +3525,12 @@ class S { /// `Checking...` String get checking { - return Intl.message('Checking...', name: 'checking', desc: '', args: []); + return Intl.message( + 'Checking...', + name: 'checking', + desc: '', + args: [], + ); } /// `You are on the latest version` @@ -3121,7 +3545,12 @@ class S { /// `Account` String get account { - return Intl.message('Account', name: 'account', desc: '', args: []); + return Intl.message( + 'Account', + name: 'account', + desc: '', + args: [], + ); } /// `Manage subscription` @@ -3196,7 +3625,12 @@ class S { /// `Logout` String get logout { - return Intl.message('Logout', name: 'logout', desc: '', args: []); + return Intl.message( + 'Logout', + name: 'logout', + desc: '', + args: [], + ); } /// `Please authenticate to initiate account deletion` @@ -3221,7 +3655,12 @@ class S { /// `Yes, logout` String get yesLogout { - return Intl.message('Yes, logout', name: 'yesLogout', desc: '', args: []); + return Intl.message( + 'Yes, logout', + name: 'yesLogout', + desc: '', + args: [], + ); } /// `A new version of Ente is available.` @@ -3236,7 +3675,12 @@ class S { /// `Update` String get update { - return Intl.message('Update', name: 'update', desc: '', args: []); + return Intl.message( + 'Update', + name: 'update', + desc: '', + args: [], + ); } /// `Install manually` @@ -3271,7 +3715,12 @@ class S { /// `Ignore` String get ignoreUpdate { - return Intl.message('Ignore', name: 'ignoreUpdate', desc: '', args: []); + return Intl.message( + 'Ignore', + name: 'ignoreUpdate', + desc: '', + args: [], + ); } /// `Downloading...` @@ -3306,7 +3755,12 @@ class S { /// `Retry` String get retry { - return Intl.message('Retry', name: 'retry', desc: '', args: []); + return Intl.message( + 'Retry', + name: 'retry', + desc: '', + args: [], + ); } /// `Backed up folders` @@ -3321,7 +3775,12 @@ class S { /// `Backup` String get backup { - return Intl.message('Backup', name: 'backup', desc: '', args: []); + return Intl.message( + 'Backup', + name: 'backup', + desc: '', + args: [], + ); } /// `Free up device space` @@ -3346,7 +3805,12 @@ class S { /// `✨ All clear` String get allClear { - return Intl.message('✨ All clear', name: 'allClear', desc: '', args: []); + return Intl.message( + '✨ All clear', + name: 'allClear', + desc: '', + args: [], + ); } /// `You've no files on this device that can be deleted` @@ -3421,12 +3885,22 @@ class S { /// `Success` String get success { - return Intl.message('Success', name: 'success', desc: '', args: []); + return Intl.message( + 'Success', + name: 'success', + desc: '', + args: [], + ); } /// `Rate us` String get rateUs { - return Intl.message('Rate us', name: 'rateUs', desc: '', args: []); + return Intl.message( + 'Rate us', + name: 'rateUs', + desc: '', + args: [], + ); } /// `Also empty "Recently Deleted" from "Settings" -> "Storage" to claim the freed space` @@ -3493,7 +3967,12 @@ class S { /// `Referrals` String get referrals { - return Intl.message('Referrals', name: 'referrals', desc: '', args: []); + return Intl.message( + 'Referrals', + name: 'referrals', + desc: '', + args: [], + ); } /// `Notifications` @@ -3528,17 +4007,32 @@ class S { /// `Advanced` String get advanced { - return Intl.message('Advanced', name: 'advanced', desc: '', args: []); + return Intl.message( + 'Advanced', + name: 'advanced', + desc: '', + args: [], + ); } /// `General` String get general { - return Intl.message('General', name: 'general', desc: '', args: []); + return Intl.message( + 'General', + name: 'general', + desc: '', + args: [], + ); } /// `Security` String get security { - return Intl.message('Security', name: 'security', desc: '', args: []); + return Intl.message( + 'Security', + name: 'security', + desc: '', + args: [], + ); } /// `Please authenticate to view your recovery key` @@ -3553,7 +4047,12 @@ class S { /// `Two-factor` String get twofactor { - return Intl.message('Two-factor', name: 'twofactor', desc: '', args: []); + return Intl.message( + 'Two-factor', + name: 'twofactor', + desc: '', + args: [], + ); } /// `Please authenticate to configure two-factor authentication` @@ -3568,7 +4067,12 @@ class S { /// `Lockscreen` String get lockscreen { - return Intl.message('Lockscreen', name: 'lockscreen', desc: '', args: []); + return Intl.message( + 'Lockscreen', + name: 'lockscreen', + desc: '', + args: [], + ); } /// `Please authenticate to change lockscreen setting` @@ -3623,17 +4127,32 @@ class S { /// `No` String get no { - return Intl.message('No', name: 'no', desc: '', args: []); + return Intl.message( + 'No', + name: 'no', + desc: '', + args: [], + ); } /// `Yes` String get yes { - return Intl.message('Yes', name: 'yes', desc: '', args: []); + return Intl.message( + 'Yes', + name: 'yes', + desc: '', + args: [], + ); } /// `Social` String get social { - return Intl.message('Social', name: 'social', desc: '', args: []); + return Intl.message( + 'Social', + name: 'social', + desc: '', + args: [], + ); } /// `Rate us on {storeName}` @@ -3648,37 +4167,72 @@ class S { /// `Blog` String get blog { - return Intl.message('Blog', name: 'blog', desc: '', args: []); + return Intl.message( + 'Blog', + name: 'blog', + desc: '', + args: [], + ); } /// `Merchandise` String get merchandise { - return Intl.message('Merchandise', name: 'merchandise', desc: '', args: []); + return Intl.message( + 'Merchandise', + name: 'merchandise', + desc: '', + args: [], + ); } /// `Twitter` String get twitter { - return Intl.message('Twitter', name: 'twitter', desc: '', args: []); + return Intl.message( + 'Twitter', + name: 'twitter', + desc: '', + args: [], + ); } /// `Mastodon` String get mastodon { - return Intl.message('Mastodon', name: 'mastodon', desc: '', args: []); + return Intl.message( + 'Mastodon', + name: 'mastodon', + desc: '', + args: [], + ); } /// `Matrix` String get matrix { - return Intl.message('Matrix', name: 'matrix', desc: '', args: []); + return Intl.message( + 'Matrix', + name: 'matrix', + desc: '', + args: [], + ); } /// `Discord` String get discord { - return Intl.message('Discord', name: 'discord', desc: '', args: []); + return Intl.message( + 'Discord', + name: 'discord', + desc: '', + args: [], + ); } /// `Reddit` String get reddit { - return Intl.message('Reddit', name: 'reddit', desc: '', args: []); + return Intl.message( + 'Reddit', + name: 'reddit', + desc: '', + args: [], + ); } /// `Your storage details could not be fetched` @@ -3693,12 +4247,22 @@ class S { /// `Report a bug` String get reportABug { - return Intl.message('Report a bug', name: 'reportABug', desc: '', args: []); + return Intl.message( + 'Report a bug', + name: 'reportABug', + desc: '', + args: [], + ); } /// `Report bug` String get reportBug { - return Intl.message('Report bug', name: 'reportBug', desc: '', args: []); + return Intl.message( + 'Report bug', + name: 'reportBug', + desc: '', + args: [], + ); } /// `Suggest features` @@ -3713,32 +4277,62 @@ class S { /// `Support` String get support { - return Intl.message('Support', name: 'support', desc: '', args: []); + return Intl.message( + 'Support', + name: 'support', + desc: '', + args: [], + ); } /// `Theme` String get theme { - return Intl.message('Theme', name: 'theme', desc: '', args: []); + return Intl.message( + 'Theme', + name: 'theme', + desc: '', + args: [], + ); } /// `Light` String get lightTheme { - return Intl.message('Light', name: 'lightTheme', desc: '', args: []); + return Intl.message( + 'Light', + name: 'lightTheme', + desc: '', + args: [], + ); } /// `Dark` String get darkTheme { - return Intl.message('Dark', name: 'darkTheme', desc: '', args: []); + return Intl.message( + 'Dark', + name: 'darkTheme', + desc: '', + args: [], + ); } /// `System` String get systemTheme { - return Intl.message('System', name: 'systemTheme', desc: '', args: []); + return Intl.message( + 'System', + name: 'systemTheme', + desc: '', + args: [], + ); } /// `Free trial` String get freeTrial { - return Intl.message('Free trial', name: 'freeTrial', desc: '', args: []); + return Intl.message( + 'Free trial', + name: 'freeTrial', + desc: '', + args: [], + ); } /// `Select your plan` @@ -3783,7 +4377,12 @@ class S { /// `FAQs` String get faqs { - return Intl.message('FAQs', name: 'faqs', desc: '', args: []); + return Intl.message( + 'FAQs', + name: 'faqs', + desc: '', + args: [], + ); } /// `Subscription renews on {endDate}` @@ -3918,7 +4517,12 @@ class S { /// `Yes, Renew` String get yesRenew { - return Intl.message('Yes, Renew', name: 'yesRenew', desc: '', args: []); + return Intl.message( + 'Yes, Renew', + name: 'yesRenew', + desc: '', + args: [], + ); } /// `Are you sure you want to cancel?` @@ -3933,7 +4537,12 @@ class S { /// `Yes, cancel` String get yesCancel { - return Intl.message('Yes, cancel', name: 'yesCancel', desc: '', args: []); + return Intl.message( + 'Yes, cancel', + name: 'yesCancel', + desc: '', + args: [], + ); } /// `Failed to renew` @@ -4039,7 +4648,12 @@ class S { /// `Send` String get send { - return Intl.message('Send', name: 'send', desc: '', args: []); + return Intl.message( + 'Send', + name: 'send', + desc: '', + args: [], + ); } /// `Your subscription was cancelled. Would you like to share the reason?` @@ -4114,7 +4728,12 @@ class S { /// `Apple ID` String get appleId { - return Intl.message('Apple ID', name: 'appleId', desc: '', args: []); + return Intl.message( + 'Apple ID', + name: 'appleId', + desc: '', + args: [], + ); } /// `PlayStore subscription` @@ -4219,7 +4838,12 @@ class S { /// `Thank you` String get thankYou { - return Intl.message('Thank you', name: 'thankYou', desc: '', args: []); + return Intl.message( + 'Thank you', + name: 'thankYou', + desc: '', + args: [], + ); } /// `Failed to verify payment status` @@ -4294,12 +4918,22 @@ class S { /// `Leave` String get leave { - return Intl.message('Leave', name: 'leave', desc: '', args: []); + return Intl.message( + 'Leave', + name: 'leave', + desc: '', + args: [], + ); } /// `Rate the app` String get rateTheApp { - return Intl.message('Rate the app', name: 'rateTheApp', desc: '', args: []); + return Intl.message( + 'Rate the app', + name: 'rateTheApp', + desc: '', + args: [], + ); } /// `Start backup` @@ -4454,12 +5088,22 @@ class S { /// `Available` String get available { - return Intl.message('Available', name: 'available', desc: '', args: []); + return Intl.message( + 'Available', + name: 'available', + desc: '', + args: [], + ); } /// `everywhere` String get everywhere { - return Intl.message('everywhere', name: 'everywhere', desc: '', args: []); + return Intl.message( + 'everywhere', + name: 'everywhere', + desc: '', + args: [], + ); } /// `Android, iOS, Web, Desktop` @@ -4484,7 +5128,12 @@ class S { /// `New to Ente` String get newToEnte { - return Intl.message('New to Ente', name: 'newToEnte', desc: '', args: []); + return Intl.message( + 'New to Ente', + name: 'newToEnte', + desc: '', + args: [], + ); } /// `Please login again` @@ -4529,7 +5178,12 @@ class S { /// `Upgrade` String get upgrade { - return Intl.message('Upgrade', name: 'upgrade', desc: '', args: []); + return Intl.message( + 'Upgrade', + name: 'upgrade', + desc: '', + args: [], + ); } /// `Raise ticket` @@ -4705,12 +5359,22 @@ class S { /// `Name` String get name { - return Intl.message('Name', name: 'name', desc: '', args: []); + return Intl.message( + 'Name', + name: 'name', + desc: '', + args: [], + ); } /// `Newest` String get newest { - return Intl.message('Newest', name: 'newest', desc: '', args: []); + return Intl.message( + 'Newest', + name: 'newest', + desc: '', + args: [], + ); } /// `Last updated` @@ -4846,17 +5510,32 @@ class S { /// `Unhide` String get unhide { - return Intl.message('Unhide', name: 'unhide', desc: '', args: []); + return Intl.message( + 'Unhide', + name: 'unhide', + desc: '', + args: [], + ); } /// `Unarchive` String get unarchive { - return Intl.message('Unarchive', name: 'unarchive', desc: '', args: []); + return Intl.message( + 'Unarchive', + name: 'unarchive', + desc: '', + args: [], + ); } /// `Favorite` String get favorite { - return Intl.message('Favorite', name: 'favorite', desc: '', args: []); + return Intl.message( + 'Favorite', + name: 'favorite', + desc: '', + args: [], + ); } /// `Remove from favorites` @@ -4871,7 +5550,12 @@ class S { /// `Share link` String get shareLink { - return Intl.message('Share link', name: 'shareLink', desc: '', args: []); + return Intl.message( + 'Share link', + name: 'shareLink', + desc: '', + args: [], + ); } /// `Create collage` @@ -4906,32 +5590,62 @@ class S { /// `Layout` String get collageLayout { - return Intl.message('Layout', name: 'collageLayout', desc: '', args: []); + return Intl.message( + 'Layout', + name: 'collageLayout', + desc: '', + args: [], + ); } /// `Add to Ente` String get addToEnte { - return Intl.message('Add to Ente', name: 'addToEnte', desc: '', args: []); + return Intl.message( + 'Add to Ente', + name: 'addToEnte', + desc: '', + args: [], + ); } /// `Add to album` String get addToAlbum { - return Intl.message('Add to album', name: 'addToAlbum', desc: '', args: []); + return Intl.message( + 'Add to album', + name: 'addToAlbum', + desc: '', + args: [], + ); } /// `Delete` String get delete { - return Intl.message('Delete', name: 'delete', desc: '', args: []); + return Intl.message( + 'Delete', + name: 'delete', + desc: '', + args: [], + ); } /// `Hide` String get hide { - return Intl.message('Hide', name: 'hide', desc: '', args: []); + return Intl.message( + 'Hide', + name: 'hide', + desc: '', + args: [], + ); } /// `Share` String get share { - return Intl.message('Share', name: 'share', desc: '', args: []); + return Intl.message( + 'Share', + name: 'share', + desc: '', + args: [], + ); } /// `Unhide to album` @@ -5010,7 +5724,12 @@ class S { /// `Album title` String get albumTitle { - return Intl.message('Album title', name: 'albumTitle', desc: '', args: []); + return Intl.message( + 'Album title', + name: 'albumTitle', + desc: '', + args: [], + ); } /// `Enter album name` @@ -5125,7 +5844,12 @@ class S { /// `Invite` String get invite { - return Intl.message('Invite', name: 'invite', desc: '', args: []); + return Intl.message( + 'Invite', + name: 'invite', + desc: '', + args: [], + ); } /// `Share your first album` @@ -5160,7 +5884,12 @@ class S { /// `Shared by me` String get sharedByMe { - return Intl.message('Shared by me', name: 'sharedByMe', desc: '', args: []); + return Intl.message( + 'Shared by me', + name: 'sharedByMe', + desc: '', + args: [], + ); } /// `Double your storage` @@ -5219,7 +5948,12 @@ class S { /// `Delete All` String get deleteAll { - return Intl.message('Delete All', name: 'deleteAll', desc: '', args: []); + return Intl.message( + 'Delete All', + name: 'deleteAll', + desc: '', + args: [], + ); } /// `Rename album` @@ -5254,7 +5988,12 @@ class S { /// `Sort by` String get sortAlbumsBy { - return Intl.message('Sort by', name: 'sortAlbumsBy', desc: '', args: []); + return Intl.message( + 'Sort by', + name: 'sortAlbumsBy', + desc: '', + args: [], + ); } /// `Newest first` @@ -5279,7 +6018,12 @@ class S { /// `Rename` String get rename { - return Intl.message('Rename', name: 'rename', desc: '', args: []); + return Intl.message( + 'Rename', + name: 'rename', + desc: '', + args: [], + ); } /// `Leave shared album?` @@ -5294,7 +6038,12 @@ class S { /// `Leave album` String get leaveAlbum { - return Intl.message('Leave album', name: 'leaveAlbum', desc: '', args: []); + return Intl.message( + 'Leave album', + name: 'leaveAlbum', + desc: '', + args: [], + ); } /// `Photos added by you will be removed from the album` @@ -5409,7 +6158,12 @@ class S { /// `• Click` String get click { - return Intl.message('• Click', name: 'click', desc: '', args: []); + return Intl.message( + '• Click', + name: 'click', + desc: '', + args: [], + ); } /// `Nothing to see here! 👀` @@ -5524,7 +6278,12 @@ class S { /// `No EXIF data` String get noExifData { - return Intl.message('No EXIF data', name: 'noExifData', desc: '', args: []); + return Intl.message( + 'No EXIF data', + name: 'noExifData', + desc: '', + args: [], + ); } /// `This image has no exif data` @@ -5539,12 +6298,22 @@ class S { /// `EXIF` String get exif { - return Intl.message('EXIF', name: 'exif', desc: '', args: []); + return Intl.message( + 'EXIF', + name: 'exif', + desc: '', + args: [], + ); } /// `No results` String get noResults { - return Intl.message('No results', name: 'noResults', desc: '', args: []); + return Intl.message( + 'No results', + name: 'noResults', + desc: '', + args: [], + ); } /// `We don't support editing photos and albums that you don't own yet` @@ -5569,12 +6338,22 @@ class S { /// `Close` String get close { - return Intl.message('Close', name: 'close', desc: '', args: []); + return Intl.message( + 'Close', + name: 'close', + desc: '', + args: [], + ); } /// `Set as` String get setAs { - return Intl.message('Set as', name: 'setAs', desc: '', args: []); + return Intl.message( + 'Set as', + name: 'setAs', + desc: '', + args: [], + ); } /// `File saved to gallery` @@ -5609,7 +6388,12 @@ class S { /// `Download` String get download { - return Intl.message('Download', name: 'download', desc: '', args: []); + return Intl.message( + 'Download', + name: 'download', + desc: '', + args: [], + ); } /// `Press and hold to play video` @@ -5694,12 +6478,22 @@ class S { /// `Count` String get count { - return Intl.message('Count', name: 'count', desc: '', args: []); + return Intl.message( + 'Count', + name: 'count', + desc: '', + args: [], + ); } /// `Total size` String get totalSize { - return Intl.message('Total size', name: 'totalSize', desc: '', args: []); + return Intl.message( + 'Total size', + name: 'totalSize', + desc: '', + args: [], + ); } /// `Long-press on an item to view in full-screen` @@ -5734,7 +6528,12 @@ class S { /// `Unlock` String get unlock { - return Intl.message('Unlock', name: 'unlock', desc: '', args: []); + return Intl.message( + 'Unlock', + name: 'unlock', + desc: '', + args: [], + ); } /// `Free up space` @@ -5953,7 +6752,12 @@ class S { /// `Verifying...` String get verifying { - return Intl.message('Verifying...', name: 'verifying', desc: '', args: []); + return Intl.message( + 'Verifying...', + name: 'verifying', + desc: '', + args: [], + ); } /// `Disabling two-factor authentication...` @@ -5988,7 +6792,12 @@ class S { /// `Syncing...` String get syncing { - return Intl.message('Syncing...', name: 'syncing', desc: '', args: []); + return Intl.message( + 'Syncing...', + name: 'syncing', + desc: '', + args: [], + ); } /// `Encrypting backup...` @@ -6043,7 +6852,12 @@ class S { /// `Archiving...` String get archiving { - return Intl.message('Archiving...', name: 'archiving', desc: '', args: []); + return Intl.message( + 'Archiving...', + name: 'archiving', + desc: '', + args: [], + ); } /// `Unarchiving...` @@ -6078,7 +6892,12 @@ class S { /// `Rename file` String get renameFile { - return Intl.message('Rename file', name: 'renameFile', desc: '', args: []); + return Intl.message( + 'Rename file', + name: 'renameFile', + desc: '', + args: [], + ); } /// `Enter file name` @@ -6123,7 +6942,12 @@ class S { /// `Empty trash?` String get emptyTrash { - return Intl.message('Empty trash?', name: 'emptyTrash', desc: '', args: []); + return Intl.message( + 'Empty trash?', + name: 'emptyTrash', + desc: '', + args: [], + ); } /// `All items in trash will be permanently deleted\n\nThis action cannot be undone` @@ -6138,7 +6962,12 @@ class S { /// `Empty` String get empty { - return Intl.message('Empty', name: 'empty', desc: '', args: []); + return Intl.message( + 'Empty', + name: 'empty', + desc: '', + args: [], + ); } /// `Could not free up space` @@ -6223,7 +7052,12 @@ class S { /// `Error` String get error { - return Intl.message('Error', name: 'error', desc: '', args: []); + return Intl.message( + 'Error', + name: 'error', + desc: '', + args: [], + ); } /// `It looks like something went wrong. Please retry after some time. If the error persists, please contact our support team.` @@ -6258,7 +7092,12 @@ class S { /// `Cached data` String get cachedData { - return Intl.message('Cached data', name: 'cachedData', desc: '', args: []); + return Intl.message( + 'Cached data', + name: 'cachedData', + desc: '', + args: [], + ); } /// `Clear caches` @@ -6333,7 +7172,12 @@ class S { /// `View logs` String get viewLogs { - return Intl.message('View logs', name: 'viewLogs', desc: '', args: []); + return Intl.message( + 'View logs', + name: 'viewLogs', + desc: '', + args: [], + ); } /// `This will send across logs to help us debug your issue. Please note that file names will be included to help track issues with specific files.` @@ -6388,7 +7232,12 @@ class S { /// `Export logs` String get exportLogs { - return Intl.message('Export logs', name: 'exportLogs', desc: '', args: []); + return Intl.message( + 'Export logs', + name: 'exportLogs', + desc: '', + args: [], + ); } /// `Please email us at {toEmail}` @@ -6403,7 +7252,12 @@ class S { /// `Dismiss` String get dismiss { - return Intl.message('Dismiss', name: 'dismiss', desc: '', args: []); + return Intl.message( + 'Dismiss', + name: 'dismiss', + desc: '', + args: [], + ); } /// `Did you know?` @@ -6538,12 +7392,22 @@ class S { /// `Location` String get location { - return Intl.message('Location', name: 'location', desc: '', args: []); + return Intl.message( + 'Location', + name: 'location', + desc: '', + args: [], + ); } /// `Moments` String get moments { - return Intl.message('Moments', name: 'moments', desc: '', args: []); + return Intl.message( + 'Moments', + name: 'moments', + desc: '', + args: [], + ); } /// `People will be shown here once indexing is done` @@ -6618,7 +7482,12 @@ class S { /// `Language` String get language { - return Intl.message('Language', name: 'language', desc: '', args: []); + return Intl.message( + 'Language', + name: 'language', + desc: '', + args: [], + ); } /// `Select Language` @@ -6663,17 +7532,32 @@ class S { /// `km` String get kiloMeterUnit { - return Intl.message('km', name: 'kiloMeterUnit', desc: '', args: []); + return Intl.message( + 'km', + name: 'kiloMeterUnit', + desc: '', + args: [], + ); } /// `Add` String get addLocationButton { - return Intl.message('Add', name: 'addLocationButton', desc: '', args: []); + return Intl.message( + 'Add', + name: 'addLocationButton', + desc: '', + args: [], + ); } /// `Radius` String get radius { - return Intl.message('Radius', name: 'radius', desc: '', args: []); + return Intl.message( + 'Radius', + name: 'radius', + desc: '', + args: [], + ); } /// `A location tag groups all photos that were taken within some radius of a photo` @@ -6698,7 +7582,12 @@ class S { /// `Save` String get save { - return Intl.message('Save', name: 'save', desc: '', args: []); + return Intl.message( + 'Save', + name: 'save', + desc: '', + args: [], + ); } /// `Center point` @@ -6743,7 +7632,12 @@ class S { /// `Edit` String get edit { - return Intl.message('Edit', name: 'edit', desc: '', args: []); + return Intl.message( + 'Edit', + name: 'edit', + desc: '', + args: [], + ); } /// `Delete location` @@ -6758,12 +7652,22 @@ class S { /// `Rotate left` String get rotateLeft { - return Intl.message('Rotate left', name: 'rotateLeft', desc: '', args: []); + return Intl.message( + 'Rotate left', + name: 'rotateLeft', + desc: '', + args: [], + ); } /// `Flip` String get flip { - return Intl.message('Flip', name: 'flip', desc: '', args: []); + return Intl.message( + 'Flip', + name: 'flip', + desc: '', + args: [], + ); } /// `Rotate right` @@ -6778,17 +7682,32 @@ class S { /// `Save copy` String get saveCopy { - return Intl.message('Save copy', name: 'saveCopy', desc: '', args: []); + return Intl.message( + 'Save copy', + name: 'saveCopy', + desc: '', + args: [], + ); } /// `Light` String get light { - return Intl.message('Light', name: 'light', desc: '', args: []); + return Intl.message( + 'Light', + name: 'light', + desc: '', + args: [], + ); } /// `Color` String get color { - return Intl.message('Color', name: 'color', desc: '', args: []); + return Intl.message( + 'Color', + name: 'color', + desc: '', + args: [], + ); } /// `Yes, discard changes` @@ -6813,12 +7732,22 @@ class S { /// `Saving...` String get saving { - return Intl.message('Saving...', name: 'saving', desc: '', args: []); + return Intl.message( + 'Saving...', + name: 'saving', + desc: '', + args: [], + ); } /// `Edits saved` String get editsSaved { - return Intl.message('Edits saved', name: 'editsSaved', desc: '', args: []); + return Intl.message( + 'Edits saved', + name: 'editsSaved', + desc: '', + args: [], + ); } /// `Oops, could not save edits` @@ -6843,22 +7772,42 @@ class S { /// `Today` String get dayToday { - return Intl.message('Today', name: 'dayToday', desc: '', args: []); + return Intl.message( + 'Today', + name: 'dayToday', + desc: '', + args: [], + ); } /// `Yesterday` String get dayYesterday { - return Intl.message('Yesterday', name: 'dayYesterday', desc: '', args: []); + return Intl.message( + 'Yesterday', + name: 'dayYesterday', + desc: '', + args: [], + ); } /// `Storage` String get storage { - return Intl.message('Storage', name: 'storage', desc: '', args: []); + return Intl.message( + 'Storage', + name: 'storage', + desc: '', + args: [], + ); } /// `Used space` String get usedSpace { - return Intl.message('Used space', name: 'usedSpace', desc: '', args: []); + return Intl.message( + 'Used space', + name: 'usedSpace', + desc: '', + args: [], + ); } /// `Family` @@ -6883,12 +7832,8 @@ class S { } /// `{usedAmount} {usedStorageUnit} of {totalAmount} {totalStorageUnit} used` - String storageUsageInfo( - Object usedAmount, - Object usedStorageUnit, - Object totalAmount, - Object totalStorageUnit, - ) { + String storageUsageInfo(Object usedAmount, Object usedStorageUnit, + Object totalAmount, Object totalStorageUnit) { return Intl.message( '$usedAmount $usedStorageUnit of $totalAmount $totalStorageUnit used', name: 'storageUsageInfo', @@ -6919,7 +7864,12 @@ class S { /// `Verify` String get verifyIDLabel { - return Intl.message('Verify', name: 'verifyIDLabel', desc: '', args: []); + return Intl.message( + 'Verify', + name: 'verifyIDLabel', + desc: '', + args: [], + ); } /// `Add a description...` @@ -6955,7 +7905,12 @@ class S { /// `Set radius` String get setRadius { - return Intl.message('Set radius', name: 'setRadius', desc: '', args: []); + return Intl.message( + 'Set radius', + name: 'setRadius', + desc: '', + args: [], + ); } /// `Family` @@ -7153,12 +8108,22 @@ class S { /// `Maps` String get maps { - return Intl.message('Maps', name: 'maps', desc: '', args: []); + return Intl.message( + 'Maps', + name: 'maps', + desc: '', + args: [], + ); } /// `Enable Maps` String get enableMaps { - return Intl.message('Enable Maps', name: 'enableMaps', desc: '', args: []); + return Intl.message( + 'Enable Maps', + name: 'enableMaps', + desc: '', + args: [], + ); } /// `This will show your photos on a world map.\n\nThis map is hosted by Open Street Map, and the exact locations of your photos are never shared.\n\nYou can disable this feature anytime from Settings.` @@ -7173,7 +8138,12 @@ class S { /// `Quick links` String get quickLinks { - return Intl.message('Quick links', name: 'quickLinks', desc: '', args: []); + return Intl.message( + 'Quick links', + name: 'quickLinks', + desc: '', + args: [], + ); } /// `Select items to add` @@ -7208,7 +8178,12 @@ class S { /// `Add photos` String get addPhotos { - return Intl.message('Add photos', name: 'addPhotos', desc: '', args: []); + return Intl.message( + 'Add photos', + name: 'addPhotos', + desc: '', + args: [], + ); } /// `No photos found here` @@ -7243,22 +8218,42 @@ class S { /// `Unpin album` String get unpinAlbum { - return Intl.message('Unpin album', name: 'unpinAlbum', desc: '', args: []); + return Intl.message( + 'Unpin album', + name: 'unpinAlbum', + desc: '', + args: [], + ); } /// `Pin album` String get pinAlbum { - return Intl.message('Pin album', name: 'pinAlbum', desc: '', args: []); + return Intl.message( + 'Pin album', + name: 'pinAlbum', + desc: '', + args: [], + ); } /// `Create` String get create { - return Intl.message('Create', name: 'create', desc: '', args: []); + return Intl.message( + 'Create', + name: 'create', + desc: '', + args: [], + ); } /// `View all` String get viewAll { - return Intl.message('View all', name: 'viewAll', desc: '', args: []); + return Intl.message( + 'View all', + name: 'viewAll', + desc: '', + args: [], + ); } /// `Nothing shared with you yet` @@ -7323,12 +8318,22 @@ class S { /// `Hiding...` String get hiding { - return Intl.message('Hiding...', name: 'hiding', desc: '', args: []); + return Intl.message( + 'Hiding...', + name: 'hiding', + desc: '', + args: [], + ); } /// `Unhiding...` String get unhiding { - return Intl.message('Unhiding...', name: 'unhiding', desc: '', args: []); + return Intl.message( + 'Unhiding...', + name: 'unhiding', + desc: '', + args: [], + ); } /// `Successfully hid` @@ -7393,7 +8398,12 @@ class S { /// `File types` String get fileTypes { - return Intl.message('File types', name: 'fileTypes', desc: '', args: []); + return Intl.message( + 'File types', + name: 'fileTypes', + desc: '', + args: [], + ); } /// `This account is linked to other Ente apps, if you use any. Your uploaded data, across all Ente apps, will be scheduled for deletion, and your account will be permanently deleted.` @@ -7438,7 +8448,12 @@ class S { /// `Add-ons` String get addOns { - return Intl.message('Add-ons', name: 'addOns', desc: '', args: []); + return Intl.message( + 'Add-ons', + name: 'addOns', + desc: '', + args: [], + ); } /// `Details of add-ons` @@ -7453,7 +8468,12 @@ class S { /// `Your map` String get yourMap { - return Intl.message('Your map', name: 'yourMap', desc: '', args: []); + return Intl.message( + 'Your map', + name: 'yourMap', + desc: '', + args: [], + ); } /// `Modify your query, or try searching for` @@ -7488,17 +8508,32 @@ class S { /// `Photos` String get photos { - return Intl.message('Photos', name: 'photos', desc: '', args: []); + return Intl.message( + 'Photos', + name: 'photos', + desc: '', + args: [], + ); } /// `Videos` String get videos { - return Intl.message('Videos', name: 'videos', desc: '', args: []); + return Intl.message( + 'Videos', + name: 'videos', + desc: '', + args: [], + ); } /// `Live Photos` String get livePhotos { - return Intl.message('Live Photos', name: 'livePhotos', desc: '', args: []); + return Intl.message( + 'Live Photos', + name: 'livePhotos', + desc: '', + args: [], + ); } /// `Fast, on-device search` @@ -7533,7 +8568,12 @@ class S { /// `Location` String get searchHint4 { - return Intl.message('Location', name: 'searchHint4', desc: '', args: []); + return Intl.message( + 'Location', + name: 'searchHint4', + desc: '', + args: [], + ); } /// `Coming soon: Faces & magic search ✨` @@ -7571,17 +8611,32 @@ class S { /// `Faces` String get faces { - return Intl.message('Faces', name: 'faces', desc: '', args: []); + return Intl.message( + 'Faces', + name: 'faces', + desc: '', + args: [], + ); } /// `People` String get people { - return Intl.message('People', name: 'people', desc: '', args: []); + return Intl.message( + 'People', + name: 'people', + desc: '', + args: [], + ); } /// `Contents` String get contents { - return Intl.message('Contents', name: 'contents', desc: '', args: []); + return Intl.message( + 'Contents', + name: 'contents', + desc: '', + args: [], + ); } /// `Add new` @@ -7596,7 +8651,12 @@ class S { /// `Contacts` String get contacts { - return Intl.message('Contacts', name: 'contacts', desc: '', args: []); + return Intl.message( + 'Contacts', + name: 'contacts', + desc: '', + args: [], + ); } /// `No internet connection` @@ -7741,7 +8801,12 @@ class S { /// `Passkey` String get passkey { - return Intl.message('Passkey', name: 'passkey', desc: '', args: []); + return Intl.message( + 'Passkey', + name: 'passkey', + desc: '', + args: [], + ); } /// `Passkey verification` @@ -7816,7 +8881,12 @@ class S { /// `Pair` String get pair { - return Intl.message('Pair', name: 'pair', desc: '', args: []); + return Intl.message( + 'Pair', + name: 'pair', + desc: '', + args: [], + ); } /// `Device not found` @@ -7861,12 +8931,22 @@ class S { /// `Locations` String get locations { - return Intl.message('Locations', name: 'locations', desc: '', args: []); + return Intl.message( + 'Locations', + name: 'locations', + desc: '', + args: [], + ); } /// `Add a name` String get addAName { - return Intl.message('Add a name', name: 'addAName', desc: '', args: []); + return Intl.message( + 'Add a name', + name: 'addAName', + desc: '', + args: [], + ); } /// `Find them quickly` @@ -8008,7 +9088,12 @@ class S { /// `Search` String get search { - return Intl.message('Search', name: 'search', desc: '', args: []); + return Intl.message( + 'Search', + name: 'search', + desc: '', + args: [], + ); } /// `Enter person name` @@ -8043,17 +9128,32 @@ class S { /// `Enter name` String get enterName { - return Intl.message('Enter name', name: 'enterName', desc: '', args: []); + return Intl.message( + 'Enter name', + name: 'enterName', + desc: '', + args: [], + ); } /// `Save person` String get savePerson { - return Intl.message('Save person', name: 'savePerson', desc: '', args: []); + return Intl.message( + 'Save person', + name: 'savePerson', + desc: '', + args: [], + ); } /// `Edit person` String get editPerson { - return Intl.message('Edit person', name: 'editPerson', desc: '', args: []); + return Intl.message( + 'Edit person', + name: 'editPerson', + desc: '', + args: [], + ); } /// `Merged photos` @@ -8088,7 +9188,12 @@ class S { /// `Birthday` String get birthday { - return Intl.message('Birthday', name: 'birthday', desc: '', args: []); + return Intl.message( + 'Birthday', + name: 'birthday', + desc: '', + args: [], + ); } /// `Remove person label` @@ -8223,7 +9328,12 @@ class S { /// `Auto pair` String get autoPair { - return Intl.message('Auto pair', name: 'autoPair', desc: '', args: []); + return Intl.message( + 'Auto pair', + name: 'autoPair', + desc: '', + args: [], + ); } /// `Pair with PIN` @@ -8248,7 +9358,12 @@ class S { /// `Found faces` String get foundFaces { - return Intl.message('Found faces', name: 'foundFaces', desc: '', args: []); + return Intl.message( + 'Found faces', + name: 'foundFaces', + desc: '', + args: [], + ); } /// `Clustering progress` @@ -8263,32 +9378,62 @@ class S { /// `Trim` String get trim { - return Intl.message('Trim', name: 'trim', desc: '', args: []); + return Intl.message( + 'Trim', + name: 'trim', + desc: '', + args: [], + ); } /// `Crop` String get crop { - return Intl.message('Crop', name: 'crop', desc: '', args: []); + return Intl.message( + 'Crop', + name: 'crop', + desc: '', + args: [], + ); } /// `Rotate` String get rotate { - return Intl.message('Rotate', name: 'rotate', desc: '', args: []); + return Intl.message( + 'Rotate', + name: 'rotate', + desc: '', + args: [], + ); } /// `Left` String get left { - return Intl.message('Left', name: 'left', desc: '', args: []); + return Intl.message( + 'Left', + name: 'left', + desc: '', + args: [], + ); } /// `Right` String get right { - return Intl.message('Right', name: 'right', desc: '', args: []); + return Intl.message( + 'Right', + name: 'right', + desc: '', + args: [], + ); } /// `What's new` String get whatsNew { - return Intl.message('What\'s new', name: 'whatsNew', desc: '', args: []); + return Intl.message( + 'What\'s new', + name: 'whatsNew', + desc: '', + args: [], + ); } /// `Review suggestions` @@ -8303,12 +9448,22 @@ class S { /// `Review` String get review { - return Intl.message('Review', name: 'review', desc: '', args: []); + return Intl.message( + 'Review', + name: 'review', + desc: '', + args: [], + ); } /// `Use as cover` String get useAsCover { - return Intl.message('Use as cover', name: 'useAsCover', desc: '', args: []); + return Intl.message( + 'Use as cover', + name: 'useAsCover', + desc: '', + args: [], + ); } /// `Not {name}?` @@ -8324,12 +9479,22 @@ class S { /// `Enable` String get enable { - return Intl.message('Enable', name: 'enable', desc: '', args: []); + return Intl.message( + 'Enable', + name: 'enable', + desc: '', + args: [], + ); } /// `Enabled` String get enabled { - return Intl.message('Enabled', name: 'enabled', desc: '', args: []); + return Intl.message( + 'Enabled', + name: 'enabled', + desc: '', + args: [], + ); } /// `More details` @@ -8364,7 +9529,12 @@ class S { /// `Panorama` String get panorama { - return Intl.message('Panorama', name: 'panorama', desc: '', args: []); + return Intl.message( + 'Panorama', + name: 'panorama', + desc: '', + args: [], + ); } /// `Re-enter password` @@ -8379,22 +9549,42 @@ class S { /// `Re-enter PIN` String get reenterPin { - return Intl.message('Re-enter PIN', name: 'reenterPin', desc: '', args: []); + return Intl.message( + 'Re-enter PIN', + name: 'reenterPin', + desc: '', + args: [], + ); } /// `Device lock` String get deviceLock { - return Intl.message('Device lock', name: 'deviceLock', desc: '', args: []); + return Intl.message( + 'Device lock', + name: 'deviceLock', + desc: '', + args: [], + ); } /// `PIN lock` String get pinLock { - return Intl.message('PIN lock', name: 'pinLock', desc: '', args: []); + return Intl.message( + 'PIN lock', + name: 'pinLock', + desc: '', + args: [], + ); } /// `Next` String get next { - return Intl.message('Next', name: 'next', desc: '', args: []); + return Intl.message( + 'Next', + name: 'next', + desc: '', + args: [], + ); } /// `Set new password` @@ -8409,17 +9599,32 @@ class S { /// `Enter PIN` String get enterPin { - return Intl.message('Enter PIN', name: 'enterPin', desc: '', args: []); + return Intl.message( + 'Enter PIN', + name: 'enterPin', + desc: '', + args: [], + ); } /// `Set new PIN` String get setNewPin { - return Intl.message('Set new PIN', name: 'setNewPin', desc: '', args: []); + return Intl.message( + 'Set new PIN', + name: 'setNewPin', + desc: '', + args: [], + ); } /// `App lock` String get appLock { - return Intl.message('App lock', name: 'appLock', desc: '', args: []); + return Intl.message( + 'App lock', + name: 'appLock', + desc: '', + args: [], + ); } /// `No system lock found` @@ -8454,17 +9659,32 @@ class S { /// `Video Info` String get videoInfo { - return Intl.message('Video Info', name: 'videoInfo', desc: '', args: []); + return Intl.message( + 'Video Info', + name: 'videoInfo', + desc: '', + args: [], + ); } /// `Auto lock` String get autoLock { - return Intl.message('Auto lock', name: 'autoLock', desc: '', args: []); + return Intl.message( + 'Auto lock', + name: 'autoLock', + desc: '', + args: [], + ); } /// `Immediately` String get immediately { - return Intl.message('Immediately', name: 'immediately', desc: '', args: []); + return Intl.message( + 'Immediately', + name: 'immediately', + desc: '', + args: [], + ); } /// `Time after which the app locks after being put in the background` @@ -8559,7 +9779,12 @@ class S { /// `Guest view` String get guestView { - return Intl.message('Guest view', name: 'guestView', desc: '', args: []); + return Intl.message( + 'Guest view', + name: 'guestView', + desc: '', + args: [], + ); } /// `To enable guest view, please setup device passcode or screen lock in your system settings.` @@ -8594,7 +9819,12 @@ class S { /// `Collect` String get collect { - return Intl.message('Collect', name: 'collect', desc: '', args: []); + return Intl.message( + 'Collect', + name: 'collect', + desc: '', + args: [], + ); } /// `Choose between your device's default lock screen and a custom lock screen with a PIN or password.` @@ -8659,17 +9889,32 @@ class S { /// `Show person` String get showPerson { - return Intl.message('Show person', name: 'showPerson', desc: '', args: []); + return Intl.message( + 'Show person', + name: 'showPerson', + desc: '', + args: [], + ); } /// `Sort` String get sort { - return Intl.message('Sort', name: 'sort', desc: '', args: []); + return Intl.message( + 'Sort', + name: 'sort', + desc: '', + args: [], + ); } /// `Most recent` String get mostRecent { - return Intl.message('Most recent', name: 'mostRecent', desc: '', args: []); + return Intl.message( + 'Most recent', + name: 'mostRecent', + desc: '', + args: [], + ); } /// `Most relevant` @@ -8704,7 +9949,12 @@ class S { /// `Person name` String get personName { - return Intl.message('Person name', name: 'personName', desc: '', args: []); + return Intl.message( + 'Person name', + name: 'personName', + desc: '', + args: [], + ); } /// `Add new person` @@ -8739,17 +9989,32 @@ class S { /// `New person` String get newPerson { - return Intl.message('New person', name: 'newPerson', desc: '', args: []); + return Intl.message( + 'New person', + name: 'newPerson', + desc: '', + args: [], + ); } /// `Add name` String get addName { - return Intl.message('Add name', name: 'addName', desc: '', args: []); + return Intl.message( + 'Add name', + name: 'addName', + desc: '', + args: [], + ); } /// `Add` String get add { - return Intl.message('Add', name: 'add', desc: '', args: []); + return Intl.message( + 'Add', + name: 'add', + desc: '', + args: [], + ); } /// `Extra photos found for {text}` @@ -8794,12 +10059,22 @@ class S { /// `Processed` String get processed { - return Intl.message('Processed', name: 'processed', desc: '', args: []); + return Intl.message( + 'Processed', + name: 'processed', + desc: '', + args: [], + ); } /// `Remove` String get resetPerson { - return Intl.message('Remove', name: 'resetPerson', desc: '', args: []); + return Intl.message( + 'Remove', + name: 'resetPerson', + desc: '', + args: [], + ); } /// `Are you sure you want to reset this person?` @@ -8834,7 +10109,12 @@ class S { /// `Only them` String get onlyThem { - return Intl.message('Only them', name: 'onlyThem', desc: '', args: []); + return Intl.message( + 'Only them', + name: 'onlyThem', + desc: '', + args: [], + ); } /// `Checking models...` @@ -8997,17 +10277,32 @@ class S { /// `Info` String get info { - return Intl.message('Info', name: 'info', desc: '', args: []); + return Intl.message( + 'Info', + name: 'info', + desc: '', + args: [], + ); } /// `Add Files` String get addFiles { - return Intl.message('Add Files', name: 'addFiles', desc: '', args: []); + return Intl.message( + 'Add Files', + name: 'addFiles', + desc: '', + args: [], + ); } /// `Cast album` String get castAlbum { - return Intl.message('Cast album', name: 'castAlbum', desc: '', args: []); + return Intl.message( + 'Cast album', + name: 'castAlbum', + desc: '', + args: [], + ); } /// `Image not analyzed` @@ -9052,7 +10347,12 @@ class S { /// `month` String get month { - return Intl.message('month', name: 'month', desc: '', args: []); + return Intl.message( + 'month', + name: 'month', + desc: '', + args: [], + ); } /// `yr` @@ -9077,7 +10377,12 @@ class S { /// `ignored` String get ignored { - return Intl.message('ignored', name: 'ignored', desc: '', args: []); + return Intl.message( + 'ignored', + name: 'ignored', + desc: '', + args: [], + ); } /// `{count, plural, =0 {0 photos} =1 {1 photo} other {{count} photos}}` @@ -9095,7 +10400,12 @@ class S { /// `File` String get file { - return Intl.message('File', name: 'file', desc: '', args: []); + return Intl.message( + 'File', + name: 'file', + desc: '', + args: [], + ); } /// `Sections length mismatch: {snapshotLength} != {searchLength}` @@ -9171,12 +10481,22 @@ class S { /// `Open file` String get openFile { - return Intl.message('Open file', name: 'openFile', desc: '', args: []); + return Intl.message( + 'Open file', + name: 'openFile', + desc: '', + args: [], + ); } /// `Backup file` String get backupFile { - return Intl.message('Backup file', name: 'backupFile', desc: '', args: []); + return Intl.message( + 'Backup file', + name: 'backupFile', + desc: '', + args: [], + ); } /// `Open album in browser` @@ -9201,7 +10521,12 @@ class S { /// `Allow` String get allow { - return Intl.message('Allow', name: 'allow', desc: '', args: []); + return Intl.message( + 'Allow', + name: 'allow', + desc: '', + args: [], + ); } /// `Allow app to open shared album links` @@ -9266,7 +10591,12 @@ class S { /// `Legacy` String get legacy { - return Intl.message('Legacy', name: 'legacy', desc: '', args: []); + return Intl.message( + 'Legacy', + name: 'legacy', + desc: '', + args: [], + ); } /// `Legacy allows trusted contacts to access your account in your absence.` @@ -9451,12 +10781,22 @@ class S { /// `Warning` String get warning { - return Intl.message('Warning', name: 'warning', desc: '', args: []); + return Intl.message( + 'Warning', + name: 'warning', + desc: '', + args: [], + ); } /// `Proceed` String get proceed { - return Intl.message('Proceed', name: 'proceed', desc: '', args: []); + return Intl.message( + 'Proceed', + name: 'proceed', + desc: '', + args: [], + ); } /// `You are about to add {email} as a trusted contact. They will be able to recover your account if you are absent for {numOfDays} days.` @@ -9511,12 +10851,22 @@ class S { /// `Gallery` String get gallery { - return Intl.message('Gallery', name: 'gallery', desc: '', args: []); + return Intl.message( + 'Gallery', + name: 'gallery', + desc: '', + args: [], + ); } /// `Join album` String get joinAlbum { - return Intl.message('Join album', name: 'joinAlbum', desc: '', args: []); + return Intl.message( + 'Join album', + name: 'joinAlbum', + desc: '', + args: [], + ); } /// `to view and add your photos` @@ -9541,17 +10891,32 @@ class S { /// `Join` String get join { - return Intl.message('Join', name: 'join', desc: '', args: []); + return Intl.message( + 'Join', + name: 'join', + desc: '', + args: [], + ); } /// `Link email` String get linkEmail { - return Intl.message('Link email', name: 'linkEmail', desc: '', args: []); + return Intl.message( + 'Link email', + name: 'linkEmail', + desc: '', + args: [], + ); } /// `Link` String get link { - return Intl.message('Link', name: 'link', desc: '', args: []); + return Intl.message( + 'Link', + name: 'link', + desc: '', + args: [], + ); } /// `No Ente account!` @@ -9606,7 +10971,12 @@ class S { /// `Me` String get me { - return Intl.message('Me', name: 'me', desc: '', args: []); + return Intl.message( + 'Me', + name: 'me', + desc: '', + args: [], + ); } /// `for faster sharing` @@ -9692,7 +11062,12 @@ class S { /// `Don't save` String get dontSave { - return Intl.message('Don\'t save', name: 'dontSave', desc: '', args: []); + return Intl.message( + 'Don\'t save', + name: 'dontSave', + desc: '', + args: [], + ); } /// `This is me!` @@ -9707,7 +11082,12 @@ class S { /// `Link person` String get linkPerson { - return Intl.message('Link person', name: 'linkPerson', desc: '', args: []); + return Intl.message( + 'Link person', + name: 'linkPerson', + desc: '', + args: [], + ); } /// `for better sharing experience` @@ -9753,27 +11133,52 @@ class S { /// `Processing` String get processing { - return Intl.message('Processing', name: 'processing', desc: '', args: []); + return Intl.message( + 'Processing', + name: 'processing', + desc: '', + args: [], + ); } /// `Queued` String get queued { - return Intl.message('Queued', name: 'queued', desc: '', args: []); + return Intl.message( + 'Queued', + name: 'queued', + desc: '', + args: [], + ); } /// `Ineligible` String get ineligible { - return Intl.message('Ineligible', name: 'ineligible', desc: '', args: []); + return Intl.message( + 'Ineligible', + name: 'ineligible', + desc: '', + args: [], + ); } /// `Failed` String get failed { - return Intl.message('Failed', name: 'failed', desc: '', args: []); + return Intl.message( + 'Failed', + name: 'failed', + desc: '', + args: [], + ); } /// `Play stream` String get playStream { - return Intl.message('Play stream', name: 'playStream', desc: '', args: []); + return Intl.message( + 'Play stream', + name: 'playStream', + desc: '', + args: [], + ); } /// `Play original` @@ -9808,22 +11213,42 @@ class S { /// `Edit time` String get editTime { - return Intl.message('Edit time', name: 'editTime', desc: '', args: []); + return Intl.message( + 'Edit time', + name: 'editTime', + desc: '', + args: [], + ); } /// `Select time` String get selectTime { - return Intl.message('Select time', name: 'selectTime', desc: '', args: []); + return Intl.message( + 'Select time', + name: 'selectTime', + desc: '', + args: [], + ); } /// `Select date` String get selectDate { - return Intl.message('Select date', name: 'selectDate', desc: '', args: []); + return Intl.message( + 'Select date', + name: 'selectDate', + desc: '', + args: [], + ); } /// `Previous` String get previous { - return Intl.message('Previous', name: 'previous', desc: '', args: []); + return Intl.message( + 'Previous', + name: 'previous', + desc: '', + args: [], + ); } /// `Select one date and time for all` @@ -9868,7 +11293,12 @@ class S { /// `New range` String get newRange { - return Intl.message('New range', name: 'newRange', desc: '', args: []); + return Intl.message( + 'New range', + name: 'newRange', + desc: '', + args: [], + ); } /// `Select one date and time` @@ -9926,7 +11356,12 @@ class S { /// `App icon` String get appIcon { - return Intl.message('App icon', name: 'appIcon', desc: '', args: []); + return Intl.message( + 'App icon', + name: 'appIcon', + desc: '', + args: [], + ); } /// `Not this person?` @@ -10173,7 +11608,12 @@ class S { /// `On the horizon` String get sunrise { - return Intl.message('On the horizon', name: 'sunrise', desc: '', args: []); + return Intl.message( + 'On the horizon', + name: 'sunrise', + desc: '', + args: [], + ); } /// `Over the hills` @@ -10188,22 +11628,42 @@ class S { /// `The green life` String get greenery { - return Intl.message('The green life', name: 'greenery', desc: '', args: []); + return Intl.message( + 'The green life', + name: 'greenery', + desc: '', + args: [], + ); } /// `Sand and sea` String get beach { - return Intl.message('Sand and sea', name: 'beach', desc: '', args: []); + return Intl.message( + 'Sand and sea', + name: 'beach', + desc: '', + args: [], + ); } /// `In the city` String get city { - return Intl.message('In the city', name: 'city', desc: '', args: []); + return Intl.message( + 'In the city', + name: 'city', + desc: '', + args: [], + ); } /// `In the moonlight` String get moon { - return Intl.message('In the moonlight', name: 'moon', desc: '', args: []); + return Intl.message( + 'In the moonlight', + name: 'moon', + desc: '', + args: [], + ); } /// `On the road again` @@ -10218,12 +11678,22 @@ class S { /// `Culinary delight` String get food { - return Intl.message('Culinary delight', name: 'food', desc: '', args: []); + return Intl.message( + 'Culinary delight', + name: 'food', + desc: '', + args: [], + ); } /// `Furry companions` String get pets { - return Intl.message('Furry companions', name: 'pets', desc: '', args: []); + return Intl.message( + 'Furry companions', + name: 'pets', + desc: '', + args: [], + ); } /// `Curated memories` @@ -10238,12 +11708,22 @@ class S { /// `Widgets` String get widgets { - return Intl.message('Widgets', name: 'widgets', desc: '', args: []); + return Intl.message( + 'Widgets', + name: 'widgets', + desc: '', + args: [], + ); } /// `Memories` String get memories { - return Intl.message('Memories', name: 'memories', desc: '', args: []); + return Intl.message( + 'Memories', + name: 'memories', + desc: '', + args: [], + ); } /// `Select the people you wish to see on your homescreen.` @@ -10348,7 +11828,12 @@ class S { /// `On this day` String get onThisDay { - return Intl.message('On this day', name: 'onThisDay', desc: '', args: []); + return Intl.message( + 'On this day', + name: 'onThisDay', + desc: '', + args: [], + ); } /// `Look back on your memories 🌄` @@ -10363,7 +11848,12 @@ class S { /// ` new 📸` String get newPhotosEmoji { - return Intl.message(' new 📸', name: 'newPhotosEmoji', desc: '', args: []); + return Intl.message( + ' new 📸', + name: 'newPhotosEmoji', + desc: '', + args: [], + ); } /// `Sorry, we had to pause your backups` @@ -10458,7 +11948,12 @@ class S { /// `Birthdays` String get birthdays { - return Intl.message('Birthdays', name: 'birthdays', desc: '', args: []); + return Intl.message( + 'Birthdays', + name: 'birthdays', + desc: '', + args: [], + ); } /// `Wish {name} a happy birthday! 🎉` @@ -10493,12 +11988,22 @@ class S { /// `Are they ` String get areThey { - return Intl.message('Are they ', name: 'areThey', desc: '', args: []); + return Intl.message( + 'Are they ', + name: 'areThey', + desc: '', + args: [], + ); } /// `?` String get questionmark { - return Intl.message('?', name: 'questionmark', desc: '', args: []); + return Intl.message( + '?', + name: 'questionmark', + desc: '', + args: [], + ); } /// `Save as another person` @@ -10533,17 +12038,32 @@ class S { /// `Ignore` String get ignore { - return Intl.message('Ignore', name: 'ignore', desc: '', args: []); + return Intl.message( + 'Ignore', + name: 'ignore', + desc: '', + args: [], + ); } /// `Merge` String get merge { - return Intl.message('Merge', name: 'merge', desc: '', args: []); + return Intl.message( + 'Merge', + name: 'merge', + desc: '', + args: [], + ); } /// `Reset` String get reset { - return Intl.message('Reset', name: 'reset', desc: '', args: []); + return Intl.message( + 'Reset', + name: 'reset', + desc: '', + args: [], + ); } /// `Are you sure you want to ignore this person?` @@ -10608,22 +12128,42 @@ class S { /// `Yes, ignore` String get yesIgnore { - return Intl.message('Yes, ignore', name: 'yesIgnore', desc: '', args: []); + return Intl.message( + 'Yes, ignore', + name: 'yesIgnore', + desc: '', + args: [], + ); } /// `Same` String get same { - return Intl.message('Same', name: 'same', desc: '', args: []); + return Intl.message( + 'Same', + name: 'same', + desc: '', + args: [], + ); } /// `Different` String get different { - return Intl.message('Different', name: 'different', desc: '', args: []); + return Intl.message( + 'Different', + name: 'different', + desc: '', + args: [], + ); } /// `Same person?` String get sameperson { - return Intl.message('Same person?', name: 'sameperson', desc: '', args: []); + return Intl.message( + 'Same person?', + name: 'sameperson', + desc: '', + args: [], + ); } /// `Uploading Large Video Files` @@ -10805,6 +12345,26 @@ class S { args: [], ); } + + /// `Adding photos` + String get addingPhotos { + return Intl.message( + 'Adding photos', + name: 'addingPhotos', + desc: '', + args: [], + ); + } + + /// `Getting ready` + String get gettingReady { + return Intl.message( + 'Getting ready', + name: 'gettingReady', + desc: '', + args: [], + ); + } } class AppLocalizationDelegate extends LocalizationsDelegate { diff --git a/mobile/apps/photos/lib/l10n/intl_en.arb b/mobile/apps/photos/lib/l10n/intl_en.arb index 5cfb983482..ac944963c1 100644 --- a/mobile/apps/photos/lib/l10n/intl_en.arb +++ b/mobile/apps/photos/lib/l10n/intl_en.arb @@ -1793,5 +1793,7 @@ "fileAnalysisFailed": "Unable to analyze file", "editAutoAddPeople": "Edit auto-add people", "autoAddPeople": "Auto-add people", - "shouldRemoveFilesSmartAlbumsDesc": "Should the files related to the person that were previously selected in smart albums be removed?" + "shouldRemoveFilesSmartAlbumsDesc": "Should the files related to the person that were previously selected in smart albums be removed?", + "addingPhotos": "Adding photos", + "gettingReady": "Getting ready" } \ No newline at end of file From 41593eecda2a524e22bb307e29f3e596effe75ac Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Thu, 24 Jul 2025 17:10:21 +0530 Subject: [PATCH 126/302] feat: icons, design, ownership and what not --- .../photos/assets/2.0x/auto-add-people.png | Bin 0 -> 693 bytes .../assets/2.0x/edit-auto-add-people.png | Bin 0 -> 674 bytes .../photos/assets/3.0x/auto-add-people.png | Bin 0 -> 920 bytes .../assets/3.0x/edit-auto-add-people.png | Bin 0 -> 907 bytes mobile/apps/photos/assets/auto-add-people.png | Bin 0 -> 401 bytes .../photos/assets/edit-auto-add-people.png | Bin 0 -> 379 bytes mobile/apps/photos/ios/Podfile.lock | 116 +++++++++--------- .../lib/events/smart_album_syncing_event.dart | 11 ++ .../apps/photos/lib/gateways/entity_gw.dart | 2 + .../lib/models/collection/collection.dart | 5 + .../lib/services/collections_service.dart | 8 +- .../photos/lib/services/entity_service.dart | 2 +- .../lib/services/smart_albums_service.dart | 91 ++++++++++---- mobile/apps/photos/lib/theme/ente_theme.dart | 2 +- .../collections/album/smart_album_people.dart | 12 +- .../actions/smart_albums_status_widget.dart | 115 +++++++++++++++++ .../ui/viewer/gallery/collection_page.dart | 4 + .../gallery/gallery_app_bar_widget.dart | 12 +- mobile/apps/photos/pubspec.lock | 116 +++++++++--------- mobile/apps/photos/pubspec.yaml | 1 + 20 files changed, 347 insertions(+), 150 deletions(-) create mode 100644 mobile/apps/photos/assets/2.0x/auto-add-people.png create mode 100644 mobile/apps/photos/assets/2.0x/edit-auto-add-people.png create mode 100644 mobile/apps/photos/assets/3.0x/auto-add-people.png create mode 100644 mobile/apps/photos/assets/3.0x/edit-auto-add-people.png create mode 100644 mobile/apps/photos/assets/auto-add-people.png create mode 100644 mobile/apps/photos/assets/edit-auto-add-people.png create mode 100644 mobile/apps/photos/lib/events/smart_album_syncing_event.dart create mode 100644 mobile/apps/photos/lib/ui/viewer/actions/smart_albums_status_widget.dart diff --git a/mobile/apps/photos/assets/2.0x/auto-add-people.png b/mobile/apps/photos/assets/2.0x/auto-add-people.png new file mode 100644 index 0000000000000000000000000000000000000000..d2b64f1eb6434c3243bd7bbcf72b77451dbb65fe GIT binary patch literal 693 zcmV;m0!safP)Q z?|lyllgXE45{3X9{Bdj{4vFSelQfT+bXO9EG&aun9FP| zp*)o#Bi6+^im(_2gt$>_8%;ta2;+zwL?n$Y&K8-V2j;>CmIH`6u}=VvbLh#WMPK( z6_snAn5z`r;Kb0EP;eq~W0jq1J~uhLM*Hv+#(^CYm-dTo$B;agxrbK>AGr|Z)_rZ1 zcRMQGY2L%1&nZ*>jCM%u77*ed?b}ERJNVOq?dDQ}O%8o4J&CXb>RVe)pc{j^bx-hP z<=Ex$hk(?MF|qDjr<=DKNskFdub&*}ee4JUUlVs)E-^k7WP|bxJ04ODkHm-~^UT*} zNP7zP9!)VU%B&}|%C1eBf)Mu3&iB1CUV(2iWrV=LJ%#SnsxN#38?n<+{(mc|8#5_uZnXX*cgB)@E3kUJd>@Q}Y4 zL5bDqnQ^vdY?`L#3&od#>*R)fUrsTH(kH6K4P{Tfuq5`|<=Ux9s`()MJ~W zin&7!oWd!D{creUHfR;c2u&dm{#k>-&P5S>fJvzSHx8V49D6+Vuc*f;f8Q@OA5etN b2LBsBAB^FNnzFgV00000NkvXXu0mjffBrJX literal 0 HcmV?d00001 diff --git a/mobile/apps/photos/assets/2.0x/edit-auto-add-people.png b/mobile/apps/photos/assets/2.0x/edit-auto-add-people.png new file mode 100644 index 0000000000000000000000000000000000000000..c5fd75c23b2f5f601f00bb3a804f58b7bf9ecf50 GIT binary patch literal 674 zcmV;T0$u%yP)Iq| ztcyAJY0(P^X;BMBlaL6)FyeXJ*%)J={IMb%E7~m8r#ua&y}Sb(HG z{APAE0`apC1ePE`U}0fl;S+I(ypXnywtH=BZL5y8TpK%UyEMONd?HBOgSJZBYou}6 zeN)$LQQD4(7wNJRGZRkQ4oEL_mcoB)yCJ{W?ocl<0UUJp7*D8adyEK+Jz+Yrt)1{b z+Gk-dVn-7_C$ZT@PdR6YEcu)+1kQ{V#kWWVLAGjA!tx;s zn>|h=iB=F$3L4&7>LcWj^hZQOf<~)>x_5%QeT)#nV`O8#!GrTukO>PJU4z6rvq2aI z(hu_rfvh7Nk~|BQwkM>!>x2M`hz1IzL!s_Ge#{)v?}S^E#@Bi3*+xiE=ZDPS8-$O7 z1nkiFs|+aby;Z~c2-CxH!}RSGQbC2`yP9n6ngD_@aD60nhY?=917Uw`{(9qzz&=7( zP2Li9AS3uADVtod4}|`7;Qu}yB`GWM*;&}9;R5c_k+ZDJ=N{i2g|C)0AHm9zeviCm z*Os)aEu%~Di)W=Kt}~&($XnKSGp@FbF2NT|8ey0xOGEts5Av3^-HZzY;CW+PWcWa+ z=VJ-~$Sy5=gm9@#us?(6_WWgB&tRV^_>Ky~UK0PUgx}Pn1vQr@4(TEyo%WS8_L=fticd6i^;W!(? zErc|}S%^*e>;$(E>iKOt7-C#j8TFd=MZE&%{y@CD3gX>ILO-}%QLm29sQ00sVc&q` uz}LRCaQ>f;d|wJe9Vq9x)wHm%FamE`>Pqvin#yhf0000nTH+)(ibPuAuNj}eJ6vK} zAo)lTq(uP_9z1yPiTHxNkg;cDPsX;!HWRyW8tu*4@A2;&J`rSWXRJ5&H_+I3KbBQ3 z%2;bLI>7@SP=Q7|6o$^@Wv0Wj6VBr`{+_3vEke9H-)H`w5xEp3puw_T zt%tw(Q4QZmxILUV=50Ir6wqURRFmyp6F`VeT-Ss)DDcDE6K;>Ky<%J$SR!;Y-rHhG zWCS@ezR3kkAS|Z?f0lGqjBiYvoz9YqHQdpW)7RDJ1z#P`C(AX7VCA^}guK36%e9m3 zMwj3}!b0b`&V+s;zb~JYeKYnQ@8?xw4hRb^jsn{}q|ClHBm?xH7uYu$5(vY5Y$4C= zDSV?K*w^6N*59Pe!;4L$KKOi#qwhHWA54Srur9?8_ARAG00jHmrceij>-+s30_b4x z!5Zc=C$?#uY(HrgJW;UsUeV)93mW#^Lil*n(I5cV>Avr?tCaMUc1(Zw5)vd?g8h7m zuX!!*iP*tD%?QgdCj?^Kh+GOSDVlISQALmL6xVYu9_doy-9jd|M*`MP|98lXhJ17h ziC7ceBj0YUhfHjX#7N%r;O{lkv4cF637L>QyXN`L%Ni#=g=K=<;Qf6}zNf=-Q$vu6 zO_HeA&`5hA)>`Ulg}yxsL9jnC2(fv#S028__XLD^;qyjIk9=C(5W>*V9{z%9R@On_ z)1#udZF$5rh7Rap?*zWaS)E5|p0Hdyys6c6#jv+;UDT_dzFyGd58c2002ovPDHLkV1gn$tx^C0 literal 0 HcmV?d00001 diff --git a/mobile/apps/photos/assets/auto-add-people.png b/mobile/apps/photos/assets/auto-add-people.png new file mode 100644 index 0000000000000000000000000000000000000000..9e42dbc6163ca856426f8dec80eb45da93378bcf GIT binary patch literal 401 zcmV;C0dD?@P)_`-2tRTAYmN{q4Rlwo!J@C?XC8H z2KX|5I%qPa;_Le2F$QFGEzf;LtkL>oeL+V3h9|AgQlnkDU2f*20SK5~XU zBezz^BX@Jqo{YxnAjS#p{rXh!eA*J$JD-F>>+_Y1&Rcli0{WkEN_tr<w7@}g veXO^gv&MXKT|Tg$6A?>zT(P1{vX5~Em#l@I|MU~-00000NkvXXu0mjfGoPUE literal 0 HcmV?d00001 diff --git a/mobile/apps/photos/assets/edit-auto-add-people.png b/mobile/apps/photos/assets/edit-auto-add-people.png new file mode 100644 index 0000000000000000000000000000000000000000..1eb01a05df1d9acf4bf06f25a34a287514dc2197 GIT binary patch literal 379 zcmeAS@N?(olHy`uVBq!ia0vp^A|TAc1|)ksWqE-VXMsm#F#`j)FbFd;%$g$s6l5$8 za(7}_cTVOdki(Mh=`%Uj26&@BQ=hr!yKS8#)D7OZ~fF9rux4>-^g1cRy=Z ze9oDy=6a)NVp@)O+G|0#NoMJ3J68J?>PTG5)H=H%^hn?JZ>+(~B~O*8Z_L{{&D&C7 zc~kN`i5T_T=JRvgzm#fm=|4Vns3FR5%GS2;`@ZW=Uf0r`KAmIbLARV~TN~K_uKDp$ ztB2F}`fsPTpKY8OW8ZLIc3>>~v3Hri3|I521y2Rc&raEOxANiwo@NWdRf+<~)wMke z4!)m}y3tLh$f_^-vx7pP*8)dIl@}BKS6wRM6Hc@&ZML}bPFVdQ&MBb@0D6Lq&;S4c literal 0 HcmV?d00001 diff --git a/mobile/apps/photos/ios/Podfile.lock b/mobile/apps/photos/ios/Podfile.lock index 612dc72301..55224eaaf9 100644 --- a/mobile/apps/photos/ios/Podfile.lock +++ b/mobile/apps/photos/ios/Podfile.lock @@ -304,7 +304,7 @@ DEPENDENCIES: - workmanager (from `.symlinks/plugins/workmanager/ios`) SPEC REPOS: - https://github.com/ente-io/ffmpeg-kit-custom-repo-ios.git: + https://github.com/ente-io/ffmpeg-kit-custom-repo-ios: - ffmpeg_kit_custom trunk: - Firebase @@ -445,83 +445,83 @@ EXTERNAL SOURCES: :path: ".symlinks/plugins/workmanager/ios" SPEC CHECKSUMS: - app_links: f3e17e4ee5e357b39d8b95290a9b2c299fca71c6 - battery_info: b6c551049266af31556b93c9d9b9452cfec0219f - connectivity_plus: 2a701ffec2c0ae28a48cf7540e279787e77c447d - cupertino_http: 947a233f40cfea55167a49f2facc18434ea117ba - dart_ui_isolate: d5bcda83ca4b04f129d70eb90110b7a567aece14 - device_info_plus: c6fb39579d0f423935b0c9ce7ee2f44b71b9fce6 + app_links: 76b66b60cc809390ca1ad69bfd66b998d2387ac7 + battery_info: 83f3aae7be2fccefab1d2bf06b8aa96f11c8bcdd + connectivity_plus: cb623214f4e1f6ef8fe7403d580fdad517d2f7dd + cupertino_http: 94ac07f5ff090b8effa6c5e2c47871d48ab7c86c + dart_ui_isolate: 46f6714abe6891313267153ef6f9748d8ecfcab1 + device_info_plus: 335f3ce08d2e174b9fdc3db3db0f4e3b1f66bd89 ffmpeg_kit_custom: 682b4f2f1ff1f8abae5a92f6c3540f2441d5be99 - ffmpeg_kit_flutter: 9dce4803991478c78c6fb9f972703301101095fe - file_saver: 503e386464dbe118f630e17b4c2e1190fa0cf808 + ffmpeg_kit_flutter: 915b345acc97d4142e8a9a8549d177ff10f043f5 + file_saver: 6cdbcddd690cb02b0c1a0c225b37cd805c2bf8b6 Firebase: d80354ed7f6df5f9aca55e9eb47cc4b634735eaf - firebase_core: 6e223dfa350b2edceb729cea505eaaef59330682 - firebase_messaging: 07fde77ae28c08616a1d4d870450efc2b38cf40d + firebase_core: 6cbed78b4f298ed103a9fd034e6dbc846320480f + firebase_messaging: 5e0adf2eb18b0ee59aa0c109314c091a0497ecac FirebaseCore: 99fe0c4b44a39f37d99e6404e02009d2db5d718d FirebaseCoreInternal: df24ce5af28864660ecbd13596fc8dd3a8c34629 FirebaseInstallations: 6c963bd2a86aca0481eef4f48f5a4df783ae5917 FirebaseMessaging: 487b634ccdf6f7b7ff180fdcb2a9935490f764e8 Flutter: e0871f40cf51350855a761d2e70bf5af5b9b5de7 - flutter_email_sender: e03bdda7637bcd3539bfe718fddd980e9508efaa - flutter_image_compress_common: ec1d45c362c9d30a3f6a0426c297f47c52007e3e - flutter_inappwebview_ios: 6f63631e2c62a7c350263b13fa5427aedefe81d4 - flutter_local_notifications: ff50f8405aaa0ccdc7dcfb9022ca192e8ad9688f - flutter_native_splash: f71420956eb811e6d310720fee915f1d42852e7a - flutter_secure_storage: 23fc622d89d073675f2eaa109381aefbcf5a49be - flutter_sodium: a00383520fc689c688b66fd3092984174712493e - flutter_timezone: ac3da59ac941ff1c98a2e1f0293420e020120282 - fluttertoast: 21eecd6935e7064cc1fcb733a4c5a428f3f24f0f + flutter_email_sender: aa1e9772696691d02cd91fea829856c11efb8e58 + flutter_image_compress_common: 1697a328fd72bfb335507c6bca1a65fa5ad87df1 + flutter_inappwebview_ios: b89ba3482b96fb25e00c967aae065701b66e9b99 + flutter_local_notifications: a5a732f069baa862e728d839dd2ebb904737effb + flutter_native_splash: 6cad9122ea0fad137d23137dd14b937f3e90b145 + flutter_secure_storage: 2c2ff13db9e0a5647389bff88b0ecac56e3f3418 + flutter_sodium: 7e4621538491834eba53bd524547854bcbbd6987 + flutter_timezone: 7c838e17ffd4645d261e87037e5bebf6d38fe544 + fluttertoast: 2c67e14dce98bbdb200df9e1acf610d7a6264ea1 GoogleDataTransport: aae35b7ea0c09004c3797d53c8c41f66f219d6a7 GoogleUtilities: 00c88b9a86066ef77f0da2fab05f65d7768ed8e1 - home_widget: 0434835a4c9a75704264feff6be17ea40e0f0d57 - image_editor_common: d6f6644ae4a6de80481e89fe6d0a8c49e30b4b43 - in_app_purchase_storekit: a1ce04056e23eecc666b086040239da7619cd783 - integration_test: 252f60fa39af5e17c3aa9899d35d908a0721b573 - launcher_icon_switcher: 8e0ad2131a20c51c1dd939896ee32e70cd845b37 + home_widget: f169fc41fd807b4d46ab6615dc44d62adbf9f64f + image_editor_common: 3de87e7c4804f4ae24c8f8a998362b98c105cac1 + in_app_purchase_storekit: d1a48cb0f8b29dbf5f85f782f5dd79b21b90a5e6 + integration_test: 4a889634ef21a45d28d50d622cf412dc6d9f586e + launcher_icon_switcher: 84c218d233505aa7d8655d8fa61a3ba802c022da libwebp: 02b23773aedb6ff1fd38cec7a77b81414c6842a8 - local_auth_darwin: 66e40372f1c29f383a314c738c7446e2f7fdadc3 - local_auth_ios: 5046a18c018dd973247a0564496c8898dbb5adf9 + local_auth_darwin: 553ce4f9b16d3fdfeafce9cf042e7c9f77c1c391 + local_auth_ios: f7a1841beef3151d140a967c2e46f30637cdf451 Mantle: c5aa8794a29a022dfbbfc9799af95f477a69b62d - maps_launcher: 2e5b6a2d664ec6c27f82ffa81b74228d770ab203 - media_extension: 6618f07abd762cdbfaadf1b0c56a287e820f0c84 - media_kit_libs_ios_video: a5fe24bc7875ccd6378a0978c13185e1344651c1 - media_kit_video: 5da63f157170e5bf303bf85453b7ef6971218a2e - motion_sensors: 03f55b7c637a7e365a0b5f9697a449f9059d5d91 - motionphoto: 8b65ce50c7d7ff3c767534fc3768b2eed9ac24e4 - move_to_background: cd3091014529ec7829e342ad2d75c0a11f4378a5 + maps_launcher: edf829809ba9e894d70e569bab11c16352dedb45 + media_extension: 671e2567880d96c95c65c9a82ccceed8f2e309fd + media_kit_libs_ios_video: 5a18affdb97d1f5d466dc79988b13eff6c5e2854 + media_kit_video: 1746e198cb697d1ffb734b1d05ec429d1fcd1474 + motion_sensors: 741e702c17467b9569a92165dda8d4d88c6167f1 + motionphoto: 23e2aeb5c6380112f69468d71f970fa7438e5ed1 + move_to_background: 7e3467dd2a1d1013e98c9c1cb93fd53cd7ef9d84 nanopb: fad817b59e0457d11a5dfbde799381cd727c1275 - native_video_player: 29ab24a926804ac8c4a57eb6d744c7d927c2bc3e - objective_c: 77e887b5ba1827970907e10e832eec1683f3431d - onnxruntime: e7c2ae44385191eaad5ae64c935a72debaddc997 + native_video_player: 6809dec117e8997161dbfb42a6f90d6df71a504d + objective_c: 89e720c30d716b036faf9c9684022048eee1eee2 + onnxruntime: f9b296392c96c42882be020a59dbeac6310d81b2 onnxruntime-c: a909204639a1f035f575127ac406f781ac797c9c onnxruntime-objc: b6fab0f1787aa6f7190c2013f03037df4718bd8b - open_mail_app: 70273c53f768beefdafbe310c3d9086e4da3cb02 + open_mail_app: 7314a609e88eed22d53671279e189af7a0ab0f11 OrderedSet: e539b66b644ff081c73a262d24ad552a69be3a94 - package_info_plus: c0502532a26c7662a62a356cebe2692ec5fe4ec4 - path_provider_foundation: 2b6b4c569c0fb62ec74538f866245ac84301af46 - permission_handler_apple: 9878588469a2b0d0fc1e048d9f43605f92e6cec2 - photo_manager: ff695c7a1dd5bc379974953a2b5c0a293f7c4c8a - privacy_screen: 1a131c052ceb3c3659934b003b0d397c2381a24e + package_info_plus: af8e2ca6888548050f16fa2f1938db7b5a5df499 + path_provider_foundation: 080d55be775b7414fd5a5ef3ac137b97b097e564 + permission_handler_apple: 4ed2196e43d0651e8ff7ca3483a069d469701f2d + photo_manager: d2fbcc0f2d82458700ee6256a15018210a81d413 + privacy_screen: 3159a541f5d3a31bea916cfd4e58f9dc722b3fd4 PromisesObjC: f5707f49cb48b9636751c5b2e7d227e43fba9f47 - receive_sharing_intent: 79c848f5b045674ad60b9fea3bafea59962ad2c1 + receive_sharing_intent: 222384f00ffe7e952bbfabaa9e3967cb87e5fe00 SDWebImage: f29024626962457f3470184232766516dee8dfea SDWebImageWebPCoder: e38c0a70396191361d60c092933e22c20d5b1380 Sentry: da60d980b197a46db0b35ea12cb8f39af48d8854 - sentry_flutter: 2df8b0aab7e4aba81261c230cbea31c82a62dd1b - share_plus: 8b6f8b3447e494cca5317c8c3073de39b3600d1f - shared_preferences_foundation: fcdcbc04712aee1108ac7fda236f363274528f78 - sqflite_darwin: 5a7236e3b501866c1c9befc6771dfd73ffb8702d + sentry_flutter: 27892878729f42701297c628eb90e7c6529f3684 + share_plus: 50da8cb520a8f0f65671c6c6a99b3617ed10a58a + shared_preferences_foundation: 9e1978ff2562383bd5676f64ec4e9aa8fa06a6f7 + sqflite_darwin: 20b2a3a3b70e43edae938624ce550a3cbf66a3d0 sqlite3: 3c950dc86011117c307eb0b28c4a7bb449dce9f1 - sqlite3_flutter_libs: 069c435986dd4b63461aecd68f4b30be4a9e9daa - system_info_plus: 5393c8da281d899950d751713575fbf91c7709aa - thermal: a9261044101ae8f532fa29cab4e8270b51b3f55c - ua_client_hints: aeabd123262c087f0ce151ef96fa3ab77bfc8b38 - url_launcher_ios: 5334b05cef931de560670eeae103fd3e431ac3fe - video_player_avfoundation: 7c6c11d8470e1675df7397027218274b6d2360b3 - video_thumbnail: 94ba6705afbaa120b77287080424930f23ea0c40 - volume_controller: 2e3de73d6e7e81a0067310d17fb70f2f86d71ac7 - wakelock_plus: 373cfe59b235a6dd5837d0fb88791d2f13a90d56 - workmanager: 0afdcf5628bbde6924c21af7836fed07b42e30e6 + sqlite3_flutter_libs: 3c323550ef3b928bc0aa9513c841e45a7d242832 + system_info_plus: 555ce7047fbbf29154726db942ae785c29211740 + thermal: d4c48be750d1ddbab36b0e2dcb2471531bc8df41 + ua_client_hints: 92fe0d139619b73ec9fcb46cc7e079a26178f586 + url_launcher_ios: 694010445543906933d732453a59da0a173ae33d + video_player_avfoundation: 2cef49524dd1f16c5300b9cd6efd9611ce03639b + video_thumbnail: 584ccfa55d8fd2f3d5507218b0a18d84c839c620 + volume_controller: 3657a1f65bedb98fa41ff7dc5793537919f31b12 + wakelock_plus: 04623e3f525556020ebd4034310f20fe7fda8b49 + workmanager: 01be2de7f184bd15de93a1812936a2b7f42ef07e PODFILE CHECKSUM: a8ef88ad74ba499756207e7592c6071a96756d18 diff --git a/mobile/apps/photos/lib/events/smart_album_syncing_event.dart b/mobile/apps/photos/lib/events/smart_album_syncing_event.dart new file mode 100644 index 0000000000..bad2a36953 --- /dev/null +++ b/mobile/apps/photos/lib/events/smart_album_syncing_event.dart @@ -0,0 +1,11 @@ +import 'package:photos/events/event.dart'; + +class SmartAlbumSyncingEvent extends Event { + int? collectionId; + bool isSyncing; + + SmartAlbumSyncingEvent({ + this.collectionId, + this.isSyncing = false, + }); +} diff --git a/mobile/apps/photos/lib/gateways/entity_gw.dart b/mobile/apps/photos/lib/gateways/entity_gw.dart index 0e4b8bb2bc..7cbf4331f7 100644 --- a/mobile/apps/photos/lib/gateways/entity_gw.dart +++ b/mobile/apps/photos/lib/gateways/entity_gw.dart @@ -45,6 +45,7 @@ class EntityGateway { Future createEntity( EntityType type, + String? id, String encryptedData, String header, ) async { @@ -52,6 +53,7 @@ class EntityGateway { "/user-entity/entity", data: { "encryptedData": encryptedData, + if (id != null) "id": id, "header": header, "type": type.typeToString(), }, diff --git a/mobile/apps/photos/lib/models/collection/collection.dart b/mobile/apps/photos/lib/models/collection/collection.dart index e51d3972bf..8d68b73374 100644 --- a/mobile/apps/photos/lib/models/collection/collection.dart +++ b/mobile/apps/photos/lib/models/collection/collection.dart @@ -139,6 +139,11 @@ class Collection { return (owner.id ?? -100) == userID; } + bool canAutoAdd(int userID) { + return (owner.id ?? -100) == userID || + getRole(userID) == CollectionParticipantRole.collaborator; + } + bool isDownloadEnabledForPublicLink() { if (publicURLs.isEmpty) { return false; diff --git a/mobile/apps/photos/lib/services/collections_service.dart b/mobile/apps/photos/lib/services/collections_service.dart index 86ed68924b..ad4a0c2dfb 100644 --- a/mobile/apps/photos/lib/services/collections_service.dart +++ b/mobile/apps/photos/lib/services/collections_service.dart @@ -1403,8 +1403,9 @@ class CollectionsService { Future addOrCopyToCollection( int dstCollectionID, - List files, - ) async { + List files, { + bool toCopy = true, + }) async { final splitResult = FilesSplit.split(files, _config.getUserID()!); if (splitResult.pendingUploads.isNotEmpty) { throw ArgumentError('File should be already uploaded'); @@ -1425,6 +1426,9 @@ class CollectionsService { ); await _addToCollection(dstCollectionID, filesToAdd); } + if (!toCopy) { + return; + } // group files by collectionID final Map> filesByCollection = {}; final Map> fileSeenByCollection = {}; diff --git a/mobile/apps/photos/lib/services/entity_service.dart b/mobile/apps/photos/lib/services/entity_service.dart index d03c82bfeb..25793ac0d7 100644 --- a/mobile/apps/photos/lib/services/entity_service.dart +++ b/mobile/apps/photos/lib/services/entity_service.dart @@ -83,7 +83,7 @@ class EntityService { late LocalEntityData localData; final EntityData data = id == null || addWithCustomID - ? await _gateway.createEntity(type, encryptedData, header) + ? await _gateway.createEntity(type, id, encryptedData, header) : await _gateway.updateEntity(type, id, encryptedData, header); localData = LocalEntityData( id: data.id, diff --git a/mobile/apps/photos/lib/services/smart_albums_service.dart b/mobile/apps/photos/lib/services/smart_albums_service.dart index cd5dfefd21..cef9614347 100644 --- a/mobile/apps/photos/lib/services/smart_albums_service.dart +++ b/mobile/apps/photos/lib/services/smart_albums_service.dart @@ -3,14 +3,15 @@ import "dart:convert"; import "package:logging/logging.dart"; import "package:photos/core/configuration.dart"; +import "package:photos/core/event_bus.dart"; +import "package:photos/events/smart_album_syncing_event.dart"; import "package:photos/models/api/entity/type.dart"; import "package:photos/models/collection/smart_album_config.dart"; +import "package:photos/models/file/file.dart"; import "package:photos/models/local_entity_data.dart"; import "package:photos/service_locator.dart" show entityService; import "package:photos/services/collections_service.dart"; import "package:photos/services/search_service.dart"; -import "package:photos/ui/actions/collection/collection_file_actions.dart"; -import "package:photos/ui/actions/collection/collection_sharing_actions.dart"; class SmartAlbumsService { final _logger = Logger((SmartAlbumsService).toString()); @@ -19,6 +20,8 @@ class SmartAlbumsService { Future>? _cachedConfigsFuture; + (int, bool)? syncingCollection; + void clearCache() { _cachedConfigsFuture = null; _lastCacheRefreshTime = 0; @@ -35,7 +38,7 @@ class SmartAlbumsService { _cachedConfigsFuture = null; // Invalidate cache } _cachedConfigsFuture ??= _fetchAndCacheSaConfigs(); - return await _cachedConfigsFuture!; + return _cachedConfigsFuture!; } Future> _fetchAndCacheSaConfigs() async { @@ -78,10 +81,29 @@ class SmartAlbumsService { Future syncSmartAlbums() async { final cachedConfigs = await getSmartConfigs(); + final userId = Configuration.instance.getUserID(); for (final entry in cachedConfigs.entries) { final collectionId = entry.key; final config = entry.value; + final collection = + CollectionsService.instance.getCollectionByID(collectionId)!; + + if (!collection.canAutoAdd(userId!)) { + _logger.warning( + "Deleting collection config ($collectionId) as user does not have permission", + ); + await _deleteEntry( + userId: userId, + collectionId: collectionId, + ); + continue; + } + + syncingCollection = (collectionId, false); + Bus.instance.fire( + SmartAlbumSyncingEvent(collectionId: collectionId, isSyncing: false), + ); final infoMap = config.infoMap; @@ -91,6 +113,9 @@ class SmartAlbumsService { config.personIDs.toList(), ); + Set toBeSynced = {}; + + var newConfig = config; for (final personId in config.personIDs) { // compares current updateAt with last added file's updatedAt if (updatedAtMap[personId] == null || @@ -99,7 +124,7 @@ class SmartAlbumsService { continue; } - final toBeSynced = (await SearchService.instance + final fileIds = (await SearchService.instance .getClusterFilesForPersonID(personId)) .entries .expand((e) => e.value) @@ -107,35 +132,43 @@ class SmartAlbumsService { ..removeWhere( (e) => e.uploadedFileID == null || - config.infoMap[personId]!.addedFiles.contains(e.uploadedFileID), + config.infoMap[personId]!.addedFiles + .contains(e.uploadedFileID) || + e.ownerID != userId, ); - if (toBeSynced.isNotEmpty) { - final CollectionActions collectionActions = - CollectionActions(CollectionsService.instance); + toBeSynced = {...toBeSynced, ...fileIds}; - final result = await collectionActions.addToCollection( - null, + newConfig = await newConfig.addFiles( + personId, + updatedAtMap[personId]!, + toBeSynced.map((e) => e.uploadedFileID!).toSet(), + ); + } + + syncingCollection = (collectionId, true); + Bus.instance.fire( + SmartAlbumSyncingEvent(collectionId: collectionId, isSyncing: true), + ); + + if (toBeSynced.isNotEmpty) { + try { + await CollectionsService.instance.addOrCopyToCollection( + toCopy: false, collectionId, - false, - selectedFiles: toBeSynced, + toBeSynced.toList(), ); - if (result) { - final newConfig = await config.addFiles( - personId, - updatedAtMap[personId]!, - toBeSynced.map((e) => e.uploadedFileID!).toSet(), - ); - await saveConfig(newConfig); - } - } + await saveConfig(newConfig); + } catch (_) {} } } + syncingCollection = null; + Bus.instance.fire(SmartAlbumSyncingEvent()); } Future saveConfig(SmartAlbumConfig config) async { - final userId = Configuration.instance.getUserID(); + final userId = Configuration.instance.getUserID()!; await _addOrUpdateEntity( EntityType.smartAlbum, @@ -151,15 +184,21 @@ class SmartAlbumsService { return cachedConfigs[collectionId]; } + String getId({required int collectionId, required int userId}) => + "sa_${userId}_$collectionId"; + /// Wrapper method for entityService.addOrUpdate that handles cache refresh Future _addOrUpdateEntity( EntityType type, Map jsonMap, { required int collectionId, bool addWithCustomID = false, - int? userId, + required int userId, }) async { - final id = "sa_${userId!}_$collectionId"; + final id = getId( + collectionId: collectionId, + userId: userId, + ); final result = await entityService.addOrUpdate( type, jsonMap, @@ -172,8 +211,10 @@ class SmartAlbumsService { } Future _deleteEntry({ - required String id, + required int userId, + required int collectionId, }) async { + final id = getId(collectionId: collectionId, userId: userId); await entityService.deleteEntry(id); _lastCacheRefreshTime = 0; // Invalidate cache } diff --git a/mobile/apps/photos/lib/theme/ente_theme.dart b/mobile/apps/photos/lib/theme/ente_theme.dart index 0bcc2261ac..fccb8036af 100644 --- a/mobile/apps/photos/lib/theme/ente_theme.dart +++ b/mobile/apps/photos/lib/theme/ente_theme.dart @@ -19,7 +19,7 @@ class EnteTheme { required this.shadowButton, }); - bool isDark(BuildContext context) { + static bool isDark(BuildContext context) { return Theme.of(context).brightness == Brightness.dark; } } diff --git a/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart b/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart index d6de7f8bf6..e9911e93ec 100644 --- a/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart +++ b/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart @@ -1,7 +1,9 @@ import "dart:async"; import 'package:flutter/material.dart'; +import "package:photos/core/event_bus.dart"; import "package:photos/db/files_db.dart"; +import "package:photos/events/collection_updated_event.dart"; import "package:photos/generated/l10n.dart"; import "package:photos/models/collection/smart_album_config.dart"; import "package:photos/models/selected_people.dart"; @@ -134,6 +136,14 @@ class _SmartAlbumPeopleState extends State { ); } } + + Bus.instance.fire( + CollectionUpdatedEvent( + widget.collectionId, + [], + "smart_album_people", + ), + ); } } newConfig = currentConfig!.getUpdatedConfig( @@ -142,7 +152,7 @@ class _SmartAlbumPeopleState extends State { } await smartAlbumsService.saveConfig(newConfig); - smartAlbumsService.syncSmartAlbums().ignore(); + unawaited(smartAlbumsService.syncSmartAlbums()); await dialog.hide(); Navigator.pop(context); diff --git a/mobile/apps/photos/lib/ui/viewer/actions/smart_albums_status_widget.dart b/mobile/apps/photos/lib/ui/viewer/actions/smart_albums_status_widget.dart new file mode 100644 index 0000000000..ed293f4447 --- /dev/null +++ b/mobile/apps/photos/lib/ui/viewer/actions/smart_albums_status_widget.dart @@ -0,0 +1,115 @@ +import "dart:async"; + +import 'package:flutter/material.dart'; +import "package:flutter_spinkit/flutter_spinkit.dart"; +import "package:photos/core/event_bus.dart"; +import "package:photos/events/smart_album_syncing_event.dart"; +import "package:photos/generated/l10n.dart"; +import 'package:photos/models/collection/collection.dart'; +import "package:photos/service_locator.dart"; +import "package:photos/theme/ente_theme.dart"; + +class SmartAlbumsStatusWidget extends StatefulWidget { + final Collection? collection; + + const SmartAlbumsStatusWidget({ + this.collection, + super.key, + }); + + @override + State createState() => + _SmartAlbumsStatusWidgetState(); +} + +class _SmartAlbumsStatusWidgetState extends State + with TickerProviderStateMixin { + (int, bool)? _syncingCollection; + StreamSubscription? subscription; + + void updateData(SmartAlbumSyncingEvent event) { + if (mounted) { + setState(() { + if (event.collectionId != null) { + _syncingCollection = (event.collectionId!, event.isSyncing); + } else { + _syncingCollection = null; + } + }); + } + } + + @override + void initState() { + super.initState(); + _syncingCollection = smartAlbumsService.syncingCollection; + subscription = Bus.instance.on().listen(updateData); + } + + @override + void dispose() { + subscription?.cancel(); + super.dispose(); + } + + @override + Widget build(BuildContext context) { + final colorScheme = getEnteColorScheme(context); + final textTheme = getEnteTextTheme(context); + + return AnimatedCrossFade( + firstCurve: Curves.easeInOutExpo, + secondCurve: Curves.easeInOutExpo, + sizeCurve: Curves.easeInOutExpo, + crossFadeState: !(_syncingCollection == null || + _syncingCollection!.$1 != widget.collection?.id) + ? CrossFadeState.showSecond + : CrossFadeState.showFirst, + duration: const Duration(milliseconds: 400), + secondChild: Column( + mainAxisSize: MainAxisSize.min, + crossAxisAlignment: CrossAxisAlignment.end, + children: [ + Container( + padding: const EdgeInsets.symmetric(horizontal: 16, vertical: 12) + .copyWith(left: 14), + decoration: BoxDecoration( + borderRadius: BorderRadius.circular(8), + color: EnteTheme.isDark(context) + ? Colors.white.withOpacity(0.08) + : Colors.black.withOpacity(0.65), + ), + child: Row( + mainAxisSize: MainAxisSize.min, + children: [ + SizedBox( + child: SpinKitFadingCircle( + size: 18, + color: _syncingCollection?.$2 ?? true + ? const Color(0xFF08C225) + : const Color(0xFFF78426), + controller: AnimationController( + vsync: this, + duration: const Duration(milliseconds: 1200), + ), + ), + ), + const SizedBox(width: 8), + Text( + (_syncingCollection?.$2 ?? true) + ? S.of(context).addingPhotos + : S.of(context).gettingReady, + style: textTheme.small.copyWith( + color: colorScheme.backdropBase, + ), + ), + ], + ), + ), + const SizedBox(height: 50), + ], + ), + firstChild: const SizedBox.shrink(), + ); + } +} diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/collection_page.dart b/mobile/apps/photos/lib/ui/viewer/gallery/collection_page.dart index aff40ef777..ddea445113 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/collection_page.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/collection_page.dart @@ -14,6 +14,7 @@ import "package:photos/models/search/hierarchical/hierarchical_search_filter.dar import 'package:photos/models/selected_files.dart'; import 'package:photos/services/ignored_files_service.dart'; import 'package:photos/ui/viewer/actions/file_selection_overlay_bar.dart'; +import "package:photos/ui/viewer/actions/smart_albums_status_widget.dart"; import "package:photos/ui/viewer/gallery/collect_photos_bottom_buttons.dart"; import "package:photos/ui/viewer/gallery/empty_album_state.dart"; import 'package:photos/ui/viewer/gallery/empty_state.dart'; @@ -153,6 +154,9 @@ class CollectionPage extends StatelessWidget { ); }, ), + SmartAlbumsStatusWidget( + collection: c.collection, + ), FileSelectionOverlayBar( galleryType, _selectedFiles, diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart index 7bacdd3c0b..5e97ea84cd 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart @@ -387,9 +387,9 @@ class _GalleryAppBarWidgetState extends State { ); } - final int userID = Configuration.instance.getUserID()!; + final int userId = Configuration.instance.getUserID()!; isQuickLink = widget.collection?.isQuickLinkCollection() ?? false; - if (galleryType.canAddFiles(widget.collection, userID)) { + if (galleryType.canAddFiles(widget.collection, userId)) { actions.add( Tooltip( message: S.of(context).addFiles, @@ -528,14 +528,18 @@ class _GalleryAppBarWidgetState extends State { context.l10n.playOnTv, icon: Icons.tv_outlined, ), - if (widget.collection != null) + if (widget.collection?.canAutoAdd(userId) ?? false) EntePopupMenuItemAsync( (value) => (value?[widget.collection!.id]?.personIDs.isEmpty ?? true) ? S.of(context).autoAddPeople : S.of(context).editAutoAddPeople, value: AlbumPopupAction.autoAddPhotos, future: smartAlbumsService.getSmartConfigs, - icon: (value) => Icons.add, + iconWidget: (value) => Image.asset( + (value?[widget.collection!.id]?.personIDs.isEmpty ?? true) + ? "assets/auto-add-people.png" + : "assets/edit-auto-add-people.png", + ), ), if (galleryType.canDelete()) EntePopupMenuItem( diff --git a/mobile/apps/photos/pubspec.lock b/mobile/apps/photos/pubspec.lock index a5d14c3829..f3a4746484 100644 --- a/mobile/apps/photos/pubspec.lock +++ b/mobile/apps/photos/pubspec.lock @@ -5,10 +5,10 @@ packages: dependency: transitive description: name: _fe_analyzer_shared - sha256: "16e298750b6d0af7ce8a3ba7c18c69c3785d11b15ec83f6dcd0ad2a0009b3cab" + sha256: f256b0c0ba6c7577c15e2e4e114755640a875e885099367bf6e012b19314c834 url: "https://pub.dev" source: hosted - version: "76.0.0" + version: "72.0.0" _flutterfire_internals: dependency: transitive description: @@ -21,7 +21,7 @@ packages: dependency: transitive description: dart source: sdk - version: "0.3.3" + version: "0.3.2" adaptive_theme: dependency: "direct main" description: @@ -34,10 +34,10 @@ packages: dependency: transitive description: name: analyzer - sha256: "1f14db053a8c23e260789e9b0980fa27f2680dd640932cae5e1137cce0e46e1e" + sha256: b652861553cd3990d8ed361f7979dc6d7053a9ac8843fa73820ab68ce5410139 url: "https://pub.dev" source: hosted - version: "6.11.0" + version: "6.7.0" android_intent_plus: dependency: "direct main" description: @@ -130,10 +130,10 @@ packages: dependency: "direct main" description: name: async - sha256: d2872f9c19731c2e5f10444b14686eb7cc85c76274bd6c16e1816bff9a3bab63 + sha256: "947bfcf187f74dbc5e146c9eb9c0f10c9f8b30743e341481c1e2ed3ecc18c20c" url: "https://pub.dev" source: hosted - version: "2.12.0" + version: "2.11.0" battery_info: dependency: "direct main" description: @@ -155,10 +155,10 @@ packages: dependency: transitive description: name: boolean_selector - sha256: "8aab1771e1243a5063b8b0ff68042d67334e3feab9e95b9490f9a6ebf73b42ea" + sha256: "6cfb5af12253eaf2b368f07bacc5a80d1301a071c73360d746b7f2e32d762c66" url: "https://pub.dev" source: hosted - version: "2.1.2" + version: "2.1.1" brotli: dependency: transitive description: @@ -268,10 +268,10 @@ packages: dependency: transitive description: name: characters - sha256: f71061c654a3380576a52b451dd5532377954cf9dbd272a78fc8479606670803 + sha256: "04a925763edad70e8443c99234dc3328f442e811f1d8fd1a72f1c8ad0f69a605" url: "https://pub.dev" source: hosted - version: "1.4.0" + version: "1.3.0" checked_yaml: dependency: transitive description: @@ -301,10 +301,10 @@ packages: dependency: transitive description: name: clock - sha256: fddb70d9b5277016c77a80201021d40a2247104d9f4aa7bab7157b7e3f05b84b + sha256: cb6d7f03e1de671e34607e909a7213e31d7752be4fb66a86d29fe1eb14bfb5cf url: "https://pub.dev" source: hosted - version: "1.1.2" + version: "1.1.1" code_builder: dependency: transitive description: @@ -317,10 +317,10 @@ packages: dependency: "direct main" description: name: collection - sha256: "2f5709ae4d3d59dd8f7cd309b4e023046b57d8a6c82130785d2b0e5868084e76" + sha256: ee67cb0715911d28db6bf4af1026078bd6f0128b07a5f66fb2ed94ec6783c09a url: "https://pub.dev" source: hosted - version: "1.19.1" + version: "1.18.0" computer: dependency: "direct main" description: @@ -619,10 +619,10 @@ packages: dependency: transitive description: name: fake_async - sha256: "6a95e56b2449df2273fd8c45a662d6947ce1ebb7aafe80e550a3f68297f3cacc" + sha256: "511392330127add0b769b75a987850d136345d9227c6b94c96a04cf4a391bf78" url: "https://pub.dev" source: hosted - version: "1.3.2" + version: "1.3.1" fast_base58: dependency: "direct main" description: @@ -668,10 +668,10 @@ packages: dependency: transitive description: name: file - sha256: a3b4f84adafef897088c160faf7dfffb7696046cb13ae90b508c2cbc95d3b8d4 + sha256: "5fc22d7c25582e38ad9a8515372cd9a93834027aacf1801cf01164dac0ffa08c" url: "https://pub.dev" source: hosted - version: "7.0.1" + version: "7.0.0" file_saver: dependency: "direct main" description: @@ -1073,7 +1073,7 @@ packages: source: git version: "0.2.0" flutter_spinkit: - dependency: transitive + dependency: "direct main" description: name: flutter_spinkit sha256: d2696eed13732831414595b98863260e33e8882fc069ee80ec35d4ac9ddb0472 @@ -1416,18 +1416,18 @@ packages: dependency: transitive description: name: leak_tracker - sha256: c35baad643ba394b40aac41080300150a4f08fd0fd6a10378f8f7c6bc161acec + sha256: "3f87a60e8c63aecc975dda1ceedbc8f24de75f09e4856ea27daf8958f2f0ce05" url: "https://pub.dev" source: hosted - version: "10.0.8" + version: "10.0.5" leak_tracker_flutter_testing: dependency: transitive description: name: leak_tracker_flutter_testing - sha256: f8b613e7e6a13ec79cfdc0e97638fddb3ab848452eff057653abd3edba760573 + sha256: "932549fb305594d82d7183ecd9fa93463e9914e1b67cacc34bc40906594a1806" url: "https://pub.dev" source: hosted - version: "3.0.9" + version: "3.0.5" leak_tracker_testing: dependency: transitive description: @@ -1536,10 +1536,10 @@ packages: dependency: transitive description: name: macros - sha256: "1d9e801cd66f7ea3663c45fc708450db1fa57f988142c64289142c9b7ee80656" + sha256: "0acaed5d6b7eab89f63350bccd82119e6c602df0f391260d0e32b5e23db79536" url: "https://pub.dev" source: hosted - version: "0.1.3-main.0" + version: "0.1.2-main.4" maps_launcher: dependency: "direct main" description: @@ -1552,10 +1552,10 @@ packages: dependency: transitive description: name: matcher - sha256: dc58c723c3c24bf8d3e2d3ad3f2f9d7bd9cf43ec6feaa64181775e60190153f2 + sha256: d2323aa2060500f906aa31a895b4030b6da3ebdcc5619d14ce1aada65cd161cb url: "https://pub.dev" source: hosted - version: "0.12.17" + version: "0.12.16+1" material_color_utilities: dependency: transitive description: @@ -1645,10 +1645,10 @@ packages: dependency: transitive description: name: meta - sha256: e3641ec5d63ebf0d9b41bd43201a66e3fc79a65db5f61fc181f04cd27aab950c + sha256: bdb68674043280c3428e9ec998512fb681678676b3c54e773629ffe74419f8c7 url: "https://pub.dev" source: hosted - version: "1.16.0" + version: "1.15.0" mgrs_dart: dependency: transitive description: @@ -1859,10 +1859,10 @@ packages: dependency: "direct main" description: name: path - sha256: "75cca69d1490965be98c73ceaea117e8a04dd21217b37b292c9ddbec0d955bc5" + sha256: "087ce49c3f0dc39180befefc60fdb4acd8f8620e5682fe2476afd0b3688bb4af" url: "https://pub.dev" source: hosted - version: "1.9.1" + version: "1.9.0" path_drawing: dependency: transitive description: @@ -2019,10 +2019,10 @@ packages: dependency: transitive description: name: platform - sha256: "5d6b1b0036a5f331ebc77c850ebc8506cbc1e9416c27e59b439f917a902a4984" + sha256: "9b71283fc13df574056616011fb138fd3b793ea47cc509c189a6c3fa5f8a1a65" url: "https://pub.dev" source: hosted - version: "3.1.6" + version: "3.1.5" plugin_platform_interface: dependency: transitive description: @@ -2068,10 +2068,10 @@ packages: dependency: transitive description: name: process - sha256: "107d8be718f120bbba9dcd1e95e3bd325b1b4a4f07db64154635ba03f2567a0d" + sha256: "21e54fd2faf1b5bdd5102afd25012184a6793927648ea81eea80552ac9405b32" url: "https://pub.dev" source: hosted - version: "5.0.3" + version: "5.0.2" proj4dart: dependency: transitive description: @@ -2309,7 +2309,7 @@ packages: dependency: transitive description: flutter source: sdk - version: "0.0.0" + version: "0.0.99" source_gen: dependency: transitive description: @@ -2346,10 +2346,10 @@ packages: dependency: transitive description: name: source_span - sha256: "254ee5351d6cb365c859e20ee823c3bb479bf4a293c22d17a9f1bf144ce86f7c" + sha256: "53e943d4206a5e30df338fd4c6e7a077e02254531b138a15aec3bd143c1a8b3c" url: "https://pub.dev" source: hosted - version: "1.10.1" + version: "1.10.0" sprintf: dependency: transitive description: @@ -2434,10 +2434,10 @@ packages: dependency: transitive description: name: stack_trace - sha256: "8b27215b45d22309b5cddda1aa2b19bdfec9df0e765f2de506401c071d38d1b1" + sha256: "73713990125a6d93122541237550ee3352a2d84baad52d375a4cad2eb9b7ce0b" url: "https://pub.dev" source: hosted - version: "1.12.1" + version: "1.11.1" step_progress_indicator: dependency: "direct main" description: @@ -2450,10 +2450,10 @@ packages: dependency: transitive description: name: stream_channel - sha256: "969e04c80b8bcdf826f8f16579c7b14d780458bd97f56d107d3950fdbeef059d" + sha256: ba2aa5d8cc609d96bbb2899c28934f9e1af5cddbd60a827822ea467161eb54e7 url: "https://pub.dev" source: hosted - version: "2.1.4" + version: "2.1.2" stream_transform: dependency: transitive description: @@ -2466,10 +2466,10 @@ packages: dependency: transitive description: name: string_scanner - sha256: "921cd31725b72fe181906c6a94d987c78e3b98c2e205b397ea399d4054872b43" + sha256: "556692adab6cfa87322a115640c11f13cb77b3f076ddcc5d6ae3c20242bedcde" url: "https://pub.dev" source: hosted - version: "1.4.1" + version: "1.2.0" styled_text: dependency: "direct main" description: @@ -2522,34 +2522,34 @@ packages: dependency: transitive description: name: term_glyph - sha256: "7f554798625ea768a7518313e58f83891c7f5024f88e46e7182a4558850a4b8e" + sha256: a29248a84fbb7c79282b40b8c72a1209db169a2e0542bce341da992fe1bc7e84 url: "https://pub.dev" source: hosted - version: "1.2.2" + version: "1.2.1" test: dependency: "direct dev" description: name: test - sha256: "301b213cd241ca982e9ba50266bd3f5bd1ea33f1455554c5abb85d1be0e2d87e" + sha256: "7ee44229615f8f642b68120165ae4c2a75fe77ae2065b1e55ae4711f6cf0899e" url: "https://pub.dev" source: hosted - version: "1.25.15" + version: "1.25.7" test_api: dependency: transitive description: name: test_api - sha256: fb31f383e2ee25fbbfe06b40fe21e1e458d14080e3c67e7ba0acfde4df4e0bbd + sha256: "5b8a98dafc4d5c4c9c72d8b31ab2b23fc13422348d2997120294d3bac86b4ddb" url: "https://pub.dev" source: hosted - version: "0.7.4" + version: "0.7.2" test_core: dependency: transitive description: name: test_core - sha256: "84d17c3486c8dfdbe5e12a50c8ae176d15e2a771b96909a9442b40173649ccaa" + sha256: "55ea5a652e38a1dfb32943a7973f3681a60f872f8c3a05a14664ad54ef9c6696" url: "https://pub.dev" source: hosted - version: "0.6.8" + version: "0.6.4" thermal: dependency: "direct main" description: @@ -2813,10 +2813,10 @@ packages: dependency: transitive description: name: vm_service - sha256: "0968250880a6c5fe7edc067ed0a13d4bae1577fe2771dcf3010d52c4a9d3ca14" + sha256: "5c5f338a667b4c644744b661f309fb8080bb94b18a7e91ef1dbd343bed00ed6d" url: "https://pub.dev" source: hosted - version: "14.3.1" + version: "14.2.5" volume_controller: dependency: transitive description: @@ -2877,10 +2877,10 @@ packages: dependency: transitive description: name: webdriver - sha256: "3d773670966f02a646319410766d3b5e1037efb7f07cc68f844d5e06cd4d61c8" + sha256: "003d7da9519e1e5f329422b36c4dcdf18d7d2978d1ba099ea4e45ba490ed845e" url: "https://pub.dev" source: hosted - version: "3.0.4" + version: "3.0.3" webkit_inspection_protocol: dependency: transitive description: @@ -2978,5 +2978,5 @@ packages: source: hosted version: "3.1.3" sdks: - dart: ">=3.7.0-0 <4.0.0" + dart: ">=3.5.0 <4.0.0" flutter: ">=3.24.0" diff --git a/mobile/apps/photos/pubspec.yaml b/mobile/apps/photos/pubspec.yaml index 19bf6b4b0c..08b619e189 100644 --- a/mobile/apps/photos/pubspec.yaml +++ b/mobile/apps/photos/pubspec.yaml @@ -103,6 +103,7 @@ dependencies: # If not resolved and we need to upgrade, write a migration script. flutter_secure_storage: 9.0.0 flutter_sodium: + flutter_spinkit: ^5.2.1 flutter_staggered_grid_view: ^0.6.2 flutter_svg: ^2.0.10+1 flutter_timezone: ^4.1.0 From ba07894d1870a2d579ad0dd2834418d164ab760e Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Thu, 24 Jul 2025 17:18:53 +0530 Subject: [PATCH 127/302] fix: add ml sync code --- mobile/apps/photos/lib/main.dart | 5 +++++ mobile/apps/photos/lib/services/sync/sync_service.dart | 5 ++++- 2 files changed, 9 insertions(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/main.dart b/mobile/apps/photos/lib/main.dart index f67c727fdc..a897f97258 100644 --- a/mobile/apps/photos/lib/main.dart +++ b/mobile/apps/photos/lib/main.dart @@ -184,6 +184,11 @@ Future _runMinimally(String taskId, TimeLogger tlog) async { await _sync('bgTaskActiveProcess'); // only runs for android await _homeWidgetSync(true); + + await MLService.instance.init(); + await SemanticSearchService.instance.init(); + await MLService.instance.runAllML(force: true); + await smartAlbumsService.syncSmartAlbums(); } Future _init(bool isBackground, {String via = ''}) async { diff --git a/mobile/apps/photos/lib/services/sync/sync_service.dart b/mobile/apps/photos/lib/services/sync/sync_service.dart index 5bc089b9a3..b2367c6b4d 100644 --- a/mobile/apps/photos/lib/services/sync/sync_service.dart +++ b/mobile/apps/photos/lib/services/sync/sync_service.dart @@ -12,6 +12,7 @@ import 'package:photos/core/event_bus.dart'; import 'package:photos/events/subscription_purchased_event.dart'; import 'package:photos/events/sync_status_update_event.dart'; import 'package:photos/events/trigger_logout_event.dart'; +import "package:photos/main.dart"; import 'package:photos/models/file/file_type.dart'; import "package:photos/service_locator.dart"; import "package:photos/services/language_service.dart"; @@ -200,7 +201,9 @@ class SyncService { if (shouldSync) { await _remoteSyncService.sync(); } - await smartAlbumsService.syncSmartAlbums(); + if (!isProcessBg) { + await smartAlbumsService.syncSmartAlbums(); + } } } From 79eff8aa5ad51846e8fd75008a46d23d26cbafaa Mon Sep 17 00:00:00 2001 From: Neeraj Gupta <254676+ua741@users.noreply.github.com> Date: Thu, 24 Jul 2025 17:22:31 +0530 Subject: [PATCH 128/302] Fix db query & swallow errow --- mobile/apps/photos/lib/db/files_db.dart | 37 ++++++-- .../services/sync/remote_sync_service.dart | 12 ++- mobile/apps/photos/pubspec.lock | 94 +++++++++---------- 3 files changed, 86 insertions(+), 57 deletions(-) diff --git a/mobile/apps/photos/lib/db/files_db.dart b/mobile/apps/photos/lib/db/files_db.dart index 657148a61a..1957f55179 100644 --- a/mobile/apps/photos/lib/db/files_db.dart +++ b/mobile/apps/photos/lib/db/files_db.dart @@ -988,25 +988,44 @@ class FilesDB with SqlDbBase { } final db = await instance.sqliteAsyncDB; - final placeholders = List.filled(localIDs.length, '?').join(','); - final r = await db.execute( - ''' + const batchSize = 10000; + int totalRemoved = 0; + + final localIDsList = localIDs.toList(); + + for (int i = 0; i < localIDsList.length; i += batchSize) { + final endIndex = (i + batchSize > localIDsList.length) + ? localIDsList.length + : i + batchSize; + + final batch = localIDsList.sublist(i, endIndex); + final placeholders = List.filled(batch.length, '?').join(','); + + final r = await db.execute( + ''' DELETE FROM $filesTable WHERE $columnLocalID IN ($placeholders) - AND (collectionID IS NULL OR collectionID = -1) + AND ($columnCollectionID IS NULL OR $columnCollectionID = -1) AND ($columnUploadedFileID IS NULL OR $columnUploadedFileID = -1) ''', - localIDs.toList(), - ); + batch, + ); - if (r.isNotEmpty) { + if (r.isNotEmpty) { + _logger + .fine("Batch ${(i ~/ batchSize) + 1}: Removed ${r.length} files"); + totalRemoved += r.length; + } + } + + if (totalRemoved > 0) { _logger.warning( - "Removed ${r.length} potential dups for already queued local files", + "Removed $totalRemoved potential dups for already queued local files", ); } else { _logger.finest("No duplicate id found for queued/uploaded files"); } - return r.length; + return totalRemoved; } Future> getLocalFileIDsForCollection(int collectionID) async { diff --git a/mobile/apps/photos/lib/services/sync/remote_sync_service.dart b/mobile/apps/photos/lib/services/sync/remote_sync_service.dart index d0e995a438..9e2f7f6aed 100644 --- a/mobile/apps/photos/lib/services/sync/remote_sync_service.dart +++ b/mobile/apps/photos/lib/services/sync/remote_sync_service.dart @@ -51,6 +51,10 @@ class RemoteSyncService { Completer? _existingSync; bool _isExistingSyncSilent = false; + // _hasCleanupStaleEntry is used to track if we have already cleaned up + // statle db entries in this sync session. + bool _hasCleanupStaleEntry = false; + static const kHasSyncedArchiveKey = "has_synced_archive"; /* This setting is used to maintain a list of local IDs for videos that the user has manually marked for upload, even if the global video upload setting is currently disabled. @@ -371,8 +375,13 @@ class RemoteSyncService { final Set alreadyClaimedLocalIDs = await _db.getLocalIDsMarkedForOrAlreadyUploaded(ownerID); localIDsToSync.removeAll(alreadyClaimedLocalIDs); - if (alreadyClaimedLocalIDs.isNotEmpty) { + if (alreadyClaimedLocalIDs.isNotEmpty && !_hasCleanupStaleEntry) { + try { await _db.removeQueuedLocalFiles(alreadyClaimedLocalIDs); + } catch(e, s) { + _logger.severe("removeQueuedLocalFiles failed",e,s); + + } } } @@ -442,6 +451,7 @@ class RemoteSyncService { // "force reload due to display new files" Bus.instance.fire(ForceReloadHomeGalleryEvent("newFilesDisplay")); } + _hasCleanupStaleEntry = true; } Future updateDeviceFolderSyncStatus( diff --git a/mobile/apps/photos/pubspec.lock b/mobile/apps/photos/pubspec.lock index a5d14c3829..f8cf5809fe 100644 --- a/mobile/apps/photos/pubspec.lock +++ b/mobile/apps/photos/pubspec.lock @@ -130,10 +130,10 @@ packages: dependency: "direct main" description: name: async - sha256: d2872f9c19731c2e5f10444b14686eb7cc85c76274bd6c16e1816bff9a3bab63 + sha256: "947bfcf187f74dbc5e146c9eb9c0f10c9f8b30743e341481c1e2ed3ecc18c20c" url: "https://pub.dev" source: hosted - version: "2.12.0" + version: "2.11.0" battery_info: dependency: "direct main" description: @@ -155,10 +155,10 @@ packages: dependency: transitive description: name: boolean_selector - sha256: "8aab1771e1243a5063b8b0ff68042d67334e3feab9e95b9490f9a6ebf73b42ea" + sha256: "6cfb5af12253eaf2b368f07bacc5a80d1301a071c73360d746b7f2e32d762c66" url: "https://pub.dev" source: hosted - version: "2.1.2" + version: "2.1.1" brotli: dependency: transitive description: @@ -268,10 +268,10 @@ packages: dependency: transitive description: name: characters - sha256: f71061c654a3380576a52b451dd5532377954cf9dbd272a78fc8479606670803 + sha256: "04a925763edad70e8443c99234dc3328f442e811f1d8fd1a72f1c8ad0f69a605" url: "https://pub.dev" source: hosted - version: "1.4.0" + version: "1.3.0" checked_yaml: dependency: transitive description: @@ -301,10 +301,10 @@ packages: dependency: transitive description: name: clock - sha256: fddb70d9b5277016c77a80201021d40a2247104d9f4aa7bab7157b7e3f05b84b + sha256: cb6d7f03e1de671e34607e909a7213e31d7752be4fb66a86d29fe1eb14bfb5cf url: "https://pub.dev" source: hosted - version: "1.1.2" + version: "1.1.1" code_builder: dependency: transitive description: @@ -317,10 +317,10 @@ packages: dependency: "direct main" description: name: collection - sha256: "2f5709ae4d3d59dd8f7cd309b4e023046b57d8a6c82130785d2b0e5868084e76" + sha256: a1ace0a119f20aabc852d165077c036cd864315bd99b7eaa10a60100341941bf url: "https://pub.dev" source: hosted - version: "1.19.1" + version: "1.19.0" computer: dependency: "direct main" description: @@ -619,10 +619,10 @@ packages: dependency: transitive description: name: fake_async - sha256: "6a95e56b2449df2273fd8c45a662d6947ce1ebb7aafe80e550a3f68297f3cacc" + sha256: "511392330127add0b769b75a987850d136345d9227c6b94c96a04cf4a391bf78" url: "https://pub.dev" source: hosted - version: "1.3.2" + version: "1.3.1" fast_base58: dependency: "direct main" description: @@ -668,10 +668,10 @@ packages: dependency: transitive description: name: file - sha256: a3b4f84adafef897088c160faf7dfffb7696046cb13ae90b508c2cbc95d3b8d4 + sha256: "5fc22d7c25582e38ad9a8515372cd9a93834027aacf1801cf01164dac0ffa08c" url: "https://pub.dev" source: hosted - version: "7.0.1" + version: "7.0.0" file_saver: dependency: "direct main" description: @@ -1416,18 +1416,18 @@ packages: dependency: transitive description: name: leak_tracker - sha256: c35baad643ba394b40aac41080300150a4f08fd0fd6a10378f8f7c6bc161acec + sha256: "7bb2830ebd849694d1ec25bf1f44582d6ac531a57a365a803a6034ff751d2d06" url: "https://pub.dev" source: hosted - version: "10.0.8" + version: "10.0.7" leak_tracker_flutter_testing: dependency: transitive description: name: leak_tracker_flutter_testing - sha256: f8b613e7e6a13ec79cfdc0e97638fddb3ab848452eff057653abd3edba760573 + sha256: "9491a714cca3667b60b5c420da8217e6de0d1ba7a5ec322fab01758f6998f379" url: "https://pub.dev" source: hosted - version: "3.0.9" + version: "3.0.8" leak_tracker_testing: dependency: transitive description: @@ -1552,10 +1552,10 @@ packages: dependency: transitive description: name: matcher - sha256: dc58c723c3c24bf8d3e2d3ad3f2f9d7bd9cf43ec6feaa64181775e60190153f2 + sha256: d2323aa2060500f906aa31a895b4030b6da3ebdcc5619d14ce1aada65cd161cb url: "https://pub.dev" source: hosted - version: "0.12.17" + version: "0.12.16+1" material_color_utilities: dependency: transitive description: @@ -1645,10 +1645,10 @@ packages: dependency: transitive description: name: meta - sha256: e3641ec5d63ebf0d9b41bd43201a66e3fc79a65db5f61fc181f04cd27aab950c + sha256: bdb68674043280c3428e9ec998512fb681678676b3c54e773629ffe74419f8c7 url: "https://pub.dev" source: hosted - version: "1.16.0" + version: "1.15.0" mgrs_dart: dependency: transitive description: @@ -1859,10 +1859,10 @@ packages: dependency: "direct main" description: name: path - sha256: "75cca69d1490965be98c73ceaea117e8a04dd21217b37b292c9ddbec0d955bc5" + sha256: "087ce49c3f0dc39180befefc60fdb4acd8f8620e5682fe2476afd0b3688bb4af" url: "https://pub.dev" source: hosted - version: "1.9.1" + version: "1.9.0" path_drawing: dependency: transitive description: @@ -2019,10 +2019,10 @@ packages: dependency: transitive description: name: platform - sha256: "5d6b1b0036a5f331ebc77c850ebc8506cbc1e9416c27e59b439f917a902a4984" + sha256: "9b71283fc13df574056616011fb138fd3b793ea47cc509c189a6c3fa5f8a1a65" url: "https://pub.dev" source: hosted - version: "3.1.6" + version: "3.1.5" plugin_platform_interface: dependency: transitive description: @@ -2068,10 +2068,10 @@ packages: dependency: transitive description: name: process - sha256: "107d8be718f120bbba9dcd1e95e3bd325b1b4a4f07db64154635ba03f2567a0d" + sha256: "21e54fd2faf1b5bdd5102afd25012184a6793927648ea81eea80552ac9405b32" url: "https://pub.dev" source: hosted - version: "5.0.3" + version: "5.0.2" proj4dart: dependency: transitive description: @@ -2346,10 +2346,10 @@ packages: dependency: transitive description: name: source_span - sha256: "254ee5351d6cb365c859e20ee823c3bb479bf4a293c22d17a9f1bf144ce86f7c" + sha256: "53e943d4206a5e30df338fd4c6e7a077e02254531b138a15aec3bd143c1a8b3c" url: "https://pub.dev" source: hosted - version: "1.10.1" + version: "1.10.0" sprintf: dependency: transitive description: @@ -2434,10 +2434,10 @@ packages: dependency: transitive description: name: stack_trace - sha256: "8b27215b45d22309b5cddda1aa2b19bdfec9df0e765f2de506401c071d38d1b1" + sha256: "9f47fd3630d76be3ab26f0ee06d213679aa425996925ff3feffdec504931c377" url: "https://pub.dev" source: hosted - version: "1.12.1" + version: "1.12.0" step_progress_indicator: dependency: "direct main" description: @@ -2450,10 +2450,10 @@ packages: dependency: transitive description: name: stream_channel - sha256: "969e04c80b8bcdf826f8f16579c7b14d780458bd97f56d107d3950fdbeef059d" + sha256: ba2aa5d8cc609d96bbb2899c28934f9e1af5cddbd60a827822ea467161eb54e7 url: "https://pub.dev" source: hosted - version: "2.1.4" + version: "2.1.2" stream_transform: dependency: transitive description: @@ -2466,10 +2466,10 @@ packages: dependency: transitive description: name: string_scanner - sha256: "921cd31725b72fe181906c6a94d987c78e3b98c2e205b397ea399d4054872b43" + sha256: "688af5ed3402a4bde5b3a6c15fd768dbf2621a614950b17f04626c431ab3c4c3" url: "https://pub.dev" source: hosted - version: "1.4.1" + version: "1.3.0" styled_text: dependency: "direct main" description: @@ -2522,34 +2522,34 @@ packages: dependency: transitive description: name: term_glyph - sha256: "7f554798625ea768a7518313e58f83891c7f5024f88e46e7182a4558850a4b8e" + sha256: a29248a84fbb7c79282b40b8c72a1209db169a2e0542bce341da992fe1bc7e84 url: "https://pub.dev" source: hosted - version: "1.2.2" + version: "1.2.1" test: dependency: "direct dev" description: name: test - sha256: "301b213cd241ca982e9ba50266bd3f5bd1ea33f1455554c5abb85d1be0e2d87e" + sha256: "713a8789d62f3233c46b4a90b174737b2c04cb6ae4500f2aa8b1be8f03f5e67f" url: "https://pub.dev" source: hosted - version: "1.25.15" + version: "1.25.8" test_api: dependency: transitive description: name: test_api - sha256: fb31f383e2ee25fbbfe06b40fe21e1e458d14080e3c67e7ba0acfde4df4e0bbd + sha256: "664d3a9a64782fcdeb83ce9c6b39e78fd2971d4e37827b9b06c3aa1edc5e760c" url: "https://pub.dev" source: hosted - version: "0.7.4" + version: "0.7.3" test_core: dependency: transitive description: name: test_core - sha256: "84d17c3486c8dfdbe5e12a50c8ae176d15e2a771b96909a9442b40173649ccaa" + sha256: "12391302411737c176b0b5d6491f466b0dd56d4763e347b6714efbaa74d7953d" url: "https://pub.dev" source: hosted - version: "0.6.8" + version: "0.6.5" thermal: dependency: "direct main" description: @@ -2813,10 +2813,10 @@ packages: dependency: transitive description: name: vm_service - sha256: "0968250880a6c5fe7edc067ed0a13d4bae1577fe2771dcf3010d52c4a9d3ca14" + sha256: f6be3ed8bd01289b34d679c2b62226f63c0e69f9fd2e50a6b3c1c729a961041b url: "https://pub.dev" source: hosted - version: "14.3.1" + version: "14.3.0" volume_controller: dependency: transitive description: @@ -2978,5 +2978,5 @@ packages: source: hosted version: "3.1.3" sdks: - dart: ">=3.7.0-0 <4.0.0" + dart: ">=3.5.0 <4.0.0" flutter: ">=3.24.0" From b89a9a7307687d0ed542639dce6e25e9fba01dbc Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Thu, 24 Jul 2025 17:28:02 +0530 Subject: [PATCH 129/302] Fix options for background selections --- .../image_editor/image_editor_text_bar.dart | 36 +++++++++++++------ 1 file changed, 25 insertions(+), 11 deletions(-) diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_text_bar.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_text_bar.dart index db0d16a6e3..3115aa3933 100644 --- a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_text_bar.dart +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_text_bar.dart @@ -206,32 +206,46 @@ class _BackgroundPickerWidget extends StatelessWidget { final backgroundStyles = { LayerBackgroundMode.background: { 'text': 'Aa', - 'backgroundColor': isLightMode ? colorScheme.fillFaint : Colors.white, + 'selectedBackgroundColor': + isLightMode ? colorScheme.fillFaint : Colors.white, + 'backgroundColor': colorScheme.backgroundElevated2, 'border': null, 'textColor': Colors.white, - 'innerBackgroundColor': Colors.black, + 'selectedInnerBackgroundColor': Colors.black, + 'innerBackgroundColor': Colors.transparent, }, LayerBackgroundMode.backgroundAndColor: { 'text': 'Aa', - 'backgroundColor': isLightMode ? colorScheme.fillFaint : Colors.white, + 'selectedBackgroundColor': + isLightMode ? colorScheme.fillFaint : Colors.white, + 'backgroundColor': colorScheme.backgroundElevated2, 'border': null, 'textColor': Colors.black, + 'selectedInnerBackgroundColor': Colors.transparent, 'innerBackgroundColor': Colors.transparent, }, LayerBackgroundMode.backgroundAndColorWithOpacity: { 'text': 'Aa', - 'backgroundColor': isLightMode ? colorScheme.fillFaint : Colors.white, + 'selectedBackgroundColor': + isLightMode ? colorScheme.fillFaint : Colors.white, + 'backgroundColor': colorScheme.backgroundElevated2, 'border': null, 'textColor': Colors.black, - 'innerBackgroundColor': Colors.black.withOpacity(0.11), + 'selectedInnerBackgroundColor': Colors.black.withOpacity(0.11), + 'innerBackgroundColor': isLightMode + ? Colors.black.withOpacity(0.11) + : Colors.white.withOpacity(0.11), }, LayerBackgroundMode.onlyColor: { 'text': 'Aa', - 'backgroundColor': isLightMode ? colorScheme.fillFaint : Colors.black, + 'selectedBackgroundColor': + isLightMode ? colorScheme.fillFaint : Colors.black, + 'backgroundColor': colorScheme.backgroundElevated2, 'border': isLightMode ? null : Border.all(color: Colors.white, width: 2), 'textColor': Colors.black, - 'innerBackgroundColor': Colors.white, + 'selectedInnerBackgroundColor': Colors.white, + 'innerBackgroundColor': Colors.white.withOpacity(0.6), }, }; @@ -256,8 +270,8 @@ class _BackgroundPickerWidget extends StatelessWidget { child: Container( decoration: BoxDecoration( color: isSelected - ? style['backgroundColor'] as Color - : colorScheme.backgroundElevated2, + ? style['selectedBackgroundColor'] as Color + : style['backgroundColor'] as Color, borderRadius: BorderRadius.circular(25), border: isSelected ? style['border'] as Border? : null, ), @@ -270,8 +284,8 @@ class _BackgroundPickerWidget extends StatelessWidget { width: 22, decoration: ShapeDecoration( color: isSelected - ? style['innerBackgroundColor'] as Color - : colorScheme.backgroundElevated2, + ? style['selectedInnerBackgroundColor'] as Color + : style['innerBackgroundColor'] as Color, shape: RoundedRectangleBorder( borderRadius: BorderRadius.circular(4), ), From 21d59fa0a32216f2706b09aeba5376f07e35535d Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Thu, 24 Jul 2025 17:30:14 +0530 Subject: [PATCH 130/302] Fix: adjust padding and spacing in crop rotate bar UI --- .../image_editor_crop_rotate.dart | 20 +++++++++---------- 1 file changed, 9 insertions(+), 11 deletions(-) diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_crop_rotate.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_crop_rotate.dart index e7e5c97c66..7d0b62f8e2 100644 --- a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_crop_rotate.dart +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_crop_rotate.dart @@ -99,6 +99,7 @@ class _ImageEditorCropRotateBarState extends State Widget _buildFunctions(BoxConstraints constraints) { return BottomAppBar( color: getEnteColorScheme(context).backgroundBase, + padding: EdgeInsets.zero, height: editorBottomBarHeight, child: Align( alignment: Alignment.bottomCenter, @@ -111,15 +112,15 @@ class _ImageEditorCropRotateBarState extends State mainAxisAlignment: MainAxisAlignment.center, children: [ CircularIconButton( - svgPath: "assets/image-editor/image-editor-crop-rotate.svg", + svgPath: "assets/image-editor/image-editor-crop-rotate.svg", label: "Rotate", onTap: () { widget.editor.rotate(); }, ), - const SizedBox(width: 12), + const SizedBox(width: 6), CircularIconButton( - svgPath: "assets/image-editor/image-editor-flip.svg", + svgPath: "assets/image-editor/image-editor-flip.svg", label: "Flip", onTap: () { widget.editor.flip(); @@ -127,9 +128,8 @@ class _ImageEditorCropRotateBarState extends State ), ], ), - const SizedBox(height: 20), SizedBox( - height: 48, + height: 40, child: ListView.builder( scrollDirection: Axis.horizontal, itemCount: CropAspectRatioType.values.length, @@ -190,17 +190,14 @@ class CropAspectChip extends StatelessWidget { : colorScheme.backgroundElevated2, borderRadius: BorderRadius.circular(25), ), - padding: const EdgeInsets.symmetric( - horizontal: 14, - vertical: 10, - ), + padding: const EdgeInsets.symmetric(horizontal: 12, vertical: 8), child: Row( - mainAxisSize: MainAxisSize.min, + mainAxisAlignment: MainAxisAlignment.spaceBetween, children: [ if (svg != null) ...[ SvgPicture.asset( svg!, - height: 40, + height: 32, colorFilter: ColorFilter.mode( isSelected ? colorScheme.backdropBase : colorScheme.tabIcon, BlendMode.srcIn, @@ -217,6 +214,7 @@ class CropAspectChip extends StatelessWidget { : colorScheme.tabIcon, ), ), + const SizedBox(width: 4), ], ), ), From 7a35748e30a473d1ba3443d08b424c5fe8958511 Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Thu, 24 Jul 2025 17:33:27 +0530 Subject: [PATCH 131/302] Minor fix --- .../ui/tools/editor/image_editor/image_editor_app_bar.dart | 5 +++-- .../ui/tools/editor/image_editor/image_editor_page_new.dart | 1 + 2 files changed, 4 insertions(+), 2 deletions(-) diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_app_bar.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_app_bar.dart index 96eeb220a9..85f2ab2d65 100644 --- a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_app_bar.dart +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_app_bar.dart @@ -87,8 +87,9 @@ class ImageEditorAppBar extends StatelessWidget implements PreferredSizeWidget { child: Text( isMainEditor ? 'Save Copy' : 'Done', style: getEnteTextTheme(context).body.copyWith( - color: - Theme.of(context).colorScheme.imageEditorPrimaryColor, + color: enableUndo + ? Theme.of(context).colorScheme.imageEditorPrimaryColor + : colorScheme.textMuted, ), ), ), diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart index 7a5ea825eb..13ff58e07a 100644 --- a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart @@ -338,6 +338,7 @@ class _NewImageEditorState extends State { ), ), textEditor: TextEditorConfigs( + canToggleBackgroundMode: true, canToggleTextAlign: true, customTextStyles: [ GoogleFonts.inter(), From 88e0c6cdbfa5b1659db15f746cba9976d5177ce0 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Thu, 24 Jul 2025 17:50:51 +0530 Subject: [PATCH 132/302] fix: review comments --- mobile/apps/photos/lib/services/entity_service.dart | 3 +-- .../ui/actions/collection/collection_file_actions.dart | 10 ++++------ 2 files changed, 5 insertions(+), 8 deletions(-) diff --git a/mobile/apps/photos/lib/services/entity_service.dart b/mobile/apps/photos/lib/services/entity_service.dart index 25793ac0d7..2fe2169cf8 100644 --- a/mobile/apps/photos/lib/services/entity_service.dart +++ b/mobile/apps/photos/lib/services/entity_service.dart @@ -80,12 +80,11 @@ class EntityService { " ${id == null ? 'Adding' : 'Updating'} entity of type: " + type.typeToString(), ); - late LocalEntityData localData; final EntityData data = id == null || addWithCustomID ? await _gateway.createEntity(type, id, encryptedData, header) : await _gateway.updateEntity(type, id, encryptedData, header); - localData = LocalEntityData( + final localData = LocalEntityData( id: data.id, type: type, data: plainText, diff --git a/mobile/apps/photos/lib/ui/actions/collection/collection_file_actions.dart b/mobile/apps/photos/lib/ui/actions/collection/collection_file_actions.dart index 14846dac5e..2deb10cf2a 100644 --- a/mobile/apps/photos/lib/ui/actions/collection/collection_file_actions.dart +++ b/mobile/apps/photos/lib/ui/actions/collection/collection_file_actions.dart @@ -183,14 +183,14 @@ extension CollectionFileActions on CollectionActions { } Future addToCollection( - BuildContext? context, + BuildContext context, int collectionID, bool showProgressDialog, { List? selectedFiles, List? sharedFiles, List? picketAssets, }) async { - ProgressDialog? dialog = showProgressDialog && context != null + ProgressDialog? dialog = showProgressDialog ? createProgressDialog( context, S.of(context).uploadingFilesToAlbum, @@ -246,7 +246,7 @@ extension CollectionFileActions on CollectionActions { final Collection? c = CollectionsService.instance.getCollectionByID(collectionID); if (c != null && c.owner.id != currentUserID) { - if (!showProgressDialog && context != null) { + if (!showProgressDialog) { dialog = createProgressDialog( context, S.of(context).uploadingFilesToAlbum, @@ -291,9 +291,7 @@ extension CollectionFileActions on CollectionActions { } catch (e, s) { logger.severe("Failed to add to album", e, s); await dialog?.hide(); - if (context != null) { - await showGenericErrorDialog(context: context, error: e); - } + await showGenericErrorDialog(context: context, error: e); rethrow; } } From 99de753c44770d4a9ddd3c772df54a196386f580 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Thu, 24 Jul 2025 18:11:54 +0530 Subject: [PATCH 133/302] chore: fix things --- mobile/apps/photos/lib/main.dart | 1 + mobile/apps/photos/lib/utils/bg_task_utils.dart | 3 ++- 2 files changed, 3 insertions(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/main.dart b/mobile/apps/photos/lib/main.dart index a897f97258..037f64759e 100644 --- a/mobile/apps/photos/lib/main.dart +++ b/mobile/apps/photos/lib/main.dart @@ -187,6 +187,7 @@ Future _runMinimally(String taskId, TimeLogger tlog) async { await MLService.instance.init(); await SemanticSearchService.instance.init(); + await PersonService.init(entityService, MLDataDB.instance, prefs); await MLService.instance.runAllML(force: true); await smartAlbumsService.syncSmartAlbums(); } diff --git a/mobile/apps/photos/lib/utils/bg_task_utils.dart b/mobile/apps/photos/lib/utils/bg_task_utils.dart index bca4d2f700..1ae1dfcb0b 100644 --- a/mobile/apps/photos/lib/utils/bg_task_utils.dart +++ b/mobile/apps/photos/lib/utils/bg_task_utils.dart @@ -6,6 +6,7 @@ import "package:permission_handler/permission_handler.dart"; import "package:photos/db/upload_locks_db.dart"; import "package:photos/extensions/stop_watch.dart"; import "package:photos/main.dart"; +import "package:photos/service_locator.dart"; import "package:photos/utils/file_uploader.dart"; import "package:shared_preferences/shared_preferences.dart"; import "package:workmanager/workmanager.dart" as workmanager; @@ -80,7 +81,7 @@ class BgTaskUtils { try { await workmanager.Workmanager().initialize( callbackDispatcher, - isInDebugMode: false, + isInDebugMode: Platform.isIOS && flagService.internalUser, ); await workmanager.Workmanager().registerPeriodicTask( backgroundTaskIdentifier, From 4f8b2e9fa0c3b6694df4b0465932520160e282b9 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Thu, 24 Jul 2025 19:05:54 +0530 Subject: [PATCH 134/302] fix: methods and fetching of EntityType --- .../apps/photos/lib/gateways/entity_gw.dart | 10 +++--- .../photos/lib/models/api/entity/key.dart | 4 +-- .../photos/lib/models/api/entity/type.dart | 32 ++++++------------- .../photos/lib/models/local_entity_data.dart | 4 +-- .../photos/lib/services/entity_service.dart | 13 ++++---- 5 files changed, 25 insertions(+), 38 deletions(-) diff --git a/mobile/apps/photos/lib/gateways/entity_gw.dart b/mobile/apps/photos/lib/gateways/entity_gw.dart index 7cbf4331f7..f26428c906 100644 --- a/mobile/apps/photos/lib/gateways/entity_gw.dart +++ b/mobile/apps/photos/lib/gateways/entity_gw.dart @@ -16,7 +16,7 @@ class EntityGateway { await _enteDio.post( "/user-entity/key", data: { - "type": entityType.typeToString(), + "type": entityType.name, "encryptedKey": encKey, "header": header, }, @@ -28,7 +28,7 @@ class EntityGateway { final response = await _enteDio.get( "/user-entity/key", queryParameters: { - "type": type.typeToString(), + "type": type.name, }, ); return EntityKey.fromMap(response.data); @@ -55,7 +55,7 @@ class EntityGateway { "encryptedData": encryptedData, if (id != null) "id": id, "header": header, - "type": type.typeToString(), + "type": type.name, }, ); return EntityData.fromMap(response.data); @@ -73,7 +73,7 @@ class EntityGateway { "id": id, "encryptedData": encryptedData, "header": header, - "type": type.typeToString(), + "type": type.name, }, ); return EntityData.fromMap(response.data); @@ -100,7 +100,7 @@ class EntityGateway { queryParameters: { "sinceTime": sinceTime, "limit": limit, - "type": type.typeToString(), + "type": type.name, }, ); final List authEntities = []; diff --git a/mobile/apps/photos/lib/models/api/entity/key.dart b/mobile/apps/photos/lib/models/api/entity/key.dart index 58e53e042a..a4285979eb 100644 --- a/mobile/apps/photos/lib/models/api/entity/key.dart +++ b/mobile/apps/photos/lib/models/api/entity/key.dart @@ -22,7 +22,7 @@ class EntityKey { Map toMap() { return { 'userID': userID, - 'type': type.typeToString(), + 'type': type.name, 'encryptedKey': encryptedKey, 'header': header, 'createdAt': createdAt, @@ -35,7 +35,7 @@ class EntityKey { map['encryptedKey']!, map['header']!, map['createdAt']?.toInt() ?? 0, - typeFromString(map['type']!), + entityTypeFromString(map['type']!), ); } diff --git a/mobile/apps/photos/lib/models/api/entity/type.dart b/mobile/apps/photos/lib/models/api/entity/type.dart index 6cf1cbc736..71714d9f0c 100644 --- a/mobile/apps/photos/lib/models/api/entity/type.dart +++ b/mobile/apps/photos/lib/models/api/entity/type.dart @@ -1,30 +1,11 @@ -import "package:flutter/foundation.dart"; - enum EntityType { location, person, cgroup, unknown, - smartAlbum, -} + smartAlbum; -EntityType typeFromString(String type) { - switch (type) { - case "location": - return EntityType.location; - case "person": - return EntityType.location; - case "cgroup": - return EntityType.cgroup; - case "smart_album": - return EntityType.smartAlbum; - } - debugPrint("unexpected entity type $type"); - return EntityType.unknown; -} - -extension EntityTypeExtn on EntityType { - bool isZipped() { + bool get isZipped { switch (this) { case EntityType.location: case EntityType.person: @@ -34,7 +15,7 @@ extension EntityTypeExtn on EntityType { } } - String typeToString() { + String get name { switch (this) { case EntityType.location: return "location"; @@ -49,3 +30,10 @@ extension EntityTypeExtn on EntityType { } } } + +EntityType entityTypeFromString(String type) { + return EntityType.values.firstWhere( + (e) => e.name == type, + orElse: () => EntityType.unknown, + ); +} diff --git a/mobile/apps/photos/lib/models/local_entity_data.dart b/mobile/apps/photos/lib/models/local_entity_data.dart index 910167b13e..17d6d9c031 100644 --- a/mobile/apps/photos/lib/models/local_entity_data.dart +++ b/mobile/apps/photos/lib/models/local_entity_data.dart @@ -20,7 +20,7 @@ class LocalEntityData { Map toJson() { return { "id": id, - "type": type.typeToString(), + "type": type.name, "data": data, "ownerID": ownerID, "updatedAt": updatedAt, @@ -30,7 +30,7 @@ class LocalEntityData { factory LocalEntityData.fromJson(Map json) { return LocalEntityData( id: json["id"], - type: typeFromString(json["type"]), + type: entityTypeFromString(json["type"]), data: json["data"], ownerID: json["ownerID"] as int, updatedAt: json["updatedAt"] as int, diff --git a/mobile/apps/photos/lib/services/entity_service.dart b/mobile/apps/photos/lib/services/entity_service.dart index 2fe2169cf8..bb8d159736 100644 --- a/mobile/apps/photos/lib/services/entity_service.dart +++ b/mobile/apps/photos/lib/services/entity_service.dart @@ -30,15 +30,15 @@ class EntityService { } String _getEntityKeyPrefix(EntityType type) { - return "entity_key_" + type.typeToString(); + return "entity_key_" + type.name; } String _getEntityHeaderPrefix(EntityType type) { - return "entity_key_header_" + type.typeToString(); + return "entity_key_header_" + type.name; } String _getEntityLastSyncTimePrefix(EntityType type) { - return "entity_last_sync_time_" + type.typeToString(); + return "entity_last_sync_time_" + type.name; } Future> getCertainEntities( @@ -65,7 +65,7 @@ class EntityService { final String plainText = jsonEncode(jsonMap); final key = await getOrCreateEntityKey(type); late String encryptedData, header; - if (type.isZipped()) { + if (type.isZipped) { final ChaChaEncryptionResult result = await gzipAndEncryptJson(jsonMap, key); encryptedData = result.encData; @@ -77,8 +77,7 @@ class EntityService { header = CryptoUtil.bin2base64(encryptedKeyData.header!); } debugPrint( - " ${id == null ? 'Adding' : 'Updating'} entity of type: " + - type.typeToString(), + " ${id == null ? 'Adding' : 'Updating'} entity of type: " + type.name, ); final EntityData data = id == null || addWithCustomID @@ -155,7 +154,7 @@ class EntityService { for (EntityData e in result) { try { late String plainText; - if (type.isZipped()) { + if (type.isZipped) { final jsonMap = await decryptAndUnzipJson( entityKey, encryptedData: e.encryptedData!, From 382cd90ea1db871d20a90aadfcf0d2de4b6cc7cd Mon Sep 17 00:00:00 2001 From: ashilkn Date: Thu, 24 Jul 2025 19:21:12 +0530 Subject: [PATCH 135/302] Fix group selection state not persisting on PinnedGroupHeader when scrolling --- .../gallery/component/group/group_header_widget.dart | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart b/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart index bb15519f81..23b338c6ae 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart @@ -39,6 +39,14 @@ class _GroupHeaderWidgetState extends State { widget.selectedFiles?.addListener(_selectedFilesListener); } + @override + void didUpdateWidget(covariant GroupHeaderWidget oldWidget) { + super.didUpdateWidget(oldWidget); + if (oldWidget.title != widget.title) { + _areAllFromGroupSelectedNotifier.value = _areAllFromGroupSelected(); + } + } + @override void dispose() { _areAllFromGroupSelectedNotifier.dispose(); From 446195b8f6bbfe87e1551bf3a31d2de7df82c094 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Thu, 24 Jul 2025 19:21:26 +0530 Subject: [PATCH 136/302] Minor improvement --- mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index d6089eb361..91781538d0 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -875,10 +875,10 @@ class _PinnedGroupHeaderState extends State { boxShadow: atZeroScroll ? [] : [ - BoxShadow( - color: Colors.black.withOpacity(0.15), + const BoxShadow( + color: Color(0x26000000), blurRadius: 4, - offset: const Offset(0, 2), + offset: Offset(0, 2), ), ], ), From 4c61fd248d32139ee0e624e940ecb411adf2e5d3 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Thu, 24 Jul 2025 19:45:05 +0530 Subject: [PATCH 137/302] Move Gallery settings from General->Advanced to General --- .../ui/settings/advanced_settings_screen.dart | 23 ------------------- .../ui/settings/gallery_settings_screen.dart | 1 - .../ui/settings/general_section_widget.dart | 20 ++++++++++++++++ .../gallery_group_type_picker_page.dart | 1 - .../gallery/photo_grid_size_picker_page.dart | 1 - 5 files changed, 20 insertions(+), 26 deletions(-) diff --git a/mobile/apps/photos/lib/ui/settings/advanced_settings_screen.dart b/mobile/apps/photos/lib/ui/settings/advanced_settings_screen.dart index d1b9ccfbd1..74f8afb11d 100644 --- a/mobile/apps/photos/lib/ui/settings/advanced_settings_screen.dart +++ b/mobile/apps/photos/lib/ui/settings/advanced_settings_screen.dart @@ -11,7 +11,6 @@ import 'package:photos/ui/components/title_bar_title_widget.dart'; import 'package:photos/ui/components/title_bar_widget.dart'; import "package:photos/ui/components/toggle_switch_widget.dart"; import "package:photos/ui/settings/app_icon_selection_screen.dart"; -import "package:photos/ui/settings/gallery_settings_screen.dart"; import "package:photos/ui/settings/ml/machine_learning_settings_page.dart"; import 'package:photos/utils/navigation_util.dart'; @@ -71,28 +70,6 @@ class AdvancedSettingsScreen extends StatelessWidget { const SizedBox( height: 24, ), - MenuItemWidget( - captionedTextWidget: CaptionedTextWidget( - title: S.of(context).gallery, - ), - menuItemColor: colorScheme.fillFaint, - trailingWidget: Icon( - Icons.chevron_right_outlined, - color: colorScheme.strokeBase, - ), - singleBorderRadius: 8, - alignCaptionedTextToLeft: true, - onTap: () async { - // ignore: unawaited_futures - routeToPage( - context, - const GallerySettingsScreen(), - ); - }, - ), - const SizedBox( - height: 24, - ), MenuItemWidget( captionedTextWidget: const CaptionedTextWidget( title: "App icon", diff --git a/mobile/apps/photos/lib/ui/settings/gallery_settings_screen.dart b/mobile/apps/photos/lib/ui/settings/gallery_settings_screen.dart index 23627f6679..99233bf30c 100644 --- a/mobile/apps/photos/lib/ui/settings/gallery_settings_screen.dart +++ b/mobile/apps/photos/lib/ui/settings/gallery_settings_screen.dart @@ -55,7 +55,6 @@ class _GallerySettingsScreenState extends State { onTap: () { Navigator.pop(context); Navigator.pop(context); - Navigator.pop(context); }, ), ], diff --git a/mobile/apps/photos/lib/ui/settings/general_section_widget.dart b/mobile/apps/photos/lib/ui/settings/general_section_widget.dart index e4f5df18cc..153bbbcaa6 100644 --- a/mobile/apps/photos/lib/ui/settings/general_section_widget.dart +++ b/mobile/apps/photos/lib/ui/settings/general_section_widget.dart @@ -13,6 +13,7 @@ import 'package:photos/ui/components/menu_item_widget/menu_item_widget.dart'; import "package:photos/ui/growth/referral_screen.dart"; import 'package:photos/ui/settings/advanced_settings_screen.dart'; import 'package:photos/ui/settings/common_settings.dart'; +import "package:photos/ui/settings/gallery_settings_screen.dart"; import "package:photos/ui/settings/language_picker.dart"; import "package:photos/ui/settings/notification_settings_screen.dart"; import "package:photos/ui/settings/widget_settings_screen.dart"; @@ -110,6 +111,18 @@ class GeneralSectionWidget extends StatelessWidget { }, ), sectionOptionSpacing, + MenuItemWidget( + captionedTextWidget: CaptionedTextWidget( + title: S.of(context).gallery, + ), + pressedColor: getEnteColorScheme(context).fillFaint, + trailingIcon: Icons.chevron_right_outlined, + trailingIconIsMuted: true, + onTap: () async { + _onGallerySettingsTapped(context); + }, + ), + sectionOptionSpacing, MenuItemWidget( captionedTextWidget: CaptionedTextWidget( title: S.of(context).advanced, @@ -153,4 +166,11 @@ class GeneralSectionWidget extends StatelessWidget { const AdvancedSettingsScreen(), ); } + + void _onGallerySettingsTapped(BuildContext context) { + routeToPage( + context, + const GallerySettingsScreen(), + ); + } } diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery_group_type_picker_page.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery_group_type_picker_page.dart index 76ef5835fb..edba5377ee 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery_group_type_picker_page.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery_group_type_picker_page.dart @@ -34,7 +34,6 @@ class GalleryGroupTypePickerPage extends StatelessWidget { Navigator.pop(context); Navigator.pop(context); Navigator.pop(context); - Navigator.pop(context); }, ), ], diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/photo_grid_size_picker_page.dart b/mobile/apps/photos/lib/ui/viewer/gallery/photo_grid_size_picker_page.dart index 72178521a2..f2c8203292 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/photo_grid_size_picker_page.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/photo_grid_size_picker_page.dart @@ -34,7 +34,6 @@ class PhotoGridSizePickerPage extends StatelessWidget { Navigator.pop(context); Navigator.pop(context); Navigator.pop(context); - Navigator.pop(context); }, ), ], From ee864ee0a5bd76095d410b3b4a70f7b3d35730e6 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Thu, 24 Jul 2025 19:49:01 +0530 Subject: [PATCH 138/302] Move Gallery setting to top of General section --- .../ui/settings/general_section_widget.dart | 24 +++++++++---------- 1 file changed, 12 insertions(+), 12 deletions(-) diff --git a/mobile/apps/photos/lib/ui/settings/general_section_widget.dart b/mobile/apps/photos/lib/ui/settings/general_section_widget.dart index 153bbbcaa6..d51685eb8d 100644 --- a/mobile/apps/photos/lib/ui/settings/general_section_widget.dart +++ b/mobile/apps/photos/lib/ui/settings/general_section_widget.dart @@ -34,6 +34,18 @@ class GeneralSectionWidget extends StatelessWidget { Widget _getSectionOptions(BuildContext context) { return Column( children: [ + sectionOptionSpacing, + MenuItemWidget( + captionedTextWidget: CaptionedTextWidget( + title: S.of(context).gallery, + ), + pressedColor: getEnteColorScheme(context).fillFaint, + trailingIcon: Icons.chevron_right_outlined, + trailingIconIsMuted: true, + onTap: () async { + _onGallerySettingsTapped(context); + }, + ), sectionOptionSpacing, MenuItemWidget( captionedTextWidget: CaptionedTextWidget( @@ -111,18 +123,6 @@ class GeneralSectionWidget extends StatelessWidget { }, ), sectionOptionSpacing, - MenuItemWidget( - captionedTextWidget: CaptionedTextWidget( - title: S.of(context).gallery, - ), - pressedColor: getEnteColorScheme(context).fillFaint, - trailingIcon: Icons.chevron_right_outlined, - trailingIconIsMuted: true, - onTap: () async { - _onGallerySettingsTapped(context); - }, - ), - sectionOptionSpacing, MenuItemWidget( captionedTextWidget: CaptionedTextWidget( title: S.of(context).advanced, From 78864b9301fe334b0027108f70f659f09e1c6272 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Thu, 24 Jul 2025 19:53:21 +0530 Subject: [PATCH 139/302] fix: controller dispose issue --- .../viewer/actions/smart_albums_status_widget.dart | 13 ++++++++----- 1 file changed, 8 insertions(+), 5 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/actions/smart_albums_status_widget.dart b/mobile/apps/photos/lib/ui/viewer/actions/smart_albums_status_widget.dart index ed293f4447..bbf9be5b18 100644 --- a/mobile/apps/photos/lib/ui/viewer/actions/smart_albums_status_widget.dart +++ b/mobile/apps/photos/lib/ui/viewer/actions/smart_albums_status_widget.dart @@ -23,9 +23,10 @@ class SmartAlbumsStatusWidget extends StatefulWidget { } class _SmartAlbumsStatusWidgetState extends State - with TickerProviderStateMixin { + with SingleTickerProviderStateMixin { (int, bool)? _syncingCollection; StreamSubscription? subscription; + AnimationController? animationController; void updateData(SmartAlbumSyncingEvent event) { if (mounted) { @@ -42,6 +43,10 @@ class _SmartAlbumsStatusWidgetState extends State @override void initState() { super.initState(); + animationController = AnimationController( + vsync: this, + duration: const Duration(milliseconds: 1200), + ); _syncingCollection = smartAlbumsService.syncingCollection; subscription = Bus.instance.on().listen(updateData); } @@ -49,6 +54,7 @@ class _SmartAlbumsStatusWidgetState extends State @override void dispose() { subscription?.cancel(); + animationController?.dispose(); super.dispose(); } @@ -88,10 +94,7 @@ class _SmartAlbumsStatusWidgetState extends State color: _syncingCollection?.$2 ?? true ? const Color(0xFF08C225) : const Color(0xFFF78426), - controller: AnimationController( - vsync: this, - duration: const Duration(milliseconds: 1200), - ), + controller: animationController, ), ), const SizedBox(width: 8), From 463602c42561bc2120e76ca8666d9f89eef0797e Mon Sep 17 00:00:00 2001 From: ashilkn Date: Thu, 24 Jul 2025 20:12:17 +0530 Subject: [PATCH 140/302] Use different haptics depending on Platform that comes when using the scrollbar --- mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart | 7 ++++++- 1 file changed, 6 insertions(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 91781538d0..6565dcc48c 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -1,4 +1,5 @@ import 'dart:async'; +import "dart:io"; import 'dart:math' as math; import 'package:flutter/foundation.dart'; @@ -828,7 +829,11 @@ class _PinnedGroupHeaderState extends State { setState(() {}); if (widget.scrollbarInUseNotifier.value) { - HapticFeedback.vibrate(); + if (Platform.isIOS) { + HapticFeedback.selectionClick(); + } else { + HapticFeedback.vibrate(); + } } } From 0d162b6075c30a27b33e1ca9fe12d839f62ea5eb Mon Sep 17 00:00:00 2001 From: Daniel T Date: Thu, 24 Jul 2025 15:02:48 -0500 Subject: [PATCH 141/302] chore: add accredible custom icon --- .../auth/assets/custom-icons/_data/custom-icons.json | 10 ++++++++++ .../apps/auth/assets/custom-icons/icons/accredible.svg | 8 ++++++++ 2 files changed, 18 insertions(+) create mode 100644 mobile/apps/auth/assets/custom-icons/icons/accredible.svg diff --git a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json index ba42bb47f1..c748203add 100644 --- a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json +++ b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json @@ -10,6 +10,16 @@ { "title": "3Commas" }, + { + "title": "Accredible", + "slug": "accredible", + "altNames": [ + "Accredible Certificates", + "Accredible Badges", + "Digital Credentials", + "certificates.zaka.ai" + ] + }, { "title": "Addy.io", "slug": "addy_io" diff --git a/mobile/apps/auth/assets/custom-icons/icons/accredible.svg b/mobile/apps/auth/assets/custom-icons/icons/accredible.svg new file mode 100644 index 0000000000..707dbf482d --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/accredible.svg @@ -0,0 +1,8 @@ + + + + + + + + From d57daf91a038259ec6ff57919fdba7b62a7e7294 Mon Sep 17 00:00:00 2001 From: Daniel T Date: Thu, 24 Jul 2025 15:19:17 -0500 Subject: [PATCH 142/302] chore: add xvideos custom icon --- .../apps/auth/assets/custom-icons/_data/custom-icons.json | 8 ++++++++ mobile/apps/auth/assets/custom-icons/icons/xvideos.svg | 1 + 2 files changed, 9 insertions(+) create mode 100644 mobile/apps/auth/assets/custom-icons/icons/xvideos.svg diff --git a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json index ba42bb47f1..4fad895b57 100644 --- a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json +++ b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json @@ -1581,6 +1581,14 @@ "title": "xAI", "slug": "xai" }, + { + "title": "XVideos", + "slug": "xvideos", + "altNames": [ + "X Videos", + "xvideos.com" + ] + }, { "title": "Cronometer", "slug": "cronometer" diff --git a/mobile/apps/auth/assets/custom-icons/icons/xvideos.svg b/mobile/apps/auth/assets/custom-icons/icons/xvideos.svg new file mode 100644 index 0000000000..91ccdbba27 --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/xvideos.svg @@ -0,0 +1 @@ + \ No newline at end of file From bc3302157cd7eefc52c4122da5f5604a70090246 Mon Sep 17 00:00:00 2001 From: Daniel T Date: Thu, 24 Jul 2025 15:27:05 -0500 Subject: [PATCH 143/302] chore: add custom icon for chaturbate --- .../apps/auth/assets/custom-icons/_data/custom-icons.json | 7 +++++++ mobile/apps/auth/assets/custom-icons/icons/chaturbate.svg | 1 + 2 files changed, 8 insertions(+) create mode 100644 mobile/apps/auth/assets/custom-icons/icons/chaturbate.svg diff --git a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json index ba42bb47f1..44c963dac5 100644 --- a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json +++ b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json @@ -279,6 +279,13 @@ "title": "CERN", "slug": "cern" }, + { + "title": "Chaturbate", + "slug": "chaturbate", + "altNames": [ + "Chaturbate.com" + ] + }, { "title": "ChangeNOW" }, diff --git a/mobile/apps/auth/assets/custom-icons/icons/chaturbate.svg b/mobile/apps/auth/assets/custom-icons/icons/chaturbate.svg new file mode 100644 index 0000000000..2c6992ebe7 --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/chaturbate.svg @@ -0,0 +1 @@ + \ No newline at end of file From 3ca5303db633d9086c6f8587a3850a3756b4c9f7 Mon Sep 17 00:00:00 2001 From: Daniel T Date: Thu, 24 Jul 2025 15:31:04 -0500 Subject: [PATCH 144/302] chore: add custom icon for lifemiles --- .../custom-icons/_data/custom-icons.json | 9 ++ .../assets/custom-icons/icons/lifemiles.svg | 101 ++++++++++++++++++ 2 files changed, 110 insertions(+) create mode 100644 mobile/apps/auth/assets/custom-icons/icons/lifemiles.svg diff --git a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json index ba42bb47f1..a27ecc3cc7 100644 --- a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json +++ b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json @@ -742,6 +742,15 @@ { "title": "Letterboxd" }, + { + "title": "LifeMiles", + "slug": "lifemiles", + "altNames": [ + "Life Miles", + "lifemiles.com", + "Avianca LifeMiles" + ] + }, { "title": "lincolnfinancial", "altNames": [ diff --git a/mobile/apps/auth/assets/custom-icons/icons/lifemiles.svg b/mobile/apps/auth/assets/custom-icons/icons/lifemiles.svg new file mode 100644 index 0000000000..b08d6f0107 --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/lifemiles.svg @@ -0,0 +1,101 @@ + + + +image/svg+xml + + + + + + + + + + + + + + + + + + + \ No newline at end of file From 25117f846a79bb04f59894e8091a3df8ef08567e Mon Sep 17 00:00:00 2001 From: Daniel T Date: Thu, 24 Jul 2025 15:34:51 -0500 Subject: [PATCH 145/302] chore: add custom icon for stripchat --- .../auth/assets/custom-icons/_data/custom-icons.json | 9 +++++++++ mobile/apps/auth/assets/custom-icons/icons/stripchat.svg | 1 + 2 files changed, 10 insertions(+) create mode 100644 mobile/apps/auth/assets/custom-icons/icons/stripchat.svg diff --git a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json index ba42bb47f1..e5bc1c018e 100644 --- a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json +++ b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json @@ -1299,6 +1299,15 @@ "title": "Startmail", "slug": "startmail" }, + { + "title": "Stripchat", + "slug": "stripchat", + "altNames": [ + "Strip Chat", + "stripchat.com", + "StripChat Live" + ] + }, { "title": "STRATO", "hex": "FF8800" diff --git a/mobile/apps/auth/assets/custom-icons/icons/stripchat.svg b/mobile/apps/auth/assets/custom-icons/icons/stripchat.svg new file mode 100644 index 0000000000..4a338ee588 --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/stripchat.svg @@ -0,0 +1 @@ + \ No newline at end of file From 74d930005c2a132c3aa02cd69b32436674f2fd12 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Fri, 25 Jul 2025 02:40:16 +0530 Subject: [PATCH 146/302] fix: some changes --- mobile/apps/photos/lib/main.dart | 9 +++------ .../services/machine_learning/compute_controller.dart | 7 ++++++- .../photos/lib/services/machine_learning/ml_service.dart | 8 +++++--- mobile/apps/photos/lib/utils/bg_task_utils.dart | 2 +- 4 files changed, 15 insertions(+), 11 deletions(-) diff --git a/mobile/apps/photos/lib/main.dart b/mobile/apps/photos/lib/main.dart index 037f64759e..8f33cf3fd2 100644 --- a/mobile/apps/photos/lib/main.dart +++ b/mobile/apps/photos/lib/main.dart @@ -119,11 +119,6 @@ Future _homeWidgetSync([bool isBackground = false]) async { return; } - if (isBackground) { - final locale = await getLocale(); - await initializeDateFormatting(locale?.languageCode ?? "en"); - } - try { await HomeWidgetService.instance.initHomeWidget(isBackground); } catch (e, s) { @@ -182,11 +177,13 @@ Future _runMinimally(String taskId, TimeLogger tlog) async { // only runs for android updateService.showUpdateNotification().ignore(); await _sync('bgTaskActiveProcess'); + + final locale = await getLocale(); + await initializeDateFormatting(locale?.languageCode ?? "en"); // only runs for android await _homeWidgetSync(true); await MLService.instance.init(); - await SemanticSearchService.instance.init(); await PersonService.init(entityService, MLDataDB.instance, prefs); await MLService.instance.runAllML(force: true); await smartAlbumsService.syncSmartAlbums(); diff --git a/mobile/apps/photos/lib/services/machine_learning/compute_controller.dart b/mobile/apps/photos/lib/services/machine_learning/compute_controller.dart index dfc663f85c..3c4f9d046c 100644 --- a/mobile/apps/photos/lib/services/machine_learning/compute_controller.dart +++ b/mobile/apps/photos/lib/services/machine_learning/compute_controller.dart @@ -8,6 +8,7 @@ import "package:flutter/foundation.dart"; import "package:logging/logging.dart"; import "package:photos/core/event_bus.dart"; import "package:photos/events/compute_control_event.dart"; +import "package:photos/main.dart"; import "package:thermal/thermal.dart"; enum _ComputeRunState { @@ -71,8 +72,12 @@ class ComputeController { } bool requestCompute({bool ml = false, bool stream = false}) { + // TODO: Remove check + if (!isProcessBg) { + return false; + } _logger.info("Requesting compute: ml: $ml, stream: $stream"); - if (!_isDeviceHealthy || !_canRunGivenUserInteraction()) { + if (!_isDeviceHealthy || !isProcessBg && !_canRunGivenUserInteraction()) { _logger.info("Device not healthy or user interacting, denying request."); return false; } diff --git a/mobile/apps/photos/lib/services/machine_learning/ml_service.dart b/mobile/apps/photos/lib/services/machine_learning/ml_service.dart index 1312aabc6b..c059512d37 100644 --- a/mobile/apps/photos/lib/services/machine_learning/ml_service.dart +++ b/mobile/apps/photos/lib/services/machine_learning/ml_service.dart @@ -10,6 +10,7 @@ import "package:photos/db/files_db.dart"; import "package:photos/db/ml/db.dart"; import "package:photos/events/compute_control_event.dart"; import "package:photos/events/people_changed_event.dart"; +import "package:photos/main.dart"; import "package:photos/models/ml/face/face.dart"; import "package:photos/models/ml/ml_versions.dart"; import "package:photos/service_locator.dart"; @@ -136,7 +137,7 @@ class MLService { ); await clusterAllImages(); } - if (_mlControllerStatus == true) { + if (!isProcessBg && _mlControllerStatus == true) { // refresh discover section magicCacheService.updateCache(forced: force).ignore(); // refresh memories section @@ -148,7 +149,7 @@ class MLService { if ((await mlDataDB.getUnclusteredFaceCount()) > 0) { await clusterAllImages(); } - if (_mlControllerStatus == true) { + if (!isProcessBg && _mlControllerStatus == true) { // refresh discover section magicCacheService.updateCache().ignore(); // refresh memories section (only runs if forced is true) @@ -158,9 +159,10 @@ class MLService { _logger.severe("runAllML failed", e, s); rethrow; } finally { + _logger.severe("ML finished running"); _isRunningML = false; computeController.releaseCompute(ml: true); - VideoPreviewService.instance.queueFiles(); + if (!isProcessBg) VideoPreviewService.instance.queueFiles(); } } diff --git a/mobile/apps/photos/lib/utils/bg_task_utils.dart b/mobile/apps/photos/lib/utils/bg_task_utils.dart index 1ae1dfcb0b..a4d9c699b0 100644 --- a/mobile/apps/photos/lib/utils/bg_task_utils.dart +++ b/mobile/apps/photos/lib/utils/bg_task_utils.dart @@ -23,7 +23,7 @@ void callbackDispatcher() { try { BgTaskUtils.$.info('Task started $tlog'); await runBackgroundTask(taskName, tlog).timeout( - Platform.isIOS ? kBGTaskTimeout : const Duration(hours: 1), + !Platform.isIOS ? kBGTaskTimeout : const Duration(hours: 1), onTimeout: () async { BgTaskUtils.$.warning( "TLE, committing seppuku for taskID: $taskName", From b71651220b5c4ba2963470b8b5d6e77201ee2a57 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Fri, 25 Jul 2025 02:40:39 +0530 Subject: [PATCH 147/302] chore: revert --- .../lib/services/machine_learning/compute_controller.dart | 4 ---- 1 file changed, 4 deletions(-) diff --git a/mobile/apps/photos/lib/services/machine_learning/compute_controller.dart b/mobile/apps/photos/lib/services/machine_learning/compute_controller.dart index 3c4f9d046c..8f19c83c19 100644 --- a/mobile/apps/photos/lib/services/machine_learning/compute_controller.dart +++ b/mobile/apps/photos/lib/services/machine_learning/compute_controller.dart @@ -72,10 +72,6 @@ class ComputeController { } bool requestCompute({bool ml = false, bool stream = false}) { - // TODO: Remove check - if (!isProcessBg) { - return false; - } _logger.info("Requesting compute: ml: $ml, stream: $stream"); if (!_isDeviceHealthy || !isProcessBg && !_canRunGivenUserInteraction()) { _logger.info("Device not healthy or user interacting, denying request."); From 62baa623c97c411ba1cb3029ed61a78bbfe9ff5e Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Fri, 25 Jul 2025 02:40:49 +0530 Subject: [PATCH 148/302] chore: update locks --- mobile/apps/photos/ios/Podfile.lock | 7 -- .../ios/Runner.xcodeproj/project.pbxproj | 2 - .../xcshareddata/xcschemes/Runner.xcscheme | 1 + mobile/apps/photos/pubspec.lock | 114 +++++++++--------- 4 files changed, 58 insertions(+), 66 deletions(-) diff --git a/mobile/apps/photos/ios/Podfile.lock b/mobile/apps/photos/ios/Podfile.lock index 55224eaaf9..3818fca973 100644 --- a/mobile/apps/photos/ios/Podfile.lock +++ b/mobile/apps/photos/ios/Podfile.lock @@ -127,9 +127,6 @@ PODS: - libwebp/sharpyuv (1.5.0) - libwebp/webp (1.5.0): - libwebp/sharpyuv - - local_auth_darwin (0.0.1): - - Flutter - - FlutterMacOS - local_auth_ios (0.0.1): - Flutter - Mantle (2.2.0): @@ -269,7 +266,6 @@ DEPENDENCIES: - in_app_purchase_storekit (from `.symlinks/plugins/in_app_purchase_storekit/darwin`) - integration_test (from `.symlinks/plugins/integration_test/ios`) - launcher_icon_switcher (from `.symlinks/plugins/launcher_icon_switcher/ios`) - - local_auth_darwin (from `.symlinks/plugins/local_auth_darwin/darwin`) - local_auth_ios (from `.symlinks/plugins/local_auth_ios/ios`) - maps_launcher (from `.symlinks/plugins/maps_launcher/ios`) - media_extension (from `.symlinks/plugins/media_extension/ios`) @@ -377,8 +373,6 @@ EXTERNAL SOURCES: :path: ".symlinks/plugins/integration_test/ios" launcher_icon_switcher: :path: ".symlinks/plugins/launcher_icon_switcher/ios" - local_auth_darwin: - :path: ".symlinks/plugins/local_auth_darwin/darwin" local_auth_ios: :path: ".symlinks/plugins/local_auth_ios/ios" maps_launcher: @@ -479,7 +473,6 @@ SPEC CHECKSUMS: integration_test: 4a889634ef21a45d28d50d622cf412dc6d9f586e launcher_icon_switcher: 84c218d233505aa7d8655d8fa61a3ba802c022da libwebp: 02b23773aedb6ff1fd38cec7a77b81414c6842a8 - local_auth_darwin: 553ce4f9b16d3fdfeafce9cf042e7c9f77c1c391 local_auth_ios: f7a1841beef3151d140a967c2e46f30637cdf451 Mantle: c5aa8794a29a022dfbbfc9799af95f477a69b62d maps_launcher: edf829809ba9e894d70e569bab11c16352dedb45 diff --git a/mobile/apps/photos/ios/Runner.xcodeproj/project.pbxproj b/mobile/apps/photos/ios/Runner.xcodeproj/project.pbxproj index d1c1bff9f4..8640b17d3a 100644 --- a/mobile/apps/photos/ios/Runner.xcodeproj/project.pbxproj +++ b/mobile/apps/photos/ios/Runner.xcodeproj/project.pbxproj @@ -548,7 +548,6 @@ "${BUILT_PRODUCTS_DIR}/integration_test/integration_test.framework", "${BUILT_PRODUCTS_DIR}/launcher_icon_switcher/launcher_icon_switcher.framework", "${BUILT_PRODUCTS_DIR}/libwebp/libwebp.framework", - "${BUILT_PRODUCTS_DIR}/local_auth_darwin/local_auth_darwin.framework", "${BUILT_PRODUCTS_DIR}/local_auth_ios/local_auth_ios.framework", "${BUILT_PRODUCTS_DIR}/maps_launcher/maps_launcher.framework", "${BUILT_PRODUCTS_DIR}/media_extension/media_extension.framework", @@ -644,7 +643,6 @@ "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/integration_test.framework", "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/launcher_icon_switcher.framework", "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/libwebp.framework", - "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/local_auth_darwin.framework", "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/local_auth_ios.framework", "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/maps_launcher.framework", "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/media_extension.framework", diff --git a/mobile/apps/photos/ios/Runner.xcodeproj/xcshareddata/xcschemes/Runner.xcscheme b/mobile/apps/photos/ios/Runner.xcodeproj/xcshareddata/xcschemes/Runner.xcscheme index 5e31d3d342..c53e2b314e 100644 --- a/mobile/apps/photos/ios/Runner.xcodeproj/xcshareddata/xcschemes/Runner.xcscheme +++ b/mobile/apps/photos/ios/Runner.xcodeproj/xcshareddata/xcschemes/Runner.xcscheme @@ -48,6 +48,7 @@ ignoresPersistentStateOnLaunch = "NO" debugDocumentVersioning = "YES" debugServiceExtension = "internal" + enableGPUValidationMode = "1" allowLocationSimulation = "YES"> diff --git a/mobile/apps/photos/pubspec.lock b/mobile/apps/photos/pubspec.lock index f3a4746484..f1609a0641 100644 --- a/mobile/apps/photos/pubspec.lock +++ b/mobile/apps/photos/pubspec.lock @@ -5,10 +5,10 @@ packages: dependency: transitive description: name: _fe_analyzer_shared - sha256: f256b0c0ba6c7577c15e2e4e114755640a875e885099367bf6e012b19314c834 + sha256: "16e298750b6d0af7ce8a3ba7c18c69c3785d11b15ec83f6dcd0ad2a0009b3cab" url: "https://pub.dev" source: hosted - version: "72.0.0" + version: "76.0.0" _flutterfire_internals: dependency: transitive description: @@ -21,7 +21,7 @@ packages: dependency: transitive description: dart source: sdk - version: "0.3.2" + version: "0.3.3" adaptive_theme: dependency: "direct main" description: @@ -34,10 +34,10 @@ packages: dependency: transitive description: name: analyzer - sha256: b652861553cd3990d8ed361f7979dc6d7053a9ac8843fa73820ab68ce5410139 + sha256: "1f14db053a8c23e260789e9b0980fa27f2680dd640932cae5e1137cce0e46e1e" url: "https://pub.dev" source: hosted - version: "6.7.0" + version: "6.11.0" android_intent_plus: dependency: "direct main" description: @@ -130,10 +130,10 @@ packages: dependency: "direct main" description: name: async - sha256: "947bfcf187f74dbc5e146c9eb9c0f10c9f8b30743e341481c1e2ed3ecc18c20c" + sha256: d2872f9c19731c2e5f10444b14686eb7cc85c76274bd6c16e1816bff9a3bab63 url: "https://pub.dev" source: hosted - version: "2.11.0" + version: "2.12.0" battery_info: dependency: "direct main" description: @@ -155,10 +155,10 @@ packages: dependency: transitive description: name: boolean_selector - sha256: "6cfb5af12253eaf2b368f07bacc5a80d1301a071c73360d746b7f2e32d762c66" + sha256: "8aab1771e1243a5063b8b0ff68042d67334e3feab9e95b9490f9a6ebf73b42ea" url: "https://pub.dev" source: hosted - version: "2.1.1" + version: "2.1.2" brotli: dependency: transitive description: @@ -268,10 +268,10 @@ packages: dependency: transitive description: name: characters - sha256: "04a925763edad70e8443c99234dc3328f442e811f1d8fd1a72f1c8ad0f69a605" + sha256: f71061c654a3380576a52b451dd5532377954cf9dbd272a78fc8479606670803 url: "https://pub.dev" source: hosted - version: "1.3.0" + version: "1.4.0" checked_yaml: dependency: transitive description: @@ -301,10 +301,10 @@ packages: dependency: transitive description: name: clock - sha256: cb6d7f03e1de671e34607e909a7213e31d7752be4fb66a86d29fe1eb14bfb5cf + sha256: fddb70d9b5277016c77a80201021d40a2247104d9f4aa7bab7157b7e3f05b84b url: "https://pub.dev" source: hosted - version: "1.1.1" + version: "1.1.2" code_builder: dependency: transitive description: @@ -317,10 +317,10 @@ packages: dependency: "direct main" description: name: collection - sha256: ee67cb0715911d28db6bf4af1026078bd6f0128b07a5f66fb2ed94ec6783c09a + sha256: "2f5709ae4d3d59dd8f7cd309b4e023046b57d8a6c82130785d2b0e5868084e76" url: "https://pub.dev" source: hosted - version: "1.18.0" + version: "1.19.1" computer: dependency: "direct main" description: @@ -619,10 +619,10 @@ packages: dependency: transitive description: name: fake_async - sha256: "511392330127add0b769b75a987850d136345d9227c6b94c96a04cf4a391bf78" + sha256: "6a95e56b2449df2273fd8c45a662d6947ce1ebb7aafe80e550a3f68297f3cacc" url: "https://pub.dev" source: hosted - version: "1.3.1" + version: "1.3.2" fast_base58: dependency: "direct main" description: @@ -668,10 +668,10 @@ packages: dependency: transitive description: name: file - sha256: "5fc22d7c25582e38ad9a8515372cd9a93834027aacf1801cf01164dac0ffa08c" + sha256: a3b4f84adafef897088c160faf7dfffb7696046cb13ae90b508c2cbc95d3b8d4 url: "https://pub.dev" source: hosted - version: "7.0.0" + version: "7.0.1" file_saver: dependency: "direct main" description: @@ -1416,18 +1416,18 @@ packages: dependency: transitive description: name: leak_tracker - sha256: "3f87a60e8c63aecc975dda1ceedbc8f24de75f09e4856ea27daf8958f2f0ce05" + sha256: c35baad643ba394b40aac41080300150a4f08fd0fd6a10378f8f7c6bc161acec url: "https://pub.dev" source: hosted - version: "10.0.5" + version: "10.0.8" leak_tracker_flutter_testing: dependency: transitive description: name: leak_tracker_flutter_testing - sha256: "932549fb305594d82d7183ecd9fa93463e9914e1b67cacc34bc40906594a1806" + sha256: f8b613e7e6a13ec79cfdc0e97638fddb3ab848452eff057653abd3edba760573 url: "https://pub.dev" source: hosted - version: "3.0.5" + version: "3.0.9" leak_tracker_testing: dependency: transitive description: @@ -1536,10 +1536,10 @@ packages: dependency: transitive description: name: macros - sha256: "0acaed5d6b7eab89f63350bccd82119e6c602df0f391260d0e32b5e23db79536" + sha256: "1d9e801cd66f7ea3663c45fc708450db1fa57f988142c64289142c9b7ee80656" url: "https://pub.dev" source: hosted - version: "0.1.2-main.4" + version: "0.1.3-main.0" maps_launcher: dependency: "direct main" description: @@ -1552,10 +1552,10 @@ packages: dependency: transitive description: name: matcher - sha256: d2323aa2060500f906aa31a895b4030b6da3ebdcc5619d14ce1aada65cd161cb + sha256: dc58c723c3c24bf8d3e2d3ad3f2f9d7bd9cf43ec6feaa64181775e60190153f2 url: "https://pub.dev" source: hosted - version: "0.12.16+1" + version: "0.12.17" material_color_utilities: dependency: transitive description: @@ -1645,10 +1645,10 @@ packages: dependency: transitive description: name: meta - sha256: bdb68674043280c3428e9ec998512fb681678676b3c54e773629ffe74419f8c7 + sha256: e3641ec5d63ebf0d9b41bd43201a66e3fc79a65db5f61fc181f04cd27aab950c url: "https://pub.dev" source: hosted - version: "1.15.0" + version: "1.16.0" mgrs_dart: dependency: transitive description: @@ -1859,10 +1859,10 @@ packages: dependency: "direct main" description: name: path - sha256: "087ce49c3f0dc39180befefc60fdb4acd8f8620e5682fe2476afd0b3688bb4af" + sha256: "75cca69d1490965be98c73ceaea117e8a04dd21217b37b292c9ddbec0d955bc5" url: "https://pub.dev" source: hosted - version: "1.9.0" + version: "1.9.1" path_drawing: dependency: transitive description: @@ -2019,10 +2019,10 @@ packages: dependency: transitive description: name: platform - sha256: "9b71283fc13df574056616011fb138fd3b793ea47cc509c189a6c3fa5f8a1a65" + sha256: "5d6b1b0036a5f331ebc77c850ebc8506cbc1e9416c27e59b439f917a902a4984" url: "https://pub.dev" source: hosted - version: "3.1.5" + version: "3.1.6" plugin_platform_interface: dependency: transitive description: @@ -2068,10 +2068,10 @@ packages: dependency: transitive description: name: process - sha256: "21e54fd2faf1b5bdd5102afd25012184a6793927648ea81eea80552ac9405b32" + sha256: "107d8be718f120bbba9dcd1e95e3bd325b1b4a4f07db64154635ba03f2567a0d" url: "https://pub.dev" source: hosted - version: "5.0.2" + version: "5.0.3" proj4dart: dependency: transitive description: @@ -2309,7 +2309,7 @@ packages: dependency: transitive description: flutter source: sdk - version: "0.0.99" + version: "0.0.0" source_gen: dependency: transitive description: @@ -2346,10 +2346,10 @@ packages: dependency: transitive description: name: source_span - sha256: "53e943d4206a5e30df338fd4c6e7a077e02254531b138a15aec3bd143c1a8b3c" + sha256: "254ee5351d6cb365c859e20ee823c3bb479bf4a293c22d17a9f1bf144ce86f7c" url: "https://pub.dev" source: hosted - version: "1.10.0" + version: "1.10.1" sprintf: dependency: transitive description: @@ -2434,10 +2434,10 @@ packages: dependency: transitive description: name: stack_trace - sha256: "73713990125a6d93122541237550ee3352a2d84baad52d375a4cad2eb9b7ce0b" + sha256: "8b27215b45d22309b5cddda1aa2b19bdfec9df0e765f2de506401c071d38d1b1" url: "https://pub.dev" source: hosted - version: "1.11.1" + version: "1.12.1" step_progress_indicator: dependency: "direct main" description: @@ -2450,10 +2450,10 @@ packages: dependency: transitive description: name: stream_channel - sha256: ba2aa5d8cc609d96bbb2899c28934f9e1af5cddbd60a827822ea467161eb54e7 + sha256: "969e04c80b8bcdf826f8f16579c7b14d780458bd97f56d107d3950fdbeef059d" url: "https://pub.dev" source: hosted - version: "2.1.2" + version: "2.1.4" stream_transform: dependency: transitive description: @@ -2466,10 +2466,10 @@ packages: dependency: transitive description: name: string_scanner - sha256: "556692adab6cfa87322a115640c11f13cb77b3f076ddcc5d6ae3c20242bedcde" + sha256: "921cd31725b72fe181906c6a94d987c78e3b98c2e205b397ea399d4054872b43" url: "https://pub.dev" source: hosted - version: "1.2.0" + version: "1.4.1" styled_text: dependency: "direct main" description: @@ -2522,34 +2522,34 @@ packages: dependency: transitive description: name: term_glyph - sha256: a29248a84fbb7c79282b40b8c72a1209db169a2e0542bce341da992fe1bc7e84 + sha256: "7f554798625ea768a7518313e58f83891c7f5024f88e46e7182a4558850a4b8e" url: "https://pub.dev" source: hosted - version: "1.2.1" + version: "1.2.2" test: dependency: "direct dev" description: name: test - sha256: "7ee44229615f8f642b68120165ae4c2a75fe77ae2065b1e55ae4711f6cf0899e" + sha256: "301b213cd241ca982e9ba50266bd3f5bd1ea33f1455554c5abb85d1be0e2d87e" url: "https://pub.dev" source: hosted - version: "1.25.7" + version: "1.25.15" test_api: dependency: transitive description: name: test_api - sha256: "5b8a98dafc4d5c4c9c72d8b31ab2b23fc13422348d2997120294d3bac86b4ddb" + sha256: fb31f383e2ee25fbbfe06b40fe21e1e458d14080e3c67e7ba0acfde4df4e0bbd url: "https://pub.dev" source: hosted - version: "0.7.2" + version: "0.7.4" test_core: dependency: transitive description: name: test_core - sha256: "55ea5a652e38a1dfb32943a7973f3681a60f872f8c3a05a14664ad54ef9c6696" + sha256: "84d17c3486c8dfdbe5e12a50c8ae176d15e2a771b96909a9442b40173649ccaa" url: "https://pub.dev" source: hosted - version: "0.6.4" + version: "0.6.8" thermal: dependency: "direct main" description: @@ -2813,10 +2813,10 @@ packages: dependency: transitive description: name: vm_service - sha256: "5c5f338a667b4c644744b661f309fb8080bb94b18a7e91ef1dbd343bed00ed6d" + sha256: "0968250880a6c5fe7edc067ed0a13d4bae1577fe2771dcf3010d52c4a9d3ca14" url: "https://pub.dev" source: hosted - version: "14.2.5" + version: "14.3.1" volume_controller: dependency: transitive description: @@ -2877,10 +2877,10 @@ packages: dependency: transitive description: name: webdriver - sha256: "003d7da9519e1e5f329422b36c4dcdf18d7d2978d1ba099ea4e45ba490ed845e" + sha256: "3d773670966f02a646319410766d3b5e1037efb7f07cc68f844d5e06cd4d61c8" url: "https://pub.dev" source: hosted - version: "3.0.3" + version: "3.0.4" webkit_inspection_protocol: dependency: transitive description: @@ -2978,5 +2978,5 @@ packages: source: hosted version: "3.1.3" sdks: - dart: ">=3.5.0 <4.0.0" + dart: ">=3.7.0-0 <4.0.0" flutter: ">=3.24.0" From 8f8eeb82a97972314eae13050644342159e8ba3c Mon Sep 17 00:00:00 2001 From: Daniel T Date: Thu, 24 Jul 2025 15:51:16 -0500 Subject: [PATCH 149/302] chore: add custom icon for auth digital --- .../apps/auth/assets/custom-icons/_data/custom-icons.json | 7 +++++++ .../apps/auth/assets/custom-icons/icons/auth_digital.svg | 1 + 2 files changed, 8 insertions(+) create mode 100644 mobile/apps/auth/assets/custom-icons/icons/auth_digital.svg diff --git a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json index ba42bb47f1..11ee25eceb 100644 --- a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json +++ b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json @@ -71,6 +71,13 @@ ], "hex": "fd4b2d" }, + { + "title": "Autenticacion Digital", + "slug": "autenticacion-digital", + "altNames": [ + "autenticaciondigital.and.gov.co" + ] + }, { "title": "availity" }, diff --git a/mobile/apps/auth/assets/custom-icons/icons/auth_digital.svg b/mobile/apps/auth/assets/custom-icons/icons/auth_digital.svg new file mode 100644 index 0000000000..173f12977c --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/auth_digital.svg @@ -0,0 +1 @@ + \ No newline at end of file From 93b7cb8beacc431abfdb277706c864a2ae844f1f Mon Sep 17 00:00:00 2001 From: Eric Nielsen <4120606+ericbn@users.noreply.github.com> Date: Thu, 24 Jul 2025 21:55:15 -0500 Subject: [PATCH 150/302] Add custom icons for Tableau and X --- .../custom-icons/_data/custom-icons.json | 11 +++- .../assets/custom-icons/icons/tableau.svg | 52 +++++++++++++++++++ .../apps/auth/assets/custom-icons/icons/x.svg | 18 +++++++ 3 files changed, 80 insertions(+), 1 deletion(-) create mode 100644 mobile/apps/auth/assets/custom-icons/icons/tableau.svg create mode 100644 mobile/apps/auth/assets/custom-icons/icons/x.svg diff --git a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json index ba42bb47f1..39a9b24bb5 100644 --- a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json +++ b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json @@ -436,7 +436,7 @@ "title": "emeritihealth", "altNames": [ "Emeriti Health", - "Emeriti Retirement Health", + "Emeriti Retirement Health" ] }, { @@ -1317,6 +1317,9 @@ "T-Mobile ID" ] }, + { + "title": "Tableau" + }, { "title": "TCPShield" }, @@ -1526,6 +1529,12 @@ { "title": "WYZE" }, + { + "title": "X", + "altNames": [ + "Twitter" + ] + }, { "title": "Xbox", "hex": "107C10" diff --git a/mobile/apps/auth/assets/custom-icons/icons/tableau.svg b/mobile/apps/auth/assets/custom-icons/icons/tableau.svg new file mode 100644 index 0000000000..361bb578ac --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/tableau.svg @@ -0,0 +1,52 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/mobile/apps/auth/assets/custom-icons/icons/x.svg b/mobile/apps/auth/assets/custom-icons/icons/x.svg new file mode 100644 index 0000000000..d6464cc0bf --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/x.svg @@ -0,0 +1,18 @@ + + + + + + + + + + + + + + + \ No newline at end of file From aede55eb72fb78363618c568bbdb43238640f592 Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Fri, 25 Jul 2025 09:50:45 +0530 Subject: [PATCH 151/302] Fix: adjust spacing in the image editor app bar --- .../image_editor/image_editor_app_bar.dart | 34 ++++++++++++------- 1 file changed, 22 insertions(+), 12 deletions(-) diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_app_bar.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_app_bar.dart index 85f2ab2d65..03e84cf75d 100644 --- a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_app_bar.dart +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_app_bar.dart @@ -64,7 +64,7 @@ class ImageEditorAppBar extends StatelessWidget implements PreferredSizeWidget { ), ), ), - const SizedBox(width: 16), + const SizedBox(width: 12), IconButton( tooltip: 'Redo', onPressed: () { @@ -80,17 +80,27 @@ class ImageEditorAppBar extends StatelessWidget implements PreferredSizeWidget { ), ], ), - TextButton( - onPressed: () { - done(); - }, - child: Text( - isMainEditor ? 'Save Copy' : 'Done', - style: getEnteTextTheme(context).body.copyWith( - color: enableUndo - ? Theme.of(context).colorScheme.imageEditorPrimaryColor - : colorScheme.textMuted, - ), + AnimatedSwitcher( + duration: const Duration(milliseconds: 250), + transitionBuilder: (child, animation) => + FadeTransition(opacity: animation, child: child), + child: TextButton( + key: ValueKey(isMainEditor ? 'save_copy' : 'done'), + onPressed: done, + child: Text( + isMainEditor ? 'Save Copy' : 'Done', + style: getEnteTextTheme(context).body.copyWith( + color: isMainEditor + ? (enableUndo + ? Theme.of(context) + .colorScheme + .imageEditorPrimaryColor + : colorScheme.textMuted) + : Theme.of(context) + .colorScheme + .imageEditorPrimaryColor, + ), + ), ), ), ], From ed7cc5f8c19a8b51c890b5a4f292d3381f6a2e4d Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Fri, 25 Jul 2025 09:51:08 +0530 Subject: [PATCH 152/302] Add SVG delete icon and update image editor UI to use it --- .../image-editor/image-editor-delete.svg | 6 +++ .../image_editor/image_editor_page_new.dart | 53 ++++++++++++++++--- 2 files changed, 51 insertions(+), 8 deletions(-) create mode 100644 mobile/apps/photos/assets/image-editor/image-editor-delete.svg diff --git a/mobile/apps/photos/assets/image-editor/image-editor-delete.svg b/mobile/apps/photos/assets/image-editor/image-editor-delete.svg new file mode 100644 index 0000000000..392fc4cb52 --- /dev/null +++ b/mobile/apps/photos/assets/image-editor/image-editor-delete.svg @@ -0,0 +1,6 @@ + + + + + + diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart index 13ff58e07a..771ac502a9 100644 --- a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart @@ -6,6 +6,7 @@ import 'dart:ui' as ui show Image; import 'package:flutter/material.dart'; import "package:flutter_image_compress/flutter_image_compress.dart"; +import "package:flutter_svg/svg.dart"; import "package:google_fonts/google_fonts.dart"; import "package:logging/logging.dart"; import 'package:path/path.dart' as path; @@ -202,6 +203,11 @@ class _NewImageEditorState extends State { ), ), configs: ProImageEditorConfigs( + imageGeneration: const ImageGenerationConfigs( + jpegQuality: 100, + generateInsideSeparateThread: true, + pngLevel: 0, + ), layerInteraction: const LayerInteractionConfigs( hideToolbarOnInteraction: false, ), @@ -241,16 +247,20 @@ class _NewImageEditorState extends State { margin: const EdgeInsets.only(bottom: 24), decoration: BoxDecoration( color: isHovered - ? const Color.fromARGB(255, 255, 197, 197) - : const Color.fromARGB(255, 255, 255, 255), + ? colorScheme.warning400.withOpacity(0.8) + : Colors.white, shape: BoxShape.circle, ), padding: const EdgeInsets.all(12), - child: const Center( - child: Icon( - Icons.delete_forever_outlined, - size: 28, - color: Color(0xFFF44336), + child: Center( + child: SvgPicture.asset( + "assets/image-editor/image-editor-delete.svg", + colorFilter: ColorFilter.mode( + isHovered + ? Colors.white + : colorScheme.warning400.withOpacity(0.8), + BlendMode.srcIn, + ), ), ), ); @@ -351,7 +361,34 @@ class _NewImageEditorState extends State { textFieldMargin: EdgeInsets.only(top: kToolbarHeight), ), widgets: TextEditorWidgets( - appBar: (textEditor, rebuildStream) => null, + appBar: (textEditor, rebuildStream) => ReactiveCustomAppbar( + builder: (context) { + return ImageEditorAppBar( + key: const Key('image_editor_app_bar'), + configs: textEditor.configs, + done: () => textEditor.done(), + close: () => textEditor.close(), + ); + }, + stream: rebuildStream, + ), + bodyItems: (editor, rebuildStream) { + return [ + ReactiveCustomWidget( + builder: (context) { + return Positioned.fill( + child: GestureDetector( + onTap: () {}, + child: Container( + color: Colors.transparent, + ), + ), + ); + }, + stream: rebuildStream, + ), + ]; + }, colorPicker: (textEditor, rebuildStream, currentColor, setColor) => null, bottomBar: (editorState, rebuildStream) { From 75d919e81524fd9f48e143867db8fbed17a5fd27 Mon Sep 17 00:00:00 2001 From: Keerthana Date: Fri, 25 Jul 2025 10:46:21 +0530 Subject: [PATCH 153/302] [docs] refactor FAQ and installation section --- docs/docs/.vitepress/sidebar.ts | 40 ++-- .../accounts.md} | 0 .../administration/configuring-s3.md | 45 ----- .../self-hosting/administration/museum.md | 3 +- .../administration/object-storage.md | 85 ++++++++ .../administration/reverse-proxy.md | 105 +++++++--- .../self-hosting/administration/security.md | 0 .../administration/selfhost-cli.md | 4 +- docs/docs/self-hosting/faq/index.md | 47 ----- docs/docs/self-hosting/guides/systemd.md | 28 +++ docs/docs/self-hosting/index.md | 3 +- docs/docs/self-hosting/install/compose.md | 13 +- docs/docs/self-hosting/install/config-file.md | 130 +++++++++++- docs/docs/self-hosting/install/env-var.md | 43 ++-- .../install/post-install/index.md | 24 +-- docs/docs/self-hosting/install/quickstart.md | 13 +- .../docs/self-hosting/install/requirements.md | 2 +- .../self-hosting/install/without-docker.md | 187 ++++++++++++++---- .../troubleshooting/bucket-cors.md | 70 ------- .../self-hosting/troubleshooting/keyring.md | 5 +- .../self-hosting/troubleshooting/uploads.md | 10 - server/.gitignore | 3 +- server/config/example.yaml | 48 ++++- server/quickstart.sh | 24 ++- 24 files changed, 599 insertions(+), 333 deletions(-) rename docs/docs/self-hosting/{install/defaults.md => administration/accounts.md} (100%) delete mode 100644 docs/docs/self-hosting/administration/configuring-s3.md create mode 100644 docs/docs/self-hosting/administration/object-storage.md create mode 100644 docs/docs/self-hosting/administration/security.md delete mode 100644 docs/docs/self-hosting/faq/index.md create mode 100644 docs/docs/self-hosting/guides/systemd.md delete mode 100644 docs/docs/self-hosting/troubleshooting/bucket-cors.md diff --git a/docs/docs/.vitepress/sidebar.ts b/docs/docs/.vitepress/sidebar.ts index 5148296f11..06f64d790b 100644 --- a/docs/docs/.vitepress/sidebar.ts +++ b/docs/docs/.vitepress/sidebar.ts @@ -267,7 +267,7 @@ export const sidebar = [ link: "/self-hosting/install/without-docker", }, { - text: "Environment Variable and Defaults", + text: "Environment Variables and Defaults", link: "/self-hosting/install/env-var", }, { @@ -275,7 +275,7 @@ export const sidebar = [ link: "/self-hosting/install/config-file", }, { - text: "Post Installation", + text: "Post-installation Steps", link: "/self-hosting/install/post-install/", } ], @@ -289,8 +289,8 @@ export const sidebar = [ link: "/self-hosting/administration/museum", }, { - text: "Configuring S3", - link: "/self-hosting/administration/configuring-s3", + text: "Configuring Object Storage", + link: "/self-hosting/administration/object-storage", }, { text: "Reverse proxy", @@ -313,6 +313,16 @@ export const sidebar = [ } ] }, + { + text: "Community Guides", + collapsed: true, + items: [ + { + text: "Ente via Tailscale", + link: "/self-hosting/guides/tailscale", + }, + ], + }, { text: "Troubleshooting", collapsed: true, @@ -321,10 +331,6 @@ export const sidebar = [ text: "General", link: "/self-hosting/troubleshooting/misc", }, - { - text: "Bucket CORS", - link: "/self-hosting/troubleshooting/bucket-cors", - }, { text: "Uploads", link: "/self-hosting/troubleshooting/uploads", @@ -335,24 +341,6 @@ export const sidebar = [ }, ], }, - { - text: "Community Guides", - collapsed: true, - items: [ - { - text: "Ente via Tailscale", - link: "/self-hosting/guides/tailscale", - }, - { - text: "Ente with External S3", - link: "/self-hosting/guides/external-s3", - }, - ], - }, - { - text: "FAQ", - link: "/self-hosting/faq/", - } ], }, ]; diff --git a/docs/docs/self-hosting/install/defaults.md b/docs/docs/self-hosting/administration/accounts.md similarity index 100% rename from docs/docs/self-hosting/install/defaults.md rename to docs/docs/self-hosting/administration/accounts.md diff --git a/docs/docs/self-hosting/administration/configuring-s3.md b/docs/docs/self-hosting/administration/configuring-s3.md deleted file mode 100644 index e9cb3ebb26..0000000000 --- a/docs/docs/self-hosting/administration/configuring-s3.md +++ /dev/null @@ -1,45 +0,0 @@ ---- -title: Configuring S3 buckets -description: - Configure S3 endpoints to fix upload errors or use your self hosted ente - from outside localhost ---- - -# Configuring S3 - -## Replication - -> [!IMPORTANT] -> -> As of now, replication works only if all the 3 storage buckets are configured (2 hot and 1 cold storage). -> -> For more information, check this -> [discussion](https://github.com/ente-io/ente/discussions/3167#discussioncomment-10585970) -> and our article on ensuring [reliability](https://ente.io/reliability/). - -In a self hosted Ente instance replication is turned off by default. When -replication is turned off, only the first bucket (`b2-eu-cen`) is used, and the -other two are ignored. Only the names here are specifically fixed, but in the -configuration body you can put any other keys. - -Use the `s3.hot_storage.primary` option if you'd like to set one of the other -predefined buckets as the primary bucket. - -## SSL Configuration - -> [!NOTE] -> -> If you need to configure SSL, you'll need to turn off `s3.are_local_buckets` -> (which disables SSL in the default starter compose template). - -Disabling `s3.are_local_buckets` also switches to the subdomain style URLs for -the buckets. However, not all S3 providers support these. In particular, MinIO -does not work with these in default configuration. So in such cases you'll also -need to enable `s3.use_path_style_urls`. - -## Summary - -Set the S3 bucket `endpoint` in `credentials.yaml` to a `yourserverip:3200` or -some such IP / hostname that is accessible from both where you are running the -Ente clients (e.g. the mobile app) and also from within the Docker compose -cluster. \ No newline at end of file diff --git a/docs/docs/self-hosting/administration/museum.md b/docs/docs/self-hosting/administration/museum.md index 998e7ad4b6..3837bbad1b 100644 --- a/docs/docs/self-hosting/administration/museum.md +++ b/docs/docs/self-hosting/administration/museum.md @@ -53,7 +53,6 @@ apps: public-albums: https://albums.myente.xyz cast: https://cast.myente.xyz accounts: https://accounts.myente.xyz - family: https://family.myente.xyz ``` > [!IMPORTANT] By default, all the values redirect to our publicly hosted @@ -70,4 +69,4 @@ stop all the Docker containers with `docker compose down` and restart them with Similarly, you can use the default [`local.yaml`](https://github.com/ente-io/ente/tree/main/server/configurations/local.yaml) as a reference for building a functioning `museum.yaml` for many other -functionalities like SMTP, Discord notifications, Hardcoded-OTTs, etc. \ No newline at end of file +functionalities like SMTP, Hardcoded-OTTs, etc. \ No newline at end of file diff --git a/docs/docs/self-hosting/administration/object-storage.md b/docs/docs/self-hosting/administration/object-storage.md new file mode 100644 index 0000000000..ffb7d6bc0a --- /dev/null +++ b/docs/docs/self-hosting/administration/object-storage.md @@ -0,0 +1,85 @@ +--- +title: Configuring Object Storage +description: + Configure Object Storage for storing files along with some troubleshooting tips +--- + +# Configuring Object Storage + +## Replication + +> [!IMPORTANT] +> +> As of now, replication works only if all the 3 storage buckets are configured (2 hot and 1 cold storage). +> +> For more information, check this +> [discussion](https://github.com/ente-io/ente/discussions/3167#discussioncomment-10585970) +> and our article on ensuring [reliability](https://ente.io/reliability/). + +In a self hosted Ente instance replication is turned off by default. When +replication is turned off, only the first bucket (`b2-eu-cen`) is used, and the +other two are ignored. Only the names here are specifically fixed, but in the +configuration body you can put any other keys. + +Use the `s3.hot_storage.primary` option if you'd like to set one of the other +predefined buckets as the primary bucket. + +## SSL Configuration + +> [!NOTE] +> +> If you need to configure SSL, you'll need to turn off `s3.are_local_buckets` +> (which disables SSL in the default starter compose template). + +Disabling `s3.are_local_buckets` also switches to the subdomain style URLs for +the buckets. However, not all S3 providers support these. In particular, MinIO +does not work with these in default configuration. So in such cases you'll also +need to enable `s3.use_path_style_urls`. + +# Fix potential CORS issues with your Buckets + +## For AWS S3 + +If you cannot upload a photo due to a CORS issue, you need to fix the CORS +configuration of your bucket. + +Create a `cors.json` file with the following content: + +```json +{ + "CORSRules": [ + { + "AllowedOrigins": ["*"], + "AllowedHeaders": ["*"], + "AllowedMethods": ["GET", "HEAD", "POST", "PUT", "DELETE"], + "MaxAgeSeconds": 3000, + "ExposeHeaders": ["Etag"] + } + ] +} +``` + +You may want to change the `AllowedOrigins` to a more restrictive value. + +If you are using AWS for S3, you can execute the below command to get rid of +CORS. Make sure to enter the right path for the `cors.json` file. + +```bash +aws s3api put-bucket-cors --bucket YOUR_S3_BUCKET --cors-configuration /path/to/cors.json +``` + +## For MinIO + +Checkout the `mc set alias` document to configure alias for your +instance and bucket. After this you will be prompted for your AccessKey and +Secret, which is your username and password. + +To set the `AllowedOrigins` Header, you can use the +following command to do so. + +```sh +mc admin config set / api cors_allow_origin="*" +``` + +You can create also `.csv` file and dump the list of origins you would like to +allow and replace the `*` with `path` to the CSV file. diff --git a/docs/docs/self-hosting/administration/reverse-proxy.md b/docs/docs/self-hosting/administration/reverse-proxy.md index 97ef7da570..5c931d7cbb 100644 --- a/docs/docs/self-hosting/administration/reverse-proxy.md +++ b/docs/docs/self-hosting/administration/reverse-proxy.md @@ -1,53 +1,102 @@ --- Title: Configuring Reverse Proxy -Description: configuring reverse proxy for Museum and other endpoints +Description: Configuring reverse proxy for Museum and other services --- # Reverse proxy -Ente's server (museum) runs on port `:8080`, web app on `:3000` and the other -apps from ports `3001-3004`. - -We highly recommend using HTTPS for Museum (`8080`). For security reasons museum +We highly recommend using HTTPS for Museum (`8080`). For security reasons, Museum will not accept incoming HTTP traffic. -Head over to your DNS management dashboard and setup the appropriate records for -the endpoints. Mostly, `A` or `AAAA` records targeting towards your server's IP -address should be sufficient. The rest of the work will be done by the web -server on your machine. + +## Pre-requisites + +1. **Reverse Proxy:** We recommend using Caddy for simplicity of +configuration and automatic certificate generation and management, +although you can use other alternatives such as NGINX, Traefik, etc. + + Install Caddy using the following command on Debian/Ubuntu-based systems: + ``` shell + sudo apt install caddy + ``` + + Start the service, enable it to start upon system boot and reload when configuration + has changed. + + ``` shell + sudo systemctl start caddy + + sudo systemctl enable caddy + + sudo systemctl reload caddy + ``` + +## Step 1: Configure A or AAAA records + +Set up the appropriate records for the endpoints in your DNS +management dashboard (usually associated with your domain registrar). + +`A` or `AAAA` records targeting towards your server's IP address should +be sufficient. ![cloudflare](/cloudflare.png) -### Caddy +## Step 2: Configure reverse proxy -Setting up a reverse proxy with Caddy is easy and straightforward. +Once Caddy is installed on system, a `Caddyfile` is created on the path +`/etc/caddy/`. Edit `/etc/caddy/Caddyfile` to configure reverse proxies. -Firstly, install Caddy on your server. - -```sh -sudo apt install caddy -``` - -After the installation is complete, a `Caddyfile` is created on the path -`/etc/caddy/`. This file is used to configure reverse proxies among other -things. +Here is a ready-to-use configuration that can be used with your own domain. ```groovy -# Caddyfile - myente.xyz is just an example. +# yourdomain.tld is an example. Replace it with your own domain -api.myente.xyz { +# For Museum +api.ente.yourdomain.tld { reverse_proxy http://localhost:8080 } -ente.myente.xyz { +# For Ente Photos web app +web.ente.yourdomain.tld { reverse_proxy http://localhost:3000 } -#...and so on for other endpoints +# For Ente Accounts web app +accounts.ente.yourdomain.tld { + reverse_proxy http://localhost:3001 +} + +# For Ente Albums web app +albums.ente.yourdomain.tld { + reverse_proxy http://localhost:3002 +} + +# For Ente Auth web app +auth.ente.yourdomain.tld { + reverse_proxy http://localhost:3003 +} + +# For Ente Cast web app +cast.ente.yourdomain.tld { + reverse_proxy http://localhost:3004 +} + +# For Museum +api.ente.yourdomain.tld { + reverse_proxy http://localhost:8080 +} ``` -After a hard-reload, the Ente Photos web app should be up on -https://ente.myente.xyz. +## Step 3: Start reverse proxy -If you are using a different tool for reverse proxy (like nginx), please check -out their documentation. +Reload Caddy for changes to take effect + +``` shell +sudo systemctl caddy reload +``` + +Ente Photos web app should be up on https://web.ente.yourdomain.tld. + +> [!TIP] +> If you are using other reverse proxy servers such as NGINX, +> Traefik, etc., please check out their documentation. diff --git a/docs/docs/self-hosting/administration/security.md b/docs/docs/self-hosting/administration/security.md new file mode 100644 index 0000000000..e69de29bb2 diff --git a/docs/docs/self-hosting/administration/selfhost-cli.md b/docs/docs/self-hosting/administration/selfhost-cli.md index 9e5d312290..f5ff00bee6 100644 --- a/docs/docs/self-hosting/administration/selfhost-cli.md +++ b/docs/docs/self-hosting/administration/selfhost-cli.md @@ -23,8 +23,8 @@ and subsequently increase the [storage and account validity](https://github.com/ente-io/ente/blob/main/cli/docs/generated/ente_admin_update-subscription.md) using the CLI. -For the admin actions, you first need to whitelist admin users. You can create -`server/museum.yaml`, and whitelist add the admin userID `internal.admins`. See +For administrative actions, you first need to whitelist admin users. +You can create `server/museum.yaml`, and whitelist add the admin userID `internal.admins`. See [local.yaml](https://github.com/ente-io/ente/blob/main/server/configurations/local.yaml#L211C1-L232C1) in the server source code for details about how to define this. diff --git a/docs/docs/self-hosting/faq/index.md b/docs/docs/self-hosting/faq/index.md deleted file mode 100644 index eedd1fbd86..0000000000 --- a/docs/docs/self-hosting/faq/index.md +++ /dev/null @@ -1,47 +0,0 @@ ---- -title: FAQ - Self hosting -description: Frequently asked questions about self hosting Ente ---- - -# Frequently Asked Questions - -### Do Ente Photos and Ente Auth share the same backend? - -Yes. The apps share the same backend, the same database and the same object -storage namespace. The same user account works for both of them. - -### Can I just self host Ente Auth? - -Yes, if you wish, you can self-host the server and use it only for the 2FA auth -app. The starter Docker compose will work fine for either Photos or Auth (or -both!). - -> You currently don't need to configure the S3 object storage (e.g. minio -> containers) if you're only using your self hosted Ente instance for auth. - -### Can I use the server with _X_ as the object storage? - -Yes. As long as whatever X you're using provides an S3 compatible API, you can -use it as the underlying object storage. For example, the starter self-hosting -Docker compose file we offer uses MinIO, and on our production deployments we -use Backblaze/Wasabi/Scaleway. But that's not the full list - as long as the -service you intend to use has a S3 compatible API, it can be used. - -### How do I increase storage space for users on my self hosted instance? - -See the [guide for administering your server](/self-hosting/guides/admin). In -particular, you can use the `ente admin update-subscription` CLI command to -increase the -[storage and account validity](https://github.com/ente-io/ente/blob/main/cli/docs/generated/ente_admin_update-subscription.md) -of accounts on your instance. - -### How can I become an admin on my self hosted instance? - -The first user you create on your instance is treated as an admin. - -If you want, you can modify this behaviour by providing an explicit list of -admins in the [configuration](/self-hosting/guides/admin#becoming-an-admin). - -### Can I disable registration of new accounts on my self hosted instance? - -Yes. See `internal.disable-registration` in local.yaml. diff --git a/docs/docs/self-hosting/guides/systemd.md b/docs/docs/self-hosting/guides/systemd.md new file mode 100644 index 0000000000..ac6e0e4296 --- /dev/null +++ b/docs/docs/self-hosting/guides/systemd.md @@ -0,0 +1,28 @@ +--- +title: Running Ente using systemd - Self-hosting +description: Running Ente services (Museum and web application) via systemd +--- + +# Running Ente using `systemd` + +On Linux distributions using `systemd` as initialization system, Ente can be configured to run as a background service, upon system startup by using service files. + +## Museum as a background service + +Please check the below links if you want to run Museum as a service, both of +them are battle tested. + +1. [How to run museum as a systemd service](https://gist.github.com/mngshm/a0edb097c91d1dc45aeed755af310323) +2. [Museum.service](https://github.com/ente-io/ente/blob/23e678889189157ecc389c258267685934b83631/server/scripts/deploy/museum.service#L4) + +Once you are done with setting and running Museum, all you are left to do is run +the web app and reverse_proxy it with a webserver. You can check the following + resources for Deploying your web app. + +1. [Running Ente Web app as a systemd Service](https://gist.github.com/mngshm/72e32bd483c2129621ed0d74412492fd) + +## References + +1. [How to run museum as a systemd service](https://gist.github.com/mngshm/a0edb097c91d1dc45aeed755af310323) +2. [Museum.service](https://github.com/ente-io/ente/blob/23e678889189157ecc389c258267685934b83631/server/scripts/deploy/museum.service#L4) +3. [Running Ente Web app as a systemd Service](https://gist.github.com/mngshm/72e32bd483c2129621ed0d74412492fd) diff --git a/docs/docs/self-hosting/index.md b/docs/docs/self-hosting/index.md index 4c170fe150..e8ff85a6a1 100644 --- a/docs/docs/self-hosting/index.md +++ b/docs/docs/self-hosting/index.md @@ -6,7 +6,7 @@ description: Getting started with self-hosting Ente # Get Started If you're looking to spin up Ente on your server for preserving those -sweet memories, you are in the right place! +sweet memories or using Auth for 2FA codes, you are in the right place! Our entire source code ([including the server](https://ente.io/blog/open-sourcing-our-server/)) is open source. This is the same code we use on production. @@ -97,7 +97,6 @@ You can import your pictures from Google Takeout or from other services to Ente You can import your codes from other authenticator providers to Ente Auth. Check out the [migration guide](/auth/migration/) for more information. - ## Queries? If you need support, please ask on our community diff --git a/docs/docs/self-hosting/install/compose.md b/docs/docs/self-hosting/install/compose.md index 4ac1cd724b..19e96875f6 100644 --- a/docs/docs/self-hosting/install/compose.md +++ b/docs/docs/self-hosting/install/compose.md @@ -7,9 +7,14 @@ description: Running Ente with Docker Compose from source If you wish to run Ente via Docker Compose from source, do the following: +## Requirements + +Check out the [requirements](/self-hosting/install/requirements) page to get +started. + ## Step 1: Clone the repository -Clone the repository to a prefered directory. Change into the `server/config` directory inside the cloned repository, where the compose file for running the cluster is present. +Clone the repository. Change into the `server/config` directory of the repository, where the Compose file for running the cluster is present. Run the following command for the same: @@ -37,10 +42,14 @@ Change the values present in `.env` file along with `museum.yaml` file according ## Step 3: Start the cluster -Now you can start the cluster by running the following command: +Start the cluster by running the following command: ```sh docker compose up --build ``` This builds Museum and web applications based on the Dockerfile and starts the containers needed for Ente. + +::: tip +Check out [post-installation steps](/self-hosting/install/post-install) for further usage. +::: \ No newline at end of file diff --git a/docs/docs/self-hosting/install/config-file.md b/docs/docs/self-hosting/install/config-file.md index 975b25772c..5b48c93a31 100644 --- a/docs/docs/self-hosting/install/config-file.md +++ b/docs/docs/self-hosting/install/config-file.md @@ -5,10 +5,132 @@ description: museum.yaml" --- - # Configuration File -Ente's server, Museum, uses YAML-based configuration file that is used for handling database -connectivity, bucket configuration, admin user whitelisting, etc. +Museum uses YAML-based configuration file that is used for handling database +connectivity, bucket configuration, internal configuration, etc. -Self-hosted clusters generally use `museum.yaml` file for reading configuration specifications. +If the `ENVIRONMENT` environment variable is set, a corresponding file from +`configurations/` is loaded, by default, `local.yaml` configuration is loaded. + +If `credentials-file` is defined and found, it overrides the defaults. + +Self-hosted clusters generally use `museum.yaml` file for reading configuration +specifications. + +All configuration values can be overridden via environment variables using the +`ENTE_` prefix and replacing dots (`.`) or hyphens (`-`) with underscores (`_`). + +The configuration variables declared in `museum.yaml` are read by Museum. +Additionally, environment variables prefixed by `ENTE_` are read by Museum and +used internally in same manner as configuration variables. + +For example, `s3.b2-eu-cen` in `museum.yaml` and `ENTE_S3_B2_EU_CEN` declared as +environment variable are the same and `ENTE_S3_B2_EU_CEN` overrides +`s3.b2-eu-cen`. + +## General Settings + +| Variable | Description | Default | +| ------------------ | --------------------------------------------------------- | ------------------ | +| `credentials-file` | Path to optional credentials override file | `credentials.yaml` | +| `credentials-dir` | Directory to look for credentials (TLS, service accounts) | `credentials/` | +| `log-file` | Log output path. Required in production. | `""` | + +## HTTP + +| Variable | Description | Default | +| -------------- | --------------------------------- | ------- | +| `http.use-tls` | Enables TLS and binds to port 443 | `false` | + +## App Endpoints + +| Variable | Description | Default | +| -------------------- | ------------------------------------------------------- | -------------------------- | +| `apps.public-albums` | Albums app base endpoint for public sharing | `https://albums.ente.io` | +| `apps.cast` | Cast app base endpoint | `https://cast.ente.io` | +| `apps.accounts` | Accounts app base endpoint (used for passkey-based 2FA) | `https://accounts.ente.io` | + +## Database + +| Variable | Description | Default | +| ------------- | -------------------------- | ----------- | +| `db.host` | DB hostname | `localhost` | +| `db.port` | DB port | `5432` | +| `db.name` | Database name | `ente_db` | +| `db.sslmode` | SSL mode for DB connection | `disable` | +| `db.user` | Database username | | +| `db.password` | Database password | | +| `db.extra` | Additional DSN parameters | | + +## Object Storage + +| Variable | Description | Default | +| -------------------------------------- | -------------------------------------------- | ------- | +| `s3.b2-eu-cen` | Primary hot storage S3 config | | +| `s3.wasabi-eu-central-2-v3.compliance` | Whether to disable compliance lock on delete | `true` | +| `s3.scw-eu-fr-v3` | Optional secondary S3 config | | +| `s3.wasabi-eu-central-2-derived` | Derived data storage | | +| `s3.are_local_buckets` | Use local MinIO-compatible storage | `false` | +| `s3.use_path_style_urls` | Enable path-style URLs for MinIO | `false` | + +## Encryption Keys + +| Variable | Description | Default | +| ---------------- | -------------------------------------- | ----------- | +| `key.encryption` | Key for encrypting user emails | Pre-defined | +| `key.hash` | Hash key for verifying email integrity | Pre-defined | + +## JWT + +| Variable | Description | Default | +| ------------ | ----------------------- | ---------- | +| `jwt.secret` | Secret for signing JWTs | Predefined | + +## Email + +| Variable | Description | Default | +| ------------------ | ---------------------------- | ------- | +| `smtp.host` | SMTP server host | | +| `smtp.port` | SMTP server port | | +| `smtp.username` | SMTP auth username | | +| `smtp.password` | SMTP auth password | | +| `smtp.email` | Sender email address | | +| `smtp.sender-name` | Custom name for email sender | | +| `transmail.key` | Zeptomail API key | | + +## WebAuthn Passkey Support + +| Variable | Description | Default | +| -------------------- | ---------------------------- | --------------------------- | +| `webauthn.rpid` | Relying Party ID | `localhost` | +| `webauthn.rporigins` | Allowed origins for WebAuthn | `["http://localhost:3001"]` | + +## Internal + +| Variable | Description | Default | +| ------------------------------- | --------------------------------------------- | ------- | +| `internal.silent` | Suppress external effects (e.g. email alerts) | `false` | +| `internal.health-check-url` | External healthcheck URL | | +| `internal.hardcoded-ott` | Predefined OTPs for testing | | +| `internal.admins` | List of admin user IDs | `[]` | +| `internal.admin` | Single admin user ID | | +| `internal.disable-registration` | Disable user registration | `false` | + +## Replication + +| Variable | Description | Default | +| -------------------------- | ------------------------------------ | ----------------- | +| `replication.enabled` | Enable cross-datacenter replication | `false` | +| `replication.worker-url` | Cloudflare Worker for replication | | +| `replication.worker-count` | Number of goroutines for replication | `6` | +| `replication.tmp-storage` | Temp directory for replication | `tmp/replication` | + +## Background Jobs + +| Variable | Description | Default | +| --------------------------------------------- | --------------------------------------- | ------- | +| `jobs.cron.skip` | Skip all cron jobs | `false` | +| `jobs.remove-unreported-objects.worker-count` | Workers for removing unreported objects | `1` | +| `jobs.clear-orphan-objects.enabled` | Enable orphan cleanup | `false` | +| `jobs.clear-orphan-objects.prefix` | Prefix filter for orphaned objects | | diff --git a/docs/docs/self-hosting/install/env-var.md b/docs/docs/self-hosting/install/env-var.md index b79a53f6d7..ee60836ab4 100644 --- a/docs/docs/self-hosting/install/env-var.md +++ b/docs/docs/self-hosting/install/env-var.md @@ -7,8 +7,7 @@ description: # Environment Variables and Defaults -The environment variables needed for running Ente, configuration variables -present in Museum's configuration file and the default configuration are +The environment variables needed for running Ente and the default configuration are documented below: ## Environment Variables @@ -19,15 +18,15 @@ and port mappings of the web apps. Here's the list of environment variables that is used by the cluster: -| Service | Environment Variable | Description | Default Value | -| ---------- | --------------------- | ------------------------------------------------ | --------------------------------- | -| `web` | `ENTE_API_ORIGIN` | API Endpoint for Ente's API (Museum) | http://localhost:8080 | -| `web` | `ENTE_ALBUMS_ORIGIN` | Base URL for Ente Album, used for public sharing | http://localhost:3002 | -| `postgres` | `POSTGRES_USER` | Username for PostgreSQL database | pguser | -| `postgres` | `POSTGRES_DB` | Name of database for use with Ente | ente_db | -| `postgres` | `POSTGRES_PASSWORD` | Password for PostgreSQL database's user | Randomly generated for quickstart | -| `minio` | `MINIO_ROOT_USER` | Username for MinIO | Randomly generated for quickstart | -| `minio` | `MINIO_ROOT_PASSWORD` | Password for MinIO | Randomly generated for quickstart | +| Service | Environment Variable | Description | Default Value | +| ---------- | --------------------- | ----------------------------------------------------------------------------------------------- | ------------------------------- | +| `web` | `ENTE_API_ORIGIN` | Alias for `NEXT_PUBLIC_ENTE_ENDPOINT`. API Endpoint for Ente's API (Museum). | http://localhost:8080 | +| `web` | `ENTE_ALBUMS_ORIGIN` | Alias for `NEXT_PUBLIC_ENTE_ALBUMS_ENDPOINT`. Base URL for Ente Album, used for public sharing. | http://localhost:3002 | +| `postgres` | `POSTGRES_USER` | Username for PostgreSQL database | pguser | +| `postgres` | `POSTGRES_DB` | Name of database for use with Ente | ente_db | +| `postgres` | `POSTGRES_PASSWORD` | Password for PostgreSQL database's user | Randomly generated (quickstart) | +| `minio` | `MINIO_ROOT_USER` | Username for MinIO | Randomly generated (quickstart) | +| `minio` | `MINIO_ROOT_PASSWORD` | Password for MinIO | Randomly generated (quickstart) | ## Default Configuration @@ -37,16 +36,16 @@ which is documented below to understand its behavior: ### Ports The below format is according to how ports are mapped in Docker when using -quickstart script. The mapping is of the format `- :` +quickstart script. The mapping is of the format `:` in `ports` in compose file. -| Service | Type | Host Port | Container Port | -| ---------------------------------- | -------- | --------- | -------------- | -| Museum | Server | 8080 | 8080 | -| Ente Photos | Web | 3000 | 3000 | -| Ente Accounts | Web | 3001 | 3001 | -| Ente Albums | Web | 3002 | 3002 | -| [Ente Auth](https://ente.io/auth/) | Web | 3003 | 3003 | -| [Ente Cast](http://ente.io/cast) | Web | 3004 | 3004 | -| MinIO | S3 | 3200 | 3200 | -| PostgreSQL | Database | | 5432 | +| Service | Type | Host Port | Container Port | +| ------------------------------------------------------- | -------- | --------- | -------------- | +| Museum | Server | 8080 | 8080 | +| Ente Photos | Web | 3000 | 3000 | +| Ente Accounts | Web | 3001 | 3001 | +| Ente Albums | Web | 3002 | 3002 | +| [Ente Auth](https://ente.io/auth/) | Web | 3003 | 3003 | +| [Ente Cast](https://help.ente.io/photos/features/cast/) | Web | 3004 | 3004 | +| MinIO | S3 | 3200 | 3200 | +| PostgreSQL | Database | | 5432 | diff --git a/docs/docs/self-hosting/install/post-install/index.md b/docs/docs/self-hosting/install/post-install/index.md index a3d1d4f703..32eabd0072 100644 --- a/docs/docs/self-hosting/install/post-install/index.md +++ b/docs/docs/self-hosting/install/post-install/index.md @@ -9,7 +9,7 @@ A list of steps that should be done after installing Ente are described below: ## Step 1: Creating first user -The first user to be created will be treated as an admin user. +The first user (and the only user) to be created will be treated as an admin user by default. Once Ente is up and running, the Ente Photos web app will be accessible on `http://localhost:3000`. Open this URL in your browser and proceed with creating @@ -28,10 +28,11 @@ sudo docker compose logs ![otp](/otp.png) +## Step 2: Download mobile and desktop app + ## Step 2: Configure apps to use your server -You can modify various Ente client apps and CLI to connect to a self hosted -custom server endpoint. +You can modify Ente mobile apps and CLI to connect to your server. ### Mobile @@ -43,7 +44,7 @@ configure the endpoint the app should be connecting to. ![Setting a custom server on the onboarding screen](custom-server.png) -### Desktop and web +### Desktop Same as the mobile app, you can tap 7 times on the onboarding screen to configure the endpoint the app should connect to. @@ -55,21 +56,6 @@ apps](web-dev-settings.png){width=400px} -This works on both the desktop app and web app (if you deploy on your own). - -To make it easier to identify when a custom server is being used, app will -thereafter show the endpoint in use (if not Ente's production server) at the -bottom of the login prompt: - -![Custom server indicator on the onboarding screen](web-custom-endpoint-indicator.png) - -Similarly, it'll be shown at other screens during the login flow. After login, -you can also see it at the bottom of the sidebar. - -Note that the custom server configured this way is cleared when you reset the -state during logout. In particular, the app also does a reset when you press the -change email button during the login flow. - ## Step 3: Configure Ente CLI > [!NOTE] diff --git a/docs/docs/self-hosting/install/quickstart.md b/docs/docs/self-hosting/install/quickstart.md index cff6e3c932..53e62898a6 100644 --- a/docs/docs/self-hosting/install/quickstart.md +++ b/docs/docs/self-hosting/install/quickstart.md @@ -3,10 +3,10 @@ title: Quickstart Script (Recommended) - Self-hosting description: Self-hosting Ente with quickstart script --- -# Quickstart +# Quickstart Script (Recommended) We provide a quickstart script which can be used for self-hosting Ente on your -machine in less than 5 minutes. +machine in less than a minute. ## Requirements @@ -25,6 +25,11 @@ The above `curl` command does the following: 1. Creates a directory `./my-ente` in working directory. 2. Starts the containers required to run Ente upon prompting. -You should be able to access the web application at [`http://localhost:3000`](http://localhost:3000) or [`http://:3000`](http://:3000) +You should be able to access the web application at [http://localhost:3000](http://localhost:3000) or [http://machine-ip:3000](http://:3000) -The data pertaining to be used by Museum is stored in `./data` folder inside `my-ente` directory, which contains extra configuration files that is to be used (billing configuration, push notification credentials, etc.) \ No newline at end of file +The data accessed by Museum is stored in `./data` folder inside `my-ente` directory. +It contains extra configuration files that is to be used (push notification credentials, etc.) + +::: tip +Check out [post-installations steps](/self-hosting/install/post-install) for further usage. +::: \ No newline at end of file diff --git a/docs/docs/self-hosting/install/requirements.md b/docs/docs/self-hosting/install/requirements.md index d0ac50b18b..822d8b1c3e 100644 --- a/docs/docs/self-hosting/install/requirements.md +++ b/docs/docs/self-hosting/install/requirements.md @@ -24,7 +24,7 @@ lightweight Go binary, since most of the intensive computational tasks are done > [!NOTE] > -> Ente requires **Docker Compose version 2.25 or higher**. +> Ente requires **Docker Compose version 2.30 or higher**. > > Furthermore, Ente uses the command `docker compose`, `docker-compose` is no > longer supported. diff --git a/docs/docs/self-hosting/install/without-docker.md b/docs/docs/self-hosting/install/without-docker.md index 826b39bb31..09f8c693fb 100644 --- a/docs/docs/self-hosting/install/without-docker.md +++ b/docs/docs/self-hosting/install/without-docker.md @@ -7,7 +7,7 @@ description: Installing and setting up Ente without Docker If you wish to run Ente from source without using Docker, follow the steps described below: -## Pre-requisites +## Requirements 1. **Go:** Install Go on your system. This is needed for building Museum (Ente's server) @@ -26,57 +26,170 @@ If you wish to run Ente from source without using Docker, follow the steps descr sudo apt install libsodium23 libsodium-dev ``` + Start the database using `systemd` automatically when the system starts. + ``` shell + sudo systemctl enable postgresql + sudo systemctl start postgresql + ``` + + Ensure the database is running using + + ``` shell + sudo systemctl status postgresql + ``` 3. **`pkg-config`:** Install `pkg-config` for dependency handling. ``` shell sudo apt install pkg-config ``` +4. **yarn, npm and Node.js:** Needed for building the web application. -Start the database using `systemd` automatically when the system starts. -``` shell -sudo systemctl enable postgresql -sudo systemctl start postgresql -``` + Install npm and Node using your package manager. -Ensure the database is running using + ``` shell + sudo apt install npm nodejs + ``` + + Install yarn by following the [official documentation](https://yarnpkg.com/getting-started/install) + +5. **Git:** Needed for cloning the repository and pulling in latest changes + +6. **Caddy:** Used for setting reverse proxy and file servers + +7. **Object Storage:** Ensure you have an object storage configured for usage, + needed for storing files. You can choose to run MinIO or Garage locally + without Docker, however, an external bucket will be reliable and suited + for long-term storage. + +## Step 1: Clone the repository + +Start by cloning Ente's repository from GitHub to your local machine. ``` shell -sudo systemctl status postgresql -``` - -### Create user - -```sh -sudo useradd postgres -``` - -## Start Museum - -Start by cloning ente to your system. - -```sh git clone https://github.com/ente-io/ente ``` -```sh -export ENTE_DB_USER=postgres -cd ente/server -go run cmd/museum/main.go -``` +## Step 2: Configure Museum (Ente's server) -You can also add the export line to your shell's RC file, to avoid exporting the environment variable every time. +1. Install all the needed dependencies for the server. + ``` shell + # Change into server directory, where the source code for Museum is + # present inside the repo + cd ente/server -## Museum as a background service + # Install the needed dependencies + go mod tidy + ``` -Please check the below links if you want to run Museum as a service, both of -them are battle tested. +2. Build the server. The server binary should be available as `./main` +relative to `server` directory -1. [How to run museum as a systemd service](https://gist.github.com/mngshm/a0edb097c91d1dc45aeed755af310323) -2. [Museum.service](https://github.com/ente-io/ente/blob/23e678889189157ecc389c258267685934b83631/server/scripts/deploy/museum.service#L4) + ``` shell + go build cmd/museum/main.go + ``` -Once you are done with setting and running Museum, all you are left to do is run -the web app and reverse_proxy it with a webserver. You can check the following -resources for Deploying your web app. +3. Create `museum.yaml` file inside `server` for configuring the needed variables. + You can copy the templated configuration file for editing with ease. -1. [Hosting the Web App](https://help.ente.io/self-hosting/guides/web-app). -2. [Running Ente Web app as a systemd Service](https://gist.github.com/mngshm/72e32bd483c2129621ed0d74412492fd) + ``` shell + cp config/example.yaml ./museum.yaml + ``` + +4. Run the server + + ``` shell + ./main + ``` + + Museum should be accessible at `http://localhost:8080` + +## Step 3: Configure Web Application + +1. Install the dependencies for web application. Enable corepack if prompted. + + ``` shell + # Change into web directory, this is where all the applications + # will be managed and built + cd web + + # Install dependencies + yarn install + ``` + +2. Configure the environment variables in your corresponding shell's configuration file + (`.bashrc`, `.zshrc`) + ``` shell + # Replace this with actual endpoint for Museum + export NEXT_PUBLIC_ENTE_ENDPOINT=http://localhost:8080 + # Replace this with actual endpoint for Albums + export NEXT_PUBLIC_ENTE_ALBUMS_ENDPOINT=http://localhost:3002 + ``` +3. Build the needed applications (Photos, Accounts, Auth, Cast) as per your needs: + ```shell + # These commands are executed inside web directory + # Build photos. Build output to be served is present at apps/photos/out + yarn build + + # Build accounts. Build output to be served is present at apps/accounts/out + yarn build:accounts + + # Build auth. Build output to be served is present at apps/auth/out + yarn build:auth + + # Build cast. Build output to be served is present at apps/cast/out + yarn build:cast + ``` + +4. Copy the output files to `/var/www/ente/apps` for easier management. + ``` shell + mkdir -p /var/www/ente/apps + + # Photos + sudo cp -r apps/photos/out /var/www/ente/apps/photos + # Accounts + sudo cp -r apps/accounts/out /var/www/ente/apps/accounts + # Auth + sudo cp -r apps/auth/out /var/www/ente/apps/auth + # Cast + sudo cp -r apps/cast/out /var/www/ente/apps/cast + ``` + +4. Set up file server using Caddy by editing `Caddyfile`, present at `/etc/caddy/Caddyfile`. + ``` groovy + # Replace the ports with domain names if you have subdomains configured and need HTTPS + :3000 { + root * /var/www/ente/apps/out/photos + file_server + try_files {path} {path}.html /index.html + } + + :3001 { + root * /var/www/ente/apps/out/accounts + file_server + try_files {path} {path}.html /index.html + } + + :3002 { + root * /var/www/ente/apps/out/photos + file_server + try_files {path} {path}.html /index.html + } + + :3003 { + root * /var/www/ente/apps/out/auth + file_server + try_files {path} {path}.html /index.html + } + + :3004 { + root * /var/www/ente/apps/out/cast + file_server + try_files {path} {path}.html /index.html + } + ``` + + The web application for Ente Photos should be accessible at http://localhost:3000, check out the [default ports](/self-hosting/install/env-var#ports) for more information. + +::: tip +Check out [post-installation steps](/self-hosting/install/post-install) for further usage. +::: \ No newline at end of file diff --git a/docs/docs/self-hosting/troubleshooting/bucket-cors.md b/docs/docs/self-hosting/troubleshooting/bucket-cors.md deleted file mode 100644 index 8bab1f7012..0000000000 --- a/docs/docs/self-hosting/troubleshooting/bucket-cors.md +++ /dev/null @@ -1,70 +0,0 @@ ---- -title: Bucket CORS -description: Troubleshooting CORS issues with S3 Buckets ---- - -# Fix potential CORS issues with your Buckets - -## For AWS S3 - -If you cannot upload a photo due to a CORS issue, you need to fix the CORS -configuration of your bucket. - -Create a `cors.json` file with the following content: - -```json -{ - "CORSRules": [ - { - "AllowedOrigins": ["*"], - "AllowedHeaders": ["*"], - "AllowedMethods": ["GET", "HEAD", "POST", "PUT", "DELETE"], - "MaxAgeSeconds": 3000, - "ExposeHeaders": ["Etag"] - } - ] -} -``` - -You may want to change the `AllowedOrigins` to a more restrictive value. - -If you are using AWS for S3, you can execute the below command to get rid of -CORS. Make sure to enter the right path for the `cors.json` file. - -```bash -aws s3api put-bucket-cors --bucket YOUR_S3_BUCKET --cors-configuration /path/to/cors.json -``` - -## For Self-hosted Minio Instance - -::: warning - -- MinIO does not support bucket CORS in the community edition which is used by - default. For more information, check - [this discussion](https://github.com/minio/minio/discussions/20841). However, - global CORS configuration is possible. -- MinIO does not take JSON CORS file as the input, instead you will have to - build a CORS.xml file or just convert the above `cors.json` to XML. - -::: - -A minor requirement here is the tool `mc` for managing buckets via command line -interface. Checkout the `mc set alias` document to configure alias for your -instance and bucket. After this you will be prompted for your AccessKey and -Secret, which is your username and password. - -```sh -mc cors set // api cors_allow_origin="*" -``` - -You can create also `.csv` file and dump the list of origins you would like to -allow and replace the `*` with `path` to the CSV file. - -Now, uploads should be working fine. diff --git a/docs/docs/self-hosting/troubleshooting/keyring.md b/docs/docs/self-hosting/troubleshooting/keyring.md index 56a5807fa5..a521a13c27 100644 --- a/docs/docs/self-hosting/troubleshooting/keyring.md +++ b/docs/docs/self-hosting/troubleshooting/keyring.md @@ -13,9 +13,8 @@ Follow the below steps to run Ente CLI and also avoid keyrings errors. Run: -```sh +``` shell # export the secrets path - export ENTE_CLI_SECRETS_PATH=./ ./ente-cli @@ -33,7 +32,7 @@ Then one of the following: And you are good to go. -## Ref +## References - [Ente CLI Secrets Path](https://www.reddit.com/r/selfhosted/comments/1gc09il/comment/lu2hox2/?utm_source=share&utm_medium=web3x&utm_name=web3xcss&utm_term=1&utm_content=share_button) - [Keyrings](https://man7.org/linux/man-pages/man7/keyrings.7.html) diff --git a/docs/docs/self-hosting/troubleshooting/uploads.md b/docs/docs/self-hosting/troubleshooting/uploads.md index 6cad97f201..fd22da1271 100644 --- a/docs/docs/self-hosting/troubleshooting/uploads.md +++ b/docs/docs/self-hosting/troubleshooting/uploads.md @@ -17,16 +17,6 @@ It is also suggested that the user setups bucket CORS or global CORS on MinIO or any external S3 service provider they are connecting to. To setup bucket CORS, please [read this](/self-hosting/troubleshooting/bucket-cors). -## What is S3 and how is it incorporated in Ente ? - -S3 is an cloud storage protocol made by Amazon (specifically AWS). S3 is -designed to store files and data as objects inside buckets and it is mostly used -for online backups and storing different types of files. - -Ente's Docker setup is shipped with [MinIO](https://min.io/) as its default S3 -provider. MinIO supports the Amazon S3 protocol and leverages your disk storage -to dump all the uploaded files as encrypted object blobs. - ## 403 Forbidden If museum is able to make a network connection to your S3 bucket but uploads are diff --git a/server/.gitignore b/server/.gitignore index 0a1c4aa635..9a150a8838 100644 --- a/server/.gitignore +++ b/server/.gitignore @@ -11,4 +11,5 @@ data/ my-ente/ __debug_bin* config/.env -config/museum.yaml \ No newline at end of file +config/museum.yaml +main \ No newline at end of file diff --git a/server/config/example.yaml b/server/config/example.yaml index 5e0f94ece1..61524df6f5 100644 --- a/server/config/example.yaml +++ b/server/config/example.yaml @@ -1,5 +1,13 @@ # Copy this file to museum.yaml in the same directory in which this file is present +# This section is meant for configuration of database. +# Museum uses these values and credentials for connecting +# to the database. +# Set a strong password and if using PostgreSQL Docker container +# provided in Docker Compose file, ensure db.password is same +# as POSTGRES_PASSWORD +# Similarly ensure db.user and db.name are same as POSTGRES_USER and +# POSTGRES_DB respectively db: host: postgres port: 5432 @@ -7,15 +15,27 @@ db: user: pguser password: +# This section is for configuring storage buckets. Omit this section if +# you only intend to use Ente Auth s3: + # Change this to false if enabling SSL are_local_buckets: true + # Only path-style URL works if disabling are_local_buckets with MinIO + use_path_style_urls: true b2-eu-cen: + # You can uncomment the below 2 lines of configuration to + # configure SSL and URL style per bucket. + # If not configured, top-level configuration is used. + # are_local_buckets: true + # use_path_style_urls: true key: secret: endpoint: localhost:3200 region: eu-central-2 bucket: b2-eu-cen wasabi-eu-central-2-v3: + # are_local_buckets: true + # use_path_style_urls: true key: secret: endpoint: localhost:3200 @@ -23,8 +43,34 @@ s3: bucket: wasabi-eu-central-2-v3 compliance: false scw-eu-fr-v3: + # are_local_buckets: true + # use_path_style_urls: true key: secret: endpoint: localhost:3200 region: eu-central-2 - bucket: scw-eu-fr-v3 \ No newline at end of file + bucket: scw-eu-fr-v3 + +# Key used for encrypting customer emails before storing them in DB +# +# To make it easy to get started, some randomly generated (but fixed) values are +# provided here. But if you're really going to be using museum, please generate +# new keys. You can use `go run tools/gen-random-keys/main.go` for that. +# +# Replace values in key and JWT for security +key: + encryption: yvmG/RnzKrbCb9L3mgsmoxXr9H7i2Z4qlbT0mL3ln4w= + hash: KXYiG07wC7GIgvCSdg+WmyWdXDAn6XKYJtp/wkEU7x573+byBRAYtpTP0wwvi8i/4l37uicX1dVTUzwH3sLZyw== +# JWT secrets +jwt: + secret: i2DecQmfGreG6q1vBj5tCokhlN41gcfS2cjOs9Po-u8= + +# Specify the base endpoints for various web apps +apps: + # If you're running a self hosted instance and wish to serve public links, + # set this to the URL where your albums web app is running. + public-albums: http://localhost:3002 + cast: http://localhost:3004 + # Set this to the URL where your accounts web app is running, primarily used for + # passkey based 2FA. + accounts: http://localhost:3001 diff --git a/server/quickstart.sh b/server/quickstart.sh index 74535d437e..a656437917 100755 --- a/server/quickstart.sh +++ b/server/quickstart.sh @@ -159,13 +159,6 @@ printf " \033[1;32mN\033[0m Created \033[1mcompose.yaml\033[0m\n" sleep 1 cat <museum.yaml -key: - encryption: $museum_key - hash: $museum_hash - -jwt: - secret: $museum_jwt_secret - db: host: postgres port: 5432 @@ -194,6 +187,23 @@ s3: endpoint: localhost:3200 region: eu-central-2 bucket: scw-eu-fr-v3 + +# Specify the base endpoints for various web apps +apps: + # If you're running a self hosted instance and wish to serve public links, + # set this to the URL where your albums web app is running. + public-albums: http://localhost:3002 + cast: http://localhost:3004 + # Set this to the URL where your accounts web app is running, primarily used for + # passkey based 2FA. + accounts: http://localhost:3001 + +key: + encryption: $museum_key + hash: $museum_hash + +jwt: + secret: $museum_jwt_secret EOF printf " \033[1;32mT\033[0m Created \033[1mmuseum.yaml\033[0m\n" From 0f2e7b40d086c8f7c6ee7c96c024894f91846eab Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Fri, 25 Jul 2025 11:23:30 +0530 Subject: [PATCH 154/302] fix: seppaku condition --- mobile/apps/photos/lib/main.dart | 2 +- mobile/apps/photos/lib/utils/bg_task_utils.dart | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/mobile/apps/photos/lib/main.dart b/mobile/apps/photos/lib/main.dart index 8f33cf3fd2..a9458562a4 100644 --- a/mobile/apps/photos/lib/main.dart +++ b/mobile/apps/photos/lib/main.dart @@ -57,7 +57,7 @@ const kLastFGTaskHeartBeatTime = "fg_task_hb_time"; const kHeartBeatFrequency = Duration(seconds: 1); const kFGSyncFrequency = Duration(minutes: 5); const kFGHomeWidgetSyncFrequency = Duration(minutes: 15); -const kBGTaskTimeout = Duration(seconds: 28); +const kBGTaskTimeout = Duration(seconds: 58); const kBGPushTimeout = Duration(seconds: 28); const kFGTaskDeathTimeoutInMicroseconds = 5000000; bool isProcessBg = true; diff --git a/mobile/apps/photos/lib/utils/bg_task_utils.dart b/mobile/apps/photos/lib/utils/bg_task_utils.dart index a4d9c699b0..1ae1dfcb0b 100644 --- a/mobile/apps/photos/lib/utils/bg_task_utils.dart +++ b/mobile/apps/photos/lib/utils/bg_task_utils.dart @@ -23,7 +23,7 @@ void callbackDispatcher() { try { BgTaskUtils.$.info('Task started $tlog'); await runBackgroundTask(taskName, tlog).timeout( - !Platform.isIOS ? kBGTaskTimeout : const Duration(hours: 1), + Platform.isIOS ? kBGTaskTimeout : const Duration(hours: 1), onTimeout: () async { BgTaskUtils.$.warning( "TLE, committing seppuku for taskID: $taskName", From ee42e7116887f8965901335cf8e6800bdf295776 Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Fri, 25 Jul 2025 11:38:41 +0530 Subject: [PATCH 155/302] Enhance date parsing to support month-year format --- .../lib/services/date_parse_service.dart | 205 ++++++++++-------- 1 file changed, 114 insertions(+), 91 deletions(-) diff --git a/mobile/apps/photos/lib/services/date_parse_service.dart b/mobile/apps/photos/lib/services/date_parse_service.dart index ef136d25ed..54a018158c 100644 --- a/mobile/apps/photos/lib/services/date_parse_service.dart +++ b/mobile/apps/photos/lib/services/date_parse_service.dart @@ -45,8 +45,8 @@ class DateParseService { RegExp(r'^(\d{1,2})[\/-](\d{1,2})[\/-](\d{2,4})$'); static final _dotFormatRegex = RegExp(r'^(\d{1,2})\.(\d{1,2})\.(\d{2,4})$'); static final _compactFormatRegex = RegExp(r'^(\d{8})$'); - static final _yearOnlyRegex = RegExp(r'^\s*(\d{4})\s*$'); static final _shortFormatRegex = RegExp(r'^(\d{1,2})[\/-](\d{1,2})$'); + static final _monthYearRegex = RegExp(r'^(\d{1,2})[\/-](\d{4})$'); static final Map _monthMap = UnmodifiableMapView({ "january": 1, @@ -110,7 +110,7 @@ class DateParseService { result = _parseStructuredFormats(lowerInput); if (!result.isEmpty) return result; - + final normalized = _normalizeDateString(lowerInput); result = _parseTokenizedDate(normalized); @@ -189,6 +189,21 @@ class DateParseService { return PartialDate.empty; } + match = _monthYearRegex.firstMatch(cleanInput); + if (match != null) { + final monthVal = int.tryParse(match.group(1)!); + final yearVal = int.tryParse(match.group(2)!); + if (yearVal != null && + yearVal >= _MIN_YEAR && + yearVal <= _MAX_YEAR && + monthVal != null && + monthVal >= 1 && + monthVal <= 12) { + return PartialDate(month: monthVal, year: yearVal); + } + return PartialDate.empty; + } + match = _standardFormatRegex.firstMatch(cleanInput); if (match != null) { final p1 = int.parse(match.group(1)!); @@ -198,18 +213,13 @@ class DateParseService { if (year < _MIN_YEAR || year > _MAX_YEAR) return PartialDate.empty; - if (p1 > 12) { - if (p1 >= 1 && p1 <= 31 && p2 >= 1 && p2 <= 12) { - return PartialDate(day: p1, month: p2, year: year); - } - } else if (p2 > 12) { - if (p1 >= 1 && p1 <= 12 && p2 >= 1 && p2 <= 31) { - return PartialDate(day: p2, month: p1, year: year); - } - } else { - if (p1 >= 1 && p1 <= 12 && p2 >= 1 && p2 <= 31) { - return PartialDate(day: p2, month: p1, year: year); - } + // Try dd/mm/yyyy or dd-mm-yyyy + if (p1 >= 1 && p1 <= 31 && p2 >= 1 && p2 <= 12) { + return PartialDate(day: p1, month: p2, year: year); + } + // Try mm/dd/yyyy or mm-dd-yyyy + else if (p1 >= 1 && p1 <= 12 && p2 >= 1 && p2 <= 31) { + return PartialDate(day: p2, month: p1, year: year); } return PartialDate.empty; } @@ -219,28 +229,20 @@ class DateParseService { final p1 = int.parse(match.group(1)!); final p2 = int.parse(match.group(2)!); - if (p1 > 12) { - if (p1 >= 1 && p1 <= 31 && p2 >= 1 && p2 <= 12) { - return PartialDate(day: p1, month: p2); - } - } else if (p2 > 12) { - if (p1 >= 1 && p1 <= 12 && p2 >= 1 && p2 <= 31) { - return PartialDate(day: p2, month: p1); - } - } else { - if (p1 >= 1 && p1 <= 12 && p2 >= 1 && p2 <= 31) { - return PartialDate(day: p2, month: p1); - } + if (p1 >= 1 && p1 <= 31 && p2 >= 1 && p2 <= 12) { + return PartialDate(day: p1, month: p2); + } else if (p1 >= 1 && p1 <= 12 && p2 >= 1 && p2 <= 31) { + return PartialDate(day: p2, month: p1); } return PartialDate.empty; } match = _dotFormatRegex.firstMatch(cleanInput); if (match != null) { - final yearRaw = int.parse(match.group(3)!); - final year = yearRaw > 99 ? yearRaw : _convertTwoDigitYear(yearRaw); final dayVal = int.tryParse(match.group(1)!); final monthVal = int.tryParse(match.group(2)!); + final yearRaw = int.parse(match.group(3)!); + final year = yearRaw > 99 ? yearRaw : _convertTwoDigitYear(yearRaw); if (year >= _MIN_YEAR && year <= _MAX_YEAR && @@ -279,52 +281,94 @@ class DateParseService { } PartialDate _parseTokenizedDate(String normalized) { - final tokens = normalized.split(' '); + final tokens = normalized.split(' ').where((s) => s.isNotEmpty).toList(); int? day, month, year; - - if (tokens.length == 1) { - final token = tokens[0]; - final match = _yearOnlyRegex.firstMatch(token); - if (match != null) { - final parsedYear = int.tryParse(match.group(1)!); - if (parsedYear != null && - parsedYear >= _MIN_YEAR && - parsedYear <= _MAX_YEAR) { - return PartialDate(year: parsedYear); - } - } - if (_monthMap.containsKey(token)) { - return PartialDate(month: _monthMap[token]!); - } - final singleValue = int.tryParse(token); - if (singleValue != null && singleValue >= 1 && singleValue <= 31) { - return PartialDate(day: singleValue); - } - return PartialDate.empty; - } + final List numbers = []; + final List monthNames = []; for (final token in tokens) { - if (_monthMap.containsKey(token) && month == null) { - month = _monthMap[token]; - continue; - } - - final value = int.tryParse(token); - if (value == null) { - continue; - } - - if (value >= _MIN_YEAR && value <= _MAX_YEAR && year == null) { - year = value; - } else if (value >= 1 && value <= 31 && day == null) { - day = value; - } else if (value >= 0 && value <= 99 && year == null) { - final convertedYear = _convertTwoDigitYear(value); - if (convertedYear >= _MIN_YEAR && convertedYear <= _MAX_YEAR) { - year = convertedYear; + if (_monthMap.containsKey(token)) { + monthNames.add(token); + } else { + final value = int.tryParse(token); + if (value != null) { + numbers.add(value); + } + } + } + + if (monthNames.length == 1) { + month = _monthMap[monthNames.first]; + } + + // Handle cases like "23 03" or "24 04 2024" + if (numbers.isNotEmpty) { + if (numbers.length == 3) { + // Assume dd mm yyyy if month name isn't present + final potentialDay = numbers[0]; + final potentialMonth = numbers[1]; + final potentialYear = numbers[2]; + + if (potentialYear >= _MIN_YEAR && potentialYear <= _MAX_YEAR) { + year = potentialYear; + if (potentialDay >= 1 && + potentialDay <= 31 && + potentialMonth >= 1 && + potentialMonth <= 12) { + day = potentialDay; + month = potentialMonth; + } + } + } else if (numbers.length == 2) { + // Assume dd mm + final potentialDay = numbers[0]; + final potentialMonth = numbers[1]; + + if (potentialDay >= 1 && + potentialDay <= 31 && + potentialMonth >= 1 && + potentialMonth <= 12) { + day = potentialDay; + month = potentialMonth; + } else if (potentialDay >= 1 && + potentialDay <= 12 && + potentialMonth >= 1 && + potentialMonth <= 31) { + day = potentialMonth; + month = potentialDay; + } + } else if (numbers.length == 1) { + final value = numbers.first; + if (value >= _MIN_YEAR && value <= _MAX_YEAR) { + year = value; + } else if (value >= 1 && value <= 31 && month == null) { + day = value; + } else if (value >= 1 && value <= 12 && month == null) { + month = value; + } + } + } + + // If month was found by name, and we have numbers remaining + if (month != null && numbers.isNotEmpty) { + if (numbers.length == 2) { + final n1 = numbers[0]; + final n2 = numbers[1]; + + if (n1 >= 1 && n1 <= 31 && n2 >= _MIN_YEAR && n2 <= _MAX_YEAR) { + day = n1; + year = n2; + } else if (n2 >= 1 && n2 <= 31 && n1 >= _MIN_YEAR && n1 <= _MAX_YEAR) { + day = n2; + year = n1; + } + } else if (numbers.length == 1) { + final n = numbers.first; + if (n >= 1 && n <= 31) { + day = n; + } else if (n >= _MIN_YEAR && n <= _MAX_YEAR) { + year = n; } - } else if (value >= 1 && value <= 12 && month == null) { - month = value; } } @@ -335,31 +379,10 @@ class DateParseService { month = null; } - final bool inputHadMonthWord = tokens.any((t) => _monthMap.containsKey(t)); - final bool inputHadYearWord = tokens.any((t) { - final v = int.tryParse(t); - return v != null && v >= 1000 && v <= 9999; - }); - - if (day != null && month == null && year == null && tokens.length > 1) { - if (normalized.contains('of') && - !inputHadMonthWord && - !inputHadYearWord) { - return PartialDate.empty; - } - if (!inputHadMonthWord && !inputHadYearWord && tokens.length > 1) {} - } - if (day == null && month == null && year == null) { return PartialDate.empty; } - if (day != null && month == null && year == null && tokens.length > 1) { - if (!inputHadMonthWord && !inputHadYearWord) { - return PartialDate.empty; - } - } - return PartialDate(day: day, month: month, year: year); } } From d6fa9d1257f98d57d0494f6e2555133990edb4d0 Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Fri, 25 Jul 2025 11:38:52 +0530 Subject: [PATCH 156/302] Add tests for partial month-year and ordinal date formats --- .../test/utils/date_query_parsing_test.dart | 30 ++++++++++++++++++- 1 file changed, 29 insertions(+), 1 deletion(-) diff --git a/mobile/apps/photos/test/utils/date_query_parsing_test.dart b/mobile/apps/photos/test/utils/date_query_parsing_test.dart index 402b890489..b013a448b6 100644 --- a/mobile/apps/photos/test/utils/date_query_parsing_test.dart +++ b/mobile/apps/photos/test/utils/date_query_parsing_test.dart @@ -99,6 +99,20 @@ void main() { expect(parsedDate.year, 2025); }); + test('should parse partial month-year "03-2024"', () { + final PartialDate parsedDate = dateParseService.parse('03-2024'); + expect(parsedDate.day, isNull); + expect(parsedDate.month, 3); + expect(parsedDate.year, 2024); + }); + + test('should parse partial month/year "03/2025"', () { + final PartialDate parsedDate = dateParseService.parse('03/2025'); + expect(parsedDate.day, isNull); + expect(parsedDate.month, 3); + expect(parsedDate.year, 2025); + }); + test('should parse partial month name "Febr 2025"', () { final PartialDate parsedDate = dateParseService.parse('Febr 2025'); expect(parsedDate.day, isNull); @@ -121,6 +135,20 @@ void main() { expect(parsedDate.year, isNull); }); + test('should parse ordinal number dd mm format "23 03"', () { + final PartialDate parsedDate = dateParseService.parse('23 03'); + expect(parsedDate.day, 23); + expect(parsedDate.month, 3); + expect(parsedDate.year, isNull); + }); + + test('should parse ordinal number "24 04 2024"', () { + final PartialDate parsedDate = dateParseService.parse('24 04 2024'); + expect(parsedDate.day, 24); + expect(parsedDate.month, 4); + expect(parsedDate.year, 2024); + }); + test('should parse ordinal number "3rd March"', () { final PartialDate parsedDate = dateParseService.parse('3rd March'); expect(parsedDate.day, 3); @@ -190,7 +218,7 @@ void main() { test('should parse ambiguous "01/02/2024" as MM/DD/YYYY (Jan 2)', () { // Test your specific heuristic for ambiguous cases final PartialDate parsedDate = dateParseService.parse('01/02/2024'); - expect(parsedDate.day, 2); + expect(parsedDate.day, 1); expect(parsedDate.month, 1); expect(parsedDate.year, 2024); }); From bd58becd38554df433f5c93aeffc3e9c03559426 Mon Sep 17 00:00:00 2001 From: Keerthana Date: Fri, 25 Jul 2025 11:39:12 +0530 Subject: [PATCH 157/302] [docs] omit dead links for bucket CORS --- .../self-hosting/administration/backup.md | 9 +- .../self-hosting/administration/museum.md | 2 +- .../administration/reverse-proxy.md | 30 ++++--- .../administration/selfhost-cli.md | 23 ++--- docs/docs/self-hosting/guides/admin.md | 88 ------------------- docs/docs/self-hosting/guides/index.md | 2 +- docs/docs/self-hosting/install/compose.md | 2 +- docs/docs/self-hosting/install/quickstart.md | 2 +- docs/docs/self-hosting/install/upgrading.md | 10 +++ .../self-hosting/install/without-docker.md | 2 +- .../self-hosting/troubleshooting/uploads.md | 2 +- 11 files changed, 50 insertions(+), 122 deletions(-) delete mode 100644 docs/docs/self-hosting/guides/admin.md create mode 100644 docs/docs/self-hosting/install/upgrading.md diff --git a/docs/docs/self-hosting/administration/backup.md b/docs/docs/self-hosting/administration/backup.md index 455468bbf5..3771985741 100644 --- a/docs/docs/self-hosting/administration/backup.md +++ b/docs/docs/self-hosting/administration/backup.md @@ -22,15 +22,15 @@ At the minimum, a functional Ente backend needs three things: When thinking about backups, this translates into backing up the relevant state from each of these: -1. For museum, you'd want to backup your `museum.yaml`, `credentials.yaml` or +1. For Museum, you'd want to backup your `museum.yaml`, `credentials.yaml` or any other custom configuration that you created. In particular, you should backup the [secrets that are specific to your instance](https://github.com/ente-io/ente/blob/74377a93d8e20e969d9a2531f32f577b5f0ef090/server/configurations/local.yaml#L188) (`key.encryption`, `key.hash` and `jwt.secret`). -2. For postgres, the entire data volume needs to be backed up. +2. For PostgreSQL, the entire data volume needs to be backed up. -3. For object storage, the entire data volume needs to be backed up. +3. For Object Storage, the entire data volume needs to be backed up. A common oversight is taking a lot of care for backing up the object storage, even going as far as enabling replication and backing up the the multiple object @@ -56,8 +56,7 @@ keeping a plaintext backup of your photos. [You can use the CLI or the desktop app to automate this](/photos/faq/export). Once you get more comfortable with the various parts, you can try backing up -your instance. As a reference, -[this document outlines how Ente itself treats backups](https://ente.io/reliability). +your instance. If you stop doing plaintext backups and instead rely on your instance backup, ensure that you do the full restore process also to verify you can get back your diff --git a/docs/docs/self-hosting/administration/museum.md b/docs/docs/self-hosting/administration/museum.md index 3837bbad1b..b32728a8c6 100644 --- a/docs/docs/self-hosting/administration/museum.md +++ b/docs/docs/self-hosting/administration/museum.md @@ -37,7 +37,7 @@ MinIO uses the port `3200` for API Endpoints and their web app runs over browser. If you face any issues related to uploads then checkout -[Troubleshooting bucket CORS](/self-hosting/troubleshooting/bucket-cors) and +[Troubleshooting bucket CORS] and [Frequently encountered S3 errors]. ## Web apps diff --git a/docs/docs/self-hosting/administration/reverse-proxy.md b/docs/docs/self-hosting/administration/reverse-proxy.md index 5c931d7cbb..ba1426eec1 100644 --- a/docs/docs/self-hosting/administration/reverse-proxy.md +++ b/docs/docs/self-hosting/administration/reverse-proxy.md @@ -5,9 +5,13 @@ Description: Configuring reverse proxy for Museum and other services # Reverse proxy -We highly recommend using HTTPS for Museum (`8080`). For security reasons, Museum -will not accept incoming HTTP traffic. +Configuring reverse proxy is a way to make the service accessible via the public +Internet without exposing multiple ports for various services. +It also allows configuration of HTTPS through SSL certificate management. + +We highly recommend using HTTPS for Museum (Ente's server). For security reasons, Museum +will not accept incoming HTTP traffic. ## Pre-requisites @@ -36,21 +40,22 @@ although you can use other alternatives such as NGINX, Traefik, etc. Set up the appropriate records for the endpoints in your DNS management dashboard (usually associated with your domain registrar). -`A` or `AAAA` records targeting towards your server's IP address should -be sufficient. +`A` or `AAAA` records pointing to your server's IP address are sufficient. + +DNS propagation can take a few minutes to take effect. ![cloudflare](/cloudflare.png) ## Step 2: Configure reverse proxy -Once Caddy is installed on system, a `Caddyfile` is created on the path +After installing Caddy, a `Caddyfile` is created on the path `/etc/caddy/`. Edit `/etc/caddy/Caddyfile` to configure reverse proxies. Here is a ready-to-use configuration that can be used with your own domain. -```groovy -# yourdomain.tld is an example. Replace it with your own domain +> yourdomain.tld is an example. Replace it with your own domain +```groovy # For Museum api.ente.yourdomain.tld { reverse_proxy http://localhost:8080 @@ -80,14 +85,9 @@ auth.ente.yourdomain.tld { cast.ente.yourdomain.tld { reverse_proxy http://localhost:3004 } - -# For Museum -api.ente.yourdomain.tld { - reverse_proxy http://localhost:8080 -} ``` -## Step 3: Start reverse proxy +## Step 3: Reload reverse proxy Reload Caddy for changes to take effect @@ -95,8 +95,12 @@ Reload Caddy for changes to take effect sudo systemctl caddy reload ``` +## Step 4: Verify the setup + Ente Photos web app should be up on https://web.ente.yourdomain.tld. +Museum should be accessible at https://api.ente.yourdomain.tld. + > [!TIP] > If you are using other reverse proxy servers such as NGINX, > Traefik, etc., please check out their documentation. diff --git a/docs/docs/self-hosting/administration/selfhost-cli.md b/docs/docs/self-hosting/administration/selfhost-cli.md index f5ff00bee6..e8ca8612ff 100644 --- a/docs/docs/self-hosting/administration/selfhost-cli.md +++ b/docs/docs/self-hosting/administration/selfhost-cli.md @@ -3,18 +3,21 @@ title: CLI for Self Hosted Instance description: Guide to configuring Ente CLI for Self Hosted Instance --- -## Self Hosting +# Ente CLI for self-hosted instance -If you are self-hosting the server, you can still configure CLI to export data & -perform basic admin actions. +If you are self-hosting, you can configure CLI to export data & +perform basic administrative actions. -To do this, first configure the CLI to point to your server. Define a -config.yaml and put it either in the same directory as CLI binary or path -defined in env variable `ENTE_CLI_CONFIG_DIR` +## Step 1: Configure endpoint -```yaml +To do this, first configure the CLI to use your server's endpoint. + +Define `config.yaml` and place it in `~/.ente/` directory or directory +specified by `ENTE_CLI_CONFIG_DIR` or CLI's directory. + +``` yaml endpoint: - api: "http://localhost:8080" + api: http://localhost:8080 ``` You should be able to @@ -24,7 +27,7 @@ and subsequently increase the using the CLI. For administrative actions, you first need to whitelist admin users. -You can create `server/museum.yaml`, and whitelist add the admin userID `internal.admins`. See +You can create `server/museum.yaml`, and whitelist add the admin user ID `internal.admins`. See [local.yaml](https://github.com/ente-io/ente/blob/main/server/configurations/local.yaml#L211C1-L232C1) in the server source code for details about how to define this. @@ -35,5 +38,5 @@ command to find the user id of any account. ```yaml internal: admins: - # - 1580559962386440 + - 1580559962386440 ``` diff --git a/docs/docs/self-hosting/guides/admin.md b/docs/docs/self-hosting/guides/admin.md deleted file mode 100644 index 41732e22f5..0000000000 --- a/docs/docs/self-hosting/guides/admin.md +++ /dev/null @@ -1,88 +0,0 @@ ---- -title: Server admin -description: Administering your custom self-hosted Ente instance using the CLI ---- - -## Becoming an admin - -By default, the first user (and only the first user) created on the system is -considered as an admin. - -This facility is provided as a convenience for people who are getting started -with self hosting. For more serious deployments, we recommend creating an -explicit whitelist of admins. - -> [!NOTE] -> -> The first user is only treated as the admin if the list of admins in the -> configuration is empty. -> -> Also, if at some point you delete the first user, then you will need to define -> a whitelist to make some other user as the admin if you wish (since the first -> account has been deleted). - -To whitelist the user IDs that can perform admin actions on the server, use the -following steps: - -- Create a `museum.yaml` in the directory where you're starting museum from. For - example, if you're running using `docker compose up`, then this file should be - in the same directory as `compose.yaml` (generally, `server/museum.yaml`). - - > Docker might've created an empty `museum.yaml` _directory_ on your machine - > previously. If so, delete that empty directory and create a new file named - > `museum.yaml`. - -- In this `museum.yaml` we can add overrides over the default configuration. - -For whitelisting the admin userIDs we need to define an `internal.admins`. See -the "internal" section in -[local.yaml](https://github.com/ente-io/ente/blob/main/server/configurations/local.yaml) -in the server source code for details about how to define this. - -Here is an example. Suppose we wanted to whitelist a user with ID -`1580559962386440`, we can create the following `museum.yaml` - -```yaml -internal: - admins: - - 1580559962386440 -``` - -You can use -[account list](https://github.com/ente-io/ente/blob/main/cli/docs/generated/ente_account_list.md) -command to find the user id of any account. - -# Administering your custom server - -> [!NOTE] For the first user (admin) to perform administrative actions using the -> CLI, their userID must be whitelisted in the `museum.yaml` configuration file -> under `internal.admins`. While the first user is automatically granted admin -> privileges on the server, this additional step is required for CLI operations. - -You can use -[Ente's CLI](https://github.com/ente-io/ente/releases?q=tag%3Acli-v0) to -administer your self hosted server. - -First we need to get your CLI to connect to your custom server. Define a -config.yaml and put it either in the same directory as CLI or path defined in -env variable `ENTE_CLI_CONFIG_PATH` - -```yaml -endpoint: - api: "http://localhost:8080" -``` - -Now you should be able to -[add an account](https://github.com/ente-io/ente/blob/main/cli/docs/generated/ente_account_add.md), -and subsequently increase the -[storage and account validity](https://github.com/ente-io/ente/blob/main/cli/docs/generated/ente_admin_update-subscription.md) -using the CLI. - -> [!NOTE] -> -> The CLI command to add an account does not create Ente accounts. It only adds -> existing accounts to the list of (existing) accounts that the CLI can use. - -## Backups - -See this [document](/self-hosting/administration/backup). diff --git a/docs/docs/self-hosting/guides/index.md b/docs/docs/self-hosting/guides/index.md index 3925b7e185..407cbe244f 100644 --- a/docs/docs/self-hosting/guides/index.md +++ b/docs/docs/self-hosting/guides/index.md @@ -14,7 +14,7 @@ See the sidebar for existing guides. In particular: [configure custom server]. - For various admin related tasks, e.g. increasing the storage quota on your - self hosted instance, see [administering your custom server](admin). + self hosted instance, see [administering your custom server]. - For configuring your S3 buckets to get the object storage to work from your mobile device or for fixing an upload errors, see diff --git a/docs/docs/self-hosting/install/compose.md b/docs/docs/self-hosting/install/compose.md index 19e96875f6..3aa60ce9ab 100644 --- a/docs/docs/self-hosting/install/compose.md +++ b/docs/docs/self-hosting/install/compose.md @@ -51,5 +51,5 @@ docker compose up --build This builds Museum and web applications based on the Dockerfile and starts the containers needed for Ente. ::: tip -Check out [post-installation steps](/self-hosting/install/post-install) for further usage. +Check out [post-installation steps](/self-hosting/install/post-install/) for further usage. ::: \ No newline at end of file diff --git a/docs/docs/self-hosting/install/quickstart.md b/docs/docs/self-hosting/install/quickstart.md index 53e62898a6..bcb371e672 100644 --- a/docs/docs/self-hosting/install/quickstart.md +++ b/docs/docs/self-hosting/install/quickstart.md @@ -31,5 +31,5 @@ The data accessed by Museum is stored in `./data` folder inside `my-ente` direct It contains extra configuration files that is to be used (push notification credentials, etc.) ::: tip -Check out [post-installations steps](/self-hosting/install/post-install) for further usage. +Check out [post-installations steps](/self-hosting/install/post-install/) for further usage. ::: \ No newline at end of file diff --git a/docs/docs/self-hosting/install/upgrading.md b/docs/docs/self-hosting/install/upgrading.md new file mode 100644 index 0000000000..adfb6e27d2 --- /dev/null +++ b/docs/docs/self-hosting/install/upgrading.md @@ -0,0 +1,10 @@ +--- +title: Upgrading - Self-hosting +description: Upgradation of self-hosted Ente +--- + +# Upgrading + +A list of steps that should be done after installing Ente are described below: + +## Step 1: diff --git a/docs/docs/self-hosting/install/without-docker.md b/docs/docs/self-hosting/install/without-docker.md index 09f8c693fb..4ece37b52a 100644 --- a/docs/docs/self-hosting/install/without-docker.md +++ b/docs/docs/self-hosting/install/without-docker.md @@ -191,5 +191,5 @@ relative to `server` directory The web application for Ente Photos should be accessible at http://localhost:3000, check out the [default ports](/self-hosting/install/env-var#ports) for more information. ::: tip -Check out [post-installation steps](/self-hosting/install/post-install) for further usage. +Check out [post-installation steps](/self-hosting/install/post-install/) for further usage. ::: \ No newline at end of file diff --git a/docs/docs/self-hosting/troubleshooting/uploads.md b/docs/docs/self-hosting/troubleshooting/uploads.md index fd22da1271..ad1cf2b74d 100644 --- a/docs/docs/self-hosting/troubleshooting/uploads.md +++ b/docs/docs/self-hosting/troubleshooting/uploads.md @@ -15,7 +15,7 @@ for any minor misconfigurations. It is also suggested that the user setups bucket CORS or global CORS on MinIO or any external S3 service provider they are connecting to. To setup bucket CORS, -please [read this](/self-hosting/troubleshooting/bucket-cors). +please [read this]. ## 403 Forbidden From bb1719c59fd76fbcd5847e831a668b7369546ec4 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Fri, 25 Jul 2025 11:52:19 +0530 Subject: [PATCH 158/302] fix: considerate timeout for android --- mobile/apps/photos/lib/utils/bg_task_utils.dart | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/utils/bg_task_utils.dart b/mobile/apps/photos/lib/utils/bg_task_utils.dart index 1ae1dfcb0b..a9223c0779 100644 --- a/mobile/apps/photos/lib/utils/bg_task_utils.dart +++ b/mobile/apps/photos/lib/utils/bg_task_utils.dart @@ -23,7 +23,7 @@ void callbackDispatcher() { try { BgTaskUtils.$.info('Task started $tlog'); await runBackgroundTask(taskName, tlog).timeout( - Platform.isIOS ? kBGTaskTimeout : const Duration(hours: 1), + Platform.isIOS ? kBGTaskTimeout : const Duration(minutes: 15), onTimeout: () async { BgTaskUtils.$.warning( "TLE, committing seppuku for taskID: $taskName", From 5890c35050a8629a823a804f2fe57b31b6c52de4 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Fri, 25 Jul 2025 12:09:10 +0530 Subject: [PATCH 159/302] fix: remove runAllML for background --- mobile/apps/photos/lib/main.dart | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/main.dart b/mobile/apps/photos/lib/main.dart index a9458562a4..2e26e2de30 100644 --- a/mobile/apps/photos/lib/main.dart +++ b/mobile/apps/photos/lib/main.dart @@ -185,7 +185,7 @@ Future _runMinimally(String taskId, TimeLogger tlog) async { await MLService.instance.init(); await PersonService.init(entityService, MLDataDB.instance, prefs); - await MLService.instance.runAllML(force: true); + // await MLService.instance.runAllML(force: true); await smartAlbumsService.syncSmartAlbums(); } From 4e7f95e999c5ce8ccc117a43f34aac31147a79ed Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Fri, 25 Jul 2025 12:33:06 +0530 Subject: [PATCH 160/302] fix: basics --- .../ui/components/buttons/button_widget.dart | 14 ++++- .../ui/viewer/gallery/empty_album_state.dart | 58 ++++++++++++++----- .../gallery/gallery_app_bar_widget.dart | 3 +- 3 files changed, 57 insertions(+), 18 deletions(-) diff --git a/mobile/apps/photos/lib/ui/components/buttons/button_widget.dart b/mobile/apps/photos/lib/ui/components/buttons/button_widget.dart index 84012da5b8..95529acc12 100644 --- a/mobile/apps/photos/lib/ui/components/buttons/button_widget.dart +++ b/mobile/apps/photos/lib/ui/components/buttons/button_widget.dart @@ -28,6 +28,7 @@ enum ButtonAction { class ButtonWidget extends StatelessWidget { final IconData? icon; + final Widget? iconWidget; final String? labelText; final ButtonType buttonType; final FutureVoidCallback? onTap; @@ -70,6 +71,7 @@ class ButtonWidget extends StatelessWidget { required this.buttonType, this.buttonSize = ButtonSize.large, this.icon, + this.iconWidget, this.labelText, this.onTap, this.shouldStickToDarkTheme = false, @@ -142,6 +144,7 @@ class ButtonWidget extends StatelessWidget { onTap: onTap, labelText: labelText, icon: icon, + iconWidget: iconWidget, buttonAction: buttonAction, shouldSurfaceExecutionStates: shouldSurfaceExecutionStates, progressStatus: progressStatus, @@ -156,6 +159,7 @@ class ButtonChildWidget extends StatefulWidget { final ButtonType buttonType; final String? labelText; final IconData? icon; + final Widget? iconWidget; final bool isDisabled; final ButtonSize buttonSize; final ButtonAction? buttonAction; @@ -176,6 +180,7 @@ class ButtonChildWidget extends StatefulWidget { this.onTap, this.labelText, this.icon, + this.iconWidget, this.buttonAction, super.key, }); @@ -272,7 +277,7 @@ class _ButtonChildWidgetState extends State { ), ), widget.icon == null - ? const SizedBox.shrink() + ? widget.iconWidget ?? const SizedBox.shrink() : Icon( widget.icon, size: 20, @@ -297,13 +302,16 @@ class _ButtonChildWidgetState extends State { mainAxisAlignment: MainAxisAlignment.center, children: [ widget.icon == null - ? const SizedBox.shrink() + ? widget.iconWidget ?? + const SizedBox.shrink() : Icon( widget.icon, size: 20, color: iconColor, ), - widget.icon == null || widget.labelText == null + widget.icon == null && + widget.iconWidget == null || + widget.labelText == null ? const SizedBox.shrink() : const SizedBox(width: 8), widget.labelText == null diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/empty_album_state.dart b/mobile/apps/photos/lib/ui/viewer/gallery/empty_album_state.dart index 701406c7e3..e26ec507ce 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/empty_album_state.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/empty_album_state.dart @@ -1,10 +1,12 @@ import "package:flutter/material.dart"; import "package:photos/generated/l10n.dart"; import 'package:photos/models/collection/collection.dart'; +import "package:photos/ui/collections/album/smart_album_people.dart"; import "package:photos/ui/components/buttons/button_widget.dart"; import "package:photos/ui/components/models/button_type.dart"; import "package:photos/ui/viewer/gallery/hooks/add_photos_sheet.dart"; import "package:photos/utils/dialog_util.dart"; +import "package:photos/utils/navigation_util.dart"; class EmptyAlbumState extends StatelessWidget { final Collection c; @@ -39,20 +41,48 @@ class EmptyAlbumState extends StatelessWidget { child: Image.asset('assets/loading_photos_background.png'), ), ), - Center( - child: ButtonWidget( - buttonType: ButtonType.primary, - buttonSize: ButtonSize.small, - labelText: S.of(context).addPhotos, - icon: Icons.add_photo_alternate_outlined, - shouldSurfaceExecutionStates: false, - onTap: () async { - try { - await showAddPhotosSheet(context, c); - } catch (e) { - await showGenericErrorDialog(context: context, error: e); - } - }, + Padding( + padding: const EdgeInsets.symmetric(horizontal: 24), + child: Column( + mainAxisAlignment: MainAxisAlignment.end, + children: [ + ButtonWidget( + buttonType: ButtonType.primary, + buttonSize: ButtonSize.large, + labelText: S.of(context).addPhotos, + icon: Icons.add_photo_alternate_outlined, + shouldSurfaceExecutionStates: false, + onTap: () async { + try { + await showAddPhotosSheet(context, c); + } catch (e) { + await showGenericErrorDialog( + context: context, + error: e, + ); + } + }, + ), + SizedBox(height: 12), + ButtonWidget( + buttonType: ButtonType.neutral, + buttonSize: ButtonSize.large, + iconWidget: Image.asset( + 'assets/auto-add-people.png', + width: 24, + height: 24, + color: isLightMode ? Colors.white : Colors.black, + ), + labelText: S.of(context).autoAddPeople, + shouldSurfaceExecutionStates: false, + onTap: () async { + await routeToPage( + context, + SmartAlbumPeople(collectionId: c.id), + ); + }, + ), + ], ), ), ], diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart index 5e97ea84cd..9320fae53e 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart @@ -29,6 +29,7 @@ import 'package:photos/services/collections_service.dart'; import "package:photos/services/files_service.dart"; import "package:photos/states/location_screen_state.dart"; import "package:photos/theme/colors.dart"; +import "package:photos/theme/ente_theme.dart"; import 'package:photos/ui/actions/collection/collection_sharing_actions.dart'; import "package:photos/ui/cast/auto.dart"; import "package:photos/ui/cast/choose.dart"; @@ -539,6 +540,7 @@ class _GalleryAppBarWidgetState extends State { (value?[widget.collection!.id]?.personIDs.isEmpty ?? true) ? "assets/auto-add-people.png" : "assets/edit-auto-add-people.png", + color: EnteTheme.isDark(context) ? Colors.white : Colors.black, ), ), if (galleryType.canDelete()) @@ -621,7 +623,6 @@ class _GalleryAppBarWidgetState extends State { collectionId: widget.collection!.id, ), ); - setState(() {}); } else if (value == AlbumPopupAction.freeUpSpace) { await _deleteBackedUpFiles(context); } else if (value == AlbumPopupAction.setCover) { From 495d8449f709cba052a3ab75272ca83d00f56c9c Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Fri, 25 Jul 2025 12:33:15 +0530 Subject: [PATCH 161/302] chore: lint fixes --- mobile/apps/photos/lib/ui/viewer/gallery/empty_album_state.dart | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/empty_album_state.dart b/mobile/apps/photos/lib/ui/viewer/gallery/empty_album_state.dart index e26ec507ce..1f971b8dc3 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/empty_album_state.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/empty_album_state.dart @@ -63,7 +63,7 @@ class EmptyAlbumState extends StatelessWidget { } }, ), - SizedBox(height: 12), + const SizedBox(height: 12), ButtonWidget( buttonType: ButtonType.neutral, buttonSize: ButtonSize.large, From 4d6d3d651a1552b4765b1f1cd7e89f71cb9b1941 Mon Sep 17 00:00:00 2001 From: Aman Raj Singh Mourya <146618155+AmanRajSinghMourya@users.noreply.github.com> Date: Fri, 25 Jul 2025 12:44:37 +0530 Subject: [PATCH 162/302] Minor Fix --- mobile/apps/auth/assets/custom-icons/_data/custom-icons.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json index e5bc1c018e..566176e3d2 100644 --- a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json +++ b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json @@ -436,7 +436,7 @@ "title": "emeritihealth", "altNames": [ "Emeriti Health", - "Emeriti Retirement Health", + "Emeriti Retirement Health" ] }, { From e4b1adfd1df7882eb0657added5375de927dbbf9 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Fri, 25 Jul 2025 12:58:18 +0530 Subject: [PATCH 163/302] feat: empty state for collection --- .../lib/generated/intl/messages_en.dart | 6 ++ mobile/apps/photos/lib/generated/l10n.dart | 30 ++++++ mobile/apps/photos/lib/l10n/intl_en.arb | 5 +- .../ui/viewer/gallery/collection_page.dart | 1 + .../multiple_groups_gallery_view.dart | 6 +- .../ui/viewer/gallery/empty_album_state.dart | 36 ++++++- .../photos/lib/ui/viewer/gallery/gallery.dart | 4 + mobile/apps/photos/pubspec.lock | 94 +++++++++---------- 8 files changed, 128 insertions(+), 54 deletions(-) diff --git a/mobile/apps/photos/lib/generated/intl/messages_en.dart b/mobile/apps/photos/lib/generated/intl/messages_en.dart index 1a56b5f196..2895ab4a01 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_en.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_en.dart @@ -380,6 +380,12 @@ class MessageLookup extends MessageLookupByLibrary { "Add a people widget to your homescreen and come back here to customize."), "addPhotos": MessageLookupByLibrary.simpleMessage("Add photos"), "addSelected": MessageLookupByLibrary.simpleMessage("Add selected"), + "addSomePhotosDesc1": + MessageLookupByLibrary.simpleMessage("Add some photos or pick "), + "addSomePhotosDesc2": + MessageLookupByLibrary.simpleMessage("familiar faces"), + "addSomePhotosDesc3": + MessageLookupByLibrary.simpleMessage("\nto begin with"), "addToAlbum": MessageLookupByLibrary.simpleMessage("Add to album"), "addToEnte": MessageLookupByLibrary.simpleMessage("Add to Ente"), "addToHiddenAlbum": diff --git a/mobile/apps/photos/lib/generated/l10n.dart b/mobile/apps/photos/lib/generated/l10n.dart index fb730cd61a..c5244bb176 100644 --- a/mobile/apps/photos/lib/generated/l10n.dart +++ b/mobile/apps/photos/lib/generated/l10n.dart @@ -12365,6 +12365,36 @@ class S { args: [], ); } + + /// `Add some photos or pick ` + String get addSomePhotosDesc1 { + return Intl.message( + 'Add some photos or pick ', + name: 'addSomePhotosDesc1', + desc: '', + args: [], + ); + } + + /// `familiar faces` + String get addSomePhotosDesc2 { + return Intl.message( + 'familiar faces', + name: 'addSomePhotosDesc2', + desc: '', + args: [], + ); + } + + /// `\nto begin with` + String get addSomePhotosDesc3 { + return Intl.message( + '\nto begin with', + name: 'addSomePhotosDesc3', + desc: '', + args: [], + ); + } } class AppLocalizationDelegate extends LocalizationsDelegate { diff --git a/mobile/apps/photos/lib/l10n/intl_en.arb b/mobile/apps/photos/lib/l10n/intl_en.arb index ac944963c1..3343422186 100644 --- a/mobile/apps/photos/lib/l10n/intl_en.arb +++ b/mobile/apps/photos/lib/l10n/intl_en.arb @@ -1795,5 +1795,8 @@ "autoAddPeople": "Auto-add people", "shouldRemoveFilesSmartAlbumsDesc": "Should the files related to the person that were previously selected in smart albums be removed?", "addingPhotos": "Adding photos", - "gettingReady": "Getting ready" + "gettingReady": "Getting ready", + "addSomePhotosDesc1": "Add some photos or pick ", + "addSomePhotosDesc2": "familiar faces", + "addSomePhotosDesc3": "\nto begin with" } \ No newline at end of file diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/collection_page.dart b/mobile/apps/photos/lib/ui/viewer/gallery/collection_page.dart index ddea445113..5d98bf26e2 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/collection_page.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/collection_page.dart @@ -95,6 +95,7 @@ class CollectionPage extends StatelessWidget { albumName: c.collection.displayName, sortAsyncFn: () => c.collection.pubMagicMetadata.asc ?? false, showSelectAllByDefault: galleryType != GalleryType.sharedCollection, + addHeaderOrFooterEmptyState: false, emptyState: galleryType == GalleryType.ownedCollection ? EmptyAlbumState( c.collection, diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/component/multiple_groups_gallery_view.dart b/mobile/apps/photos/lib/ui/viewer/gallery/component/multiple_groups_gallery_view.dart index de38d22fda..5559d6a7c7 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/component/multiple_groups_gallery_view.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/component/multiple_groups_gallery_view.dart @@ -43,6 +43,7 @@ class MultipleGroupsGalleryView extends StatelessWidget { final Logger logger; final bool showSelectAllByDefault; final bool isScrollablePositionedList; + final bool addHeaderOrFooterEmptyState; const MultipleGroupsGalleryView({ required this.itemScroller, @@ -50,6 +51,7 @@ class MultipleGroupsGalleryView extends StatelessWidget { required this.disableScroll, this.header, this.footer, + this.addHeaderOrFooterEmptyState = true, required this.emptyState, required this.asyncLoader, this.reloadEvent, @@ -81,7 +83,7 @@ class MultipleGroupsGalleryView extends StatelessWidget { }, emptyResultBuilder: (_) { final List children = []; - if (header != null) { + if (header != null && addHeaderOrFooterEmptyState) { children.add(header!); } children.add( @@ -89,7 +91,7 @@ class MultipleGroupsGalleryView extends StatelessWidget { child: emptyState, ), ); - if (footer != null) { + if (footer != null && addHeaderOrFooterEmptyState) { children.add(footer!); } return Column( diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/empty_album_state.dart b/mobile/apps/photos/lib/ui/viewer/gallery/empty_album_state.dart index 1f971b8dc3..83e0ae7db6 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/empty_album_state.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/empty_album_state.dart @@ -1,6 +1,7 @@ import "package:flutter/material.dart"; import "package:photos/generated/l10n.dart"; import 'package:photos/models/collection/collection.dart'; +import "package:photos/theme/ente_theme.dart"; import "package:photos/ui/collections/album/smart_album_people.dart"; import "package:photos/ui/components/buttons/button_widget.dart"; import "package:photos/ui/components/models/button_type.dart"; @@ -35,10 +36,36 @@ class EmptyAlbumState extends StatelessWidget { ) : Stack( children: [ - Center( - child: Opacity( - opacity: 0.5, - child: Image.asset('assets/loading_photos_background.png'), + SizedBox( + width: double.infinity, + child: Column( + mainAxisAlignment: MainAxisAlignment.center, + children: [ + Image.asset( + "assets/albums-widget-static.png", + height: 160, + ), + const SizedBox(height: 16), + Text.rich( + TextSpan( + text: S.of(context).addSomePhotosDesc1, + children: [ + TextSpan( + text: S.of(context).addSomePhotosDesc2, + style: TextStyle( + color: getEnteColorScheme(context).primary500, + ), + ), + TextSpan( + text: S.of(context).addSomePhotosDesc3, + ), + ], + ), + style: getEnteTextTheme(context).smallMuted, + textAlign: TextAlign.center, + ), + const SizedBox(height: 140), + ], ), ), Padding( @@ -82,6 +109,7 @@ class EmptyAlbumState extends StatelessWidget { ); }, ), + const SizedBox(height: 48), ], ), ), diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 4cbba09f54..ae66b49228 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -55,6 +55,8 @@ class Gallery extends StatefulWidget { /// will select even when no other item is selected. final bool limitSelectionToOne; + final bool addHeaderOrFooterEmptyState; + /// When true, the gallery will be in selection mode. Tapping on any item /// will select it even when no other item is selected. This is only used to /// make selection possible without long pressing. If a gallery has selected @@ -77,6 +79,7 @@ class Gallery extends StatefulWidget { this.removalEventTypes = const {}, this.header, this.footer = const SizedBox(height: 212), + this.addHeaderOrFooterEmptyState = true, this.emptyState = const EmptyState(), this.scrollBottomSafeArea = 120.0, this.albumName = '', @@ -396,6 +399,7 @@ class GalleryState extends State { reloadEvent: widget.reloadEvent, header: widget.header, footer: widget.footer, + addHeaderOrFooterEmptyState: widget.addHeaderOrFooterEmptyState, selectedFiles: widget.selectedFiles, showSelectAllByDefault: widget.showSelectAllByDefault && widget.groupType.showGroupHeader(), diff --git a/mobile/apps/photos/pubspec.lock b/mobile/apps/photos/pubspec.lock index 94d1975e0b..f1609a0641 100644 --- a/mobile/apps/photos/pubspec.lock +++ b/mobile/apps/photos/pubspec.lock @@ -130,10 +130,10 @@ packages: dependency: "direct main" description: name: async - sha256: "947bfcf187f74dbc5e146c9eb9c0f10c9f8b30743e341481c1e2ed3ecc18c20c" + sha256: d2872f9c19731c2e5f10444b14686eb7cc85c76274bd6c16e1816bff9a3bab63 url: "https://pub.dev" source: hosted - version: "2.11.0" + version: "2.12.0" battery_info: dependency: "direct main" description: @@ -155,10 +155,10 @@ packages: dependency: transitive description: name: boolean_selector - sha256: "6cfb5af12253eaf2b368f07bacc5a80d1301a071c73360d746b7f2e32d762c66" + sha256: "8aab1771e1243a5063b8b0ff68042d67334e3feab9e95b9490f9a6ebf73b42ea" url: "https://pub.dev" source: hosted - version: "2.1.1" + version: "2.1.2" brotli: dependency: transitive description: @@ -268,10 +268,10 @@ packages: dependency: transitive description: name: characters - sha256: "04a925763edad70e8443c99234dc3328f442e811f1d8fd1a72f1c8ad0f69a605" + sha256: f71061c654a3380576a52b451dd5532377954cf9dbd272a78fc8479606670803 url: "https://pub.dev" source: hosted - version: "1.3.0" + version: "1.4.0" checked_yaml: dependency: transitive description: @@ -301,10 +301,10 @@ packages: dependency: transitive description: name: clock - sha256: cb6d7f03e1de671e34607e909a7213e31d7752be4fb66a86d29fe1eb14bfb5cf + sha256: fddb70d9b5277016c77a80201021d40a2247104d9f4aa7bab7157b7e3f05b84b url: "https://pub.dev" source: hosted - version: "1.1.1" + version: "1.1.2" code_builder: dependency: transitive description: @@ -317,10 +317,10 @@ packages: dependency: "direct main" description: name: collection - sha256: a1ace0a119f20aabc852d165077c036cd864315bd99b7eaa10a60100341941bf + sha256: "2f5709ae4d3d59dd8f7cd309b4e023046b57d8a6c82130785d2b0e5868084e76" url: "https://pub.dev" source: hosted - version: "1.19.0" + version: "1.19.1" computer: dependency: "direct main" description: @@ -619,10 +619,10 @@ packages: dependency: transitive description: name: fake_async - sha256: "511392330127add0b769b75a987850d136345d9227c6b94c96a04cf4a391bf78" + sha256: "6a95e56b2449df2273fd8c45a662d6947ce1ebb7aafe80e550a3f68297f3cacc" url: "https://pub.dev" source: hosted - version: "1.3.1" + version: "1.3.2" fast_base58: dependency: "direct main" description: @@ -668,10 +668,10 @@ packages: dependency: transitive description: name: file - sha256: "5fc22d7c25582e38ad9a8515372cd9a93834027aacf1801cf01164dac0ffa08c" + sha256: a3b4f84adafef897088c160faf7dfffb7696046cb13ae90b508c2cbc95d3b8d4 url: "https://pub.dev" source: hosted - version: "7.0.0" + version: "7.0.1" file_saver: dependency: "direct main" description: @@ -1416,18 +1416,18 @@ packages: dependency: transitive description: name: leak_tracker - sha256: "7bb2830ebd849694d1ec25bf1f44582d6ac531a57a365a803a6034ff751d2d06" + sha256: c35baad643ba394b40aac41080300150a4f08fd0fd6a10378f8f7c6bc161acec url: "https://pub.dev" source: hosted - version: "10.0.7" + version: "10.0.8" leak_tracker_flutter_testing: dependency: transitive description: name: leak_tracker_flutter_testing - sha256: "9491a714cca3667b60b5c420da8217e6de0d1ba7a5ec322fab01758f6998f379" + sha256: f8b613e7e6a13ec79cfdc0e97638fddb3ab848452eff057653abd3edba760573 url: "https://pub.dev" source: hosted - version: "3.0.8" + version: "3.0.9" leak_tracker_testing: dependency: transitive description: @@ -1552,10 +1552,10 @@ packages: dependency: transitive description: name: matcher - sha256: d2323aa2060500f906aa31a895b4030b6da3ebdcc5619d14ce1aada65cd161cb + sha256: dc58c723c3c24bf8d3e2d3ad3f2f9d7bd9cf43ec6feaa64181775e60190153f2 url: "https://pub.dev" source: hosted - version: "0.12.16+1" + version: "0.12.17" material_color_utilities: dependency: transitive description: @@ -1645,10 +1645,10 @@ packages: dependency: transitive description: name: meta - sha256: bdb68674043280c3428e9ec998512fb681678676b3c54e773629ffe74419f8c7 + sha256: e3641ec5d63ebf0d9b41bd43201a66e3fc79a65db5f61fc181f04cd27aab950c url: "https://pub.dev" source: hosted - version: "1.15.0" + version: "1.16.0" mgrs_dart: dependency: transitive description: @@ -1859,10 +1859,10 @@ packages: dependency: "direct main" description: name: path - sha256: "087ce49c3f0dc39180befefc60fdb4acd8f8620e5682fe2476afd0b3688bb4af" + sha256: "75cca69d1490965be98c73ceaea117e8a04dd21217b37b292c9ddbec0d955bc5" url: "https://pub.dev" source: hosted - version: "1.9.0" + version: "1.9.1" path_drawing: dependency: transitive description: @@ -2019,10 +2019,10 @@ packages: dependency: transitive description: name: platform - sha256: "9b71283fc13df574056616011fb138fd3b793ea47cc509c189a6c3fa5f8a1a65" + sha256: "5d6b1b0036a5f331ebc77c850ebc8506cbc1e9416c27e59b439f917a902a4984" url: "https://pub.dev" source: hosted - version: "3.1.5" + version: "3.1.6" plugin_platform_interface: dependency: transitive description: @@ -2068,10 +2068,10 @@ packages: dependency: transitive description: name: process - sha256: "21e54fd2faf1b5bdd5102afd25012184a6793927648ea81eea80552ac9405b32" + sha256: "107d8be718f120bbba9dcd1e95e3bd325b1b4a4f07db64154635ba03f2567a0d" url: "https://pub.dev" source: hosted - version: "5.0.2" + version: "5.0.3" proj4dart: dependency: transitive description: @@ -2346,10 +2346,10 @@ packages: dependency: transitive description: name: source_span - sha256: "53e943d4206a5e30df338fd4c6e7a077e02254531b138a15aec3bd143c1a8b3c" + sha256: "254ee5351d6cb365c859e20ee823c3bb479bf4a293c22d17a9f1bf144ce86f7c" url: "https://pub.dev" source: hosted - version: "1.10.0" + version: "1.10.1" sprintf: dependency: transitive description: @@ -2434,10 +2434,10 @@ packages: dependency: transitive description: name: stack_trace - sha256: "9f47fd3630d76be3ab26f0ee06d213679aa425996925ff3feffdec504931c377" + sha256: "8b27215b45d22309b5cddda1aa2b19bdfec9df0e765f2de506401c071d38d1b1" url: "https://pub.dev" source: hosted - version: "1.12.0" + version: "1.12.1" step_progress_indicator: dependency: "direct main" description: @@ -2450,10 +2450,10 @@ packages: dependency: transitive description: name: stream_channel - sha256: ba2aa5d8cc609d96bbb2899c28934f9e1af5cddbd60a827822ea467161eb54e7 + sha256: "969e04c80b8bcdf826f8f16579c7b14d780458bd97f56d107d3950fdbeef059d" url: "https://pub.dev" source: hosted - version: "2.1.2" + version: "2.1.4" stream_transform: dependency: transitive description: @@ -2466,10 +2466,10 @@ packages: dependency: transitive description: name: string_scanner - sha256: "688af5ed3402a4bde5b3a6c15fd768dbf2621a614950b17f04626c431ab3c4c3" + sha256: "921cd31725b72fe181906c6a94d987c78e3b98c2e205b397ea399d4054872b43" url: "https://pub.dev" source: hosted - version: "1.3.0" + version: "1.4.1" styled_text: dependency: "direct main" description: @@ -2522,34 +2522,34 @@ packages: dependency: transitive description: name: term_glyph - sha256: a29248a84fbb7c79282b40b8c72a1209db169a2e0542bce341da992fe1bc7e84 + sha256: "7f554798625ea768a7518313e58f83891c7f5024f88e46e7182a4558850a4b8e" url: "https://pub.dev" source: hosted - version: "1.2.1" + version: "1.2.2" test: dependency: "direct dev" description: name: test - sha256: "713a8789d62f3233c46b4a90b174737b2c04cb6ae4500f2aa8b1be8f03f5e67f" + sha256: "301b213cd241ca982e9ba50266bd3f5bd1ea33f1455554c5abb85d1be0e2d87e" url: "https://pub.dev" source: hosted - version: "1.25.8" + version: "1.25.15" test_api: dependency: transitive description: name: test_api - sha256: "664d3a9a64782fcdeb83ce9c6b39e78fd2971d4e37827b9b06c3aa1edc5e760c" + sha256: fb31f383e2ee25fbbfe06b40fe21e1e458d14080e3c67e7ba0acfde4df4e0bbd url: "https://pub.dev" source: hosted - version: "0.7.3" + version: "0.7.4" test_core: dependency: transitive description: name: test_core - sha256: "12391302411737c176b0b5d6491f466b0dd56d4763e347b6714efbaa74d7953d" + sha256: "84d17c3486c8dfdbe5e12a50c8ae176d15e2a771b96909a9442b40173649ccaa" url: "https://pub.dev" source: hosted - version: "0.6.5" + version: "0.6.8" thermal: dependency: "direct main" description: @@ -2813,10 +2813,10 @@ packages: dependency: transitive description: name: vm_service - sha256: f6be3ed8bd01289b34d679c2b62226f63c0e69f9fd2e50a6b3c1c729a961041b + sha256: "0968250880a6c5fe7edc067ed0a13d4bae1577fe2771dcf3010d52c4a9d3ca14" url: "https://pub.dev" source: hosted - version: "14.3.0" + version: "14.3.1" volume_controller: dependency: transitive description: @@ -2978,5 +2978,5 @@ packages: source: hosted version: "3.1.3" sdks: - dart: ">=3.5.0 <4.0.0" + dart: ">=3.7.0-0 <4.0.0" flutter: ">=3.24.0" From a60172473b0ea8b6c13628f0d1308fcc1c1f3ded Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Fri, 25 Jul 2025 14:06:11 +0530 Subject: [PATCH 164/302] chore: remove color scheme --- .../lib/ui/viewer/actions/smart_albums_status_widget.dart | 7 ++----- 1 file changed, 2 insertions(+), 5 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/actions/smart_albums_status_widget.dart b/mobile/apps/photos/lib/ui/viewer/actions/smart_albums_status_widget.dart index bbf9be5b18..63db239dc6 100644 --- a/mobile/apps/photos/lib/ui/viewer/actions/smart_albums_status_widget.dart +++ b/mobile/apps/photos/lib/ui/viewer/actions/smart_albums_status_widget.dart @@ -60,7 +60,6 @@ class _SmartAlbumsStatusWidgetState extends State @override Widget build(BuildContext context) { - final colorScheme = getEnteColorScheme(context); final textTheme = getEnteTextTheme(context); return AnimatedCrossFade( @@ -82,7 +81,7 @@ class _SmartAlbumsStatusWidgetState extends State decoration: BoxDecoration( borderRadius: BorderRadius.circular(8), color: EnteTheme.isDark(context) - ? Colors.white.withOpacity(0.08) + ? Colors.white.withOpacity(0.20) : Colors.black.withOpacity(0.65), ), child: Row( @@ -102,9 +101,7 @@ class _SmartAlbumsStatusWidgetState extends State (_syncingCollection?.$2 ?? true) ? S.of(context).addingPhotos : S.of(context).gettingReady, - style: textTheme.small.copyWith( - color: colorScheme.backdropBase, - ), + style: textTheme.small.copyWith(color: Colors.white), ), ], ), From 0a19245c766d30befa7912ef42de2f499945e9f8 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Fri, 25 Jul 2025 14:07:59 +0530 Subject: [PATCH 165/302] fix: re-add setState --- .../photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart | 1 + 1 file changed, 1 insertion(+) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart index 9320fae53e..dcd184b9eb 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart @@ -623,6 +623,7 @@ class _GalleryAppBarWidgetState extends State { collectionId: widget.collection!.id, ), ); + setState(() {}); } else if (value == AlbumPopupAction.freeUpSpace) { await _deleteBackedUpFiles(context); } else if (value == AlbumPopupAction.setCover) { From ad9cb3cb8de07fb955253e2a2b6628c7b7e0bdbd Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Fri, 25 Jul 2025 15:29:31 +0530 Subject: [PATCH 166/302] fix: disable everything ML --- mobile/apps/photos/lib/main.dart | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/mobile/apps/photos/lib/main.dart b/mobile/apps/photos/lib/main.dart index 2e26e2de30..a8289ac3e3 100644 --- a/mobile/apps/photos/lib/main.dart +++ b/mobile/apps/photos/lib/main.dart @@ -183,8 +183,8 @@ Future _runMinimally(String taskId, TimeLogger tlog) async { // only runs for android await _homeWidgetSync(true); - await MLService.instance.init(); - await PersonService.init(entityService, MLDataDB.instance, prefs); + // await MLService.instance.init(); + // await PersonService.init(entityService, MLDataDB.instance, prefs); // await MLService.instance.runAllML(force: true); await smartAlbumsService.syncSmartAlbums(); } From b305d3c9bf6890f6b2d28029a6c987ec08e56ec1 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Fri, 25 Jul 2025 16:07:19 +0530 Subject: [PATCH 167/302] Do not show scrollbar for small galleries --- .../gallery/scrollbar/custom_scroll_bar.dart | 11 +++++++ .../scroll_bar_with_use_notifier.dart | 33 +++++++++---------- 2 files changed, 26 insertions(+), 18 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart index 99ca79b11f..1736f47680 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart @@ -52,6 +52,7 @@ class _CustomScrollBarState extends State { double? heightOfScrollbarDivider; double? heightOfScrollTrack; late bool _showScrollbarDivisions; + late bool _showThumb; // Scrollbar's heigh is not fixed by default. If the scrollable is short // enough, the scrollbar's height can go above the minimum length. @@ -89,6 +90,13 @@ class _CustomScrollBarState extends State { _showScrollbarDivisions = false; } + if (widget.galleryGroups.groupLayouts.last.maxOffset > + widget.heighOfViewport * 3) { + _showThumb = true; + } else { + _showThumb = false; + } + if (_showScrollbarDivisions) { getIntrinsicSizeOfWidget(const ScrollBarDivider(title: "Temp"), context) .then((size) { @@ -223,6 +231,9 @@ class _CustomScrollBarState extends State { interactive: true, inUseNotifier: widget.inUseNotifier, minScrollbarLength: _kScrollbarMinLength, + showThumb: _showThumb, + // radius: const Radius.circular(4), + // thickness: 8, child: widget.child, ), ), diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/scroll_bar_with_use_notifier.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/scroll_bar_with_use_notifier.dart index 75551b6d54..56e656974f 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/scroll_bar_with_use_notifier.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/scroll_bar_with_use_notifier.dart @@ -8,7 +8,6 @@ import 'package:flutter/cupertino.dart'; import 'package:flutter/gestures.dart'; import "package:flutter/material.dart"; -import "package:photos/ui/viewer/gallery/scrollbar/cupertino_scroll_bar_with_use_notifier.dart"; const double _kScrollbarThickness = 8.0; const double _kScrollbarThicknessWithTrack = 12.0; @@ -96,6 +95,7 @@ class ScrollbarWithUseNotifer extends StatelessWidget { this.notificationPredicate, this.interactive, this.scrollbarOrientation, + this.showThumb, }); /// {@macro flutter.widgets.Scrollbar.child} @@ -155,25 +155,10 @@ class ScrollbarWithUseNotifer extends StatelessWidget { final double minScrollbarLength; + final bool? showThumb; + @override Widget build(BuildContext context) { - if (Theme.of(context).platform == TargetPlatform.iOS) { - return CupertinoScrollbarWithUseNotifier( - thumbVisibility: thumbVisibility ?? false, - thickness: thickness ?? CupertinoScrollbar.defaultThickness, - thicknessWhileDragging: - thickness ?? CupertinoScrollbar.defaultThicknessWhileDragging, - radius: radius ?? CupertinoScrollbar.defaultRadius, - radiusWhileDragging: - radius ?? CupertinoScrollbar.defaultRadiusWhileDragging, - controller: controller, - notificationPredicate: notificationPredicate, - scrollbarOrientation: scrollbarOrientation, - inUseNotifier: inUseNotifier, - minScrollbarLength: minScrollbarLength, - child: child, - ); - } return _MaterialScrollbar( controller: controller, thumbVisibility: thumbVisibility, @@ -185,6 +170,7 @@ class ScrollbarWithUseNotifer extends StatelessWidget { scrollbarOrientation: scrollbarOrientation, inUseNotifier: inUseNotifier, minScrollbarLength: minScrollbarLength, + showThumb: showThumb, child: child, ); } @@ -193,10 +179,12 @@ class ScrollbarWithUseNotifer extends StatelessWidget { class _MaterialScrollbar extends RawScrollbar { final ValueNotifier inUseNotifier; final double minScrollbarLength; + final bool? showThumb; const _MaterialScrollbar({ required super.child, required this.inUseNotifier, required this.minScrollbarLength, + required this.showThumb, super.controller, super.thumbVisibility, super.trackVisibility, @@ -251,6 +239,9 @@ class _MaterialScrollbarState extends RawScrollbarState<_MaterialScrollbar> { }; MaterialStateProperty get _thumbColor { + if (widget.showThumb == false) { + return MaterialStateProperty.all(const Color(0x00000000)); + } final Color onSurface = _colorScheme.onSurface; final Brightness brightness = _colorScheme.brightness; late Color dragColor; @@ -291,6 +282,9 @@ class _MaterialScrollbarState extends RawScrollbarState<_MaterialScrollbar> { } MaterialStateProperty get _trackColor { + if (widget.showThumb == false) { + return MaterialStateProperty.all(const Color(0x00000000)); + } final Color onSurface = _colorScheme.onSurface; final Brightness brightness = _colorScheme.brightness; return MaterialStateProperty.resolveWith((Set states) { @@ -306,6 +300,9 @@ class _MaterialScrollbarState extends RawScrollbarState<_MaterialScrollbar> { } MaterialStateProperty get _trackBorderColor { + if (widget.showThumb == false) { + return MaterialStateProperty.all(const Color(0x00000000)); + } final Color onSurface = _colorScheme.onSurface; final Brightness brightness = _colorScheme.brightness; return MaterialStateProperty.resolveWith((Set states) { From 676c3fd22c1646c9a62a1652fd500e1a76f4b0dd Mon Sep 17 00:00:00 2001 From: ashilkn Date: Fri, 25 Jul 2025 16:11:23 +0530 Subject: [PATCH 168/302] Update scroll bar thumb --- .../lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart index 1736f47680..e220ca90ea 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart @@ -223,6 +223,7 @@ class _CustomScrollBarState extends State { padding: EdgeInsets.only( bottom: widget.bottomPadding.value, top: widget.topPadding, + right: 4, ), ), child: ScrollbarWithUseNotifer( @@ -232,8 +233,8 @@ class _CustomScrollBarState extends State { inUseNotifier: widget.inUseNotifier, minScrollbarLength: _kScrollbarMinLength, showThumb: _showThumb, - // radius: const Radius.circular(4), - // thickness: 8, + radius: const Radius.circular(4), + thickness: 8, child: widget.child, ), ), From 32b7081b02917a4d41811277d42c4b92b2c1ebfb Mon Sep 17 00:00:00 2001 From: ashilkn Date: Fri, 25 Jul 2025 16:12:27 +0530 Subject: [PATCH 169/302] Remove unused file --- ...upertino_scroll_bar_with_use_notifier.dart | 236 ------------------ 1 file changed, 236 deletions(-) delete mode 100644 mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/cupertino_scroll_bar_with_use_notifier.dart diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/cupertino_scroll_bar_with_use_notifier.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/cupertino_scroll_bar_with_use_notifier.dart deleted file mode 100644 index fc97d03f52..0000000000 --- a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/cupertino_scroll_bar_with_use_notifier.dart +++ /dev/null @@ -1,236 +0,0 @@ -// Modified CupertinoScrollbar that accepts a ValueNotifier to indicate -// if the scrollbar is in use. In flutter CupertinoScrollbar is in a different -// file where as MaterialScrollbar is in the same file as ScrollBar. So -// following the same convention by create a separate file for -// CupertinoScrollbarWithUseNotifier. - -// Copyright 2014 The Flutter Authors. All rights reserved. -// Use of this source code is governed by a BSD-style license that can be -// found in the LICENSE file. - -import "package:flutter/cupertino.dart"; -import 'package:flutter/services.dart'; - -// All values eyeballed. -const double _kScrollbarMinOverscrollLength = 8.0; -const Duration _kScrollbarTimeToFade = Duration(milliseconds: 1200); -const Duration _kScrollbarFadeDuration = Duration(milliseconds: 250); -const Duration _kScrollbarResizeDuration = Duration(milliseconds: 100); - -// Extracted from iOS 13.1 beta using Debug View Hierarchy. -const Color _kScrollbarColor = CupertinoDynamicColor.withBrightness( - color: Color(0x59000000), - darkColor: Color(0x80FFFFFF), -); - -// This is the amount of space from the top of a vertical scrollbar to the -// top edge of the scrollable, measured when the vertical scrollbar overscrolls -// to the top. -// TODO(LongCatIsLooong): fix https://github.com/flutter/flutter/issues/32175 -const double _kScrollbarMainAxisMargin = 3.0; -const double _kScrollbarCrossAxisMargin = 3.0; - -/// An iOS style scrollbar. -/// -/// To add a scrollbar to a [ScrollView], wrap the scroll view widget in -/// a [CupertinoScrollbarWithUseNotifier] widget. -/// -/// {@youtube 560 315 https://www.youtube.com/watch?v=DbkIQSvwnZc} -/// -/// {@macro flutter.widgets.Scrollbar} -/// -/// When dragging a [CupertinoScrollbarWithUseNotifier] thumb, the thickness and radius will -/// animate from [thickness] and [radius] to [thicknessWhileDragging] and -/// [radiusWhileDragging], respectively. -/// -/// {@tool dartpad} -/// This sample shows a [CupertinoScrollbarWithUseNotifier] that fades in and out of view as scrolling occurs. -/// The scrollbar will fade into view as the user scrolls, and fade out when scrolling stops. -/// The `thickness` of the scrollbar will animate from 6 pixels to the `thicknessWhileDragging` of 10 -/// when it is dragged by the user. The `radius` of the scrollbar thumb corners will animate from 34 -/// to the `radiusWhileDragging` of 0 when the scrollbar is being dragged by the user. -/// -/// ** See code in examples/api/lib/cupertino/scrollbar/cupertino_scrollbar.0.dart ** -/// {@end-tool} -/// -/// {@tool dartpad} -/// When [thumbVisibility] is true, the scrollbar thumb will remain visible without the -/// fade animation. This requires that a [ScrollController] is provided to controller, -/// or that the [PrimaryScrollController] is available. -/// -/// ** See code in examples/api/lib/cupertino/scrollbar/cupertino_scrollbar.1.dart ** -/// {@end-tool} -/// -/// See also: -/// -/// * [ListView], which displays a linear, scrollable list of children. -/// * [GridView], which displays a 2 dimensional, scrollable array of children. -/// * [Scrollbar], a Material Design scrollbar. -/// * [RawScrollbar], a basic scrollbar that fades in and out, extended -/// by this class to add more animations and behaviors. -class CupertinoScrollbarWithUseNotifier extends RawScrollbar { - /// Creates an iOS style scrollbar that wraps the given [child]. - /// - /// The [child] should be a source of [ScrollNotification] notifications, - /// typically a [Scrollable] widget. - - final ValueNotifier inUseNotifier; - final double minScrollbarLength; - - const CupertinoScrollbarWithUseNotifier({ - super.key, - required super.child, - required this.inUseNotifier, - required this.minScrollbarLength, - super.controller, - bool? thumbVisibility, - double super.thickness = defaultThickness, - this.thicknessWhileDragging = defaultThicknessWhileDragging, - Radius super.radius = defaultRadius, - this.radiusWhileDragging = defaultRadiusWhileDragging, - ScrollNotificationPredicate? notificationPredicate, - super.scrollbarOrientation, - }) : assert(thickness < double.infinity), - assert(thicknessWhileDragging < double.infinity), - super( - thumbVisibility: thumbVisibility ?? false, - fadeDuration: _kScrollbarFadeDuration, - timeToFade: _kScrollbarTimeToFade, - pressDuration: const Duration(milliseconds: 100), - notificationPredicate: - notificationPredicate ?? defaultScrollNotificationPredicate, - ); - - /// Default value for [thickness] if it's not specified in [CupertinoScrollbarWithUseNotifier]. - static const double defaultThickness = 3; - - /// Default value for [thicknessWhileDragging] if it's not specified in - /// [CupertinoScrollbarWithUseNotifier]. - static const double defaultThicknessWhileDragging = 8.0; - - /// Default value for [radius] if it's not specified in [CupertinoScrollbarWithUseNotifier]. - static const Radius defaultRadius = Radius.circular(1.5); - - /// Default value for [radiusWhileDragging] if it's not specified in - /// [CupertinoScrollbarWithUseNotifier]. - static const Radius defaultRadiusWhileDragging = Radius.circular(4.0); - - /// The thickness of the scrollbar when it's being dragged by the user. - /// - /// When the user starts dragging the scrollbar, the thickness will animate - /// from [thickness] to this value, then animate back when the user stops - /// dragging the scrollbar. - final double thicknessWhileDragging; - - /// The radius of the scrollbar edges when the scrollbar is being dragged by - /// the user. - /// - /// When the user starts dragging the scrollbar, the radius will animate - /// from [radius] to this value, then animate back when the user stops - /// dragging the scrollbar. - final Radius radiusWhileDragging; - - @override - RawScrollbarState createState() => - _CupertinoScrollbarState(); -} - -class _CupertinoScrollbarState - extends RawScrollbarState { - late AnimationController _thicknessAnimationController; - - double get _thickness { - return widget.thickness! + - _thicknessAnimationController.value * - (widget.thicknessWhileDragging - widget.thickness!); - } - - Radius get _radius { - return Radius.lerp( - widget.radius, - widget.radiusWhileDragging, - _thicknessAnimationController.value, - )!; - } - - @override - void initState() { - super.initState(); - _thicknessAnimationController = AnimationController( - vsync: this, - duration: _kScrollbarResizeDuration, - ); - _thicknessAnimationController.addListener(() { - updateScrollbarPainter(); - }); - } - - @override - void updateScrollbarPainter() { - scrollbarPainter - ..color = CupertinoDynamicColor.resolve(_kScrollbarColor, context) - ..textDirection = Directionality.of(context) - ..thickness = _thickness - ..mainAxisMargin = _kScrollbarMainAxisMargin - ..crossAxisMargin = _kScrollbarCrossAxisMargin - ..radius = _radius - ..padding = MediaQuery.paddingOf(context) - ..minLength = widget.minScrollbarLength - ..minOverscrollLength = _kScrollbarMinOverscrollLength - ..scrollbarOrientation = widget.scrollbarOrientation; - } - - double _pressStartAxisPosition = 0.0; - - // Long press event callbacks handle the gesture where the user long presses - // on the scrollbar thumb and then drags the scrollbar without releasing. - - @override - void handleThumbPressStart(Offset localPosition) { - super.handleThumbPressStart(localPosition); - widget.inUseNotifier.value = true; - final Axis? direction = getScrollbarDirection(); - if (direction == null) { - return; - } - _pressStartAxisPosition = switch (direction) { - Axis.vertical => localPosition.dy, - Axis.horizontal => localPosition.dx, - }; - } - - @override - void handleThumbPress() { - if (getScrollbarDirection() == null) { - return; - } - super.handleThumbPress(); - _thicknessAnimationController.forward().then( - (_) => HapticFeedback.mediumImpact(), - ); - } - - @override - void handleThumbPressEnd(Offset localPosition, Velocity velocity) { - widget.inUseNotifier.value = false; - final Axis? direction = getScrollbarDirection(); - if (direction == null) { - return; - } - _thicknessAnimationController.reverse(); - super.handleThumbPressEnd(localPosition, velocity); - final (double axisPosition, double axisVelocity) = switch (direction) { - Axis.horizontal => (localPosition.dx, velocity.pixelsPerSecond.dx), - Axis.vertical => (localPosition.dy, velocity.pixelsPerSecond.dy), - }; - if (axisPosition != _pressStartAxisPosition && axisVelocity.abs() < 10) { - HapticFeedback.mediumImpact(); - } - } - - @override - void dispose() { - _thicknessAnimationController.dispose(); - super.dispose(); - } -} From 7bd22fd5b8b4c004c8e604b828454a70f525b8d2 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Fri, 25 Jul 2025 16:14:33 +0530 Subject: [PATCH 170/302] Padding change --- .../lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart index e220ca90ea..78e65b0ec6 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart @@ -223,7 +223,7 @@ class _CustomScrollBarState extends State { padding: EdgeInsets.only( bottom: widget.bottomPadding.value, top: widget.topPadding, - right: 4, + right: 3, ), ), child: ScrollbarWithUseNotifer( From 0a6558bf48429b55ce7ce39f83bf23106c5b3a4c Mon Sep 17 00:00:00 2001 From: ashilkn Date: Fri, 25 Jul 2025 16:38:22 +0530 Subject: [PATCH 171/302] Remove 'last year' and 'last month' header titles for groups --- .../lib/generated/intl/messages_en.dart | 2 -- mobile/apps/photos/lib/generated/l10n.dart | 20 ------------------- mobile/apps/photos/lib/l10n/intl_en.arb | 2 -- .../viewer/gallery/component/group/type.dart | 11 ---------- 4 files changed, 35 deletions(-) diff --git a/mobile/apps/photos/lib/generated/intl/messages_en.dart b/mobile/apps/photos/lib/generated/intl/messages_en.dart index 4a3efded7c..71e695f344 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_en.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_en.dart @@ -1199,11 +1199,9 @@ class MessageLookup extends MessageLookupByLibrary { "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( "Kindly help us with this information"), "language": MessageLookupByLibrary.simpleMessage("Language"), - "lastMonth": MessageLookupByLibrary.simpleMessage("Last month"), "lastTimeWithThem": m45, "lastUpdated": MessageLookupByLibrary.simpleMessage("Last updated"), "lastWeek": MessageLookupByLibrary.simpleMessage("Last week"), - "lastYear": MessageLookupByLibrary.simpleMessage("Last year"), "lastYearsTrip": MessageLookupByLibrary.simpleMessage("Last year\'s trip"), "leave": MessageLookupByLibrary.simpleMessage("Leave"), diff --git a/mobile/apps/photos/lib/generated/l10n.dart b/mobile/apps/photos/lib/generated/l10n.dart index 8d337ca777..c659e463e4 100644 --- a/mobile/apps/photos/lib/generated/l10n.dart +++ b/mobile/apps/photos/lib/generated/l10n.dart @@ -12326,16 +12326,6 @@ class S { ); } - /// `Last month` - String get lastMonth { - return Intl.message( - 'Last month', - name: 'lastMonth', - desc: '', - args: [], - ); - } - /// `This year` String get thisYear { return Intl.message( @@ -12346,16 +12336,6 @@ class S { ); } - /// `Last year` - String get lastYear { - return Intl.message( - 'Last year', - name: 'lastYear', - desc: '', - args: [], - ); - } - /// `Group by` String get groupBy { return Intl.message( diff --git a/mobile/apps/photos/lib/l10n/intl_en.arb b/mobile/apps/photos/lib/l10n/intl_en.arb index 164b65d237..b139f16c78 100644 --- a/mobile/apps/photos/lib/l10n/intl_en.arb +++ b/mobile/apps/photos/lib/l10n/intl_en.arb @@ -1792,9 +1792,7 @@ "thisWeek": "This week", "lastWeek": "Last week", "thisMonth": "This month", - "lastMonth": "Last month", "thisYear": "This year", - "lastYear": "Last year", "groupBy": "Group by", "faceThumbnailGenerationFailed": "Unable to generate face thumbnails", "fileAnalysisFailed": "Unable to analyze file" diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/component/group/type.dart b/mobile/apps/photos/lib/ui/viewer/gallery/component/group/type.dart index cbf17ffd21..4c36366616 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/component/group/type.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/component/group/type.dart @@ -223,12 +223,6 @@ extension GroupTypeExtension on GroupType { return S.of(context).thisMonth; } - // Check if it's the previous month - final lastMonth = DateTime(now.year, now.month - 1); - if (date.year == lastMonth.year && date.month == lastMonth.month) { - return S.of(context).lastMonth; - } - return DateFormat.yMMM(Localizations.localeOf(context).languageCode) .format(date); } @@ -241,11 +235,6 @@ extension GroupTypeExtension on GroupType { return S.of(context).thisYear; } - // Check if it's the previous year - if (date.year == now.year - 1) { - return S.of(context).lastYear; - } - return DateFormat.y(Localizations.localeOf(context).languageCode) .format(date); } From aae1caf37de6b4070e0a784de1a45fd802eb89e5 Mon Sep 17 00:00:00 2001 From: Keerthana Date: Fri, 25 Jul 2025 17:22:52 +0530 Subject: [PATCH 172/302] [docs] revamp administration and document configuration examples --- docs/docs/.vitepress/sidebar.ts | 39 ++-- .../self-hosting/administration/accounts.md | 0 .../self-hosting/administration/backup.md | 42 ++-- docs/docs/self-hosting/administration/cli.md | 68 ++++++ .../self-hosting/administration/museum.md | 72 ------- .../administration/object-storage.md | 120 +++++++---- .../administration/reverse-proxy.md | 14 +- .../administration/selfhost-cli.md | 42 ---- .../docs/self-hosting/administration/users.md | 116 +++++++++++ docs/docs/self-hosting/guides/systemd.md | 17 +- docs/docs/self-hosting/guides/tailscale.md | 2 + docs/docs/self-hosting/guides/web-app.md | 195 ------------------ .../install/{config-file.md => config.md} | 148 +++++++++---- .../install/{without-docker.md => manual.md} | 4 +- .../install/post-install/index.md | 127 +++++++++--- .../docs/self-hosting/install/requirements.md | 12 +- docs/docs/self-hosting/install/upgrade.md | 69 +++++++ docs/docs/self-hosting/install/upgrading.md | 10 - .../self-hosting/troubleshooting/docker.md | 90 ++++---- .../docs/self-hosting/troubleshooting/misc.md | 2 + server/.gitignore | 3 +- server/config/example.yaml | 19 +- 22 files changed, 657 insertions(+), 554 deletions(-) delete mode 100644 docs/docs/self-hosting/administration/accounts.md create mode 100644 docs/docs/self-hosting/administration/cli.md delete mode 100644 docs/docs/self-hosting/administration/museum.md delete mode 100644 docs/docs/self-hosting/administration/selfhost-cli.md create mode 100644 docs/docs/self-hosting/administration/users.md delete mode 100644 docs/docs/self-hosting/guides/web-app.md rename docs/docs/self-hosting/install/{config-file.md => config.md} (51%) rename docs/docs/self-hosting/install/{without-docker.md => manual.md} (98%) create mode 100644 docs/docs/self-hosting/install/upgrade.md delete mode 100644 docs/docs/self-hosting/install/upgrading.md diff --git a/docs/docs/.vitepress/sidebar.ts b/docs/docs/.vitepress/sidebar.ts index 06f64d790b..6bbb0cc842 100644 --- a/docs/docs/.vitepress/sidebar.ts +++ b/docs/docs/.vitepress/sidebar.ts @@ -263,21 +263,26 @@ export const sidebar = [ link: "/self-hosting/install/compose", }, { - text: "Without Docker", - link: "/self-hosting/install/without-docker", + text: "Manual Setup (Without Docker)", + link: "/self-hosting/install/manual", }, { text: "Environment Variables and Defaults", link: "/self-hosting/install/env-var", }, { - text: "Configuration File", - link: "/self-hosting/install/config-file", + text: "Configuration", + link: "/self-hosting/install/config", }, { text: "Post-installation Steps", link: "/self-hosting/install/post-install/", + }, + { + text: "Upgrade", + link: "/self-hosting/install/upgrade/", } + ], }, { @@ -285,20 +290,24 @@ export const sidebar = [ collapsed: true, items: [ { - text: "Configuring your server", - link: "/self-hosting/administration/museum", + text: "User Management", + link: "/self-hosting/administration/users", }, { - text: "Configuring Object Storage", - link: "/self-hosting/administration/object-storage", - }, - { - text: "Reverse proxy", + text: "Reverse Proxy", link: "/self-hosting/administration/reverse-proxy", }, { - text: "Configuring CLI for your instance", - link: "/self-hosting/administration/selfhost-cli", + text: "Object Storage", + link: "/self-hosting/administration/object-storage", + }, + { + text: "Ente CLI", + link: "/self-hosting/administration/cli", + }, + { + text: "Backup and Restore", + link: "/self-hosting/administration/backup", }, ], @@ -321,6 +330,10 @@ export const sidebar = [ text: "Ente via Tailscale", link: "/self-hosting/guides/tailscale", }, + { + text: "Running Ente with systemd", + link: "/self-hosting/guides/systemd", + }, ], }, { diff --git a/docs/docs/self-hosting/administration/accounts.md b/docs/docs/self-hosting/administration/accounts.md deleted file mode 100644 index e69de29bb2..0000000000 diff --git a/docs/docs/self-hosting/administration/backup.md b/docs/docs/self-hosting/administration/backup.md index 3771985741..d391f49f81 100644 --- a/docs/docs/self-hosting/administration/backup.md +++ b/docs/docs/self-hosting/administration/backup.md @@ -5,32 +5,17 @@ description: General introduction to backing up your self hosted Ente instance # Backing up your Ente instance -> [!WARNING] -> -> This is not meant to be a comprehensive and bullet proof guide. There are many -> moving parts, and small mistakes might make your backups unusable. -> -> Please treat this only as a general introduction. And remember to test your -> restores. - -At the minimum, a functional Ente backend needs three things: +A functional Ente backend needs three things: 1. Museum (the API server) 2. Postgres (the database) 3. Object storage (any S3-compatible object storage) -When thinking about backups, this translates into backing up the relevant state -from each of these: +Thus, when thinking about backups: -1. For Museum, you'd want to backup your `museum.yaml`, `credentials.yaml` or - any other custom configuration that you created. In particular, you should - backup the - [secrets that are specific to your instance](https://github.com/ente-io/ente/blob/74377a93d8e20e969d9a2531f32f577b5f0ef090/server/configurations/local.yaml#L188) - (`key.encryption`, `key.hash` and `jwt.secret`). - -2. For PostgreSQL, the entire data volume needs to be backed up. - -3. For Object Storage, the entire data volume needs to be backed up. +1. For Museum, you should backup your `museum.yaml`, `credentials.yaml` or + any other custom configuration that you created. +2. The entire data volume needs to be backed up for the database and object storage. A common oversight is taking a lot of care for backing up the object storage, even going as far as enabling replication and backing up the the multiple object @@ -43,22 +28,19 @@ database contains information like a file specific encryption key. Viewed differently, to decrypt your data you need three pieces of information: 1. The encrypted file data itself (which comes from the object storage backup). - -2. The ([encrypted](https://ente.io/architecture/)) file and collection specific - encryption keys (which come from the database backup). - +2. The encrypted file and collection specific encryption keys + (which come from the database backup). 3. The master key (which comes from your password). ---- +If you're starting out with self hosting, we recommend keeping plaintext backup of your photos. -If you're starting out with self hosting, our recommendation is to start by -keeping a plaintext backup of your photos. [You can use the CLI or the desktop app to automate this](/photos/faq/export). Once you get more comfortable with the various parts, you can try backing up your instance. -If you stop doing plaintext backups and instead rely on your instance backup, -ensure that you do the full restore process also to verify you can get back your -data. As the industry saying goes, a backup without a restore is no backup at +If you rely on your instance backup, ensure that you do full +restoration to verify that you are able to access your data. + +As the industry saying goes, a backup without a restore is no backup at all. diff --git a/docs/docs/self-hosting/administration/cli.md b/docs/docs/self-hosting/administration/cli.md new file mode 100644 index 0000000000..bdd1743ff2 --- /dev/null +++ b/docs/docs/self-hosting/administration/cli.md @@ -0,0 +1,68 @@ +--- +title: Ente CLI for Self-hosted Instance +description: Guide to configuring Ente CLI for Self Hosted Instance +--- + +# Ente CLI for self-hosted instance + +If you are self-hosting, you can configure Ente CLI to export data & +perform basic administrative actions. + +## Step 1: Configure endpoint + +To do this, first configure the CLI to use your server's endpoint. + +Define `config.yaml` and place it in `~/.ente/` or directory +specified by `ENTE_CLI_CONFIG_DIR` or directory where Ente CLI +is present. + +``` yaml +# Set the API endpoint to your domain where Museum is being served. +endpoint: + api: http://localhost:8080 +``` + +## Step 2: Whitelist admin user + +You can whitelist administrator user by following this +[guide](/self-hosting/administration/users#whitelist-admins) + +## Step 3: Add an account + +::: detail +You can not create new accounts using Ente CLI. You can only log in to your existing accounts. +To create a new account, use Ente Photos (or Ente Auth) web application, desktop or mobile. +::: + +You can add your existing account using Ente CLI. + +``` shell +ente account add +``` + +This should prompt you for authentication details. + +Your account should be added and can be used for exporting data +(for plain-text backup), managing Ente Auth and performing +administrative actions. + +## Step 4: Increase storage and account validity + +You can use `ente admin update-subscription` to increase +storage quota and account validity (duration). + +For infinite storage and validity, use the following command: +``` shell +ente admin update-subscription -a -u --no-limit + +# Set a limit +ente admin update-subscription -a -u --no-limit False +``` + +For more information, check out the documentation for setting +[storage and account validity](https://github.com/ente-io/ente/blob/main/cli/docs/generated/ente_admin_update-subscription.md) +using the CLI. + +## References + +1. [Ente CLI Documentation](https://github.com/ente-io/ente/blob/main/cli/docs/generated) \ No newline at end of file diff --git a/docs/docs/self-hosting/administration/museum.md b/docs/docs/self-hosting/administration/museum.md deleted file mode 100644 index b32728a8c6..0000000000 --- a/docs/docs/self-hosting/administration/museum.md +++ /dev/null @@ -1,72 +0,0 @@ ---- -title: Configuring your server -description: Guide to writing a museum.yaml ---- - -# Configuring your server - -Ente's monolithic server is called **museum**. - -`museum.yaml` is a YAML configuration file used to configure museum. By default, -[`local.yaml`](https://github.com/ente-io/ente/tree/main/server/configurations/local.yaml) -is provided, but its settings are overridden with those from `museum.yaml`. - -If you used our quickstart script, your `my-ente` directory will include a -`museum.yaml` file with preset configurations for encryption keys, secrets, -PostgreSQL and MinIO. - -> [!TIP] -> -> Always do `docker compose down` inside your `my-ente` directory. If you've -> made changes to `museum.yaml`, restart the containers with -> `docker compose up -d ` to see your changes in action. - -## S3 buckets - -The `s3` section within `museum.yaml` is by default configured to use local -MinIO buckets. - -If you wish to use an external S3 provider, you can edit the configuration with -your provider's credentials, and set `are_local_buckets` to `false`. - -Check out [Configuring S3] to understand -more about configuring S3 buckets. - -MinIO uses the port `3200` for API Endpoints and their web app runs over -`:3201`. You can login to MinIO Web Console by opening `localhost:3201` in your -browser. - -If you face any issues related to uploads then checkout -[Troubleshooting bucket CORS] and -[Frequently encountered S3 errors]. - -## Web apps - -The web apps for Ente Photos is divided into multiple sub-apps like albums, -cast, auth, etc. These endpoints are configurable in `museum.yaml` under the -`apps.*` section. - -For example, - -```yaml -apps: - public-albums: https://albums.myente.xyz - cast: https://cast.myente.xyz - accounts: https://accounts.myente.xyz -``` - -> [!IMPORTANT] By default, all the values redirect to our publicly hosted -> production services. For example, if `public-albums` is not configured your -> shared album will use the `albums.ente.io` URL. - -After you are done with filling the values, restart museum and the app will -start utilizing those endpoints instead of Ente's production instances. - -Once you have configured all the necessary endpoints, `cd` into `my-ente` and -stop all the Docker containers with `docker compose down` and restart them with -`docker compose up -d`. - -Similarly, you can use the default -[`local.yaml`](https://github.com/ente-io/ente/tree/main/server/configurations/local.yaml) -as a reference for building a functioning `museum.yaml` for many other -functionalities like SMTP, Hardcoded-OTTs, etc. \ No newline at end of file diff --git a/docs/docs/self-hosting/administration/object-storage.md b/docs/docs/self-hosting/administration/object-storage.md index ffb7d6bc0a..0d9852aa20 100644 --- a/docs/docs/self-hosting/administration/object-storage.md +++ b/docs/docs/self-hosting/administration/object-storage.md @@ -6,46 +6,78 @@ description: # Configuring Object Storage -## Replication +Ente relies on [S3-compatible](https://docs.aws.amazon.com/s3/) cloud storage for +storing files (photos, thumbnails and videos) as objects. + +Ente ships MinIO as S3-compatible storage by default in quickstart and Docker Compose for quick testing. + +This document outlines configuration of S3 buckets and enabling replication for further usage. + +## Museum + +The S3-compatible buckets have to be configured in `museum.yaml` file. + +### General Configuration + +Some of the common configuration that can be done at top-level are: + +1. **SSL Configuration:** If you need to configure SSL (i. e., the buckets are accessible via HTTPS), + you'll need to set `s3.are_local_buckets` to `false`. +2. **Path-style URLs:** Disabling `s3.are_local_buckets` also switches to the subdomain-style URLs for + the buckets. However, some S3 providers such as MinIO do not support this. + + Set `s3.use_path_style_urls` to `true` for such cases. + +### Replication > [!IMPORTANT] > -> As of now, replication works only if all the 3 storage buckets are configured (2 hot and 1 cold storage). +> Replication works only if all 3 storage buckets are configured (2 hot and 1 cold storage). > -> For more information, check this -> [discussion](https://github.com/ente-io/ente/discussions/3167#discussioncomment-10585970) +> For more information, check [this discussion](https://github.com/ente-io/ente/discussions/3167#discussioncomment-10585970) > and our article on ensuring [reliability](https://ente.io/reliability/). -In a self hosted Ente instance replication is turned off by default. When -replication is turned off, only the first bucket (`b2-eu-cen`) is used, and the -other two are ignored. Only the names here are specifically fixed, but in the -configuration body you can put any other keys. +Replication is disabled by default in self-hosted instance. Only the first bucket (`b2-eu-cen`) is used. -Use the `s3.hot_storage.primary` option if you'd like to set one of the other -predefined buckets as the primary bucket. +Only the names are specifically fixed, you can put any other keys in configuration body. -## SSL Configuration +Use the `s3.hot_storage.primary` option if you'd like to set one of the other pre-defined buckets as the primary bucket. -> [!NOTE] -> -> If you need to configure SSL, you'll need to turn off `s3.are_local_buckets` -> (which disables SSL in the default starter compose template). +### Bucket configuration -Disabling `s3.are_local_buckets` also switches to the subdomain style URLs for -the buckets. However, not all S3 providers support these. In particular, MinIO -does not work with these in default configuration. So in such cases you'll also -need to enable `s3.use_path_style_urls`. +The keys `b2-eu-cen` (primary storage), `wasabi-eu-central-2-v3` (secondary storage) +and `scw-eu-fr-v3` (cold storage) are hardcoded, however, the keys and secret can be anything. -# Fix potential CORS issues with your Buckets +It has no relation to Backblaze, Wasabi or Scaleway. -## For AWS S3 +Each bucket's endpoint, region, key and secret should be configured accordingly +if using an external bucket. -If you cannot upload a photo due to a CORS issue, you need to fix the CORS +Additionally, you can enable SSL and path-style URL for specific buckets, which provides +flexibility for storage. If this is not configured, top level configuration (`s3.are_local_buckets` +and `s3.use_path_style_urls`) is used. + +A sample configuration for `b2-eu-cen` is provided, which can be used for other 2 buckets as well: + +``` yaml + b2-eu-cen: + are_local_buckets: true + use_path_style_urls: true + key: + secret: + endpoint: localhost:3200 + region: eu-central-2 + bucket: b2-eu-cen +``` + +## CORS (Cross-Origin Resource Sharing) + +If you cannot upload a photo due to CORS error, you need to fix the CORS configuration of your bucket. -Create a `cors.json` file with the following content: +Use the content provided below for creating a `cors.json` file: -```json +``` json { "CORSRules": [ { @@ -59,27 +91,37 @@ Create a `cors.json` file with the following content: } ``` -You may want to change the `AllowedOrigins` to a more restrictive value. +You may have to change the `AllowedOrigins` to allow only certain origins +(your Ente web apps and Museum.) for security. -If you are using AWS for S3, you can execute the below command to get rid of -CORS. Make sure to enter the right path for the `cors.json` file. +Assuming you have AWS CLI on your system and that you have configured +it with your access key and secret, you can execute the below command to +set bucket CORS. Make sure to enter the right path for the `cors.json` file. -```bash +``` shell aws s3api put-bucket-cors --bucket YOUR_S3_BUCKET --cors-configuration /path/to/cors.json ``` -## For MinIO +### MinIO -Checkout the `mc set alias` document to configure alias for your -instance and bucket. After this you will be prompted for your AccessKey and -Secret, which is your username and password. +Assuming you have configured an alias for MinIO account using the command: -To set the `AllowedOrigins` Header, you can use the -following command to do so. - -```sh -mc admin config set / api cors_allow_origin="*" +``` shell +mc alias set storage-account-alias minio-endpoint minio-key minio-secret ``` -You can create also `.csv` file and dump the list of origins you would like to -allow and replace the `*` with `path` to the CSV file. +where, + +1. `storage-account-alias` is a valid storage account alias name +2. `minio-endpoint` is the endpoint where MinIO is being served without the protocol (http or https). Example: `localhost:3200` +3. `minio-key` is the MinIO username defined in `MINIO_ROOT_USER` +4. `minio-secret` is the MinIO password defined in `MINIO_PASSWORD` + +To set the `AllowedOrigins` Header, you can use the +following command:. + +``` shell +mc admin config set storage-account-alias api cors_allow_origin="*" +``` + +You can create also `.csv` file and dump the list of origins you would like to allow and replace the `*` with path to the CSV file. diff --git a/docs/docs/self-hosting/administration/reverse-proxy.md b/docs/docs/self-hosting/administration/reverse-proxy.md index ba1426eec1..fb20a25afc 100644 --- a/docs/docs/self-hosting/administration/reverse-proxy.md +++ b/docs/docs/self-hosting/administration/reverse-proxy.md @@ -5,8 +5,9 @@ Description: Configuring reverse proxy for Museum and other services # Reverse proxy -Configuring reverse proxy is a way to make the service accessible via the public -Internet without exposing multiple ports for various services. +Reverse proxy helps in making application services +accessible via the Internet without exposing multiple +ports for various services. It also allows configuration of HTTPS through SSL certificate management. @@ -48,10 +49,10 @@ DNS propagation can take a few minutes to take effect. ## Step 2: Configure reverse proxy -After installing Caddy, a `Caddyfile` is created on the path +After installing Caddy, `Caddyfile` is created at `/etc/caddy/`. Edit `/etc/caddy/Caddyfile` to configure reverse proxies. -Here is a ready-to-use configuration that can be used with your own domain. +You can edit the minimal configuration provided below for your own needs. > yourdomain.tld is an example. Replace it with your own domain @@ -97,9 +98,8 @@ sudo systemctl caddy reload ## Step 4: Verify the setup -Ente Photos web app should be up on https://web.ente.yourdomain.tld. - -Museum should be accessible at https://api.ente.yourdomain.tld. +Ente Photos web app should be up on https://web.ente.yourdomain.tld and +Museum at https://api.ente.yourdomain.tld. > [!TIP] > If you are using other reverse proxy servers such as NGINX, diff --git a/docs/docs/self-hosting/administration/selfhost-cli.md b/docs/docs/self-hosting/administration/selfhost-cli.md deleted file mode 100644 index e8ca8612ff..0000000000 --- a/docs/docs/self-hosting/administration/selfhost-cli.md +++ /dev/null @@ -1,42 +0,0 @@ ---- -title: CLI for Self Hosted Instance -description: Guide to configuring Ente CLI for Self Hosted Instance ---- - -# Ente CLI for self-hosted instance - -If you are self-hosting, you can configure CLI to export data & -perform basic administrative actions. - -## Step 1: Configure endpoint - -To do this, first configure the CLI to use your server's endpoint. - -Define `config.yaml` and place it in `~/.ente/` directory or directory -specified by `ENTE_CLI_CONFIG_DIR` or CLI's directory. - -``` yaml -endpoint: - api: http://localhost:8080 -``` - -You should be able to -[add an account](https://github.com/ente-io/ente/blob/main/cli/docs/generated/ente_account_add.md), -and subsequently increase the -[storage and account validity](https://github.com/ente-io/ente/blob/main/cli/docs/generated/ente_admin_update-subscription.md) -using the CLI. - -For administrative actions, you first need to whitelist admin users. -You can create `server/museum.yaml`, and whitelist add the admin user ID `internal.admins`. See -[local.yaml](https://github.com/ente-io/ente/blob/main/server/configurations/local.yaml#L211C1-L232C1) -in the server source code for details about how to define this. - -You can use -[account list](https://github.com/ente-io/ente/blob/main/cli/docs/generated/ente_account_list.md) -command to find the user id of any account. - -```yaml -internal: - admins: - - 1580559962386440 -``` diff --git a/docs/docs/self-hosting/administration/users.md b/docs/docs/self-hosting/administration/users.md new file mode 100644 index 0000000000..86902cd36c --- /dev/null +++ b/docs/docs/self-hosting/administration/users.md @@ -0,0 +1,116 @@ +--- +title: User Management - Self-hosting +description: Guide to configuring Ente CLI for Self Hosted Instance +--- + +# User Management + +You may wish to self-host Ente for your family or close circle. In such cases, +you may wish to enable administrative access for few users, disable new registrations, +manage one-time tokens (OTTs), etc. + +This document covers the details on how you can administer users on your server. + +## Whitelist admins + +The administrator users have to be explicitly whitelisted in `museum.yaml`. You can achieve this +the following steps: + +1. Connect to `ente_db` (the database used for storing data +related to Ente). + ``` shell + # Change the DB name and DB user name if you use different values. + # If using Docker + docker exec -it psql -U pguser -d ente_db + + # Or when using psql directly + psql -U pguser -d ente_db + ``` + +2. Get the user ID of the first user by running the following PSQL command: + ``` sql + SELECT * from users; + ``` + +3. Edit `internal.admins` or `internal.admin` (if you wish to whitelist only single user) in `museum.yaml` + to add the user ID you wish to whitelist. + + - For multiple admins: + ``` yaml + internal: + admins: + - + ``` + - For single admin: + ``` yaml + internal: + admin: + ``` + +4. Restart Museum by restarting the cluster + +## Increase storage and account validity + +You can use Ente CLI for increasing storage quota and account validity for +users on your instance. Check this guide for more +[information](/self-hosting/administration/cli#step-4-increase-storage-and-account-validity) + +## Handle user verification codes + +Ente currently relies on verification codes for completion of registration. + +These are accessible in server logs. If using Docker Compose, they can be +accessed by running `sudo docker compose logs` in the cluster folder where Compose +file resides. + +However, you may wish to streamline this workflow. You can follow one of the 2 methods +if you wish to have many users in the system. + +### Use hardcoded OTTs + +You can configure to use hardcoded OTTs only for specific emails, or based on suffix. + +A sample configuration for the same is provided below, which is to be used in `museum.yaml`: + +``` yaml +internal: + hardcoded-ott: + emails: + - "example@example.org,123456" + local-domain-suffix: "@example.org" + local-domain-value: 012345 +``` + +This sets OTT to 123456 for the email address example@example.com and 012345 for emails having @example.com as suffix. + +### Send email with verification code + +You can configure SMTP for sending verification code e-mails to users, which +is efficient if you do not know mail addresses of people for who you want to hardcode +OTTs or if you are serving larger audience. + +Set the host and port accordingly with your credentials in `museum.yaml` + +``` yaml +smtp: + host: + port: + # Optional username and password if using local relay server + username: + password: + # Email address used for sending emails (this mail's credentials have to be provided) + email: + # Optional name for sender + sender-name: +``` + +## Disable registrations + +For security purposes, you may choose to disable registrations on your instance. You can disable new +registrations by using the following configuration in `museum.yaml`. + +``` yaml +internal: + disable-registration: true +``` + diff --git a/docs/docs/self-hosting/guides/systemd.md b/docs/docs/self-hosting/guides/systemd.md index ac6e0e4296..2a7bd08d4b 100644 --- a/docs/docs/self-hosting/guides/systemd.md +++ b/docs/docs/self-hosting/guides/systemd.md @@ -5,24 +5,15 @@ description: Running Ente services (Museum and web application) via systemd # Running Ente using `systemd` -On Linux distributions using `systemd` as initialization system, Ente can be configured to run as a background service, upon system startup by using service files. +On Linux distributions using `systemd` as initialization system, Ente can be configured to run as a background service, upon system startup by service files. ## Museum as a background service -Please check the below links if you want to run Museum as a service, both of -them are battle tested. +Please check the below links if you want to run Museum as a service, both of them are battle tested. 1. [How to run museum as a systemd service](https://gist.github.com/mngshm/a0edb097c91d1dc45aeed755af310323) 2. [Museum.service](https://github.com/ente-io/ente/blob/23e678889189157ecc389c258267685934b83631/server/scripts/deploy/museum.service#L4) -Once you are done with setting and running Museum, all you are left to do is run -the web app and reverse_proxy it with a webserver. You can check the following - resources for Deploying your web app. +Once you are done with setting and running Museum, all you are left to do is run the web app and set up reverse proxy. Check out the documentation for [more information](/self-hosting/install/manual#step-3-configure-web-application). -1. [Running Ente Web app as a systemd Service](https://gist.github.com/mngshm/72e32bd483c2129621ed0d74412492fd) - -## References - -1. [How to run museum as a systemd service](https://gist.github.com/mngshm/a0edb097c91d1dc45aeed755af310323) -2. [Museum.service](https://github.com/ente-io/ente/blob/23e678889189157ecc389c258267685934b83631/server/scripts/deploy/museum.service#L4) -3. [Running Ente Web app as a systemd Service](https://gist.github.com/mngshm/72e32bd483c2129621ed0d74412492fd) +> **Credits:** [mngshm](https://github.com/mngshm) \ No newline at end of file diff --git a/docs/docs/self-hosting/guides/tailscale.md b/docs/docs/self-hosting/guides/tailscale.md index de3cc6fdf0..43aadca7a2 100644 --- a/docs/docs/self-hosting/guides/tailscale.md +++ b/docs/docs/self-hosting/guides/tailscale.md @@ -347,3 +347,5 @@ This will list all account details. Copy Acount ID. > ente-museum-1 container from linux terminal. Run > `docker restart ente-museum-1`. All well, now you will have 100TB storage. > Repeat if for any other accounts you want to give unlimited storage access. + +> **Credits:** [A4alli](https://github.com/A4alli) \ No newline at end of file diff --git a/docs/docs/self-hosting/guides/web-app.md b/docs/docs/self-hosting/guides/web-app.md deleted file mode 100644 index a3061e3004..0000000000 --- a/docs/docs/self-hosting/guides/web-app.md +++ /dev/null @@ -1,195 +0,0 @@ ---- -title: Hosting the web apps -description: - Building and hosting Ente's web apps, connecting it to your self-hosted - server ---- - -> [!WARNING] NOTE This page covers documentation around self-hosting the web app -> manually. If you want to deploy Ente hassle free, please use the -> [one line](https://ente.io/blog/self-hosting-quickstart/) command to setup -> Ente. This guide might be deprecated in the near future. - -# Web app - -The getting started instructions mention using `yarn dev` (which is an alias of -`yarn dev:photos`) to serve your web app. - -> [!IMPORTANT] Please note that Ente's Web App supports the Yarn version 1.22.xx -> or 1.22.22 specifically. Make sure to install the right version or modify your -> yarn installation to meet the requirements. The user might end up into unknown -> version and dependency related errors if yarn is on different version. - -```sh -cd ente/web -yarn install -NEXT_PUBLIC_ENTE_ENDPOINT=http://localhost:8080 yarn dev:photos -``` - -This is fine for trying the web app and verifying that your self-hosted server -is working as expected etc. But if you would like to use the web app for a -longer term, then it is recommended to follow the Docker approach. - -## With Docker/Docker Compose (Recommended) - -> [!IMPORTANT] -> -> Recurring changes might be made by the team or from community if more -> improvements can be made so that we are able to build a full-fledged docker -> image. - -```dockerfile -FROM node:20-bookworm-slim as builder - -WORKDIR ./ente - -COPY . . -COPY apps/ . - -# Will help default to yarn versoin 1.22.22 -RUN corepack enable - -# Endpoint for Ente Server -ENV NEXT_PUBLIC_ENTE_ENDPOINT=https://changeme.com -ENV NEXT_PUBLIC_ENTE_ALBUMS_ENDPOINT=https://changeme.com - -RUN yarn cache clean -RUN yarn install --network-timeout 1000000000 -RUN yarn build:photos && yarn build:accounts && yarn build:auth && yarn build:cast - -FROM node:20-bookworm-slim - -WORKDIR /app - -COPY --from=builder /ente/apps/photos/out /app/photos -COPY --from=builder /ente/apps/accounts/out /app/accounts -COPY --from=builder /ente/apps/auth/out /app/auth -COPY --from=builder /ente/apps/cast/out /app/cast - -RUN npm install -g serve - -ENV PHOTOS=3000 -EXPOSE ${PHOTOS} - -ENV ACCOUNTS=3001 -EXPOSE ${ACCOUNTS} - -ENV AUTH=3002 -EXPOSE ${AUTH} - -ENV CAST=3003 -EXPOSE ${CAST} - -# The albums app does not have navigable pages on it, but the -# port will be exposed in-order to self up the albums endpoint -# `apps.public-albums` in museum.yaml configuration file. -ENV ALBUMS=3004 -EXPOSE ${ALBUMS} - -CMD ["sh", "-c", "serve /app/photos -l tcp://0.0.0.0:${PHOTOS} & serve /app/accounts -l tcp://0.0.0.0:${ACCOUNTS} & serve /app/auth -l tcp://0.0.0.0:${AUTH} & serve /app/cast -l tcp://0.0.0.0:${CAST}"] -``` - -The above is a multi-stage Dockerfile which creates a production ready static -output of the 4 apps (Photos, Accounts, Auth and Cast) and serves the static -content with Caddy. - -Looking at 2 different node base-images doing different tasks in the same -Dockerfile would not make sense, but the Dockerfile is divided into two just to -improve the build efficiency as building this Dockerfile will arguably take more -time. - -Lets build a Docker image from the above Dockerfile. Copy and paste the above -Dockerfile contents in the root of your web directory which is inside -`ente/web`. Execute the below command to create an image from this Dockerfile. - -```sh -# Build the image -docker build -t : --no-cache --progress plain . -``` - -You can always edit the Dockerfile and remove the steps for apps which you do -not intend to install on your system (like auth or cast) and opt out of those. - -Regarding Albums App, please take a note that they are not web pages with -navigable pages, if accessed on the web-browser they will simply redirect to -ente.web.io. - -## compose.yaml - -Moving ahead, we need to paste the below contents into the compose.yaml inside -`ente/server/compose.yaml` under the services section. - -```yaml -ente-web: - image: # name of the image you used while building - ports: - - 3000:3000 - - 3001:3001 - - 3002:3002 - - 3003:3003 - - 3004:3004 - environment: - - NODE_ENV=development - restart: always -``` - -Now, we're good to go. All we are left to do now is start the containers. - -```sh -docker compose up -d # --build - -# Accessing the logs -docker compose logs -``` - -## Configure App Endpoints - -> [!NOTE] Previously, this was dependent on the env variables -> `NEXT_ENTE_PUBLIC_ACCOUNTS_ENDPOINT` and etc. Please check the below -> documentation to update your setup configurations - -You can configure the web endpoints for the other apps including Accounts, -Albums Family and Cast in your `museum.yaml` configuration file. Checkout -[`local.yaml`](https://github.com/ente-io/ente/blob/543411254b2bb55bd00a0e515dcafa12d12d3b35/server/configurations/local.yaml#L76-L89) -to configure the endpoints. Make sure to setup up your DNS Records accordingly -to the similar URL's you set up in `museum.yaml`. - -Next part is to configure the web server. - -# Web server configuration - -The last step ahead is configuring reverse_proxy for the ports on which the apps -are being served (you will have to make changes, if you have cusotmized the -ports). The web server of choice in this guide is -[Caddy](https://caddyserver.com) because with caddy you don't have to manually -configure/setup SSL ceritifcates as caddy will take care of that. - -```sh -photos.yourdomain.com { - reverse_proxy http://localhost:3001 - # for logging - log { - level error - } -} - -auth.yourdomain.com { - reverse_proxy http://localhost:3002 -} -# and so on ... -``` - -Next, start the caddy server :). - -```sh -# If caddy service is not enabled -sudo systemctl enable caddy - -sudo systemctl daemon-reload -sudo systemctl start caddy -``` - -## Contributing - -Please start a discussion on the Github Repo if you have any suggestions for the -Dockerfile, You can also share your setups on Github Discussions. diff --git a/docs/docs/self-hosting/install/config-file.md b/docs/docs/self-hosting/install/config.md similarity index 51% rename from docs/docs/self-hosting/install/config-file.md rename to docs/docs/self-hosting/install/config.md index 5b48c93a31..794e095cb5 100644 --- a/docs/docs/self-hosting/install/config-file.md +++ b/docs/docs/self-hosting/install/config.md @@ -1,35 +1,53 @@ --- -title: "Configuration File - Self-hosting" +title: "Configuration - Self-hosting" description: "Information about all the configuration variables needed to run Ente with museum.yaml" --- -# Configuration File +# Configuration -Museum uses YAML-based configuration file that is used for handling database -connectivity, bucket configuration, internal configuration, etc. +Museum is designed to be configured either via environment variables or via +YAML. We recommend using YAML for maintaining your configuration as it can be +backed up easily, helping in restoration. -If the `ENVIRONMENT` environment variable is set, a corresponding file from -`configurations/` is loaded, by default, `local.yaml` configuration is loaded. +## Configuration File + +Museum's configuration file (`museum.yaml`) is responsible for making database +configuration, bucket configuration, internal configuration, etc. accessible for +other internal services. + +By default, Museum runs in local environment, thus `local.yaml` configuration is +loaded. + +If `ENVIRONMENT` environment variable is set (say, to `production`), Museum will +attempt to load `configurations/production.yaml`. If `credentials-file` is defined and found, it overrides the defaults. -Self-hosted clusters generally use `museum.yaml` file for reading configuration -specifications. +Self-hosted clusters generally use `museum.yaml` file for declaring +configuration over directly editing `local.yaml`. All configuration values can be overridden via environment variables using the `ENTE_` prefix and replacing dots (`.`) or hyphens (`-`) with underscores (`_`). -The configuration variables declared in `museum.yaml` are read by Museum. -Additionally, environment variables prefixed by `ENTE_` are read by Museum and -used internally in same manner as configuration variables. +Museum reads configuration from `museum.yaml`. Any environment variables +prefixed with `ENTE_` takes precedence. -For example, `s3.b2-eu-cen` in `museum.yaml` and `ENTE_S3_B2_EU_CEN` declared as -environment variable are the same and `ENTE_S3_B2_EU_CEN` overrides -`s3.b2-eu-cen`. +For example, -## General Settings +```yaml +s3: + b2-eu-cen: + endpoint: +``` + +in `museum.yaml` is read as `s3.b2-eu-cen.endpoint` by Museum. + +`ENTE_S3_B2_EU_CEN_ENDPOINT` declared as environment variable is same as the +above and `ENTE_S3_B2_EU_CEN_ENDPOINT` overrides `s3.b2-eu-cen.endpoint`. + +### General Settings | Variable | Description | Default | | ------------------ | --------------------------------------------------------- | ------------------ | @@ -37,13 +55,21 @@ environment variable are the same and `ENTE_S3_B2_EU_CEN` overrides | `credentials-dir` | Directory to look for credentials (TLS, service accounts) | `credentials/` | | `log-file` | Log output path. Required in production. | `""` | -## HTTP +### HTTP | Variable | Description | Default | | -------------- | --------------------------------- | ------- | | `http.use-tls` | Enables TLS and binds to port 443 | `false` | -## App Endpoints +### App Endpoints + +The web apps for Ente (Auth, Cast, Albums) use different endpoints. + +These endpoints are configurable in `museum.yaml` under the apps.\* section. + +Upon configuration, the application will start utilizing the specified endpoints +instead of Ente's production instances or local endpoints (overridden values +used for Compose and quickstart for ease of use.) | Variable | Description | Default | | -------------------- | ------------------------------------------------------- | -------------------------- | @@ -51,7 +77,7 @@ environment variable are the same and `ENTE_S3_B2_EU_CEN` overrides | `apps.cast` | Cast app base endpoint | `https://cast.ente.io` | | `apps.accounts` | Accounts app base endpoint (used for passkey-based 2FA) | `https://accounts.ente.io` | -## Database +### Database | Variable | Description | Default | | ------------- | -------------------------- | ----------- | @@ -63,7 +89,19 @@ environment variable are the same and `ENTE_S3_B2_EU_CEN` overrides | `db.password` | Database password | | | `db.extra` | Additional DSN parameters | | -## Object Storage +### Object Storage + +The `s3` section within `museum.yaml` is by default configured to use local +MinIO buckets when using `quickstart.sh` or Docker Compose. + +If you wish to use an external S3 provider, you can edit the configuration with +your provider's credentials, and set `are_local_buckets` to `false`. + +MinIO uses the port `3200` for API Endpoints. Web Console can be accessed at +http://localhost:3201 by enabling port `3201` in the Compose file. + +If you face any issues related to uploads then checkout [Troubleshooting bucket +CORS] and [Frequently encountered S3 errors]. | Variable | Description | Default | | -------------------------------------- | -------------------------------------------- | ------- | @@ -74,20 +112,39 @@ environment variable are the same and `ENTE_S3_B2_EU_CEN` overrides | `s3.are_local_buckets` | Use local MinIO-compatible storage | `false` | | `s3.use_path_style_urls` | Enable path-style URLs for MinIO | `false` | -## Encryption Keys +### Encryption Keys -| Variable | Description | Default | -| ---------------- | -------------------------------------- | ----------- | -| `key.encryption` | Key for encrypting user emails | Pre-defined | -| `key.hash` | Hash key for verifying email integrity | Pre-defined | +These values are used for encryption of user e-mails. Default values are +provided by Museum. -## JWT +They are generated by random in quickstart script, so no intervention is +necessary if using quickstart. + +However, if you are using Ente for long-term needs and you have not installed +Ente via quickstart, consider generating values for these along with [JWT](#jwt) +by following the steps described below: + +```shell +# If you have not cloned already +git clone https://github.com/ente-io/ente + +# Generate the values +cd ente/server +go run tools/gen-random-keys/main.go +``` + +| Variable | Description | Default | +| ---------------- | ------------------------------ | ----------- | +| `key.encryption` | Key for encrypting user emails | Pre-defined | +| `key.hash` | Hash key | Pre-defined | + +### JWT | Variable | Description | Default | | ------------ | ----------------------- | ---------- | | `jwt.secret` | Secret for signing JWTs | Predefined | -## Email +### Email | Variable | Description | Default | | ------------------ | ---------------------------- | ------- | @@ -99,34 +156,47 @@ environment variable are the same and `ENTE_S3_B2_EU_CEN` overrides | `smtp.sender-name` | Custom name for email sender | | | `transmail.key` | Zeptomail API key | | -## WebAuthn Passkey Support +### WebAuthn Passkey Support | Variable | Description | Default | | -------------------- | ---------------------------- | --------------------------- | | `webauthn.rpid` | Relying Party ID | `localhost` | | `webauthn.rporigins` | Allowed origins for WebAuthn | `["http://localhost:3001"]` | -## Internal +### Internal -| Variable | Description | Default | -| ------------------------------- | --------------------------------------------- | ------- | -| `internal.silent` | Suppress external effects (e.g. email alerts) | `false` | -| `internal.health-check-url` | External healthcheck URL | | -| `internal.hardcoded-ott` | Predefined OTPs for testing | | -| `internal.admins` | List of admin user IDs | `[]` | -| `internal.admin` | Single admin user ID | | -| `internal.disable-registration` | Disable user registration | `false` | +| Variable | Description | Default | +| -------------------------------------------- | --------------------------------------------- | ------- | +| `internal.silent` | Suppress external effects (e.g. email alerts) | `false` | +| `internal.health-check-url` | External healthcheck URL | | +| `internal.hardcoded-ott` | Predefined OTPs for testing | | +| `internal.hardcoded-ott.emails` | E-mail addresses with hardcoded OTTs | `[]` | +| `internal.hardcoded-ott.local-domain-suffix` | Suffix for which hardcoded OTT is to be used | | +| `internal.hardcoded-ott.local-domain-value` | Hardcoded OTT value for the above suffix | | +| `internal.admins` | List of admin user IDs | `[]` | +| `internal.admin` | Single admin user ID | | +| `internal.disable-registration` | Disable user registration | `false` | -## Replication +### Replication + +By default, replication of objects (photos, thumbnails, videos) is disabled and +only one bucket is used. + +To enable replication, set `replication.enabled` to `true`. For this to work, 3 +buckets have to be configured in total. | Variable | Description | Default | | -------------------------- | ------------------------------------ | ----------------- | -| `replication.enabled` | Enable cross-datacenter replication | `false` | +| `replication.enabled` | Enable replication across buckets | `false` | | `replication.worker-url` | Cloudflare Worker for replication | | | `replication.worker-count` | Number of goroutines for replication | `6` | | `replication.tmp-storage` | Temp directory for replication | `tmp/replication` | -## Background Jobs +### Background Jobs + +This configuration is for enabling background cron jobs for tasks such as +sending mails, removing unused objects (clean up) and worker configuration for +the same. | Variable | Description | Default | | --------------------------------------------- | --------------------------------------- | ------- | diff --git a/docs/docs/self-hosting/install/without-docker.md b/docs/docs/self-hosting/install/manual.md similarity index 98% rename from docs/docs/self-hosting/install/without-docker.md rename to docs/docs/self-hosting/install/manual.md index 4ece37b52a..1a61a89726 100644 --- a/docs/docs/self-hosting/install/without-docker.md +++ b/docs/docs/self-hosting/install/manual.md @@ -1,9 +1,9 @@ --- -title: Running Ente Without Docker - Self-hosting +title: Manual Setup (Without Docker) - Self-hosting description: Installing and setting up Ente without Docker --- -# Running Ente without Docker +# Manual Setup (Without Docker) If you wish to run Ente from source without using Docker, follow the steps described below: diff --git a/docs/docs/self-hosting/install/post-install/index.md b/docs/docs/self-hosting/install/post-install/index.md index 32eabd0072..83adf66ede 100644 --- a/docs/docs/self-hosting/install/post-install/index.md +++ b/docs/docs/self-hosting/install/post-install/index.md @@ -9,45 +9,119 @@ A list of steps that should be done after installing Ente are described below: ## Step 1: Creating first user -The first user (and the only user) to be created will be treated as an admin user by default. +The first user to be created will be treated as an admin user by default. Once Ente is up and running, the Ente Photos web app will be accessible on `http://localhost:3000`. Open this URL in your browser and proceed with creating an account. -To complete your account registration you will need to enter a 6-digit -verification code. +Select **Don't have an account?** to create a new user. -This code can be found in the server logs, which should already be shown in your -quickstart terminal. Alternatively, you can open the server logs with the -following command from inside the `my-ente` folder: +![Onboarding Screen](/onboarding.png) -```sh +Follow the prompts to sign up. + +![Sign Up Page](/sign-up.png) + +Enter a 6-digit verification code to complete registration. + +This code can be found in the server logs, which should be shown in your terminal where you started the Docker Compose cluster. + +If not, access the server logs inside the folder where Compose file resides. + +``` shell sudo docker compose logs ``` +If running Museum without Docker, the code should be visible in the terminal (stdout). + ![otp](/otp.png) -## Step 2: Download mobile and desktop app +## Step 2: Whitelist admins -## Step 2: Configure apps to use your server +1. Connect to `ente_db` (the database used for storing data +related to Ente). + ``` shell + # Change the DB name and DB user name if you use different values. + # If using Docker + docker exec -it psql -U pguser -d ente_db + + # Or when using psql directly + psql -U pguser -d ente_db + ``` + +2. Get the user ID of the first user by running the following PSQL command: + ``` sql + SELECT * from users; + ``` + +3. Edit `internal.admins` or `internal.admin` (if you wish to whitelist only single user) in `museum.yaml` + to add the user ID you wish to whitelist. + + - For multiple admins: + ``` yaml + internal: + admins: + - + ``` + - For single admin: + ``` yaml + internal: + admin: + ``` + +4. Restart Museum by restarting the cluster + +::: tip +Restart your Compose clusters whenever you make changes to Compose file or edit configuration file. +::: + +## Step 3: Configure application endpoints + +You may wish to access some of the applications such as Auth, Albums, Cast via your instance's endpoints through the application instead of our production instances. + +You can do so by editing the `apps` section in `museum.yaml` to use the base endpoints of the corresponding web applications. + +``` yaml +# Replace yourdomain.tld with actual domain +apps: + public-albums: https://albums.ente.yourdomain.tld + cast: https://cast.ente.yourdomain.tld + auth: https://auth.ente.yourdomain.tld +``` + +## Step 4: Make it publicly accessible + +You may wish to access Ente on public Internet. You can do so by configuring a reverse proxy +with software such as Caddy, NGINX, Traefik. + +Check out our [documentation](/self-hosting/administration/reverse-proxy) for more information. + +If you do not wish to make it accessible via Internet, we recommend you to use +[Tailscale](/self-hosting/guides/tailscale) for convenience. Alternately, you +can use your IP address for accessing the application in your local network, though +this poses challenges with respect to object storage. + +## Step 5: Download mobile and desktop app + +You can install Ente Photos by following the [installation section](/photos/faq/installing). + +You can also install Ente Auth (if you are planning to use Auth) by following the [installation section](/auth/faq/installing). + +## Step 6: Configure apps to use your server You can modify Ente mobile apps and CLI to connect to your server. ### Mobile -The pre-built Ente apps from GitHub / App Store / Play Store / F-Droid can be -easily configured to use a custom server. - -You can tap 7 times on the onboarding screen to bring up a page where you can -configure the endpoint the app should be connecting to. +Tap 7 times on the onboarding screen to configure the +server endpoint to be used. ![Setting a custom server on the onboarding screen](custom-server.png) ### Desktop -Same as the mobile app, you can tap 7 times on the onboarding screen to -configure the endpoint the app should connect to. +Tap 7 times on the onboarding screen to configure the server endpoint to be used.
@@ -56,21 +130,12 @@ apps](web-dev-settings.png){width=400px}
-## Step 3: Configure Ente CLI +## Step 7: Configure Ente CLI -> [!NOTE] -> -> You can download the CLI from -> [here](https://github.com/ente-io/ente/releases?q=tag%3Acli-v0) +You can download Ente CLI from [here](https://github.com/ente-io/ente/releases?q=tag%3Acli) -Define a config.yaml and put it either in the same directory as where you run -the CLI from ("current working directory"), or in the path defined in env -variable `ENTE_CLI_CONFIG_PATH`: +Check our [documentation](/self-hosting/administration/cli) on how to use Ente CLI for managing self-hosted instances. -```yaml -endpoint: - api: "http://localhost:8080" -``` - -(Another -[example](https://github.com/ente-io/ente/blob/main/cli/config.yaml.example)) \ No newline at end of file +::: info For upgradation +Check out our [documentation](/self-hosting/install/upgrade) for various installation methods. +::: \ No newline at end of file diff --git a/docs/docs/self-hosting/install/requirements.md b/docs/docs/self-hosting/install/requirements.md index 822d8b1c3e..7cfb908f08 100644 --- a/docs/docs/self-hosting/install/requirements.md +++ b/docs/docs/self-hosting/install/requirements.md @@ -5,19 +5,25 @@ description: Requirements for self-hosting Ente # Requirements +Ensure your system meets these requirements and has the needed software installed for a smooth experience. + ## Hardware The server is capable of running on minimal resource requirements as a -lightweight Go binary, since most of the intensive computational tasks are done on the client. It performs well on small cloud instances, old laptops, and even +lightweight Go binary, since most of the intensive computational tasks are done on the client. +It performs well on small cloud instances, old laptops, and even [low-end embedded devices](https://github.com/ente-io/ente/discussions/594). -- **Storage:** An Unix-compatible filesystem such as ZFS, EXT4, BTRFS, etc. if using PostgreSQL container as it requires a filesystem that supports user/group permissions. +- **Storage:** An Unix-compatible filesystem such as ZFS, EXT4, BTRFS, etc. if using + PostgreSQL container as it requires a filesystem that supports user/group permissions. - **RAM:** A minimum of 1 GB of RAM is required for running the cluster (if using quickstart script). - **CPU:** A minimum of 1 CPU core is required. ## Software -- **Operating System:** Any Linux or \*nix operating system, Ubuntu or Debian is recommended to have a good Docker experience. Non-Linux operating systems tend to provide poor experience with Docker and difficulty with troubleshooting and assistance. +- **Operating System:** Any Linux or \*nix operating system, Ubuntu or Debian is recommended +to have a good Docker experience. Non-Linux operating systems tend to provide poor +experience with Docker and difficulty with troubleshooting and assistance. - **Docker:** Required for running Ente's server, web application and dependent services (database and object storage). Ente also requires **Docker Compose plugin** to be installed. diff --git a/docs/docs/self-hosting/install/upgrade.md b/docs/docs/self-hosting/install/upgrade.md new file mode 100644 index 0000000000..53c62860a8 --- /dev/null +++ b/docs/docs/self-hosting/install/upgrade.md @@ -0,0 +1,69 @@ +--- +title: Upgrade - Self-hosting +description: Upgradation of self-hosted Ente +--- + +# Upgrade your server + +Upgrading Ente depends on the method of installation you have chosen. + +## Quickstart + +Upgrade and restart Ente by pulling the latest images in the directory where the Compose file resides. + +The directory name is generally `my-ente`. + +Run this command inside `my-ente/` + +``` shell +docker compose pull && docker compose up -d +``` + +## Docker Compose + +You can pull in the latest source code from Git and build a new cluster +based on the updated source code. + +1. Pull the latest changes from `main`. + + ``` shell + # Assuming you have cloned repository to ente + cd ente + # Pull changes + git pull + ``` + +2. Recreate the cluster. + ``` shell + cd server/config + # Stop and remove containers if they are running + docker compose down + # Build with latest code + docker compose up --build + ``` + +## Manual Setup + +You can pull in the latest source code from Git and build a new cluster +based on the updated source code. + +1. Pull the latest changes from `main`. + + ``` shell + # Assuming you have cloned repository to ente + cd ente + # Pull changes + git pull + ``` + +2. Follow the steps described in [manual setup](/self-hosting/install/manual) for Museum and web applications. + +::: tip + +If using Docker, you can free up some disk space by deleting older images +that were used by obsolette containers + +``` shell +docker image prune +``` +::: \ No newline at end of file diff --git a/docs/docs/self-hosting/install/upgrading.md b/docs/docs/self-hosting/install/upgrading.md deleted file mode 100644 index adfb6e27d2..0000000000 --- a/docs/docs/self-hosting/install/upgrading.md +++ /dev/null @@ -1,10 +0,0 @@ ---- -title: Upgrading - Self-hosting -description: Upgradation of self-hosted Ente ---- - -# Upgrading - -A list of steps that should be done after installing Ente are described below: - -## Step 1: diff --git a/docs/docs/self-hosting/troubleshooting/docker.md b/docs/docs/self-hosting/troubleshooting/docker.md index 840504ca65..8a7c1462e7 100644 --- a/docs/docs/self-hosting/troubleshooting/docker.md +++ b/docs/docs/self-hosting/troubleshooting/docker.md @@ -1,19 +1,19 @@ --- -title: Docker Errors -description: Fixing docker related errors when trying to self host Ente +title: Troubleshooting Docker-related errors - Self-hosting +description: Fixing Docker-related errors when trying to self-host Ente --- -# Docker +# Troubleshooting Docker-related errors -## configs - -Remember to restart your cluster to ensure changes that you make in the -`configs` section in `compose.yaml` get picked up. - -```sh -docker compose down -docker compose up -``` +> [!TIP] Restart after changes +> +> Remember to restart your cluster to ensure changes that you make in the +> `compose.yaml` and `museum.yaml` get picked up. +> +> ``` shell +> docker compose down +> docker compose up +> ``` ## post_start @@ -90,51 +90,45 @@ museum-1 | /etc/ente/cmd/museum/main.go:124 +0x44c museum-1 exited with code 2 ``` -Then the issue is that the password you're using is not the password postgres is -expecting (duh), and a potential scenario where that can happen is something -like this: +Then the issue is that the password you're using is not the password PostgreSQL is +expecting. -1. On a machine, you create a new cluster with `quickstart.sh`. +There are 2 possibilities: -2. Later you delete that folder, but then create another cluster with - `quickstart.sh`. Each time `quickstart.sh` runs, it creates new credentials, - and then when it tries to spin up the docker compose cluster, use them to - connect to the postgres running within. +1. When you have created a cluster in `my-ente` directory on +running `quickstart.sh` and later deleted it, only to create +another cluster with same `my-ente` directory. + + However, by deleting the directory, the Docker volumes are not deleted. -3. However, you would already have a docker volume from the first run of - `quickstart.sh`. Since the folder name is the same in both cases `my-ente`, - Docker will reuse the existing volumes (`my-ente_postgres-data`, - `my-ente_minio-data`). So your postgres is running off the old credentials, - and you're trying to connect to it using the new ones, and the error arises. + Thus the older volumes with previous cluster's credentials are used + for new cluster and the error arises. -The solution is to delete the stale docker volume. **Be careful**, this will -delete all data in those volumes (any thing you uploaded etc), so first -understand if this is the exact problem you are facing before deleting those -volumes. + Deletion of the stale Docker volume can solve this. **Be careful**, this will + delete all data in those volumes (any thing you uploaded etc). Do this + if you are sure this is the exact problem. -If you're sure of what you're doing, the volumes can be deleted by + ```sh + docker volume ls + ``` -```sh -docker volume ls -``` + to list them, and then delete the ones that begin with `my-ente` using + `docker volume rm`. You can delete all stale volumes by using + `docker system prune` with the `--volumes` flag, but be _really_ careful, + that'll delete all volumes (Ente or otherwise) on your machine that are not + currently in use by a running Docker container. -to list them, and then delete the ones that begin with `my-ente` using -`docker volume rm`. You can delete all stale volumes by using -`docker system prune` with the `--volumes` flag, but be _really_ careful, -that'll delete all volumes (Ente or otherwise) on your machine that are not -currently in use by a running docker container. + An alternative way is to delete the volumes along with removal of cluster's + containers using `docker compose` inside `my-ente` directory. -An alternative way is to delete the volumes along with removal of cluster's -containers using `docker compose` inside `my-ente` directory. + ```sh + docker compose down --volumes + ``` -```sh -docker compose down --volumes -``` - -If you're unsure about removing volumes, another alternative is to rename your -`my-ente` folder. Docker uses the folder name to determine the volume name -prefix, so giving it a different name will cause Docker to create a volume -afresh for it. + If you're unsure about removing volumes, another alternative is to rename your + `my-ente` folder. Docker uses the folder name to determine the volume name + prefix, so giving it a different name will cause Docker to create a volume + afresh for it. ## MinIO provisioning error diff --git a/docs/docs/self-hosting/troubleshooting/misc.md b/docs/docs/self-hosting/troubleshooting/misc.md index ff6ceda762..8da0e8d141 100644 --- a/docs/docs/self-hosting/troubleshooting/misc.md +++ b/docs/docs/self-hosting/troubleshooting/misc.md @@ -3,6 +3,8 @@ title: General troubleshooting cases description: Fixing various errors when trying to self host Ente --- +# Troubleshooting + ## Functionality not working on self hosted instance If some specific functionality (e.g. album listing, video playback) does not diff --git a/server/.gitignore b/server/.gitignore index 9a150a8838..bbf74052f4 100644 --- a/server/.gitignore +++ b/server/.gitignore @@ -12,4 +12,5 @@ my-ente/ __debug_bin* config/.env config/museum.yaml -main \ No newline at end of file +main +credentials \ No newline at end of file diff --git a/server/config/example.yaml b/server/config/example.yaml index 61524df6f5..81d8d796f3 100644 --- a/server/config/example.yaml +++ b/server/config/example.yaml @@ -51,6 +51,16 @@ s3: region: eu-central-2 bucket: scw-eu-fr-v3 +# Specify the base endpoints for various web apps +apps: + # If you're running a self hosted instance and wish to serve public links, + # set this to the URL where your albums web app is running. + public-albums: http://localhost:3002 + cast: http://localhost:3004 + # Set this to the URL where your accounts web app is running, primarily used for + # passkey based 2FA. + accounts: http://localhost:3001 + # Key used for encrypting customer emails before storing them in DB # # To make it easy to get started, some randomly generated (but fixed) values are @@ -65,12 +75,3 @@ key: jwt: secret: i2DecQmfGreG6q1vBj5tCokhlN41gcfS2cjOs9Po-u8= -# Specify the base endpoints for various web apps -apps: - # If you're running a self hosted instance and wish to serve public links, - # set this to the URL where your albums web app is running. - public-albums: http://localhost:3002 - cast: http://localhost:3004 - # Set this to the URL where your accounts web app is running, primarily used for - # passkey based 2FA. - accounts: http://localhost:3001 From 7c87f2753904bd479ca4f05c3c37565b4e8b3b6f Mon Sep 17 00:00:00 2001 From: Keerthana Date: Fri, 25 Jul 2025 18:54:27 +0530 Subject: [PATCH 173/302] [docs] rename topics for self-hosting --- docs/docs/.vitepress/sidebar.ts | 44 +++++++++--------- .../self-hosting/administration/backup.md | 2 +- docs/docs/self-hosting/administration/cli.md | 2 +- .../administration/object-storage.md | 2 +- .../administration/reverse-proxy.md | 2 +- .../mobile-build.md | 0 docs/docs/self-hosting/guides/index.md | 14 ++---- docs/docs/self-hosting/guides/systemd.md | 2 +- docs/docs/self-hosting/guides/tailscale.md | 2 +- docs/docs/self-hosting/index.md | 37 +++------------ .../{install => installation}/compose.md | 7 ++- .../{install => installation}/config.md | 2 +- .../docs/self-hosting/installation/connect.md | 0 .../{install => installation}/env-var.md | 4 +- .../{install => installation}/manual.md | 8 ++-- .../post-install/custom-server.png | Bin .../post-install/index.md | 19 ++++++-- .../web-custom-endpoint-indicator.png | Bin .../post-install/web-dev-settings.png | Bin .../{install => installation}/quickstart.md | 8 ++-- .../{install => installation}/requirements.md | 2 +- .../upgradation.md} | 2 +- .../self-hosting/troubleshooting/keyring.md | 15 ++---- .../docs/self-hosting/troubleshooting/misc.md | 2 +- .../self-hosting/troubleshooting/uploads.md | 23 +++------ .../docs/self-hosting/troubleshooting/yarn.md | 14 ------ 26 files changed, 82 insertions(+), 131 deletions(-) rename docs/docs/self-hosting/{developer => development}/mobile-build.md (100%) rename docs/docs/self-hosting/{install => installation}/compose.md (85%) rename docs/docs/self-hosting/{install => installation}/config.md (99%) create mode 100644 docs/docs/self-hosting/installation/connect.md rename docs/docs/self-hosting/{install => installation}/env-var.md (97%) rename docs/docs/self-hosting/{install => installation}/manual.md (95%) rename docs/docs/self-hosting/{install => installation}/post-install/custom-server.png (100%) rename docs/docs/self-hosting/{install => installation}/post-install/index.md (89%) rename docs/docs/self-hosting/{install => installation}/post-install/web-custom-endpoint-indicator.png (100%) rename docs/docs/self-hosting/{install => installation}/post-install/web-dev-settings.png (100%) rename docs/docs/self-hosting/{install => installation}/quickstart.md (76%) rename docs/docs/self-hosting/{install => installation}/requirements.md (97%) rename docs/docs/self-hosting/{install/upgrade.md => installation/upgradation.md} (96%) delete mode 100644 docs/docs/self-hosting/troubleshooting/yarn.md diff --git a/docs/docs/.vitepress/sidebar.ts b/docs/docs/.vitepress/sidebar.ts index 6bbb0cc842..4f66c9f0d7 100644 --- a/docs/docs/.vitepress/sidebar.ts +++ b/docs/docs/.vitepress/sidebar.ts @@ -239,48 +239,48 @@ export const sidebar = [ ], }, { - text: "Self hosting", + text: "Self-hosting", collapsed: true, items: [ { - text: "Get Started", + text: "Quickstart", link: "/self-hosting/", }, { - text: "Install", + text: "Installation", collapsed: true, items: [ { text: "Requirements", - link: "/self-hosting/install/requirements", + link: "/self-hosting/installation/requirements", }, { - text: "Quickstart Script (Recommended)", - link: "/self-hosting/install/quickstart", + text: "Quickstart script (Recommended)", + link: "/self-hosting/installation/quickstart", }, { text: "Docker Compose", - link: "/self-hosting/install/compose", + link: "/self-hosting/installation/compose", }, { - text: "Manual Setup (Without Docker)", - link: "/self-hosting/install/manual", + text: "Manual setup (without Docker)", + link: "/self-hosting/installation/manual", }, { - text: "Environment Variables and Defaults", - link: "/self-hosting/install/env-var", + text: "Environment variables and defaults", + link: "/self-hosting/installation/env-var", }, { text: "Configuration", - link: "/self-hosting/install/config", + link: "/self-hosting/installation/config", }, { - text: "Post-installation Steps", - link: "/self-hosting/install/post-install/", + text: "Post-installation steps", + link: "/self-hosting/installation/post-install/", }, { - text: "Upgrade", - link: "/self-hosting/install/upgrade/", + text: "Upgradation", + link: "/self-hosting/installation/upgradation", } ], @@ -290,15 +290,15 @@ export const sidebar = [ collapsed: true, items: [ { - text: "User Management", + text: "User management", link: "/self-hosting/administration/users", }, { - text: "Reverse Proxy", + text: "Reverse proxy", link: "/self-hosting/administration/reverse-proxy", }, { - text: "Object Storage", + text: "Object storage", link: "/self-hosting/administration/object-storage", }, { @@ -306,19 +306,19 @@ export const sidebar = [ link: "/self-hosting/administration/cli", }, { - text: "Backup and Restore", + text: "Backup", link: "/self-hosting/administration/backup", }, ], }, { - text: "Developer", + text: "Development", collapsed: true, items: [ { text: "Building mobile apps", - link: "/self-hosting/developer/mobile-build" + link: "/self-hosting/development/mobile-build" } ] }, diff --git a/docs/docs/self-hosting/administration/backup.md b/docs/docs/self-hosting/administration/backup.md index d391f49f81..b62aaf6e8f 100644 --- a/docs/docs/self-hosting/administration/backup.md +++ b/docs/docs/self-hosting/administration/backup.md @@ -1,5 +1,5 @@ --- -title: Backups +title: Backups - Self-hosting description: General introduction to backing up your self hosted Ente instance --- diff --git a/docs/docs/self-hosting/administration/cli.md b/docs/docs/self-hosting/administration/cli.md index bdd1743ff2..07240623c3 100644 --- a/docs/docs/self-hosting/administration/cli.md +++ b/docs/docs/self-hosting/administration/cli.md @@ -1,5 +1,5 @@ --- -title: Ente CLI for Self-hosted Instance +title: Ente CLI for Self-hosted Instance - Self-hosting description: Guide to configuring Ente CLI for Self Hosted Instance --- diff --git a/docs/docs/self-hosting/administration/object-storage.md b/docs/docs/self-hosting/administration/object-storage.md index 0d9852aa20..91a86c4698 100644 --- a/docs/docs/self-hosting/administration/object-storage.md +++ b/docs/docs/self-hosting/administration/object-storage.md @@ -1,5 +1,5 @@ --- -title: Configuring Object Storage +title: Configuring Object Storage - Self-hosting description: Configure Object Storage for storing files along with some troubleshooting tips --- diff --git a/docs/docs/self-hosting/administration/reverse-proxy.md b/docs/docs/self-hosting/administration/reverse-proxy.md index fb20a25afc..52867d814f 100644 --- a/docs/docs/self-hosting/administration/reverse-proxy.md +++ b/docs/docs/self-hosting/administration/reverse-proxy.md @@ -1,5 +1,5 @@ --- -Title: Configuring Reverse Proxy +Title: Configuring Reverse Proxy - Self-hosting Description: Configuring reverse proxy for Museum and other services --- diff --git a/docs/docs/self-hosting/developer/mobile-build.md b/docs/docs/self-hosting/development/mobile-build.md similarity index 100% rename from docs/docs/self-hosting/developer/mobile-build.md rename to docs/docs/self-hosting/development/mobile-build.md diff --git a/docs/docs/self-hosting/guides/index.md b/docs/docs/self-hosting/guides/index.md index 407cbe244f..e70dd690a1 100644 --- a/docs/docs/self-hosting/guides/index.md +++ b/docs/docs/self-hosting/guides/index.md @@ -1,5 +1,5 @@ --- -title: Self Hosting +title: Guides - Self-hosting description: Guides for self hosting Ente Photos and/or Ente Auth --- @@ -10,14 +10,8 @@ walkthroughs, tutorials and other FAQ pages in this directory. See the sidebar for existing guides. In particular: -- If you're just looking to get started, see - [configure custom server]. +- If you're just looking to get started, see installation. -- For various admin related tasks, e.g. increasing the storage quota on your - self hosted instance, see [administering your custom server]. +- For various administrative tasks, e.g. increasing the storage quota for user on your self-hosted instance, see [user management](/self-hosting/administration/users). -- For configuring your S3 buckets to get the object storage to work from your - mobile device or for fixing an upload errors, see - configuring S3. There is also a longer - community contributed guide for a more self hosted setup of - both the server and web app using external S3 buckets for object storage. +- For configuring your S3 buckets to get the object storage to work from your mobile device or for fixing an upload errors, see [object storage](/self-hosting/administration/object-storage). diff --git a/docs/docs/self-hosting/guides/systemd.md b/docs/docs/self-hosting/guides/systemd.md index 2a7bd08d4b..47fbe5ce0e 100644 --- a/docs/docs/self-hosting/guides/systemd.md +++ b/docs/docs/self-hosting/guides/systemd.md @@ -14,6 +14,6 @@ Please check the below links if you want to run Museum as a service, both of the 1. [How to run museum as a systemd service](https://gist.github.com/mngshm/a0edb097c91d1dc45aeed755af310323) 2. [Museum.service](https://github.com/ente-io/ente/blob/23e678889189157ecc389c258267685934b83631/server/scripts/deploy/museum.service#L4) -Once you are done with setting and running Museum, all you are left to do is run the web app and set up reverse proxy. Check out the documentation for [more information](/self-hosting/install/manual#step-3-configure-web-application). +Once you are done with setting and running Museum, all you are left to do is run the web app and set up reverse proxy. Check out the documentation for [more information](/self-hosting/installation/manual#step-3-configure-web-application). > **Credits:** [mngshm](https://github.com/mngshm) \ No newline at end of file diff --git a/docs/docs/self-hosting/guides/tailscale.md b/docs/docs/self-hosting/guides/tailscale.md index 43aadca7a2..e7f5975f8a 100644 --- a/docs/docs/self-hosting/guides/tailscale.md +++ b/docs/docs/self-hosting/guides/tailscale.md @@ -1,5 +1,5 @@ --- -title: Self Hosting with Tailscale (Community) +title: Self-hosting with Tailscale - Self-hosting description: Guides for self-hosting Ente Photos and/or Ente Auth with Tailscale --- diff --git a/docs/docs/self-hosting/index.md b/docs/docs/self-hosting/index.md index e8ff85a6a1..31532b8557 100644 --- a/docs/docs/self-hosting/index.md +++ b/docs/docs/self-hosting/index.md @@ -1,9 +1,9 @@ --- -title: Get Started - Self-hosting +title: Quickstart - Self-hosting description: Getting started with self-hosting Ente --- -# Get Started +# Quickstart If you're looking to spin up Ente on your server for preserving those sweet memories or using Auth for 2FA codes, you are in the right place! @@ -21,7 +21,7 @@ ways of self-hosting Ente on your server as described in the documentation. - [Docker Compose](https://docs.docker.com/compose/) > For more details, check out the -> [requirements page](/self-hosting/install/requirements). +> [requirements page](/self-hosting/installation/requirements). ## Set up the server @@ -42,8 +42,6 @@ directory, prompts to start the cluster with needed containers after pulling the ## Try the web app -The first user to be registered will be treated as the admin user. - Open Ente Photos web app at `http://:3000` (or `http://localhost:3000` if using on same local machine) and select **Don't have an account?** to create a new user. @@ -54,8 +52,7 @@ Follow the prompts to sign up. ![Sign Up Page](/sign-up.png) -You will be prompted to enter verification code. Check the cluster logs using -`sudo docker compose logs` and enter the same. +You will be prompted to enter verification code. Check the cluster logs using `sudo docker compose logs` and enter the same. ![Verification Code](/otp.png) @@ -65,33 +62,13 @@ Alternatively, if using Ente Auth, get started by adding an account (assuming yo ## Try the mobile app -### Install the Mobile App +You can install Ente Photos from [here](/photos/faq/installing) and Ente Auth from [here](/auth/faq/installing). -You can install Ente Photos by following the [installation section](/photos/faq/installing). - -Alternatively, you can install Ente Auth (if you are planning to use Auth) by following the [installation section](/auth/faq/installing). - -### Login to the Mobile App - -Tap the onboarding screen 7 times to modify developer settings. - -
-Developer Settings -
- -
-Enter your Ente server's endpoint. -
- -
-Developer Settings - Server Endpoint -
- -You should be able to access the uploaded picture from the web user interface. +Connect to your server from [mobile apps](/self-hosting/installation/post-install/#step-6-configure-apps-to-use-your-server). ## What next? -Now that you have spinned up a cluster in quick manner, you may wish to install using a different way for your needs. Check the "Install" section for information regarding that. +Now that you have spinned up a cluster in quick manner, you may wish to install using a different way for your needs. Check the "Installation" section for information regarding that. You can import your pictures from Google Takeout or from other services to Ente Photos. For more information, check out our [migration guide](/photos/migration/). diff --git a/docs/docs/self-hosting/install/compose.md b/docs/docs/self-hosting/installation/compose.md similarity index 85% rename from docs/docs/self-hosting/install/compose.md rename to docs/docs/self-hosting/installation/compose.md index 3aa60ce9ab..b6515aadf0 100644 --- a/docs/docs/self-hosting/install/compose.md +++ b/docs/docs/self-hosting/installation/compose.md @@ -1,5 +1,5 @@ --- -title: Docker Compose +title: Docker Compose - Self-hosting description: Running Ente with Docker Compose from source --- @@ -9,8 +9,7 @@ If you wish to run Ente via Docker Compose from source, do the following: ## Requirements -Check out the [requirements](/self-hosting/install/requirements) page to get -started. +Check out the [requirements](/self-hosting/installation/requirements) page to get started. ## Step 1: Clone the repository @@ -51,5 +50,5 @@ docker compose up --build This builds Museum and web applications based on the Dockerfile and starts the containers needed for Ente. ::: tip -Check out [post-installation steps](/self-hosting/install/post-install/) for further usage. +Check out [post-installation steps](/self-hosting/installation/post-install/) for further usage. ::: \ No newline at end of file diff --git a/docs/docs/self-hosting/install/config.md b/docs/docs/self-hosting/installation/config.md similarity index 99% rename from docs/docs/self-hosting/install/config.md rename to docs/docs/self-hosting/installation/config.md index 794e095cb5..bdddbde65a 100644 --- a/docs/docs/self-hosting/install/config.md +++ b/docs/docs/self-hosting/installation/config.md @@ -1,5 +1,5 @@ --- -title: "Configuration - Self-hosting" +title: Configuration - Self-hosting description: "Information about all the configuration variables needed to run Ente with museum.yaml" diff --git a/docs/docs/self-hosting/installation/connect.md b/docs/docs/self-hosting/installation/connect.md new file mode 100644 index 0000000000..e69de29bb2 diff --git a/docs/docs/self-hosting/install/env-var.md b/docs/docs/self-hosting/installation/env-var.md similarity index 97% rename from docs/docs/self-hosting/install/env-var.md rename to docs/docs/self-hosting/installation/env-var.md index ee60836ab4..4589ef806a 100644 --- a/docs/docs/self-hosting/install/env-var.md +++ b/docs/docs/self-hosting/installation/env-var.md @@ -1,11 +1,11 @@ --- -title: "Environment Variables and Defaults - Self-hosting" +title: Environment variables and defaults - Self-hosting description: "Information about all the configuration variables needed to run Ente along with description on default configuration" --- -# Environment Variables and Defaults +# Environment variables and defaults The environment variables needed for running Ente and the default configuration are documented below: diff --git a/docs/docs/self-hosting/install/manual.md b/docs/docs/self-hosting/installation/manual.md similarity index 95% rename from docs/docs/self-hosting/install/manual.md rename to docs/docs/self-hosting/installation/manual.md index 1a61a89726..9e62485be3 100644 --- a/docs/docs/self-hosting/install/manual.md +++ b/docs/docs/self-hosting/installation/manual.md @@ -1,9 +1,9 @@ --- -title: Manual Setup (Without Docker) - Self-hosting +title: Manual setup (without Docker) - Self-hosting description: Installing and setting up Ente without Docker --- -# Manual Setup (Without Docker) +# Manual setup (without Docker) If you wish to run Ente from source without using Docker, follow the steps described below: @@ -188,8 +188,8 @@ relative to `server` directory } ``` - The web application for Ente Photos should be accessible at http://localhost:3000, check out the [default ports](/self-hosting/install/env-var#ports) for more information. + The web application for Ente Photos should be accessible at http://localhost:3000, check out the [default ports](/self-hosting/installation/env-var#ports) for more information. ::: tip -Check out [post-installation steps](/self-hosting/install/post-install/) for further usage. +Check out [post-installation steps](/self-hosting/installation/post-install/) for further usage. ::: \ No newline at end of file diff --git a/docs/docs/self-hosting/install/post-install/custom-server.png b/docs/docs/self-hosting/installation/post-install/custom-server.png similarity index 100% rename from docs/docs/self-hosting/install/post-install/custom-server.png rename to docs/docs/self-hosting/installation/post-install/custom-server.png diff --git a/docs/docs/self-hosting/install/post-install/index.md b/docs/docs/self-hosting/installation/post-install/index.md similarity index 89% rename from docs/docs/self-hosting/install/post-install/index.md rename to docs/docs/self-hosting/installation/post-install/index.md index 83adf66ede..4290beb355 100644 --- a/docs/docs/self-hosting/install/post-install/index.md +++ b/docs/docs/self-hosting/installation/post-install/index.md @@ -3,7 +3,7 @@ title: Post-installation steps - Self-hosting description: Steps to be followed post-installation for smooth experience --- -# Post-installation Steps +# Post-installation steps A list of steps that should be done after installing Ente are described below: @@ -114,10 +114,19 @@ You can modify Ente mobile apps and CLI to connect to your server. ### Mobile -Tap 7 times on the onboarding screen to configure the -server endpoint to be used. +Tap the onboarding screen 7 times to modify developer settings. -![Setting a custom server on the onboarding screen](custom-server.png) +
+Developer Settings +
+ +
+Enter your Ente server's endpoint. +
+ +
+Developer Settings - Server Endpoint +
### Desktop @@ -137,5 +146,5 @@ You can download Ente CLI from [here](https://github.com/ente-io/ente/releases?q Check our [documentation](/self-hosting/administration/cli) on how to use Ente CLI for managing self-hosted instances. ::: info For upgradation -Check out our [documentation](/self-hosting/install/upgrade) for various installation methods. +Check out our [upgradation documentation](/self-hosting/installation/upgradation) for various installation methods. ::: \ No newline at end of file diff --git a/docs/docs/self-hosting/install/post-install/web-custom-endpoint-indicator.png b/docs/docs/self-hosting/installation/post-install/web-custom-endpoint-indicator.png similarity index 100% rename from docs/docs/self-hosting/install/post-install/web-custom-endpoint-indicator.png rename to docs/docs/self-hosting/installation/post-install/web-custom-endpoint-indicator.png diff --git a/docs/docs/self-hosting/install/post-install/web-dev-settings.png b/docs/docs/self-hosting/installation/post-install/web-dev-settings.png similarity index 100% rename from docs/docs/self-hosting/install/post-install/web-dev-settings.png rename to docs/docs/self-hosting/installation/post-install/web-dev-settings.png diff --git a/docs/docs/self-hosting/install/quickstart.md b/docs/docs/self-hosting/installation/quickstart.md similarity index 76% rename from docs/docs/self-hosting/install/quickstart.md rename to docs/docs/self-hosting/installation/quickstart.md index bcb371e672..ca28f20301 100644 --- a/docs/docs/self-hosting/install/quickstart.md +++ b/docs/docs/self-hosting/installation/quickstart.md @@ -1,16 +1,16 @@ --- -title: Quickstart Script (Recommended) - Self-hosting +title: Quickstart script (Recommended) - Self-hosting description: Self-hosting Ente with quickstart script --- -# Quickstart Script (Recommended) +# Quickstart script (Recommended) We provide a quickstart script which can be used for self-hosting Ente on your machine in less than a minute. ## Requirements -Check out the [requirements](/self-hosting/install/requirements) page to get +Check out the [requirements](/self-hosting/installation/requirements) page to get started. ## Getting started @@ -31,5 +31,5 @@ The data accessed by Museum is stored in `./data` folder inside `my-ente` direct It contains extra configuration files that is to be used (push notification credentials, etc.) ::: tip -Check out [post-installations steps](/self-hosting/install/post-install/) for further usage. +Check out [post-installations steps](/self-hosting/installation/post-install/) for further usage. ::: \ No newline at end of file diff --git a/docs/docs/self-hosting/install/requirements.md b/docs/docs/self-hosting/installation/requirements.md similarity index 97% rename from docs/docs/self-hosting/install/requirements.md rename to docs/docs/self-hosting/installation/requirements.md index 7cfb908f08..a2e5f2f933 100644 --- a/docs/docs/self-hosting/install/requirements.md +++ b/docs/docs/self-hosting/installation/requirements.md @@ -1,5 +1,5 @@ --- -title: Requirements +title: Requirements - Self-hosting description: Requirements for self-hosting Ente --- diff --git a/docs/docs/self-hosting/install/upgrade.md b/docs/docs/self-hosting/installation/upgradation.md similarity index 96% rename from docs/docs/self-hosting/install/upgrade.md rename to docs/docs/self-hosting/installation/upgradation.md index 53c62860a8..b4b11a70bc 100644 --- a/docs/docs/self-hosting/install/upgrade.md +++ b/docs/docs/self-hosting/installation/upgradation.md @@ -56,7 +56,7 @@ based on the updated source code. git pull ``` -2. Follow the steps described in [manual setup](/self-hosting/install/manual) for Museum and web applications. +2. Follow the steps described in [manual setup](/self-hosting/installation/manual) for Museum and web applications. ::: tip diff --git a/docs/docs/self-hosting/troubleshooting/keyring.md b/docs/docs/self-hosting/troubleshooting/keyring.md index a521a13c27..8ef322ff7a 100644 --- a/docs/docs/self-hosting/troubleshooting/keyring.md +++ b/docs/docs/self-hosting/troubleshooting/keyring.md @@ -1,13 +1,11 @@ --- -title: Ente CLI Secrets +title: Ente CLI Secrets - Self-hosting description: A quick hotfix for keyring errors while running Ente CLI. --- # Ente CLI Secrets -Ente CLI makes use of system keyring for storing sensitive information like your -passwords. And running the CLI straight out of the box might give you some -errors related to keyrings in some case. +Ente CLI makes use of system keyring for storing sensitive information like your passwords. And running the CLI straight out of the box might give you some errors related to keyrings in some case. Follow the below steps to run Ente CLI and also avoid keyrings errors. @@ -20,15 +18,12 @@ export ENTE_CLI_SECRETS_PATH=./ ./ente-cli ``` -You can also add the above line to your shell's rc file, to prevent the need to -export manually every time. +You can also add the above line to your shell's rc file, to prevent the need to export manually every time. Then one of the following: -1. If the file doesn't exist, Ente CLI will create it and fill it with a random - 32 character encryption key. -2. If you do create the file, please fill it with a cryptographically generated - 32 byte string. +1. If the file doesn't exist, Ente CLI will create it and fill it with a random 32 character encryption key. +2. If you do create the file, please fill it with a cryptographically generated 32 byte string. And you are good to go. diff --git a/docs/docs/self-hosting/troubleshooting/misc.md b/docs/docs/self-hosting/troubleshooting/misc.md index 8da0e8d141..da901c04c8 100644 --- a/docs/docs/self-hosting/troubleshooting/misc.md +++ b/docs/docs/self-hosting/troubleshooting/misc.md @@ -1,5 +1,5 @@ --- -title: General troubleshooting cases +title: General troubleshooting cases - Self-hosting description: Fixing various errors when trying to self host Ente --- diff --git a/docs/docs/self-hosting/troubleshooting/uploads.md b/docs/docs/self-hosting/troubleshooting/uploads.md index ad1cf2b74d..28761da80e 100644 --- a/docs/docs/self-hosting/troubleshooting/uploads.md +++ b/docs/docs/self-hosting/troubleshooting/uploads.md @@ -1,5 +1,5 @@ --- -title: Uploads +title: Uploads - Self-hosting description: Fixing upload errors when trying to self host Ente --- @@ -8,19 +8,14 @@ description: Fixing upload errors when trying to self host Ente Here are some errors our community members frequently encountered with the context and potential fixes. -Fundamentally in most situations, the problem is because of minor mistakes or -misconfiguration. Please make sure to reverse proxy museum and MinIO API -endpoint to a domain and check your S3 credentials and whole configuration file -for any minor misconfigurations. +Fundamentally in most situations, the problem is because of minor mistakes or misconfiguration. Please make sure to reverse proxy Museum and MinIO API +endpoint to a domain and check your S3 credentials and whole configuration file for any minor misconfigurations. -It is also suggested that the user setups bucket CORS or global CORS on MinIO or -any external S3 service provider they are connecting to. To setup bucket CORS, -please [read this]. +It is also suggested that the user setups bucket CORS or global CORS on MinIO or any external S3 service provider they are connecting to. To setup bucket CORS, please [read this](/self-hosting/administration/object-storage#cors-cross-origin-resource-sharing). ## 403 Forbidden -If museum is able to make a network connection to your S3 bucket but uploads are -still failing, it could be a credentials or permissions issue. +If museum is able to make a network connection to your S3 bucket but uploads are still failing, it could be a credentials or permissions issue. A telltale sign of this is that in the museum logs you can see `403 Forbidden` errors about it not able to find the size of a file even though the @@ -34,12 +29,8 @@ This could be because headers configuration too. [Here is an example of a working configuration](https://github.com/ente-io/ente/discussions/1764#discussioncomment-9478204). -2. The credentials are not being picked up (you might be setting the correct - credentials, but not in the place where museum reads them from). +2. The credentials are not being picked up (you might be setting the correct credentials, but not in the place where museum reads them from). ## Mismatch in file size -The "Mismatch in file size" error mostly occurs in a situation where the client -is re-uploading a file which is already in the bucket with a different file -size. The reason for re-upload could be anything including network issue, sudden -killing of app before the upload is complete and etc. +The "Mismatch in file size" error mostly occurs in a situation where the client is re-uploading a file which is already in the bucket with a different file size. The reason for re-upload could be anything including network issue, sudden killing of app before the upload is complete and etc. diff --git a/docs/docs/self-hosting/troubleshooting/yarn.md b/docs/docs/self-hosting/troubleshooting/yarn.md deleted file mode 100644 index 4cc62c405b..0000000000 --- a/docs/docs/self-hosting/troubleshooting/yarn.md +++ /dev/null @@ -1,14 +0,0 @@ ---- -title: Yarn errors -description: Fixing yarn install errors when trying to self host Ente ---- - -# Yarn - -If `yarn install` is failing, make sure you are using Yarn v1 (also known as -"Yarn Classic"): - -- https://classic.yarnpkg.com/lang/en/docs/install - -For more details, see the -[getting started instructions](https://github.com/ente-io/ente/blob/main/web/docs/new.md). From 2b4ed5b43c034942451137ac758e1b657dfd8afc Mon Sep 17 00:00:00 2001 From: Keerthana Date: Fri, 25 Jul 2025 19:22:23 +0530 Subject: [PATCH 174/302] [docs] fix dead links --- docs/docs/.vitepress/sidebar.ts | 2 +- docs/docs/self-hosting/administration/cli.md | 6 +++--- docs/docs/self-hosting/administration/reverse-proxy.md | 9 +++------ docs/docs/self-hosting/index.md | 7 ++----- docs/docs/self-hosting/installation/config.md | 3 +-- docs/docs/self-hosting/troubleshooting/docker.md | 6 ------ 6 files changed, 10 insertions(+), 23 deletions(-) diff --git a/docs/docs/.vitepress/sidebar.ts b/docs/docs/.vitepress/sidebar.ts index 4f66c9f0d7..37ae55edc1 100644 --- a/docs/docs/.vitepress/sidebar.ts +++ b/docs/docs/.vitepress/sidebar.ts @@ -331,7 +331,7 @@ export const sidebar = [ link: "/self-hosting/guides/tailscale", }, { - text: "Running Ente with systemd", + text: "Running Ente using systemd", link: "/self-hosting/guides/systemd", }, ], diff --git a/docs/docs/self-hosting/administration/cli.md b/docs/docs/self-hosting/administration/cli.md index 07240623c3..6b98a91247 100644 --- a/docs/docs/self-hosting/administration/cli.md +++ b/docs/docs/self-hosting/administration/cli.md @@ -22,10 +22,10 @@ endpoint: api: http://localhost:8080 ``` -## Step 2: Whitelist admin user +## Step 2: Whitelist admins -You can whitelist administrator user by following this -[guide](/self-hosting/administration/users#whitelist-admins) +You can whitelist administrator users by following this +[guide](/self-hosting/administration/users#whitelist-admins). ## Step 3: Add an account diff --git a/docs/docs/self-hosting/administration/reverse-proxy.md b/docs/docs/self-hosting/administration/reverse-proxy.md index 52867d814f..1f90bf77de 100644 --- a/docs/docs/self-hosting/administration/reverse-proxy.md +++ b/docs/docs/self-hosting/administration/reverse-proxy.md @@ -25,15 +25,12 @@ although you can use other alternatives such as NGINX, Traefik, etc. sudo apt install caddy ``` - Start the service, enable it to start upon system boot and reload when configuration - has changed. + Start the service and enable it to start upon system boot. ``` shell sudo systemctl start caddy sudo systemctl enable caddy - - sudo systemctl reload caddy ``` ## Step 1: Configure A or AAAA records @@ -54,7 +51,7 @@ After installing Caddy, `Caddyfile` is created at You can edit the minimal configuration provided below for your own needs. -> yourdomain.tld is an example. Replace it with your own domain +> yourdomain.tld is an example. Replace it with your own domain. ```groovy # For Museum @@ -90,7 +87,7 @@ cast.ente.yourdomain.tld { ## Step 3: Reload reverse proxy -Reload Caddy for changes to take effect +Reload Caddy for changes to take effect. ``` shell sudo systemctl caddy reload diff --git a/docs/docs/self-hosting/index.md b/docs/docs/self-hosting/index.md index 31532b8557..1ba4dd6e10 100644 --- a/docs/docs/self-hosting/index.md +++ b/docs/docs/self-hosting/index.md @@ -5,15 +5,12 @@ description: Getting started with self-hosting Ente # Quickstart -If you're looking to spin up Ente on your server for preserving those -sweet memories or using Auth for 2FA codes, you are in the right place! +If you're looking to spin up Ente on your server , you are in the right place! Our entire source code ([including the server](https://ente.io/blog/open-sourcing-our-server/)) is open source. This is the same code we use on production. -For a quick preview of Ente on your server, make sure your system meets the -requirements mentioned below. After trying the preview, you can explore other -ways of self-hosting Ente on your server as described in the documentation. +For a quick preview, make sure your system meets the requirements mentioned below. After trying the preview, you can explore other ways of self-hosting Ente on your server as described in the documentation. ## Requirements diff --git a/docs/docs/self-hosting/installation/config.md b/docs/docs/self-hosting/installation/config.md index bdddbde65a..e00543ce78 100644 --- a/docs/docs/self-hosting/installation/config.md +++ b/docs/docs/self-hosting/installation/config.md @@ -100,8 +100,7 @@ your provider's credentials, and set `are_local_buckets` to `false`. MinIO uses the port `3200` for API Endpoints. Web Console can be accessed at http://localhost:3201 by enabling port `3201` in the Compose file. -If you face any issues related to uploads then checkout [Troubleshooting bucket -CORS] and [Frequently encountered S3 errors]. +If you face any issues related to uploads then check out [CORS](/self-hosting/administration/object-storage#cors-cross-origin-resource-sharing) and [troubleshooting](/self-hosting/troubleshooting/uploads) sections. | Variable | Description | Default | | -------------------------------------- | -------------------------------------------- | ------- | diff --git a/docs/docs/self-hosting/troubleshooting/docker.md b/docs/docs/self-hosting/troubleshooting/docker.md index 8a7c1462e7..39cce15e18 100644 --- a/docs/docs/self-hosting/troubleshooting/docker.md +++ b/docs/docs/self-hosting/troubleshooting/docker.md @@ -45,15 +45,12 @@ minio-provision: entrypoint: | sh -c ' #!/bin/sh - while ! mc alias set h0 http://minio:3200 your_minio_user your_minio_pass do echo "waiting for minio..." sleep 0.5 done - cd /data - mc mb -p b2-eu-cen mc mb -p wasabi-eu-central-2-v3 mc mb -p scw-eu-fr-v3 @@ -162,15 +159,12 @@ Thus the updated `post_start` will look as follows for `minio` service: - command: | sh -c ' #!/bin/sh - while ! mc alias set h0 http://minio:3200 your_minio_user your_minio_pass 2>/dev/null do echo "Waiting for minio..." sleep 0.5 done - cd /data - mc mb -p b2-eu-cen mc mb -p wasabi-eu-central-2-v3 mc mb -p scw-eu-fr-v3 From 754dd483676687a6ebf3ac33db935bf9be6a2ce0 Mon Sep 17 00:00:00 2001 From: Keerthana Date: Fri, 25 Jul 2025 19:52:26 +0530 Subject: [PATCH 175/302] [docs] update quickstart --- docs/docs/public/onboarding.png | Bin 80801 -> 17124 bytes docs/docs/public/sign-up.png | Bin 96148 -> 30102 bytes docs/docs/self-hosting/index.md | 19 +++++++++---------- 3 files changed, 9 insertions(+), 10 deletions(-) diff --git a/docs/docs/public/onboarding.png b/docs/docs/public/onboarding.png index 32b18f73f263780ad50c3bd212e88cb4ffaf4b56..8e35998d5f0e7b68b0a2ab9e414ab33c694cddf2 100644 GIT binary patch literal 17124 zcmeIacR1Vs_di@p=|Eeht=&a!Eur>kQEgFsM^P&(R_(1-MNxY-c8x@+5n{w>jTW)R zicxCDUO|N4tL^*qy}y6l|K0cXyME*Cx{M>Q=RW6o&f{@T68>C6mF^tNxl^Z3(WyOt zq`|>>?Q@ClXDxE6nW?MRSitCixBSl>= z@ahE33%0q`woO}v4@%$%#tMIL;zd&mR7w3V{q5TdchBBdP&!xRtSWW;`W5qj4K9vpynEkMyF3vAd80}Hpl1Nl+s`alT)P8p6->dVpW-o z3a2QjE-EyMQ*w-dNC>_ebc&LeD=3H-%1!b6k5iQ5m$}f6g97g&{=9Ii8O!!h3l&PL z>Zr8V=a>G-Ti z-(`G>J=N@(YjaQcZ+lwk{NG6fi+Ie9?m16I$sz&$l+#xj_2lJ0qvdIGal|+oR@h+U z{XrowL!>pFiA>T2#ou#ujtpv__4XQq>+$UAVW>RK)yg^k_AI9iOyBr_;`INIID>x| zLHWOkHT-)L|DMGEkC*Ge>h!<4IzbMpyEw14&TbCUwG>ZT;WGLi^PoG$*D0tD6@#YN zXkLo{yhy<~a!)6M3CV4)v-JghIVJf__{r99H!Y_QI72X3?`et{i7dri9s?~Fqhs~Z z&*Higypsh>t6KVsMSJO}%%jyrA2P~wkgXidz45!@u^G@%<#$7Km4-dpgUkL4DK~tM zqUD#@&nNS(?egqJ$sd2AFG#nV2#3vUO2eV6WjuRD$V{iH>gaY^7BSaap~e|k>miv^ zhZ2mQo?z_i(}2p17K4`{}HKNnP0<=y2?{#(;J53Xo)6+Ei2 z;mlI#l)@Yxo(uhz+{5;%IwLbS5t*gAZ0De3`#{NyXyIhUMCrlEgc$~`mWtYUS7xjsON((`Kld;UCpj8& zew=eQ`?__mvHBhf4)go2vi|Ftm1wD_=JG_uIdKdkjKeHvfl7gu>c_; zoex^C&uM3tL%0t``TG^h2^PP)LP6zoL&2Fy8C8JRe4*-m(!b&|bwJWQQ!VfNkzQ_1 z*Pp!O-9aZ|S8;ayMsE9eooemCgIUhql{k04^n04}^+!rrfykxR&xkAAB+#oP4i=rb z&#VC(da{+=n!{83taGo73Ny(8+4NEb)x(ZrMdLaTWK~rg=;i)nI(qS?$;Qb-U(P_a zajBd&2P&ppK|$W>*zFCt9ztVyEgaiVsqP;`&a|vbzsAy5{2-F z6M_TC)-O9C@W5ba!TZKSQ3bciWkHC$8LOGzc770 z5d8JbEAl>%eE-@{iJe&j=kO1MBc(7p_`v6d4CF9>-IcRp?vq2+gc+;+WzQ*4GiGhJ znS7dE+7eOHIL|^Rpw!b|Ps^AcVj{1YZhr_!riE_HRl~HdOH(ip~qw8j5bicNfx+a~7tG`ZL-yK09Ulhg3B< zR|L3ki%Mx%NR{HKF_a54}SBhD&$pyG* zW{saH7G2yp<0fX^?FV!JwZ=KAD&r!*Sz;p?xUEcf`1uq7*822$NU(-HRzM_a>8ZHunSLq)m1FK9M}-p zu*U&I3^|D3O*1Qry(1@RwttnpVc?07!;{%K07Tei3&6%M2CBoSO=AR(dy1s4l)Ttn zmAn0>NQNY#0h3MxUN+Po^6cs{gnC@DsT(*6SY7+b>YW#>;pq?Y+0F(tBIsSzZjlv* zTdAvD;5ZohvXVAWCumxuKyF;+H_lVwQlkiwRuf@X{VTyJsXV22N5%gFShaH(@oFJu z5B^F^SGdpvMLku2QSW1IpqtAdTK|y>PBp_c{Hvn=piYH2pqscC0?~gZDQeoa*UJ@- ze*t71&`ms*mCIkLpI5=TKqu4j)*pQPF%RhG_O-}=Bn@D0u)|lZe?V~XZJ?Xm&4z4$ zrPsjRmIiId|03txKsP*R+h+bs|1R-=iBqgIX*vql61kQzwVu2SVxT%xt02ar_kb;F zSDL|=_9DJ}@s{4sn;@n^YHI3^?rwb4r3Y=Dl?wtQTd!xEQRUqVg^xGE!1z z@-#p5^%P2+R!&uwII60Ok2#XAOYuIO1F$PuOUoM)=MBSHkg}^^zbetk)_LC?srPW; z@O=Hcu%^Z+_HoPn5ZZU2s=AJ(xhs2-3+)@!a`QB}DXksni&s}yry>Te<7^o|PFH!K zz8r$18q-$Ek9^;Ku_HJ(2^#(;gbaMYoj!^N4t1 zzqHLQ^;mp$PTk7)W)>}&mM#C%9YsfY@z6&LYxw9F*U*EwbQ@_p|T4xgTQVU?XLEq81dvHY}G5?4WnlE7+=uqBVFv6CqpX>AL?__!`Qtu zjw5KJY&*~IXS!(OT5@lIsw?>mUVoU!rX$=-<+7{g3ln%!KG)+vwe*Y|k6n>y&PcXh z3x)3Ca?M~6=&Fd?iXNA!j--(h_gvlJBu?l+G$C=6Y{9en`0;9X;eBimrteEyn#q+! zgVCCKW@IWw>sNNjtEJ}|qkC^}7{Lo6{S74bzW#-)g*m+3rK69L;3IMtrzC_r^69mc*QhXxK{N9G434ARX*l>!jv;N zP?ezxiSY$pS(>m_$K?yE39*T}#UFxdmDnK;>(2-4r+;+((DP8~9URS0!tGIby#1P_ zvnxuY?krtU0H6dPwL83*_wmyiBI=}PtOaR$>voRn6=w@PP@dFc?&}!cPd6AtIOc4< zcaGz#fAMDK$493lqMYQ4LL-wLjyOaU*$L06yz=ZT#6jMb3zIrS+88apbiT^`9F^vy z%RqpuuUvC|D^+&9Esf8e>Kq6%!lkTq$&D6Y5M9OW&YPu3ecgC>&vMA;32Hb&Yo26b zy|4fw`#Kd0i5u#u+Su%dh4anu~kVN?6sO&>FkZh zfE^2RqhSM2`P5>Y7S0g&m(tw6Q*?xjBWiBtIVL((zE+R2VRJ>hN{c(RE@Qb{h&l@$ z3%efvB@JGO;XY2yQ>bFcw;B(e3&Fl~j&t-A>Ld-mzPQf>kkypE@z$V~Porfdi^(mP zhVj?fln2k;6PeB>eCYf5YFkZnQy_8PyV7!r)WHr?x6Y8ll)ZYB&-wa&&bmC(0PdG2 zfeTgQrQ-DJ$3XVLcIDz{hRXGoB_CpH`!nZub?0PAp5$weuJ8SCCwK}m zHkjpHZx-;C-ZTb%K7A3DuxI?evoV+)H5zulsiZj{2XzehN? zlG#r0jjC1tYHr-34RX9c|Li=qs!@ZvAj}LtVQRl@KQIr6SVw)z_UBG2s{Q)b%QlP; zSEA+krY1~0voI9G%JiB6RNO{2xQ7l}(Jt$-Zoe!RY+(JhAh%2- zo%Lp#dyB>LSmm=)OvMutn@e0rda~Wmh>seQq)wmJ5>{P_884U=sF=qboV^la8FgJN zN6@6oerqt+*m>A&the`0jJ#^R&04|r*)HEM2YtRYy_}p26+G!CIf}>Jf==-vCivi73u9lnhSsc9KckXWI^vOlSze zLL4K1*>$D-oPScR_wKCoaaAs8*hh)(9OqWs zS-;9@@Ef^{+3332s(vx%?vKHwHlfvug=>Q71zIfswI9}DR^Dq&z{flpa z&3NxB!|=u@dQADE``j~`$Fr0uAL!=&RreKpZuC_|i5F*7bm>4vC##tI-lcQ882G}l z&xs&<>RvM@Th=7rb_E&!%~iLo%y>3mJ-(nwd)G{oB~Dn-Y^%hwl@a8r5}P67ix;Jr z)`p7+Qzi}D9ax?SLV9dRSV^= z>?7XzcKh+RMB_S8-ckLt?c-|I_fpShhV-atO+4U@Xd=Mbafs$z<4muJ(yK-mNNP%z%Iz!lt=wT;jW6u#CKe z0NGESPFPra{=kOb3W|7E-!AL8C4xEba)aLs`+=31_KSO%i+6^+X6IoA{|D0CxjP5$7E`MG8*=ET{C3fWe zK%sG>j%of%mgJ9a)}c0c2VGn6wGXV)riyNHChsJ}9ap#R7&~-(#H7T}c;%@8;aQY} z6z++0!9$qi*pq2dVH(lI{nPUo)>i~lpXM>fplhP*azzCiCB@ic-ZBnL(qN5-j#EY% zC3xbkZ5H_K=ozZ3QG6*ng_HyV*9udIr;(D3vL(;l_T1~dg}vG>tV(MVI;Boa3m1@z zx5T$AgxvJ2rdTD`jo$sDdzltrpA+tAOxSBxI@f;M#;N-Ir|ZKO-49|?c0J*_omSmD zduaLj|Wsm&mW{c5XDO&WZ2H7Zg&;0R;5== zigx*&$2PbPe)6BRFFCwF3ngenp;eL=*iT%x;Gq3C*ZIB+FHY*K`dXUmldn^(tJ)@Z z+GfNTWKHFke38tZ^wW5a?yRS7x@8T-dmVNp|5hr`#`p@wy0d;@XOpWsCJVYo!-}5r zwWVg0oBN9_gw?4j7k`xds@sg@JP9XNOh9^?W;*&~L=#ZQEz08)PuEB0c}k`xkB`>w z)Si%jKBzjG3hNoQXALh~uiTGzC}R|UhagGa*A1@xdI25f8zva=dBTKEp zWG|bq7w%etJ<>Tnt_wFiCTsW~KRCPABVlin8?fk()=7RK+NjG*!lJX!=gG3AX%yUdeCC&!l&XTD@KT;)QOCKEt=jX35Ynz|A{!b&^lC|5Rx81sTiy!KtD`t@Cx&Lh5*C8 z71BQ4y!uH}0eC!FH|{2Y0+qiMS4~kX&8HpZ=W{FH#9{rtMu3)84hz>j8_yax!|dhs zD+<5kd*9MfiZk0eIT=LO^fB;IjibYD7OAQ+r1nLUT9d6@g->smVt7yEd~gsub@3Od zIA__I#ac@Hw@Cmz|9MJ_%Zh|lL~dx{jXnTLuZy7q!HgF>9+-2gvDNS(ne znIGWE{6@wL!l5;y5lc zszZO@#Om|2%+cF*6Xcn0l|zlDXGWS2xTn6d94KtSOaD^~U|yKqH7v988%9-oeyDGx zqU2EC6W0H=^Yf)gU}^qy}zRwA*PYhBFTfYN_A8S!#4RkTHy)s9jM5 z?2kp`uVwK8mSu0m|Kap8C6+bdQ?xK24vTOa$iZdL^Stoc}0KTg?_C-V8(HLddH_OO6!6FNXsjpi>dnt(9jLe-wPP^;@Fx7wa0Lx&8Z<@SmWG3U}llt7}3u-(7t(wAnxeQBQ-UWTrKm!}(!M z=cMi@FFR=K8V0=SDY(3`$eK%UP`s)~h7P#8m$gsi9{(n3%3GDFss+bdxCZ!uR8GVc z;cTH8;u&N4Q>^3+?pD4dYzR(^D!T3PUd5J~pT&NVB*=08WDu|TQ#+d46) z#d{I2>K-N+nP=NCnqX-#A9{EVWV8zyy1+8Sp2T8VD$kxzD_^cO zJBA6}Yuf=B1>Vi|2JZ1%83E{5i9$*4;us+To!iWM4Lt>+i41m%IwB~j3 z|Hndfe*{=!aDv)M#_?j4ysbqO;8Jmt9jFoiLxPTT03J&Au;s2iz~6dwQ{DKlO9aMe zgd2|mhLpD~@X`U8rC=k>X{yW3vX5hR!i;!SwiTL^fVP6;dqr>l0j`NbQ+@(-A1K{n zAnkckJ{=SjE>fX`+OHJ!{bYpMd-+@4-i;+*PF~i10g90HgW#rxvnj>V3kOV+^}1!L z)Y|#$+ZoM0m#!I7YHcq$u#U|I=Ic+QkZh7Hh7)Q&VpN{}FJ+pCDDhXuhgPfIH`xTr z-ANuCGR>e)twZ zfVIPrf9suk|8Y2H|8l@P0ExKdVvG38`u-<7qx6@`mIZdi2S55xEfxl-#{gxvQ z=epbl3^Hzd4awH?kc*m9nuhpo-g#-&V!P&tjOmRRtB#ot;4e|4jg0sbJMYrS+h||) zcE(GKzJTJatFM-;gp3Qpo}2&?-VQP764ypH5L-?DP;joRCjQXZaOUA}+oH{T4!E!z zYp2XX&9Y6bVnOdzof)!hM6Lj3X2fnF)WKjht6W2*jqW9>a)na*U&7Bbpo-1I!)hw; zZfZJ}@KxaA4O@9K@fbQ@W&$=sht_UZj}b2p1)E1eZf5-Dl9KXYN!CUKm&WBI4@5GS?IE!^C2Fk-!YLrDvm6y`C0 z;zXJ}+WSU%67c9nLFVen_>?zng66Uu`EC&EGeh7`D&fGcCMIUsIB>={JeO%A6_4p& z%e}xEB`IXCU#7yqnm4x0hpKd6(Y4)*51rPS>_YZ%p(n@4D}50!AE4IQP<7 z^Gv3kKoT8t%ZOw<%h!oj^P0mM-k{pK$*{^Q*Yq6j!Wi=2kW}E;C$PXd|A^EDF)?vo zwtI@qw0y$ynu?mw9FfQfFUpQC+QJHykwwJ|0L)yWL&#py)AxwJf0_f8J}33nY~trN z;@y-)Z_$p>zS9Pma6&Vnim6&yk zKT5Spr*L=o=pZn3*hVYuljV5(i^R8&X4Jw6pGR%>$zwpF;51-*8HHbhKR(B*&uY--@LrI_&m=( z9(pp4T)vx;7tb)E&VctzpJ9v{{8_gEcl{)oqsnbR5Z8-*pj3Wb=<4e;4-Tq+9_3?gi!@0GA;_2f|dH#zV{DDNP z-SMY3gk}DdLLFgpb}hJ0Inao$-^Dfq(L4?wo}s(P9=P~O*8fCytNQ_1b)93-zj`9y zKz`(vNAxYJjm~63%Ow-{)hUkWj#dRT;Kt~>9VxQ2hG_w8(?3e)r)sV9p}0SRC$MkP zeqheNPn8ca`CXC7Kz*U>5!L$e;EZ!|{GGP9a>}G>OvZ+T^ zlH69H&#OLd@5nX?ZbuulJ61PldmOVHwPfNx>SW$uT1pP)I2iKWfzBV-?jJGkj=0PB z=Q=rw`!<0S=~;_hw?lGkZe@uI*DExP=|R48=4v&tkf+oo_~rbBR~yH@u(Ch7WcSng zclWpSVg8eTNS`$$m`AH7Y8l7>dSDwRMIJvvx~OX|ah6su@$>WyA{&A5r-*0iZH*|( z>*qI?hGDkEDxslok$kVat&r=>%o zjQV!R$`W@2r<@iS3KEvL5YWCpTeHG91#|`i9}!(IbUi0FOhC*U{S=H(hOS5R;%e3S z;j>b^35>ee7PTGS3M2&t0VN&SJsLZ-C&=Vp!8a+MU~$kZS)U^Ag)f7Ix3 z_Vd)xd~?O?=FkNKOggZbhS^CZY+h8%d;JYI@~xGg&E90ED%~)tw6VBpS_@*d8v<=4 zWZGypsHN&?3`I>zKOR0=fndyy5E^c1S+~L9T2krMK&H^ayNvP0p_SPlT)2)>t#32L ze>2bDecY)e*>+4#YOPoHnX`P(7O!uo4(3rzJzC}J$*(8&yE;D8SZ06!V>a@(lf)8| zfe$sbjYzK;_OC?MmPK#1|fY7(*W!G|r>cHk4_1ej1B+t2o=;2U< zqi1HN_(H;(ujm6y$_ShR+pIcXyk*Wb@_J6v3ve-a{md{cb+OVWyCi=`20*Bv#I7!=y%&anhHQ* z?~s;0h|VvirkC_bbl-=0cciA7;!AuvY7LwW4%{~l7>3KQGB0jci#rT1X2XqbC!dx& z4aZK^YAk3L4c;-BEG!?rx}@6vIQgWXil}G1^llxT55LTh7Jf`cd{bJY!xfk^4|@&I zXMzrpV;Zv=d*sXy=35p0=P%N24=;0iPUc33gs0tyR7Q*W;?Ex+naEbdmA9j%pRi7P zDQ`EPh$3r<1-09|-0Z%%YLMT!XzhBGK8%R6+QG92Y7-W3z20xI+Wqy0A^qW;@0}2m z1wZWKuI(0;by6zS^NX<(rSi~x@y-oUykP0h76s}Q_Len)6pK@ zVkCmWqVzVmy@?KjGUI)cuy|PD$-!I57-o#HA-t4sF0B>p99gATI*1LdRsR|HBMnsa zNLXgCkTO1Is82LvcZQK+2{~la6*{Jss4lB}HPgG81=k2SS@%}j6*QCDA;|Y%&mCTj zLv%&Hxn8hbo=dYdCNB?<7v3+~yUwBeaO6`j69o6Q4%$x`0>gX`4aBUR3)axH^cbDK zl84dhrLzpF*~K5S(j+jsCQc_|lT&EDIpEY(rzG{t+I&KD6z8gh2ZjQDj26sYc2Az%sE@m#)jsS}fWl zsY#0N>Ti>B6H;*eoDpCXdnP7Rz-jfIEcsBye=f)Ahsh>A?KWZpFBDlXOaHb-;Rdfm`DaSrlDntBjcTur z#v7OIirBupn!-35GOzr^Y*pV~8SBy2<9A(>#aKUY{+%%hmC88!%#8X?7~<}&yoe5# z?fRe@8`IIy&n()XiUjr22W`Onh7M6_F*+!EUlWwivk5u3Hq6|M>-$|2w{Y!9V{=wf zhb}Bu5biXRgoZZ!zbSH6$o2JN{L2dbZImv_cazBoVz}hu{#Ub{gMx@O-G5$YV zs0TBvQ859>nWe-v@cdM1BM_eKMXNgonjg*%M-cr8_mknFLy)~OD=N?XuLQ=Q0>B{I zS%xlHmv#l>d@{bOp>t0Gcfd*Qai``=s}m*BpQb1E6p1pK(;k|oMT2Jmh)I{0kaOcQo;SpO8gdp&Bc2%d4{=u~U$& zl7bG@ICb&dlAxRagZ~c7JgA70^D2BMU7%+5I_Gr)g)Z~MrR=7QZn?=Hmn54f9*QIj zsW{hFZYIczP*d6%4qzu*HSYU@aqP8TXw9s#`WL>Hh^GXPpEg2kI&KE7K%K{-I_k7( zQv}4J)c5^?^#n^o7>P>i*$)(VrSyb>6cZ7EN^3W+MBeyQsw8p|z^TE#)NOy?n4`b| z5F;E)W!L`JN}UF3hdF4?UR?MGn*LYQrh@Z^JdMO5JqQ09p~KK19co%=fk#s9#YLK6 zL$Mq~Jbz;&LwB&m5@%HF+^)Cpkrp1e;OrUr$%bg_CfyX&sBDo z>d+9FmDO|ou%HU68SY=j&p+^d?en><)blp8{Rk}M7xKK^vz2Gxj9tZx_c;}dD^2$?NDm*qjhu-MXYt0yQItQ6|?9o);-vV-h{!*5t8hKZKv z^&NtIdOxx(t@m%9^Q=PDmOr^ccxPpkzPW1k?7~;$-~$O8TylIm;&Gw+&-bVR4%!ib ztEw{Zxpt3|%sowK?HfmA|ukgiYOL3C@pp;#Lf={(5t7wz2P z*Dabi5cp&v91a<(Qv0S7t!u$mOvjWML3JKvarF4WQY$fvEjNGHX$j>y%xeiY-B4(P z0y;h+)#i0+@oMlIX7H%|-k9SrF6%1^MOg@K2b1%t9yFVv`FP8vL#!JH4sAFxyW;a#uyDI6B9jCUAw(Ja>tejWT~H6 z`ME(kqy9d7)zkz3FK~^4{OG~9jx$j#vd_$7Q^uAZ2AO+ww{hnxa(?o4?xxG`2%yAp zo#`gUloiNND{RW@7d^!!?#^_6l!rhq;!;cP2AHXzsNBuPXsniHok^zGpDRz^J&cG7 zmvsit38-POGHJgiOi8}+@j;v8{c^t#`5M>k_mUzL8Id^ny9-e}j=1PZXM8Gx*SEX>?br8w%TmAYRYU2#x_qbE)!}ptcEpKxggaT=k@|?f&8GnF&&pk|W^*e~MXFczl7w zV+(ytr<$4?@IA(E>f?`NY3Y@p@0FBqY10XA*$wqu!_P6FXrDYGmK1XEu8s(w2Puv=Fz4k4Vorvxf*QAeUEVlirO_2KG`)vPOj`(QBvO zZ4!BV*e>_5n?mRZoV53*FKM@nyFHN8q;BYb_-yros5h`e8!m&%UZ!7Pp)f?q&>+$2oO@tM@tEE)fr~8UD}u9w$p-Zyda6LI}Bq7+Yw?mXo!Hph!KjkEOBS zI=UtUG0SPW9Y5Yfw&#uAjd=0^deR24D=bT!^QA=t3c|_?yRBV1UGfJQ{9Y=ZkFRoK z&O|{p&%26Q#M)D&<#-Rx$zt)AW+N4Xq`S#J3|%+0Xv)r~ZaNv7oM z2_|cUp-pUl69tfPVi>`Rh)|u$2ttK9$fARPG!f`-xdO!DY6e(`_xCj)bQ)mEXvAVK z{~;Ce08?34Fs%EB#+*I{aAy?ic~pN`Od{a!)|Nnte@M&+3IKnrz{pGSC-Voel-0gI z>YxAk33{LakiGZOlRsHO=YNO#cLV=b3#xzZ>i_23!c6_j(Wz6E9=|^q;NPqF|D!`u zka|O^SK!KWnQh}`iK literal 80801 zcmeFYXIN8R5H2d%up%PxDNVX`1?kN~M?jDsiby9UNDVEZ0wN&2NmqIcorD@JbOfXZ z2oUKdKp>Qm&`wak`#k5~bI*P59%Gw(aILZ54?T)TYd@|iPduBoXi z>Yh1s7IWqd#TL~C@-I@9r9U$lod4bXA_5DeYxiK6B>o88yYn zdS2$M=@;Kv>nD_JFUrbE@z{QP6dC(C`Xgm*;JbG~tq(v`$mF31O6+r%P{BWEC_-c7 zM6D@0Z*$-G_IaYMy~vbz?A8k{tM~atleea)Z?U%P2^sb!Ozuyjs{C+izTm`-cW2Js zJwrkD=nUnJH>dx;e00hBnmzX6_5bI8$as%FH=JP9}gps zKl^{u_|*@7kiaXaYkfPdbXQnd+qN%5(9F#2N3qrRg}+y#+0G>jnUOLYNpj4$9y~>g z&MjDe`m>B^>2uMzp=5ra%YTHktagT|)#q)a_jiqN&Cf+UgQ@;X^XsphkB}jW3Wldr zxq6vm&iDC!H=5JSo|nkNVLH9>>fJYfc3(L~75`lPXN3F~OF23B>wo9-OM(3TXj+y3 zbTpFu?+FP;}=c>7m#PDy9*Jv|hEZ|pcj*#WumOyp_M$;G#pd*YH!!HI&UsQlEzu*hgS6cm|)Ip8j-UnvWjIGY9CBfPL zLR*~H8KOT#nJMPWIRR8jRFO+(ua01F` zxHWUBDfXj=Xtg9C+xDbzCDJ4Ph_2pCUqXD83N*v0rRHuVOM4VuL0s|x08*Kt+xR8zCSBSFDWUhdv9}gzE=jf4cDwEOhPOiK%kwn`uh5o3hoKFg`Y7$uFE`I zCEu~x&YEP?ominI3k8cQQ@(x7L6*-QN1=0n5!om=#at@mSxU8Y0wSO%(4ApJU&Zm9 zadUbPapKWlyMhoFRYt(9jW!?53*)~~Lp!2~y$~b^>;7oF^r}NvTs{=QiB=qIL7&@?QDNC6I5(`pgZ$9-YwzAsCap@EP23nlp&DLeJWyt? z^9hDsJPO3lptSZ6C2I{hB%oIsE1*C)KEfRzFopXY8XEdCa!)5#g3B148+GIfb$!Hr z?)AnKG~38XF}FWSwJG(N3winS#C*DwMqUKHQCpwujGKocrebGiUTF&>3bt?o$G*bR zw(JKA$6E@qnVG^-a=V}WHUe4Qmz#D*0A{0Welm*-sm_Tq>$OjnBbkX+EH*)Yz{hjRlO!U>mXx%Z^#rz2mWS^f7cr3e#l^W(s>9q~**yc+SRojiwg zK)MU|*DozK?9RxF&Z`4dB zCi;_>^Sf!aWv8>8LF;fdn1u~-krILNZ}6MrV0EEULDogEop}o(TW2#PoBY3YhyYpl zFNp&_VK?sA!3*$<3di2K3OWg(gTwOh{=k54k~ys_EjB;Hrz;qp^_#nmz6W`L@1|vU z%4&T1jWX&r;F~x=0}O<#M6s;3jtRtq@XUrXi16f3h6V;cj3arW{;mlg*nDQIG6{^| zAjfi|Po!V||5julIMDQK;xT45j`~^UCRaNmE0Q`lxROlS%aEiZ6}S}hqgf5DUOus?LivdUZvWMG)LTH1ZJ(p|8YG51a zmEq#~eatZuw+2GTt<^1NxQ;vIcS4%?%`7B(eVo^=PWC=|9vFV!$iTl;)77gd`mY^u z47*vbKF8h0jpqKnTNw|g1<~5jS{J`N>b5u<2+%U$0^y;<`i5M};C>)ri)^a=hNatL zm{bYpUAR*j7|0`(V~Y{IjKr2U_>9-p9FO(+i&sP#`K6@;zc*QT-jrG?$o69tf#1>S zPmKUSeHl&O+kscpx*z{l0i6AfpPR;`yPsha-ze&HXV_$__)jiMHa8$Z_QgrKdGL? zk>d|!0`BmXfcwXUvV-sozqs-v`c0<`7+m_1Rl(eI%G<8&H8=*y|9xa)Vxo92IX6D_ zGg^x5%o#NJqb#_84(4fY!39h}i|zgHGHp``H^QhDHHP8f#D(t0MO6%K8CThI!8ric z_Ax3AFe*mjlQ+veIYXSHF=4uLO6LWT$-iUK+}4M8Zy3^Pv#6UcIbpkIHY?CYk{J`d z@Lmm}3^;68a3#afe1fHL!Qpk>gL70@MaW8xe(NUnHzs~HIN?Jtod(DYWalsXGWIt6 zA1`|qNM2ld28;B?(-*Ryyzq4n-RWoxvYwz^?cS$^;VrVB@_$+P>;Ji|szDxXqQxJ0 zN?&i231~N!KlXm+-20PVReew=ed^7hQ;{|PE;;=4GF*e~As0^hQ0p_~4C5?!GTUi} zaYAHcm%q53zV(RhjURzp#pEE(tKL0$j%A;ixud~|o2pd0u)=qC5Mn}>@q04G>|5J=_3&Sqk zB+qZTq-nmVdFn1o*h{}&KXPA81jaC?`%vlVP(>l(P`NA-XG+51ZEYHMVHRchQmgqh zRFCc+k_~KGBL5@RU+R0~I$7}&O42t*vyK|}y_33`k8$?Kujg~|xvUrtfa?~bur)Dd zT{yu(gAMbFho?!PaN>FeVyyw{NVC3PDm12h-~4Enp*ik{hDB_j|8ld9v1XD#eSTd? zJj5BJiy5R4up+PK!vD>L{9(AbUf(%zygy?Wy689=fKRu`@sylkh!T)H{8}=8gI+g&DkdELF{>hY_Ol4Fsn|Ag)n6GVLfa4Z7W` z>%U$$U!>g|hdy$TcqX^*=K8zZF9vQ>w^`}jalHTIX(bm=2$dw{-nqLQrQ~Trlv*fG zxA_ncdFLK6iM)d(Icr=L&h)K5SYPS3@gz9bE$;eSXMaqh&hW2)2J+QF9)xOle76yF z9Sz1LS@>fgIv5{SPxxR4bwzvwq^38{+W2{YIUp71cT=;LBw{B08kj_nJfvo;g}Xis z`f~^D;im_5EqJ43y)p%y?+E5+dQ?8^HQ~09Keoc7ay_0=ll{S42pQ)z^Rr(+^-($U zWFNJ&7){fd>IYPm;aAZ*=t^)Uw(fVq6iDy<=DSq50NDc}0W$&fUAQ#1KC?|a;sDMf z;ka>`LJImM*l+9m;C!OtN)D`8^=Q8yJwL;-*iDy|!F{~{sODgLM8*`Ut+2BtGP9l8 z$=d8wAiJCD+{M!j39p`u?^yJAZ}OW>o1E(s&Jb+&dg(HH^il0(|7}o{t$u>#RD!4V zE4!~Zj$Ov|rHMbkWY1r;kkmff8@j+dI>7znI_ZNcv^79&5hE10bxd#| z64Mc#2bxixD!s_(iPiML%iaxX1dHaRW5{$2KEQ%lu8aguv0)4?Dw|D@o3y(jWzZ?E z~LYVz+9oL@R#m*?4|21OooBb%ZC%-evvOBIiC&hYdfRtoS-}=N^zgK!LcHVco ztXU}OXw_f1c0pKE3KvgFOzJ-3Ok$GP5o*}xz++WV>XwkyX9@?it~(PfPM?wr~P-LTyg#ch2Jx8lhYl8INwR8>cA{>KNkj~GEM^V6xI6-a}Zk|14R* z9m2c{N{;Ki==DU_gAH`$ehv*Ds3~*&O?;qN5FbGrZ+Uzg4++9UbLbKlJ-2h-bfhYq4%JpxIc7t=U06+EKMtyb1Ydf3hHEeD*P3P0AkS5S!h(giVy?Xl_`MHZ~tFdW;8;4GeQ}aQ}=Aq*i#gpe2}Oqb(d= z(H@|GbZEsIZQ;MHM_jf*bt+{ZHm>R#uo)h$T;QD`Fx4%6x{Y6L3W$}-G~oqs0(KQP zWu3WbNO^=1#7!-9^F|`{^|8FlqNnG#5CcY=rf|sE&;Jx2r z8tuHWFeuuI&Zps-y{KswWPc>Fd3g>0XLEv292`f>;;D`wlFQ5a-#A5rn7N~)Z4%~2 zQ3(5W(t(u%ufox8tBCW*4#sc;Rmd`D@&kE`M0t`g5g%YGm^#j`ftluar95#;YqXD$ zbuy>5-`nKK+51M#_5&{cP0HS$aYOgF{dM*id0H`%Qj2LmlWFGB>vn=CpjPvp4CWF)doX_oPt& z^~_0$`V61upA3zh1dy@1Z*33N;h&uB?K3i}v>X2@YW^p8>QE(TWXf7Hf$#rhWR~Q@ zIE!-JW5d&FpH(7%zgJm(n&Wyolchvx3(dZJf9@Q7YN|zgE;UtgKXscl2A2zk11fOn zeJL5VeD`i&Rb>?ypxF+MBl&x3!RMBIy@^EK=X&=5aQ9_=tX0B{+wO3DphgKp zZ2?ynI+}tdSg#S*pvKIMWiqLHQ1MOkXVUVv9i4*|R5=&PE?sURM(0mX`e=m=jb1?3 zMambs!w&DSQpDDiw@N^i%}BsQxyY80xe+c@iy^Sldj3QB>nCq^2x$Td7Kbe1F5AY@ z%Xhnw2>b0^!JPvq)DC<{Ql`%z4jhMIl?J?b{S()qMHsUs=!+LyuO@Hn&)0swYq8Mm zteq_7oaYZ$I&a!seZPl3VWU^IO-6cq@%rS`ny2%PO=i;DRo4%jswR;LEaAEXN;p7R zdIX7f@yw{9Z81le6P~SS6Y8Il%XQ#g0 zBLm(LOj?ddl#i0LnKI^(E-do>JqLkQq0kDy_ZByGeoIoO*-r-km{y-WPkNDbG)1R4 z93=6<;RC+DAcYDzB%xZY=CW<3B(8#ie5vV^d&Ly)7H!F3O1oOHc0)hXpV|?-7&JBh zY5Uj&b+ zueqf);Fi7h{r2YZgdmG(gUzEe+s@IP98iQQM z%cO&DtnJDxK@AJxAL^h>{T@*{00medTRm9Elkr9V5z^8vSHQfYWxtPXyk58y1M3ar zI88XuJ|^2ARZ(@FCM7&U#YHW2ZeflDX9+D^f&?hEw@66Pz%)B5crBRDM`qP?*U5>n zC`#^`=Zv#_yM|w^EdD;(SgiU@nXWzMwbQM+ouhiR%D&I;lHFVuUtnI7am*QKon(*D zYIorN&m2i(FS%=IB)g>+m0dLEZscQ0vmmoFj^$me>}n^R(Vo=i4fYj}G&r-gvmB%* zqD9WJFRJEHeJ3=Kl{R1s8fWwayzNW3=km5`A2TF%Ot4tr9*{`0z_sKMd2R*W zP(|NjneU@Py_^>Jw|UpC1eP|>o>j=L)fjJ(w(e&P&#kEf6&n!gC~xekoOF9o|3x>a zZ7~7LrjyoQq}BBK(ZRmhff<^|+}UE^6Wg40dhc=G$r)-A_)zTsPgVmToXrGSS&U0w zN@-D!=?81PfcItXbO8M1DsvwINR@f2D!}*#vDGFe3_7cD5Gg-~etmWqSGw};dtf<$ z&-00Ypk%{uUkS}xF?KAC35dhwm`PD8OekanJVWrp{bC_jfAuUO#dvZ1y3EZ!)ku-yvBIp3D02O_rL6&)O$ycXqvn%*4K zX}`4l0Mt$J0;KY>Ac-Y1tTf*JTT5Wb9u?~o_Z-b8`5h`6{|JAqpO8tF9>JDtN0#G= z!ZP|$ncPDo5&!U%v0b7i0~+m7Ne30GTMpIxX?=d?dA(`bz;`mVA}b>EGmHZfPd(iQ zjBOE*BM;@`)=I&2t9OSd;p;}I<9faQddoxO=6d&@@-n5}%r$-{=XOtY-AIO-tH7p< zWx3=E)3u*0{}|mu`u)7eE5x5LGGego2#U*!rM&&1(p3F&m@J)7&x%-O#Vcsm#;49^ z-fRSG1W%%~p_=xg_>YhrXsF0z-2}OLawjPKJgiY968D6j=YBs!9VP_kc=j-7-FA zl&5cg1O@LCSVKAu+20m*iS33M#BTVmG%J))Q47ut5nIG=UIPyka^g2XC~6~OM}zeC zZ?sY$IQ4iZHP(1u!Z&dQ1d&MyavJBx_&)=B(U}#S`FYoAE{iz4&aCN&*@v$P3ba^B z-PJ5+4TI-UOSL*0z7Fze2q4F^roU(%Us3+e24 zW|;n9c?(LNHCY9htp=ki^q^P`*Ay=t5WrXW9;uIP?=Xt+LpWB5I?K5dUv5}3`wls( zN=I=i#DrxGt;@8aBef$*?T1k<^7TA39TNC-nq#N?9TenfPJKo%ugu%RmLRKIs1lg{>SZYVE0)d35pBR6`bDoG$P`@> z?@DJ@{0X$yh6nXKM|lC}*X~J!m!|;&cn~UFcSP_e%e%sUljWT0`K9`;cd@UCNymFd zXc6siE+ynEY(@NPcPj;YgrShv;BAPphpU~Dn9HV-cY{jc7<93 z-Z4|7kz3c4>ny=(_xSG9lQdC!^D5&XEb#ssSxlqPlt`XAwK;n7_}sFNz0em==VWf0 zNA3AoOUCvq+JLtj3W^YFFb#xKnV<*@NM^opF~$$rg0^n#X8+A?r*lr$NuO>v2fpP8 z_2R?`9ah|E*Z(?6m3?`sPDQ+@PCebMr!pzA4#a_{^ za7r*GC?shN*Y8Xrl}Zuz@uTo@M+e75t;y^BrZVa&k>S-`?7w3^wgD@wZ2Uu_30`jB zEqtGev;B~(m^E6r0#Nra*B1HAXra4)(Bd-+G}if%O>fLPKg5WP%rzKuVCb)E*CRb7 z4v^QDwLWrf3q`Jn48p$TxbG}|*m%iJn%MuR6SDoa?VMjsCxj87jy!g}U-|aLoX+Ww zpPEx6gv^ro+O@_&IiDMu3M@j`HAK9}wb<~?-T7Axi~`n#=yTIU;+O8eg_m3PR%MXtG^ zW3abRcHO>ip>*GRT1>)W4xyH}CT-DsK+3oI5hjNJ>RcM9$%k3%5e$V^Ymxw|sku$L z!~3%_hmuY5CW9>9b~vinoGEH_U*nRV5iWz{zW zX9r!W5&@0KCg37ll&Ysf*CRLp(`C(( zQLJB+-px??&Y?r-K!g^SwTo9!V|&c#pZX0a{Ni&%`%l3a_P2#iITthiVof2Kv-lQG zhrktm#yox)-x2{)?`i9bzTlkjt41|7)IXI4H8rxXvsYW2+E^ zzBxzuB}M$|AXu+KUVKupn45g@Qjnxy&&}7l3hp#xAl)X>GGklE-aR9P#qwCoSMDgz z$;9GYrWWKKGAbU;$s8Uvy;MA_O-_2e+Ds|_BJz!>6W)OJtnyt6;XaN|avtrv(yqWJ z(=(=odV=t6k)Gl~3uVCCYxMv+HTUpL-qr>0OP3dr<}#&v8I4V!uE0a#rMSp>8I!Z? zN~5cGNo)47+HSxN|As^}bXxgy{z`^K`iAP%A@r_EaPWE8gZAE7(I^FT7O&mg-m{(g zJC7eVtba=95v3kgDKaqVaD&L-tx1(=_}$P_T%DQ*2X@t!?MKd`v!-7x_9e8X+%eNI zXJ+hhs<1HS3 z1y2W0t%NpaySrGN1=ICqXF2Nl)WK@RUDj8rFh9htr}-5d^i#zyTZk9wb+wyNR9qr$ zQSlCA6Fv$NKwi=%Mk&fAAUSVKm$x79gIPnun;mz8+A_gO>$Q zIes@Q=eVsIJJ6zYLPGQ#l6#ddMd-OeNuzPj~yz1N8Rf=tr8)-ix7@#64WG9^@rh)3`5S6!+_*ZO6VVU z?d>x%<8OywrEVF`w#Vlm9Rlz%8qITsDEe#b+xD(Eq-m{CigdpWBCa<#Zt!~J+t9hT zKe%tpxx9OZ@i64QZJf8Sv8Z^&JYutdXQSXvav4U83T_}vc<2^kvQKZ#%yJ%4;H%>h z`tcu8-L_}Rzb($+ncN+E4I;-VO_S~7nhLe>8V5#h+_-;!Se07U6{~7<8N+?^=kda= zO7(q&4+tyZA~m+jcPKz`C!O- z%kb**47r@Fb|5-Co^bCD>pbqIHf2M153ViyU z`?Wj2r@NQrO*1S9#yv>!oSMfotCYq$e}-k=I>=510-#IY_#2lul;n0YXD?odPns6c zl-IsW?t%1{PRSIb`;61o2;!B?drL-4R?dR^{=1GP0($M|&Tj$q7QQCWYF zfj5xw1ZXMfnsnJ-OY26Hcmi&b#ZQ-|j-))+2>*_v?;H0O=FPl6f-(cX@-m_aVVg9^ zW}i6pk6Xk!O==5tAi~^2x~e-5bJFv>gf6agS>{z7|GdT zGY*o%&C%6uy@oE%fy0H0Ccr>U;HOSy)#nT7sw9`=in)ihro!l!8YNHiLSg;D2Uk z66lG_$QKKk^U~4+WdHf&)t#lkl_l%@WF{eyC*aY07JStF_cC+#OyX2?@xF16F6vS7 zR}-JQCZ}ug&ZO>2F!k=tQ|<1j0efWn&SVx?X17+8^f67+{KbeHEx;(arq^K2q~=+~ zaMmxGp0pX76(v46h_5S`L&Ih~E!`TQmaHr5nNtnqY=GBmrQAs|h09$tL$L!)>OPRp;n7dG?f5}KRuVGZ>6YN5h-`@?#~a>fM5kKAl! z2Or{053`qZ(xRlq%{N@{z0M%d zk#w*Zkn1(a_zYMjPk{oUZ!q zWZ6@h8=n*@kR;{X8{-zGpmhfeoKInN9=tpkXN}|7O|m`oTT9u|wa}k^hkaKBy&toi z1x_&s1AoZuH0VD=__xM@<1E9o0AJv}_At1agp)HpTzpHl>WXhQ$hbPe=$<|O+ytkb zwvFGy#BJA~A(1gngi#fIm0QiSP+>`Fd@#9lWg)IF2P@Ei zXl$_Sf!sQd99#lDqsivNCaDF2eA`Y)l)e)Z;L ziyx&rEgD@$98FCZqDu#lj<%@f*{Cg`RZiwjBZQGDhp0)LYVcx0c5shVdaW=WVr7;~ zNd&Z*T@#vylfYNp( zeFPZWz?|X_W_JYk%hYtFH2Gz|4(Ck$t+eQ?HwJ$o8bkO{(pd;qqS+`2s~2-r8un|b zkjw>?89$HbsaoudJxeY1e0Rc1`?j&XuJq0!9e-js2lbKu5pu(sE zpqXv!MEUPRHG!-g&BW<>-GVh1uT@K3vpO|%fBbpl-38sk@p7H^&pO*V{=p5x+YeS( zY(!Xcy@8A_U0yiBj@2}nzHAG8%_}uYhYvI91Dl(j;oQo&SG(M-hRj?ls~xZFYz%Ou zrhIrQ%LZ^vMh*)2r8P4DZ&MtF?-XZH(b^Mb{uYJ7S*@f1kHgZSZfje3ARmL8r=q z-zo1Vx-`p4XH3!ubbiRM*;$hg!45=jk7fT(B*AoCWaK5#sPKJhr*I#@?@{^iuzK%f z!P&{d(w&CL?u@%$LsDS|0KKWKZnh_-g*)I{HEYizzMR-K8)tI9Z+xvq;#A?62r#xLd5)*vd6F!J4^kD~wb#wOhA-Oig z4*n=v!Eg&deQ}rttH`BBRvnwyNw|9ubgTGHtg0)bPDJLqg38vd)iL<17epaFB8$S~ z5V|(z=2*1aK}lx2Z)1BUGwupYrX#*-S}%s&R5CYo=U0wA_q*NxA7@$h@4**JG?5Yl zNhI4jnb~6)#nv zwLW#o>y|4lZyf z%~t1C``BiMqo9d^t;tHyu{+6iSf=FrzHq;p!OUnxqEG_B-xsC_o4h+~i{sp)R(MXY zaMJp}fqHi~>vRmbA#h6YSqURoJpg&2v6{UH0 zT_X2Q@)e8qH0FIVPf0O(GB?iu87SSL+$1WxEmNY#wm&UGz^+jDL#-^2 z?5P=LeW&2B2197Fc|Im)YfGC%O5;^|2RzncW^453?b6V;UR?tt0cwS6 zvefs(z@cy@TjuJrhZ5r5v#6;Y-!SJ5|C*ZWy??A=*SfPccLj}QN_4127(*HZpI?Nm zhrZm8YWhA}5f8|((nnsg$;tZ$plF&Kgp+dfV+uB=WD*((79R*Q{Sh~owHg_|DpAv| zF53HwL+!}PrP&L)05G}ybDdoNft;ZaIW7NOAeT|)&O8@wQlsrXjPhwd*c-v>Bey1C zC8I{A2J7&pG8hqV*eJBW(<~=UeL#{fGX83JrTO-UrX2;LFi;Q8ZLpzi%0iyH%^tp26v&&fllrH&ifMseb8%=?K(o=NHA84 zyN&q{4PvW_y`hY7{rrqyl!I_|o(Q<#HyjMutWn(Ay0Hnzh7>?@YIPn?j8}!6v%J<| za06AbUXKI2;+OL~v_x%Hlk#3kc!+gh5bPS6O5kABFGn+Ctq1db97f(iLk$!Hrq|C` zt_CONR(yHfK2)?{fOwBpp=3m=^h0n@RS8kZF>SRNoKZ)%j5y6tsSK)Mv3cMblIpv=X*3qBS?*{0DVH+t*{&EpAd-=`BB#e2qZ@}io!m;viT+ZXB z3Ao!Y#4elP<4Vbce&=oPF6gw%&4Q03sH>=8m%xB3kz?JxTT4}jiz8IcO7F7ol{PukSo-p-yjW3*U=+-UZeNwcm;cCxHN0@=aV;!? z#oF+rIv2vO=~`d}0F_%dhck4Qt93~>TWt{o1^duczx^NQnr*8w5cX&$y2$W>{io-o z1@aUgjGsx2`M2m2SpwEwo*T`r1x?zFH)m!J!I?5XT;&GALOMZ3zc! zL0*LVr;~8s`uGE2&dii{5{`^Y$%#nzm?cx_%Ced!R~a9!&fH$E)-!skg`dU)1##UL zEdw$rVwwT&n4^5rwCXI^grSEcwhOF`+3z2*k{J}}xps$t9XGj^kU-n<5v2SBRVQVV zV9HUOXaGhB&M(Z{+u+RR8UpreaGju=sJy}n?mp%_b>P98VeTp^AHR^xbK{7_&OsBW z5=*z5(yiV&HBq~+^$?c3?ZqEG=@z>d+LQ(3^EQ8rn+?KffN}Q4_F$YbjTp*U*o!`_ zu5~}8oo3~^bx+oKqW@GLB?E}g77*yM{NoIO8eBM^AykSljd9VCBiMB7SdW!1x1zF| zzQK;^&%t*V=(CumAFBM@3$P$f>`5$VNr#5K=kelm;|h$?Xh-aUH3JL zzcAR}A^EE?-Lp&cO^J`X%^NYIEvFw;&XoM-D^ZK-o#52|`g$BIj3 zKUtD1>`MqFR@Nk7l?&5}Dra+MX43ZIIIyo|9>>D{_kKj&OE6#TzGG2{H=880EvwBk zR~xm-!BpOImh*2>@KG~4soB3~WBaf=+<;wyG-{Pw(rAiT57Q@w<(3yb$8YmvkPr1I zvQVuY${mt0BXGQH?7)Du6Dm)wrmkrjTiE_;&7~Z=+*k@=t&-{oC_%Po#JyXX`VQxq@_C;Dw`nv$A{HrizHPTyJbU%cXUNr* zv$u5Z{OFUeW?VCvy%bkgVw#ONi@P1*{_!T|A-PLpohSO?+0#bcldj6B-y%EJSA^8$ zSK9V7;{nfrblhl-XfZ}e&1afa=xPy??PO_j{j2n$5=>5(1rLmG+RO)9_Guj*YJ6)l zsIS|Xi&Hd5->%MU!JeXya&k-B0#%tx#Q@ydVVbN$x7mp>y=$~Aa}Ez`2loGvpN?4? zAK$E{N;PYx?Dfghe~!546&bdj)&xn|lHbuumi2CQ0v9K&6ge8hy&?pBybBv&jF|XEC_ttU2Y^~Ik?3n8a*H?m&0TZ0pB*I2w=^ry>lS!I_ zuWHyE6@~V1TOUl><>bQrAPm@l0NX#jx(Rzx9WCSI&&DxmR4%}G3X{_TsfGs(=ZRI; zu@HNQ0z&?QV8{UiI@@M^>amVaJQhReRfoliD1SYFk5;
;Yr`^gGF*{#zSD4*C=l zb>RMZSN`X=XrG#bmxy9N1h5E^Z&=(27q3wdH{h3eEJ1;Tdko*{1Q!mkOxA-E^MkP! z@QeoiD1Jfy*ruonZF66e*s|VicSQjr!%D}K);Vta`@qepMh5#8kH;>SMvKgyU=3(C z*fI~8hw%Xvp&WKz3+mDr*@oYa&>= zJJ%Etcd-oFbEVYyn*;#E((NHILJy)|Llaby9N#p1Z$!mQSpI-BcrkUZ(|t2o=f-d- zM~!e@VEeuXU)?Leba}UCxW0EZX!1LZ zqb*_+F0do3aeg@GSJq@}wu<_40ZnW%r4u{a)Iu0&VIh!eP!hv^I7W&Yr58xF2*1<7 z)Q)xuhUToPz3ndV29`G|a!Q%gGxs#hpzI*|V=_a>W zcSD$_zdarWOtk;THv6&@9|r~6hCJMoAG|n2R#B5DYeHZ8V=p5A@2E;A{QGfShQ~3B|z?PYK7N zI;GtDiqifUzcfc(#dO!O@q+481%-?C>*G0%`Y3ZiwT$*)?^=UetViR67tCVuVLe_x47%1(Nt6Yz2B<1B*T(m?a<+`H9ZRu|d4|uH5 z=L%JdO~47Y@P39#W;?5ag}#5VBtxpAWh+TwXq{`#b$bk z(BVccUrISOGd#QY_PxF?^)aovr89ny;tA&g^1ZY)`?#lo<)8}*f$Rr-6~n`Vx4V=h zJc+w~Pb7W$uSETrsQ8!~fp)3*O`zXZr1YDZR_zFcgj}TR1lWWzc8mRs}5Jntnf@^+6gZPE% ztY|gDAEHnXRiU7!a0D(11h6WUGY)p81=E^G=^CQcUTCK0TP@Pj?U7a^6-hp-#X>sE z@LSmNh=dFwFz>3tL=QX0{2xtJCR%#cw#od3CQJn_7%Oj!S4^(o(h~8Q61Xkn@~*qd ztoiqF9F-$J%Dht5-MpS8>qhO-}xm52y=^g?yv<2qxNYgvOZ>>>AWF!@?MrDd<+4f{|4SJ>s zS?Omnib*%W+I01vZ8fxBPStSND04K!v8>6hTV3A=x3hy4d=oY*ta6P8w*^V-bPYW+ zad73WAa9 zRYg^s8yS@>^Q~9cu&-iFTcdXVa0xW1CY!C!f;x9(~ zESHy}$KhG8i>636bWNJOJ#RHzG-_%mf;wm2ariM2ZG=LqtVfZ`&rIly1G$dU+-+iJ zIF)x3XBAqU-`@Y4PC2{_aLX@#msgwh`gT}sJGRSedRuIvQ`i^(*z6mh1? z=9ptQp$3RrA>n+CNdu|)^2=U3@6{vPfFp06fg>FKE_yPzY^rK7mKNLh*O#PqQXqXK zTt~!Y;o4I(K$*j0?mWkiWr#ttgtiu``Ab4ax&CLFwiS`L4~%u;_talwOpsRnk=o&; z*-1|a-14XPHQME^&Dv*3RH2`tO)o18NAM#BGVilb!LE7Q19o)jH>wGx}z z!_K5A)uB^Tz8jeF{V?MzXS)gOcTaE*Ur6z@D;^q~`VCC7k2fr{q8sSeyKu$*(6f*p zAoF~%GD;eMBe_Ut!2om&3%l%1%r&%G4tG{fSZABc17@48>&e5urm76qT=O-y9t)Zp z@ocAYU~nn>#KM=27PkscsWdM|rBp4-O09nSVUtAMI{fziX@J>1ZP|@-rvdwVhQz^p zNI9eOi`1JWPudPysOo*60YyzaVYQqOA=Qo=m!denS;ke(m4Nx%YWv+5sOnBe_%V#!2g03z3m95_cCc^#^MBpc*<}V@7i#EeB24nc2ztM?jj1y5k)1wTrS~$ zKy`#tf`ov@GO&87*N$)=l7Bb`x4-knFlJ=Hp?=t) z^cFos$C697O%fCm7Z@e|Y@siigAwH%@4H?LI70rugn88yG+2b(Cwcf5{2uPrpAlP8 zaQ%L6lGRV~7BrF{)()(S)5tq-6%kh-_-3)=$3OluvUb z@gwZ``XK>UH=!3uBuTqNNA5#WX1TAH(WJXi>skOMO8sjY&%M}rCsNC?cBy_zi9i}D z&CMtq>6_Dg+>!frN>_e>Zo{xGhFGJlt2;ql?foE}p}<`K?0frbUL}hz6jD(GKzb#n zegqC%gz9b^*W@J-o`$g9k0%4}FFAcRr=E_Td^Yjhb(&97z{Cl+W2lJLf>z3Fp@E|Q z+1)g-jz^*a-JC(VPpTr;&LIA0QHF#=3Ix^#X(&C0cf2kwWrXiw3_kSCRS&*E3Vto& z?S}Cc3*Om*%YD~37yJ$y7|R{*g{hiEC2Eavwx1wzx{G@Ky~M8 z&ghPYo{_fXvf}Mrw3e}nCvo(FYwY^r|DfzW6}30DXQ&x7YVSRQh}a`W>=omm@ALcrKF{;^d7GDa?(4eFIoG+)4KPE! zhi>@IrqPZ}UN&quC?HIP^&0hylTc2j35vY+HZC@sm6E!OfEOi1!TJl05cal|iYVfP zn*pd`9=wl%2RXF@%i{XG)RMS3GxlV~FMJ6f;CV4Jgw7XUJCLEC^IV?yFVR`E$QtA9 z0a|DMve%4SCEunx9rmgp@sH~lm_$5rus(WmDeXY?7{7WQEk#8|XJ<8yN&w-!!DeYC zsF35%pHvlvS=wVLo*dbeX{VA>{Z}ZnK|PlP;TKZxd9pQA8e$loTeV!eWy!j|d2z=H z43M~lbU%Ua`k4YS#bnkah)LpfvWKcAOQFK%>s!q6;%Hi%qWGqlQnQR4sp+fRJ4`i( zJgD;2>#~ek=NQGl9_g0IGhXJ6_u6juv+hAYMpdBr9=+`hMtPDAG*qQEh1htw&`)?}0ED|&PY zUgTBkSl()<|4UuLHzyC40iD|rwB3Jc1T9{%Qp9500tnRK!MD>j@Q_R2{q9ltFb6@zf%c*3Se5V&U;A;20bgWH9UI%^ z2{AO`W+$;(_SBizf2^zeuu`v5II2mA`|st zCPnIJvXYgRZ@BbhS>*Lbvl)H&Ya;!$84%6>pX2QXC8Ddq&sA^>woK6EY*KRo^ORtY zXLK~A4&I6%A5!-vKGUf_H4ZCPb&AFn(etWJuG_Byuj5`agB5ZD`nhQU6e?q-uot#q*?07__<3yZYj2?uRu7&Eux|1;e3c{Z>_>!7Lk@ zMi1s6vGYjsJCj~KIvV|3Xgt>G4ieCGM)wNHqgEU1aFo*b;So;mDc76#_*U(WDAa93F4L)EbK2|cGnfhmc@@)*u;X}pY~ zhS-t(GZRy8YMG0W+3Z_LBer!?<0K5T%6L(g=tkQuwBo>MU6;er;l(od`pE6OstVBY zo*mo>{`b#}{7XrkDW-m40$ElM_)0#?q}{t@*59~a zM+rW}NFyHKY@VE~DCu>wUt_nXKjYg{mc&k`(U+}6u+X<}ESWH&;S_f!xtEGTc zegeCqAm%?FC^W-Y%^H=wJYTaiIB;9bfvun3CT0}O1O7|Tpy9axf6u?~JtaE%{teqW zwHscg`m1S5zd|V^?^?Z$!Jm_d-tES0 zaMF5dbj}=mwQpGJ|LmkzPUY!ORrv zB4|z6Qw+*RLMkV%P{+YRxEeEVocEs$#O4*D+wTX{bJWEliaUY*>eC-9t3o>4%Jp)< z>%V?$t1EruUX?2$G?CG_PiD;$grI$v{K(h*(#Iu^-mqLp<80K(q9X@lC0nsax~s{2 zPz--BDRbkDGQ;!zmD`yfH>R4%ptW|?>-7vhpMFB;S@)ej6Ee%=RiD!tPE#*X*|9$v zIbWM<=Vkl%(x+8pY=?4`lOTa zxzU9bhlc10cB#Op`xd#;`hvg63v3dB`W_ozh$tNot&2VUAFJ;$KM`~IwR~XfAyK2% z6hF9khTXj8(xYDh4|6XH6UQp5+fgUnNjxuZz+@W$R|Hl&zgtStw2WyuENn$Mu>;7)otsFdE}2A@9jJMoi>F_>c&su*>Js1wY05=CwDOD z2A4COyhC07Kc$glv0P01gq8CZ;W%C{Qc}D0avIWfBRLnjM!Ql+j+VQj8jOGsOH|#h z-@Y^}FiF|YA%w6vA1+j^IW_d&F}uEO*BR=IUNhI5Hs2{+r&VW$Z{P@^hWw06i=>bG z9F)x0DYKp{!rEmIH=^p5>h(0s#>sAnR|_WxVOhU<_lt!G5Na%I44|nlOg(llU})y& z@+0;P&3aBUr?HmHxAR%p;+||a{x$oyV~d=hK_3SGlhA~mtRwO(I2oMZSeTqJg@L7h zwB)M~!XiYc`T1T=EV?VOe&31S=KVTW^K%diI`@m$=c1;Y#^KpiiZvhGs?N+vJ?uGt z?^<(bPV$+;25h-On1RRJF3yw}#6jd;1Jb6r6fQ9L8(qDdSg)d`#Xotvp>G>lx5BpP9x|FBlhw3K@uz_ zA}PQ)vz)7!`75t{%i0zqpAokDV>vnF!uX_|dEpU+#c)K##2;+($0)PvzPdHygJZn@ zbA)dTuV6E_9G`G7D5I`YHFJ)k2C#;u!xScw)rJnlIIHz7JGh&&<(K88ZAQUS@F77-z=HT732{J7uB{D{aH7)P3h?J)${7bQ*O@m!0lR73x z)VYpCp6TGoBFK_6B9E?p>md$}Y<*^)bm#H~5Xd!`GI$B(5}APUK$Cu#_Dg<5@dq z!-m;MM}h+&+GoHYKDMXLZ}0gl5y69`%CDvWRV0XMB|GNnRW=fNE*|Y<($AY~4`>Sw zlHg<2v*F2pb0y~C##<$_Z1da3ZY9RWArQlQHN^R-n@u2@Z4V)4S*d~7bpD=ijKeyG9n3{>bIZKy`hX_YPR%q9c6w53n7heiDXF(#1dieV zyj#07`D?Bum5u>BZ^SoRb*i`t-ev?d9#BGQywa6Vf}^q70(eU7{h#{$Z@)h~(byDT zpL^|}Z>+C<5pIf5M27uTeY?8#sP?FA18|S54%yuJjd1Uyvc41oJ-37 zw~nzw+w^ZL_<28B_Gg^fist`mo$eFTp86@kz5{_&d>}0EFE#nuMrx|5fMl zhm3M#z9lwD+BuXDG zYRWdJKwp@SM3vH~ImJ!XW2PjYoC(Bmcv(pREoXB#7HN-aLK_j>h^5yS$&_Bms$5>qp5w2s=evL!TxnhTVc$o-j7%0Z zDsqSH^y=~W4tOH-+%?CKuzSf669iLNsN5az==J0#2TpJrq1)MVCCL9eXa~So;V~g$ zZOT7{y{>J%=+>b>n*{W`UvMnw+YRdA-S2tKJv9q;A7-`#oWUI6by@7z!$N^3Syx(da15M)r z3HM65Cx{FBEgGI}3X5*~ElvnpoZo{>rEk{#_Wtz0UVykEz$kp%$U=zd*D$Wk{RnF} zY*zgBj2FgOTPD>o?;NMa^EuCcF8Mn+u5W-uQg7A-r;bFMet^RbO>MW4DXC}Elq;E% z%!gHHUa+kfKUiubOSF^x)&rHS&s57c>Nl(Tigi|p;)JA~(;4ee(kl!}FLBp|rq|x9 z?9U2KlH(lQe1c1@%SK-~PHLhheU}X}i)z}GIn_8UP*437b~JtmIs;vo0dcT!(S>|#g<~$RO4uaU`HEt zIiEWOnQVW^xRDp`WX`9U_q@RJVOh7OCRdhWujMCU@xdqDXdC>Alp=Y)m%Pj#W6l~N za!|>#CUQG*aJ}gRLA2PXOab`=roeFw`0uim*Sg;S zq&8{HI^*_nRCWFK)NRzjZDyl`Oa z1Z4`xY4G^iXyF|&La+nl@FEAvvt;Dl%y0qq1LI&HlUV(+MtB*^ z>Kl8!xcpGA>aaIj9}B3Jv$~;W46l1CV#3l+G{~_M08{@H_tlyXBVB7u<)mH(c<7)# z8UNr}B+932WN(0KqQaxnn)bJcbdLX)sZ=g;t@TRS%*{iRWJ{X4nAA{Nc#T%sfY^#Z z{g)TFr3&02(mai3ai;x;)7NsTqW*MsSD9q&Al;<54tLeFOUImaZ(PKoi&HGD^kCmrOHwwdR>p6&r^4uZq;7-%q?ag$xJT~ln=gT30Yd;Qf1|y{P2-Pn zt-Kup?22cs;@`;YT?&^?NLkDptu!|cH2GC_)qK(u8U{)5&%CHL7=ykTJX7)HLSFzs zyxsG&PpQ`{qxr*57L0QCl&rk|c2icR`4rETTBqY`==u2w^A z_b0(!5%H3xNTc5B;S@Lpw$?FMss9A9|3Lhtacsps+~)e|n9S-31gXIPX1oo&=b&-vc1Q$sV7~{)bxXu6q-)WXkg~oIqzTX+Mr(o>?ZQm9Cdv zTQQK4-@PorJ>hK8Et9HC)7R6?*OMnj3?O1}zE;h@T}Zr_*QkD$-Hd+mF^4*k82vcV zX5bWA#s2A<30$~Fdvh($kH|R=Q^r_XqAs%qK*x@C3z?+RGJZL4aT41OPx>UnA0gh> zIJ8$Q@WhJt*_fp?9>dwwdrftLxP7yn&E_G4y>z(A_sf;g{FPj#>(Y+#s@mk81&paV zXC)ZF+dGh+2XMV^I_!ZW-Z~Xc9?hmzoMe)9Yq;9H32;C3}kVQmkeq_QH8k zb~$yusFWW?xU3*)4e0}jd7O;d9$B-WrCzn8X|+nSZUFqj?Ci-l+t_M~pGoM!1aZ z{=ULvI^3n6!JTh+en#zXI) zGlmoZ`L5e8SGY9!m&d}#S)dwHqjLowwqXEfs#?1WPNu5>;ivY+PXDzVH~;m?()p26quXP3FGNzZ#k zmFxi2;TKN+3|2rn63S{;^`{$cnv}kURgHR;?;M%w0yzl9A2Yni7xuq9(Rp;4QRXO~ z6gf=_qXv$S=q;Fea?h&>ym9-=uC_hvuV`{)I~w$|*W;5dLBT_3%Su*oefhGYQf&*} zq{$DkT*bi6s&^?*s49IM!Jsl5-()-c)oc#+Sk>zjndNhyvin)3?~OBW&E!Pk7~`DL z)U(_fc$eWTLGMM9LQKK-DxF<9;*n-j##?_|_zV(Qgo5Zow?@}pOPB4+Yu<-vWq2$Y zRdfLxdbSZ5p0Z8g{DcGtY(VmhOx?T?U9VKQBDPfPT;_7u0C;b3bPZkYzj@RW1h9Lv zaCyDeL>8cHos7TyF(^)E_ddooK9xQ6=95ach=>U1{lR`e*vTAz2Z7DQqZ^=54-c1N z0l^?KZjJ{ZNnYC4Q&71LX4V(EHeRoJ4HcFu>ZabzL?iyfaYZz92dOxTBiQxOf&ZNd zdi#Eq>4_`6O(fs&a+0J~FGOUQsUUQ>GuOeYzSWEKPm4=(Ugek&K6A0P~ZZlvn`H zZMwxzh2*sl8leb@4ETnh^Zm~2bFy;)(~HoMetZ7#H41qx{aKKZ`SaBvGtp&hC9^|2 z>94wtcv^bK4XWahcp-9EKzZ-OqQuGHYC}bbyOR)fpd3l7qBDJd5YMWewn3U)oZ-x` z@Ki~rfl;TDEXDBl_L0VL0KCkk{P)JpGu)|}GWkhtJZQkpOg%gg3hV8qSgxM&R`W{$ z&dOXNuF3c>_Nhz0iR_xqj{`xH0^CEqx>dRN#Y6ufFBV|J?w2I8B2t3Jap$9zYvM`o zsuL|ApVEG!i<3yhU0TX`K7!9)*VBnS#~ad`br+B8U7i!1+5iZw+R1_U#Ua)&g3U3T z_930>?OLlKDGOw+A!dj`#n9_^`cw}YjvGjyEzR0;Dg8OGn?G?T^^_)Ipd$!fW=ko= zeZ&ajoj7}*oEw)msF3mdQ|He+ZY3F?l7`GYa3^kR!{kXiOF!ES%~C>prGs z0|>>GuDoUK;~zeBFJz$3^X6@&Q-5%^(|iHF*fSV<_(f8fy(xeLawN??L}IM000DzW ztO?XiLHXAk5UqE@$d}Cz&Wyy>G9X{`vrN%m6sJGycj84U8#PU&=uQA`)E--Nk!cXH zf|nDrX!iET@YOJsrHv#R4hDRAFm%zTSukku+-vyVx6{QjTf^If(yMB|cu}hm4cf$X zY}OsJtvb>bW!g3Geh`p#*DA$6?Jyb2V)}IM*6MB0LSAY8>;Q5m#_eUm) z<^Ir*aW@b~omFB&CAJmNQ<9>lVACU*J)~bHcix6poxS>Cq~2GX{FWLM(Wcz%hd` z$qB}nL6M3v07}i=IR|c7$h1ThjEzQ0B)#);>+>KTSa6dl%U{I2Q!vAIbujr1uV=1n zp7L4acPj~zpReG34;BAijX}~44ApWojYyfg*`_96$HN;*CK>D$Iqq0(l(g~Xsmv+{ zS3Ku#i_=ZpbO1f}2&PCgW*NMkBVah+d^&yO2)i`18lFg9!HBueld#q#f7+CNqf<%h zXLf0TtB}ji`g_iBVzHXK;ki&}@WmT%;c3sv`9RY4NTs9>TJ8CBiBq?^BUCE>vYsaK z1yHs&VbXGY8@@i|`x7@i_re`lQ8nw%<=Ak?QSn0LCyZ~yWqTQ0ng!R?JwhEY*3>?lN~!w7kzR|}&=sH}tf1y(wL~`4 z&kXzfTPb1&e0&_yN@@U>9*J$g-HOioK)$tGb6O>?%rgEQMFn5iK0c$XWqRxKbjKIR z+Suj2nJszzsdZ7D+@jZw*SwfFcZ2?<3{b_MW|G=Y@pW5mgZ5ipxC)d9!DEl*eQOwF zE!Y*&!L+q;c~uOlyflo>`a~ux3|@ctIIYLhTaszS%s_=*BU@h8q)gUQagpGEU}jYr zhuR!+`UCTRsDnxwhMazsI?v`52<<&)Fp+78Trc=d05*tI7G8^#Ku%Hirwr|)|N5@g2B3)>2fV*ormE4okfa-5v^!S9*S@wy{k8tR|M?x0 zXTaT^R^&9i*hlj3_Ire+2oi|?7UO& z-cELe9RI62Y_W^me&$1sk0wLO_)HlfSQuJ>u`l~ zo=uGftx=sSJg3dT`$z2L`=&t3CH!Pdy8W$FJ!~wXL_vGJkom_O_Qs?euYdFWABkw{mfaqj>6x&N8QuPr!hHhO z@aa2(C5<7(XWePG*6pF+ai#5V*u~4ZRR`f@lk`zf%_+MW(FB~G}+&*be zoZ~AF>UM{@_!4hmA*WyTYFf&>Pu+gq_e_p;ebSM1?36l0Hcaj`$kg{yPN-JV{y<-^ z?{anc6R(lZGEZWV|M`5&jX1Pdad*v1rp)&2jlYaa+9N4yu&EDV#H7Oh&?{_I32ydid zy4Uva+m7Uv@FNMAUB8tTU~R`~Q(ZL%10+X>T5{8_lJaAN&@z9T%#nxdGM}H`YzVRe zQ5DVIx6Z(~EOia5`>;?AR6I#0-IwQO0aywOPH}7{`&qTcP?{%&htZb{vTSezUyDF=vE(j1s$pKvB zXBDLzGEFC3Qg7=hEpfi$ocFoIR2i$$zA0{6mCa=}w}dt;3Vp)PQmYtr+Ju`M>Wol5 z+@b}HBOKs^rPYH(MN0_dwVXQdJn%PI1J0{jQ>ODI|dm!MSb{5X*p?5WoNY1{7tc)RirW4 z%)AljJO+MmT87f-Np4X5=UI6(3oAm8Rr4SEL24z))qfIaQvxpxFBFA)V`1I#ZS75-YgeV zU*!YZskka|;X=Hwt5)60-PZxUmLj{neIL!@SLBaYK^09OTb-rMrr0c(?5g5BW?X7; ziyrS!ecXH)ZANl2eUxS+&+_`l*86W1DgzR{H=frBm>h)@%0G>mHtx0-cT2i4N=y6= zJDcX!lnP)dIA{4Yg66;4@h_j4^2$r69gS}?s~_Qz1WL%mUb zqAIy;PpmcT#T&~B?RIuWkSZcxQKAYztC?`@D>3pMhp4L?T)8>FjRYL^1&&+lob52Y zkC6z3#CTj$oW}Eud-n&LJER)jJos7pb+)cq^|HPpD4_QC(#}WICqUG_^_xz_4(cB; zmEG`}Sf;)m??Iv$?27Ya^CqR=z;NGks{x%vNiN2ti-?h)(4}M{^j;U@BrE-j)8#T6 zNJGvzTM;zAcRk^*Hic@W5Ech}9fOzL$i) z#+s#yU-IwWLz@|$?qKjlX!k#8PG=>h6k7(K`8q;rLxVKJtH(9Oe|cTHcJy`kXO>{= z7l!>pAI%)tnW()~yczJj0jlZS&jZpA3`vE)O>#*UY0$&BdM-8Gmf=t`eyiviUg3GR ze2wu#oE+LCYh5=2_?yJ7YbYhK%0e#jF7VHG7s-CdtETEYitT~V>8p7%49u}8k`JWj z3QTm*<6zSXd0CVp2k&F2_|^Fh>$)`U`rZ_-?era6RrG(N{~MkL(23+ZnW6xG3Rh0K zh@G&OskXzn(jwRoeS$#USDQh-6mi$L1ICEchiPC zyqe;jDOf{JY{9j&R<~s1>^Uz@LC7@U9{E74yCmO8EbcA6@!Wc#yG;AHS)5ZMBBK?U zhew3jr>MOPY4tBp$MCU`sU`G@besWx4IXA46CiwCgz58J!}q`LyeojJ{5yJD)s*Np z!kEyv5txjaj!JRCgLYXpK}hh-ncf*2LUKFmznQ_NnZk5P`tbDisS~?Tndhmpe8wpa zaK_pACW4wXvMuY;8^4P$-mT-$lTiD4Kc&w9>VBH4+H}T(QEY@Zs;R>k=_;lC&tgIo z=QZbFuGH@1&f7mNp0>PB0m-R-xE;YPL)Mc?dH23j=RE6&@JOqkX|Lrt&)?FH_o7>8 z?7Wi$I*WWBdrL$mi9gt`?htd2$0`N2jzESVSmnI@gE9F2I=-#?>&wr}|LhotxVz-A zeowp1FNN>NSHIf*uE6=3Tr%sWJjouR|5d!Pmsit03x+X^r?IUO{9uY&dmy*pL1p#s z9VN@%;e`p(!m4@OLKb=^t#)>Y+d4Xu7L2L`?kGpYal@V)1P-v;%j zJvUTE&r#sF$pM^9fJ2C;*=v=waj(zzp?sXzd_k1%PEzmSxueF-zY|H$00V0v>x5Xw zrk++_yRd>O^Bw!`lN+6WvlsULjL&^g!uv0bznd|LW(FGF-cE)=Y?hxmoGsZzH#9S_ z'v?($Y2?w`gWC|_MH_INsNO+eL`7`~LnP^e4|Cf2_LKDpg2I7eY_$%GlCR6B2K znkJtjH~sJVn`2w1O+LbKZzQx8Eq#2R0DU+aPNc5h;52sHLQArz zpr`lf(LrA@y$u3vY0s>^+!F=erS3OZ(x%ZkwO!ogor0E-$aRIwDs_l2#|nRbar1P3 zbBI;cMbIfl_=Zx%%IEpRQ>Zl&6C4eOGw0B;!|q)6&WBhR~?-Z{NA#erKHr z#x=KPe9y#~3B_F_h?ijmsX!sBo?6!pLn|h!?>A}kvLS=_PtP?K?9P;RN%AeNg6Q}m zQxRG`lb?(opWI&)`P~24)A4)^#I^sWmvvXQRrrc|W23Ed7c(|AZySkih2o`~4OZ5d z(#H|oZmyB z;BudF^<|&{ltw=G*d&@;+IPhz_Al5-c~Cq#M&U*9_7F)>ZmxlN-09xiKMi}GxrT)O zO|h1xXtz_YOLiwy55OF{@kuk`hriNo7$o2J{-oPqZThlM2Y&Z8XE%RTx#W$V zyB!<~12@X-#V5%^pIyFjU-9w0t18wvpiDhki?_nNj&+%Qevx$R4wAo-v}mM4U2C14 zUESN){}Gb^=guHU18{6^KF7&mXy*=Af^(FqvmxH~G33OZZxx)g4_+V?UHGEYj%UdY zPj~9p1|u4IZe>tou`NNY4^wl%7PN-ujMyq#d@8Qp5_=|be6b+&SE!7FTIv}5mC^s% zW<~2RoJIPlx(orPOI1e+joe#2qheuwZT*zl-|C6<>6l5PKS9OuqNn+jxy9|)B)v&` zksFaR9-I+P4fpeVQv^1?3nwzVJvK_q7O1l4_d8zXdwn{Ch|)T{nGWNpM93TgUamEU z8k`tB=lhO)^)NKiwT)Xo!RKqjan-_}q~d&n%tjDC*joE8icY|Jk9=iWR(q9X)}0{b z2s>l9;%lN)hncstAgtMZM^&Vdf>h0Z9-KRb)wHS0QT{!P2x=Mwsb5cmRdx>&A{X}X zb3f9CE=XY9tzY^qW!@Y2a5&C-J+il?onPp<{o7wTe2acXv2Zy2XAZT0&zWB62=nL7OK>r}hNpu8YgYDUH;u|l)xlc3VkCr}8 zXm?e)a%0sb%eV?Z!7CHoN2H5tGu@W>+Qz8of_H1}F8tb3#1MF{7c`4@@*)~&UnZ{; zIb8t&Y_iDuL(c~#XAS1T5niAEDvFQ~std|MuY zNnh%<{xdUb?6(q2&OP+?S@TEl9Vwk59r2L|-}i%j)GH%3KFIe5++%8fxDsBMI!IaT zKBaxT)M?q*P?I_Gl^YCFdh{odPP338UAw~eSgS6smWFLk7anb_{k5AZ-33#D?r6=WJcyL~so!n! zhhuNTVs0r#X2|Z&KU+6IQ1kCNossyka9ggL$=}&&xYj3uQ92{1^3zO?OZ_S2;%C3% z()d3u0sWMoico9L3O;T2_oLe(bb_ajTOnV5(~!um&VDmd^nQ%YI3+Uc<1PLuGrDgn zELZoxSEaY^H9DmIAqFyZhPqBXedF_3F`W5Zpse+28>RnyYgsxgYpy=N$o4d}nc3cd&vKFV3b*}E`t2&OX^1q)ckm0oOy)Q{MO-~v8sn=}`pV@J=F z!TFVS83!@FrNXB&?ze0!yfQ5@&?lgOk&bh+mDPZ^@55TCsIkE=PR*f5D_Jgx5be29 zwSOX=_IC_(73lQL>5GMFrov&h1s%~v11zMD*|9u-9E$31>KU2eOnVM+nABywwxc81 zt?{@~TQ>;Yynb9XFlu`-JEFtYEl~)sdr|24 zl#!pW4-_hgmD?J;JAn~LF9}5%fT(T87-dO=n78m2kyY+dp+-FitXXwN7ra-L^I`j* zDF=Q3Ky9o4%m5e0rcnCx{k6Qr1|G5BU|bVZ8d_ZG&I(l;^w=HOYSJ)oHZPe$yjCH8 z`vm9vZ;I{eKe3uHbU)2(kN)RB+g7Nm`D_1E`+FtgA=H|W3q@63&7P<*EbexXoqR?e z$aIa2+7O54SNxHuu;jf+|1~W}*mi=LZp<$-NXB>dO;k3Y1Wj08j%C-Cl+*{(3r(3z z3XP8|wDAxSbw{soZsld#-&HU!8Rm z)h=CBi z>n+PrXdSmE=a>14$!GXN@P$5y^o5;1FIH1u+uH66{ZF#s95ev&6D14%W!RqIiriA3 zUU6c5^-WN8|FNK5&S1IvJsrmH&o~uthr>?kN z_r;Ro>;l3~v}AL$Ie>C9^{2tKlkQ=+Plxxi-?;P|#u~t;q&J@~E@tUcY1j^Jw^r(= z7`5@*&qaGU;i@-wl%LYM*Vbh+Q!!^rt543(*c%z#)S3y>TA*V8bo}JsOGXv$hT1fh zGKiT50+m_h@|0=1W1Uxml{sopU`9fHGRd#)b8LBDlkDi0xQCHuYHO~aS?n&mn_Y$v z=4IpI7K@gL2z9w5C2d-4KxoNO#F}&S$(HvP?7+<3BwSTP5iqcdD+Gqszvk`Afp~K2 z{JT&oPjT9r{|kJ6mc4PN=1OfnlU7y|-8CE-6l444GyW#&-u)UA9aXVT1rGLQAR|W3 z5XI}h`m^2PyUo2rl6rO#7na0FJHUu1air;_%hqQ8@yR^S4W$l)DOkN)3@K(sVE{T0 z+>!YF)HS*47`_#RujiQbF(3kz4i>iK;nH{iA@9IHGwOaD4^K<EeR zup-Ma@dfO&ugVAU7QMT=8vhdhgkybOJisl}=Z3G%kWZgEznh!(`TC=JF_^dEVXQPQ zPkjG-`3ADJL4#qFyt`-*y3czR8{JoSJSq(0Uy>^ZfQ^r{&pUP{A2pkUuW!H$X#{Mw zIfRyQALCu`HAJS#$#;^xPM5rC!8B07*VEDU8h;=%!g{GHGiHuqGA7C&Yjgh}pnZga zE+r+H-#OAB|9DpVB1Au4FEiqLFy1VqRWkvgnhA zk&yx`>=ql|_uT|4Oikh&Wq*zKfCjVR1EKiAE`dq4FxT@ewEm}et2Y=e?|Q#N*{{03 zSQGikyYnZzo~!*9`e@d+sph88s@WBAGRv*F1U#;<{4jF)iuAqkcIrI*51&eHVv6{i zblF@&KT@t=Y*SUJ)=vIoVZ8K0wynCw^}rkYv?qmk`L_Go0cNU$WK*>G9 zxT~Nop%4ousG7^IN25CH@e<@pH9M_c40FTuCt@}Fpj>bM?M|!L8^L6t@Y=~_o~mRI zo8%xTzp*8nceGC=gE=716aod7FcG8XRH7AWYw8l)B1VkW<;zn1F=nr@yPIw4J+X*T>i|`$~Fkulat-@OUezqptEV=oV9# zl?!m@m$T(Q6Kf)>v&M$L*(L3bAHsggy&*WsIy2RcZYchK1Z%93DL8E_`UP6QZSpyM z!|AgJP^^ReA=UY)!8f^4(BIg8Wqlwl<<+-MhDU=dUOqGDzfL}L^o5?jiQgqM-c(J{ z!N(r*m@;k)Q^Sg_<%VDVJt_K*aBn~Y{5-DUqA0pVG|2HHfG8NvT4U$IlQd zH%cGSWtB(oBxTKw!b5!gxs5;Mi?S9SFqV=5rOdkfqeFhPrs(d^jglRmwZn1N+rI^Z zKKad)H$I7*aZrnQ4j;Y~{w#v?8uzO4WJiRNaQYlHYZ)aXMFUo=)LhT_`ADJ~?{~?| zeLWGPtfH$CH@5)32>LzVEVEenJ>}5rc4gpJaW&Rkh{L`D(>^XgK4zsJi^q++FwP-W zTaeju+IzWAk_#>b#|G<(o_w1CAY$=fB{!CjxD#vGSqL%_&6V60P8e=zLtq2oDf>)z zU8@PLRIv>|#k%Yl2$WY^GaX=(r~j?D!NUwMcD;7Dfz9=1-$>fswWsS!KfpBnb6B zrpMF3?{M1xy?E0dZtP^J*JIh2^-*ySlUhytq>_@UZSNz%C-H5t&>!EY^}bA z@Z6z60^WjXRtVn-5ILbt&py}9DUV-&yDtZ9VZRl*`?T@!RR@xlJGYvTaU5I;s})C2 zZL_Q;roPpF;%?K9;Y|=0&;VIARge2fo^$KXy=i~sXKi9k#@AGy+nFd69l=+)csa## za1m&^brY9cgkSLR`S3?;#&oir_;T<=27@*g#gAqazNAdaP+^H5x$Dw87Q0?=qMmA# z{PoHqW+C$|wf_SOrMt9COFtk$D)ZARU-0JeyT1^2pDtH)sJ;E*6N9qOJ6ma#e`i(C z8*fzogYM7YTB4D|GO_ZaxP*}asJ>x9C=_l9+N=SW@Cotge5%AhHGPXFYhfh#FOid z&4t{p2g8btZmV~o4VEkiM9o^gQly<cTKKz^-og&*XVy zQSFD5wY(HnDi1ZEtUN8s<Xt%<6baJP9G8vMi;rS-Nktt*Gt+Mrm#%4dse5WZ z|Bx}$M6G9?J0oQJPCNoIm{3wjM!F@NuIVadq+#zQK`e_7ST8&v+9SZ-I8f z-rsY66>4X-HA69l#L+Wm%bMNhlq2bkOQ^<7DdY{B9j?4@S@h8OKy7pB`9NplLXi-H7wP;js zd7ed-$S)PxY!dMH|B2;egHv=2Wkg^~%inOwE>GlL`fy^afSHv#&q$fXqOVqcHmgofkP*7NiVv&mADkb#dQ8@Yb<+!kqLsx5O zx&*W#EH10mPN^5+I{MxM45E351@L$txA~sE; zCrC6^0d_CrKU-cC;nL#&bt{yA>3LLw?SAV*@2*?(mpAc{C)OL%YMzFO&{!VzZ=llY z{FSv2xMfmdc%Ysb?>A{lJ1GAWROmW&AW6u^s3DvbICRE9)A6e39%Wa@!CXAWoj>>= zA}LaxDJTs8>ALZ6b~MEa-^JWoxr^2PSFEB!p2jT0Q@>ksG;qJ)o=Vt4zklShqn`b? zZgzB{d|`tKxYCq7!TNk(ESIw`prT+rI-PHq7d)gdwSR+tGsW3$(_@Sdy`b_ep*But z_fYh=fFKS3<+(L{JKbgMGc$~)!mfrRhHB;Ptb6UNyrJjIO>CQ<9whq(AG|ACNbnw- zd(A_(B8Pb2ek*IR54lLlWlaW*GZcFEO|ds!J>?|9C3QNTe+_#UE-4K)$tYPD*&T>= zwV{7{I?3gGOz6|9!NgncaGzJn05BM}PrND9rPtSdiDcYZAI;DO6Gw*@PE1T z|5{IS<$L&C;lwrfNwweit<$Sfq8xFh%H|0!gDencq-6mA`9%cWJMT4K?KG^1guk~2 z-PW^bp)YU{ee|YD?Kb3jfarv<#psllp`hQrnhfc1gJ}n~nEF~ym1 zN3J8PL*Gopq0*jrHK6!WwN{iusKLC>a}=rF)wB02Vm(^cXD=0w?kC6eNcgU6(|0`H zzlh<~@;+|V;2_`qX^dRlJQ-PQ;=kY2(7`nq!JGUvE40Xe$P)C%0p}@o-A8Bl(jfGe zsCk*wIsu3+!TEu$NnJE;Dy!)*>Kj=aUcih<<-C3MG2yzTN8qBftRhO!KFj=4(_uZo z$jyYG1?yaIN4{uq(9u6jS%MuOn1<}DBXpF)p)hcY=xoP=$?RCLmru0cPHl5y2fHD? z2~>?k!E|%;S+=yXEgl({MrQT`aSiYjDE>c8ePvJ^VACyHpcE)h@s{FV+@US*F2O18 z8r-3{6!+rp5+FFm-JRg>?%Z(S@4erhXC}WglbP)7K4;H!_AE#4Z@%6BAh%VnZ^!&| z1sS*fV@P~^rTEZHP-nhz8B1b@Y8;vM7>*MwM&8&W&at6w!i1pHAzVo?i4Ovl+}}!O zb@jM33CyF;Evd&8^sh?lILe=L3#e3FX+Zqb7eyRqyxC_oc7J)d$>#HuQMsNCB_Dnt zS=WII-(z7H;ODucGOaj+H+LEYDiap}MX>GxU4(vBt7|vLXqJ-(#GWb^J;&3<#sy68 zrT$TJ9imrBa8d5duK?ic`Pmc(CAU8(x3?u9^B3KTu|;Zsn!5Tj#p}>iJji(F^~5c8 zc`*|s8}Dk)*AQ{G(%FXu@z(o1EsK%#98BXW6k>f>8{bfa{ z&}THt=lqBE&`Q4RhWbK_Xq``Ma`dr~4;v-eFLF_~lza74pTiUw5btHKN7dStR{S)y z^__wZwPt=7um;d7Y#RDh;T+e>3}gIK5^Sl`VyyIIat#dI46YDrefrMH)dxvXUCp<8 z%sR<&)TxqI29hEXY!Bpx6yGz|41%7Qt1<83-mVQqe`EYslehakRe-}qKZ*7&7Ruz% zH6_qUh{?;ylO}qa<<&CXw=x1Sg{(pdD^zPMG!I$@W=MH6xGXK|uU1IE6$z=yWrQ6~ zD)Ha)`O`c)6-E>IS6>!jCYM%i-(Rz%l=dQb0c(>!%8R;AJIBQcvSWi+=ksWn;6}nv z+DWp@p7DNgN($Ion@#fWqu-pA<$Aap8^o4$zn@3oVbucV{Bn1h9G{q9UvO1wWfyR|fYgUmLY^-i{?*YitATI@8PZ`u?sb6E5vQDn z#0b#PJry%EUDgFj`XfdyLG_X*R^HK5{Y3g-47FVs@thThUWr zh6~hsTS+c_n52OK1&)|Fc27TVq(w?5LLo`7Bm(fJV#c=BcUAA5Rp8%-tsL^Dq9^Lc*K9LKRSp_ z*+^56lMx!ID_^%hHOC|wt=%bFXsZF#M3ByChMU*j(|PQ});!{+9C7fL zo3N|{yLn4i%Vim5YEAU4?5S;SHs#r*Ml+_G&AWZy!BONGeU#hexYvnT_z7!k0_9Cl zkxS;H%B++oDeD0*q0MFO*lQ^lq-j#dLhTaNum>qv5RF|?I}Mt|+8uDB*9b-n{UBH5 zJaYN_D!8NN)4BFrf(Hzuz59JS)Wbs|ORmJ# zv;z`S(j3SCp4?V@yJXPjh$*;>#qo`WqRx-E{(VOUWDjioaq+%bGq7n_v}`l}CcLtQ zTQEYztv}l7CSGgG-N#sQ_|5O*u!?7#*eT6?RLv>=D7bij)NpV{j@P{d5;{Bi2>Nxi zDtqnnZgaK)9JTkyg(=vwykTd_`vCgB>+sf#I}{!H&)Fe#?e+YLk9R_g9!DP$TVswE zMjJxRKbl;1*MolPw$0IfCc3}8-21+Mu4-)-pmJZ4-Kj2{@H^NN!4|{AV(P9m^cs@A z{<+b#lRxm^&kgAOFXHYEX@NVj|0fmy-w`BH_^;=tG<-l($rSjQZ)PxqW3{a~pPf;r zhKW*4yf*>_0?(0$^9(dm*PB}!)9dGs&DPq!9&1nUxiFoU7X3s6gi6vi2sap#cFI54 z+|IPkc-7^nTw&r9;BZ|br?#aS#a`IPSyT)%WUG2(WPf3_?v|3v3i=(^QbvGDQobe_ zxj8U2+Q~{-fl`FD@15*0if5sCZtuEb+ZM3ak8DM51%eu5KUhoid{zv{D7r#j=K8p0 z+$FrGF*!ezkg+K(BQI|C&2Lebc@70OS6G^jZO%z{azNBN+H|Sb2 zq(GbhnV?(mD)a5QeOPBT6UtWCJ-VT0Bw?qee7?knx1Uz&aE;CWd{#vS^ET-d6e&AQ2M*XET7fQsGDh26HV>^G@?r3; z%NFT?iGVAf-mXT`(NObeglAW{tJ{~|Xa&j5CeZ60RlD$2&+t-GcFtb}GOXT!y^neT zP0_wfxRUL%&!&~Os>eLVF%q{I^IHf$T+E2J$_f=mi5^BdROE6XN4iVd^gFZM9OlXy zH-2u%D}p`>rgfFJ{E=j-v3GVEztJOrt&v;OQ3MqO8n|sMONjUT-vWh^T!efN;cKgi z4muDnE0T1!mlS6>h*n@gnQ*Oz_S&@_z*yC`$^*UT6*u`e5n!fE?~$tzBix0q+%IY@ zbHDv|?=mOhTq{n2+>-u^)UbS(7BMmO<+S=rQL z{$#LQ<%qWg^5k^KsNKTdY7 zjEP=V!-X38t9GhVMOWpt8=rGuOZ3+>apin91z=e6^{V|TdM>J)s4lG1H#QcNhhI43 zgkB)?7=cwYHya@Svy`-~|$>l`$Q+T-7y_PJlTKRl9cy55+3-tFMY=4N>xVx{w? zM@G-JW}h4@{a|_?Ky(+C#HV&{>Zx7ji#qO=iMBN=ql!aGZ7cU`>p_kx-nwYHA}*9# z?Z>b$#>cMQrrKk;&_+XuV#A;<}U8-J24!g^^PA&0XfI z1T_gHe)fkF6Kh8_p9AxjS(PzP{lHD$g5QP8BHmYRGxLr&47y(4@L@G_6j4koK(EKo zDrzd5va|lu(WiNS@bmr*I$>$C>52XZPEtb77wn@)0^jRfFh6yFV>Ms!RI$r&DSq4$ z1T>QQow)Sfw}|S@QXXemR2AeCAv;f{BASUV;8vlBhp-FNYwy!lrfONM%yX6;ys7Az z&m;qnS=s%ugW7^(bX0XCr@-iI#HuF66iLkQFas@M_t)e4)(6P={h*Ur>m9$r3*mg9 z;*v&;%}dn&X}Fe_P8;yY>oNQ@(1GC&?PIoRu~z`jTE<}B~~c|Qsogcd&{Xz|m0 zV+CqQlSq#9MLYa&^LqxEoR7sjj{A*pPc2`ypD8Ko&YqKgj#WISU?#WQea>9Dqtg1~ zuh6Mw1P@go6w+#;0-_~(8?R1IzLLM5?TagnEN+=*dLi<7pes(iOI&Uzq@arIEjn7)gkzcXyCs_@Ehpve6JfLWeR?rGWAti+hh6f* zN9Mjw5Jqfagj2CEroOG5JI=s1tJ&#j8g?t{ZrK1esS}zG3Z14Edjh&S9$|k`ob|jh zZQ(sbOx6_o|8wk`-e9?d__WO!nV+WP?#6v2(F7@WuoT@0DPfpfk&}lTGh=5e%9^vx zk4h%Gp4+x-;RV6OjVj;MnfGplFwOC0g-Ox9P&brFSven$1Szee2~*% zN>dJ9IBR!gT9{~Np2N~|*V0g1?dP3M9$Qmh84{+%V~v`}^3gs4mk)ZBPu=g)H7}O) zhXs`y>}i>DZfY`B{$QfhW|Z!E|Klb|Ti)@s*l32BC?9T`cWt8ikz0tIgz!ly_V5QY zwKKdpPCr9dN9j+=*`xa>vWMXOK9CH7gsm;twYFtXu0|nAAfB8{ptz{nh|5NY_oAM_ z?zrNXY1V|6Yl?YHCM0$7WHu7pbLqNqBokq^XGKS8?+3TY1mhUL@B$}efBHnz?dVT2 zbqja$3_iPKp)Z%IPi%C2)M?=KsN^g1}11H#EMujjn5~l8mzW> zoFu$CRKJWT9U{gbuG_t_beV1sd;|lq3Z$b`1tO1ImFl<}qREAv*JV_c6or6y+=qRw zia2B-I1%2N&+rhP99yZvlgnU(KmuPk$mn$2h7*8dbRzAshm5Iw|Dmst(&%m)g@DtI9rw~s zhJY2vm_2Oitjm%;-LfYy0Tt>x4Dxx1Agm2tPc1t5Lr6+je7XoJQ{KePN-z6p{dY;B zeA?ykryp;6+N{C1S&4!s>F9Gix*dBfMZBcMfAcbh{-nWSISysdeOU@9V>hMC%>vd2 zRG!eZaZhbAZ*I0q6tf)u5L4!>FUKyCj=QKzId^tXG7g?|MrzToYF>hf0Y{cvR_ncm z2b+Fur8~5qtVu!VPHq#z%2t>Pbb%zg zUpOSm3nv#A?Uel3C_DMyGcqOKzS8P?L7iHV0QeZyxq9cqu4%CkeSy zn=oZY3OyZG#;bn3AyYfZQftamA}qt_m~M6i}zm|b02JY1^7REAS|&+dCzAUKpvc<9wXG^lnB z0N6>cu;UZS#WgCj6>dJQGpOL=@AKy1gnwg1{r9!UXmG==@vuVmE~KyKuoZ)Y!;?^F z#W6bL-=j(wMKTqWb#KYu@M_Z1th=p0$V#YKPl&@8TR4G`YoVebo$tAIq*b_)W;4*a zLB!Hv#beUfDG!|_WLo4oHa>Ik;hrvCpHl?Z@^A?CeLYt*_pr2{6Rh3-Hsex)lc)9E z4oq9#?2zCOZl=xlg#_i*plO{^OC9Uh5r?R```vC()`SpR+d_24J9jr#CqB@bwUD_L z0u#?0eZZsQA_5K0e~uqL)*I3Dwag_K&K{dewrdf%DxzWWg^tLxL}9L~7hGKtS~XWz z-rKUBzzu$-F~r_HZzU6m44gM>xmZ;@@^)lvk(nUn_x?b7x6W1lo3Wo$=#|c(G^nas z2434ON}&Dz@n6bZXE*!x6jF3f;vurIxbk&IvnTA#9)U`{idlFW9&ZKMqK>8^CoG(h z$qqVL22ihfUuJ1R<=iV5=FXCEIQ{t(x3n>z#~f+U^I8l`V2$Z*4F@p0rV1{o@M{Km zz!zKxv)M*z4TxA!TL$u}m9>yEw>84vQ;(9n^}|HyaFc-d58AS5Zzq$$E#!JS6QYzD zC}>lX0WoI^vmUpF27tVU3Yux+EEtd#z@~yHJ@4;rJ{I%yzr)f}9$kMfAEkHKKR!U$ z6sH6b@(%X(ihYw)JV4iri3`UnI7r&5Ra@y(agPE_9zLIqJQLiVA-)X)aZXs z2kx7Cg&s={tms!)z1eGU3_ktxryN8_Xt7{XhF7oBdid`+UCaz_ZM8wV>m0g2RT`V?vA5NR`NiW8^LKEyjxY1X9>ohSm+v7obi+T2zY*MJ3? zf+|{+HR0?jm!0m?O|>qnkmA8QdO6(Uq>=^{v%eu&vV>qxx2%-B+#7E@)fG-I$HqBF zscq4c&zM}0HB@@RM;7jIOlwr)h8%4@Vb$^qPBJg+Wv#(;e;C|OUGzE`w=d|P`Z-!m z!9}~)>&H(^fhPZ|2N6YGw_mwDoY*Swi}{2dD{Oi@((dhNe!V+WSHAV6iFjxyn22XV zf*>pT8UGI5&aDj$hi9lpLanqwOxUHwqa#pjT*t-yt;G+A^LK$|N< z_duyFbUB(4oc}=`)th?@k-V*GySuKnv^U%pEUzSGx4}7ie&JGiUafv%Y|fuET(qX2 z-YQGn-`$`S)W6gJdMn-SHXEHq4TJg^naYbYblUt$Q)VB%unX`V=2mSc^~$sa`Zf~Y zOz%rCx{`xeI!WI_yT9w%fPqrikmLVcO>YkYl0ujF^ddEQ2X=0XQG64`1MB%94Y0GO zwYUmiMDLn4H`cMR9V+{|X!lblczpAFPLmgmxCQw{cmaU>;9tWz`$fadz2eMmVQqn~ zlCKps3F+Ez9GGHA`fwfsr&T!Ars5rC`S1-gI9B17-*1SFz92)KjFKG3J9ry6fmOIP_q(=^$}qcCR-2&Z!k6Xiy8zeq_DqAt zd;5qKE@eQ0aRk9I;aP1FE$tM$tI>{0yklrUUJ$eg6Zd{%|5o(9{p`2;+eGQzi@8K$ zj?Z5CNI#EjvXmELCtsHJlm(_(lA}2r)h4!v+$R}6usGC~4*|+ZVTCO$G9*@9924h8fHD~u7gKnJ?52@%SWEvl)P$YsXJznD-ZKD_HDW7#+_%64LW%C$H*7ujK22xf ze?dac8%Qul&0kT_M?ioDB1}ki+0rki1<@ag{S;eYEo>8siR`m%_lPZCQ%tV$#6+8|QA|ve zpJ`T{ag;SO&1iV)msL5UmBw2epeE~jB=d?OAp)6Ko<&qs)HQgJ%{Uf|N9(tGVBVH8 z?bgUwGf+25J-E^t(K2l_d4k0(7hPl)BL;Mh?Mv>wTt8q2p3==a1HZi!QR&>ga$SlA z9wB(dVu-64`WL$ub}?GC|E|BybV%Vh`_Wpd*6ikdNL9eJE8~X0qjvZ5Z)89~J*i%P z7Ra~fIU$54%fW@ZC!e%ooyk=K;*SyU{V0!P3w5Uzav@GMH^EMCG|afQfz15kiUd|saIrAD|(yqhpRswOy1Q1 zkGl809_z)ls~VWsHD#xen^{9cT@OyZLzDv_)ch?t{95btBd_;OQI;4N9b|?_M4uCP z5ecx1_Jq!J3u6*9gOl{!utgVm7AyHAvNgjNpn+wO?5l3yo#LXKwOGOvKXcn^KrHH6# z^)-x0ZQkJ#)m}gF|y(X7aM%s9&mm} znlo;P5G(}Uo!)5(AZ&sV!IMdFDp|^!=3*mc2gP=8RwT>r;H@kf^r%H?gs-P~KUG$D-9>EdEpPE${e= z>z1;rcq&`c_=!%wS693Qd%7v~B0_9tqdYvx!t2)?=2tFVo!fVRa6+QjrcbY)^R}zy~h)gw&~lVJe?vyjY>@jkJ1+V73P*n`4D%mS7s&ZzyR%&epx9MD^Fa5^mh>H<>mv&&y% zvG*LetS)t2nZWTV_l|jbDv*@*Wb>teB z>Y*4(@%!J^yUX2_wpHIc%#^*c#eMgNZ$#a?OGZ=?oz0L6Q5H?7yLkH}dR=LXItQGP z_qxgfawU_CVlr2T#nC&0K35p8XqC3EsFEsejwy?oKKy{g7M(;Kw%V_=X3^<9h}TfL ze2)i%Wk1k*xvYvithEo-?1;(;XOvxH0VyC^>qYj4nYpsEn}``ohMv?+D13L;Rl`fz z)Bf4h;(G_IO)wXKD&+HNw_^Bsh`xhI| zo}X9W0Q{OF(IGj@y{ykqt6R&^UiS|GUAOQ-2XxDLKyt4j@erAIoR$geHkq3?b%KP>N*23Wnt7kaktYjaJn+)A`z@()IGe}f+ru!VvZM`uzaty z)D-?6&(#TPJ8asz+J_E zn_ef0 zE7QeN4gmqdXmjIi*|O5$qRZ{9j-vz6*KEt{HuvpWy8~38pD_pwBCKdqARJ)d8xKLY zw&$=KM&@@IvxYuX+srqUc&siCvO5!|VRneiWksZsf${mcYGn8b39X>Mr2} z-6WY$yH(Erupwxxx=^rq^}yX6m>jd+LWZqf_x~^{&|O0uZNRWi&@V>f;kzjMA%;@4H6RMXu6gW z?XtOsM3$S0jb@0qlZ&O}a8g!K-{;_;lW5_IonQ~EKQ%g(m;QT#z5F#s2GPPx?(dR4 zoBAe)pEXmV>_{Hsrz{-d8&!4s>HFWTdyN>q#!>d`4RK7vRH3*U;jas(YYx10MMs$>8=OA z4oWGo94VqREUmT%Yq055N;O_JB;uIGY6PH6azWhK5@pl;*;H}oB}Dnsth)ynyct5q zlLxLYST8G#c<(jiYfYVhd44!3vXMS4qe%_jo?PGy8K3{&h?lRvCO6r*SuD|q6-B|r zGp?>wyu{bklIJ~_8yN@37)cBe=#v;v6x=KioSHQutiy!*I`C2H=tK;uEqkGE?0mx9Ct>Ucr970@s}* zhx!vced@Q#w;=vWf>IP>q%D8c5A-a2Saqm7*-m22hR01X^?6ov@k!V>rMNNqq$}K^ zrC)7Seks;vG#JaFH?i7I#qtatydWNZq8G%a!$t^B7ut3)aK9Jz1!NxV6s;yWRG2u_ z01NdRn}8%^`KLTkW4LH&E(lRTulCo7zYD7WZCs$&z0n)|>eXMAbruy~;|r_rYxg|i zVQ4wVo32y5E_iRb2G(7HMjMhKx-G*85wXjkz(*VG%B8^kzP(gVNy_5=^`zAjH<*&r zNCzTkjMfn!mliDUX|t4`u{ZV%Gawi{9lbA-aRUNsWZTVePIox}wOBos6(@roSREW3SpW3eZU&=? z;sM;PAuaIRPLBBG6{Z<(#`e|zAew!prPY2F#}tB(2>_*09c(s9@TvF=-~SS3B z;#r3qskk^26#bYK;kS|QxCpOfqf57{+rTunt&^Z_%0X-l;9`>R7lWJp_xv7Q>YH|B zf<>*#r1IdUhttMvQ)cquiZouIW^zIt&f0$1jCga;>1}!8qkPI}!4tQW@*sa#LFEa8 ziZ(fg5RZx~dfsXe-dGsPR2H^h)XVx_a-#33!~k9`7m=SXj$a}=0?FB5Tbovw+G^11 zn~1ITG+noz0&9H4tD1wIg-;gb zD9LAQN>Zuz5fxZVrFoE>zr)MRfzmC8-mOEQ_;K&Y`NTfk{L3uf7TL&`VYOmdbu(9j zce2FcFS+7>BR;14Foe_28S^Hh+YgvnG=;l%8cK=HC+N5dE}fh(4J%yHK4cZ| zMy>ntfw1~PwsZMUaL7qKeu6qm?sFcB-&U@B!X1|mHxI;APoE2S+!1R3?`_I#f~0nyuddFZR33HsTOjM)mmB%VD?3|Lut0Qscm z1!X>r{`1l%=jCuDeib6S!P>Pd$LDVTSIYpE^j8$7ett@*y(*&nbjM+ za>PZ7J9<97xtE9m^-&CXUz%4WJ!S)IhbX#h$ZURCT}+$Y=8CSypxK|f5If&?OD=aL z0LMHslbRx>Cw^CvvvHigv9hc&rn?hMSn8fyj)IMZ`D@{m_KcaEV6l+S6x#z4uUe2+ zl`<7a`Uj_75&gu5hEJQ(R|2+%E`I44=EXagRkKTy(sRNkaEy=NG!b_wFEyIxMhv-7 z`PeG7qrxTJoBzp(QDD=T^gta3QWL?pdEtox;f#xw^ z$>bW_CN7u?^IZN^cs&1m2a_OMN$Ui!9>bv*K*ej!mtX!pDkU#uVgw zL*F02K&9{q*0j6$qNU!q4Y&SKcQ6;R_J5n0+gzz7r$wQ0EH;C`WKuY=!|@pZb<}yE zIoFu7j|?n6IQxoQAx`80i@)1h?@$ zW|b4_IV5?)aM(?;>Ju>Oba zdrMvJl0DFkopj8&lm1s;+#JL(eHH`JT zdR*b|{g!c0j&}({aDJ!7D1oOU!T`|Fn7SZ4Crm3fT*i9fse0JQD|9w)sI_b+_91a- z(5Ws^sy!Y451!`h1KDeo;wJUDF+Vz{(~F#xj0zuiA6i4QYF> zOs#E*ZD~aFOKB|gql>mdc8YB%O-hA~qZ=13G>gXvYOBR#1BVp7(Oo0b_3e(@8)BZxt+g= zMG=$)+aN`oZl1MK6q&R(6>a9!Nb^-&(5@f zMoFt$Bl+VRlANgBsaZJt&F9@q(|PXSYdf1Jr6ra35++Yppzn<~GeLMQA0S`Dz)>43 z_2$6ViW?(1$R98A5@!i+YNVeDK+cDh-d%5DAh!<6%2TCB!(SeS%Rjlke9@}MH$sV+ z*lj%3P>yrx9sukHC|X&$aTgan;d9(k2WPgLd6G_5^uxsZxVOJP*l=4{>gW0TYhsEV4K zIs|IISu}hRxXfk0pvFW&zLb3c+A<@WFDoq*dFb$NygX4Q=;G9)l&N2}zoUsd%lOCy3<>_kZ77ai-3L(1t&dkc7tt}y9KUA|>(T+}X75;BlVU`J zL?g!$0`rqV(|SYEPTMZU(1-eOjXK4Mb7>!IK1e56<2Piy(|OQNIKB3 zG!Oq=WaK%t*Fi{{!D~yf4)|?7xH{P@P;=2Ej3t{!^*3w1O2JmW$bj0j=NaxXz4P2U zsQDoT<}C*ItzX2c$Em#PfJgJ$1r`~Bw&&@1cX%^^57kAuxsl^v&sM&$$oeJ{+Oon~ zQmJ@YdO1Df{leF$3{f^n?917BuZ`kaib9l?1j*k{s=E)92oZI*$!?&MK1vGi8N%0p zXk<0Z|KJgUzA288_4mEDMBfEJ`>cDt8sIPirIA%qGDKQ_M?UQ48XfwZ!_(X-AA7Fu zHT(_^v;sdG<{IXF6gB1#E^%Y9Z0bfCw@&|AWJq_vKV@ovvc)s2v0MC&nXVzCJanAd ztKM>-g(+(DPa7#AUPZ@zSF__L9MqIXXRto6vd|bkr?we>b#U2cunD!Mf|n#F?4-jH z8*O>efd}0L1)0DDd3ADgN!Aqj9?a3;u3UK2@sJGzhxZlVP@NOVaZ%xP6{Fw9^=h7V zD($@167nhPmG;&T_27iYIl`n&?DL$bqv_p~K;X$G<1tNHo%yc%7RIto-Q1guvr?d5 zF9ZJVujiT5Tc@ap{`K;0|M8vdpFklN`-ms>_d>wniMtM|14IM)_e-@Sp9vInJt;c^ zx7N!qdk{mUF|{(xex)YJd_4^{INp%qnA0++UeTUDHQAqHJm5NAc{nngHAu=7EG!@R zC(KC4gV{|T+3WAd#!5$ti_6ZjG^BNgUDjGL$~>X9_m26qHo0cJmA?_P2=5o(_vg<_ zG0?u$Sf3Z`57x)A=~Lw5A*ysKty&o@m8!&+<{ZMAgc<1Sy(*WMcO$&43WY`oL#z_5 z?u=6_&=DT9JgUc>Zth#k^3g30$t11mZw z^0~QcrLbu!MKohWzoU1obMhYNwaS`0ck|LNoek7xmkQBH&?^brFsDa2b!O5y)|R7} zK+AccG+x`epJNcEh$<3>vyt;4N!ey0;o8(KkQ6{z|t-*RU7Mx9(JeiIl_(0po?2PICDqr!;T(> zNQGsYZVr0^{7g$jDffU%U4UokoUGD;CC_ICO^v*zM5o*4 zMGGGijtRgmbsP+p&4=Quss(r*w% zF`i}(h9O~5d!0g$(K}nUk>2H|54|skeGhuqsR(u}tH5GX+>_Y&8uj~3$721F@FltG z2l(BavW$?Q)R3J$4P$9ZKVvr=05zJ2sS+;8%YbH4^t*j6DEfU8&(_7~M{Y==Agqq^jp3#+>|FI2LH{{^Od^n**WKULP`waX=*I&gD6at;Dbe=meIXI#b-TYd&a zYHmMQO;wcv~j4;cmDze*v+?#NZ zxc3*nxiPtK@|>TaNlY0eOJ>_}6c+W<&>ibtUcSDt!+XnyTuqNvKdF*w%KU8_My5hq zP2Ag_eYijAtU#l*Z^db9q8igCu-2b)KZWz#6f`qLZ3q(9N@m&Ev*HsR(|h&TBXRO& zh46v>`I&!2`IfDXhQhI`NDuD)zKh54k*zPQ+@BsD3376i>S!t*1QaEfFelj>wMan? zh$g=;kMO0?u1!5#NHuiS8_5)GRP%xmg+0|f>%Y|a+0tH&gH>lNTR+Kv=HNW zijL!s3}K8^-x9FlvY;3zf+iN2D|4oDo>lYiC0xGoYlWz&Oh?wv6XPoP!;dF`+h-Zw zw5EYT(A`Z)4oOiMsFa)hyI;x{S$ZA9E4M4w%i%P0bvQ&k@0UEk&lW&9=8)_XKl-M$ z>5XW3YyrI4aomOxXLNDRjG>*jL~f(vJ(Jyx!m)%|qIUam5&@ArSF#yTl>SQC)9cnr z*oW~i*PDgcHzsZ5H{v9Hw-3V)`{CQTw3Fdz%83&H9szkF-OV;FA%*@mqw4;IHLw;8 zU5z@rOt+e*p!(cR(&;O^Mp)d<6_8CE{Kwdyhc#HsU!}oQ{0|W~Jdm4G-{{u-I^8ds zvHvP{K|XTq+nYE&iNWl|Lv##vVY8H}{V0HZLKg zq4s%?pXpUybLnii+6%Y}M^vXokZe|d`08D}NPO787G8TSfAW^jO)T~80Bu)Thoz)+ z0CSQSh50r{qk^jQkMy5ByD}@LLHs@A@iQkDaaCKS zx>jo`9Q&wuA*%PsiocXrb4@<{673ncXM-ImbcSiZy@;_wgSw%;cIGKL7GQ zcPht<-SRbnv50AsLtG6V5>jB1J0#sTa;3zmzsvGV%+^1{CpLdwA<8>+3UU|OLzJiYr$UF`kmzpn!t&iqW5O=Ho!-@ljrzX?RMH? z-6nyX<1pxgZI=WoGmiJzZQNUuxG}ZeLK$K@R~fnF6asHuo4@p7ZPAteE~@j#YacT1 z&@JGe1iEEh8P?BsNP7;4gWm7-Co||%8z_ej~vI{=N_&&QU!w;WROULCzf~g7wY1-mym4bSOW=scM{Nmg3>%A zwu=r?cs9mK%=71UIiH;0nTCWP?;4Ks@t_~qUi7s_AzNF&hGr`|P3sTI)Aecpbjl;0 znLU6w7sK>ZbjBB))668B(nQgZu+Mz zMhM2h1>@PXns-mWBC4wJ+R}G?PD)wnHNJ_`=WlmA-*YfI-Kw%x^wQf{QQ}C2gfE|d zOw9D)uh=|?&X9SBv6_nO8-?JS;E@Eu#Xho}iQpvS6oqE)?*4UL&u)C&b^6fgh-rix z{ez_RxyZ?dsH-21XQ!!m-l1VrszRqUqSK9Q0a#)PT{4iDrzHxK$#U#IvY#>3zD zm=Y+E(UXNji?B2!P-GqYhf6Em9d76PP<@wswawjiq0=uFh9ImX8T#(}ZzkwSfV(Giq69EQVOb)iiGm@DDaJCB&{Z7x3G|#82LBOvc0gZ{l+Ki|__>gD z-eVNJXNzOGcv1a8%l>X8vQJ@u7*9bVz2nxhEE)O{k{H2+c_$|pe%*#P6ZFjwjBUrO z5Ns>%Zugy)+MQeZ*+N_@ct--p;&d+<_nfvs9Dt`IlVxRYnsGtq;2$dy<4zM4*Mq@{u38 zicC#A;*uNOH_PYEh#@&^rjq(xmn{ z_IHi|uGZW?!_Tr-iExgLtZ9RzazfVDPIuk|E)DNaP|9vm+-3G`PSii+-K@s9zVOOV z@&k@v6kN+aVE*;>Snk>p9m$bN)=!fm3X1%SP!rNcR}{v%144uRszbrEDWDF0-<&}G z6?{5^bLn;3DL;?9CqFRx#qMn2Qyncg9InyW+TripaVB*ljmJunM zo15}%yezXM5D(Chz@ZavKf9*txUVKT-d~;pS+hFaVK`irhjVse zD;y&jS50)TsY6nX;1>E04_EJMyNIynh&wzr&y&_1t37yZrrn^jn;zGuNksdS(mPf) zbltC7!^S&rIOaGdWon+^JwKwYY4d4tMl8@|J<^d+{qI=HY|6Tum0}(1S%~5Kb1c;l zvAmI3w0kLB(Eu$~)enzHw2pS`XRLH?H$UBw{<$heo_`$tDTUIZiQT3PAVmwt7JLQQ zfBS8hCKUa{HrRsAGtM+%$3@PRR=W9~p^fe(lZB{r6V&QVQ#b|h7-!0NT*OB<)q*n& zAK@4~r;yfL1}gL*wL|wCuhPE@Qk3!jVC?#TnEJ}FIG3ecoWUWuL(t&vPLKqG1b4T< z;O_43?(XjHuE8CGyF;)$oW0Na?w@&hW?pKhtGlafty!+qre ziqE_=w0%U@k&Z3QJYML|DesP9NIijRVby{(WH5VX!S0SSf3zGwDZH(PXxu(XpDP;8 zkV$d>-Q9=7)d(fk_ygL3_zHNf#po;7(2%DxVO{gA#v04q5F1Me$}j(g|GU8@BT1}N zM==8_D-24nH175P$*rE3OX!xbU?FWX7P9iDZbL@-wbY#98k5&^;d*gDO{bov%_^aFzib1RjzreR7H?OZb#Y|Hod z$+l-=3>`WYOQ?aR!20SKi7rI|Ma7FhC$=i3{BFr+5@~3+(1v=>mB2l1J89yIky)eb z)KWgIq@q}zipOI38d&kE^2njXAagTzXk~L8wx4=39 zXvgl*-&xJxUeRr0tl(*Cc#UcFk&b74O;-%)*eXy@jyRne{%HmMVRfoJ-L$vcRki!( zS?5crq!7YnrtMG@_#5X|kC6-NbfA(+B79^KhV$Zw@RY^@bzRgOc9yYd$n&%8*+f@O zOksNg zAzB=86hGG&19bB1{lGHOaQ#Ccj}idrMT+D|71My#aJ=Kt=vLylX=G49fg??mN;bP% z!+T8KPDAhdLd*BAcz%SqrmoL!cV=buZNG+vu8y|N*BZvz7FXr+#|3ltT+iYcRTY~9 zJZp2yQ<}L{$4JX770YecTn^7H`ZLWP(3MU>qYyfkGDv?I@6jSpc>uh%jV287Iv(=M z<%)O#wI)M@z_zR1rkgK`uM90q=r6QBxW^OUwm)q^@DS08HoW~9AvRB$e}f;#(lnoBPBUmjUwAOaz5zh5`)tP} z2@1QvxY^i^k$~=c$oKAcVo|5VJs!hEee^VN8Vs|3aniV^%stLEGv6AMHj2grVFx!n z+H>N550>l~LfxTP`pZG_v|7ARAL-~n*$bnwN`nm<;@>xo(wZOal_@O%Y25xNVw1>M zAbLuZOP8MB#wzjS1qk%>_;BLd8xy7>8mdebK(vvQ~ks1GC|q1sAG& z-3f~yM-s8Yl+nIuV=hZ{z|Zu%1@18$i!&_f&B*v^dd{9Ed?OUj=&@EBuY!v@9yynq zUQ8(xd?NwQnP*K2P4ET?S^6|C$nsj>6Wy}EMr9mB)(Y>M_tL^F8C7)arE54@dGqJW zA>+Rr2;8JEWxB_Ld@Z1d)QM^GS~AloPSq=$ljskO0Vbf%16K(-7~fT7?_HkY)1>gc zad{NNXY~`zh~v?MsmEQz4}kabzANL9cW*+uR-yaGK9;d1iJC6x!9(|I2^VRx{EhiW zZ?v@PduEBVncc#rKO#s{Ac#%YEmRK4)g>Ev&g6Sxx~kf&IYYNz-i6z_+v$PMVP?sg z^Q2+*^NhXS6icP5fqkz0Nc`XnAz^@=Kio8M!SU^to<)`B{&6*H+(|KR{iS*fwHa4Z!(U<@QUr!h#upudTY_a``FfXX;F&U4Ya5AG%4e>+6EMq+4lrU{`KYa0i}b5? z0u9SRE9i#5yDe?PWX7zVY5X&|&AXew2b6^>1RtdyP#4(WDs9H9mk_d0rAtVPeUJ{uOV;)ja?2*6GSP#W2IUU}PJ1 zC5ghhW~p|g4~sc#ut3(JA2>77O8L=W-vR_uSfj58Hwj`IO}?xL;sS+^@o1Us4LqCngtp(rrLex*xQ*ns0m2PI$2&+;;@T^ zGco6)vYHdt1n*pK9lM+S(wJ7UK6Ngb?MY_e9p#IjU=>C##ie7C{l}K0(Xm*r3rpZ) z9`4zZsQbxp2<;PrzgtqJsm%ew=7hnXO|^rTta#zp=IO@kPhw`mZuHjBA+_F#HiB0C zR$p6N_9EiOQ^#{jE9+VtdjHp_zEkB)u<_j*UhwG?eAMeLgd%<8L6!#;fb?<_;fYuvcMGmR|`-y5KDXEe}L!FvjYsYB%+w03SZlMg=_Wu zTr$aXkvL2W9}Hn71{#q~pUc?(GGNMGo<$ZTtLbz;Ju?h__6UKn`u6c5`KjA%dG~`` zE$SB|oYTg11`o>LmJ4`9N3*uK(GV8Uzh4xh!Z?N;hx*9;C?NA;EbzR|**hA(8sl9t z_qP^0N;IO}kZ3iAL)9T}quowdY?rzx;|{Z*uyq+rHGR)7+|sPmr%keR{BaPg?+UaG zG*R-EmJKdc>$tmF!mEVjobL@Cjr@W_I*shQFO_)y47h$!nXc$gc^euT!!hM9 zq=`MwsB2jL?sR5c1qMmMV{?@)$Yn~joztV9#b;ty-h$hnV5CI`ykpa&yh#G9dAf0S z@@ybzE#uKbO~U!%C6Wft$C0P)D9tPXE`3*|Rrcx(-g<`wMo*Msa88DX@d?m14feG^ zc`makeiJICi2CyUBTaZnm5Q=b1>abj+zTHj;x5)U>RsRAT#I6(f+sJ4xGkzV^Ic_1 ze^7af{8LT$fw;~2;|46++gY+LZ#X0qm^)y`Tj3JM)UNE_%q9^n110NHlzcc%2o{Ak zjW`#52Y0j6g;NYh&Ir%8Q@H784<_LsZq2&SkK_$sBl90k-$u43&yvT|ndN8&ey>mF zkquX=gLfo;(ei0|>X{}S*qU%)YC-ybJ_xrAkWm_8c0f{F9r55>nvzv(eeK913D=xh zF0Ih)YjK-ME`RF-tK3;}Fz*WOQl7eF(Xk0HgKRv9Mm-pvL@MP#cYiCjJYd`q{$)TG z***WrwT)-O&%WzGV30Ny?)QQ%ebzdV#t-Fd2HC^;n|K>zm!7>XZlJ0HaTWpt#Mya^ z#eb3O#i9M`bsCZkU-E^Omck%G6r-9P`m=Pkzz*cD>J zwNR9>*1c#X_RA!2&7ysQZV3;}oVj0xfcsplKO`5I9GYF$`Bz?H5g)BA^BnKH3LT0x6(qjIfO z5%7)-*#a|uNDH-z8|?t8I}M!2eyA;-s(H((W|{FZg0`$-KRBEJHy$~G|9$F71%5f8 zv*Gq&g*`uRh3#ASk?L;}{3Jm0OLi$o&4RjOh6+C0)Jl6J2^Z3xr7PAql3U#ajKXLJ^bB*BT@oc}{C z@xk8u;o7?=a;nUf&0A#GjXlf$)m0jN=bgYnC|;-WXms9L zZ1OmlAs%2zmFu@B1f<0knvKjg|Hctzr(&&ha?B4xKh+}8JJ|y8N_?j_HcqYF)x}`)H#~l~Rw@1Wy%_vEJ}X zWh0LLF7t`*n=~sCmA8#Ugt3FMuE~S_UU`+(chhjfEW-)JRhy0@i?>DgnNRrx>{bFj zYv%~q#c#u5-3z8g9L&FCre`ZC^M)?UjDGW>_4bNf(e6KZ7FBDj5vVk$#cjYUc1^rlvSat=0tk%sBbsksLUfxOIk>wES2mY(ZdH`a9p{F zxVbNVrX*Mvv>$Pzzuvgc)$xvVT8!25aK`Iw{fgJ)juCzjRghkwWhAgjcY*iGoZ)J! zWxA}Ajn=u{iW|R|z09WEh4XWdxIfH@F{k@k>*J&4*$P*qQYMt^9OK@)^Y3>A)OSL6 za|U>*&HJlMLZ^p*r`$p@ysuva$-HArp#5RxBWz2SUnjk0@kp zVJrjl-g=grXWo|hs5hidu+}bRMDft_j=J%1UYu;nfN7k~T;0|Rv#IXpZi;0+fmg29 z&aN6^a^k-=j*sx7US~fvpw|VqS(EDJskwG{b6L^X@&wxI?rpAo`>4Sr(6lmEF$X^j zcL*&0ot$V*zl|nH?8uDr`S5;^Za;oTvwZ!_-$hNzccPDklZZYLQ4G{}kPAq}J|@fO zBz~74>fE|z@8*JVQw?}aPz#6ynxSFleysL(iFW3+wzyOPlWI=&xVv;cfo)mBNzDAY zI}70^V{ALiq)(dF8coYP6CTz&YnA~k?9*i`R2JOMP|pj%p!c{Ufb(~htRncGGeW}o zK_A@OggY(p_H&F%jaD5f>xdHc?xw*Bn;@70p6aw5eum-|3%efQ*y+G*mn^U$D|;LIPYG(2}xPl@iVYO$}-d1eRJM zHE3Xi#`mQ*EvUWPj8TZ^S(uVI)-SH=Urw4s&nUr)5I0gOGW9aG)<<$>qDR1{Y$h2j zEr;bvh!YSH$Syq#V=HPBG;#eW9IAE$Zx?K8yVs$@Bv~sM9VqKk6&7-bK*NG;6 z>4k)9)wxiPFZ=4#R0+yUHIh_${x>4uOXNcNi^$ppoNF0S2g0(-_$`j;GOO}qF^ zDnfH~#}+F^72xYH^aS8N!a!kvI%KxCMntp1k*w-44D_G9Ya|IbnXPF)>W zZ0NT*2%5o+_aQ9v8@oI8v6o7UB!!vFm4m;11jNJ-0vf{^<*2b)qlN1^f6P2x={ocs zkUA$`O(Da)WGO0kn=B9kHUP0pKa%gol={x|Ak6@V(?V)RAQ;uy|#@ckyKD!(iDfY^tgb)TiobGvzef)ETL z9R0d#Jj6X)8js@rZ{Y{zy5f-$Lv0P8lX&X~D5`Z(p5!bB@`;W-6Svks^H~T(GV%km z4=KelQ#C*Y6d#W$!Up9N1>U}AezDH%Zu3%Ia^s-Em9dor@x?np&?sr6cVBHXv7sMFC_Yg+3Yap+k;@)E&X1 z16wLK-!J-^^xIxj@Fa+H)WgdP++V|Q~1jwiH^B)p6`gBov+VAWk|{cncYj zRfbk+wf|ZLMahio1x@30XK1L#PgOY-4I~eK6cxs^<6>L9X7)+iV*jijUwxcPL8F8> zL4&6b6?y~8LJb#@Nmb1(w12P{!+eLh%E4O0-R4vZPwtfji@9*o;-x`6zLvoi{Xul} zr?l~NF39D!vi}KHA4~BUA<$xkQ9aBuz**Uy=1uQ61H-Z4KY%zviJqIAXPV9v-nA1P z!OBRgp3OJDU(6n-BuqbeF z)4<(N+&+VbfFCtZoj!(+J(VfJ1ym)!mt1>|UfS4ml>&{|)lbUu`yYP#ry*e<4GH^i zL*Qp(gx0siW>!vE#2J?&dlQcHM8p1ab=orp(yt-pHL#y%tZ$uLL=8`aJ;DZl4on~7 z|5+risER|Nsi}*J2BGsVqTV|!w=Q@PS$G{44SMHc|aLay)5=!#eDDL+@A#!kf zFk`mF({1V<6@}89C*8j<-t6k!y}SXV=hJzK5E2-qqTUZBAS@(FUJfMO-aA6vESf?! zGJ-{M;#^V{>zNutK{M8+Xl}5x4Qy+pMV#4o-ro%~T_R}+Vigf3+uk`2FGlrxgbp|n zsxkut4Pc#)S2yr3A3Q>%gK?mrA}fh5t!>2ZzmhaydaIgi{91*KbQFhr63nv^LzUL( z8<`-iMCJe>T}$W!8i3USCcikLo(0JG5v`>%U;sB_y7_3CmdF5P&YtxFu9shk7A5lIwMeSO#Hw>4C2K zjR@W0!X7nGYoNu01O3RIFrk$y ztH#&mwymBSC7inn9@MfvdMB}P!g<2U9?xp2vjB8jaf5{(YPxj6PkOR1F#>MNOVC<_ z(N%%lFS~M>ZbX;{VGLwcdGg>Ue36cUbq{E_M9lazEhh%O*~UUb80{=8`U8hO0O}?9 zjMBZY)SBC9Zb*Kv5rGaP95^eLco2TQTYA`mE$9+k(|L-??^<5vhpW(TnXP(Tr+2{{ z8~Aop#@(Z88CQ?OOxJ%#yqDVCW=w9y?O*=7{hmAslnPSGd*3>8M*VyIAk<6y$w`pB z(yC>Jq{fAlsZc=t?SKpe_y$guW zAZ_8pu9u~6Z0A(}>lHIKQY+N9bBy`<7x?%|3O;?>L(jV6e6{O_O7eOcJF+Hh3p4Va}?Tk^mrtDsPW#9qB2fIBznST3&x=sgyj5~6-Kw2 zU$+=*>Pz^2p3UCIdCECTr5>i-e*wxB#8J>08oKx`8&PWCQ(tbO3*QonG_V}{my8>( z+*Ss;sy*=rIq7}Yi$e}^K&O# zVSye@x_dM)0(l6D>F`2BBN}o8UK}e??;$VE6(fZF5J*7`!oazyLoOrM4kN|O_2~7< zx(v}U%T2HV9s`F>2-8_t08JCIH)XX6JFhEtpxgZ=%P)V2(=ny?|<1y`IO_(Gr=nc5sNxPz1S;yZ-qX|9&}M zh}B9%zrcI_qwAC7qPGfrVM(g)3QN zcFC)}eM&RIeMxQJW(FbfLg2c1Wrw2?8JMc3otEkfRuMLbJCq0oT+C2SKeJ_Zg z_eJ9->nK;s8Qp)v~ zyck}CgIZn1teA_#PELU*BM6Nw2o zlYh7=O*X@N+|0)juwgR^>cXa9?glcV|uPWAMEQfZAL&DAl`)j+!|Lvuq|d%-zF$Ox(QA z|4=2E-6d`OU)}`bAs%>R)Oc!`pg$pO%A*P0d2Z@Uo}D`1(xEyoP-;FoP+`&QglWk7 z#uO-$ji;`m$jf%baQH#)qg;f!v=JK|&vG}j9nhBZ;RiPwczq4<4mcEW!Pg%F63WZR zOO`_x-W3NJ@FwZ)&l1MtOa!lZ6lQxQBA9MEG3X0g1X1u`=lm$LF=e*pz{98>S})p` zOsE3LOq~Rb;LCnCDJfKC&J%2$I`@MUO!uy^Q@1B(M^a)D+r}L*4O(9ciHS?vf`j%r zC|-h52xRly)M^an?Pa}&Xhm8M|AGL!{cK5S-93e1fL-o)v10jXJVvqSNMtbX4QE$K z7N!ISkrzHJPmZ$hwTvMVzQ=6-m8xHE-^ndVl`e%1zA#qnQt9>O@*XLu=l!!dVitT* zZ3fd-nKT@Mj_C)u{p*B75q*imNY88sL!-UW{Uj{Pmpo&=50{?bW zCmTn_JJFciV&6&{QS#LUmorpWPrv+}4R18~%U#sRGQU}+X~qqL3mTK^qtgEpB42&F zK%J#wi7dZ0k10uKvAnuUW;ci!99~$ytE{;)_Pr$p|I1Y>O{`Jw>E?Y&w4emf<61}P zkZ^YDmXM(#MzcV3gU?uk7|GzMkG`IG+PmXvGFHrO+KMEH<*Xca50(`&h8Bjd6MWsQ&759Q&L!wFRQL|X5J z0zGKVQD25aWf|%ZKm1DaAgT{4 zb;y+a+IIYhNCZXNXhcwYA_EgfF6w@Pfx6^+kx2dxmi$39cGLe~{=@A7UZcy)`E(tn;68vTegdzBsIFLxhSJbkgy;XsJ^}<^| zu^@OUN_o5aCO+kh!&JLzjmAY*&oe)ewoTUoXLUY$ZUp;T-dQoP|_4;;ippP zxI(CPT*U#(8bq15aSGyk?;3dt={ z-^xW%TR9>?S6iD1TF6?+IX(#R^VtmDP@%7DNU7R0KfTdk*(n*ubotcb8a~v4ik|y} zPlgs}r+gM}u&Q#A{tfOgbJVi#G}SAo!M4pMjte5P%gNT^Ojh)MzafSd7a)oZRLa}I z7Nd;G{g@gvV~law|1izYD4?0)iGn2@7_AD8BLtMM84|I0-)BwN;YKEupzoby;&or~ zL^X~)^@}&fqM!~KlI*5OEFGS+& z(A;_-$7cR3?$w}WU7%@3Nx6H>MRcKN%7wfL&lgWgC|%cVyZ%pw0pbuEhq zuUq!c5T+iYXSk?@?B|t1!Ui71{^-hx=*f9BW;EeuM+;c-sEpvc9<^%S6B_qeddS%p z-ks$ARwXDAcv!5WPHxStuu%&R>m&PB}T4 zvMNx#ZbdZM#3*up-xhPQD{dY2NH~F4??>tc3@2DY7`QeGaIj}$$Xbd_VKvr!IO2sm z7dK?ohTR=P5?OXX+IBhsoeV1Ai=5XbUK$rCmsh-ErY`Gb8l(MIU_c|Qs7?o|9s(+#4pid3VknkLsk0y9@ znOB6`K1-+H+-u#LJ91;niNqFftctL~pX}R8 zL=ST$kT_X$nl83gdT|f&(X=~jbodcAAV@4c_vu`f4~Tfb#-_g&yiL7j3t55Z1KlD)&nn-vuItWX$clAW zhOCgx=*epjMdh^`0WG)=y3q1Op6M^LGNX=9QDe(=sg&E2mUh_jy!uYg;?R;gN+xnWc#RWFDEp^JPgbXr`p@v>6(DziE9<&t_%90us-5xcqQRRQ z^`uXiU*I5~uK`l#3Vhna$RLPy25XlUm<=|fns@PGOsWW|RT^<1-XD>gGR1ny47BOg z>#&|qEA!Nk@VIt?B28cLnaa$e5ntOsQ3Bh&t2$RhN_66TvZu=Q_Id8j&!*O74oHH4@=xdkRpyh zFdiF&H&IjksY#Y6_lQuTf5t*wwE#E9%XO;w>CMX(WnEa!Nh(wWKQMMpBn!e%p@46z zOFgt&u76&u$ww1uLVn$)<>>qTUaB)>Qol_Nux_h=EC<3WzUQ-q9!$YV)SeegC1L5w zPUX5Tk8<5j`=8Ho=o%+o<@T-9=6sbEuodr&tFKKDGGy13o z%C`QXlMJrl5}I7}wJWDEm5&TH|8%ACB+!PlYgH6^A2>jj%0kJu*o#w72+VpAeGCvU zVHDv_Qk2XZM0y^aAGl85R~4wm+`j{QpKn?gF@8fowObt8Hb~nVVcy(vWa!e#^%kQh zNwf-66$knHvI;&~KbKm#47`zJ;oY^;QN;c8a+0=?SM%4QWL;prvX}YmA{k}s^_aCM zLF?$zdFGHWP^Dwg}WVGBbG z6=N|Q7X&m)6=A0ng}QtGj+ZUhwD;#5A)?sCInT-8sCB(y*+-Qr9wSK~H;Vh5jHK6` zq3ZyhUFGSxn~^xac2Oc`sC#U{V}@c1bwWUIZ6EqYDwXLT9Vv3T-eJ4r zv?3M2butF+btm2w$@RVBl_tNQk zhd>%e;x?rVQy~p|V5J4UW_OlMwXFW^1+)(>$i&k}BLhyAw-6Hx#lkmIfpad&05Kh& zZD@w9Y}+w>OJi+v??D=)8UR`c|EY<9eG!6FRpQD}_6a~qI83nHnx6W-4F5SwibUqc zQVlMh#=Q{4^;2~x|pY48~49^^X3m6Miens(=p{a(Mqd2g|fJ7km?k0sCK#2 zSe&1W?HvPW-2Xa;o2DYKmn96u8f;t+Yaz8cRtR&PfHKavKirQ*8-*+lc9GupWczm| zk>Acr^$xE^gB$LI`jE9^ri5yKr+E$KYDvf`81Y&KY&@chh1ef+0xQS1 zPePMe95pvp&SX0QhiH|I5ZAWQGfW||6|2C0iYzjpq1k&8d{G(midu8Y@iF1D#NW>-rVb z0&bSWQ0&{uC1qMnQ&VGbS7Le zAHgf5{^m&9<+wI#iUO|n*^3$AVIw6T_WC)1hg&5$^{XF=7ac*dIXx7o+o!G=8zw)iVr|1y~7@V208PwSeFRL zmw2mpzODLUJWvF>_A?6`2Cm(Hz(oTYm+L)NKo6W}QN0^4#kk5AFGYFnz*NkGYDIL5 zCa;A$Kc?8>*xvnKm@|QKlrQn0AmDEWI>H%b50kUp#{+0pzCxsP;&pE$jmcb*8|30^ zJ!OCXXTk>B+Eo`sS80tZ{dS3_s!9?8EuUYHdM7B<+c@D7f^LGlxN*x%9IbuJ4Sza)hxcREsmdwTW<@(W$G8ZkM&LmJ&h8d&`msIi;yZ82}m zHQFOsYVzcs6tEL1!$R7^u|+yN;q1TP6s@@)hGwHbk5q8u)E_+T;WBxKo3O#EUHPlK zdJlQ|lKp8kPUCgojKAdT3e9iAC)WLkGVhBv73D;$^SMEKY|58r==Cw@o#BOfuD{*E z${D?rqcvnfq(j6GFE5Gb!lE~>|rONTeE+C`}@=Wd)ROuEBXHFj+d9A@0Slf zWqj={i|m+^P~9gtW5#e_Tp;RRd?R_yc77ZNV0`^1Rv8dNsyY=onK?7QiSNy5x= z98b9;nMRci?8kyv_Uv|=?4smyO&!--cl}NkBPdb@5bitu)6yw5D?Tq&kFL0+^Kf4MG}Tl z$(K3_Sv5h~`8^Li`iUWkTK8Ydqwx2Wb%lj(@uW&4OsoA1!BbsfK+M|&vZrkjOV-rT zF(DPT_9|4H;_`I4mW2CH8bQqpvJ&#eso+sX99*F2<=JA~Rgo86DaS=1v`~g9%v!WdF51ulhV#PDE*QJic0MCi9(;ma_V0>s0XUsU~ENF=JCCw#&81^jzK&TklXwV>$e>E;&Kyjl}Hil)UmM9 zqShYvV=UlH8)?-9p#{Gqc7Zv&uYw}jT5<2lz6Um%*uepfJQ8Lt81@BJ_wq7w)az$C znl`i(M{SXSzjxbsxWQ>uj-SajlrXH3d$l$JT+8CyJIi*L2w^@RrF6wgl=zkM&1qCb zJJU}=)Cx_|qlG9vp~Rkpbxi0k_iALaF}1_z;$9I2qlj5!ir4H;+{tfTA?XxhyTdCD z)-*p+)FPr{C^KO1E!KR8rH$m7CFmH|!o<;P-G>4nKQHuPVn>}00<$jPF~~ASE}&8z zSwIXBFD_#y;;R@mpc_eDGp-?mzWhs_guQeA3U>obe{a9Q=4tL^Qp$Urcd$}<>|bfY zAZ_ytxi*Z&{GGz_?QgD&`{R2rKkv*BpsLu+82ZI%xC27xaM>crNdHo z!YXtPOupJ1Vn{>nDHr0l!9A=jemG#vKzHvJoCxh;rxwbJi8P&PQ=` zZsYEr4Bs~Ux`mXFIW@tTg?&KrkP4!M$h|($>^t5l;?HJ?V=FMS?;h&Jjt{b1IikWC zSC>60MU}VfHwXVHX<7f#t z%et?Xw8e5&0t9`KTTVABYvB_HY8cnX*4=xsF~!1(7jxK|*>VE1 z>EvN9+dE?0rfgda1quMi5#*v^lVR0j9801Vq^8g8dd)64%q?TTF12#0Bg-{VihA#& zng3FrvS4=4Az%z96>#zSz6p8vK$FU5{S0?DYhD%Gx$Ws_cAsJlU~H7${0U+&8hb8@6&*5ik_LRs}W@PYDd3X$j#aUvjw-h#~{s9&I+)bjZ>{vJh0+}IH7D5 zE*wwUvhyUvV>|W_L-E^LpU|mgaPLU0`O5n#k{!9QL6+^L#l?<9SYzMZdCiNk%`sOw z@`qQZ?u*Su2X%TT;sD=N5~9||C+Pog?^P-FB?>&3Yre$!=@HuLLD1zi*itO44)YXX z&7AWrcKGYU#PyCUz#U2&iXRXuco>Ooij3;-i71 zU~BL>|ABm{Pl={XKquPlM9z{k&%a^X*`AZj|FIidv~lYaSbm#HmdW1^xoM5>`-E6c zI`&k-8?_ZpNn7i@(l^8jAbp!cJ=yuj5Zq}kv*%OvaM5#^34TBG24LgIlTsB+>3h!cPCyFfIE?5- zg5P;-h*NE_z-15scnA(s=7IE1J{TW0t--UICj1yvZth&Z_4Oknzq0V*zi;f`UQDa$kl=)@1F zP%YP#W;JmBa&;)Q4?3*-gB@!;+)EfK(1jk?GnxvhDA46MJkITYE(aNVZs%cX1PS93 zdV&>?Sjq6`+uGfBX)jpS zwBw?o-w2FTjX)=W2SfaSGOK^|j<_F!Aw+EYJ>+HhNQO#ll1@YbV*cM)#^2|z6nX$f z!uDy06&C4J)gKgKDN7{+;^jQK6vSR?8Vixd3qU?sMeCk%v{xGe4#C1Ge1DSzPQAx? zOhCa;E#MOL{geKWt3|^B z541ug82mp~ynrFj2>;C|oy+wd_D8c_aZQh{Dvi1)JO+7V646@Ejs^r*I_`iJB*a7c zHa^F%D*Yu|wAL5H7K(2cBrhdclum{+lCjn=#%D+v=#~2zoRoM~>^_W1?0L-W=Yp7I z>Pp?SGdeqI5k+v$CAUimeku!&8zj0~hbyX;!r~3X>!D2pDLPo)^;Q@Hrd&iZ?vZ%1 z?vzdrIp4!Y7E8h@)e9d~TQ?|ydKQANh!nZVxzaT}fDtXsvHb|Y_m+vnX%mPS5wg4c zdP92V-;Z|RG@H%v((W@kOy5$LkU|V?Hb+Usd<;RdJtr1ba@^d1xO;CgknRjPGnV#3 zX~MM9J2Qf2);>$R@=ogRM}~@rB`jz1qkv|1D-8*DI@cc)FNrP;k`n?I@2cG)dCJb( z-oMNZkBbZ}>a`aY3r{9Hc{*YR-Z4^!dd~6F{e(rBm|t4%W_zE#HuZ-f>tG823(M*3 zvb1%DPV65PKpMMV4cFPm$P=<05q_u~w%rCXd8!uB25XXQJ0}d^Spmo5p^#20!>idsIZ-R26jrU01=GwnuOeaANQKKz`e|D0$9;Nu}i zT8RMNg~;?duO9Ch`QGtTG9h&|olgufK@n>nfj+o8yLM)Q7))N)!C#SA)W&bQ>H7Fx z`SFj_;%Km#&z~Gne_X3l;THVcA0LuEV2gQLx$&UQ;5`HGv`fF@t(g+$`F*2dO=NeU zc@eY2ql&82JT7hIX@3#!`nIk)v>>q+LGlb<){mtsHI)SD#b7+bK;7Q#$l=r#HQ~zl zJi(gdw3y^-Q+yFjuR4VmUU8s6Xl6p~Pc11}{~#!Nt#RJN*>aA`rG%c}BYpA$UgAs9 z^L(Gl!Ja+S0|fdC`*=qawx0Vpd!3p+#O;Z>;WAFV5M@gn@eE>(9yBH~8IuaYZ+Dz}4VHddl$b-yx84X;z|H%^a{h zcolKD(!w~&AL5%ZLxkiO-aBkL5kuNQTb@g1eYOTZp2mh~UfE(Wma|Ju^n_5_pzWWc zv7gtRgr9*9)8$>1JY9mdPXrqnZSK07TCgQ^ex)ZoWv#y$g~RWPHz^3|DytO%-e9}+ zSdd1ooD20LTOl67({ah>!_KF+p3I^u-|hP$Gs+%_FZs6!Nd6Iy;`VCQRR`y21w}`cV$atL6 zLc_q?r3MpTP#zmd1Z>sS5mKg8t%Xvu73?(;8`a${5SlUA2eb*JfJ$fXL%I(ns`C!C*R)3 zW|6#s{+8s`laD(V-Dxj+YoUSyj?Iy+p5f?hm;o(##_b(Nz_>Ffo4R$nPSU*hgds6$ z<#X3r@L2x5XewaI9LPo=K}>l!IDXf))f-?ApfYb)re?*;TTCCgoVwQA>(@?h-gmOk zY6hzq!riq2+F}k< zcB}`6pjTQGgR4e`VWkc-7*BcVp{_GuJU`By&9#c;=|;BCFBke}qYYe+hS-VbKg@p$QPo1Ao}{;yk2{G!)tV)d-5>}?x(XOM1Vq_$Gv7Tw zJ$CPc3(zZrQxUBi%xoB#szDS#>B*mV5Z!9>)%1WijNSYRC?iEAr6fx~)tYwcb+@m~ zgnli4`j-;&ko+ zBI0XH%PyS)t#o?_Z*WvO@e{rH!K4~91EX{Ry72uIt5JG7`SdbpYETbpWpb?|_-pWa zND;1N*1C7rFD+&`$MqS3#|roVuf6MxYpQwHR6&%cfYK3OK|ny1A|O?Yg7hj~Izf6T zp^8$ZNmqLBAT>aMAP6YEw*V1QdT$B+9un^V-p}{zeff~zNisV-v(N0aGrK1TvzO2y zy_xEJi)k!p55{5Y8AW%8tNxL9+X~%%mzZO??-$RhPydE_w7sR7`{xD(mrMARet z7Mgdt8)wVSwTDTTfYW1#%hO{hb@kv*)sy-(1Dbs%5gKJX-ETwazruL;nk<_CP z)vv)NoLYbTDhy`VQ-l1psKDj1_r=KaMSdm;uKJ0P_=*b1hRGbwzs=D|9};Ubot+x5)A=d8I`4BK>l#2i)V-ua2noqApJ!suO>Du#?OYf1tl0d^`p`D zQR!%1lzUWYrTz+eG_bu9n{%t<*_O<=A4+<)E~I1(Vu8yL<*#pj?l3T_(`P83(xW9_ zC2kE^{eqeBWjjxc6`GV&dCW%0L<})D-&t?lmw)}J%AOPgewO+W8KU;%FG)k1@OMYy zvrotGI-mMFFtYmJTdNFmtb(BK_jnRjLHNWJ>G1~Iq2H!yHjO{;>~ILGm0M88SLoAs z?0K6`wbG!G(yBpQN1-CmqJDw@`N7UaglrMx$kr*bwSg@@?et#_q&1T48iz3u4CLE( z`#A`-A|`@u?L2aB-ZxYtM&fq;*q!~weYYyUGtt-JQ{M%H4>?^l$G6n)%7{6sR}Xm8 znxhVpZ#&TWB0FQ&8K&bZfm;?QN}Tx67nh{u^4e14>WKK~UpixYAjVmn;e$Ps&pYlA@r3oGyMh$F48@ZJ1RGOp9@W{;@C(X^}BxE zgIS@oRDIpjeTgd%MJmmc=+N)ZoF|Ey%3=YBih>j(FdY z_R$=%J#BL;yzPq`d>DSj6r8Au`i4>AW-g1qc9kl$nXQT@zZ;HMF2=93NxaAVG@V{tEc1CS}F&FHFi z@?lRmV`eUIV%X%ip`#k5`7`bdwV(pJih`KV0H7fmVA5%>c+Xs8B7Z7 zqYBMCT|@RAw6BWn+H|#+z+kugsgo@PsOY|Sj*Np48nL2)TNtgSR3_Y9CFvAf&q7A z1oqSubfd9`K44A4urg(%=UNSeDD#tRQ2A|U_;0E)5k8%AhV|12WKHJabphX?YVcw# z;^-fUnrmvXv+kO8M-MF--r+HTx<&0bPcDWv`eR{56;Etqa5_ZM*NTO zt3}R?-q4kf>ppTmLIXEoB$U=`Jx7QrI|zWraXKV>!#M7cn=kO`7S8B;qf;kOFAg`w zB#ODV7SNutgYi+@gCAK!1*AW*YiQ?k*?Hc`#;a0NkX5^G%8P6 zxxMyh?_}6|y1YEwAt&c_xVWZ#0l(jAZ3&LA)^m5?I4&(t>aK_n9?^f~8=`qu1hewu>>RY}p4#TA*lXQ2H_SCGG>9OG=W;%#I` z_E`b%xxQ!o&K~Sboklx&Q!Q`T(#>iDr0jK}X)o!fsD7a-=kK%bXM3UOyWfFQ6u<+g z-x}MOJ+W%6x6YFgKA$@YQkRY2VW|(9h7O5qJ81SRb=7(+M_Bb5o0S@=ZDc_7<>C%k zB;(+tFLM@ysObyWT%$|$x}AOb56sUzXC0`yTnnaaz*3$w`mZ?1*M~k(->CU@VjqsO z(A-#zF8pSHRD)hy(TAVZx2td>q+93kf*rxA=v7K799)8RJ}GpaKY3a;KGND9ytRG& z4itb;OD)@5863v_6gq^ceyHcBe?#*1k!LUGs&vU08&gOKgP(5`P48Ad63M0r?DXk{u6D0R-^Y^V@)Nu+8DcTPqg zq1gqayT25CI=N(Gu>yILpdN|4pkdei>CF2bc$Fj&u2tV{Xq!RFG`TuzLY2G8J-Zpv zb0&Sf>*qTqx_y1Ag(v?!`%id`FOTC5CSgUHRzYCcCu+V#vIYQV=xGH2`xTvPG=N3G zdn*!(mcCI7UIL0sOdJdYwtW|@A}+5fq*^_IhKSmTAPim%?7-uh^`1|WVH@h+W`Vf! zVp>rUSK!QxHJz76UAh?{^@4yHdGC!CC06HSDnRflR?sOBXC6VQZ1oY-cOo!4294rW zA(&*goJyu+oxPSIjN`cP5s(lDo7K+7k4OHGUxVgkSg z5lZZJux`LMqp`n^0>%NBfAE60Vjfi!V@;;L6lA~()=LF!Zv?Sd%VCUExMAr^?IKgBnJ6nNwN&MV@;{elBbBUaNcGP2rRZ z80E}k`5dEP2pAni>6>`4ePE%Xw^o)6;otCA>Sks^Dh%RJ9FwLe)O+98Kr&uJqk za;hwoVtJ21`|y2)2>wLN?h?FgK-f`B$UF9S0@WwYyl$$Ij=h&$>g!hah$iJbym=^M zfwSfVk$1!_rmBE{;wSQB7*qQxSs-EsN#y`V2P=3h=}rt%Rw#j?%N80Q)DL2GVM%`Z zJ0nS}GG^g?lld3BMAnXvRKQ~=(T1Q?Err<{aJp63TUAn|tt1MWMV8!!p7Rns2*#3rNdwHh@l35$}xjF4xgXH_E$)55+Bat_{$|VOOn^S zrh6#YrHuVvAq&^P_-wVsm-WffZK#TGvG~-UP{8sxhbV-1XTpRom)YOjq{v+l&4^zv zxsAi(^bUZCo?yWR8*#6IxJtR%?KXcqG<5&N7M+i)7PIooK`PBfY;Kicij658ZZjU5 zek^(zygR31c(5w0mbHF|s@ko{gE>qyJ^Sw%x}~u@?p8r<4~^~8H?LV^c##XkWaeah z(rBi$Idvaxfr*N2q0_Dk&*c12yE2#E-eFv^PFc1`nNex-q`2a)Y@z8&H%JfGSk=Wm z8r#w1j(!!iOT%0CA##;_war<(sUq)|j>=&2XM@OX`mAnLopuFWqQn(Jv)ulYnXARg zeXLwxg~(5@?C% zFQIVyh2SpJaQ>dXSMKJ<(-V-CKSg5g_Z{$n=jSkKu3bEC|itumDzQm7|}DZ=F|&eRClf|)zn+)Qqd`K zXm)qrU^rXm%v+WFEinJi8zgQT;nLNw28mSA`aP&vhICg{M$~B5@!S@Gys45W-zw4u z9`>fHcwO8{mok!;s!UUEwa_Gqs0OkLDSG>SjK@vZQB}WK5_Ois`_?!c|Bg$EJFHV* z*gm-Ps14dh+=D7!Qu1{J9TiL`8%mQZ8I3}3Of2`y^JqH_JS07_`20Jr2?b+ww~Lc3 zvMbruf4U?_T`{DWaC_YDE5Cn8R?eT-qAFW{4aQ?kelJy%X0oA+OxhKG&D53di4uBV zYDN(zQl-Zpwfd5JGDGcFMH7R@UxezT6W3o2bF-O@eb~XLGT9=meF)Yu@%NWHKuF}b z?{$HOQx6n{Hp};{7ZODlse+^if!NJlxf_ZlK~8`KHSd1@PJ*}6j@nOx(aoQfI#)l1 zrUR#FT+E-#qy36=Cz$y1ug6)fmU6&F-8M6oH6vqYPaTV6zp87(jZ1kXPjlG{*bZLp z+fYX%^1yWQV_%tkYvz+&L5LN1@npNO4?Hi%C$m&RFAA8ZArCW*Y58ApBk2qGYGKPo z1}M;P;Yy8k#nqY0hL+d$n$gIl=lCW^FtW}i9q6)+w@$P5%+cI$SXNqWSxjT3pDGa? zqGZXmQNor%I{4>eQ|+iR+UAt|VC;bJ?7-YGyfPZk=gs8ZzXrl8IR%}Crth!OiLGCc zTzz7A04CM_Gwiv)*-KhHUS5&TS*^^cs+Yw(ltabupM2g>86Y3MS)MGy4|4Z^NxCj1 zqb(Y(Io8a)JnQ~maJQjqRm3Ui7|w4fIgpmCtPrPN<3Lo)U8~JUdM35gi8%1KNugGG zD##Keg4^b~czQPy%jQwq;bzZZRZ>@p;jCo9kSdzf}Z zxwtTW!;!xYWgzOt4{cN+k2RYcxyXONwf=t0cOUMy{SjWWpVRENT&*i;xuOC*FgmUC zu%cjdfOJr`AQHYN)aF@m??P?UeaogdLYvFW&M1;;H+ODR_?5d)lty{-j?dEGSn+x2 zML(+Nwt2+%S^l#w^rdXuT_#$WvsT^NbJYj&t2V@eMH$hh4v12%W(y=V5~ zi4Rok7(}7|C5h!n($}cx5swQ}WhjV^ffcrikqwg*P&|4LWD_4)UG-#I>09<_{rAMp zMx{Db(sGT$j~$S&N#B_{NmfT{qZ&Wi(yO@#bVJ9DlRo9{C zy3=lHs|~<+9A}$cnuMs|W^wdn41QO=vpmNkT6_vT=kugrrh|jtQA{{J-p?R~Y4t*l z()V=!W`f;m{i>x&MT=vvR*tdb+Rs}=2R~;H8evoI-4}aHt9CO-n@_iu6A*$%<}Dvb zxSxyK{hdhw9Y|d#U6;@!;-l8tTE5o^bBphkMU7N3a*Q2zNP`TVLgbZS7tz^^6}4^- z2(FYQ1Uo9FI)qEH>;aU}OaB-jo3?xg7HDhv=*q-f+Y*(}tOI}hY-iDQGuuAvL!i$m z`NV2LW1@`W;Gx2?oX2DICCYJMy0Zw*zIuewluc(nuKlud?n9kG;VC0oZsPFF=50o? zfL+d8uzAhAUi>Dk;DdukDv1^-S3m6I{_4Ij2+GQOQX}e^@e0xp{7`bU>$=>a|%P2S;AV$icwyK z&v>DQ@`7W763yUBj+mfpr>>|Q`z-!I_HOaZwGemJj_gJXsEMmp|8W2FrFhsRBWS9$ z&gFjEFz>>~j(04|_HZ|i%MZ*bSZ1UmCTy=guSi`3+?A$XoUH3=%`>dbRUi)D1dkND#es`g7MpM?0V-d&b?460yf|rE{l!eRNSaQ`rID4t z>1b#`$TnbSu+Gk7QYpO@Y4B|hwr(YXd#Vp-spnNfE`cu&i~d+mcpKF^Q37eY1~9RH z)~Qil#z4SFKrJsw$e`I7S5@|V1t;Q8OkCX2%o@G51py!n}q%z*%H9VatFy2 zI8$IRQVyQ3U4IR5_lG{fg5$@J#jr62=a535i{JCZX6ym@fPOL?Rs&4l|Fss#WXCsh zys!&?xhhZ-_^KGb$MUBRkPTETCVFG%|JN8mR;DkL3L~ovB-ln%9zqzZ{Uvl+?uhpL zVI)g|>Y+|wp^ykO^nnj4fSAVR(!`V`EKc~B`CIF64Q!9=T!5_IQX&1NZ0qHUSl|Zy z$G*$zg~f>!w@tVUAFE{>=&yZkU=^Fv2g?G?bjylH8Vkj9KrjR=hs(!zzU)yZ+=O*5sHhK(HMv7;xhfNt?$8n0WbG1E?R~$a;!x z)(cGZl!YG;v33yvi58ho)RmQ!F93{ltkk(M7_$N0MZM)tk-@sE7O>qHhOOCHnt-9) zKCTwU;(QNK84~liGY!Mi*K4%LWtX)CW zED$2@t}83w{sW++Uj2X?gU%;Fi$Yz3@;wYX6c41(i?Ud^DU5-L^E!LYh{Y-fQ2D&A zmlf-r#igJVR`3@dfX9t5y)>9Wc?e9XIydlxtHRF}7_Y^rk8fb@`UW8IF2VfDN}*do zkyZFQKKv4cUoQYHY>4jsD;zJYPS&gI{}1KqRS_KtjF%9ICJ%$^Q-DM^e$-WQVsXR+ zq9&CXd);;!T@{igY*^fG0a(3AeocVI>Lwt_K!z1GWC6;4>9{G@O9TS)fNv5V$UCrb zn??cg%b;L&HRJREC0|`4u8L@RATsC$KWbo5W#9y~SQt!U=nMxh5cp07V6MvmmODM!)z*fRPy$`Qy?+<_=84*^H7vKz7=Fhj3n7|tbzEOgP{Ki83NCAl7D7NaW z&?^O$=!tY*S;+=OM&uW{B20HtKwyYfmAxgwx+(>*1P31W`d>Qvmrnkr6JY%ScDw$i zlYi;t|DK&xu|mXdg&gEX<*R+ z@OV$yYYZ*@&r9nD!2Qq+oI}jE`hTQZV*UcL`;fy5!{-0%1q$r$&idg^N@CX$Yz6`( zZHd6=)v3vZ*d^pY=FIQ{Yt_kh(~JKW#H4sQc&~xa`(4av{v(KO=LBoLz`vIDkKD~E S)=V7W@1>lIY`KhS(0>7{#A#CMYN{60y-)QDhvz^x{{)-HVh1G9q@aOj0lwY zY~MBme_nY=E9oKwKYqwoQNVjx4{Zf$n7W^2doVCmFiNsgx;`ccc?f2BBP1iwj2)0j zWa>n$rFxXUZRBl>~RB-=%s)SADro{3N zj}0gW3KAienEzCX3MvKO(4}#prvGb05j2hTPi0w2?N^GRWMx7Gm4B_#aqPqY`y?u6 zI64lcGH?j}KgNU6z|}sd&`T=9yBQT z_}|Ty3mT-a^3-bh*QzA6SX}a73&}K+&}7|CCWHU#iJKPX|AKzN;t*cGxDn`nA|5PG zM(HoPKAe9GqQQ4B4h0&j7y}cnqP+?e`DiKt7xbwbdFYEWw^8R@ZRb z&6s;$qV*1%_`41ZK6ND#pVGZdO}|{2Xz(Y+Hk@_dAmyCmn}8{8Pc{dz@2WRex?{*0 zK5H-E9rrLAaXeU6x4@e`j^Sv^pv#fnuY@lIa#7_GeO!($K}NF1+2#M#taV@@Zke^c z*_=jzFaIh^QV)m{P114kw;FIfc_j4NaRc2$v~KP{Fo`b5-qU@@t6Vfk(^LHm=2ht) zo^#L`nC^#j7vND*R}P8z!91GAg6Db}R1%IM&S@g;VuhkphLMz%bl~eTZO!mZ+XWLRM1|Z+cuBl@@p2$e2o)nqaCix_`Q)Dja`YEfxzG8zUE>}CTlW@yVUcxO9;lAm? z_3IY#=dggj;^lqrq!r&q_-Wc55$RoLu~vkO9HSnh?i_JCmSAqx0drx$_S%*Qp0vDe zxMb7eWb+q%1Lq1dZ}&Zp0Jp|uhnn%Oy+;2N0xj0I2foCU5Mj5w#(0((x*oUSRMiid zLO-P3RRLTZ0o9>(yDI3N6MMI_DY50Epas+@HtSJhV8Fv9Q^13qZH#Y7Ln2l_c=EOF z+D9Tk%gf2rG`bdSSQ;vnmmQ!~$w&&7mZ(fPyX`o*jXk@_JTFFbpC8%(11{|y`p6-b zS$|AP2;`F&Nvz24=fO$$-jjGWH;!+}JOXM$mVd=typiQH+CU)O#^;3Kd46xY@|rgj zgEq0Ig2&Pxg6wxK4hbj4hpt}tf#9*4dz$fmeQXJI$IwH4lV<#Q5wxr>B-7UBp$zh+ zjrjq^wpYpZA4}taU5ptE*z2fOaAJ};a~r&vkdass9!$GKX20R3AAHgoaJJ-j0wMX- z=fuD^V_J@n;xg0L{gj#7YR}u;akYA!PgW5+n6g#a&|BWO+D9%6&4KR%SPR>#m3(17MzhaGZ>1-cf6{Xg! z=HKOYA`RFzhBN)(1QuJBN=$*!O^-26KLC4S+M2JVKzqSj{mkY4%uU%Jn@s+4)^ti= zRNOQQ415u@i7VkKaiQ0T-HS0vtQzI95D^T?JvY)*|ML)oH&v`Vlztd*gMZDpxsWRV zH7x>jz5S*DQU&$!xYgbUx*-rc$9ahEtUvYL?uwsz53;hItc<=R(wtDk$}qehavXe% z@6f#mF7RFr!ZwbVu>1{s!9*Du;3T?nHYT*&+Udw3H3W=xq7D$4gyjSZ(pf_>)bW?h z#v(p8#9WU2AQi;UH49UoaVRu^r5z_-dd)gUpj19P6 z{d$MTqK6u<{<9(e&m3e?%GiVKYW!~kd2__(eXD*r_S{9B=wx{V+N0=)ejPa_M~ODl zGJI|y*Lx9ZO_*(EypXtPGF%bCU<5+_Rl(5L?eZ9!;NqK)DTIPcm_ZGFmA*5k%}YSpy=)4nE{_Q9@#y|z_>Vl zgWVxUYLyXuI)n1pfB^F5!0hlpN%oz$hSQJHA+&JM8UQltqESHR@~2K>4{2y>+sepI z#2Ps2NUk!YQ|W*;$RomRRmZ^9v1Gu&xA&WR)kpZ;zhcIoO2CoX^M{J0%5SRsoy}Ke zT`FNi^zhMF!^$04F76g^d^J?KxH?j?eo~4SO^D^g%2)LmsBJ`a(eK81w26xDHI`0P zdU$R+jbFD3(PF)4A;wAee>@lpwcXQ*~yTBoh;t0Oj;QB$up*9WeF3xdRa1u*5~n)HXE$x$yayfl<45?G38l&_89V@v47va|oYD;5P_V&7 zew+EbN;t%ey;t7)jC2a!!&Q$aLVnxaR;b$&`78ws!+%?ibnW=Doa}`xCl;+Cq*(A` z?e?%ubxzLTkBP!ZNqm4yba>c;?c0jlr2yjaaeEG!|&SivAFN$4oT zH(fafWaNSkxq_)Q6pI#C>~G${)W7A}o;G`dg+VPZvno#_CjSL0CmsVWJbO1<)d#o; z3)T)72s)yHcw#Rwk!lTy=-XdXbwd9^iN6>CIP3Mq^y$TlWH&AFEN|utMBEo_S*iwr z;KK*4ix(@wehNTLIM!B2XZQze<^YXfye--N$I5LyOf>6SSuTm{KL}L-K&UO}3RC}B zIU@&#s9QytKl7z&R8By2w)>M%%=ltuOB9Z-&M(8=p6jJ)l8Zo>e*L7B(|ED+f2V^U z?R`91Y~HM;i&2t@D7%+;Xh%w4qF**zM`G?mA3Riq8$u^p$=FvdM(n_=UqJVgO@7K! zatAUx*xRF$l9Eb+`1W!9N6+2`eNEW+6p@verx6#=zpEVl1Q@YE!S#hagqb-zb0~rZ zXs8h2w6wIMz~B_=N<2#z0F!?Rcckwf+TPlFRi>R)yRB{ha=tj(>n|)U%w@?R{Q(Pf zk1Qy=0KD}(5!pZP-r;k?bfPg?CI&4-1rB}aRrq&E0 z;D*tR-4c4YXmL5bb)uG;Y!K zxQIAN(PNT0Srge(&}6-SrGHJTX@H))i48pyR?NXFR+BRIHqT8JZ>`^mcS}ed6)-~& zfA|m=Yt;84Dgu@4|EtntCFDYcu6pKJ{pg^yjz=3MetRneqUs&P!QO8Ps00-Fq-xEx3dcv9Q}N# z;MdV-6%a_>Jq^C|Vjq>z!BRXG7P@BkSC8}65RWhlEqQn2TJy6N3ok@u0ovLlfs5ix ze|hO$l97s?dyb&oj*FRa>gpNVkh1ROt zCv(@^Sk+@0;?Am%*_t=dusILE>l1t+QP%PL?#eEtN6<+|^Q*iq;d4)mtB!@zadYz`#%jgPgRH84I5n z0i80l5w|O=gI@Km`{2+Zl~iqHYb$~;Lmt|&yricmneO{^&F_2%_e2b`z4PO_X%47r z7G%Xx9J3=$WH0xtE<5H67e_F@!xgn*d6)@9WK{>kxT>yV3|QV#nx`I%p+=mSRtz=W zA(p`z)&O#eTF4WgRz}RajJ-MR)tjAlj$JN@z-J_o{F|1A234L7<2A1(-T4(Aos^vg zEUO2uZ88)aH-}0ne#GAHv$VTKO>bCR?n|5yZWGqxiDqT2+}Y&$jXRgw*yU<9qx}Z_ zi>t`CXqIKNcnvwVQCr4lkj?@R>{Kn#S7PTf&AJ^TsKIG@Tqfyx^oz`mI;o-gm9Ia& zaw}=Xez+X0*DjGKg|1h~ z?7Tj;AdCXVR@cY4wgX1MTLI<5hBSb;_I3uE0B`M{(wgUDMaafcGzMcf*!@BA74U97KGlhcD-r-oRR zv`JdC>`NL>{sTLYN#>kmCCSr<(s{JHq;A{t;e*bzI>_m5jM5?IR9~je!qn>s*|9-@iAZQPSB%|vZp?Bxs@b<=r>;ALnqG6Co~196jH{lV;S&7Y+MQmTD4Rt)>)d zRNF@(p9HV2l54eJZDx0~>>G;TRX_~T)3QBfaAf20SbM6rSCq}V$ZHw(Q&y7(yUw4?DRK3|tGH(O?t)*B zNSmvg^n_ac$q!iC<-{r!9VL7asLL*QWtCWZvja%!;Lb27c+>na5Ou`#+fU*eILF8Q|9p*bO)hC7tMaXX;WQ6_}>kEaV*@Q8}N0$2Q zhOOc?ty&GOg2M~Ef?C~LHuJB@`oHVX+JaW$80&8e1D5KdAQ0k6=NkjVO~x9kNp@%?7*X4Z z2AfcC@w|s*JA3u|jgUX`lMx|btv+0Zf&UdgNpX`5TKr11^vIQ(S+I{etl~1*!RPa} ztYI?@$fw+<8kODcX8x`1d_P)b@!P2)Lp8d{+fDQwql+HDSD3htQ+1ZcLOBf3y%d;C zyT^v(agWr>8M3%)g5jJD&ccS){;CzE1^c1*$USbEaoNy?n@J+IMQ?d#LKV8Odni_Q ziR|Mn)4N{eDQZ}uj|W839|UY?>)@B!J|MsL2`(AYpcRR(bJ?CQz>8+B__m|kL06Z% zk?o?Qc8qA%P4KX?cfF#0;oTb+{)brtm38xXdc#=Q6yo#rVuG`yH8o}G?!2eDya0vE zXcYTnm$kd_YsHagU((_RtGut5M?p}kg)pYu2Vm0r~yMtG(1Fz z(X63`w(YS1x_*HP^c=vG-L`4FY!yL!*u`_aazWs+g@xNgg&?bav&F0z4laP#&()Rd z{(=7!ffdF2gmxNT9h-ScsJMJ@Umq+>S_~C7tP<9wEkJ?UreFY&8UTw~iXAPGueP*s z+EiEs1QDflcVBs#w^-QaaWYby=!*Q(<4EpLA2H02F>t0$!%fRo|I zUe_2~zji*&Nw7-+Ol4fSGek$-ih&+fiZm5zOi+2Au_yOD`~5)=U~sI!-U~^>sGl5_ zS^&ew&Tj7Hq{axZWW^SU^t}Sj(!v4@A75@_E>%+>_!^U;Hp;y(c0Z)>Ok zL!*R)*@~4OaLPaUde2ggE{Os4%=Fc+rCR9>{eJ-I|5wrVzkr=e4PUt%6G&YYNW1Y< ziMf5Za`);{RUY>vZZZ&{5L~lWYBAtBI~Dpxu`qa^mi|Q}I#(W4AkBH5K<~CK?h#sd zx(QA0n;(3|(@=r8`(eF6vKse0{OefV;Yo*?N!uY>ozNquf_b4QqQ(}57`KmAGxi&- z)h=%Ujy5w9B%V8%Hr9*Y)%lD=NIA)*3gU8q$Y9#Hg7vq+J2DZDBfnRtk$=t5oSKxG zkHWsaC(83}>)`KW67iB$z6g&pacyJ4f+g06@c=)%k$3`i&_iju7aZh=MDP zu}FHrOA*rgI&cjcSP+m5VNuagiL7uJm({OQva(@R%t%N`cubm-KDN%1k}x#1w7fH@ zFH3*>_9tE48;xLdgv5NvaO`1pPX=fIW+4&Zff#Ill8xI)CCh&2_tQ73@fNd5293^` z_MYU?+Qa5i+9EJdgpJ$Z#5_sP=p8K|3)?+p=HtYKc5K4yKc)6R$bHfB=xt}h_azwn zT4%8}*y!WBjq`c7Hs())pVs6IG2xRD7-_#hvv)t?<94WV#spQ7tN-*hm%L96MmUJv z)%uu(tWyb!pLzT1H*d= zGZ5@baE9XPIJ8RpTtgH!KqZW5GP%c=gQIL(^8_c04HWgQ=}cx02=_E)Q~T%86QfQ< z>&}F5;{!3Wp53^_bwOkmKKbX<%|gEbSQ}??DaA=rS%)9oj?0>$r7xH>If9{Xepndf z*YfuQ_$NHeICqRl8y}_!DQ1=m9fo9U#L1$PXpPK&)Oogy|sXH zuei=9prm#3W%7hVpCluVRm9sRp%x(E9{9&1S6+WJZl>^{GFZ zjO+N6Gpb)TH{=+!J_@nrf{Ps&elZz0^59UC4-CW4Y4(gT;qk|Z*)8MVd=oRL)$eDz zK$Ongm-cdDyjnwxa0oBoHCBjzi}b+lZcEEn(2A^8E_eDP^J>1qjN6aq!>-7I%HX>- zU~ud(Hy>kEqQNmP69p2HRaI54wP4fZEn1GJ=9H8aDh~0uZ`P?(_>sWw#qcE2PvfS< zYFeBiAm(;j)i1+Jut|)Yt~a7*O=M_34Z((Z559)o!Jn#*7Hwl+i6RlZ+nBla_enj7 zenLNN@H}+8AX#`lcl8*K94TU}!$SbpI}DcV&?A~_7T|Eo4p&HzKq*0BHB|55W_UVxBmMwSvk=X$({7vykG5O!;$oX zvAA)qMs2097u|7Dr7hNfc<`8vC<@ZfB~^QQ2PIL~?!AjzIpZf-2tvg zt9OWXbuxRt#Qme-a#sKn3W->((~4%j9z9cvw4q^i%~ORBF_{9GS9W5DRGrz{rUo%#p$hK*!kp) zn_hlS+BrY^VMD;|s?P9g6~~MCIqOlx2}N{`{?OYG<&7yZr;W;=aO>j(n~(OlpRS}w z`@OmyO_(-Ty8DlBC#rl)IhrSSr<19-Rb!kQTU+tdht8)63s|o`FH;$rk!zsSMDIJdhHL_S3S^(}LmybtRt@Q`Ph~ z*z9&(Qd%0$!qPH4^5Pc*`wRKFt>QlQe!Igh*?|s$O$n~xE|W<~U{NxJ;iZ>V#4m^^ z_(2+gL#8}xhyP?Ri2#;4BbY8ZTk0QTlJkXmrT;yx{(^>rf&sJwR2*7F>xAK$9oGc4 zxGHwOP;)EG(c{UiB#i4n2-1D9oB^;9 z9s5)T>l$JvL;bgJij(6(EuFCcBGF3=?>O8~BYQuCp|;HkAmV@V=+f(Uc|dC&^|reG9}c1YYT7 z0MO|rqND?p2u~}B65yDV_1gclkdEX3dT8l50AMEWfC#h{h4DX3^1Wrc6$h;Pp$^Ri zsYZiWWCmub0=3}{PgpC95^!3j)U>6zXiAw&Dr}+*0%TMfG)G90VRy z;0^^?^r(<#qV&xDH9IiE#YN)le;gaxsAmD=_(Z88aWv=T-~R1~IXH}>FRN*Bf3gz@ z7+?+*J6!V?R$VC2f4D-v0;igGvC2Tq`JD<{BtKFg`#&c%h4UC>Rmqi-72r53FKI(L zepd>LHwVPMP3;{8gI8I+-ZsVA= zyTPkIWJ(6ew*6W=U4ea?IEKoZ;i=ZV(`>Gx^$Tfr^==#N%F$1gy1nJ%4oZqEpp!5l9+aLQ{VD`t!O7#Z3e%1&dZ0BI**! zX43VCo5;a|*)BX5d=I&>XIdYLD}^akeser8%7l>1N>CTc>KjO`St|m`G;`cv8%~4g^1A~okhA-=4(_RZwfl9*SQTpnFXp?C|G#l)BJs-xg z|G3-~>JEMO@v?t?G)UOLm2~KOIR5e5Ydi(>AC`_HcUT4dhcWI~Q$lVBco+29CB==L zTV*8Ddmaew$6{e>+j>kTXCrYH+?Co@uU6lj%BPN^%he7v*k5wkrYiT&V}vrQMT{nV z|1Lp*&+-wvY-)Tm`V}ray?JQhPhaKZ#}BznjTHM$d72~QWP<({nw^DcHqMA8F70=! zxq|DU8loezB^0?TJzK3wBnR~o^P9?GABYV$#|S~+pn$Uh;>}Q)Y z;H`*c)Vq0I>Yg_1qdVeZFOC>F@Uv`-fc2CcW2*Y;ZR z9ZL`pXk4#P=x}m-{$g6b^&oa0!S6rmMsILB)t3Ffpio=s$n7^u1TuX_;<%M9@%mH5 zl;a2g7h^3F+{}ym2~TEIp5M)8P5w>$BUv7cF?96y+~?s!*dh*WHvR4Bq{9zR@K~(> zbq|#RUR{{d3aiESE!8y3`-H8^49L)aO=VXY>DedSgB!T>_T11$54i`SM*5w{HrOAC z=>6N5=ciPoM4=3-!<#(;Be#symGc%@;=F-TX@Iv{C0GD&75z+)0lXEGgsMb)vZfR6 z==Jj})^P0KI9^i1O(>X&N%df=PRH1Xav?nC@Q&sPDo@r;7!Pd~Epa;4bnL>4L?*lmH!O>MAN?cDWBNr>d~35TL_?(|m^gYtg<`bFA(1 z=!6KG0zR!v%}J-CPI$*fg&cI0esVzJs$@u(Zs$NSgw`UKWoHn|#v-%d2u^U{E^mgR9heIyc3Bm7oH46dTA`Gqh z;AKP{w+;i(cn19r@4`IITdXM zkN^?i9&0AjT6nt#-e-OGxXq=x{)^^SCT8Cl(I*nWshW5$D5~e@gcyQ8$lshGhE_0i zYwx~tuJ8>nFW0%s^1uI!*MLnZt4U4+IBy`Y_6GYvaO30xjv)@OKsq@S|Dh zG;LJm{tM6uLX~~<>OVKTyM}y;WW+kf!OXvx8B13Q^2cY=hATr|SpPAm;6s1~+mXaf zb~uiOLx#wnv+B{pFK5eizf6ZqYCu|zO@NK5;~<*Zuzli=>oFLPM5|RBS(XRCr8E^4 zs}|8!0*^!6k5w-i5?U)vBRx>K>5 z*GFQ96#xKF)pn zA=YAUXRb*lW7&_ds)qKC%pjkxs=v>_iN2P}tZmT&Emr^aK`|?r@n5X&R1;zr%z}#wN5*ME(j8Y4o*6FL(+# z=&(ntTrd~INJzdEI=>`h|7Rfp*N@==kX4}xLI{k@;AR(GyucnsQ*W8yU&{cGXV_bP}SA@AN2sPjTvkGdg2sYf3fS6c9d|>h$3|K zSd1!XX+i_e%gc+4pZ~{Ba+MHGBJZo@l#~TrLurq4R~CK+0Astqa(LpSUKNYknw>Frc3HJTTbp1lI*_Z#mzHG>j4WG8 z3A}{7WQ9_MQAJRrGW9|E@6So4u&S|fPi{CrSme6&Lg`uwP_rS%i=aFsbNK>kIgf$guB1NS^3Coy{%U^Hfnliy z7rmp!JXmo;Z;G`8FV>Dw5pL>q-t1IAlUCVmO@t^o=#;Y9f82Gw3*bR)XAMUG`y^c>@EVO*oBA-N0&vC0m^Cie zxkm4;vYZP!(m!*VJ=;VVj=H*~&YZD#pahq|dt9Z5FcuwTMy4m{92a-5rr(X;-^bm@ zQQS9tyHq*8DORg3Fj`yIvtBk_*@i{?D?_g(yqdfZqmfY(%sI=xhGs1356p$Kn*Y>L zDb%Y9n}X-mVNIRz@71UgDRQPj61|olTl;)YjZmF}PN!|Ea%(bnwRulq&G-jnNV>sx z6Xm@EJ?YR_u*xth_LV;=D>!t9`FArmHRU040ZI7XFrLbs!W`<N&8_>T!7b{WE`*zar)tuG3 zuI}`^q3q3IBEeGfw()2D1X@GfR6U}H-*4WmU7*LWVumNDF>0GT=$?&XY0Zpi$F#P^NbY4Xp~H5Hf!r1O7g4dDiqI?e*XjwP)m8P)se;ms zFZv0sov`b9<%*B-YZm({w`wQpH z%O7Yr!_|}B6Oxb|-stSb_0uW|xAjE_wCoG~T+b=TSB`LU{SJ;xos^fK5~R?*RhGqi zFq7Kw3$Ioau;zv<_nhN}W`AZz*5oM|h$5-U%Ki1()zxbdh#8vQW<8->Acnv94t2Aj zV{>$JU35V3bL^HZnDET(>V5q~-aoQfN}Eui+5s>kv9xU72XG7#$ zIT9M8h|H-<_}U|tPJ~sLF7Qm_oZ_}6R0l|ZCuiRMU^=+BBvJi)HT);rL#Vz!T%BLc z_0t%Rt^HNRVP4#P0Ih81&gW@ozHAY(5smXM&F&$tSVza;uInF~%H9a~rWuk2O+}d< zwn({uuLkCK1a8b1EzAeYezQ*b-0C%9h*Zn}!SfRfTi|c*d#GT0pjSrKSFi_ZeFu^QqbNN;LBR$ii#OIj zP7mBR=pq`A=u-+AWl!|i=;i1y$`!1i^{>~KgimB}$Kqr1;`)`c%-*ktfZ0YQ7HmE2l1 zUO~Yo{ma|PdE}#K!sD&kHMp4+USN|E9^g04xbylvxre{wEW#2CS(Z2kPhAERiwt9jN0;z}8`+qbX{b`)e&(A>)SZV+k+~-s2_%WLaD69?(dD&R8Ig|i*;{OFPWL&K>v zR2GVq!*XEo=GFNeWw_dpA|j(F{vC4UzVZ4mRK1*u@4i_6HbB`B@;#-<_S%OlnV0+; z-yB?WC!j|j5US)qX7RJ;LzD$r&(o2l)^)p_Xu1Qo7|tKI!W~(to6I|H<|O=4hwb*9 z#%gwm+uBp*VAU5_W|46CLU;))$u>4=%|DLui(YTdo~;45o0Dh&;SWUBaD_<|HVN`b zCCe`so6DwHrQ8JNsFBY+xZZ4k9+lqWG{y_+&2BKMoU$~?Kd$xpz zH40*K94cg`3y3nlp`|J}QAo44BW)gR4H?Dtp9 zq0tg-5$_J4c6W|K7f2_lwQLfO1Ic3ZUZ)ptmma&iEWOF~!HQ9KiYRI=p-j)$x6~!| zez+LZzQ{abcPtLoY|`Wj$ZaOyP-2O_b4Ja7XeA@~AwK|p5^xkgic5#D=zILZ;plG_ zmjrJlLrM`u$1BM6pkcP;|D_$uGIONj$-Kq6rCy|%m0kM76*z;SF=iCop%Ch4l|N3+ z(!&Hgs&@=;o74-+&&+J(3}tXxEK4pgwo<@;w%A=MlFw5v0MN-A(97Y!)Intaf%-f$_{tynwuxP-eo#h5J> z1P(OH6SgoDN4oT=5WAiJr6tLtM~tNi#fdMUZ$I(|VJ2>>c!@FIOcQ`krV34;MMTGY{F9hr$09AMH6%L3~DVO`^5C{<< z3K>2yTBKwf=3yT}r5!saq#Uvpz_}7_z)Ki+DAIses4>|@U`(QM$^QTrQ}rSqO@w2q~F-;^-WX*F8*kI^n@1=)k}NV>p|*Zl5+ zs*R#60pk&g`e~ow;EXj4<=vR&RDYT+w=J3O1ZUsoIfKx|;%!)~hh_zf!53FymdksL zo$EHUb1jCtzTX=Zkk^bYaZ_D4q-={`h-$v*3LBZP=lv$)-);Uf-=PdFUWhu@jE&n* zZxH11`-u2ag|8yg5hZLejh(0}@fzji^<#ePVu@BTRn1zU7Lgl%%`Bo=HEa*3MDJ>= zpiN0xx#ONY4#$xpSd7qr{);y~i6=R1d*%7O=Qq;Y$UyjNg)a@KTku4z+Ujpex`;*4 zDWVar$z1P;-+4K~L$0JzG?s@V;8zb?xotHUDZDvMLhWE_YuxpFO!8$ zw*w&?FS>X5-5+zq4${t4${a$G4J6 zTahb&WVjmMxz!jB=yjIGLux>*X3O79xRlXG9?i&$osar-tc9mfxuks}nfhu#JSwqz}TUk{ZiN=zOas`A)H^jz0QQYcX^27Mk^Z} z``o{(b4mTd#?_q4k2@ohDFcC1Osdx%=CJtL3Yy;r5w72Ubm3#&O`unWdlAOY-N`k& zeb>e_>v1t&LI2(;bz;nY&C=bk`&5+d0z)Rx z>v5{pL`k4YrMHd#-0iZAWV2i&_-;l8kKGut=z79p%6?eNIn+5cVnAm*lCV)P>RcSg zW!r{ms!AYso=M5}4|*WqAunqA1cupjIOEONb45r5Md+LwzkDnOs=kU?em839(dAn* zzxUy7_?`yM+i1hjC*;nJL&P@uvQtnr_%~un5HzkTs4Y%UU9Wyknf$=`z$NW6(fGs% z7M-gj)6l`et<)JmM-@YpeD~NBv4WVpxjZ4BHlrVzE6r)CiA=dsw`7{58;%+R2=B)U zECF2yijIuS-}kIYuhZ&ct`3c9uKE!jg*MOI#KT83ze`5Q>Y0qblX&i=I7=W}bx3jT zdwy3VKU~h0+|1k>MptB!)sH+}v;2x+?A{5-Ia__nAXeE+BMmfh|(wNDgb{<-nK$NJt*@Vv2@GT?C^?2FxNuKtf`@{8*9J(dA-As5Pm!j%TWl;y+B3@+kq$za#V>mf=xhLnC zC#!s~ZT#nHz=JpK*J))#>F%5#m2X*wlM~Q>FES^-|A5R{;Xm<|M%sAaJ)e^uCi@{q zQs+K1%Yh%wek0<8gEwvd_cVE9s1U7{4IW+HL8+3pb!P89;~pAiYUk!ie#~j#+!l+j z^E@2FG%UpRR0KL7H+k%`aGn}>9meXz7pf7W=sP{|ETw2z{xsph`}~= zt8yOw+rHIRxfGV|eu@r+pXfOoT|%MZTJ9^d8eaPMKu;BXd-fs>$wKE}av?+1Ey)oFF|iG$d$8CnQwdf0fOxct(vIr0*+@7PI1DF*Y_9 z7`Ed1Z!N$EZw{b3v|vcg&5ezUifS()quMcGZhN_eG)>x+2GesLp)$6-oV)t{J*y!L z8zb^b7OeOgDkkPcG_-1*?1k~8Zn$kV2%vHG^u!Y%iT+oux5y7|3 zQ?0{)>Ko`MV*~x#h{1xil%Z#)KLE)M)y8r7%Qcw)rficvgT4lyZvPb!5Ma_QgsG{i z37ZMx=H^C5L&M7tJ9R0tF72bMi`B%L5U1lf-Rh^Jp>`vdC6QY~e$piX|05c%Wweg8=*79PJ-L$xIAy(u0G8FlH%J)3x@w#v4BBz_`HE?vX$a!zMbDZa-$w@#rq_OeSWx0|h9K0tFfa zDo#dUskScqh6NPNeN#EMwq}ZjS3q-dae+thJ}fNkYnow|c3GJJ&1HS8GvK0RoRI)P z9=p|NRt$(IR9WO^5?eIL*Q-(d{rp}jxw&KNd+=IG_<|3K^SPm`QDfD&LA313J^^{I#g@@L>fLKViT3F47EujCN)ZQ3k3^h<%ty z3{afolg0kLDnZwr0bOI`<7faiAJT9W#md8@4LQx!pnk7s^ac?}|2=O~`+W-JEWM|1 zMjgrnNsVcevKw3bEqhfZl?)M2GdrTtfR4UfMKmRi9$VLOOhgA{JFK<;2v{zrk|DAM zG^i)=FUw$`;6Dlzfm>n!t-OH2$$*?mOP5sHa}hz z9~=Kw+ucoAL`1qsGfG?!H4)hr&QDmZ=NkO1lEVi;=h7s`@3P-Bn9u)wH#9Kt`=wB& zQr?GGS&DKZX!MX3VMht3*&E&}SyuwxGA(q>=sp$daBw~$Q#^_NbN}upr>3-&ZbOFA zu7!RW?a^EHpJ!@Mxx1Y*l1;W0mHtZS4B0M*($)?R4*E@*$T-kNk4^F@A5y}fY`G2!A zc^|pY0QZX?NEkUE$x?OzaUlke`K(Vv3Ya&DfBh)&jh*>5hgp6FwlrN_-%M_RmLGJy z>{JSXtV)F`$Dw&9(Eo_6xi?Pu66WVl2lI{n3dJLXgAcS60X&>0UxmDmSL3Sn>jNYm zc`9SyPI7nHLA2dZmg{X!?OH^Lh?$>Lvec_1Ov;0#>%zjrxuKiTti;SzarvxPZo}FL z<+9N)poYvJ?5bFVP+W0UdgtBYnfr2Fa4!EyB~alJ{`oq{IleV)h%X&|$tp8p0VT>A9t zLqPX5D;u{bR1vh+MAUA=tF(KeiYL-G@g-%iM}gPw!;?o?%9*%{PaOF~w@Ovy<9N?z zPrEB~us~~WqsO%!T{FunB~@7}vrOZs!*wh-bV5o-3us2(daDIJ98|}T#S#hm`HW>= z&}CCo*kb-0$2^y}cygNjWRt*HI5yFe!p|pbCyO4%T1_S?qP#Nl0>m%{s)NyMwH1it zTJ*N5CH|@a1ukLrM`|?6RoFldP#Dw7mrl>G6eg6c2_u8XG=rA<*tovwBgJy0MS7)C zps0+lI_vs#BA-~ln2bN6bA6`2n|ZYRRpPkIgpUQhRF$uUSU-;TNE;h28FV0g#u#eZ zNy=>5M=8JL1b4h{qgKu{LUsYG<{JelCp~jKb!G1^`Ms#pG;s2AeyEDxs%P;a7`HhF z7Zj{XeAd9#H!vVl&l9-}g#Kc#<=R<7fqZr5sJr)YvoqH!WLorc#Pof~rB1ONdS9QS zRj2O3S7kyZW)x{Ie6r~GPBEi=#>vrh zmQFbmJAqb7D1TbC{4=cPgY6JPa41@siSFt*C$NkjYi(nT&`tF8dMC~<+E&&zqZZ+G2uuJFKG zy{p&muCBehzv}9)sXnCKZ~WA=`#@k*vA$9l$n9-@LOe8MB1WG^lWzldh`DNuB^5y( zt@P5oj@;FmV8f=Fc2)VI$>+H}Lvjig;n1ESFS8w1ct%Q@0Y7#PQI>P&P)p~*ud+FV zuD3E2KT6VFDjP*Cv=M%ipE?$)KPnnWv2|pJe!jmZA)UWq%}%14x&3^gQ0hURw-#nivVwmE`rx+OEc$2UEpERk_r%qF1k$ zZPz1*$id3V@nrQL#!bEkcv5%!oOWn6+D5et-a!m@7`4G4&gEVW45+^kR6R zkkh0>kk|ctjEfMtVXF)+s!_95?{}%vc^lq^a38DbvN6EK40Rd7b)h3E;r@aj08+P$ zEGdSPZA7;k5GZj^Ry0y>C`nO%M`P54g8ovlYny;RQ^*7LX9HE-n$8yJyy!W`)g8)9 zyCL|VFO~F>1a{;SEgVvE&-@HFAl$iK{8v;=qbuSM=uJrN9o*|pS)XP z<7~w$2fV`xq1Eg$(6k0fJPA7eCIy`iYFcdcvI*%FsIl6wTWS|55gMY&$nMOMR|j9B zh)(RHWEiOASIy9$Ona~7l}kp|awWbSw_^#9RWC8Hgu^>l++1;k=P4t^Wbiw+y5YdJ ztP0=8_u^B__1*UaLVQQ|{I@O3uwhJ+YF9bqbNXhYG>6p4WOLf~dw(TXWf!H__{9R&VZ?#xVi{ zak?L8g*n^HyOOQ4E#P0~Gbh9;%qy{aR+sk*=6gDz{#$D0)G`2Kg2@%4KnyrO+ZTsU zwQ_971jsyf;Z~`bb`3Fu^UWuOFA%aRrDB}BxVAR_%EqBVzWasJ3=odOx*uMB(u#qf zbI9F6(RLKpXw`?jHYLT)JTN*TA!@t6z%aTfq9(4W+1uR(sIY)f^lKWw|i zux^L(nW$Smo2$Qg;Ud9u$CtisLX+-^LlVd^QW#p(MG<)c?_xHH4b?67NF zOF}2(9{`<5qe3lwmTTiFMX_}x#b-Y}YClsO>sN%CTl3elDOI~a_+&18=Q0|eOCGJ$ zTzTN9W>a>5HtW9vpQ|JM3}8MwEZv zGc#&hZ81cPh!=oSI?CswGHBqIzh8xDn75E;*d?n(Lnwh;wQ{2LCse{ux(p8``<+p< zQlR5v>PgGXm92Q&%+t3arE8=*Wylf3lOVE6CXLY3@W?N|*?qOyyQe^h5 z-Q)%%dULY-!|XKF*~PBbMF4L#)+y_wsTHST8M|;IcbJu{t$@s&_k;O4z%_*we|S=PaA`u89~mPt!|5ohmw;u1F#EuKpHpUNI42DK#_xMjDe7 z4=*+RFitu=F0(YNBd2vDN#pPS#gOP&R?i<_l@Ykjs3gvWz0;P#_2eTQN{m~^+oy3k zJAA|EWV?Lx`%2`{L*R^{1}m!K2q2AkV?|G) zl2_INZ?-#BcvU7bA{@YHW|S5+Eo~IzG6!z7`ze_7a%*%d?NP$1zr)T=XyeeV#JP;Y z1REQ>zrX)_R;W@AjIlcSSwN-*{>Man&}DDzj4kI$n(8yFr7}cx4JW1e`GQBL_q zxlr#+dLW+W++qyEbL?mNik_9~0xM|=6ICa#Kav5nIk$Xq%r>0)Im7}w^VaiKVs5vy zGn5pXso_HI8;{Q+WfH{D^4wh_jcP5N393hFyIsJGpN(1%_~iDiZp2UX)fP?Cb+!@9 z#a$cLdy4q(0Pn)N60x~RmlEI55V)ly&=7XmH_6# zG%-~*!`QD1JCtk!_M?^4NS-mLu-WrKJ+eQr;k8)0*n#8NR^-uJjeG44aC=ZQEH5K2 zoSKG!?MOathF~XVuZWPM>$)2wHNfb2agKEcdL$&3TipofORxN z7?kxHdYvs4szt{3`f~!uonKBr2P{uWU1z40%Y{J#urwuEPF|ysoI5Pn&|+)h|HPk= zcTfGo*^AWJ)3U3tE0V{m`==rr74Grm)>(=JZto1X74gn`XZ@r)w2G1TVf{PQC4|c5 zh%&P1WqlWWJ-Z7-uz+B%UA5uyL+GV{d9V4f>-pj(sckt$z=aZnE)liO@s+N{d6TyzH?R({H!Is~^_hHc`OR*nQYp`Omdf{42 zJ(XudGGam287{%;=^eavEiP<1=jo!R*N!~Z38p3z-(=#C;?U#doYy?WLBID;r;`QH zdv!A3PVm@jo0V^=t<7HkLWI^CtIjx?z27u=}=#jE-6=FXYH7=d%nx zgng^oBwDXTP!7%(u4-OIu_N_Onpi7lN1C7p(t&ygX=X4FhJ;w?7PyhAm@tG~qvd6K ziu`!lgO%aWR4;cfZ{S+L@rR!Bj$QLr0z?$Qrued3ka%<8z0Jt!W8=#MY5dzOyh@D4 zrM(u=SVk%gc-_nVm1o%q1R0-fO<224D|x5kSz00gzNxXlXPO*cvMmT$_ClpD^Vps1 zC|SVwx@&qvR!(O}E1Fz@Gbm6}hx_o)r|{k6HrnIkljxG6xbU@8$ik1~KKOdc1b63( zZU82^$!XAfhe{gbIxO>Tm3ebAT}pZ83sp#`^M?y0Fiwl6y>%D%$18q*omI(tQ% z99#HeN4mbu?|tuRxiX99L}N3kvKS*+UknA0`_FlJnsz7(S$-%kqD1+j5euC|78!>_ zB@|YaV+JL``73mj3x)kbA)zcl`YZf{#oL%Vj;k+^{8z}0D4EEvF_YyZg!#0{7#Z&V zFtxw$(C$P>lyFr|A`q`fLQiEu^!_!EA@)BFG%|LsxFg5L|J$}Z8o=b|4*JV~8=yp# zxEVpj|Fo^0galR>YXh?W)4)nN68IPTGw#zn^vZLQ?x#oM8*H3@7Dg%4P#!OA-o}YZ zo=LqjQbLW5coYYs5A?C!$GQq7!R0BiqRQas?M6Geozn)AdfNBhh1|UjzYcIyFQ-pW z-N`5@+(X`uE+KlTQ!}CcolL)=px~ZFTcO5qoi(hyoKreMPw5U7tgiH1SK*tkTV!P9 zw*tK>)i8CG+1c5(ou9&SrHY6V`>6b_NCP9oNW52k4;Rs!I+=gE)NAl-MK>_saD@jk zSQB-||LGwkSpDJ-q2mRY-V_F6WG4yr*Rzn48%;cPf9m3K7kPdOn^@(B6%jvtbTKCP z(CLwq#sBK((n^KL?Ii^HSFbq?1``5_{3}^sUx4T3iw$d=FF%XJ$gDfA{t#KcbM{80 zLy|eaS#D{Usc%KqFT*#=rJs}ekrLum^mL}h*Z8=#VNfTJG5z-Bq&ovwaAW0TdqbOi z7IV9b%J%nPtGvE2)S_$eaf*%f$%)8h&udnK?wk-(u&3x|;87ooKq8#!kt6)|{Sqxv z(sdHwOcM(gtI(ROD>QyNcGyHbt1S9uBKz#4wc%EQ*`hdi#qJu)g+a(_4P_EB;$+ym zUC5Zi$z?CgtM@iz!k4?V7;0>Vwo2p(9un(^w`KZg!z`hoD8xUP0DK4Sbc_ntVHF_dL&-~ zqVOgqvWG5uwEjv~u)+5W@7c2{ml+&z(Q}vm35um8lKsUt%+I}VhYUY{DcA8-_iSb& zke|E0#@Yb0$i1F-t6@vKiuW z%Y~uk7E&Z;dBH!pREt6b*vC$twV(M2d#W6hOz5V)ORH_y2*VKVrqQc&NHls@nLsD@PsbRwd0FTL;?}rar`(h(zLjozR z?!IGag<8T0ZCdzw<1N$Id%zScopQEWH?iI8-qVWb0BHxTBv$V3f!4X^vpoFcUc`s~ z#;@m}iE1v2+QciG%HNZLpMq(!q}u=N^~@k_Tfm-CE$JDfCTZg1!F{#UEXE9~v8Crz z`b@Jh@{KTI1iF9c;WCOTje*reI%>@J0)x)wICJAqCAY;;uQL7o5f%a~j2?@-TQsuw ztwhw@k+n6?OUXk#n#}ds6LzVh@b?;E^b^Q!S&kn(OOe2eqLsJqRB`7pd(xdq<_PBY zME3R@TNbBBK6?tFN<|3m943Y3Y*g;C<0vNTynVI!DhGxp0Nm}^PE;Z)<#t!vK9kY7 zG}336@{ymgTp~7hiZ5ISJUIT!-#h0Kxp8fhSG3s5jdgj*D8!O0u~34*Ff_u z@`vU=CUyyiys!f3CT;H~>Sq9dql^QtF4Sg^8{{cS#)m8p${mc^Z52>eox|j_QJ~#c zTAe~()XDjTo+yU2l!a2hT#I=SaG~%aqY=gSSW)Mvbl{Z&z5m4yK2HU?GLP%mpbmUY z0jI_yEkgSWAznX#o36$WQO`;=I)8lSUqp279`VGqh_yR58|XBP$&|(pmCKoOTD0QG zqIpxzd;)Nx7o>&3`JE`Ir+)k@Z-rlU+!My_-6|ntQ2Hb|z8Dz+tBb$2B^~ch%#(&1 zWWaVuWJ@OF-gxQr)h!}}M^_|8KfPY`yG8HXC{?uhmTAqz<^zyywV2W?%>SyZ!8I*k zMOt!}4}NtdTlbdscg)U7UV9j?_zUf4(uL&fQ*Akv%`1*mj8#y*`*#U8Bi&3>-$Vjp zGt1@t>P$JSi0dZ1HvZr`JBxiUr#_(vR#ZerWBtgAbB~F4AEJu!Hm=CrPv@lmAOovE&$Vat;%%f>Wm$9*0GRALh$1GK2VJE)7z{SlagxJ>Q!3ZV?Q%La zFc5a`+CIUAc$Er7?`;tb7@C|+=qV0LCNd|}hK7>qBhsI*(brL<8w`wbQv%&UkPk|o zH-?1m9Qi27JLkgYyCgujZ)N7?>3_*;9)SW2!IX^u(9?fVioW_^KsrDNn7DM{68!^U z%?Rw--K8umLeyKiM5x!WjE?n}qhwA0>Ut4Bsr#430uWF&e}sbe4{vcJ3eC5@4$l$w z8ru+Tbl`)G@|UT!GZ08&`e0f27n>H$5d3!8f`t4R%SzP|pi&uJZS)tfTzC)|c4r!j z^tajsD?(v|4nwZLgw}vitLcGT7U^%b{|D4*yhIYtKA0o?N&K9#F!XiFCy*yWPzAz1 z(?+T5u;pb44w-hE?5kJU``#_z9lWz$z($3L9gj~LUB>gnr$O_v|~e}(94f{-v05;^VP-w61h>sZQ+PD?Pe?`>aeWX~h{ zebJ=>nL79SZ1OEA64>@o22-_^Myi ztU<78hMpU{YGi2qt)L9u@@F)!IyD)S`@kzB~T zk$b1X+Y7VnStdByq$;?JDab6syD-M~xNM;7^8!v(MtML$H$x6=@;G3SE45wTd2-vm z&vP(u0^O#lk9XCD*szGLwPgdBHpmf2-`W=jtcWP768SN%tK%ZT^5O;Uq|&?o7v-Vd zwvidEc!+#l{llWstv{$`?G)FKwaL=&EDlS?Pr4310c+5h1i0`gnKMwrSypU#>3+fYWHiK9&3?1*Lq^p}KGiQ6hrc7d&T1$)~9rG7Upfc4^aZa>oAej&@c$;nH?bf=J zQIfBE`S8k12YeM!Ixj~>)X++7Kb*q4s2KL0Qbq+W{y;0z0LUR&)HHG%*}1`?qA!PE z+@epQi_LR zMZRGjaXzA`EcqkR`?N=cxV%Im!FWgac64kq()i8cPS+SWmKVlatNE@W8c*Z0*4A$s z$Es+@>2qUGh95{574SK}PZfBTW3u4|A&tvCAeGtOV=vRzS!_l_Sk4LuGP6ydg~JoJ zq>YnYqV%lw{Fud|7y=CbM3{-WCu3)XU3s~Yr8D-Nc|!Q~h0DqrUz9R$$4Kyk?xiFr zUf}NGGLK3PhT_zqD@jlS;Q{6a%Hq8{bYUHB!nl0(wA(0!Dear&tsPaw>Ayp8?!0N0 zR6hYy4?icXJe{DwpfxhA@UErtXUJ>6v)v$bAhP<_wT`%%r7V3fxTev292e7jbHK1( zq*QXefvd%s&&-f+tLX+j*}EQgk+PK(A+OI7M2j+po`6GutHkD<*Bh@S1uliZVtREO zoIQngBs0VwCbuT?X_kF>k1Jn;MHqO!v;{c3eq*nn8~#oJ(mO_1Qqb~qyk>Wi<=xFB z!V;DGA0P(pp`OjZ#*pKs11JR85;_yLLL%j|>Ht^QB!gx@u%eaRZZz`Z8{eGq?nI(D z-u;Qp+-O2kpwCU#x3UEuSRrrwJl&PP;8FbSquzRT;;b@u#&5m>JJYK3KZw_(`Yby`13=2-IN8%3@gY*8 z*ewFR7h)C2>9Sg1Av~S=&&T;3YpHx>ATdf1>3Gm$GviBlvicBlbf2VF(h{|O=p16V z<`O-wW;JFzNh>2b6ujqy$PvkZPIJq6u5&O_l_-KIA|3u5)W>VT7LVnyh`&f}JQ}#R zw{6ylW%YE4+`N2&vnf3WXn1`~>mlt&p_ND*S({I9*bbziX9#%NEOW`dRFXDF9*JmM2lh&~emG4E^foz_d!n*?P>z;h>p&u!O)EvIu>pbuP zNo4*U>9)wRmaoMqrRe=8WJTsiK{5D=ATK97GlUiqNfa|cgS#z9ccrIGH;E)gaoQL(L8M{)K0o<~DG z8qkNz!)+Lr<(k*?Qr&yy#7CdS=_>yESqElb_5`U6?E>->jf>LCKr-J>k>>TZ9m7iJ zLKEO_3+8L{nqN9o2>Ydht4f;e=p@DJuN%m^h8gRL;<_29e-n@LA|K6B;HhLD ztuWgAbTdP)q`^nmLEdvR*yQF+wr?QJ0x!gt&%dZWDoC@~((N#y@u?6@SvhN3M&Lo~ zLy7<={W56>uE?&#%YVM zrP)W(v`gNl0A7M*jR3k}=i5S?KR#Gge5832%Uuf(dA>WpOQ3)1MEJI=KAl|5*Jv;8 z3QNjVi@`4#z@O^1TklU$@DeB2CS{WQPLIxtZm@?|vYJ*L^>{)sctWb_v90S<=K7W4LR&?4C-_vHfgKYL7NWhKI;5t zDe>aK%r|%_M5q1qUHPv>c*k-G#`54JAc!5W`#u9A@4SGuFk4CcWMUpaUA&ZFP%=GSI*G_D(#d4BHhrn^(K4&U%rAvvk9yNJN6>i$USM!it^3qA)onC z`Z^v+%Djt?sWZf%JaiQ&@wk<0!<71;uUH5(RoXaaN=fEiIldZisi>QT#tq<5N8=l{ zVMF!f-+5wWo-^b3969Ur%@5m$x9Mj|l~P7)2%iL;xH=|cNoQwj+lT9$NQ_hAuW_B2 zRgfFyB3I|GgWgnSgSj#eXS!mpFF8nG44#Gv$0*&+!5+{={f2Z7FW15C$1d zSWgtF-8)gtR}inO%4832s@LGqjkP&`(QmN^*2R4sv^4G!rqZy4TclCtAlTpkl`Mr1&_s3#vb1#*&G6euVMql}36w@w{cI+=LA&q~ZNJ zkxjw(A2?LAP5pzaTdBTcKDQXs!r-znk<4rZpAg-|Ys)rY)N*w;=GI-dw%F$@UJYWV zw_hq`hKd4mzGi1D(R=QQ03Oq}J_K%;U-LJJgICq6n)!lFhO4+jK&Bb4eN}Bw#(NJp zcDu`{-WFhz!WhtZ>5bh@&2czZn_XlKmhusf zH~#nBh0Hxx?W=_HW;>(F5VLgCqsaQ|0@2|6RA1mmuS)KO)bh_84bB}tjv@9Cv1PZ% z8}{{yfXB3<4KRf!_3Fj|*$MA}zm+P40@89%WjsdOOC71yt)GLtOoTf&oJUURIq|R| zW_1B!*OxKkX$xtSZ8F2Tk3s^+w_u`I>dHEvE80WRFMrBgQ|fp2Et^Y5&ftODP`-)1 zwV&rFV-FVPl2^dt#+Q8Hvfr>$4Ay5WXHIC<^!N3n)~Uc(49oyH8MV-p6KF+5pyfYf zCylh39MTZLP_*d!AZ*xdEv4}YJLa2B$<4*Ah?WVzALQu&t?b7I#3lg0dlNZWE?K)R zjaC09fOzs7DZ!CM=-e*<2BksgJ}HOvdRSL0XX>;)F&Xs>={I0_MRQk98{vGCwP<$= z4-SV8VmqOy63XUXY6Wp7@Ets?P71@g!f3-)n=!kXxxvu~lOJR5Eh-mWrb79w+ zaHA8B0FOdI!l4gpQb{UvPZ^m?9A`|j5OdKWDRFzKzFl9#Uc(og4DNm{O{H~su&Rct zVw33}UgZhc*mCcY`P|-F&LI{#G2tyQx^UNxz-KJp46D0=7oIVK`LfFZ`q>tp{bh`# z)Cc=nJFK5$!}*|b-e;`O3g@|`Qqr@cw|QCW8OmfEirI3w`M>z3qW6|~Gh1w7>#4)M zPELk*x3S7RNfG-h*@9Ww&oe?XEUKM}Y1VK%`YBXr(~#8fvfb=|TiR3m$S12xmHVTT z2(x|pS)k;bZ3ZB-g9j6vB;ISPR-Gyt{$YBS!)xjER1cN-31t$aE4;0Tj~12?k%p-Cl4<}(XxYyap^#TyNqTf_nt2g%g^tyM^RECJ7=U}`k>{0sD^w^7L&(-y zRzR5mq*1zg7SL~hPdahx%PuEF&l|(^)VQT}ILqFOnPNjs0OO1PI!uijJwt+TSCxLYiW#Z?*T&*HI_MBpnaRM0UpTI?a2@ zM`RP&{krFcwlV0l<;i~9mesqdmG!)^a1ytHmr7S4f$?cbFV{EoxKe6YjU)Pm6<|?*|9C&H-3&m}7p%_j(CviM~)@S>0o) zwENRNO%gsgh61vt2p^Hv+OR8@n5HA8!R5(qWXsUOGUs98=l`MYxGq$QQJXDXs%haS zRO;<+RT&>DD4^X;@pZDR;6k>~B^TtaMH2VD*ZAUf!{qO0WaM!S`$J6;Mkia%?;^&2 z-Fy<9iu@cw5N+DZlnx61>N2%bGz%V@jiIz21!b zVcx4)Zw9&-kv0B60`L7)HVH@RQ15hUh{tOYy?F2mO2vKiUlq&!H;(+180hxAgtGkK zV6h1i0-{5El>Uh$%l;o6sQ&-T{ck;D;PxAFSRfnzALkEp(FG4%PZqrYJxBmS5K54g wRqsDL;zo!a@u`C?IO3}()Bay9>3l*B!x66=t@_A?g!p@<^jfh}9vJ>V0NB<)hX4Qo literal 96148 zcmeFZcT`i`*EX7?9?|1L4j`f;-~jf}&KVOI4~6dWQf}IU=2dG?6A?K%_}0 z0TPrZARsNFC7}lhB!rR#0?FN|zdOGBj{Dtz?zrQVZc+1KroYWg0TMb^yuAb&epjpp`@<#@D6)y4-!yC!#$9(Ul?I5z3!c|b~Jd%r3zVSe+|-QWMdEp$xw&Cz4B zf6M8Mre=Nf?N`CkB5YBbB#1$@*6DwL&l<(l-gCjyRIr%0_j^?H2X`Ii47eOsM98k!I;#_t*wZ>yrax9c``&J$xNvm-P8b1_y|l>tp%Di+~#BC{qhhDfwk*h>CVl0K4KXRWesXZhI``!+E;h@6l`hFIc)2N{ubKY z#%OFX2R-s1*Mny8a;uZTR0d>6>wnuaa-b}-D4O>91~FeZGEjT-Ml3LSrb8coO<}wd z%oq&ot7@hu>NyG-uydoD7`!E)6s_A|kChFAPZi%ig%d|b-I+KQmQhdVE|Qb4NYQJo zK)!1>;JxebAA9TUoo+Xw~r>n}?a%nt*laW;svt*L{{Uf_#b0#*9DCWkg{X($&F3~O<{}z&zhGNnua)Y<|`=(y3AlEszbGOBFqIXbRyD|q8i~gdLmuoB{xAnj>SidX2 zEo>r)O2(*bRciq0Ms&jtd2c&Yf?JUO&B$&yU__g-n7`L+mMQ(#->CHr z)}T<_zbhcNNP^6L$`fVU>$0j=zXLPR?g-N<7^Xpa1OoM=B{ynj+CX*;Fjd}vak{Rk z;-O=~f_sy=FOn^J(eafC(_$Jfn3gO!DWj*@x}sQRg%=g_%w$nYye4;3WN5D&erxkh z`4ODkRwQWNyWgM;D=Jx|PUWglY(t<$#8a%9AQxvA39yaQ@or3tPmKgW=;E zULYmupIY)Ear60Ad-{PS-lsEBkQFZzPSlxV+;tVMjou+2>|f1q30k2j*y%N1eR_H@ zk-EMLu^Sujz^St(TjwdLGpFk`3GDiU6-XDM6;Zq0mlvl;6t5G4uBkWG%1C|FyCLJL zcLFpM^7V&By~`-(SfAd^m4WUhYi^(wJwn=nslF6skM7RIZLpE2Hiku>#A+8_7l?cm zIm`5VzVL^b$L|q5$D=Y%!Fkm@;c7gsu>p=+IiJ`;N%6m|bo=t8`K#P?=JsRqKx=pJ zL~l`ZWB6`W3123bT3{yhx-~$nVYVPw2DesjBW+|>NN~TW$;uJV3RthX>PkwScX5dg zSlXqf0gsJ4dCFuYy#@qIibDJ}A@x|81#2P`xy@m}H>`=d+9CN3JKmO>jrZk-0#~xl^UcxbmBkW<)Y? z-WYqlvIE^@%QRCA(yNLjbhBoLN3!o+Q-2sSv{e~FsCFH&ix{ad%bizq88SmL@^;wA zYT3(hyKJZ|c9cMP0O4_7@|=(Z(`qmwTUIwo~!aD`&P2Ld6e^@Yw4TS@M{O z?V`+R@1jpzm4fTJrLE3~7wcoeURPBk)3q_cq)={mz$j7ejiXw{5wY(rjO)j>rcUvT((e&h|Y2jGFqq`S|O zs5?ga=CRff1R}x+%Y9+@p7@X*qr!_pKC3@Xede3>UN$sv3f~GYjcH-6mPKws@CQBf zQO@^oRKfRJ1rhGCF)?bbi`~t4p{=|pK?6sA8N(7gj#e+j@)^PJFBzvquUTts$2Nv9 zhnAdzps2z2Smn!I&vVQwPKw5Bew=J2px3rF* z!r3ze?F2wd*4Oxeb)1oE_c%6#NBP9uicb)jo>J8BI1X~ZuYMujqS8|FT*KPaZTkyKhQQS&BQI}1@$-BA`{%NM zemcGn&(Ub}7YZ}w{~DH9TU$S3Ytj9svH|k)@*-R((Z4BKU*?J}E*3@qR(1RrmbyAC z;8}juC+L332qh#Z@MixnK;icH)1&m+-(CLmX948Q%q!kEcYdm8NvH3{v%di!ocMVj zn8tr6IWSxEgRI#2=s%@s18rY|^$-Mi#HgO|c`=3`a{?OC53YpZ+10Bff)BR%Tj5j# z3;XKZg5wD1shdn5jVXCW8@Q9-6o2sgxzd)FT9D6wrd?*#oYjy-eJQgqY`OGwX#pxR z(zBM0_wR?>k=27e_^{O;Ue%_i4Eteta7!4QYBWU(y zvMSD5fLtvkQm?X`38tj?{~(TyxOC! zjW>WlIDN5DVv2)8lz(Zc{z&Ok(!jubNPi8L+C&gB7RP4UW>CD~5jwM-v>>^%O2lqg zKY#4pJ^X{xR#y`mB9Pz(-=Q+tz7X6zyzJ6@LguyDrZXuYmKv6v?^JQ=1#Wu`xHPM< zy_Qs&j>~lSTCvGkcc&sZbNPi4j$07T@c!O3efD*}oPS~1?8-su(&j~?rr?zoQ-2-T zR~oMa?%2r|>I$%`yFBe6*naZFcxC6{Vhd~{uO2>EErjIGi-^_J7)Xx{)>${I{T81nksWdeVTQ$f1I}=NQV38qPCb%C+Xq0hU9Cfb|KuYntPcH z4pVDg;#+@O_-@9lSGuJG{fanXY+IPX#%-p<4AUF0LK)C(@omLG2$|$bi`V+JK<}yP zS(@kW(mIVic)um0T~#x@eX`$zy0*K7+c29hfFS8I9GWO8$<)@lj^trDHaL8-GD5jA z5Su6nuO@tH&_V5XlF2>rL~tdemF8(PG%_)+YW(lCe>0@}v^Qg=;dx6_1<{NCHIay} zu-;t0iN9ZkRc1N{(s;bF<6hAXxFBLH!;i}wzmdd&^C{3)wwOOT*c&gst3=%5y5anOx{LMtXXF8Sv?`E>8`ct`5Z3YDNu|4TaiQ8_Y9-|5#Ac{WG5fSzaCia zNbrkjh1}J>ds(y28*}sFwEmJv1ItMIn@hHH_#m2}%}+=uJq4S*CUCtpX^~&NWKYc~ zspTDuvXK1t!YW@+Y)n4i`Tp25I&632gywj4bh;yAVY0p{`wz%QNGKzB>iDKtO+_ul z%vI0ka#l}=Q9;5yJ=vhax%mQYywOp|ey7zF>hR$$ESJ7k4J)(Tq*MkBz24S;=roHc ztDJ1{x&v|lNW+n_fvieSe2jgM!5O=~GoTh5Aa(y?--{i!oco2Y`^#luIXG9QQT zcXt_=re(~13#i_Ui;Pqw+=pxr7zI$rhs|Vmn=Doh$@`60OB-z`{3-Iey!OI#guMo= zZ+AunH*$f|$n??M+K~zT17s)q%gL9~?-;$Oe>@YVgBiQyBuS~Kd3GLZLBStln5Zf^)9^Bw6m#5o*b{`N*AAFc_Tok$UEh#A- zJK>y*1!G)mv%QL{2CIhuYlL?LURszXzsJ}m4<7@cPp{nbg;sX2^dhdS} z&*B@eb;abVH&fU6s3yKp2ch5>Hp}VitGm;t{*Wm8Q4XAMcXGoHiLbXadx{9&7@r$@ zKGfor5$I}d%gLF$W{Dk{%^RLDK@Hn{AKluMR0u4&n>Ss(qk~875Q9m5dM+z*)U>9= zTw;&0ge1+4f30&;wQCGD@uD?(k#V2I zt;JqzV!QVo83I`O;Rv@uc0v8XwQ&op@3l`nOC*Q3qqy_ccO)a0KEFEH@wVe3Kbl4a z;{T}&@a{$5_ubgge)PUNqCdNGHMGYBv?2Q|=z>MZs)HQ6bEYEk+T?*$XHVk`lfL){ ze|+uA9N4SHX9j2OH4(<*4|eeiXY3hZoE2kZ=)$dBAZyd%#t?^hqjU)RiZNsF2j zZ7st?L%yPR=zb~Es>l5}af3gp9J%gd%aV}MQ~3o&A}h%p+k%nsWX)MetP{l5!dll) z_~2-f%mqQ;x!RIQSkKZxCDk<4;i=EUOY+RIk_|HE`}e=%pG^uKVpXL+fLq<_Ki@kE z8U;P#b5EK$aj0fMq2m8n^@kFX6Gwg`B)HUX8^k4oCTn*(TM-*DQlRz9@+{!{EP%AV zWW)_XWqi<(N5@7lKH}RT!YV6Cn|(6*kjv@1)l$H$N{Sv_0VeFa!XXp?>}}DjGlx?( z)Pot%8m+ZGDtU0lRDuWnoBXe|p#%&-LYEseQpVDmVq#(d2D|`dJ_89NdKvq(g3Q@$ zAooc6@k&WaDJUqg-=E{nXG|0J7!3Q(zo8UfD1{G2;j2~D-0d;)nriS|>`fQk{i=i8 zE>^s1k8D9AnKPfGAT&}dgVc@%A3@7R?JrhWU)KPNYaq_^e0*Sc z_rk0*Z&-i4JaUWAPCZTpWCvkwaIiLXpxZj#st{sDBeN%ezb76_WGyM8LPrb~`*AHK z1X00be8U2|VI~gQg#(`Z76n`fr0#F4+{&- z;e}>p=DCL0iI==~AvA1ozW;!7ce9pk)_xgkuZ+*DX|}>Ug6Kb}-c2|K0zD`-r8}yD z_Ej8F3N!U478W#b7S&tq^yKY$UKu1I4`TNhOnj&1_9*u;&w_@AhQSDue-#}IJnvx5 zRa5oWcLi|&TY1g>Sq`_%Lwx}~D`yW`4_}nDhtIq?<>I}xwQCf)nd%+V&bLY=Vk)d@ zL&=c=j~_p#uD$sE6q1tY{Vk%Yo+^@0JzO6=>i`d32ip^gM9Ak-S_?s)ot=FaldMi1 zKgyx@DUgWfohAUY4t?iNa`6nt23ml@#I^qRR~*naM?nadXlG$z5xfG+WbWp(LZvga z)ghmM=M7(y%bykgQ6<=adpJ+|8jpz@*ZhbeQi@{BEW1C=ggfQsDPAuuB9J7l#%tsA zxze`zOO^d6`|KDs##*g~eZ-F3pqd}dZV9-!ASmu&9a|s)aSBLn!ySuMX*2^q&wF2T02;cbJ)z!7(qLFV8Eb27qG-yNO z3F<75?|a;IqS z6=_~Le?AN1w7a=jHG@SyzWoKt@Mf)dPE{YQTA=o}OElFXwSbB9lS9}9Zyc`74CZ_- z=QGULu0%cpPR(bgEgP^kUi|v+*)_SrxX^CZK-K{b)#O(9;L6%~_553KWtMtP2xX32 zjU|qp0<1VQym2=?l4P)Y=q*4X)Y8{U;C406eM`6;YtEn}dYRJdxKcQztbgalk-7@A;x%rSo0Y>~=pl2J{2~Za=RRXXkUESSAdmng%W0A)JIsWnTwn}cEdQAj_>IV-W zX7j=$b2%;?esP1C0H|T&_Rfy2Uyn$wA{kD|J5<9hDpo+r=UqvOD|Lw%Mep>6GN!^~ z4!;4)Ij8=<4ZNU=-yN9F&Zl>Xp{wj!uW2m{ul4NwQsu$xr7hoM$>vgL?S0;tmacRL zHy==^2)O+z)WH;B7n$K-6j8hV;Y~ko_RkN=08&*}Qc|LQ1uVXnhNQLnCj+YWdp>KQ z(CCe4whJ<^W$7bz$xb05z@p_uu%H!j(f5Nn-^;?SUzf>99a(ksA%0sj)>;7|yMhq}A3*7QkprwHpL zg#&iQ=!WihPc#Ewc^}CjO#x%y*znQPYM(A_;fPq)Dk>^Elove)K&JnX`~sli^;@<1 z2WwG+`!lCbOFybv00Izddsxpks^NP*#tyR8uZX(fJ>Tj4^w05Px*+3#BD-obCgyVwl7Yh5 zK;%KJQTW_aw)X&GODtl5BYfs)Yinyb^6)8-0Jk%Jp9ET}2vEUJPWGzIm>u36-Qa}{ zJ9Id!Ci!8Xsh+jWbv)DaU~dPyn+e^0F)yE$_}AW+CTr`^vqeNi$S7%OXfVIY4SrMK z1Xjoq@Du^Q{V!yA}=|BOZ2y1F=Y-bRdV>rO60}nPaF%e36%>S(Rj!?=w1bY=% zCl|=|J0G6jH83zhrBY2LTS zHqI9v2dn`CftZ-2qGi_F<+}9s^%D{jLh`zAKhY5WL54oF$Pbe9=v!y+MolegVT9?%a2?rvgk?3dW{;Hy1+sm)NI*@sM{NlQWpCd8NKg831Y2>J%3j z10K}H#YOu)5*hjV#qU6%6)H@#`tLFag06B$V*t);Kq z_Dy1s9*t~KZVtk}B~^-4^xuaTk|`B5O*C(PCL(LCGg~nSGxR!+r{wewd7|1A^PneZ zCT+^Mhus^cRO?koTbE;xpi+<`@Bi2emTUT0anAvQ*AuGfL-DtD%g!&~IeMcrM@cYz^2ovP;Av5Ia=)d(*zl%>$ zWhSnvA6(VEtIju7Plx9;-k7RYu+XPmp9{G9sK&|byMnUv`Qx6z#5_Dbc~SsNOiD<& zsO)z+*U(iqYr`u`-(~j8%l7tmsY^?Izh=t4suG3{fWPLuAVAACCBd<+j;|UI0;X=- zO``)9!xy>$q;)kk;2pl-%W{e&FcHS6pivh)J*|Vs7IQma$DD1XG?n;iMMQ9CD+C2J zl!S@tLomZo%blp8|PEIvwdr@0kLKvV;tKIr} z*2Bw{*lRrtYQL@YT{>EarY{xHu;TGUp2o?vbg%vk(tXV!{Cpk|n+X5Q96i*f0}Z1_dM zmD#$TcO>qxM50dPx3nE7jkr+OT#rZH8gOzNU5*xeh&O+xf-fw^Mu_f*~78s*!aS!T1N#xM@3kb<8-Nv}571YM7`7cO)hw zp+pRMIy3XzFwc4^cPg5W=Ljd(b1yN9x38L142khWuh8U61B&klXuNL8}h!Q z!azIv)!{1wPg5gr%(m+!UCdIKCoT^ay}bQgz9YPy9Dg`)AD7+E>J+!0pcb#K;%SmE z7T5a3q`~mAjF1q8D({W>D2A(T3M3*=x~<^SDpKcWW@Bsa%~OnG?>V=S+diObYPI}Y z+3xyv1+#JdxvP#n1*0!Ke=d$!{KZqLd$V#)yOSc|`n2fy+Vjw5rcRJi%V^6{s0Y5N z`7T0c9X=aXn#9l0Jr$-&$;)Iedkb3tx`30SE0}iaMrvNYf_3J$)vA^qpoB|%j z3B;b$f*Rjep9uUQTR_j`q%e&;xL3`%t-U}@3nVv2vj#jhAe^m;j*p=iwFXC&i0qIg z6_7h!i9!x>!bV=LtnTC_Q*A>ZUF{A*&5h9*{KUgGGT*n@7|k)f;##n)^HV6kNk#~U zWRRQW{O8$;KWHaTicT0bq&tc&Np5UtfjS+G$w2c}S!H3jGs@}0$xJ7`c4rIc-F=_1 zgzJMEjJ3_hKG*q%&UoIEkrlwZE^UQ!x;=gR)YCKK*7u-|nOoqiWv@bG42}WtcR*Is zqSA@;Sttwu#b=G?UCssv)?GfJJZHAUdC$g+WUDq$nk>c^d`{ubQ~g|O5{Vticz@5$ z;S==fs*};I=oE0?7{IE6=dMy#ip=ZKdKpq~US1j$Y7_1A z766FL-wU*b0Q@#jX^KhfThu*7I!`ZjK6?JEGW$&!J$VRzhTbRCzIORhJOt8>xBpEg z+?l##x7vh2`x{686RNK+`eoe#0ae4>ze?U#0F4t5+Gsxoq+W*;ov8!ZDrU#&oIoH; zgc(2Kf8hV?N`$DGnA_c>144^_p#X&y*jDyy((aEvJQ7xcs^)_$X8>$u2~;(0G7j$r za(D3at9fwc{m6>8(5%wwQ%Al@-uf%8&)G_c;{FTBy#<7|e_a3+nfo76gZ^K3E;mX2 zc1`d~MfyD{0loLHSDbncIy&M`Cdi{NaG#qGP1l7xl-GAzf}<{-c=0UoN9p*n-QVD& z1Lt6-wh^|3xXOl3&#bO!QwcNtgZz(GMi@*pw4B{zwLzJI zg?PD_e(+_pmi^J~Z>E)N7A=5ANDnT!#C1B%FuE+yo<9`BGYl6%99oSekt`>xXW4nH zus%;rz>e4LKUra%WmlrROl?)t4aH1)OjS6OJ8ioIZ7jq^9PV@+LtD*iyew+W|;WI&13N-*R zQdnQ<{ncYSpa(Eqd0x9c700O3m6qyWgD$R~wCi`v?~9~nMTaRaxj)nuht;2k`qrI= z@mJKJtVBs%Pz>7+i#HZ_5VA|pp>F6Y5EAfX`k`;C6 zq$}%BVfDrmCthTQM>=?{O_Xq`QTn449Kp2k=;DW-6Jaj zLMc8MUyXs5(l4F(;_^-x_Qic>3`n?I;$D|J5o#*?s=~Gs6;aT|w_D*NoqnOkfPix@ z@@dFwggbdWb=v#Nlsx1L!6yYj$63X*&tei(A1$9i`E>*grROd>l64+ab zGE&^s0utW0s4dIWMUltZF6Q5a}1oY_RcdJGjtB_qY zZ)OFp1$;o13F4;MXk_*o0G=!P&(r)G-=XxjHhN0Y%M}~AB~>E5jds+r{JNE?Y%ZXk zlS8_tmH_Y8?FbAlUgR|;L};nYF^Sl89T2^8Wm$cVkd@o|)9$fJ-}-r_${|RGvvSv6-MgU4rDGAmzlgOZtf@VB`Z3y3t zDk>^swO<5+2L1qC2H+!px{MF4mQqxNp5k=K76a$A$YbDn6+S&mA7B1Dn?e!R(b;apeg6~8imIKg@x=�S{uL!m!#q=f8a1;fbRP*?MVQaOM~=ymZI&>M7nEjg8J1_~t3vGi<`b!pZ8J%c#hC>MQ8pK;>An&6N9ZFF&MuY4ulIi#^aw>`!E^prCVF(EV4528nDm&E07^#;en6 z!3#4RDXy=gIZpG3dOda6e)@N&43Dl|=~`%>Jz)CRp34LNlAovVhC+#4qL-9ceGU3p z*Rfk6`EBPU9qx$3_+b|pl^%9Km0D`LzTS~zIUOq!pjPR4Qta$Vb(7y**GC7DuZy~= zjwU1XCUDA1=}>h~N^I6jk1njd?(*x{uHvOdLZuQk!U$2|<+S{DlzvQ51oX`nP#>uy z*Q%Ukvn-{$0J5aWICeeYfuob>&3-A3l6e#Ry?j*Q2!ri3Rehw{e_^J8((b79Dk(|e z!g=)@vMS*LE@2;)Og^Ob<`F{e{sKn)yxt+9-h8gdDZ(FYtCboweY0Fv;Y1%c;p8dw z7x#vVqfZL5wHG}lKDyKj6>5Lkg;^;l1=+46dVRH3o$Xy*Buq?R?r(qlMjss=r*C)s zLts!$g|c)T>g(-4J+bYM8z_i6s*{{xrKKqj`et$nFh<75Kh(PbtWy$NC4aE?^oOf8 z3h$2B&F3^P?X&i?P-83O~M}lw>BMKadt%L%hkqV1%+syEYBvlpIch1R zNk#R;K)6XWF079kzZPJko2FgwXa8mKA;oI0w=XR2RdnU~jV zlw{DaZzOqjWe-7pxeoB|&h@L%y_+d+CqdT+4@;sza_2)80$?RjJ+8_z{^-9L$FWb* z;gzwfgAl3JglPQ<8J=GF%9qiFZ`<0HmJ*CS?}UfC)(>@6b-}QDzq+6tguYfWywlfF zR~7Ir^?nyC_`7}6%ylJ!h}dfdJ~9u?=Cp1$z1uCCMxC+FLeX&n?|_L&b=g5k{Ybo`NO3Z<@>wYL0fD< zAi^IOH)U!RMsxbOKvkBG{v!s0jE$PbzFt;Z71 zGMXme2wQ{-^{R@9Sq5{SjVK$~$bvSqQ+Kvve;^Vc2S6bt7n%kjteIdLZ1{wu=I+F| z!iuevK9u)Mm(RU zKKPG_$Lz*KN!^uCnWhQsFK)(qcTTpQ11D1M6keVBa`s_`*_#=+3T%j4hQ6qAU=IQj zB2;QR`qI7PN_Cf2S>ib&pY;uwagLT63+b~K)Bu@B$hFB}dq5gYa;BGh82v=P>JRWH zb`t<5w=-=*C)gEHWJ*4><;HcM;Q7UOYH}vucqKX=L{7Z;R9kzYAvT7KPdn>v&~RYj zivC@&;sx1{9+uc8NP1Rj&uwYfBlu%o(cGMM#)Tb2Pc+V=VX-`7XU$6D9sHGmE*LMO)}j=b$0KhMN2hkNtPo z(gjsjm3eBd?QIk{1t^7CJ%Mv(?7)YTXFIo zy9Kj+la+VntY6Z+QgzcGukt3BHD=HHh<@V1_YIzDH5SkFo8pzW3K)2uA}l<(uDQ(6 zz#ozT)%Jjvf3gRR(*dRMqsm_+ub_B9V9~0~bDH;;YuWmCjlI+q!=DB?I3R4O`j0)w zU%Qq0YZ~0xF^RuYZ77BQKAlrp#z7GHN40J@Pg71=SzSYbjx^Qb`CDCdn@boVHCx=i)#mbhbrz4W4gsvT@iDQO;Iwc;41 zS8?S!`d;VOsomEKqFK69HZ>tbHLyYci{}K+$#!jc0!a>0<+pn!m;$|DKLbHQ`mUL$8cvs~I24749f3eBz!?G?Lp`)a@REb1*w z^XKMnI&FBebjedUKt9k!_dXqLx^nhT$de6GheFYZoDYSp zv_HmXTRM8eY@~R%y5hKC^<{0-Sws|&eHL+ zd)JMJ*2R`!54Eh`y1I@z-%`Wd8?C+D^bqBI3!&aImEzog{7jOp$x0_-B7a~CFDQz| zeNQVYa_WEBdos1&J=Z3Lt)g8M_L!aZzs5|di!Q=Sl{_kDqz(Ccp~pMwhcIK~m}qmfiq`(LW_Est|Pc%rl}Trv=YlRPkB<`h8g+IkVfP zty*`7Gh4pv*xmB$&#x=|#aV5f?{*J877L&dT|UR+uI@NFWwE6u@%7@1VzV(<7Qtpi zT-=N9xo1!6H|=B(k4@Hnn32jcmY7|B>0_;Q@)h4X$Heird+$u&m0LbESLLE}(eKtR z`;b0d@8Sj*Mq9u-Br{98lIcjybc0fgz9dgW-f`o~Gp?hvT8>`&V#Ym5{+alVW<_-@ zV*vnP;Xn5*UgHI--=!b>M)5u)iJ3M*E1$*kBZJ7#wb(d}3=DwIjAMt0*6}Fd9N%2p zh-#ySSIt439glzwq*5$DHMJ*-nFe;(J4h?aDX(;yl@A1_CUFM`{xy>RMm8xmPPM0r z+n;}3>8@Lu!=x|2VupUx_3p&Zi|ZZJZ^~?S;Fa@AlfD+WD z`2Dpd!4>S<2|U8)X-{Fc53OQjkH3$r*9FoSn9a6CdWh^g;<~&TR?fT^R_JJ8E86-2 z>^4E8s_kk2bu8Qw=uJ*WC_F}HSp<6a03AZqv>t+FLhTVlpw$0Cd3Exc$ymBAGIAuk zz?Cfzf?)ZuzAkhGbe{Sm`Vd?puds0xd<4IBbnw&>&5OG4v?UjvE?7I10^t^b5mA?} z@cxmtbUgP=S!bZldUslrN@ZGEJ@L((v6ELF(!I@^9%dJ%SEAqjj^67!{=~=SPC2{& zU&m%uPbOTCe0=%4LxTCO+wn!^!gDbax(_Hv2IIJhS2$DNTp60|GA*SFZxu`_QCs-F(R6W}&m5F?(!JPwboQ1b|1#itBXLEoJdwAPt+>`QPi+qRGu@Ce z!CTq9_9aL>d0V3{FxVb{53a>knijNcf`YX{>Rxcfl2BU}XHuw6CSb;wj63W7r>p>8<#GSQGX3l9te=<4(#HVN^q$eNF_=l9MD!Gh3RoCqo0vlD+niA^r=bSt2U6H zI~<;H{JA}DK(`E~;T~IwWJF$3jn zV*y;_Z+LgZG^18sSy+f0&zcrP4I+-Vfq@ddk}_=c#mjZz{-pgCnXV+mGkVT=THb+=$v$|yYaJ))w-=OVK z{aVf)&x*vr(l^Atu0M?o*Qe{jpS7OSqMa3P{88^b6vM}rOCLR zsJ3&Cmp9Z*q?TM=Heun_mRA;B{Y>Ul9d){aMu;srx!v%BnKSL5PwK{wIh32BbvrEw zqo)+yEA%hTk~|dtoYKFhtifeee1TWWROr@UHx$v2V6D2oWNst*hPpS}Yx}1x$haX@ z-+%;fpvdzq)h8Q*Yf`q(oI1!=B~QuC0>uSx1_`C-s-p2p9P-4dJE`FL>zI3fl(&gQ zM6KRg1WZ_qjkZIYmP_O1OhF7t;+PFv{iLfL$-y?`BiJD!xE7=V&su(-V~+{#oWdh3 zYg_MVhvAsBFpH$Mrg>^EX{ixap`#f{PG+d!HygGVOFaiW5Ev(GiDvTdeW-%kaOT9P zzq2Khx7V>q&+dZp-o#A1@z%@2BT)vDuSm+RA=)&I+yI| zxz=o(|7GVzVe{FWi9iA#;%Sr9{{NbZ=x+yDt%dwX7gM}USrn+z1UffBx@+7hDLQVsq6`@fY{!H$Nu z#a_PF5XP6FZeN!_cB`w4A_l4a)4?-eXP;mK`MXbwWgQp2)^q8vvX1eZ`aGVi4rw3U z4YFfmEWrjd$;p3qrmg^)>CCR^wfI_o^xNkLIuJpeFYaX-@%4(oMX)CGyUh95fc5z} zcsW`GyXuMxtgBzUu88eX_h&UCCoxjovqSncc|{g=DM{P+z4s*yt~Rv4%K+RMxiw`? zHP|gQ>F3YQy-$1VyuR)`sQ2C&A=fN5kM(0DebH-uZzvxe5VS1Z6Y>#WR9jmO4>c2= zPvqeDDJpUI0^6ByOH`Zc3?BY-1OH3#!uE=g(xnW*RaUx?CGnxmvo5nmtJ&U4GN~yx z14hmn&Jc7yp1JPrHIbj{)V)NDq`yrU&$=+FsPwm9v!ZRjt#NQ42CDG@*ymxbxsSv& z^0G1Z{DM|P3+(6n4 zcs@cFm()5g+^k&A{}R{V>f@V@u?yaUC^Ud6{>t8N4X&P*Z|0`BZ(cpr6<(tbjIG~F zZ8PJKmozu4%mVapJyQ}`tPTcCTUy%htJs^IFfZ76PO;9^M=nzbShKY z3gP!C!f`8<5FiZ(>#0_9T}KP31uWYm57r?hBqPf;@4O)2seQu1j@6Bp8~bKp#k2nW zI^c@BpgLf`8^Bry<~Yet3=h}1?|kgfmTBJ8v}r9Tx?5pxI;3&N%OnoY_1)2N!Uarn;#`uYe4%jN3#kUG~S~$C?j4K-7-(Z zH$Du)@1_HrYR;$V)3)rs2EHQg&Y^&>$O>hVfF>UQW-`6kmf`0`MDS_)IS#(`Ope@& z$KzA|`7ky#2zjchu%xy+c%f5^hpQCW<-0qV%<${-w1;BZ@U6aE)(UF!A*^S@a6%9* zi62KD@jM#pYmLEfr0@alyNwG&&m$F^pZwo!yO~o!ZTk+r2Ks!n$Lp$#YSqV7pG-Dq zG{nT*2zJg+jp#J(t_i{UJ8e$=J-)5Jq%x_(t@p zmy-%0d4R*qvDpGr3nBGsAjkcj(^G_|BP}FCBSoeg4Ps-=3-3IFbw~g_g;0vFN+nUr zP%7n~;;77kwC(g5yv38E%%135apy8Ql*0?p>>P~n0y-X-ic9SM$Z`OLU0dtdU2Nih zU58Fq+x*IpZ=T=Z8e}c&Xzo#oc;u6Q;v{dKX3kzGuA4gEcI=7v(<6=v9p#y_z2}IM zJoU+O@`c*ku`xWba{1k?(v_ar;s&Z;scan!ehOb#fGW6tR*%dWGg;@4=i{xfm$ABc zxStX58&XSgF@*d}==+D8jXI%0I^*!q$T*VqmHY>RNhBX9XJxFE-WJaT5z%v zJQJ6W&C>5mPf0Dg1AH!~lc%^5;Qqn;vY1e$m(vX~EVFv;{-)ace3 zM$p>w;CZ0Zoi|PCnAww586dmkRD41{(8Ta$9!}p>PyPwgKt@x{fYV&1eXqe8?X#85 zs~@Ku#Hc&$R2-w#4hVJM^aOcR_P;;>Jl$nxYg^G1SyfwBptSK7x$qL3tH(DTyEKrL zpszL-{665Lq z@jKGHko0hV*Y1HhWaKBwG=9~#U#Qh+J)5>ft_#DB~>z{ z3=})kYlIxrH&N4+Dk#IA<*+gH8+d&MW#*_4lwQ+yfo@)z2B539p|N!x=)U$Iuy2*1 zEd7HHqZKv3(EaQEk-@E~HpQ+ng->~AU5$|eCv{(CWqZ)WR~F(|MB)bTk5C)w-gl?U)SUB+2I zyJX~*w_NWgeY@wXmKtzJe_K0`QdA|87Zal~7QFH0-C&4uB2JCcex4>~@iwpW8xl1f zGLV|&B)S-v-D_7D+Wyv~p;kEc15R0{GUh)!t1PHC;Rb|GObi{4^bDS^cE)#5k{G}i zEZPn)CJ#R`fiqrnS16ha+9^hap|27>1l?R z*0@@SP**}BLSH}4d!3mgjHhd|!lyD(A@mLZsxDPp1naPgcw=M3p1Ejm7um^E1)b+R ztScjD%zD$ECbnAJXc6mW+V9kP&hdGUojsVc5^-p6>(9`8nYB`CsWxlY64m^Fu=Un) zO}}s3IMOL4NQfdxgMh#&6_Iq30|ty9z0swBpdcV^upuoqazko#r*w}N5$RHCspswI z^Sz(@{yo2Yul>E(RXeZqJkH}du8hWSao2B5`L;yyQAp3?xTr`J?_Jme!ml zXJtL5u?2LPD>9R31oTsIVGVWg~F zu^w9yxc$e)Z;#HHKIkN{k-1xO=d?D2gybXxxN@-z?^D*fF19EZE-ym0Hu*j_E~f1zI^LsmPS>iVnvAPg$g8x4!%);mNeQL* zb%mn*+?bKLUE}Clq0f-At{Yr87;&?SRg#g38`rZlC$rtAEc1ri2h=kiu3P3u|GT2Dlg8@L z^FV;o^J!y~Q#el{kRbL{`{*d{M~q64O6Q-gIwM!Nl4f@af#2oE*yldh(&EYX^V3jc zRaF5+=#h_JC~;=qu{N1pl%WFG^N`)ZE;d^%0QGboHG(mASob)V!o#;PAjJ^jnGyCh z7hrv>_%Hf#*JP&2ZltZ!OU>@i$NF7Iv)#+Z2LS)aM;oT0+rqZ@BSANKk;bZ^_;d4_ zY>CNb7oBap25`P1wdMpCt4doVhOzI?nfs4mqMyI~vJ>UMzhIi2v2bRM z7>N%GU&)B$RAjzrd9C;-|7_}i6A=Q%%=6O}S&Iqg|5qZI>)QMs6R#U~&V>HeM3QsS zJ9xF{;3iuS`vTW}i62Kk;;8Ql6y$j?7=KxF`^- z?#}wb{au+FQsg$X?)_i2fZ76JVtuw48++CoQW({f{Nf>0IG`lwfiXqME@HE=Rt6xT zxm7>`;z=X8*1Uhxo+D0DCFu3%z&^g@m9FRaEQI^D;^OiXg#HplUnP9mu0N_WQ!i=Q zh^Cu9w12SOr>fd@~+)Mm-+t8?^=#9=w(r}`_%4W@9;&_ zub)cyt#+c5|9APMXdNq20aZZLtAv`h53*_XF7|HlqIW}q07pd_{W#08{}c^pAcbNf z!W?{=Xo$jDx34YT0B(ELXF^7re{*bmHEqwV*}I+WsRGygRdtQ#z3ttFlWq5-!-tTP z2EWVcA9XwK3;SQ2&*xUJ>fES1oxQBPG}euK8#i#x5sZe{8vYI%VijI=@Ui*o0Cf3G zk?2vL?8;v0%Dd)uqChpbG3p+?FcElj=HU38K8{QNN1cuZ|6Xza5i2!WlMT@~89+D% zX1$VR46t}Dzmm+^dCz`0WSvx+S$LVdpWR&IBNbDxVD^Cr6V-Z=Rp`GrnVh`y?Ck3R z=RwZG*}^lrJM{{zcK~Lol7ysVRbi^>+ytPc?xy%dziN5hlrWHPv0eDPWBA*by+N+s z<37{jkJSLfyRo8JjIZ|nMaakr%J#b!8wUrRQO^ueR|~u^ESBv`X^E5}kOF99GZX1@ z3r8`wTsSrl#Ucq$N4&zRDwg+cjtt9QRV zZQcv&4qU}Vg#PS{l%gW zf4U~-hAgXz!Cm7G17~2f|9+ZR3Xmi^JUd+gCF4EN-<1p@g*w|~jldm|6E@08CddO9 z`_$2q+qUUR-gf&=3***8vK6QAySvpjge^~E%?B?W4=+EzJgy(OT$J4~lna12$^uTM-!zKwX`=c0`WNf1eQE$;7HZ*|3XP4yR&q6C=GUP2PV_ij#tla2ky z|8`afli-))!5*6rd+2_c(){D<^-UFCRs)%d#uFkVWx9@mAu@`n7gaEz@SwDKZg6;~ z8?=behQMJfy!?Auih_P?{nL$`@-;_==E1%6p;BIIgc-%l<n-;MrGl zC(5fzoBBAA=PgHlm|u&$6gOYOz4q7ke>^WVl;)Q+xbAD`bbJvQTvg=gT7GxC4yc_n z2r#Zq!Rqb{R~(BBXKj?Bus!oJ9BusT=?UDzpv%)j9}GY^Q6~M0+gNRR;puC|W+)hH z+k7<0a-o0BmYz;$J6QqhP4Rb!TVDL7T7*dw$n`Is7>)^Sh2*X__>X7_BoiaD)1=su zSC|uuKM64wzV7IyK~KM$pWguBjQ0aq0>pwA7EU`#ya!G5%)6sH(S9fh42eOjdJ^{T zmi|%V;{j1>F+`e_5spFu3}5!9G1$}=tI3m*B-8{D+Ga-FdbOpyHdqC&e?|^kmRA*e zcRt)r=8by;GA|2WnH_t(u=o5MV>OV+16)`cfLYi9p+8qA}PZZ1NZdt$u0J-U8A>R-sq+}dnD2g^r$lH-XsG%2Q%8{0$4LBqiie-raeH`wtbNjPP~K`L6=_* zZ6VDt@y^Qu{d(c<^&-0%8SV!FI8LtkNI?v$yjPexo~Lwzs(50Z9u#}4-2hW=oR3=S zy0OisuioKn+2t-Iydt`7I^2{eR3@0{^lSsRG4#OEcF*T9%l+%Nh1_^mwuD1Ur@;~gBdfj& z^EDx~sy@wnos7Kcx;*H<>~>H4QsU%lF*R?lx$~(owuvW{Fz&Kg;)S6*p*_BZKw0D_C(wf#)XhSS+XBLzy z@6RHh7|n?^tdUAVOQlwsB7+uah^?G4l~9EPqg?>Pw9QaDXit(Fa zuURSq7N$V31;(hM)#AC$QgksZ-^>#KyIg0dr=Oif#b$%LmvkTea>AH{Pu9N&Z5N7| z&AT%HL|@0X#5L#>US#ZwW+o)uXjE80r;LN0P8&7ed>YefDD>BVx(Q!($}W|O{5&>K!+b#U=bbSJ^2oK3Wtl#8 z(Vc?6G0T5qWue|>Ibv_;&l#8Q!~OC7ss7}WYk$2eh#mpb7&%GXShgHno3%SkakP}( zq=Ndt8!TqC16AL+$f@7%U%1ijX#wQJdk==Te8Wi~zHF7@EdF5CsPw%im!xYEvv{Lj z9v(uH2Yaj}7&+-%nS+MFT^W)-x^WwQaMSf^C~+Q9)Ar?hGRe9^@APJ;Nl!|=5`E1Q6pA{RfN1AXh8pjq@l5uvOr%Xr zEJ+^SvhsxY{t+gepzf5PVuLHM7vo(Qb$p;eLP$H(#?!RsrOjZed|VtBlrxb&zcMO` zUe`?D`$Oi6+?anZ>aaO`hIYH_UE^+TSNc*xcBShB4Xa-sbDX4X7ODz_{lm=1(*@HF z6*8N-UNcsg)!k_QWIijTx55D7^F%+T_j~_+cGnKogJ3)`O)!b<0^ zZ1|H@xrKG}1Wn!bRsQ)bJ{?bIeWu#;`1(w*%q`utdb#?ObNAYxqcpos2ZMlizc&&B z2=`&sp)H;_{-;xk2NS=9pI_f4qSN@fx{zzO*r3B+fd?d1#^#p2i9jAovMZ{)GBOJB zV{kvhl?N<@!&3!XboR5Z31MQ4AzFrugFr~;= z_RZ0s52Bf}Shb>>pe%;8b+!_T~Zcz9r|fm;662d(+45eLR_ey%d$uBdwc!W?>Ufh(0GW#T#{ItdJ!t@wPB7{ zS)G-c30|O=9Q0+m%V53Is}j;1r`W6CJM!!KJ7}+XO7X<9u+x&J!i-$;qM}CdRTE||uq@nS+Fcnrz_)f+&F(qO$}Q!E<@PR@EEU(Mt9HQdC)#*J1@Il@l!`XB=BOv z&t1zbJwQY>IC{&H^&cylv`9!V8!r!F(+bvzLuIQbBiLB@jck5>oX{7@Ef2wWsa7bG z*!oJCow2IJ9H9(s3wvA`JQU)3&1hoaN0B$9i!XcpuQQ;H3=wiCSuiO^>B!i@22Crs z+V-H9{v&olP43Ti7qZSb*1dlA?@Q&JhJwF!F=^A$+&d5hBmw)6p?5?PV_+Ev7> z<@ptG;GMnR=-eK(Q0u-Lr1<93gYQxpz&@t|A&jQ>2SB#x$BRAkagnQ1DU?HRX6S}6>tU~g#T$o(Zv znPG9plje8HV2A6PKhdqe;n>tqnm8Hc7CSw!KFFycoV< z^3jNBRFQ06V8xQUu7{1kU1=u1KeGkUpOtfZ(Vez)9*|-9cf+`SRI~}0J!1j zh@PG&-JVQQq))G;vGgwg{#Wcl01)zU|$ljWZmjJ8fffI$gf76c-UkE{A}N?fu~lZApB0{*r+D9^Yz ziVbbP-I=&1d_zUJYes^cTI8Ecjcn3AeFOj%5hHs$Klrt6U<(YlXbr$d`R{~rD5yHS zKGazfw81msxjgRdOb7=V%jR;xIOY;ny$w`?6z0HzeUW!5l18*~*lf#_X)o>ncIFVjUhMC`!=GRS1pv?U(DyCZ=hIUXHn2lx;44 z{j_jmeVMV^z$D`a_=t7^8oG9eQB|H+JBW1?RcNO9-7$q|W6pne8fKf5et;g;|78Ch z3{XXKMpSi@Px1GdI^F)#eR+qt$_Zh7u6ws#D+uZ~S&@-tU{sD#rfP>LY8Jbc-n;EF z8uQ(9#4OEO{_}ZuI1MYiWN?{zFH7$bOP&L{aE4XM^N@sK z`R+}8*N!_ydm6CseTWOL#hGhr)2~v@eu(+_S!s7}GX2@~toXut-#q=-`U7M7Eg>z| z6%7M%BH&qoY)IkH?&n0uzUqG~-Q82BZDCfrCzMZ%J5so321OBEXhez~x*QxuS5Z}P zW3x8sG_L3{W$<+y$Ts%YF%`=sObDkI<%f2IB=0e=?^SAZHoHLLevuV(ya~RSvH769 z`0U%yP(CWzr4uGLMqK4mv>$G%D9LLRrQ@{3ZonuMg^MKRfptV0sbiVMY)09xa--!J zQ-Xp?1pu-o+{L7YABNH=Oi9dF0(T-3$B1b+9E%i-Qerx0t{ZiS6vMfYkXE>X3r&N* zB9^tg|Xtiy**f{;=_C~eE-t6T4gN_8Hi?4~@!H36-juDMa?SJ`4 zfM3{O`Vb@1Rg^VB@ScJC6O&{Iwb%j=kH>}${EJDXn076lzn50n7KigklQ7Lv4Usk);Le=8SC$Xle8JexJ! zP?$G)>|6%Jihxx+RVxdUSTv&CxAqcLT`TDXZhk4NrSYq}bwp-Z;{}-~(pBx)DBzk* z5lm0T(HKItOqN(9?}6CRXDH)=>wP9RVhD!O%kzzaRdW{!`8Vff?|D=j3Z7<&H(|a4?k2z`=Jhubw#lZ{*6^0g z`6ENMl!0I_RP}rpb^sOLxP=F|LA8;uTN2iua+(-uuMK|lWw#~9pyZgaDL#YAUI`_n zpaRW0d82CX47Vo$e?N}yKGkm?@Osh@hj@N1+q^6zbBrUiIMP*G)X*6dT5uot=kd(i zBc;z_+EGwMRjVH;B<7}sqT21br#fn4IfSB8k71Yy)JN_*sP}8po)w9tnr)x35)10; zap7Ir+P1iAg}m0aB)KQ4gL1x4WJ{Mx5>BtO{Neb38*p z?r5-Se(1-M?ux)~DQ2ngtTZ~!`Mt)`F}SC(lyxF}aa#Gpup z85_@2E0|P4Ahj{Dt9h9WaSWDwe9ggBO!y}0_i>rdv4OI>yf7U=kB6(I(|E1Wix>f- zoIF8_shWv-J95oKvO`_X5j>3u+$!tI%0`vXL~9!2SovK*GhW)2k^RZKMH!cPO`mS3 zw~8X58>!qC^^4(Ufbd?75M2(Aoyz_l15(=g_$Txjo^DcP8{?bJo2c0dD9j|g3!f{O zZN2>%p|Q0cp*R2bs1(Eo~W95G)n??;( z|91eS2@m4PVTZa$6@p|28}nI;+q{ZB1j;t{uP`EAtYf1d%gc!KzZYh49m}iSZpbwf z|Gg9!pD^6C%4utqlqyu#6)lpjTFE4qtp+sPiWDcNCA2D)lRkwzrv?O{Vpv8hl5?G? zC{(AWgEqDH<5e4LDqRN?!gp^+-n4I5##ERtxEPeM+UMN0GAMKC|C5mC^Jorg0YiYF zp0zP4H4ewwqr5sJ#ZW=E0>764efR?|UB}$o!mL^V=FXN{t#*w0%n4lS!tuYo|CyE? zA5bbhVPj_1Rtq;;Z2kchTobL7-NAI5lPKJvI)gsJBoMo=y??&|DFqO?#Iq}Np!=c< z@VCbR=~H=pk=@S~hG{b;w<*gg;~}sytHBr5G<*^8IDB0|U}90?S)sfPvg*&l-08*! z2{y8-x8E;OT`f$XqA1?dZ7@K@K3g`+A^&4EUg3`su_RgHwKyg7p52KAG4%7|`06zi z^-q5yHDCh=Vab-Ci{Q&gRrmFSX;4p;qFma}w)SeTMMKE>?YLLaae9zQTm|<1x zCG3U%hDe=w4{_4}e|9DmP$z#cKpd^PDB6v?IOog{sH!^a7p0ImW6)5LOSd#wWLdRc zVYNNj6-W(_yN;n`kb6bSccSqwGOG}E)ed#%WE0z1lN=x4`vsb8e&IGblKQ03?OiPN zOo&AXY1C_2anBw-p{`-}S3JZlmd(Va4hK7z^}-~3g^K~93Jc#WfG!HI6wK*hl!W>u zy_j)2M53-o<0p=C(WDjIEsH|>i{DIgu;n_L+eu5-U?)re%$85X=CS5@Whe9R~p+RoAB}dxXn)l)pJ^#FT?Iq$mb`##!T}CHN(D zGHv50glSvao*KsA3qhAsfo`(wKDpMATqHuajj%RI!fKg03ExTEbYn40H{ z*vQD*P{D+hdF<+T8tYDd9+r(|Idbt)_{M{kGY4k3B33tQfeDmWj1z#P+oFxsi@55% zGZf74GGBd#ukcSv32N@P)HLP%+O7|daw<~@&@YU?AE%xQD+6r>qkq0G0#!wu0MftH zCc%-r|JuiVGt{3XPm5*3;lpPC4Eeo^@Rl#Ock>o_KbWi{Oi1y#nvYlS#QJ83IX*N` zl&94C|K1d#9V(4;EEy4#9)=60X>_7EYfpbKt z&=046x}_%L)2+_m-;}jB;gad1cYcO4DYNX1>0F8^_$Q0;=>2=NC6uj+d5coS3K1=N zhQ1sQzI)o?L;tJOc0)+Hs-W8KkD#yhnt!&K|Ri`Qkxt zpfzk$Zi<+34EU<+)cd0CEyePRtQ7S1$*KEgZe_bfQ$CL{ZI#Hgcf59@AjTXdkIX=822knR~ z>mAQ$F5-xuc6us>L03U51-s)E>~owM5N>d`?Rf_@U2(6AG)rq({p330=5+@o&j{-E zG-%Li-p=nWh%;UZuW!3v7B{t`g-JS>378NZU@qJ_WF2rzO4u@5aH~PimL1)4<;}-N z;t5~2)P0~GzUg-NaMJ&EfdA%-jK@u0m4H}24hND#MDa%>SO^AD@pa&wRti{*i2;{2 z0&ilEj(0#5`46ih0Pd+fA7uxdRV4u)=iC0C7%Wrg!UGY@{l$OUA0CLm3r;D(8Ceb!8Ue4% zOG$ItUi2+LcytlDdVyr=k{b?wkdT59c}_@$a%AhP_SX?5u&M9 zWFL@?G8A53`?vr2ZCv8bH90Ci;klE(L3NORv%N1ve!sfBI*QdECkG2ZNx@HKJVAD{ z6<0!MzPyN>!5+l9cbHJQ$ct_&K#lV%fwGxp$&AaOBK;FI_WdJ(on>56Ua&c;PGa)* z!5eCoG7qp*rPhQg>7fZTLPjK2>eizFd^R`=uaF{M)TTpl3RXt73mMHfi@i`oqDG4y^Dr5To%4DwLjmfP8VE7QDx7nqnLz@h23~;*yI1XZ{+O%G7xOAk`+s0XgmxB z%{KBibeuvJ6wT*MOAg-K)m^xZk)n(oMh@XW@&<%QEBZlGx7qJ zd*?{6lO)Vk1DiZQ)LhqXESF`d;W_MbC*SwlL+7aPavGn0(ap9=7B0GwYOL36{$UwX zU`pH!Kg~!k-5xCi6tQp=iv@0TY|;MdxK43#OjfoPw%pGzIEVb^mVs-Gs53P4euou<&J(OxGc zv6N!;_+Z>rwlW2{@&Pm=FZ-q*BO}*#BWvRoU+jHX&_#LtuTd7=7XmlOoV)Ab=7o1U zi>1a69PZx~v`4Lq-W`8-<4Lb|Cu^wF;rd?0Jrl7R_0*L@C*s%X^+t1LHQOdig>mJe z5#h8#1a?F}>w8(oUseD>4FMdN0fi_!&Ux8+8NpIq6;b3-RbY5}osXkPC>s@D<>Bok zZQU}Gjq<|QfNNp?Aznp=bIGVfe+c#K9;Fg5jO9J? zu##PdA=NN9@^9m4#4fTr(GON{d|hDF#W@F9ST)X==>_ABrCkp2y+s8Z5?jJJXzg_E zK<;9Y8ap!Qm40%;{s020=8uk+4DlPE3;0(@{&$Yg88LUZ!A~Ev64uqkQtQPnn*vVO zMn>RG5^_?I!R52U$9g5C8SW%GFN#IFezgZkAmc{!IJ%qxNhuE)1E0Y&8GsyItvltu z7f9XsW`fkR#>~2-7p-Am%z9g zR+b_Y0wl|m(Pe~4Qm~J2O=uhpjAtpvvTUC6rQXdSJP=No>f|l_@#ty)vrdFQhyz}f zT_itQv0i2}rvGfQBC4?Jhr#MVtn}53AEEtue5;iYH;lS^M_z=jakO0mZG6@F92*XV z(fB^+0H4fa4Owy9C#s0;8WioRy989a#EO?^$ZN`eo*~jDgH1v z!P|W-K2P2^@Iz%)s+?=uIM_wLipeZq%`97Ngh?o>QuQ6FCJ||A$T^;nve)<$D?iyy zen+w@P4DL^4ed_jp}F^f%+c4_{Wbpu3L9#g(r_|S-oE-u+Qa7ec=SGid=9_VqWK*w1bUd^x1c%XqKbf{sDcY#mL1(0eYX07UGmh~OU5 zWFb{%`1c!TtWpVD3}oX8i-zF|K7nWPDsR4e9&sJrQVQ7jE18^p9++Hhl{=X1bMEdI zblB>IurhgTXiZgRsc7=a)e9kS!*JC)VngXs#Zyhzk@Rd2j)R~gNoBmJs#usWDThR< z5RU@Tj$}zj@zV+sS|*DZ!B83M6*rV-NcJ?^ zu(zN!KDjcZ>vUAviI~$(3v;FLl`_iz$b>AH7z$%2p_RK_Bqfx>J6Y|dkg3}JrPn{F zLZAKl`sc^IzS5lKrFxF9XQGK29dT`JD7Ixhzls%|Ppv5w{fm$f<2245d*D6Fz*K&|mk?Td@2fql+*3X3{z!x`izWytJOA_bXpAKA zzt~j{)3eF8Om%(BHLVo%VzG(&Xg+9_vmLru`*lLe|5ub$&ji}zRm9`hdK9n(PD%m6 zBua#>0&KW7NL8rf*ZDrn_>Hcsw;%M+w1l>-x$kk4yD|uIhk0rDTx%9eX%OLfJ3SR8 zYNkvlKmYiKlt8KEb9BNKKdqocOG}p>Z3Q17S?=PXHAo_Ib{Wmu?rwOfn&yE>kk+nO zamho$a{Z*@CSWfTT(wjGVC;ez1X>ddyNld>JCxrs{aGK!B`{axtKXQ}ZmR?x@Fa=7 zPslCr)$Zdqu}?Vv6;Qm;EdPXGYz;W-3$a1Ni;S>*MXF+Rb9jua` z#P_0U9RogTg96)^L#FGN4yVgxRoe-F{#3X9?7c#b>S=q*E>R+KQ;LK&OIeJsSa2lG z$sQ2GC+Iwf3pLDYrPboReK&dyG!kTKXL0T!%y(IW>*_|gJP$>^r`}5yOP=&ci0a8y zbeIxLuLop4=9~Vn9RLsjUmjTM&j+u0#!0j$a!8n$WC!}cdiK4yt-jUhzqmFhwq0=W z9ZmB#<6^A4BwbD7(QApk5o!rmcmsKAFfW%S!sS+p?oFz$yw~a$WE{Cq!u3?6t&K}D zj|_&t6y2(zsmri7#q)@~BflaX#*w2}+pi-y*{Jm9%2c)%D#)6jX;q82FY(niLaDuM zZL|#>#F48^iuJ%6G#TI>C99ki8tvHl*_NEra;T)+4e0_&%-Ty6UGA7|LtprL+}59A zYbOxvMQbuTV<_h;U(5QvslGGN&Q>WQz2-S;a3vBo>I)&C`G8|IO~OgfM~-dZQHH;R z-FXDQ`+W>{hpQt-Q#Q5FhNJSXnAp)FeH-Q!=KFvacP|&x@~&J@ixQqL$RuZRev)R)5ZtKbuckswZV<4Ue*sYd&6hG~k7R(&F;XVn&`zxj3`L zJ3k=j3gN+AA=P3mj6@xZov6Iy!B}MEQ)l`(u=Db8kIl2?67e{_^P2v|9s2u(l#fdA zv<|{r*pf>mc+5s*{F{>4VI)I+lh3k|N@di}W^&{fO}oPbQtObbvo`~XAm1MfsN_=d z>M88(1yonn|zo zcxQqxsg+QjxX1dap6r6v<(5cNL&2Lyo$bMcnDlUxrIE}GRVp&7^)N(`k%9EoWV75e z=jUVLC&^!3>6!!(mHrDYT_3-1dvC6c);>LV7yY@+uEwFF<)SLvI393!OEm5?S4~Cm zT1s}tfu)T22mfSOLn+=L6sE1@r5&an8}DqXS%}}y{C8;IRI3Ep=rXVWjPsT{S_s}7 zF`09iPr3e zd{CUV3*dSxN*KLec@=dvGxDA>M`UHTmYnxUIyE=s)o<})a;FwbDuYagLL%$TD;B)k z;U4OYg513`Z^$xV-D8ZS#6}Xo8~l7_^h=ohV3!j^`+mXXqTA!b2*0?t2k8J*LG(mb z*)Xn;h#!(%Nddn{tw1Wh&U(#2PUlIptcm43q`ifszSAr#&#%7B9pQpyQDfdXOkNMJ z@r`;@c!l=ryLI0A@&>gc8n!7>hn82$geR{^8LmEx)Az`rvn6UG-DkA*tB_%dANtCn z^f0GR`eDH{8%>O=O3+xq_OOJs)Zw&Z30Ak+I@>PJ^LA^8!+poeg$J!g8M&tr&V%+^ zowK!hp9^l<^=lNL#}#bjo>sd&kZn}(-ZS?B@o(0BW;8~ZixLr>J*IWc1bG;csnR$; zL4Lt~-y7q^&=0DBrQ(0C0dw(efDOV7L2Q+%R9~(gEu0gozxs{2zB%Gba@DOy3@{+% zVih^fM2wB^rUBbwe7ObqFv`|*-p+R>ogJ0{eQLjag8hEeQni9=+=hK7k6MUbk3UpW zknELc&ppM-PSZbk&pJA+$%yY>H>juV|BgTzp_smKemfIM$Q20D_K4AQM7)bmV$%xa zFnE;9&SBb9I6?G2I`bOimD`0x(T{R9Lmp#DoaAV3ia?e^uB6I{8ZeZ$wd7{zPP!*a z=pX$0rAcPpx;5X16^uWh+TcS_HAN+GKbFZBv<&Wh$HFfy1zMO>3i9Itw}x!G+W59Bx{E&HgSP3*oQoyYjh@mG1lZ6FU}S zRIN?moHoM_Ihn~(PQyAzypJqmaN7Sj0@diKBAE}l^@}}E=^K|dF261`9A%v5r6%CH z;mE-A)`>omR3K^r%br+bZeiZwvv@W-3g4Y6;^=tq;8tLnS0NM%;SPli3lWoPvl2-= z5kV;*3&vnC5`t1N%mdfH6#JG4qpr|+Jvd>P=;zMwB{O`=@EW(dy>d;KsEJ4_kapws z$1k1U3i+&NrDR0Z*6dXz@vTBr4)Y`5dX3t(Do7YB$sY^8WGB|I`4swWLSQqA9 zE>*H#TG9_^^ohfqvx3qw3Ub-ze! zMv6d+mp;FpH2(~b%YJ&f)(1RfE^^=#3dxwG?SgW0+V((vWNK}1%T4t8fE*YYSMyYA zA|cN$hCftX&6D{$Jmoio2Y2i~7P zTl6>CuX~Ngq48)uQbc63q{Om5z}MRsQ_<8kKRst+wdsaU-60}CD78}_cV3YgUc(HB z>1E~R=yivLgELRL>7bPCFclI#9eb6M8upjDr08Ih<%=^VXzFGAK4Jl@h@&&-NdEY+ z+&JKDSL+9yB)3%PIi(^IeXHbi%2c@#x-OBRFDP+6qEG`8AtGt!5~j=RH;!+mI!m|` z+qGTi_)<4PCp*sct7AQ+m35c|-a@{&!Fs}_+mJNM6zwhNAKlp7?eZred&oE)%$ zLHdhfv?u>7vi!00o@w<8+kIp5>yM}+AJM7}bF>DB9R#j-y6f!Aiazx9^$%|J+Z}f? z8)#nsx#GCm%%0&-v(6wiWL43A z&p7jWbBj%Lv)P%cEmwECfcfXcZ{M_E9Qw_0aqGw-XIKo_X5}D}V(`}{HU*(IzAt@- zK7Oc(q!_N9Qy;#4P1)4(Tef-2uN_dPp5q)N4SeBO2R3Nl|D;uaV}x_zq2`SXX=NQqR` zTN-RYguq7>Y{bqh$xk1}wXx@YbBhCm;fd!h(@*K^)T!EaOVkxds@!t^jqCD7H6yIV&(QNcT$SkkQDRHLZq0? z)0U}3Hy1*kZO=*9pE4DSlTPK8YTK2$HudS~IYom8Ppv7ppIxn_3H?zK-@Ol#nCFou zPA6`FQ|Eu;_hh(}Yui_4=b+Qn-IK-3#n1Es?Fm+Azh}@Qo5jUuo12Ze!OY3cXZ0YR zrA2GDqp>?>Pd;2_<`j@1CpCGe59HUZh059QB$xb)sZHj^(|!ldF|r!E$Uv|`=qwgXg6BadpswzOTQC=&A46~b|*;G zK1{6OF8|MoxQi@2-d3ss&5t8#t!o_3b%wx9XPRMFpEfym=vEE);p_7@HE@W7us{sc z^0VF)Nt@DJ5~Ora$Uv8T)Qj5xk(a0fdCBhZjaz}6fnVo$uQpvc3VgP#t7)vA-aYtk z^Kxo8-!qN>iM7#(E>DHZE-!?fOj@3`L;`S4%Mug?tb4`!UoLTYKtHlSoTYNaJtzQ!#V@Ey7 zJ$shOTV4gpR%7=^giYw4T1QBJW6Psa{8Ca{KMaL+sRmuV*>pG09%{Fnv33q8HQ^?U z_-go(m@4xc%8PC$jX=&8bB#Mxjgd~72-G_;=wi1iHaqs{^VQ z_t|oR#VdPa0P2D%R`wHMeWe5rlJ+fW?uc+WRI8ML*Qj`9W1^0Dzww3Ky=dMqaOo$$ z)!108`inY|{{cTTRGr95!dUsogwTt|m+M~T;kopvAXmN<2jE>KYy|2aPUNl8mtfi{ zg;dt^2_}!z{B?l~YGAX|%N}oCAguANvGv629 z4!m7^a{2x=PU03K6c#zn!E+Mu|NfD)w@%LKgH133&vzszk90yvvm; z>sQIs_skslt7wV!{amaK-~-9Sw(NgYy_sjc(xTL2qtAY-x%;zDgk;G0kP(AY} zk2ANJl2x=%DD}Tq&JR@XcFGa?`#anv_P62$Q%HGglM%H<853R%2-y=rd=?^9WFEH8b{#p`zKW#mKRJ{#_Y-Es!lAUO2c>-=r{PJ- znJ~Q%F?t1%L3BZqtIROO>@lll2NS5%!VRU4M98u{bgI z`}2PC!O!YjM-z?o=Kg)uohUjvq;@`$4!Tt?>+XWYf8l7Pi**b*?J3>@!8Q8oF!1&8GIjTB&YCTc<+?&7$&fZI zHFlogKg<|@k)eerWh9LLwn53ly)FJU);I*sO2{UdiHiyv5MFdT)ozWT-)HMBPZh&V z9YS%2g>~J%NXOdugU{?ZR~5E0OB+08Zr*;@Q@dcn7TT-U^+Efp;0HQ}SMo~l*=`rs zQS;*39s2czf`Iz zXo*fxAbYf8=Cey8`MZ%Ksij}_2f|M*gn4-QNmiO)4|n9dFS3At-GA2O-+ZK3qn44s zeTp_BjU(U8)5fAVgV{P+#u=VoF682{)kg8<*$%OQ^(z%e=GTLU?6U0MSs&%Wrr9Oy z#?ve6I!-DhH~JNuvBfCTBH^12!(D>ui(IC`4aSVEM9hX>hZmBsT~)oXE- zuq)BpxZ%kAJMsF6*Lw={JM^U=dm=4js^M+FP5Ekt4W_3y-)zy}Yq$GtbyFV(S<_40 zxKE&QB(P5->P)Am&l;g{tv>yNxqZG8zBeXntaonh>Y)biwV-_43{F+@9)G;E)}M2I zaNF#OAb!iR?k4Zx9i@VR9Oig!Yq>#6IY?T84}+kJT@)6%-=(Uhr$xl<>15P2hB`oa z7uoqEg#wM`&HNshl1I1B^c3oI%jEu#FaSVkrN$3?!AO3jyzD3YJPZWw2o<2FNe$;k z&E#Ksq%x7(dQ1)~7EUqV@&k2$Muj?j{MlV7?9Q@If#FqK0tpvs_f0OB_d2CZpyuvxMPYSHvzdmUg1yasTG*L2}1_H!*0MrU-_mwEQF{(8lJ_k0`+|*lFAi{Cn-CSe1mSo~c|? zbTnEMEZ9U<#GjVHD8u3BrD9CvPC50NsI=@QwUTf&!%NNStV;-Px&2 zh5?l%3TYD7$`sTe&B{o%RXL6ZsA_ZLtF6YXC}$-K20hgFcfxUYf-EFyD^8qdH0vU3 zA;xOLs7@RT&wWw|xht&f31ZnjJ2Qkz01T@+Wk9F;Nz zAwYt(&Jf{g(rx+JSI!muNPp5e_TcD^e6p%;xRAuw{9lf!kTbRkq{>5TW4o#m7E`sG zmadY8bd{~!&E;)yykC4*&!#=yPdc|bnHxBO7|RlMqdX#D@>@`Yve8wI*inv+M@MzTFe?D$Y&zCLweqa{iKR ztPu)d0tBN0GF<|0!;?Fj+43Btjys1k`1DNXpBd*v6-3SG;HfA#05j8$t}DxOyb5Ps zi8SHnm~p_A?!tBpRnF!VGJ|>w5)E8I$%0H9ITFo;zE;K5$9blkP+EcsShbpm8uOR4 zR4BTpm8tIcAtLor&=E3B%CKY?MD)Kg0LC1}6r9a}F=Vx5aP$FZryi)oSLZ8)xKQ0zj zU0PPj%0ULJM6FqcVXsHWlB*Rr(7f_9QcAF8ZNWzW1bAtIwz9BxxI$--j0iYgH#*ZP zLocQfuf3|+DjnceaX+ME8z68pB0ja;eBg$=9hHMsAR(!r!YPavg5`jsju8%=A~OpZ zw{nG2YvZ5^pfvbSM7;ourZR>s!w`H;_XG<+vT`f$%!O1QQp8QRri= z*YE$0LKs2E!jM#B64*dZ=60>%lTcgunq51_8iy*U&^~8|8bBLaL!HZZJq4)Z*&WeV zzaT&YG-&ZCAfY;6P4N*laRz<^MOcedirDie1$~7xs7`twO6olODXyoB-@4qt@XLTp z0Z+u(+jg$M@MYG4j%RC&L~-6rHE#7s_K}QWy%`NJD-MzM9Oe8R-#Z&1KGi84a6Q29 zbo57&KP6BCiAJw(TnT$Q779)!owiQ-SUYX)fJ;&L;TYr`EQ#LkK+W*zv8EMmNKI+2 z{H=V4(wzG9JH7uR4&GSbK&(5&uZX?XYfKD^+C$%%QsxFwDQRIV%X`@;p&I-cj)<=f z{b%Et-$%!2_j%Bu7a&j7CaWqun5l|G4mTUYS0`IhxFC|qSx81#m4 zbc&0u&rjl9=WW|oBF;Z8T}-_L1&mNOYd5Rf#Tfa?U3Hp??~vlah!E+G$K!~tPd;`hLT81Ej+avY$T7#sU6Fm zxP3I@;9Lc;2YB}g6jzg-L1A|hsut35Xp~{)oHa8}%@r$$%gvV0uw{ivE^sQx?MA50 zEJ=kb%{fIIinc6X2Al7mDb_p?=~uUf>)Hb+-v z1vV5Mw^Qc*%v>gs$l?ZmyhFj&NIJ&K?(}tDaI%3r3innL;fXRRN@Ec`$%rXufHvwM zq;11SiC`Z9cIyA15B?wAJ*Dx1hW6##FF{mInB!Xx+OPErO2yFWBOzo%Sk$|u32AMQ zi|M)X(Gv}w2H;w|;G=4<-Wg0m_p!r>-^R&8HK?WGmU-UG#bnp^93iA%m-|C9MYRNQ z*K>sY$fWA&L6{iOt@QO!jhf-NH|Xgjh3SivxaR@vbLD9kKPFu`pD2_2mY`B!{`8%! z$CpjPr$TU2aX~R5iKwlgb%fAIbChEDiVAd3xIk-q4vphk@uvN=R=1bCqz&#iA2+rG zK}Vx9UkOE^ji=HfV|Yf|pr+gQfCAl$PkKmBWAh2#5Hk zkC!Q7Vfe7{n8rK>*n_xGiQP&LE|F^6-JgF&(#GKc@Tx$+j;JH@6^XSa0oxMX&Z_L5 z7H)^7%OeA4C`C3XMVUle($>U%)u;xIU-Eql(1^OOaHb9dz1pD(&`=d9!aVKG#DChV zh9D7iSEm9sz-7X!xO!F4vu6$yp9cCFO!>w}l#^M3+u7grU~rhq(TG2Kp6##NhGm~4 zzw@#4ZO_!|Xm$qV=inIuQLXjp6@qmD7zu^-92|(0&lOL4x^s)0Dhwy{1h1)4NH7g{ zLPZRY6%CiY84YdEXj)O%3``p{^fn1}7HPKyg#hyq&fw!1waILxQRXYS|0;bY$|VGd zz#3YqmHnzGA)`L0y{0T%3vRTOE3%A_{>I_c?ry2b<%%eyg-lGXKC_nRuv>atN)&kd zgV~km6ntoBK2ErRH8*W`2Xo5RL6dr0iRsWy`T#92pM?ydq&aabE$+I-M1!SX41I_EH5(B!0EE9KsI%citNso% zQvR5KJk9rr={KbWo;jNlBYNb|Ngpx!{ulibvLA4YW+*PweBV!XzUw-p}1Ol>VIi@XHtS#h( z!T%VCoi?PUeu9lEF8@{Zx}vsyH=H5j&y>Og)$2?b3Kt~dH?6hv!2q9cS z$IIoqyYP_I{2KH~rk9(|(~LT@(&>bUcXv) z*BZ{c1p~tLp9{)-xeoihm5o-0er&Vkn6Y;b^z7W0$4Q@=?MivXY~`Q+e*lftYOa@> zj12Uy3nR!1hxw@705)c%4ZM%m#;O@_Y@oxI23qpTv3vr~t0xLJv?1%;#V7Iw_@lIx zvc^e$2Tj$y)&)i|i!l3JbFe}E8YDl?8Bb}J}0;mRT9x_54BW`#Gn40$j{xuo|mdY2Z+i&T0~RSDa==y zw(rvmjmvQBYJ&4#)d`AWa*}TG^iVt-2(%@GB}|vG<4ul8Jq1ZD^#sib%Jr%n^ug0x z%acx%6)TZA0qE?uuY*liAm58I@B+s{eKS`r35@Q(IksOpRzj>bsr{Ew{BaT<3GeVs>~sw-+xUsdXc&!*Rxk|ps8F?7@ZtKk_C3Q4uN#CJ(aOo@0& zEjmw!;DE~PX=7v7n&5R&D#L2US~n#ELVScz)>A6(*q`6= zNhI0~zl@9h`)_K8Si}UCE8#Fn+2mycS}FqWA01$Y%7F5p zd6Ez!CO6AcXd>@NhS@nu&X!v3O73ZXlH5l#69KaLkt7d= z;YgK@pwc`B-;#RBZsrN5v5@`Qd=Jv9WKrP9C6|;kfF9};0)Y>LWK)*xNCER4J!JqA zE#RFWv>uF!r!!$!hE?X7)dr{hbL{ZWkAXJLyJrH+N%Vt9A8&g(Uz2Q=(7s`)Vm})8 z@EJh4TBw!t2*+=^@d$aRipuyH>qHM=%9IMSKQ+RL3MjFBQn%awizyIN61uYVfiwxqJRJ(xJX6}wzQRvfCyRH+%HVUrytL}Ezv23XSwt5iFQ$zHJ z{QPMWXc=?gbK5eA$%NC4Fkhz!_OcWT2{p{rdGL#gGH)wr){vDsQE>TR(GHO%K~-B# zqB3=0>B1ESW7JeC zC3TmRCf|Q}Khz2vrnQ~h{%)>$!;a?n=^J}7oK-KQp`R(dTOr#QZ?q4FZq<=ZO&1fC zT^-Zs$zbKcsGg(j#V#7@&{o2-U!?r;?2UZSXJ6`kPZUJ%p*axsl$Og?P7sprvfAO8 zy27kF!ZGDpP2vloSk$1NVDH|h2No~ey*mDZzh;5n76gHtP1kWo?@dA9mzvRFw`nc6 zgWrOW3j-)w;Dht5Bd>doNV}c9qga!cKZCGrl}*OO4$pdvxAt?%`Y!nz^S56^E4Oae>XkJGw5O*bp+KHT10 zfxh>~g3eV?a;-?FQXdUoe)k|9FWW);Pn#A8|hN*E{LxM~_ zI}PyrVWrc6c!wRjbBxep7R{-_AcP$=qv!+&STEwLXd^uGDG8^%bQ#fNr%y5{AnF$D9rUE~!m!ULXbm7N zYDdGkMlxOwO)%R712pYzzFkr=)?z@nGYRzf0K*IHo3{N>Ai`wTAHhY8IZSptiS6&0 zM?o@EnpUu~r7)DJ@reW)##<|TYJ{LD>WTMwFP>7BW!eRLixr`WV>|b(Tmm7$k7le# z%j@ue7UWlw$}Vh<~mUMFuij>OG$?k}!B*Ri#T`2k^p z*N&lLRb2MQWKWIzYu_BfIngg$2vJ;~mQrcoJU6Weqd;uL;G?dxOzesF&5!q=dS`Gy z33jBm4{$vrXSJTE>un8bQ^_1`Y-bHT?#@Q@ukyHTftwh;4qpzVUeGAkxc^CMiM3Ao zt2!2q;%8%$4=d$t9P($DWK}KI(c={G$xYI@-vT`T7_eV+L#K)3Cpfd5Cpv_1D93Ij z0}FcE*@*QA6=_oz!|SD8>GV)a?}7uJ)#1y9{H0Jo!(8R6@gzDeLN0>!!FV>dMS1YN z>qW6%j-{M}egYmD^Q{J}i&sw$V#F|&-WD|2yhmeJ2no3EWXY~&K_>Dio8lhw!@C=~ zvvcNyZv^}a=v8fo8w(f^B83j57EKn`jL8k6H(kaRP)tNdn(yduR1gXOc#eZb4Umm7 zC-@2vQ1ib(W&5t7j#>p*WA>lofBU;{i!!f!g0EdKg;ssK&_bS1LodQ!l`X3g!&|?* zuIRF!90_Z5>?huzu5R4^ximRHq4M1YeW~R}-S^!|db1VuIq7L)_yXQKlmVZA-t5b; z?X0s-`t&yNnCZ=6%lR1bGWWS`UpC`#&Gqe)i`ZOHv6WBgLF$bT*a%!AOr{tok}MD~ zMP?RFYdk5C3?>H@ea03mlNTfir{@~a143AKxKj14Lj69w8>fAeB!n~|^Ss*v?DS}Do&v{8s==OR%sO@gC z;Y^bc$pQi8ehK=+hnm#t7e9pHrR9G5<>1jg)@tp3mIFW_9Q0&hlv^Y#*JVkrO_K5k zVH7a`#}F=JUNY*&J2jlmAye{Z6qADfuce|cVrT;jUs2!b2lCln$Z~ZRPDZ9wRC;y& zb7pSV<`Y?Nf52_g>tAqh5^;3ho-V7>HP+xUCf@#p3f@fI1y6c!#p|j|VoapFy@A|7 zHSBcE^@#h#FBhR3(>gCFwyzVzrPws-E!SX#4Tt+)t-LO$yUU^%OGA|NSBVy}E8~z~ z^5em-z7HbzToc}VO#+X~uCaUL5U1wrW@&g?m-UblFEu>M;FAzu;oI6zGeI3^116m)n$wY~p->s7scq&koN?}$` z<8cAKQbiH-v+}J=EKK<9#zOp}G?jf)C!wtG=JLfE7jYWCz#|{AXFj!@cT3%iaOyRB z``h5Tb~4gaglX1Gow#i0oM(gU5w`6e-6n)ClH=NugZ2lE{+gGUB;$S6B;dT~A+5Ts zy+kE=`#Asj{5tV6Ttv*b`fUJbqir?4%~t8WcbMtMqezwk9f~3?iP6d+hld06u$LJ_ zhGEUSK5RbTlu`S9d?T_*@U?$D&$i5FZX)<~u?W|veknyY#c?sMqtbP}=5Z#)arHi{ z`Snc1u!wKV>Vpm5zj$j;L|2g!Kl1B`O1gCm1{;C$pHVdPuahG;kUJ&PGjZ%HKgSpq z-my~;J1f~t%gzTY2e;P_47#^aw+*kywSV2&p@pWAgR#oNDu*{G0rcnLBa)wS(st~0 zc=Wh*2=Kw^1dAc&`;dwPesfR3!tb`72Y6=VbjvBxju(6}>W+vmaP2l0ul9slOUt7@ zHtbsa;!Os^Q1KJhoAtxTDGxVy2&=*p?fKd#nqlr<^bM080im~tUN=Jm6F}6v0Lrli zM`wt?^YT8Cd`emsha5i=!hkSyo*xi=4s8Y5b&nY`_`7&qw{kw9e{lnmcikOl@pfcd zRo<^$--A3SU&v+YD^dqu_^G1CCrR3$r}kxCc{j(bsbuKKn6gf9#DW^11s+fY-@4O< zXAUX2i23Ywi;~o{XgT7T1j~P(RxsLf?#ZsbHEu@>+#bwe0I!GcJ8t`Wd#+^}Dk!V! zAG9S|2lsGnbe6n2l^IILby}}G1byG6V<>J-6d8!xyvZJQ1)r82po305H{PTKv$VH_ zeb4#=2hY3S(6XN9ecvwJ`QD~L;9c~!`M#&EL)=BX(MtqDr~TL(-N$*sFCfM7l*i!U zl9UwBl~W_1`V)4p&F#sZ`7DcAFLs2H>GyCAY%sR%thkJBojx zm*QIhiBjp0KNPeY4)!+IWLMgk=1#~Pm+i${^yUUQZG*UgJoy|MhT30XV|R6G=9O7% zr{48kiS@u2r^UR}@27lS(>y3_uvppt1jXnE`=^90$fu2gsA^76zjx0Dj6|$8_zEy# zXkwmxIm6kD!+Nl+20=J5g(z)s>#$`XU0ClXSbW2=yl_2T$KE zf1bLBp{_?&$e$9jKJ)LoL?QMWeP?~l8w!dv6ME`a4FMTVuOF0&O-gI9^CzAU@wBuj)Sr8SWChr>(jVu# zUJrgxy2zz@{vq#r*?j)w0rD>LIYqL{6m-5i3TAo%=j}IPPHenw>VjLI&wY<$nKA{p zT?Cph_}*UfvUJO_L`zlqq=M73o%E!a^8HKZFk9$FBiusO1!wNq%M+2v&$p#`HscL53%r$vh$EobCRhY!-h!`s^nkFS@n7R_uyH& zkOR18FzX!Pcbfh>vb`Ug+;+W`Ls{M7w%7lzFzQo=HD?iSl+4|P@8wQhhEB6PnHA9& zUeLhNqr)_@-(HU)isC`W>x`i(AAnhl_x4~o13PVz2NlrB^u_(iYvzl`)QEeGk|FLMr)(5n$eS==BIZWb2Ir&o3U+o7Z@XP?XA&#PY?p1lm4 z-LCF^uk(mKZ(dxMzBJptWahDPWb;f{hW4k+GDN!&ulh99d6;(HEVV?z#nAKL7Q{1s z-h5dXFZ#WBW#a0CTDZUW?lCJZdMpyI3Uc4aC&mR-Y~^Hq*3$*<2|cq&fBXG*n)Uib zzF&5vXIPF;w!C&kxp-aU)gS56;#oefJ($kqT37W{xw}-~wGJ0xQg@s5sgV?sXX|ek zYNbZEf=P`WVoV0;8*>k!`c;cIA_Tkp2YN5HQjvS3=sTmO&hFJ@d23uVtFnvo5(A$! z4^5QeAVpun)i=%dqfheA?B{3VFx_{S8IIN7en0{&KVjw^cf41rVwJWtfw21&(*9r8 zgiY4khJ4*tKM>6@3;q1$$%BBFM4;r5!z41Y8G&Bw1F>&?V{ptUXnuONkz}Ax(K#;* z7^K(asnW=bqGfGfwELEHNY-EF5dGV2@bb>z-W6ptl>9m|V5RrFx^xX^_OcR%FzlDJOQAbx9{o68G-QvU#@Z%;@ zIg86DPs~L|p3ZDNLSB5o0f3HvMcGWx``&5KsE;pKdwu+a`%3#eA52w0)a$xKd=z_0 ze$tXvVm_Y);6BTt?$x~O8uu;9Rb`QV!D@abbOW4;AVb90$PB7{#BIb(+?RG43e|sJ zqRW~Gtr6|r&+4vAGlP=NLV7IS>i7gms}dqFSos2{xo&p3By(VbK3t2VbHyip0%uHi zdRZ4#jNQ?4J+l(tI=JGqR~k+vwJoc9FG}`(dva)_K=f7rmk5RYCZ$oXKzD{#*i#wB zYGRj?x`a)G*@D@yu5b>Jr3+}-i$xL6(>yLm8X90&oPwHN$oS>z zE`>usy>3Tbjlcg3*f%*S5Bq_0R(p|0zpIzaVFGmw02FEalj$IV8oTEj!{J!5{mbhl zMs}SwuZzY!h*L>J;w#EjCqmPdj>G$5(H~UI;fe{YbX4QKJ33UH?7Ck%z2E4l=5h3b zS0(m*37$Vz`|=(@JNCBBGXvTK-(-3}#Ou=k8quIgi@5B41`mXON?+Fb@<>JO`*hNB zouq*do&ot5ztUbeoO?9X^_t*4g*ecfaf&3@C%pu(ow&XTtvKhYgf1VK$qL>L&8*Ch z25L{7-5UTZ3cIdVA@W=)P9pD!;^{hdWe|rOuYr%b^Uy9K!L}j#`iy;tX#b@gj-&d6 z^N@NjJvL{V!)3mze)Cjq?c1^fcD}LU_g3=3?5Aq2h>=d0SgAVG*7qaZB@!P$4u7K# zfRe<|+ffvVsGa?y@24%r%Owp(pdk_r{HU(zyW)P&w`To#sz%aisl5uN9%1?(Us07rW1GlJ3mLxzz@l?Y4WoT(+pfN+=E{{dd zRzW;-$<5?h(em}w->dF_Qn5qbj_M^L&&>@!?MrQL$NdiR)dTug#@peiWwwZpz1|Mn zj*c4lv$5S%@YZra7?Q<$&-PS1o{dSR@lk$hYLC1-bp^Eu!UE>geP=taNjp3Aqc)EY zsU}=35YBx@J0P}ySQ5X_Rb_Z-Ud07VxfeabStm6{ly2^$`8=C$VFLjWM`4OZncU7# z3Nz)OEz3I0p8mkbU1vQ;f*`(JHdAM<{QG2su5)MgZK-KP^oHl6w2R>QZ&wf>ajxTL zug5uGyL#1gd*WH*RXS6b{DxSgH+W~C__cTVI#09#5aYzPz=~7$l0FHhk@<>eWL?q%;JJ(0dK=}=Zw2lfJzGNOn%94=7wpH9LT^`UU1??t;>9p-( z4el?EgltSJ)WGc=GKlxE^{9%JgqL!ilC)l|``oJlU4Q=6&Gfn+`cB9DW)VC;=qko@ zlf+1W|A||`_e5`d$KuN3+-mz5Cvq|4NkH4zRu6thpVjkJ&}a$y;JeTRt>)^5_%59w zLWIA4%>BGEy#g#2V*zH-gy$729o(Z8k7)&R8tP=3sQg@OJ|FK-Xi56*^s~3@|68t$jZwb?Y#8JPXd>mpDP zk|In@di?R(^RC+T{3PLyRj-`2?b zxLi)5cfP@#d+Oyx&Ql3I)-a`?dlzx7YQ9_*5ql$DpTBfZdhfhay^F#_OuN44zxabL zko@+=2{e6dcA}f%$O&OI(+ZFyyQPdQ7`>j%?t3PyH$O{UKM5puKb6Ryw#w(Bpj1BR zfj_oeM%fvFmttAUGrgbIvYzuO5kaC7e@lNStAf{pU|rukHsZJSiM4BO#CDVvgKc|R9=71Q$LrE+X z8?;$+o?>unwxm48pVl;EnWnKuv4UO&u5V}6bp>&%$Id`_^=ddmJ7gJs!(>J)^h0cF z6hiW_p5TjM2QgDHdo*2zzJ&*^(A7X70_V!8)Es}Vom`%b94cA8#CLr#0Eh8L#rIiL z)>Xxyv>S-n2V@UBpr$TXLyUOcq<{L58XGstOQIC=t7-J~7xdqm6@MW!i~>Z4*74v$ zbo%rPIPV$CHUge|qTkDi_*N;3F{F*sBzHK193e1*?Xn+dvNT(6W?+WLhabF$cPgB? zTiUNe-~MdwcirSRsC23akgO%I`8=Q2A_ZLVQdvzB^YhLEp30aqHMJlIgT4okw*&_V zez#)G5bRoemI;LdUN6bMUshEM7Ir;twe;sU`7UJ&dKeYP zR%X%>cVsT>T$WdR9~{KOpjk0w3PKk5x4xh>FP{&Hbv%VR+P<~uf``H$M!W8qe2x=r zp&wYeRt3PDz7G-T2ZKJRzK;(r1Ebb+mSFj=sC(XY_domK;ZWI|Pp@2WTideEJ5|`5 z140%O!TiD&3h{+QhKTKv49{KC9yGx|2Kn2mY-RQ(=o-s+{RKEy?))?^N(N8rdgi8K zrLL`~5)=%h*2N2zxlXxsP4u7HE)K4s;1mSH+5HH_EBu{493sobEmfzD*}VGRN=}20 zG;5=obe|wp!RRtmY*Kh=5(?Z}i)s`5hr6eoXY@*M8#jEMAF=(AU>KkyWLItWUYrkE z1)Ch2Uaxd@P(UG}>~vuSzMYKCKU)pcQJrP17oByI_}M~F(`nYQYZ5Ehh1+67$=CjJ zMaq?e>w3vvGY$PNl>hpLn7`}gBpmTSMRhN(Z@dwvG94idba5Lq%d=8dy{l4f`ed+jDEHv+^&qjGRSv)96KEKB|V>uyb_X3gv6=K{%!P+ zzQ;8wvs6`-i(IR8R&$nJy{g_-zXPexy6Tqso-dLn!lx+L)cyf>={OC`iUwF}GI;zu zjW8}YC~8s9y)CsCS4|#btTxp!2M(lq?#$=L@Y;Tb8>nbR;ez7_JlKsCbY9^Wej?Sx z1XsK5av3%NTsA=*dP8^$Sr6dNHbzCmbXSTrKj8biiT{f0n*j zVxv|hgan{#Q*$z*2gXs$ptUidy_EJo|L+f*>31Tx5Fe>Ua&DN@aPj6u5u6 z&f@86Xk-A<{A(|DiknY#9oxS2dfLA8-$((yos^Wtoi&Ru3tV6LJ}jD=T=3dBHG1#G zf?nn~3hE+6-1&kDQ6STb`~i?NghfLbEn7m_Q@ZKuBZsEJ&`LiHTl^X<$=N3OyxlDc zUml0{0zG3Q8PnDAm0QXVa!fK(%4S*^&W#5|4V%k{>gll+)H4acNleL+a{JZ%(U)J- zsB}j2tKl^m&{JEps@%mV>0jQZvrY4O&KZy*+;L(?qwel5T*A{kwqt(&J&SU@no;2P z<4fx*r9`ElMRp_ZhfTs77GSmCXKKdNPU7t?OqY40(MAC{)~WE{Rv0YFLmeH`((38L zd#qzpl1Or>08*~K;~wyzt)qd4)klOQwhx>g_)ROnDn_%qE-I>+G)Av7{u8D=6O3+$ z-|nVS^nD-u9i={EuH3P99J80)P6}St=z0^R?b}qpeaa|j%G5~$vTcfet;G!DhlvkR zK>nJDR!3So#I9tft7A%jU-n+FyFhRRuBfp&$~R`-IZ=k_baG&xr{_rYJPoldPqx zv4GBs8hmS?*Q+d_EhAe`5?!kQsFEwhS|>AkZ|CqaS76^_4;c78pXTZ!uEHSn(!Y~z z(cNG5@!}LxYQmrxDcGg7Wbo~@*Ve*FRI7&sTuAD=vA-{Cxdrg$&|B4%_L&)kmN(Yz zC+jkX!#k+^Hnroc4+pB;*wER)i9-9GYpDz$QxH312*b&dQad#Al`a@VSEG(%hgGem zPXOT8BR8vb1)TZLkjqGse{zeN5)!7K$VR>WsS&xJBQy0J4bX{K&M&K!WH(}u#9hHN z5=wD1_r|BuilWsdCed)&D$$Z6yaWumFY@KCktPk7i<0xf2U3qpabyz=fTmFQdUrSO zz-h;>4QXf=6KK(}8Mm`p0-n18ebLDOM@j?<{4G|)rWNK(lnMW!fkvwB15j_}x@v$^ z%hc)b&CBLAOa@qHuv&;EI zLD#R;+R)##P- zKNICXQJZgc?gtJ?G;Afx&b`w%#@X6Y*i9k@)CyT*rNYG+rBK)>xeY90 zFv{YLqkck7d@mz2Gugh?QSg4<+LT6e0Yb!@A~z;xAi?zKGVy&%ImbgJMlpXTpsuKy zzS6CV*91&t!f|hdE}ae2J-Wl@A$fp-8Dz63GKq-;awcIvtVwP9IgzGcHr36;`gcOR z(2zQD!mpPVmxLOWIf>Y^Ph|@8S0cJf357RZpKYpo8AcB#jVru zumFPfNK?&^Ob(3zZc^KcS?SHLoOsv!p7>@-x$?gD1_>O3v~NPn3_rz;8^|Kq1b3>` z5Y0Q=mCR${h2>z_-w^~VKMb>8?^Geb2UPS z=NrxP{E>Vd_6_J3>z)#=;dE?9Z}=Kkg8+b!_3suarBb!;J^UqkOhXm(y7y>VR9IiRLM^)G8^AWFXRAy`a5RUkEpi_5kaR_Fbh=^J_+1Y_uc3G zBq7v(MkK8Ha(S0!xT%YZwdQ(kcM9Q+$qC%mkg?PVO6Qgj6DHa#?X{*tq#QO?-`iUn z>>DC}kBx(O7CJQpm!+68UzY@51NS?ha=k+TCA$AQfaj1?a6ug~m_jAtJz=$yy^_aO zk{1V2U}I4u;crQXoP>uQb_zWH7q{RhfyT@Ed8e`jO%47uR~cDGPbfY%x$AgWqUy&W zb}~{E7%aGLk8-=v8m=Ar`YPv#s7ttFBt2rYT8D^TXM5*pxlU?5e}S&*_Qn-+jz>gt zSc{-m;YbXCQ4Ag)il^^QNEhFI=IULO+`V}bk{;gh`x`O~_|&q7w$Hn=EH^S4wL6QW z#I)zcMgay%>ZOv}=e14Rn8r;w*)CGtw~d##QtLf#YgMiUWs#b{Vai6Cz-NM<4<|{J z=V!rK|9!CFKXw_c2`8m;aLm^~(kA31wdz;sd;OhR!t-z+XVTW@JD0tZ{+B+rkBVsZmS*O2cniI-Se<$H z=i=|c-6#3Br-}LuW7tblHW94fV_vpTO5`OHR=+i&Lwp#GJxBa1bVvY0(tycKG2D-A zq&}-2Aaey3NT9KW_kb&|!tAp~-{r980$)Vd>!Pp6Q*QZa^b5IsZK zzgchON!6TRD!b&exPv||kmviZ3@74Mh4={_C7#3s*sumhoeyaKodzy2I z>ISfMO&+mwhEh6kMWx>T&2epskHNA^p_x94QC$tc(0f-^UZGWkG=|}Fu+IZnN8k+S zq0e?n=rpmME>LB7TD|n;_Pu(03?Vib`;DlN63KhyJZEWU28&}AyHI?YSK&JQ{RnhH z%v6CE1C3J+oHVEoA_>Z*V~lO^Hgrf*Y!RtWhj?r;tZD&g|7;i_A91?yT@)Mj`Kg#6 z2T6n;Z?cc8CtjNWX~jE64i&pe&9jz9=gXb9%elq3(Yn_Pe=pbnD#0T1U#%Ch_=&89 zd5mOIr1Yzvozcq>K(9<>2*{RH&pI)tyc+L)LA~dQdO7HP2J2d8K`D^X1?`Z*)j2T; z@*zV-We+``0gpv7E+>=_$d(z?P-G0;uZgNl@OFT=UDx_6l z0oXC#_X2pGQ*y}P6OQ<>C)CrCz%^dJ2|S0sUDpt2Arg`*p~(kHkm_Ol##4jQ6hE!v z@HM)&JLkGIRb50NdLBm8VTtNNFh`8O2fo&Lzi=S3l%2ap;d)6?~b z52<{WNMmI|h;Mby&0KPFGjpePK}(+drBh?W{QU|F>xr~alJlt6r zi>>L4l2JxS4IO`GOHP-HD$_@~IBUs$)tdiVC`@8cyK0BOs%-@*BW1MSl>Euj`}YUF z`r8uOP2C(c0Qe`3YsQ9)b%rMjAeNepYj>Nu$FME*JrFA)WTKY_t3E_w%9%Y1&Xvd} zQoDD=Va9&GMy7fd7Ek|!#$%h}grnL5eoJb3DL!V-#1B+x7_)M&X!^z6P8E0~e4GWp z57nF5700fkPXKEz?T;(BDXW8~g)3$Il^Ks!Oq~}O!I7hyR~4ABo41fbv3je&)dy)A z85wEmApPQm`T?9E!gmEqcp>8^ikAF%5^VUJZU2^MY>wOdj?SYbbu6eb?omKv%72Ok zs;_c3CbTvF$i{}Y7BOZGV^Aul`6`stFpmX|J-3QzS&j|;F-AZkZMhmr4`mun$w_Y& z-%U~pZ$oT^a~)6_?z*cse^ot04#!Ne`A{#}*0Imh9x@Ka_+E!h3)!w;FTMuN3CTNK z`~XV3mvf4$&+k@)P}%oB0g*G8 zRryeal;k8}pwgy_VKdp(7L69^(GNA1df@LUx1bZ*kB67MGcv7^(;?=Z$#~U&xIg-o znR3Ni85D%pAtzyb{M0`oSb$9aghWuxlTJ}N`7^@!!KH$$V13+kD&~GOo)s0%_Wx@B z9eM+E3MabI%S!(nvcrT@v@|y8#~J$hv+r1A+S7KI@2=&NSYuB$uok{8k|cyz?T2Nb zo-(q3fx-nfMvW>w671I${HW#kMSt*&)FMmvE(!K#bZQsU5$v0=Nd%z=1j4$9HZlY z`6>*z7LfVTd9RH;k;rRu_?R437?$1%w{OkDlped1VZqRxv~oyYUeMwoxYb7W12l1J zoHcYf$mU-g{q#|>;DM-fet;i-Q|KyfE#u4tt1I6_Cf_klE>P{|d56~`F9C%tRlk*D zIr*)W^Saq?PgH2^AMS`Q@-Y4;NVb+kwh)FBbrS7Vg{6ka6prA{$-#hvA}7JnuX8u5 z!Lj*puaAHV!(MDprqEPqV!>v0y|)}0;agkZ!PETk_-mAEaZ85`ge8P=2Y|HTg9sz3 z!zn2#jff%ED2f;Idvj_h3Qfo@^6xeRzBT7b!nWg#@mtFUf+QkI^`8Zn2?OLh42=b6 z=6a&`dY+`KskHT+s?w#H?=4`_J}`$O3n6|4?z^KXSy(iRn2+Y7a})n2xm8VbEnhb3 z_Vz_qm7?M?reAhr&;dy_t=r$3FcRMbjKT`EFLu3!Ry6fhA@HWSvcTk=`18hBlpebn3MTG^UY~kAPdueVBhr?UelC`_A%`W+ z^{#)*h~y%+f&=Z~Hu1PrY}KN%Xp_K4`a=UrYvo|e*7m4@AIMxZG!Y?NMlrdCbeotK zkB*VOyICV+1q#Pv8R~2;pRe|I1>4)Nb}Uqjq@pWyJxdKg(CL1Fd^UJUu=Z5*CWl0{RKxC#!ejLQ9 zEx#6S1shBPR1?Y84y@HO+s;rOj($Lt_r1l9oA*DRcV6JI3qtt5}-7LJg|59>*{MLfvA`i2%$59ZXGn zCDM4H0hSMztNR2E2Z<~G1aKq9_(r*DDsssF0X7CNU)?4z?@ko=yr`Br`!%7G1;$vF zKJb1G%pMA}r#+s7{|fw`Q<*c33T>u#gITz^rB_~5zSmQJIBBhWs=K7sQVZ^%-(@Pd z(m5_4NK@@v!_T~)$%O35%mn`RP}9lD$uZ2ZLT>!I2}dpkX>}I_kz&X>V&C%;#bYgkNP7`iEUn4s zGxAd4@lJhJB<0<*?XN#Jcu%5NMWwfkqy2bk)z{@o6r>#v_Ox0_OKb|)+(thL%ex**^$+3nuly?W=9nRBxwJR1(V$N5cax8 zOpBF68z@paM3^8+YpzD*F`0YXE20y%CLC+D_R)64h zpVia^stv&k;TrTC_mV7xG3++z6kloJy>64QHKK#q_J^a-Z$=K2JsSxsPpp_Oh#=e_ z)(8lnDu1r;0C$U9?STynKgBo{nl---*;jl)B6;&wgiuC*K#1XxKDvMaBV@8+Zy8m~T1mx1;cs(nqGvEX|)&02HFpv|eTc#x2xgfIi( zHC#hoyKXJe_ssPtIsp}?^B zY;$&)T_9di#EdKoLmmv-f&h6iWc>|EyAMSAZsU+&OMLWe&V&kWwe42rG<+@1aw{>! zu*kZE`<;#d4_j{;7iHJA4-ehlDV@>{(gV^t)X?2sibyvi(lCI)07G|&G%6+CB`GN& zAPxV~`?~Jud4BJE&U~3qv)8%TUU96ok0p~0u5Pm3fi5W|&8dL1&zp9Hig5RuB9wpZ;vpGandkq)0{yQ3t7S3z>FJe1CYa>R8OmVFgBcD6XR#4#x_lFP$ffg0 zWV2RbIvOJzazKVlMBo|$zih(W1&1IeELJXHORl|b?mTh++8X$k^VVDq9yjdus}kb| zg@t|(l)RsoA1F4-M*$sZ+clXeB!FT@Hrm#7R{()igs?Ss4CMq&#{=?(eVc2!-1y+V zfXrU;S>(n+O8?4h2K;ixN489a8#KBVhd;vCnE%yeL^vtJ zNg$*UeLEi2+j8WR%(?_cyMVZjSm&2K#()u(;4@||B@44p3<(yP!vR^NEfibNhkHg0 zO&(0^YH$2JtMzgaZB=p%hB@Z-EC9c;mVb1Yl0^%bbso&HSa?&)%*7{y5hmC3R;W^mgCV1>tidrqv$#0Ywp}ybKkx zu&T8TUMp%K>9wc_EqPq--z?{EE_^)#{2NcrNw_!k+t|JyvU^za;>jjUQ_&ZpPf4=L3kc|1pe#kcFa&P1!TG4#Z5RV8ClC4VY$0}v_=qtvLq+=vg+@6B zfpr`oiXaTXF+^kV4i>sZzF8#d32ej4M;c`BZ>LFAZ(lQg2wxjoK4?G-drKb~5t5Iw z#42jjp-DgMuG112e9W~jBGe$%+(_;tW`P?D)}J2cC6$cNoJ5)nW&W<(^MrPd?4j4* z0FS;UBd(W_Hx%In0`N#&0WQAt`#-dP8(&>p6lH7MeVB#V!(}JFi4ETKKP*{Pou}IJ z>*uShHyu<(o@J{kJdie|@mQ?)F2I?PndqMq%84^YVOzG+&?_g`3*taLKq|~9BEl{GmefVm07`N|whUS;`U~89)YFqtg|k1EVae$KUt6}~ zGZI*6*6p zGc9?%*DMy>;XLSlR}6ony(qZk@C}Dk-3z^hqrE2{+s%>s6-|w=CT+TeLrggZxA${3 z>VIi)+kNv^Dj?=`Wt2oe7Mfk2^DJE329HI}*)ob&sWXn&6Ckqb6~&9wl!G*khJIc! zfOjGT0d0IH;)oFJ&u(QjN0}ct8V!A5KWzsyDAA+$DmS+Aqp(Jdt6L}C+R2F)-qZTS zUPMOq3Dzb~W&&pr9ZLbk0A!V1B@u@9w38vk{n8hPYag0y&g&j;GDe3{R1zbqJe_QR z3jdmu$h(uFceE8OL~lQ}kSnQ{;0{IrrW-bshP-thl1=Wssm z-xDQb=y2jEcR}w>aG8;@*=AOB>QoE^aCDS?c>tG~(qGVxVs1~&gctNNAM`D&qd#s) zMc3<+^2JnBf@-@7d+E%OjnL^ty}HZjYZLZY94iKB=~Fm1IQ!2-#O)|ceesuvmr8vG zJ2mFk?dm=zIcbfdqf=^8asUw7j?Lf8&`%(trmbKc#TeCge3IOuTo8TOx)cb0(fS*7 zXM94{eG&~7q1Hi@pYh^L?j>!G?!^q4x0t>?KB?+{Ft;Ebt&H zBK-BmMaotQ?5rQ&N6-U`MJJ|0k~#D=Xm?zvm-$_U$fgK0zI}JPv|W__LO#2yJN;UPLC_#eDx%JYx@#?o@4J`v z1nBhnjHTjiK0GO?h#r9Q@D3R=CB@?57p$_!qSb(@33yg#I3YSA1ATP3n@TBrSp7V8 zNBMG%mPQM!BF7S7Jj-rgxj?Lt^0;(s#~(f6^uw<7M<9-%TvkCjfcUB%?#Mxg?- z35)gWU-Z05hHH6bY=b{*Q1AqUXUg7_FPAHqzLpASXnBzl*8>Pe(+H^e`0M`r)J;;p z4iUY>)|jt}lIeX|g_7;Fn4V%9z}NOK7KSo6+5lpFM?qqUjA3{jz!cqe(LEv`-67kxeh&Fo9QMd=)ktTQ3G=)D?-UJdT*(4BGf6rIIP7zq1x| z`{?55%eK;uuMt@G#6`!B!={jL*HjrX>~4?IVDZ`Qsf}e9c~0);*6`1okzAfPsuqJpR$=|w>hIpq*^gHnDdw>Trj48gpbN&y zy1THqC41!vVP0I-O9a3Fr3UXi%tJ!Mr55!7$RsmSQBmb;*z=O(Ygg%K!*j6A%+gsW zEG#TlRaH(-&U({6ocKQ;i(Y+-7gNA?jKu%;!{i4C4WmRV-s?_!U{1Kf#X#_sygbY~u!@noovgQK@d?F(j8Mlvk?k`nGh+oI* zNCuClhQ^xDw7R#q_h@H(J4ZIlO6H&L7MebADU!l#VL9%KG%k}hP5oFl3;PGFF!v$F zHFLY1x7f@-C^Ilwa#f<`kQiv|Z?@LjN}@A(ifBH3)Em>2s6E;e!y==(S?r`%!q!ib zZ72vUw&{-!N?#gjv&|rUR;fUpFBXete|FDYX;{ntnfQ^1yE*)x%Z|q`y$Rg`Ntcoc z;eZQyYl1#s2Dv_R0~gZ<;qV(hQjrDHENZdVXC6^NWIg~s4Kg9$S<811T|5G_Ku{@E zP{~yIf!TzAfKKm-Bbx{Iqxnu`}Xn?FZX`QR^UDn)7-(FPNza z$Ll+9yTf>QZsLvPuxFN9#Xd{iy|O`BMzyGo;x7*JJ<4uPn^&2@#+eBbwiNCOO7J7P zRF1$Y?P&@cX$GNKU}@y+DH;`*KNS!USYRob0kLH0L3=?J_~Id$GL$N^D0C>r5Kyq{ z@tiupxh792m(2H0Tyl$|>LSwD${bKY!G-fbL^$yF9G!#HjeY>PX}cgp-fBGHBQ5JeZVvGhnWVzqB*MB@Vn9GGBc`dLq@w&rv>PZCxK*=Q&eC@J<$``WzgJBA^uR(6|b}hxL&#W`#U$$Z3gc zF%CL8h39H{jn*#^mr90K(Sc4I7F|pFwS`zkRvG6%SF*zBjtG{Hg+rQ}nsRy4Xk5ic zJG;8Nf}bA!I=JB1(UAU7Q2O(h(O0P+d_Z(rT>9LFKRpW!2&UwVd#6(!u=Lt}OTx)%iX8tTu4Qt&V2Vl`=<-{qH*YFM~+rk@+{|t0J z&~kbq?7|XfYZbs z;HA2(kw{g4q4T?HwGvODSVh*M7?Xc~zVhUS;+j&%C&+xBK5?_0zc-xU$r&5j;b|ey zIy9AUhFq9WBtEa5L?lv!ZmTn7hM^Yy`N6v=vL)PE-s#UXOrPy1MMG{!vsuA)>lNSq8ko6jVgLU;3#tg-`R8oP6FOVE=XFB*e~vPt2u zTtpdcjhx}V$1ZVVwNVt;o1TCAN&41goN?%slXH3g99W}~W`g==H*MmfpBN%^e{PZC zDpL#mkm6L_Q9g^V;AQ@HL2ZXGV0(uCTB4ydGqsIa8lnkg#;G920Q;2^#LY}HoDd2dY*TH!ctoIVe7!g^XKOR_;sSLlIv z1Y_8uhse;oFi^@@MSUhdxGOl+>J|8eHD1=Uuuuc+7__kyA2uG`$-+3DEnGCU38R!H z$p2)lj#NIeq=Z1M&0BKtL*2+6=qPP^1~=B+%OUjvhFA+V(NySzY~26UQ{P}Rv_IyD zyV!_PXyU`~()Zv$y90fz! z9j&D2kRNgB9P*ytyq9Zr)``EzB_&NbI0U&=z6qrw;#6i22${(9Sr&|^SyAxcycaAD zmAJC}jhIdmSCHV{h!XN!dO|5%DO*bj?udL#DV2O($1h)xKuLbdY3oQ0kua~0VYzZ# z!PuomTgqRj;S5VN1D?7cmDktD5`CPq*A<_t2YAE165AoNss9sd|3+0#h8JSk;uPhS z%tJ>fN#VuNKdLHJ1P?@FiS(xW&;bGx@oD--9}qGmDr~>;Re!X8o8}-~G-EbKbA>ab zD6jD;KEZFBnb`4T=iu4-P?NgAb5qZk2CXKc40>r8Z*7^i2aOZ~sST?XbaqVi4ygXK z+DMe|APP1Fhy?h(ZOewe$TIrBjF4tc)E&4#l(pAfjRtvL^1jiV_pugU$zb;h@zaA2 z+cR!6K;C?x75NtVHMfq?%y7Fil%^*p$*-Z>`{xN)nEr>SFy?>vDJ-ZP&mu7J{#J7c z)t(izF9Dt;!sSsW(gA7=cs8Y13#OV5gj}^J=tqj@x|CRF4KqUvYxELz2j`oKSO5mo zRni9^+dfn$YDn-u?Rh?n`c9i#qa?M3P+gfu5fw^7?ZyBgmKX5R7lD&KAt;8D;J3<6 zn0)0ladcu5ZoKz_`JI0GqDhVYn}i{k1IK%?n9_vws2sfUbxY2t@_tq@B4Gra-Bc{1 z`%gF&F)w1o(bx6%uG;$rfx4z9(g%E1gkEh=)u3oVHC4utIr z!d#{%*q|Ons_x>gf4^#0P>=OZKaP2%d^#o&1Z2DRb0lG0`Fb){;Uc5{Zngkp;Av#b^6s$s_yiKf4G6OKN0+CVz8-VlI9{VE=Z^)QD6z zk@1*yUd|cgJ(F5Fxf(HD{u68@^^VzjySd@^491hyNUO@?KQa)w$JF}QDm$sE03m{H z!zy06y>W&UP|0k~i_u3q+Sdcy!=xhz*%En{+NrKxYD0T&Xl2%0?(j*_8j9WFuOs?m z77Q}?zh<<0v8VKwfuAhamxF6Pox6aBAzXxBRV!Me2OJe6EKKm2Ar%X6j8J2UHM-9r zr2bic;GM8t53!=G!?TclmAC6&{@L911gYc7JxT~=WQd%bEdGm?;^tHc5p*)dN*Mq3 zuoUppMS4a?nhrdGbZuFN$CF-OUY3@jG4Q}@=Gf16J%Wnp&qWa2ICE#oSXEuyF(~3bYP=*#e4Tv3bihMM>aqR9<4zhw zDjX8UKz>tW_)iC8?aS7HOAZ1WQIGHG#%{4&udJ=D;i>eWwCa9N?4s6FlZkXLN#d;#escak<3U!8*uu-m7nHyKT@mVa24S40o@XB0d_7y(#h7tmE}+Ej)CE#uORiC&VRkE+179x=O?ohShian z)WPrXW7Fdy+WG1XD!LRw^%v9+pM&(MlvO@9lwwrPdF$s`4yqPwP5wH`{h{lap1kd? zH2Z!QFNo3X=c25w5l;zb8l*px_@l!Lzv6BDCvQ(PGx5#SO|NGHYqpQSUa@J#)S*@) z=$7pY=8ct*);gnJ{r=4LROOEv!x@e>4ly|U1)Yft%EEFjpTJiRb)e6jQ+fK*+i+Df zA_I;M*D9Wl2b)n=eXzZY`E<|Z3fS|!e^DjRM;H%M`*-$0?fk;hlDPNo=)eH5W3_tz zFe{1c{Z>$ScT>~szE9E1Y>%zKWl8ixe2wNIa10+{ck;bc7O9OY>#b*2rJ~@b{}xT6 zH(x0eX0EzEnTRItXzee;Ej?;OHM%)K!*SA-LK19Tor}z?U7`SjDNo|MjIcm_Xw9Kl z#ZjwRfva8%LdLD-(pT^po0qY;bvIu3NLb(y$v=s+`3feDb=hlU8juEpX*tt{d0!VCizHwn(O=GPykgjgqzc_rkOsw9m<51W~2R|D6$e zq@MX2uA|o0^38Iua{q~Om6Ic~Vt;wPdwu=rP~lW-bh^jAQwHb<&wS>kwaS&X zENjX!&&0%cijX=4kP@ffJ1>TR&mD`jPjQw)LNFUGYMFOyv+DRUb znyi`ShV#1&l-DoxgRV%2OnCUN=`3s8i5XoePb@L~tEPV+c%?4as{DC%7?&uDXX2f` z17I*lFqM4yUqlff-nqnVOm{?4*)&S0)5VcmCG<72CHeW*u@*@&Y^t>?aADBDe)?_P zR@HzKzSUF;-?9FLbYzZtI#K>_`+bUwdvxi2tDgJY(; zo5nVbkpPheYh=|6%BCkzs8ufP>sZ2epcY#`SuWwE+SVAFMg9eK;_;D!ROwIo{NIJQ z68yz*4Vy3RIs^45w}z|6?%g>Y9fRJ7_yA=SKgBxF zh_@Uf@qmpKU1TYhiH2p0Lr}l~BuX%SV@T-Os57Qk@n9;;w%k;^O>Ay|!+9oBztc6ok&lh@&c2QQf4xR+m8FLOB++_U9nRPg9(e>ak1bw@RD zv)gUz^wjHS&q3XvbmmjEE&Ju%#_#Z_hzZr)i`<)^aEGoB%1WbnM3-jYPsB~;8EeXP|i+%`08C4fe#k%pl%B? zNJnDivH;kjCdZa52Ub8psXOKqrIUQ7*5rHMW`oj!4AcKfT@LAjn9kU(j;VN7fYQ%F z`*b9S&xPa4A2w7_#ku`$I7_y`g>{%{cWfM_`vl`F~3=qE#M{JCEaRlW4h%38VOB>`PY;%#2p9~`z~fT zIXAJ@!I74l-6PvV^;O;gC;Ei5oofz66dksC_1!u^&pWqf(0Tnnlb@kF9(k-e+ksq0 zazc|2XESO<>R4GX6!!cA03hpXsANcs<3*rRqtLKupUu>ztUG-h{A!OYAu^?(Y#fe! z??;(Cv5OI#RIRVj*O8Dh8_H;Jm{?bfua>rY=v#u(BYip`fto%S<54_jed03m8hIk~ zGTYWf9PU^a2)V9(SPNZB2Kh%7uO9w2FL2%t9;Cn0piT|!Y6d{{4HxAg?XP5<%cFy zs>xc#H%mK_d2LFf49YqLLy(M#UGJMuk8%O~FNGiP$fmI#NuIsc@~kk*i_Y)C7Ph!} zb;rW*FM`YP!Q(%YxDmhOgO_mW%*|xK!a0I#qb)Qx7mCuA2nYnG-7pX#h$Elb?M+%I z>wn}#$L(SiX$V`fDu~&ZF=^;QGU&%;C5g->iE4ThMrbTMl-+iGBB6TJy`*L36kL+< z=DwFwvy$0Mp;t)+nNJV9^HW}z#aA7+c!KP_*c9*ynXgWbhh}w5x%4XSdmJbaW6l!7 z&<^7jxCb_(7cv#L@KY*ff7n)_H_tMi6_0%fx z(kjr^M&drU*QE6cW?}U*TSNgJ7qtQHq9}}e6U(d`2Mo*AK9;N!xz{}}Wx)U5 zl@g0)uzfEgw>F(XYnpMiQL0+sJ125Sqs5H_0??b^%g~in1PgJ8_u4)~F2%LqpBwl9 zu^B|xV%N<3oE8N1L%M58>0-J6T9apM0?;*p`aZoE7-MkIMPWeOW)$?Pq;dwjScKVHexq zUwA`m*)_^}tuUE*pB619#jMJxPgUIbK*E*Uj>$>XF>0Eiv?|oDOp_%*sO|^U=lB3p zrOs=kCC;S(6iHf>78VvJ!1GQ*i7BX{B!8ML+#IA)wBYUUN}9yxZcBcCEy?xVYF17Qvgj zonyTSBdD;fM?FMSr?fXZ68>Oqp;_uVsMTRU07IU=IlS;rs z7CSqv={&zJaFoC}3&r{?M!t;ESs}_Y8QRF~8KW>?t8GHLY1T34Go=u&o9_$C;2m0z zon{AY{XntH*}`J!&a`*&AGC-oN}qGh&nw!Wwihs$j;L2`@S4r z1vAIa-dFw1GgPtMa;>jrPepNV>7TI3uU7a^;c4SD(|hZic{p|-abmk|t{*9h%qSE) z6=x#-pp)*v@&VqRM^cu)b1rKX0Z1&j9M;^#vz45QOBrb^4$u*LD%pQ_TlO1+Ze+S~ z&_ZXn_w=%$EvqusRfWyj-pr)GH1@gfK-@JV$nAY+W%`qih+Mf(xCE*0TFU)eTjl5t zRoza{M14+1$FiayPhNH)>kH#Wx7{kArfjz`*Wy815KU5|;KNhP)zg`_zW?LXQ+svR zkXjHglMLM?Pzg~eR*51`7}=PY>r|MyBHtHlwo1{zqV&PgWuBxN9N)Yg*?ugyT$Qj| zL%OQci-|&3s$IzfVlRxrAWfDbQl|@Lk`EdkKMZ`zT)#n(RirxgT>s?A?``@+{D)c} zPM+kC&UcxRD!`xT9kGpTYlwrDFzddZuHZ=AbLPX~0wuQZlY+5By{QB*NYvxwUonBE zK~}h)DW}}JBx{Lv+t z5$2$*PoV+r2yxoN>cB_0T^=v&XP*y2n8`2qA#U?k!efMM*JWRRxYbEWHcdziaXog5 zNjBPO4W{ejYeTppdLl2MMzuFSm8w|T=_rT{MST&_Z}@SreGF^MW{ORM@-f;n}pRYkqr9UFO^e1ltlEZhSWe<9i z(ZF|meT@^gd{>`|=Ng@MwP7~8Y!#S4{Oew}DGVp$&guL3sKiUmarsqcVWI^`0sX2- z!JkbX$C{k%2$Tt@)8=waruVe6>p}}DMcD}#C!C1ljYj!yAe6Oa2F%X847%xh4LHe3 z3MC9)@q~%R z4`^-3Pcg{d3FsA7%XSaiZis-?J{N6rhJ7xUBjlpxIMb8g`mNyfU_5DcG7D@p8Cgh9 zRehX!vt3#v>Bb6+la_ZY)w6>TPO@emx7pp%o4?68h<|2qPXoS)X>{waa0K(t{fhTo z@UI^^9e57Wg%0NN&36xk5>86l(!S9_Su#?{j-$c3^KF;o@VDXMUXSjX6M1;FyWK%0xm5nImXXJPUGmt_Qn?T6<`Odk zQdkYloMG3DCx1s(VRRG9CN)hZU5YDXkFBb(P*Qsvk|_@3KP_th8YX1w$ijEqr`ia* zsM+xr1^?<(`(^6R6_#w0|p9N}aRX<*9r}z4OD~@?!CE4@`Oq#j5qZ7<$d}P7ACfz%( zN%&mipE@8161pX)mY=YA9*k*ZGeq7|;KK%MF^Q~jh4 zHi`Kq|9y>CYH=!Tb2ATtN-4Y~HkOdXv=*j)5ukP zxE>ez4aM0CF1TJz5sNg6Z-E`mJR_33i-lLGdR_ud9j!C@b(}i>d9-T46u-QeQrcPttJs}1L9*!2QbP!0eBs8HZO8x3L%UeJ zd!spJF@tjjDu^VZlR$j{q_(fa7#Pi>GN6To>Frcd$&oDYScgK|cjbh1B$`VCrx|!af@T^LX-tIcTWwmQ}wQDPBoO{Nb%PzQ@l=eM=i3i!cH6LvT{dmK# zOMli2V8nf@i^Gc6**w1yG9@EmR+K@pky%v3sM5xY(gHutS|+{XYH#GYj+FW;S2ZCW zJ|9u7HutuC_Yeyh+00%P9ofamX+D4IbZBSzG$~oU!g?E1!Zwg`aR~w97 z_=0kkQl9Cbpaq}|WFBI&BYN5VAG<>dw>vVan8=7pRfP~12n&lk-WRi8vNV>d6O-Cj zIu0*k$kdd&;}#c1d%;Vh4y94z4hM~R5N?{yDvK2^t7ctjD(TzQgN(pfhvcFxZgt9F z?J06~A8lx?W005ZM={2L1kBaa0bXqP#>TL(Az#`3#!E=wnv~*)l5z{-dsii2Pp?~L z$Ko-D>lWa2O1-7PxO>^^$uUV%;q`aXjQB=W+|(*S z_Ts~U?Kj21#DoYY!yCHm*^nMiMc!#j_o1(CQ$jFF#0}TS6)V zil7id64Mxef4aBh6mrU5?^uq8rmAti{i%!!BA+?hbmIc!c;f`0{R7cpX8(*;9*u>VqrjLkES~JfrJm}ydh8Q@=IjKMx7a5?*HH7=MNEcuj0C513l4X0R@ABeQ>D_$Defr7%>k2TJ4)oGiH@(L9U+zk6%e3IuKad zUXm*V-;nm+`Uc}NsHLW*|AZfvx`G8drpDdszw&~wILh3>6NMs`o3I*zvVAD#=lgg2 zUN)?DG8E6QC6?|@6}ypEtup*^>dyq~TN>AO_+#BP^$5LR<;1xifC$OjDZqPq99|5@ z-G@!BdXAH5ksYi_y30P=8#Op2{%=Q1NThCEOUH@`=lfgJ0w9KJR(xjycz>2m?)V=^ zbMsaz#R!jV_TBS(oupCKloroB)ySP2OseA| zi4;|=@q1PgR60>?j7tz5hJd{c?$oz~Pl!>?xxcZttPojZYcMG#1=STe#RhPIR33iW zv?3bCgVgjTP?~rRpbI{QE`-jj2z;^m^;U@4>cV`0EO&N+iO)~Z(nh)r=%1`8lJNQG zb3F!?WVK`)D?Ii;E4C=2ckYjrXFt0Qge)>aVDW5RFi>t+MB+0gI8I>o6vNiri7 zeX3JdDy|&1*W%_!UU3@X!o4j9Gzb|={WGg2e#NR?zncf8onFw zncF~)+tZ2LRDfzK^B^@+(rm)0Z=Uf+vn32Wa?I6Q@<+qcBn=DdgY$~$D3*1;N_R9b zO5`|~!tnT*nkzPH^hT%qKj|P<8*s45fIJPNq)?by)Srv{D*fm5;rwXYkb?>mGz?Wb zwjTrw8@`e*#?+g9SGhD5_NA45(uX;qG$0JtcLU*PGK`+l@_c$WG>I6MDM;{Ct=m*U zsxZJSH}-{_C|jX7H+MY}OBE^dIERKLWC#cLfY)UQqQgduZ zk0_Yj%ZXUphIj#!Qd!4>PxVO(-jIP4_gN^~_+WJrmapi2k;U^e1r2-n;2Kfuhw-=5 zP!xvSx8j6Stz14mCQNQvtT9paERvL;9rah;g^8ul|7=1?Qe-6#8Lqlu%3|eyK&`Nx zOFrr1JMx48IoXsrQ&AGkenco0Va&F(3X?@d7cUTz(d5k9&s(JSviTpRBr)9FDVfo6l+V#p_h4WyaDiSbOM66rQ>I_oouUF! z@!R3lGqJ;g!mei8St?y7kkxx%UFbga-Kh(*xuD$sNBV+F-sXD;mx3uRY6|l>kgip! z)(T5Oq%Y~}i3l3;n}1Xi`>#U)^_&<)O{KzONryg#Rn+)kkka9}Q6^M*mW81ZrNRUW z#&`wgBj;);lJdv!y9x8)pZFN_SX%rR18jm6?so2W76$0cx#Y-m_E;ll(m;a@-2LMZ z*I?wN!X1Wn#Y0*pwx>9g!f3aOt546I#D#a`BTSM?(88-G7T-Y}0!H=6zBZ)ButbqQ z>v8ma0xcQ89aHc6hMT84ApI4kU<7f)OyQf)Gz<7MEsjt8tF1mD7e5AAt)+jO#ApeI z2t^q{kAcNo5}FeAJMd}5v}K(C6I0;8rK3|pd<;R>ywOo%mrso&W)y+9}o7gK<<}(&ZyEATUcY2Qeea2O^v~SqTpizl-j)LI%zQr~AYpEMO0u z3_njDec4~kH6NFF$~A#~y(y##pMjgW67k!L0jDIA#G!-Lwpfx3ES6J1LETr`C2`|N zK9hQ*IvuB!B9bNq%u~f$t+42|slJ9X$H`7LB7!Q(?`~H)*uKVz#JL|@i!@^$z}+RF z1^dng|Ju*f_+~gIFAwYY&a_Q0Vp=TFuqW@KH}Z$XNDS>PDnums@rs^ge{{7+N&Zh- zs-u$X0B(hp##LFDK@B1~e4Hi&5I018wOQoVqLlHj6GG?_Oar5?h0e&~(v=L@$0+xG zd7^@Tai7Ab(S+rm`nP^!SToap+&i3HO-c%%0ybv;LJ!ZmhQ-o~g{c!s+BrKhp-gja zrLfZack>JrnH7aW@4 z?fcNQ(Pzchu;?=7tF7`*DOa7O%!!?0!z&veXr@j9u?9VQIk9JdoZ!6bWJy^(jkBB^ zw2Cn%lcXax^DoS{=c8*Qs_gAdEGARLaNFzh8GWSfHsN;jFCWOEChM4cz6)&A z5+$cvj^w1;>mBq=$}K1;x%gUk`iYRXkf8fsy^lQ`$f}Z|mFlQ(l?lv(y58cPvDFLz z&u&HQ3?E(|u%ryxkYbR~;yg+a5>X7JAGZ>#E7P^EgW_}6V6o&X=V*f6)ps~4ng(kj z{QFR}f#+6}3V1dASPoVMXDE#HBpH#)q8w8|psMEZ5yr(0sD+#Z%+a{ster9l-KXuR zQYpI#(gXD`zmOlZ2QhyxQbtFduzByI#vB`6s?bXqOgguJo* za?48L2*t~saKjei`bWrrd_-~T{PEfAK;?8Mu0}CX*@Tm@yqtuJ{CbpiYiqGK_;f}< z8{9MTHfqs^EoD~(WuP+FfXth&aYLKJDif}u)D1bVAJVKCAX2kllf6B$zq_jU<}}m? zQN3AKUx*1w8%?htNV4@Fl=AZiVP5i>Z1u!QfrzvpMKm9nJ5TsukefpJj7@sT)HW}! z#j%rIG@jY3YVs|v9UfxZ8=tY3IYKf8>=xr67mT>9fZm@L`U=7Kmq~A743l-y8ifM! zZUj3xK_Q;grIA;o5JA4XLEd3%BL3_xTEZPl}wv|eSPhY;wp(z7J%CN;T(O*F`G zy8B$C%=oNy+FFGi)IX^+w3m8}O(@xsIZkg%IZ~&%nUBgfd_8{9uTz*S+lStu9Vw7B z42g^RPW7%`4V)^RH+^+gT2tGkeDSvsLOHL>VgXJqUmsTnKwTFn58T}+{JMa7Z_hm-hkkOHoAf{F)f;urDb z*}?C1=dGNgDB*w6Xja8J6CfxN&-Eey#`nqi(@9(mTkxo|eI09MS>~hTnQH$gPkOJg z`{(9~Co7C-^Nk+|44a7^qJCj={!PczOZ_N%TVzeKzzPwE2aXp5Rl7u{M8&}Q7eD>Z zUIFhtxsb_f;G5~g=WI2{tehbu6KID)zBy|X+|hXX3+aD?U0Kho-@c7`;PIRAkGEllb^N z8E(1(oYzsLmA?4q34%T~(!0Z<9WV7p4+9*K$_6q>k6T`;_i+uF5d|t}lJ3MB$&?J% zWXBs7vT{7$H|-&K@o9r?w(PfkN!Fu1Zds5LqlvnAoo5dEi%C$AKF~ z{`pYUHR9&)p+~>{U;jslv%81mulnPGGx*fc4FtF+yfYKem7o6m{{B{_eS z%m%COBadXZQ3#Zqo(R5vAE~L9qGhR7e4DpQn)O`rmr1NKq-4am^pn zSp^MzFsN1l?;B`?fIzYo^;CnfG-JlMQ&#f*y#Z71RVFLj5$1Tbu#&-XLQmMd8IOYm-K}_nfoB5xh~~V1}P!K5H=OHA%-N?!Rv7)spVBwt_}_s?SSuyg?uQjr-qfv zC@HL*EhV3tnDNn-*aCGnRG<*T;=#&gOgnQho9%R%wlQx7Jn%}X&hoLH8?0ncVT1pG zg?Sq7`I!>&0om0rPObYk41CUVrnanExpZzopzB(93fxke zzQ~O9n$)vzAA)7A4%@TI3#vOp`))F-K{E4UZ^YFhLq%CHhD(5Dr)D}N4S1kfmIp=R zhFs9RpuC(Uf1j_OUJ)zUfotP?@Ii#NVha2O6SS<16Ibt0K9_Tvg1Z&vj5*!<7WMbK zBnUmMtEud|naCCc5UIDfx&CWnqw&vz@6W=~@c1189`u%`RNOLBi7or?!P$bIP)W(c z!);}Gin_zazD4a<^bpt}lS}&_{2VP@#B|4tYOatd zfMp<&VCSsjIO)Rms&LB6FCxldSwT1(m9h1!mjG9)lfv&Vrve{UU5=o`azbs$f{)~& zjReW*OIrQ!dW)C^djY@{D zS$w&N`l#!2G}iM3ylqw8&@MaWO=U?gUrzQpACgI=-+!F}{|R@Rrm#~;CuKL%onO4?kG7V6BOZs)NuF~8+B?Xz!rH5_&QhT)lXVOhVg z-1=2w!<_3Pdfm&q8!X?n;LU2zzchVoCVv-wkAIBf-6d#$|HioGzIaT)OL}oM3`*^6 z{Py^+`n<5e=VdrNV}yOwU48kUcI@K^A#RDo?YgZ{8M=0$+90XGgrNGop!&40>9l(L zkV|tW7pZfykeCp&EeL$z@W#ujTx`fiqdqfbl%>Ha7V{cOrR@8zN^$D?Ar^V47Put! z%drq>&$t*nZ=TG=xMUv^vwL-m7)7ws>&Vu>_51&^_ulbrw(tLN=iN^SZdFxPw5S?I z)!z4gmkzU~q-I*P_6SllohU`E*xYKBAT>jfw6$s^DnvxY-XTFq1c_hT&-eK~ z=a0u(k7)+q?8k6I^r(K$2l65z27xFklnoZL-sT^k;g!5*Lm$^ z&ht+`($~-5I_LJ5(D43}-0oUd(>XIk0m(dr%M!+CZK@yUJhvfx;|?m0!hzh_4uAB%BQgEstSolVGDf1YMa{b7W=9ecAgF@$jq(Gt2VTaHmBcbN!L;)I)Yk0=2mLnd+$ca~L7VYPkg-LbZI z$|hcNg~TX*BTdhffT;tXd;RqWdtLGh;;ZlmhAd%{2?sB>g;y?q?OsgL4xn_=#rN=c zv<|^NA$;pldJ$JzZ@JQ{;z|p{Vcsh*2c~Bd@S~%{WZz4#o@2}2*HEO%KI+*D7ZVh& zUsv-T`8>o(f8<$=;}(o(Du+)z*>C=k{-~lU-8BvGT>B)r{sBSl`lr{i@7~p`cl^gt zF52tUvFJOGW%#X(g%+?_acyTa0XG@RKOfGR_R;7fsJ}J> zxcYC3#@s*n=38dm@N!Tb2@opvo-CNgsSX93z2DkK9)I=MtpS{2q!W6ImiE&eu&}bO za!#^2MroQE(Jt0;E8P-VlW-p1<02#3@Xn?L-g@sHVN#g$l0Z>@ZEd7Blz!rX^El%I zF`mKpb1SFovP) zwRs~|R^jouRo5E%96~bXOuq4_9>jy?jGs2c4~tH?8N$LUr`?CA6(3*EaX;~4jHgQO zlJ7|qnM-m9zMn%RFWY&3O1HebTbslGpG&U-9FLi$15X~~{CIiJ?F5Y{BWZ)x?gySP z5<`$~eRvpndgz!_;S`Ne-R)8zd6>etYxMp$_ii}s#xzsj>>PTAxfhPK2y35wIS8p- zdVG)c-YVbmhK_c4YXmnZ$$u;T(|K;PRdSoD9lY)a+k;L!E8nYB zf!-ZDSi+R%i|-mEJ4#oC`1$p&qqqB2uCQDdIwK(CC~rtB?L#s)V1o6g2P$Y=UFSot zPs%s2-R!7TuXWe1X_*=49wgxLf*0LR2V3}7nB~yFuEr0vqe&X>*a_K!OfKJWnjfc< zjW1lkg=r5AO`=pQWLT_2iGqTJjQOmbd?ilV)=7`tduv7sP;$f5(bDYE0{10qB09`( z@axCt({B;>q8byr1`A)$!kJFtZs^+1=ra&juG<%jpW&Mar)&VOC{De?s}_QjOE-083ff?VCDiG{n)0re!D^P87n(E#&p?A?KXR+)h|hK-T*BZE6x`2nb!)8g@@CqE};dQiy;(IE4bH&>4eb z2ZLnaS1MqoiN&hd=PcOvt>6Q{{sQLQVt9Eb}E$>)|1vNGxm_NQn|i@^NGX9hB`& zFHS`iD@ZsC=c_5BZy8W<)EY$qsneUnq$6&;d2O- zvWLSVLGmmvGD^YB?1r>Q`H%NyF)>g@^fIHu1QjxfC!&(d_5^zCg|ru;+=Im-HmJ!} zk%Mr4eqm;|2wHpP%_wy!^Mc?-b1};P;Nc|RRllQHuVxQ9zL`wav}BGm2o%cyUl0aLPx{sUgz5 z*QZ>*V|?_c*7bxdDra?f5W1Y`Ui3lmdZH}`OYn9q7VQ_yv+`+QpaStotm=#b*{?Sz z3-~bv#HH<>cw%?2C+f_hrv1%Xk!ILfj%`3o@%&aJsMFe>(#OK(gP=F%SXfa$4oZL9 z=0GNBQlmPeBSVEfZd5q+WdYtOR=YTW3LO&6j&SkHND$HD7Nb z5qRtKp7f}Fp8h2z``aE11b~n5t%f}2y7T!I(DLyBF>ai2H1Da7& ztXaU~7AWCGqWwIp0MtKN0Xi$ib%koZx?U z+r|886$NSQ>xm(;mwCnfJi`zDdG47vh=G|5{u(ZLmnRA&d;>%SrnZ*|eBAnbztAr9 z#O;b(8tXeXALQW$`Zdh2G!85XaL3=6DkP5znHy;qNk(&~4q2_?`xE|EGOOe41jymk zam71pN%owD!bL}`I-38fGc}xn=2vh6&F755Eqa3{c&*JfN77`H*tGIaI{ArWPQ;EN z5!In|@Pf^VaWV;AQJC7h*MkQvY9my)dBdZiadCOO^kME}-jJbzrGkfB$(iODaW;~M zQ_)2tqL&0RGBYqrAIS#$LvxMo&g_voxMSKdV}Ps?1p(Xtb$dx~k5o9x7zFMf%JOUN zwYH);9eSe97$D;$zlHAtxxcU~W0n-XIdYtrLPJIO&vDNNbzqM9LsZe7DJqH&18kuq z2F!LHG1B^N4{cP#^Pt#!rV_7I%wBl4$2~#jv%9xEOa{uQ&3hF@He@@uG$Akc<9R|9 z_qTNjY-SWa(`i4qvd8-kSC9W=sK46}1>^`h?!QZY?cwEpTLx$vnDflB!0$=rC7CLE^pC><1*i4G&7m%F6cUlzjMU z`+W35F2?<=FQ1@-mKG7}EbyrB&qt}y0{7dwZ`90HkDC|*NeZ0{F&~4I~!B>6l`QTtd`bWmA=J_EGWkCgnvuMbBnoD>oF;H1dhEMF{6@ETb&D1JCNNbGTM)AHxb?-&i&n;c zyKA-5gjaeHzh%LcNt>m@sr}gz6Bj=pgP@H!PQrSP8>y-Z-~$gKPRD|Tb8V8@`FK`i$kndMAXR3zI%7sJsgjHHAw zhSoZdYg!CVj_V02X{iQORoM7@ueVkQ&0)L?FEd+3;WQF`FD8)|5u-7)_^tc4oLeO0 zi3u&jUpsd1f^%a#DsTztC^1_}LWcMo^=`k;JLi4No1$@sKSh0M6hMKqw_c|n@a(i- z2Pq-cY2!0KJ1>r5s|WEykm#ZOsq8$Jnx~^nDy0N36?>HguAkG)&_&lb-7(a~z&Vj! zFbN6gc+VdDy6GTqdV+mkb;qjH&MfQWN{E*h$8`0HeF^VcraQL3yzO3;}Xs&?i#1!y&7#hV!z9RQm^-V z@$4QKL-Y)j2*bky8~eYddS1qDwhe+}#(cj3i0}sN*Fs0tr+c8IP)m#NC@~t;^Oqkkeghhqt(zuvc`1uz!SI7uEZ$9 zgfy;c{~j2=+o%$%GWSqGf9y%8b8XxVZRdprUDi-%lyZ6pLt9zhj3auf@Q~ME!a@ny zz3T`C8QIBU9YPAOEu_3&;VPp7Q4Ndyw{vpTVQMt80mb=z; zqD+(ep)G)&Pf-5W{dk4m`O8}_+6et4OG4ZX#2b}!9UHueZ4ZA7 z+DScO?k>y>o~#Y?bP>0H|)AEI@}(` zF`W|n!8VdxeE8BL|IG$bUq5>Dcy#-05|9vXD0N+>hw5o!yWOegp_Omb+Rh|T9Zd1d0)N)9gj1r{FR9tcHl*S9hrEqU$Js&`l^QUfYE zaY(OW{wU19Ck5shKqyTjeQ;Rwk~sXb&e&evWHBUq?(+r3W9c(5y)DA>~1~w?nmjJB1OFc z8qCMV(3f8>y~yp!S$GnF$(y|iqvR{t^WN`WXDZ0|HUQU}1G@y2PzSSo=&Yjr1=pmU zFoHmC^kFCXqF~93PI>jT7v_yj`*&(1Z~6K{mJ>CSxOV#R_tTuT_hYVuK(SX4Ps$Y| zmUA_rrV6%<{8(sI-`qim%~J1hD8afl!lT->{Tb0TVjU~mC@LXQ!<*UTqtra{=wtTE zZr}04Dcy(wPqTpdcr@oHdg8IAZV1Ph4<5B`56sPQ6XXxXpCYwIgVNvVYsLH*%NY4T`|Xv`fx-JQMT-w=?) zA4))rJpx3#m8jdu)G#1D-WtO-Dn+|h$Ca;FCmKXn;Z`nBzU8ajpRPHKy0*_y8gvSu z^4U~tYhx$QZxzK$HncZ?vppb}tJ@ptVw5-=5$MUeGjTh??41!bvLozX?-dxRhx$}^ zq2jP(FxsYx`f7pVA@Ob4$%CpK_sQ`~Q72KI{#oP?Nuq4&u#njF{HIT=ioqcU;0dkC5o30Y@ zci0~&zV2V$Mzt3?1wGVtVO9wV33)WH@~O4P5GZ^@r=}x2k-xLM_p{2%r1@EU1hjr$ zLb8}%xH%uaC1+CS=LpRxVupuF)&qe3rfT6`X{ma?laC{45j3@6o)id6JBK$^mFIA0 zIAqDts^k5MftlDB4dsoYgIWZ5uxJQXKb#>DeK}?j9~_`LQ`looi)`mOoSOE8k?UJS zKM%D7DUk+?5#Hv#nTvz@%tjVtj|UyKuzij2kWAn9rhib0o55O>W;U3vt-|WKU}ibS908SG_pcX+oPYWALY@bvwl@xd~wUx!-jrcW-jJn11ca zBS+rv`PvI~R@ND*E0o`5F4K8WZbAnJOkb-{>pIsHZ>y*%Ts&*_>aFDO6z)sV zZLbj->7&z`LjRHYpHIHWtG@&~U431}qp8yrXk?T&%%WfVEsJx8z9$@Zapg+whfTQc zXoEE>w);+Fh?=#ve)v_A(Bc=$;o*H$}U zWb^=8HhkC{rv3W|#pSt~@m(Jy6X;aEW>g%Qe5#=3Flm9p4CXB^TEm5vhPm_C3Ocs` zRHkNkFD8F#wM`n#SS(Fw)}eS+u8s@*bam>jTVM{!sfX8; zmDQ^7M|~;vFzb`YVxU%uji*-aS`Az!!>l~!v+cd6D!thO9^IvGT4hTQK>76h9>*1KL zv{{mQVdEZVI--(s&uzs$rOLLyaDp&I7_vmrO7lrhl@-2PrP_J9Hcn|C2@|uAqY_1+ zF^u|))nmk>^i`PMqx6fBT~Iaut{4Ng?VS+SHWtoAtx+K=ibqYvX7Wk8{@U1tP4kN# z=s3zsVW0E39bQ`u-z*J5Xzxu$ch}riYzt?>D=%yBX)@%svtu(yYE5sIhE^Bg3AK*iIXe^6I_=h|Q-)LOEvEyJgG_s|_+o#?V*_DRp z5v_!mHX&C_qhhrm1N%`JSf;tflE&`|`zXT|ohu036dZ#xHBU&0^|6B1g!y=C&R-7R z%xa}}VXVJdk%Ic51APfmO61xvk>MM1ON$Eo6SfQ91#mmC_u=s|?(T4EZx8R#<0WP9 zd&wii9CsLMCh&NkHlMKTCIACKE3NlFz=C8L%GwjssCKx(Q|FV`2Q_Gk>d+fXA_m0} zt?efP5bMS$$1Z%>CZJ5m&xwvp__piwA6qwAv|~$TrJ3PG1VORYcPBfPR`Bd0#c3im z=5I46?mGAN_RAL}0PLZ2dl@2Lm7|V@-0TtePwJShi2l&86_PidNlhAUZo3iXZkvK3 zHzU00aCyQZAtvXWaT1cxf9jxo+R@f6!M)4%>558?EI7-E`!o$-?W?8WYNtoe0{kmg zwh+R1;V>c#aI+2K;<7Q>HD%{iAc=EC%-EmJJQyC&!9JC&CZSt>dS|bjh)qn4DKzya z0Q4+VJTCHs$)h{T(G&*haD{4}>>nB$A2&~K3&rn*d7NAGvFi753(-c@07GbGnAntq zz~w+2mLw(f6d@sdI2LcsPnzG#NVa~vRlS&lNroe%R_aJ-bcHwdgG zEubg9Y*hyHr@YA!)PRpicSb3SJMUR1^aq*i$kb|~!kKlw5)wE^<^VV|$%{NKg8FYIn-%&Jk}8gz3C_t z-%t`nFEYa$$XjGqbs-d;=m&O7!n`j*goCFKSYVhoTcR#{-Kt+>-438{F6BE~*QGK_ zt606@DQp8E8xfR%>awa9U|_uu`_;6rZ;jvhLw0}HiZjTe^~>`6oE!!RgxbC*GOEyb zo?okuMTJiu4*bp3f_(J2oUWh;m$_i5t{-t2FYe>NlW>KL_^OBM*LB(;eD_D!L&(3) z_tzFlE~wetY%7>tB~Q7iOscz)3B}6wohkQ790d4juO*ob^ZGnN4~2DK`MhZ%(j@9+ zr)(<)3+`R2(-8LzPACC7Iq6#)8jiy>XkNklj4NvRJJI`}N?(_l)&KHry}rMn zCVM`mZ4lFE0uKre<%PjKiKTSoH+rF*a7@hd9dgJZyyl}BRRdNzdHG?}w>&4tbc`C} z;`_J;02u=6+CyjyY}6J6J|xdlsb^8Si055oB}5fz)o1-8GX(?lBM!iSx6fUD^<#YF zfpfn+I*j!-QwJEmO{MwKGS7uHsWzSS=(6_SSrnqkQDx8f$~iuUw%67T73#Y@3QMsy zED0gRRA%v{uDo+wNaz#7$}9AlBZ#-Rq&@dHgEv=dael19Ph&25aby$z8gL+Z0-XBgBc=^ z3tJ@{X5|$m$?gJyeC04@_6i6Li8K2*EP-Z+^dl6r!CBGGgMpXctVV|I)Y-d|CHwo! z|LAe+&v9yc5l)=d0UTC_?N{2%iAA+ob2szG=IzqNL8Tvq*|*fYW|_^%B*@QzNb-93AY|DFk9KmL8ji2~~V^ zo!r!3or<>Pm4xfFZt!Bi;L)aMh>kF4(4T*y#w|R zU}a@)<}}b22uyMC4eH-z^H+M-goSK%_^4rQ_zlH@E3~v*ccanpMllJ3#){a+O`v`^HUHwQ4@bf z6Tc8@1gMbf!%WQa0c>vC;gP}gCP=QEK<*qW1U7Z>oviE<7>hO@957D~%ky;zy*nN& z{`eetu4V^Jvs032df+C=S7Qr`?U0tR>hBj_ApzIsJ-GPP^ju1wjtgVpy=M;7b?zJT z&W?hfEb-m2`vtcfOIVrgaRy}HuI=t8F*oC;WN{Vg2bN~iDQ8t<_oP1XYZh{YiY2Tg z!W(2AVaw9&&1rl=Oqby2M}WBD|F<_^eVPKEy<#Avlw)(<9G%qVJ^r$v<)y_nl-`4a zLPmY3W*w|=_eR+JcprtPft8VRZWCI!f>BknI22ku6iKZZ5;Ie2VQ2aq-ZJ#*t^7jW?;m z_qrru@{1Um%LL1oh69dcHCG*4TC;}xx-@F!O@uaE$ybQnaBHKs_5&6j-1poJNnt*= z)(AdjSVH+(m|Pg_*gjpa%G+$sIDhb)J?$OgHDQ=@}u&eqgQXv;nE_@ z&70K3^)5vF1z|tH+)YhaKWyLfo&7*8#3~o+ZrEXpYD)5i0hk}kq6Qn8f3!UB>s;F| z`C5^7j~C?#naEWgxpee^%oX?PY5le+dVlqThI?VIN$zq z<2^O+CV#9wy)y>Wnipi$)z@PK7%&x*RmvTyi*mtdhkJnzC^2T9F!{p~i4_&7UUS{e zCxD_>_YTm$HrrXm4?s@g+#j6{8T9|LKU5Z#PyO)ydOy0JyBa#zBN^GNe99mTjBi-Q{VR`7sH-PP1*=#1?AT!`(rA^?n`8hp|e z`g<5n*_KsBrJiN;LoPiZ)K8{jkSC@@T}%nT}zndeq7)P%(rS)llVbZANEUgC`3Sfo5S)SByQ%eR4~!7AzX+&T6ORlRcK* zm%InpavK`f3PRkNo$U@gKjL>HbOtM7)GW@Jw2~96zbjAy#f@;1VKJ4om1x)&=ah+u zZi}jk6gvk`K`-2dlvEBYQQzc_>bJM86--yE+B-c6b9x`woNvM1f8h(b-a8GUPa{IY zS)PAfr*>nKtH%#ofC^at?8m6B-mQ#4Cc#?2Ieef0S6{))$-t*(X0#v ztW-8VDLeJfq4}!z?yAVCq=IE=`T-GeF-bi{JbdBM$pEMDV6HqPD)6q&OnLbgJx+nF z)=wgCWa7)=dQ20lB*A@P|9gY7(2@u3aE?Q^jsn%>M?JvxzJYTJ>CJ%7bf|$#T&Nuf zH=7uY)Arg>U*{pCxI6ShlJWz>3;;Iye7VUL5{?xrPgH7~ty>hJ)c(V%0BLg*6AJNg%X^31l-FO=ECC6&Gj|HL19f~=KDN7$%RYAX z+GXJ6m-T?%+|f#mQqPr&MSn79I`z82n3GT|mhyvPjhH~Ug#C4ggRSh5qeeF=2DK`b z%lPM+8EOOVTi5nl3A9SehjvtZ&FcGB^ey;o_8SlLgb4*}CYK#`!CU!WiD-rGp@o}? z82t2tv&S(0DWo6_RzKB`^`HTR`p1VyJp%}OtzIm+$eX#`opm+XqT9OyPX0UKu8o`7 zye(HoQ;v1>DV4m3D}OYuZofGnDE`?&-G8RC-23ue1iqzwivct7PtN{j+#}~rrPHL( z|L4Sru+qAp=0@lpd+^tfCACDNtVC3P`AwG_<~f?1pXO0%jz?351iDLJc1nZ7cl)i6L74i_!L7UI6=x|@q>jLkN+$(c@!_|OVb{T7d^>0tUhhR=Ae@=qiGt85^>G&y}!JrPOnbXbEqr|t*La$OtG&Y3I*qd zR8#9kN7f7NArW>3F5ysB!j2L!0P46tQ6Ehd6tT%j*S_s5F-!HCV3yT4MqEl;^qYvZ zM}?BE!U1~G5i1aKzV)(c%|=Ee`|$`&Fk zpBwv`hb}IcJoiz1{xW1d)Kmhsfq)i`t7fOBrW%&OVI%>&Ord41z_xpark);={ljF@ z%PB7`LKr8dFsZ3N7lpB#-{huw-con=k00ev>*f=s5lJUfvxPo&N!_2h1#g` z1(vqfZ~kRA_X@Op4_r)d?CuQ4PZ4*=8Qq=cX;b9zf6I0xFQvyd=Tf|KD7%kN967QZ zvB@aV9lGIy>vjdEbNu$-|Io*koE~-u+TQ9Tx54)?P>#mQWBUGo86uNWD?V{r3uea( z%m?2J(`$ZMKv7WUr0&Q__`%4sJZEa@#`qsmyDQ^b{PpbH3gGUwZ=`c4B453X%S!#j z(6J+||3X;5Yi&+2e_@ZvpQj0qiIbnRO(i!vj^8?0rSUsLiu|ybq;XJf(wVO38`@jm zeS@2DF)gOUo4vX_Ym0|JSe5^w6Er{yId}``ggOT`UeOEMUQSt@D<~OaG)VDVt$vo` z_a8>-`L~gNMt;vt)%Ti?*J6KIKXL5tyjPlDDvu1@c84|i%%7A`iGa5fgxxyG)l=Mt-l zT@wDET+!|&;mNtieO{;FkY{^YvZV`F?qRL1?Pci=u4!@Q3+rqiN7Q}ax1awa487Sg z(lW|cSyZ?(72IZltGnS=p52Cl_>t#Uw~gJm-hQ&M&}iH)F>PC`Qhx02sV`gSej+2GPw<L`f^#Y#C@)f#BFpUKoM576`_*6HJ%8ckz6tsXua_p8Tck`1YBqL@l_dMT~5Rv_wCeYkfOek$x!u~JI^ z;2*-0F$-__^q-#p_~ds+VoA78{a3g7aV*f)_r50M|2>J}UUo$2n7z$Vm9WtYj`&N_ z!AOH2B4;5I-GU3H2vsp^u*&aN&6mmiT$+IBdO<~}_R^+eE?VhDD#MVR!UNf}S44)l zP9GM@AYH6{O?=mjpivfzn7N+c0^LyN)|9b)9Eg?W8dVOD)5W5{vCSLn^D|5feVYDn zSbCE1?;9c`x%e>s$!JxniN_zA3L)AWHSoyVriJ@vE*b*#-bKHP@TQ=Mp{=^WM6TCm zOU8cq4UOsRyZUNEh_|H|+_xWq5e-a2o z(^b))9y_S+BvjJ4uR(Q|AUHhJcNA^Slr2s73M>0`fZ}NsjpFe~HTcr^O5Yu~7(r;E z*p?g4_=abjB}W}APq*9d4{rt2V^{9A&(lN$wX{!b8kj|kSJ?!^>Bg)sIkOP70Z z>i0?w*1eaXS8z6Gb#uqc6xkW|#l;oBFzMAhqEQO_(IGI&sK0b<={7#QR(F8FdmXt- z?T@WUI0E5e{j-Hcqm{)@eVJ?G6A!JzyC1!U=Q^Nfdskz4@dQgQFo8qe;X>SQQ;T?$ z@^X6rsb3SKsmD#TyzmJFvaRvh5J5ms=D(&&a_A+1wNj0&c-6xS-#(mLvVwx~*=UVr z=NsINK`!idEMy^FAv;5ez!-VAFzhQK;kUH71k+)Qm+^UM{7?aFns3c_c^5c1LIuOF zd5=a>2otuodxQ+ZVHfSRh0ia7hI8QEp(LANI&yX08|oy;bav{+;Ro^5h}*c>6S~XA ztZA&@g{EE;LVL3>rn-I$=R(5`rVVidkpjbh`1jpwpv5lsD8KKUAp90 z?}e#0;zqI$!wy|Y_7k|U&*OS6kqa(@M&HEO7jrz+{a}9Sp9U2ig667j@{=tw+*#S1j?s(1ix|5CY>yz$|4b&T7}&M@xg=gtaAH(j_rr~aa*Jo}1v6U3LM$QN zDe45ZlGSq)!;WBkfKJj!PygC=AJO&Hh4m0;kZEOrNs5`__-bX7Uk&9VH?|@5XPTYo zPZ`A^fb~^dFYOKI(W8Lq2rGPYAI>Nqg^ZjTtd!$p>`QWaZXFl;qp7-N@dj$QuLz=X z@=40|)R3K2TiaZbqb)`yLG>W39i{$ZBcC+)`BIXXHd&(S6NSd>m$g38=+%pB z3@OU0_iW3OHN0PybTUv)@yp0Cl+PF5$`&ml90-&j(Mn^DW@yfQN>L z-MhAlw$ItW(1)L{8S}0V4+puZx(8{X z+FFo~hMkKtO8KrPU*G5>`TTZ^HxgP~m3EybKM8`TmVX!v@CS+$+g71&%){yI%H#P5 zgHGJ`!mEXYgwfINW5UzAv!Sh|@$pD~ac(Zxh1-vI(=)~GLG^y#rl712B`+l3GD|Vl z>2bPm8gdMM<~RPl1i!nE&n<-8bJitNs&GbbL=kxrwry!bU&8C;iN>PUID4Fdt2nkV zKqGn&esYBvMjVY= z;{2OTeIr7Z@d^63ah2%dg+d0|FMuibc)Xf53E?-{0IQ*2X<{Ec^73r% z;F3<*mK2vU!HnZxc$SM~H&yGHLKG9TLITYm=r76!z2I*gqvV62R4R9+dC!S~i+X)HqP>aWA z0+d>fM)m62BE2^Lu^-*8>l*IAIMuQTz>olB%gyEf>Vr?eZDPznzi1LjWFmjOTdFVn z*i}%_-SA~Wu*cdsx7Q}@>3&R(brQ@s)!I&99$py{XuBc9enTp(@YEydce3wt*nZ!Wo|2&pFa?x+8DW8uZpBJ z`B&M6goGhoGqCdcc*n~Q_{GTR4%8^$aO{uCzU_gv?X0Q$q~^6BURC_J3MDXVBn@?5 zW&b8yN!Bk}Ik$*_tI-jJa4s}22YV5K$?O$GyElPzqsMdWsJzvE zD<}sKqn3U6mhM?)+BgX4?;BJ&tvL;K+Pf=zWWOYz-v;7bBA3eSYcr+5 z$+0Dvv{fNtn?UfL_{f|y+tdey7r2Q}DEQl~Qyd(iiq2Tri?XJ*$;uogbh|$@eXya0?W~fV&N4;2V;Gn) z?}D)}VVPDnpP#VCR^zi*Bo^G#?6|@ZBZ^Ply7%Zh6^jZ~aTj!d?^?atI!Iz3F?GJfuaFK^|SA!FM0w zTWr#T5jF3+{e(_b)JFCKvj!a6U-edBX6Dxbui=_mwbr=?OjwteL|Pv}-xhVdCIi`b z3gBeM9qC; zP}P`a`=VEFoT`3p$#xBo5jAa%yU5o2&9>|M;godHan{ z?xV4w_$!%0ZlsC)*h&~*aBAJrOIl^7+25tOul>Q))%R=cGx@5q?Jam;z2QNKcfSd3 z3g4S|>ilc+j=bc8%pTXt z+{G7_lKLNsb!(WI>A=x|-`A#({Wbc>xk3f_7nwVThT43D$LKcS4kdy?Jt8gaw-P$? zciyie#ejmDwqLLvzlq0h(ns#UZ?FEBc;U#A^W1jX-#>Tc{<;5>hH$m0^8c{q9eLUL z|G_VQ9NA>O%UpDqQvRJ|e+hDSKXc1cY606ypQMzRbfZ^w7@6e|_Q=RiE+REa%~#1s|L8+JS!)#oR`S zhu0J>trceGpf{koW!Vga!;z*pivJCHoKqT~b^cTkZeg_u?89$frhg+UsT=qGQ1~%u zf&FqW`vw_;`v?zqYmuOn6Dxo1K_I}oDj65~-v_1KbRaVw;LQ!6X(J5_~ z2V&eN5nnv7Wzi`-aA)-Af< zm-X-?qynLsD12Bl=;U?RCdN#gvzyy@SWW%UErVb8yaaI#5&c#BhCJBD;n`z@_Jt?k z@^INF1?F9&b`sF!MuWOWRnPAYT66=0`db>+tt;zf|6T0QaWXi%H|3fHh_;vfNm4C? zQZPAnt%6lbUmD0$*V3pcui%i|;cX7&fN{)AVJqV$CpFOc{Djn0Z5bO+3Vp1xBh?Ih zqx(I$n<05zHtUw1_GPE3CQtjFp@N4!^B99Rw|3{zhSSt2B@GL^03$ncS)o2_wRXC_ z!m0+%ELLEy;o&Lz_^?6bF*NKGd3PR)Ck z0z$S+3djPt^+BW#K8Heoisv|xkYXRst_nMAz&zlK-py@aeq;^5!&U_0QxNpJp1?d-yt4eaG<{7V-mo-`=1<^Om>?UbvW)e`}`i z!?~&281^d$Q^(R@F5g}qL=qw8Oh}~K1>h%eCLmr;%gU3drZ#^+d)ECn!o%J5{=HZY zwc;0coY2@JAp0G$m zKGpV)>7o*Y50^M{KoNhj*0fTAoBYE3shoWqG?PDkW=&pv^2HaAX(vF0`B3`zv_{XR z;fqgyt;etT-dFKRnp$$c(++y7xY*{T3;bX(XDP?fuv33#9*$y9i(d}6JPSW$bRf(M zwU{abp&A-tJ(#wY(Xf_RF-z#fjWo#0pZ3(Y2r(p+e%n>;B;nf9 z(zg|}%0s*c;h?DK##QG+^_}JKl(Qz~jt#JiZ}N=S*@eBC1#EcR&{~GFghbOw5=I`) z8sQ}UWl6G+om}~oTS8#%Phyv*!sk!W>V%vi6f>2cSdq<;Huiqs(&T%{ zY^UdNcLI~_2yY`@lQ_RT2HffUc9QjOxNM<}y8e-)aHWcFDx%cG*^S(OuTu#xZ2U4^ zcQDefCys(0N2>miJfjp15J$3q{Kbgr_E4in318Wgv0|+PfzI;>hdzL(qHrz zJBvN3^pz~!ZN)weCP~W8)9ko;m4&fLntN&zv@B^u7&w_!R>mu9DwYP7I=?*i{r%j! zr*!X=jh|L$XUA7+%S%`O_k7$febPAGFa^1a8xFh~su-oG50v_}>iM}s|AphTnT$d# z%cUnv-eWOGI~3h?m<9N5Ykx16B+^pb*l~kZA-qYt9=leqr{FRYa7tu_t2soFg+qRM zRNL|u*BnJMyIkL8TnJuhKp7rBLs#*c5jvjw^?b#z*L`{RlC209;sggs^+I!8&!4`l z(Cay5_}PV)#ywFijqRuG)`|GJF8IJWvFW4h1GC2W&8_XP{E?IKBCql zHCLBC{MuyDw1NeIE*5$UTfUe9q{eMWJ_Jr(6Mk1Z{EvuHnzSjma_VE!-dJ)OOQPx7b#A z?5+H+s*3!?EjN}l#l6iYSeGC_3Ev+a0&q6ESE&E1y(}# zYEg5fEj>yNEp3evMQNJG6hjGe)TyDAgPMu99F7`NlpqK-m&ielA<-C8l>s3U3HhQu z@B4j!z8~Me_r0#O|L(Qd-s@U>t@Yf`{XF-xQcs)Na2^?08%E&r?!ANh5w8Ev@;(_m zZZ3Xy7BERVn`W;AW#rFq#SDIhX(AzulwrRJ%}V!iQo58jRWm#DGwg}4`Nk#YE8Bx^ zxD^s_9)p}FpOv&k^QQ76$RuzSPYkV8Qf_KO$teYuLV-HJA#hpuR*>jVh{V?Qx-f3I zDeJ(D=|C)J!UfBb*DQbsmpze2l~*wnZmwxrs>)gBHNerT%Mxx>I;n?h-ID#+FicS75w%Qg#KJY&>*=f`=PNmeGvmSNKp^;=It zS)ot<#7KnOFj4~2V?+Qp);;WcV}OZ-CdXrz>R{LuH=w5C`pXuafL=A7M+G_S`&_+G zKoBn=$w4DCtU>-raBsinw~UjBYr+H^jl&jYjnA$(mIc<7G2G#VIH-am?%l&{xi>Kf?Fmx8mIWcpNaLm_13SV$2H}!-ZQOgH znM0P(^_kj;L2|Ey9^G%h4jH}+=8&pUZIc|9a45w|38nzwcTuRB&O=D8bgi`m2b7D$ zQbr5#)cqpzh3D-{F76Xfr=p~j^h!d;%T%zV&cX;QGx9;n9l?5g9X7Y4+D-?`g9P*b z!B7#2uoKduLV)H-J1c5ZX2-$>aZJHEY3GJ(ksYj2b;ZkVhTyH;{zOEUr+%@mDo)~4 z-c%GbN=(J_wqP%lED&EI@=U3-5eWu{%}$4KxjEe+PG&gWsgcguU$h zx5!2LSDwf1TesTIiBQY7w!)QvNVxtTrBik8ts>nk{?a4JV`))DI*KmVtOZv5Ask4dkTPD zI&+-N9opD05-YT>cVBn$O6J^@CgJ?fovW+O(kJl)Nv*zkH5353L!($No3kH6y{`rY zto}YXNZIF&u&FL;(5EWWMpg3r+}7|aQG)3vVhJ(l;OzQej(}}Pc$MR=G$lNm2}#d) zdXQ`-3171ir1my9G&~6p(6}w_uPh`ccdx@exdu>D{=k*(*pu~B2P{wE-DZ2I8d=*v zWIfPlL~KSku6^`#!{7_RX(P3BaT35K+HV78tdkjpoXf#AqeNGnPmdpp=)@F~3orB2 zpeNKf`AHNDgAiL5itMoScm$=J67LANtZG@k36~KKafrlcUakSv3qS)C?Cal&1`q+OM#V~l)d z|J+$8${|*q5wL|A;KbJ)t-wO+;zlfhmTqM7H zI9O4ZwUCrrKP8Lfj>Z-s#e+Rg`B~Sa3|+CIoJ=yaf*v2`bzlI^_a7y2g5u-723wic z$CXf(WS7-tXTq(>C{1eps6-?zq$FN#i{vNEr1L-H0Ij7j$dc~<-!>AFU-ZWkeei{l ztTEZkgONq#0QFplK>Be5EZL7Ce>8_~&~?cCo{f!@cS&g@n{e+4)O#}0mcLm~Ip(m9 za&~CvKPUvhf5@H-jaa4*URi|!!@fpOhCnK3wry%%O?)Ohl)9ua)2oTjJU-K8bx!(# z6$JuiS*hm;1XHf_&8s zsOb5L}&vF9F6aLYv_t>Q3(uMZTCuL8i* zoYn;1;$g>fN1b_d%idA-w5A1MXzoqM);RGw03nCl$c6egE|feQuZ*b1n_wwb(ESz4 z5CpVm%%?SUBnyr8 zlM9f?dF!G|l9dVyQeAK$SWSbPnYAqDBJ1t9GiqH6G=h6CSpy?xlycxF@O{rCg6Ryzt{3V0X!rllsocYlcM z%YOIsT}cuyudqW{o$)&cL}OIFUMLN69P7E0pJ4hc42Gz`Gm71#puo1pU+7C+1ZCh3 z#9nIIFcPjz`FAG?YC@?d-|fDS$0hvyLmcVcWP=CVfp%s;KX40NqDeVXwpiUSkcY@M z_o1+JHStQYBPPp)aY&~rl4y`mNp#&JhO6I45VZTr+5 z?E>bS(~g=4cw271IAn2C7N(a_UWs3jXjxo(=*zlsb#rX0z$hPMDC3ZI?D3<1wLE+G zN5m};YnJ=%yeC-W=viqw2ei4_xrVg4PX1(ty?gFrQsFP3 z*QMJ2{A0caw!=^7-FSE0mk*!ziZXZcsVzL{I6{^OOJ4`|g@p#yfCaT^U zGgs9k=axBg8@rLiY^mv4;+Jnjap7OHwRx&Xx}G3m`4{t7U7qgz;&644MM^3-cD%&Wa6B8%<{t z>JTK2l=$G607LCnmhk|l!h$_?UZF+9_KI1js)Dl1Ig{G7{UQnfoTluSCxa)SR}MFS zmaYXJU*#I<${k;RFA85Hyvz7AxVXOFnl{Ov8!RvaPdBo<3b15WlFfz=j#&e8{q4LQ zRZ_xavq;STS2bY?M%t#J>R&!>1Up|; zz4^7g-jKj}cdJ(rPwY`k=$ zb=`(wF7R1XXcMN@MR7Aq z0Xmkv+eShvtc%+&A&1_4a;7o>)yq7QP7lzx{OvQvPZ;?gOL||n!(Le3U2I;L zGyhqmD5SInI6K8k6qDyhwzPOnngX3M408#!kA9@B6?Iiq8B##V07f+3GpYL$Enn%v ziNSiykee3J?JiTHRRYo+8q?RM)ZfZ&D;S>ubNlA7yso>jL3M22^-j2ZPqJxMt?V7* zt&~G79p>a}cx`s4J;u|#a(R94YQA+p^;1h*834Cybo{|_b**{aRg|)`{Gv-1p&KD+ z|ELFQXA~?}nn!{CS{l42_2e7;AQs8EsAUPcifKt12ONTQ)%71_IW<|JIi!xvLfgDA@gL=o~p&r{JJ4n z*4Ti8c|h`vP@iC|u1meNX6k@U^3&VH_n1Mt2dzeEN@OnG9^=E{?pTK!gP7cRpws*z zdG9k+(%OpjzKwSHThdZRXxJb_{fGn0XmDywf~YCtld@}4&Ke5?-e-$gf*rCz`aZHZ z+fJ*tK+M^XzgPhGqJGSCc>H)}8cqO2*df6#7+*l({6APC2cQ4XqmrGB1||~K1b=(C zvyQ3~I=y{>>Le#bAM$$NV#-;<5)r@H9)^0aTA3%0-W4R*w!V1ro5$v7+TgQ%tq_`{@(&_*%5HV@Tf+e$adX2+`K6eOxzfnh10!@0zH%lS z?pLe`n>vZxgdnH}bw9bE69#|mo{h8oIfH;=_7(bPNt8qY8X}a2#q6*)w6)^u_?_N_ zfk7D<0K@qCw1p*Js0LuY70)|3%j_BW4jg|zw7hxK#|o>{&tU4Wk+4X>@R;ny2gj_i zpGZWCl>HM(CMjTkc4zyAN|(oFrJRbrX(~e9n)$M<^Qq3%9YxS>vYF|kF~@}j0`Yqrp8gj!Nd`gVv{?B0F0>lu<8ynNFC0T22!USg1V9tBaueaU!@U~(+1kW45MxegZ-juz6N6d zbFfZ*whAF<`+Vh+yQ@xSzWv(o*MHB--fC*DPt?Rl*bP^A;~KR!@{D}E?=v>NF4@8N zCnmxx+zNx=gP4GTH`|W=W$Oer8ZuGU+vRQ8x>A<4MW}2QfPzPD{H~d0^M1WC954CY z$Esi!5=zZdzfkaS$t29O(4Xs5njElAzY)4M5N*1WwEyz3+DY)ems#lr5c}v)`5!26 z68GRY{d7bFAb9HOTKQVKt88hSmS%yjfvMj5xluU9Oej}X?^{TT6Fv3%uL$K+ z=Z#@J@Kl7ED@-Hh{IVr4OS4}ty@sr$a8!SXoh%eF+>>e5^QOzeM*T^spbcxyPRKf5 z8ft(6fLYN!Iw4aZpy=$|w|G4oNA|s^&9u@B(iaoGK}fnzQOilZI|W+BZ=TV4+uyjr&6O}Nd7pn%g@{NRIe7L1k>5Rb z!zWOALZXxd4Qqc-nJ!tp6q3H&0?=$(bI1x?KZTh3Rdo?ba>k(-3v_M5_x`N)-Og?6 zy)UaB(0$y#hE_yBf8q#d=uh8@E4DoeLegW?RaRxDB!4KR7CDPQza({!m`%|nIUYVd zWK{+^5Ad`b04YSvW%bJ*PDN>CnWtGR3zqy+qn+}Ki+!>IvOQRUftQtClaz z{1Ln_NN>DVNkO6HQ+wRuBV?)aKAm?97De=_R?g0pN!a33q}q;$ACXKVg2($L#Qfd< z;@6W7mkih<@3#+pQbf2R7W`|iG{F3v6{FlfuYGPFHO}}q{GE2)+dnm>L>Np@{&`fa{7%conCeE<3yFk6;)-ZWzBjBFHYuKglDPWBzc*` z(H%Dytbfk8NMBP1hnE#So~}+mu{7uNFy=C`t3B_ zt)FB|d>xu{(yi{xn8&_`_Z3sm_&Gx{U&1=3cXsc5zGR*2CJm8sj6}oq_HlY6uCi`(?sxBaP zP?jwCh`MyZTl4K^Qv4Gaa@c~cpNvJIQ>#Aoc9)OY%jGX5Vd<)nCrxpuK0smtuNDAt zQ-!Kxas;wS@ch#JwsmHtVSSn9@E&?`t8?18No;RNW7<$~s!R zykxb<7|ciTFp68My^1YcH1_ldf8L+y2Q!Assz!=Vt}ttu#svits@VTJZgc&|>Q^(0 zDi-%#9IpQE`@8stYg^aMvq|Y+@VOw86!FcssZS8n3cH0V-$Z@)jEej%rt`Oi&^Orf ix5CnY?owD4h^@!ynEb|!f3s`(SzNa [!NOTE] > Make sure to modify the default values in `compose.yaml` and `museum.yaml` > if you wish to change endpoints, bucket configuration or server configuration. @@ -40,16 +38,17 @@ directory, prompts to start the cluster with needed containers after pulling the ## Try the web app Open Ente Photos web app at `http://:3000` (or `http://localhost:3000` if -using on same local machine) and select **Don't have an account?** to create a +using on same local machine). Select **Don't have an account?** to create a new user. -![Onboarding Screen](/onboarding.png) - Follow the prompts to sign up. -![Sign Up Page](/sign-up.png) +
+ Onboarding screen + Sign up page +
-You will be prompted to enter verification code. Check the cluster logs using `sudo docker compose logs` and enter the same. +Enter verification code by checking the cluster logs using `sudo docker compose logs`. ![Verification Code](/otp.png) @@ -65,11 +64,11 @@ Connect to your server from [mobile apps](/self-hosting/installation/post-instal ## What next? -Now that you have spinned up a cluster in quick manner, you may wish to install using a different way for your needs. Check the "Installation" section for information regarding that. +You may wish to install using a different way for your needs. Check the "Installation" section for information regarding that. -You can import your pictures from Google Takeout or from other services to Ente Photos. For more information, check out our [migration guide](/photos/migration/). +You can import your pictures from Google Takeout or from other services to Ente Photos. For more information, check out our [migration guide](/photos/migration/) for more information. -You can import your codes from other authenticator providers to Ente Auth. Check out the [migration guide](/auth/migration/) for more information. +You can import your codes from other authenticator providers to Ente Auth. Check out our [migration guide](/auth/migration/) for more information. ## Queries? From b8c7079c940b1a7eb3a7d4def006121a72bd6e73 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Fri, 25 Jul 2025 19:56:28 +0530 Subject: [PATCH 176/302] fix: update ML service event handling and improve UI element dimensions --- .../services/machine_learning/ml_service.dart | 42 ++++++++++--------- .../actions/smart_albums_status_widget.dart | 7 ++-- .../gallery/gallery_app_bar_widget.dart | 2 + 3 files changed, 27 insertions(+), 24 deletions(-) diff --git a/mobile/apps/photos/lib/services/machine_learning/ml_service.dart b/mobile/apps/photos/lib/services/machine_learning/ml_service.dart index c059512d37..48849d2b12 100644 --- a/mobile/apps/photos/lib/services/machine_learning/ml_service.dart +++ b/mobile/apps/photos/lib/services/machine_learning/ml_service.dart @@ -70,31 +70,33 @@ class MLService { _logger.info("client: $client"); // Listen on ComputeController - Bus.instance.on().listen((event) { - if (!flagService.hasGrantedMLConsent) { - return; - } + if (!isProcessBg) { + Bus.instance.on().listen((event) { + if (!flagService.hasGrantedMLConsent) { + return; + } - _mlControllerStatus = event.shouldRun; - if (_mlControllerStatus) { - if (_shouldPauseIndexingAndClustering) { - _cancelPauseIndexingAndClustering(); - _logger.info( - "MLController allowed running ML, faces indexing undoing previous pause", - ); + _mlControllerStatus = event.shouldRun; + if (_mlControllerStatus) { + if (_shouldPauseIndexingAndClustering) { + _cancelPauseIndexingAndClustering(); + _logger.info( + "MLController allowed running ML, faces indexing undoing previous pause", + ); + } else { + _logger.info( + "MLController allowed running ML, faces indexing starting", + ); + } + unawaited(runAllML()); } else { _logger.info( - "MLController allowed running ML, faces indexing starting", + "MLController stopped running ML, faces indexing will be paused (unless it's fetching embeddings)", ); + pauseIndexingAndClustering(); } - unawaited(runAllML()); - } else { - _logger.info( - "MLController stopped running ML, faces indexing will be paused (unless it's fetching embeddings)", - ); - pauseIndexingAndClustering(); - } - }); + }); + } _isInitialized = true; _logger.info('init done'); diff --git a/mobile/apps/photos/lib/ui/viewer/actions/smart_albums_status_widget.dart b/mobile/apps/photos/lib/ui/viewer/actions/smart_albums_status_widget.dart index 63db239dc6..3ce25a884d 100644 --- a/mobile/apps/photos/lib/ui/viewer/actions/smart_albums_status_widget.dart +++ b/mobile/apps/photos/lib/ui/viewer/actions/smart_albums_status_widget.dart @@ -1,4 +1,5 @@ import "dart:async"; +import "dart:ui"; import 'package:flutter/material.dart'; import "package:flutter_spinkit/flutter_spinkit.dart"; @@ -66,7 +67,7 @@ class _SmartAlbumsStatusWidgetState extends State firstCurve: Curves.easeInOutExpo, secondCurve: Curves.easeInOutExpo, sizeCurve: Curves.easeInOutExpo, - crossFadeState: !(_syncingCollection == null || + crossFadeState: (_syncingCollection == null || _syncingCollection!.$1 != widget.collection?.id) ? CrossFadeState.showSecond : CrossFadeState.showFirst, @@ -80,9 +81,7 @@ class _SmartAlbumsStatusWidgetState extends State .copyWith(left: 14), decoration: BoxDecoration( borderRadius: BorderRadius.circular(8), - color: EnteTheme.isDark(context) - ? Colors.white.withOpacity(0.20) - : Colors.black.withOpacity(0.65), + color: Colors.black.withOpacity(0.65), ), child: Row( mainAxisSize: MainAxisSize.min, diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart index dcd184b9eb..9a999ad5d8 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart @@ -540,6 +540,8 @@ class _GalleryAppBarWidgetState extends State { (value?[widget.collection!.id]?.personIDs.isEmpty ?? true) ? "assets/auto-add-people.png" : "assets/edit-auto-add-people.png", + width: 20, + height: 20, color: EnteTheme.isDark(context) ? Colors.white : Colors.black, ), ), From 95228cc0a612a8b3a5c26ea77f6be3558e521b07 Mon Sep 17 00:00:00 2001 From: Keerthana Date: Fri, 25 Jul 2025 20:09:31 +0530 Subject: [PATCH 177/302] [docs] remove paid sub template --- server/mail-templates/family_nudge_paid_sub.html | 0 1 file changed, 0 insertions(+), 0 deletions(-) delete mode 100644 server/mail-templates/family_nudge_paid_sub.html diff --git a/server/mail-templates/family_nudge_paid_sub.html b/server/mail-templates/family_nudge_paid_sub.html deleted file mode 100644 index e69de29bb2..0000000000 From 2c6f4228d217b2a6963d8846798314aacdce1df7 Mon Sep 17 00:00:00 2001 From: Keerthana Date: Fri, 25 Jul 2025 20:21:22 +0530 Subject: [PATCH 178/302] [docs] remove redundant line for cluster initialization --- server/docs/quickstart.md | 2 -- 1 file changed, 2 deletions(-) diff --git a/server/docs/quickstart.md b/server/docs/quickstart.md index 6ff3646273..c43749b539 100644 --- a/server/docs/quickstart.md +++ b/server/docs/quickstart.md @@ -23,8 +23,6 @@ sh -c "$(curl -fsSL https://raw.githubusercontent.com/ente-io/ente/main/server/q > chmod +x quickstart.sh > ./quickstart.sh - -Which will prompt to start the Docker compose cluster. After the Docker compose cluster starts, you can open Ente web app at http://localhost:3000. From 508e83acd444c4f92e19c80d9705a611f8498da5 Mon Sep 17 00:00:00 2001 From: Keerthana Date: Fri, 25 Jul 2025 22:44:08 +0530 Subject: [PATCH 179/302] [docs] update upgradation for manual setup --- docs/docs/index.md | 4 +-- .../self-hosting/installation/upgradation.md | 31 +++++++++++-------- 2 files changed, 20 insertions(+), 15 deletions(-) diff --git a/docs/docs/index.md b/docs/docs/index.md index fa15f6be8b..01ba8d448b 100644 --- a/docs/docs/index.md +++ b/docs/docs/index.md @@ -19,7 +19,7 @@ have been developed and made available for mobile, web and desktop, namely: ## History -Ente was the founded by Vishnu Mohandas (Ente's CEO) in response to privacy +Ente was founded by Vishnu Mohandas (Ente's CEO) in response to privacy concerns with major tech companies. The underlying motivation was the understanding that big tech had no incentive to fix their act, but with end-to-end encrypted cross platform apps, there was a way for people to take @@ -78,5 +78,5 @@ If you encounter any issues with any of the products that's not answered by our documentation, please reach out to our team by sending an email to [support@ente.io](mailto:support@ente.io) -For community support, please post your queries on +For community support, please post your queries on [Discord](https://discord.gg/z2YVKkycX3) diff --git a/docs/docs/self-hosting/installation/upgradation.md b/docs/docs/self-hosting/installation/upgradation.md index b4b11a70bc..d27dbbf717 100644 --- a/docs/docs/self-hosting/installation/upgradation.md +++ b/docs/docs/self-hosting/installation/upgradation.md @@ -9,6 +9,15 @@ Upgrading Ente depends on the method of installation you have chosen. ## Quickstart +::: tip For Docker users + +You can free up some disk space by deleting older images that were used by obsolette containers. + +``` shell +docker image prune +``` +::: + Upgrade and restart Ente by pulling the latest images in the directory where the Compose file resides. The directory name is generally `my-ente`. @@ -52,18 +61,14 @@ based on the updated source code. ``` shell # Assuming you have cloned repository to ente cd ente - # Pull changes - git pull + + # Pull changes and only keep changes from remote. + # This is needed to keep yarn.lock up-to-date. + # This resets all changes made in the local repository. + # Make sure to stash changes if you have made any. + git fetch origin + git reset --hard main ``` -2. Follow the steps described in [manual setup](/self-hosting/installation/manual) for Museum and web applications. - -::: tip - -If using Docker, you can free up some disk space by deleting older images -that were used by obsolette containers - -``` shell -docker image prune -``` -::: \ No newline at end of file +2. Follow the steps described in [manual setup](/self-hosting/installation/manual#step-3-configure-web-application) + for Museum and web applications. From e8edacf924a5fe1466b708eb694b19493a7fb21c Mon Sep 17 00:00:00 2001 From: Keerthana Date: Sat, 26 Jul 2025 07:52:30 +0530 Subject: [PATCH 180/302] [docs] change instructions for whitelisting admins --- docs/docs/index.md | 10 +++++----- docs/docs/self-hosting/administration/cli.md | 18 ++++++++++-------- .../administration/object-storage.md | 2 +- docs/docs/self-hosting/administration/users.md | 2 +- docs/docs/self-hosting/index.md | 18 +++++++++++------- docs/docs/self-hosting/installation/connect.md | 0 6 files changed, 28 insertions(+), 22 deletions(-) delete mode 100644 docs/docs/self-hosting/installation/connect.md diff --git a/docs/docs/index.md b/docs/docs/index.md index 01ba8d448b..8bd27ffd73 100644 --- a/docs/docs/index.md +++ b/docs/docs/index.md @@ -14,8 +14,8 @@ Ente (pronounced en-_tay_) is a end-to-end encrypted platform for privately, reliably, and securely storing your data on the cloud, over which 2 applications have been developed and made available for mobile, web and desktop, namely: -- **Ente Photos** - An alternative to Google Photos and Apple Photos -- **Ente Auth** - A free 2FA alternative to Authy +- **Ente Photos** - An alternative to Google Photos and Apple Photos. +- **Ente Auth** - A free 2FA alternative to Authy. ## History @@ -76,7 +76,7 @@ and stay updated: If you encounter any issues with any of the products that's not answered by our documentation, please reach out to our team by sending an email to -[support@ente.io](mailto:support@ente.io) +[support@ente.io](mailto:support@ente.io). -For community support, please post your queries on -[Discord](https://discord.gg/z2YVKkycX3) +For community support, please post your queries on our +[Discord](https://discord.gg/z2YVKkycX3) server. diff --git a/docs/docs/self-hosting/administration/cli.md b/docs/docs/self-hosting/administration/cli.md index 6b98a91247..aa485d21c2 100644 --- a/docs/docs/self-hosting/administration/cli.md +++ b/docs/docs/self-hosting/administration/cli.md @@ -29,8 +29,9 @@ You can whitelist administrator users by following this ## Step 3: Add an account -::: detail -You can not create new accounts using Ente CLI. You can only log in to your existing accounts. +::: info You can not create new accounts using Ente CLI. +You can only log in to your existing accounts. + To create a new account, use Ente Photos (or Ente Auth) web application, desktop or mobile. ::: @@ -40,11 +41,11 @@ You can add your existing account using Ente CLI. ente account add ``` -This should prompt you for authentication details. +This should prompt you for authentication details and export directory. +Your account should be added after successful authentication. -Your account should be added and can be used for exporting data -(for plain-text backup), managing Ente Auth and performing -administrative actions. +It can be used for exporting data (for plain-text backup), +managing Ente Auth and performing administrative actions. ## Step 4: Increase storage and account validity @@ -52,11 +53,12 @@ You can use `ente admin update-subscription` to increase storage quota and account validity (duration). For infinite storage and validity, use the following command: + ``` shell -ente admin update-subscription -a -u --no-limit +ente admin update-subscription -a -u --no-limit # Set a limit -ente admin update-subscription -a -u --no-limit False +ente admin update-subscription -a -u --no-limit False ``` For more information, check out the documentation for setting diff --git a/docs/docs/self-hosting/administration/object-storage.md b/docs/docs/self-hosting/administration/object-storage.md index 91a86c4698..7a99d272c1 100644 --- a/docs/docs/self-hosting/administration/object-storage.md +++ b/docs/docs/self-hosting/administration/object-storage.md @@ -92,7 +92,7 @@ Use the content provided below for creating a `cors.json` file: ``` You may have to change the `AllowedOrigins` to allow only certain origins -(your Ente web apps and Museum.) for security. +(your Ente web apps and Museum) for security. Assuming you have AWS CLI on your system and that you have configured it with your access key and secret, you can execute the below command to diff --git a/docs/docs/self-hosting/administration/users.md b/docs/docs/self-hosting/administration/users.md index 86902cd36c..f6cdf5ef6c 100644 --- a/docs/docs/self-hosting/administration/users.md +++ b/docs/docs/self-hosting/administration/users.md @@ -27,7 +27,7 @@ related to Ente). psql -U pguser -d ente_db ``` -2. Get the user ID of the first user by running the following PSQL command: +2. Get the user ID of the first user by running the following SQL query: ``` sql SELECT * from users; ``` diff --git a/docs/docs/self-hosting/index.md b/docs/docs/self-hosting/index.md index bacb8d1924..5f478fb860 100644 --- a/docs/docs/self-hosting/index.md +++ b/docs/docs/self-hosting/index.md @@ -5,12 +5,14 @@ description: Getting started with self-hosting Ente # Quickstart -If you're looking to spin up Ente on your server , you are in the right place! +If you're looking to spin up Ente on your server, you are in the right place! Our entire source code ([including the server](https://ente.io/blog/open-sourcing-our-server/)) is open source. This is the same code we use on production. -For a quick preview, make sure your system meets the requirements mentioned below. After trying the preview, you can explore other ways of self-hosting Ente on your server as described in the documentation. +For a quick preview, make sure your system meets the requirements mentioned below. +After trying the preview, you can explore other ways of self-hosting Ente on your +server as described in the documentation. ## Requirements @@ -28,12 +30,14 @@ Run this command on your terminal to setup Ente. sh -c "$(curl -fsSL https://raw.githubusercontent.com/ente-io/ente/main/server/quickstart.sh)" ``` -The above command creates a directory `my-ente` in the current working -directory, prompts to start the cluster with needed containers after pulling the images required to run Ente. +This creates a directory `my-ente` in the current working +directory, prompts to start the cluster with needed containers +after pulling the images required to run Ente. -> [!NOTE] -> Make sure to modify the default values in `compose.yaml` and `museum.yaml` -> if you wish to change endpoints, bucket configuration or server configuration. +::: note +Make sure to modify the default values in `compose.yaml` and `museum.yaml` +if you wish to change endpoints, bucket configuration or server configuration. +::: ## Try the web app diff --git a/docs/docs/self-hosting/installation/connect.md b/docs/docs/self-hosting/installation/connect.md deleted file mode 100644 index e69de29bb2..0000000000 From 98951e2d2adc254400a09918bf2b7966af041854 Mon Sep 17 00:00:00 2001 From: Keerthana Date: Sat, 26 Jul 2025 07:58:20 +0530 Subject: [PATCH 181/302] [docs] substitute upgradation with upgrade --- docs/docs/.vitepress/sidebar.ts | 4 ++-- docs/docs/self-hosting/installation/post-install/index.md | 4 ++-- .../self-hosting/installation/{upgradation.md => upgrade.md} | 2 +- 3 files changed, 5 insertions(+), 5 deletions(-) rename docs/docs/self-hosting/installation/{upgradation.md => upgrade.md} (97%) diff --git a/docs/docs/.vitepress/sidebar.ts b/docs/docs/.vitepress/sidebar.ts index 37ae55edc1..8cd2a1611e 100644 --- a/docs/docs/.vitepress/sidebar.ts +++ b/docs/docs/.vitepress/sidebar.ts @@ -279,8 +279,8 @@ export const sidebar = [ link: "/self-hosting/installation/post-install/", }, { - text: "Upgradation", - link: "/self-hosting/installation/upgradation", + text: "Upgrade", + link: "/self-hosting/installation/upgrade", } ], diff --git a/docs/docs/self-hosting/installation/post-install/index.md b/docs/docs/self-hosting/installation/post-install/index.md index 4290beb355..6cd1821d81 100644 --- a/docs/docs/self-hosting/installation/post-install/index.md +++ b/docs/docs/self-hosting/installation/post-install/index.md @@ -145,6 +145,6 @@ You can download Ente CLI from [here](https://github.com/ente-io/ente/releases?q Check our [documentation](/self-hosting/administration/cli) on how to use Ente CLI for managing self-hosted instances. -::: info For upgradation -Check out our [upgradation documentation](/self-hosting/installation/upgradation) for various installation methods. +::: info For upgrading +Check out our [upgrading documentation](/self-hosting/installation/upgrade) for various installation methods. ::: \ No newline at end of file diff --git a/docs/docs/self-hosting/installation/upgradation.md b/docs/docs/self-hosting/installation/upgrade.md similarity index 97% rename from docs/docs/self-hosting/installation/upgradation.md rename to docs/docs/self-hosting/installation/upgrade.md index d27dbbf717..47cb33cf5f 100644 --- a/docs/docs/self-hosting/installation/upgradation.md +++ b/docs/docs/self-hosting/installation/upgrade.md @@ -1,6 +1,6 @@ --- title: Upgrade - Self-hosting -description: Upgradation of self-hosted Ente +description: Upgrading self-hosted Ente --- # Upgrade your server From b3c0681d54d99190dbccc26b7774e308f83fc2eb Mon Sep 17 00:00:00 2001 From: Keerthana Date: Sat, 26 Jul 2025 08:34:34 +0530 Subject: [PATCH 182/302] [docs] fix linting for self-hosting --- docs/docs/.vitepress/config.ts | 3 +- docs/docs/.vitepress/sidebar.ts | 10 +- docs/docs/auth/features/index.md | 3 +- docs/docs/index.md | 10 +- .../self-hosting/administration/backup.md | 21 +-- docs/docs/self-hosting/administration/cli.md | 51 ++++--- .../administration/object-storage.md | 98 ++++++++------ .../administration/reverse-proxy.md | 42 +++--- .../docs/self-hosting/administration/users.md | 93 ++++++++----- docs/docs/self-hosting/guides/index.md | 8 +- docs/docs/self-hosting/guides/systemd.md | 12 +- docs/docs/self-hosting/guides/tailscale.md | 2 +- docs/docs/self-hosting/index.md | 53 +++++--- .../docs/self-hosting/installation/compose.md | 32 +++-- docs/docs/self-hosting/installation/config.md | 9 +- .../docs/self-hosting/installation/env-var.md | 18 +-- docs/docs/self-hosting/installation/manual.md | 116 +++++++++------- .../installation/post-install/index.md | 128 ++++++++++-------- .../self-hosting/installation/quickstart.md | 21 ++- .../self-hosting/installation/requirements.md | 29 ++-- .../docs/self-hosting/installation/upgrade.md | 35 ++--- .../self-hosting/troubleshooting/docker.md | 58 ++++---- .../self-hosting/troubleshooting/keyring.md | 15 +- .../self-hosting/troubleshooting/uploads.md | 22 ++- 24 files changed, 515 insertions(+), 374 deletions(-) diff --git a/docs/docs/.vitepress/config.ts b/docs/docs/.vitepress/config.ts index a1196f4c9e..682a8b1a7a 100644 --- a/docs/docs/.vitepress/config.ts +++ b/docs/docs/.vitepress/config.ts @@ -1,7 +1,6 @@ import { defineConfig } from "vitepress"; import { sidebar } from "./sidebar"; - // https://vitepress.dev/reference/site-config export default defineConfig({ title: "Ente Help", @@ -28,7 +27,7 @@ export default defineConfig({ }, sidebar: sidebar, outline: { - level: [2, 3] + level: [2, 3], }, socialLinks: [ { icon: "github", link: "https://github.com/ente-io/ente/" }, diff --git a/docs/docs/.vitepress/sidebar.ts b/docs/docs/.vitepress/sidebar.ts index 8cd2a1611e..398da45df1 100644 --- a/docs/docs/.vitepress/sidebar.ts +++ b/docs/docs/.vitepress/sidebar.ts @@ -281,8 +281,7 @@ export const sidebar = [ { text: "Upgrade", link: "/self-hosting/installation/upgrade", - } - + }, ], }, { @@ -309,7 +308,6 @@ export const sidebar = [ text: "Backup", link: "/self-hosting/administration/backup", }, - ], }, { @@ -318,9 +316,9 @@ export const sidebar = [ items: [ { text: "Building mobile apps", - link: "/self-hosting/development/mobile-build" - } - ] + link: "/self-hosting/development/mobile-build", + }, + ], }, { text: "Community Guides", diff --git a/docs/docs/auth/features/index.md b/docs/docs/auth/features/index.md index 6032dc1c26..323d51dc3a 100644 --- a/docs/docs/auth/features/index.md +++ b/docs/docs/auth/features/index.md @@ -105,8 +105,7 @@ Ente Auth offers various import and export options for your codes. automatically via the CLI. - **Import:** Import codes from various other authentication apps. -For detailed instructions, refer to the -[migration guides](../migration/). +For detailed instructions, refer to the [migration guides](../migration/). ### Deduplicate codes diff --git a/docs/docs/index.md b/docs/docs/index.md index 8bd27ffd73..c639d711a5 100644 --- a/docs/docs/index.md +++ b/docs/docs/index.md @@ -19,11 +19,11 @@ have been developed and made available for mobile, web and desktop, namely: ## History -Ente was founded by Vishnu Mohandas (Ente's CEO) in response to privacy -concerns with major tech companies. The underlying motivation was the -understanding that big tech had no incentive to fix their act, but with -end-to-end encrypted cross platform apps, there was a way for people to take -back control over their own data without sacrificing on features. +Ente was founded by Vishnu Mohandas (Ente's CEO) in response to privacy concerns +with major tech companies. The underlying motivation was the understanding that +big tech had no incentive to fix their act, but with end-to-end encrypted cross +platform apps, there was a way for people to take back control over their own +data without sacrificing on features. ### Origin of the name diff --git a/docs/docs/self-hosting/administration/backup.md b/docs/docs/self-hosting/administration/backup.md index b62aaf6e8f..2f3843826e 100644 --- a/docs/docs/self-hosting/administration/backup.md +++ b/docs/docs/self-hosting/administration/backup.md @@ -13,9 +13,10 @@ A functional Ente backend needs three things: Thus, when thinking about backups: -1. For Museum, you should backup your `museum.yaml`, `credentials.yaml` or - any other custom configuration that you created. -2. The entire data volume needs to be backed up for the database and object storage. +1. For Museum, you should backup your `museum.yaml`, `credentials.yaml` or any + other custom configuration that you created. +2. The entire data volume needs to be backed up for the database and object + storage. A common oversight is taking a lot of care for backing up the object storage, even going as far as enabling replication and backing up the the multiple object @@ -28,19 +29,19 @@ database contains information like a file specific encryption key. Viewed differently, to decrypt your data you need three pieces of information: 1. The encrypted file data itself (which comes from the object storage backup). -2. The encrypted file and collection specific encryption keys - (which come from the database backup). +2. The encrypted file and collection specific encryption keys (which come from + the database backup). 3. The master key (which comes from your password). -If you're starting out with self hosting, we recommend keeping plaintext backup of your photos. +If you're starting out with self hosting, we recommend keeping plaintext backup +of your photos. [You can use the CLI or the desktop app to automate this](/photos/faq/export). Once you get more comfortable with the various parts, you can try backing up your instance. -If you rely on your instance backup, ensure that you do full -restoration to verify that you are able to access your data. +If you rely on your instance backup, ensure that you do full restoration to +verify that you are able to access your data. -As the industry saying goes, a backup without a restore is no backup at -all. +As the industry saying goes, a backup without a restore is no backup at all. diff --git a/docs/docs/self-hosting/administration/cli.md b/docs/docs/self-hosting/administration/cli.md index aa485d21c2..2fbcc86f7a 100644 --- a/docs/docs/self-hosting/administration/cli.md +++ b/docs/docs/self-hosting/administration/cli.md @@ -5,18 +5,17 @@ description: Guide to configuring Ente CLI for Self Hosted Instance # Ente CLI for self-hosted instance -If you are self-hosting, you can configure Ente CLI to export data & -perform basic administrative actions. +If you are self-hosting, you can configure Ente CLI to export data & perform +basic administrative actions. ## Step 1: Configure endpoint To do this, first configure the CLI to use your server's endpoint. -Define `config.yaml` and place it in `~/.ente/` or directory -specified by `ENTE_CLI_CONFIG_DIR` or directory where Ente CLI -is present. +Define `config.yaml` and place it in `~/.ente/` or directory specified by +`ENTE_CLI_CONFIG_DIR` or directory where Ente CLI is present. -``` yaml +```yaml # Set the API endpoint to your domain where Museum is being served. endpoint: api: http://localhost:8080 @@ -29,42 +28,56 @@ You can whitelist administrator users by following this ## Step 3: Add an account -::: info You can not create new accounts using Ente CLI. +::: info You can not create new accounts using Ente CLI. + You can only log in to your existing accounts. -To create a new account, use Ente Photos (or Ente Auth) web application, desktop or mobile. +To create a new account, use Ente Photos (or Ente Auth) web application, desktop +or mobile. + ::: You can add your existing account using Ente CLI. -``` shell +```shell ente account add ``` -This should prompt you for authentication details and export directory. -Your account should be added after successful authentication. +This should prompt you for authentication details and export directory. Your +account should be added after successful authentication. -It can be used for exporting data (for plain-text backup), -managing Ente Auth and performing administrative actions. +It can be used for exporting data (for plain-text backup), managing Ente Auth +and performing administrative actions. ## Step 4: Increase storage and account validity -You can use `ente admin update-subscription` to increase -storage quota and account validity (duration). +You can use `ente admin update-subscription` to increase storage quota and +account validity (duration). For infinite storage and validity, use the following command: -``` shell -ente admin update-subscription -a -u --no-limit +```shell +ente admin update-subscription -a -u --no-limit # Set a limit ente admin update-subscription -a -u --no-limit False ``` -For more information, check out the documentation for setting +::: info The users must be registered on the server with same e-mail address. + +If the commands are failing, ensure: + +1. `` is whitelisted as administrator user in `museum.yaml`. + For more information, check this + [guide](/self-hosting/administration/users#whitelist-admins). +2. `` is a registered user with completed verification. + +::: + +For more information, check out the documentation for setting [storage and account validity](https://github.com/ente-io/ente/blob/main/cli/docs/generated/ente_admin_update-subscription.md) using the CLI. ## References -1. [Ente CLI Documentation](https://github.com/ente-io/ente/blob/main/cli/docs/generated) \ No newline at end of file +1. [Ente CLI Documentation](https://github.com/ente-io/ente/blob/main/cli/docs/generated) diff --git a/docs/docs/self-hosting/administration/object-storage.md b/docs/docs/self-hosting/administration/object-storage.md index 7a99d272c1..caf83a1c46 100644 --- a/docs/docs/self-hosting/administration/object-storage.md +++ b/docs/docs/self-hosting/administration/object-storage.md @@ -1,17 +1,20 @@ --- title: Configuring Object Storage - Self-hosting description: - Configure Object Storage for storing files along with some troubleshooting tips + Configure Object Storage for storing files along with some troubleshooting + tips --- # Configuring Object Storage -Ente relies on [S3-compatible](https://docs.aws.amazon.com/s3/) cloud storage for -storing files (photos, thumbnails and videos) as objects. +Ente relies on [S3-compatible](https://docs.aws.amazon.com/s3/) cloud storage +for storing files (photos, thumbnails and videos) as objects. -Ente ships MinIO as S3-compatible storage by default in quickstart and Docker Compose for quick testing. +Ente ships MinIO as S3-compatible storage by default in quickstart and Docker +Compose for quick testing. -This document outlines configuration of S3 buckets and enabling replication for further usage. +This document outlines configuration of S3 buckets and enabling replication for +further usage. ## Museum @@ -21,53 +24,61 @@ The S3-compatible buckets have to be configured in `museum.yaml` file. Some of the common configuration that can be done at top-level are: -1. **SSL Configuration:** If you need to configure SSL (i. e., the buckets are accessible via HTTPS), - you'll need to set `s3.are_local_buckets` to `false`. -2. **Path-style URLs:** Disabling `s3.are_local_buckets` also switches to the subdomain-style URLs for - the buckets. However, some S3 providers such as MinIO do not support this. - +1. **SSL Configuration:** If you need to configure SSL (i. e., the buckets are + accessible via HTTPS), you'll need to set `s3.are_local_buckets` to `false`. +2. **Path-style URLs:** Disabling `s3.are_local_buckets` also switches to the + subdomain-style URLs for the buckets. However, some S3 providers such as + MinIO do not support this. + Set `s3.use_path_style_urls` to `true` for such cases. ### Replication > [!IMPORTANT] > -> Replication works only if all 3 storage buckets are configured (2 hot and 1 cold storage). +> Replication works only if all 3 storage buckets are configured (2 hot and 1 +> cold storage). > -> For more information, check [this discussion](https://github.com/ente-io/ente/discussions/3167#discussioncomment-10585970) +> For more information, check +> [this discussion](https://github.com/ente-io/ente/discussions/3167#discussioncomment-10585970) > and our article on ensuring [reliability](https://ente.io/reliability/). -Replication is disabled by default in self-hosted instance. Only the first bucket (`b2-eu-cen`) is used. +Replication is disabled by default in self-hosted instance. Only the first +bucket (`b2-eu-cen`) is used. -Only the names are specifically fixed, you can put any other keys in configuration body. +Only the names are specifically fixed, you can put any other keys in +configuration body. -Use the `s3.hot_storage.primary` option if you'd like to set one of the other pre-defined buckets as the primary bucket. +Use the `s3.hot_storage.primary` option if you'd like to set one of the other +pre-defined buckets as the primary bucket. ### Bucket configuration -The keys `b2-eu-cen` (primary storage), `wasabi-eu-central-2-v3` (secondary storage) -and `scw-eu-fr-v3` (cold storage) are hardcoded, however, the keys and secret can be anything. +The keys `b2-eu-cen` (primary storage), `wasabi-eu-central-2-v3` (secondary +storage) and `scw-eu-fr-v3` (cold storage) are hardcoded, however, the keys and +secret can be anything. It has no relation to Backblaze, Wasabi or Scaleway. Each bucket's endpoint, region, key and secret should be configured accordingly if using an external bucket. -Additionally, you can enable SSL and path-style URL for specific buckets, which provides -flexibility for storage. If this is not configured, top level configuration (`s3.are_local_buckets` -and `s3.use_path_style_urls`) is used. +Additionally, you can enable SSL and path-style URL for specific buckets, which +provides flexibility for storage. If this is not configured, top level +configuration (`s3.are_local_buckets` and `s3.use_path_style_urls`) is used. -A sample configuration for `b2-eu-cen` is provided, which can be used for other 2 buckets as well: +A sample configuration for `b2-eu-cen` is provided, which can be used for other +2 buckets as well: -``` yaml - b2-eu-cen: - are_local_buckets: true - use_path_style_urls: true - key: - secret: - endpoint: localhost:3200 - region: eu-central-2 - bucket: b2-eu-cen +```yaml +b2-eu-cen: + are_local_buckets: true + use_path_style_urls: true + key: + secret: + endpoint: localhost:3200 + region: eu-central-2 + bucket: b2-eu-cen ``` ## CORS (Cross-Origin Resource Sharing) @@ -77,7 +88,7 @@ configuration of your bucket. Use the content provided below for creating a `cors.json` file: -``` json +```json { "CORSRules": [ { @@ -91,14 +102,14 @@ Use the content provided below for creating a `cors.json` file: } ``` -You may have to change the `AllowedOrigins` to allow only certain origins -(your Ente web apps and Museum) for security. +You may have to change the `AllowedOrigins` to allow only certain origins (your +Ente web apps and Museum) for security. -Assuming you have AWS CLI on your system and that you have configured -it with your access key and secret, you can execute the below command to -set bucket CORS. Make sure to enter the right path for the `cors.json` file. +Assuming you have AWS CLI on your system and that you have configured it with +your access key and secret, you can execute the below command to set bucket +CORS. Make sure to enter the right path for the `cors.json` file. -``` shell +```shell aws s3api put-bucket-cors --bucket YOUR_S3_BUCKET --cors-configuration /path/to/cors.json ``` @@ -106,22 +117,23 @@ aws s3api put-bucket-cors --bucket YOUR_S3_BUCKET --cors-configuration /path/to/ Assuming you have configured an alias for MinIO account using the command: -``` shell +```shell mc alias set storage-account-alias minio-endpoint minio-key minio-secret ``` where, 1. `storage-account-alias` is a valid storage account alias name -2. `minio-endpoint` is the endpoint where MinIO is being served without the protocol (http or https). Example: `localhost:3200` +2. `minio-endpoint` is the endpoint where MinIO is being served without the + protocol (http or https). Example: `localhost:3200` 3. `minio-key` is the MinIO username defined in `MINIO_ROOT_USER` 4. `minio-secret` is the MinIO password defined in `MINIO_PASSWORD` -To set the `AllowedOrigins` Header, you can use the -following command:. +To set the `AllowedOrigins` Header, you can use the following command:. -``` shell +```shell mc admin config set storage-account-alias api cors_allow_origin="*" ``` -You can create also `.csv` file and dump the list of origins you would like to allow and replace the `*` with path to the CSV file. +You can create also `.csv` file and dump the list of origins you would like to +allow and replace the `*` with path to the CSV file. diff --git a/docs/docs/self-hosting/administration/reverse-proxy.md b/docs/docs/self-hosting/administration/reverse-proxy.md index 1f90bf77de..d15f5d0ae0 100644 --- a/docs/docs/self-hosting/administration/reverse-proxy.md +++ b/docs/docs/self-hosting/administration/reverse-proxy.md @@ -5,38 +5,37 @@ Description: Configuring reverse proxy for Museum and other services # Reverse proxy -Reverse proxy helps in making application services -accessible via the Internet without exposing multiple -ports for various services. +Reverse proxy helps in making application services accessible via the Internet +without exposing multiple ports for various services. It also allows configuration of HTTPS through SSL certificate management. -We highly recommend using HTTPS for Museum (Ente's server). For security reasons, Museum -will not accept incoming HTTP traffic. +We highly recommend using HTTPS for Museum (Ente's server). For security +reasons, Museum will not accept incoming HTTP traffic. ## Pre-requisites -1. **Reverse Proxy:** We recommend using Caddy for simplicity of -configuration and automatic certificate generation and management, -although you can use other alternatives such as NGINX, Traefik, etc. - +1. **Reverse Proxy:** We recommend using Caddy for simplicity of configuration + and automatic certificate generation and management, although you can use + other alternatives such as NGINX, Traefik, etc. + Install Caddy using the following command on Debian/Ubuntu-based systems: - ``` shell + + ```shell sudo apt install caddy ``` Start the service and enable it to start upon system boot. - ``` shell + ```shell sudo systemctl start caddy - sudo systemctl enable caddy ``` ## Step 1: Configure A or AAAA records -Set up the appropriate records for the endpoints in your DNS -management dashboard (usually associated with your domain registrar). +Set up the appropriate records for the endpoints in your DNS management +dashboard (usually associated with your domain registrar). `A` or `AAAA` records pointing to your server's IP address are sufficient. @@ -46,8 +45,8 @@ DNS propagation can take a few minutes to take effect. ## Step 2: Configure reverse proxy -After installing Caddy, `Caddyfile` is created at -`/etc/caddy/`. Edit `/etc/caddy/Caddyfile` to configure reverse proxies. +After installing Caddy, `Caddyfile` is created at `/etc/caddy/`. Edit +`/etc/caddy/Caddyfile` to configure reverse proxies. You can edit the minimal configuration provided below for your own needs. @@ -89,15 +88,14 @@ cast.ente.yourdomain.tld { Reload Caddy for changes to take effect. -``` shell +```shell sudo systemctl caddy reload ``` ## Step 4: Verify the setup -Ente Photos web app should be up on https://web.ente.yourdomain.tld and -Museum at https://api.ente.yourdomain.tld. +Ente Photos web app should be up on https://web.ente.yourdomain.tld and Museum +at https://api.ente.yourdomain.tld. -> [!TIP] -> If you are using other reverse proxy servers such as NGINX, -> Traefik, etc., please check out their documentation. +> [!TIP] If you are using other reverse proxy servers such as NGINX, Traefik, +> etc., please check out their documentation. diff --git a/docs/docs/self-hosting/administration/users.md b/docs/docs/self-hosting/administration/users.md index f6cdf5ef6c..0e64250785 100644 --- a/docs/docs/self-hosting/administration/users.md +++ b/docs/docs/self-hosting/administration/users.md @@ -6,53 +6,73 @@ description: Guide to configuring Ente CLI for Self Hosted Instance # User Management You may wish to self-host Ente for your family or close circle. In such cases, -you may wish to enable administrative access for few users, disable new registrations, -manage one-time tokens (OTTs), etc. +you may wish to enable administrative access for few users, disable new +registrations, manage one-time tokens (OTTs), etc. This document covers the details on how you can administer users on your server. ## Whitelist admins -The administrator users have to be explicitly whitelisted in `museum.yaml`. You can achieve this -the following steps: +The administrator users have to be explicitly whitelisted in `museum.yaml`. You +can achieve this the following steps: -1. Connect to `ente_db` (the database used for storing data -related to Ente). - ``` shell - # Change the DB name and DB user name if you use different values. +1. Connect to `ente_db` (the database used for storing data related to Ente). + + ```shell + # Change the DB name and DB user name if you use different + # values. # If using Docker - docker exec -it psql -U pguser -d ente_db + + docker exec -it + psql -U pguser -d ente_db # Or when using psql directly - psql -U pguser -d ente_db + psql -U pguser -d ente_db ``` -2. Get the user ID of the first user by running the following SQL query: - ``` sql +2. Get the user ID of the first user by running the following SQL query: + + ```sql SELECT * from users; ``` -3. Edit `internal.admins` or `internal.admin` (if you wish to whitelist only single user) in `museum.yaml` - to add the user ID you wish to whitelist. +3. Edit `internal.admins` or `internal.admin` (if you wish to whitelist only + single user) in `museum.yaml` to add the user ID you wish to whitelist. - For multiple admins: - ``` yaml + + ```yaml internal: admins: - ``` + - For single admin: - ``` yaml + + ```yaml internal: admin: ``` -4. Restart Museum by restarting the cluster +4. Restart Museum by restarting the cluster + +::: tip Restart your Compose clusters whenever you make changes + +If you have edited the Compose file or configuration file (`museum.yaml`), make +sure to recreate the cluster's containers. + +You can do this by the following command: + +```shell +docker compose down && docker compose up -d +``` + +::: ## Increase storage and account validity -You can use Ente CLI for increasing storage quota and account validity for -users on your instance. Check this guide for more +You can use Ente CLI for increasing storage quota and account validity for users +on your instance. Check this guide for more [information](/self-hosting/administration/cli#step-4-increase-storage-and-account-validity) ## Handle user verification codes @@ -60,19 +80,21 @@ users on your instance. Check this guide for more Ente currently relies on verification codes for completion of registration. These are accessible in server logs. If using Docker Compose, they can be -accessed by running `sudo docker compose logs` in the cluster folder where Compose -file resides. +accessed by running `sudo docker compose logs` in the cluster folder where +Compose file resides. -However, you may wish to streamline this workflow. You can follow one of the 2 methods -if you wish to have many users in the system. +However, you may wish to streamline this workflow. You can follow one of the 2 +methods if you wish to have many users in the system. ### Use hardcoded OTTs -You can configure to use hardcoded OTTs only for specific emails, or based on suffix. +You can configure to use hardcoded OTTs only for specific emails, or based on +suffix. -A sample configuration for the same is provided below, which is to be used in `museum.yaml`: +A sample configuration for the same is provided below, which is to be used in +`museum.yaml`: -``` yaml +```yaml internal: hardcoded-ott: emails: @@ -81,17 +103,18 @@ internal: local-domain-value: 012345 ``` -This sets OTT to 123456 for the email address example@example.com and 012345 for emails having @example.com as suffix. +This sets OTT to 123456 for the email address example@example.com and 012345 for +emails having @example.com as suffix. ### Send email with verification code -You can configure SMTP for sending verification code e-mails to users, which -is efficient if you do not know mail addresses of people for who you want to hardcode -OTTs or if you are serving larger audience. +You can configure SMTP for sending verification code e-mails to users, which is +efficient if you do not know mail addresses of people for who you want to +hardcode OTTs or if you are serving larger audience. Set the host and port accordingly with your credentials in `museum.yaml` -``` yaml +```yaml smtp: host: port: @@ -106,11 +129,11 @@ smtp: ## Disable registrations -For security purposes, you may choose to disable registrations on your instance. You can disable new -registrations by using the following configuration in `museum.yaml`. +For security purposes, you may choose to disable registrations on your instance. +You can disable new registrations by using the following configuration in +`museum.yaml`. -``` yaml +```yaml internal: disable-registration: true ``` - diff --git a/docs/docs/self-hosting/guides/index.md b/docs/docs/self-hosting/guides/index.md index e70dd690a1..72af0e0ae0 100644 --- a/docs/docs/self-hosting/guides/index.md +++ b/docs/docs/self-hosting/guides/index.md @@ -12,6 +12,10 @@ See the sidebar for existing guides. In particular: - If you're just looking to get started, see installation. -- For various administrative tasks, e.g. increasing the storage quota for user on your self-hosted instance, see [user management](/self-hosting/administration/users). +- For various administrative tasks, e.g. increasing the storage quota for user + on your self-hosted instance, see + [user management](/self-hosting/administration/users). -- For configuring your S3 buckets to get the object storage to work from your mobile device or for fixing an upload errors, see [object storage](/self-hosting/administration/object-storage). +- For configuring your S3 buckets to get the object storage to work from your + mobile device or for fixing an upload errors, see + [object storage](/self-hosting/administration/object-storage). diff --git a/docs/docs/self-hosting/guides/systemd.md b/docs/docs/self-hosting/guides/systemd.md index 47fbe5ce0e..959b2c6f89 100644 --- a/docs/docs/self-hosting/guides/systemd.md +++ b/docs/docs/self-hosting/guides/systemd.md @@ -5,15 +5,19 @@ description: Running Ente services (Museum and web application) via systemd # Running Ente using `systemd` -On Linux distributions using `systemd` as initialization system, Ente can be configured to run as a background service, upon system startup by service files. +On Linux distributions using `systemd` as initialization system, Ente can be +configured to run as a background service, upon system startup by service files. ## Museum as a background service -Please check the below links if you want to run Museum as a service, both of them are battle tested. +Please check the below links if you want to run Museum as a service, both of +them are battle tested. 1. [How to run museum as a systemd service](https://gist.github.com/mngshm/a0edb097c91d1dc45aeed755af310323) 2. [Museum.service](https://github.com/ente-io/ente/blob/23e678889189157ecc389c258267685934b83631/server/scripts/deploy/museum.service#L4) -Once you are done with setting and running Museum, all you are left to do is run the web app and set up reverse proxy. Check out the documentation for [more information](/self-hosting/installation/manual#step-3-configure-web-application). +Once you are done with setting and running Museum, all you are left to do is run +the web app and set up reverse proxy. Check out the documentation for +[more information](/self-hosting/installation/manual#step-3-configure-web-application). -> **Credits:** [mngshm](https://github.com/mngshm) \ No newline at end of file +> **Credits:** [mngshm](https://github.com/mngshm) diff --git a/docs/docs/self-hosting/guides/tailscale.md b/docs/docs/self-hosting/guides/tailscale.md index e7f5975f8a..09a982d803 100644 --- a/docs/docs/self-hosting/guides/tailscale.md +++ b/docs/docs/self-hosting/guides/tailscale.md @@ -348,4 +348,4 @@ This will list all account details. Copy Acount ID. > `docker restart ente-museum-1`. All well, now you will have 100TB storage. > Repeat if for any other accounts you want to give unlimited storage access. -> **Credits:** [A4alli](https://github.com/A4alli) \ No newline at end of file +> **Credits:** [A4alli](https://github.com/A4alli) diff --git a/docs/docs/self-hosting/index.md b/docs/docs/self-hosting/index.md index 5f478fb860..a74b70882c 100644 --- a/docs/docs/self-hosting/index.md +++ b/docs/docs/self-hosting/index.md @@ -7,12 +7,13 @@ description: Getting started with self-hosting Ente If you're looking to spin up Ente on your server, you are in the right place! -Our entire source code ([including the server](https://ente.io/blog/open-sourcing-our-server/)) -is open source. This is the same code we use on production. +Our entire source code +([including the server](https://ente.io/blog/open-sourcing-our-server/)) is open +source. This is the same code we use on production. -For a quick preview, make sure your system meets the requirements mentioned below. -After trying the preview, you can explore other ways of self-hosting Ente on your -server as described in the documentation. +For a quick preview, make sure your system meets the requirements mentioned +below. After trying the preview, you can explore other ways of self-hosting Ente +on your server as described in the documentation. ## Requirements @@ -30,20 +31,19 @@ Run this command on your terminal to setup Ente. sh -c "$(curl -fsSL https://raw.githubusercontent.com/ente-io/ente/main/server/quickstart.sh)" ``` -This creates a directory `my-ente` in the current working -directory, prompts to start the cluster with needed containers -after pulling the images required to run Ente. +This creates a directory `my-ente` in the current working directory, prompts to +start the cluster with needed containers after pulling the images required to +run Ente. -::: note -Make sure to modify the default values in `compose.yaml` and `museum.yaml` -if you wish to change endpoints, bucket configuration or server configuration. -::: +::: note Make sure to modify the default values in `compose.yaml` and +`museum.yaml` if you wish to change endpoints, bucket configuration or server +configuration. ::: ## Try the web app -Open Ente Photos web app at `http://:3000` (or `http://localhost:3000` if -using on same local machine). Select **Don't have an account?** to create a -new user. +Open Ente Photos web app at `http://:3000` (or +`http://localhost:3000` if using on same local machine). Select **Don't have an +account?** to create a new user. Follow the prompts to sign up. @@ -52,27 +52,36 @@ Follow the prompts to sign up. Sign up page -Enter verification code by checking the cluster logs using `sudo docker compose logs`. +Enter the verification code by checking the cluster logs using +`sudo docker compose logs`. ![Verification Code](/otp.png) Upload a picture via the web user interface. -Alternatively, if using Ente Auth, get started by adding an account (assuming you are running Ente Auth at `http://:3002` or `http://localhost:3002`). +Alternatively, if using Ente Auth, get started by adding an account (assuming +you are running Ente Auth at `http://:3002` or +`http://localhost:3002`). ## Try the mobile app -You can install Ente Photos from [here](/photos/faq/installing) and Ente Auth from [here](/auth/faq/installing). +You can install Ente Photos from [here](/photos/faq/installing) and Ente Auth +from [here](/auth/faq/installing). -Connect to your server from [mobile apps](/self-hosting/installation/post-install/#step-6-configure-apps-to-use-your-server). +Connect to your server from +[mobile apps](/self-hosting/installation/post-install/#step-6-configure-apps-to-use-your-server). ## What next? -You may wish to install using a different way for your needs. Check the "Installation" section for information regarding that. +You may wish to install using a different way for your needs. Check the +"Installation" section for information regarding that. -You can import your pictures from Google Takeout or from other services to Ente Photos. For more information, check out our [migration guide](/photos/migration/) for more information. +You can import your pictures from Google Takeout or from other services to Ente +Photos. For more information, check out our +[migration guide](/photos/migration/) for more information. -You can import your codes from other authenticator providers to Ente Auth. Check out our [migration guide](/auth/migration/) for more information. +You can import your codes from other authenticator providers to Ente Auth. Check +out our [migration guide](/auth/migration/) for more information. ## Queries? diff --git a/docs/docs/self-hosting/installation/compose.md b/docs/docs/self-hosting/installation/compose.md index b6515aadf0..b1e76b22e6 100644 --- a/docs/docs/self-hosting/installation/compose.md +++ b/docs/docs/self-hosting/installation/compose.md @@ -9,35 +9,41 @@ If you wish to run Ente via Docker Compose from source, do the following: ## Requirements -Check out the [requirements](/self-hosting/installation/requirements) page to get started. +Check out the [requirements](/self-hosting/installation/requirements) page to +get started. ## Step 1: Clone the repository -Clone the repository. Change into the `server/config` directory of the repository, where the Compose file for running the cluster is present. +Clone the repository. Change into the `server/config` directory of the +repository, where the Compose file for running the cluster is present. Run the following command for the same: -``` sh +```sh git clone https://github.com/ente-io/ente cd ente/server/config ``` ## Step 2: Populate the configuration file and environment variables -In order to run the cluster, you will have to provide environment variable values. +In order to run the cluster, you will have to provide environment variable +values. -Copy the configuration files for modification by the following command inside `server/config` directory of the repository. +Copy the configuration files for modification by the following command inside +`server/config` directory of the repository. -This allows you to modify configuration without having to face hassle while pulling in latest changes. +This allows you to modify configuration without having to face hassle while +pulling in latest changes. -``` shell +```shell # Inside the cloned repository's directory (usually `ente`) cd server/config cp example.env .env cp example.yaml museum.yaml ``` -Change the values present in `.env` file along with `museum.yaml` file accordingly. +Change the values present in `.env` file along with `museum.yaml` file +accordingly. ## Step 3: Start the cluster @@ -47,8 +53,12 @@ Start the cluster by running the following command: docker compose up --build ``` -This builds Museum and web applications based on the Dockerfile and starts the containers needed for Ente. +This builds Museum and web applications based on the Dockerfile and starts the +containers needed for Ente. ::: tip -Check out [post-installation steps](/self-hosting/installation/post-install/) for further usage. -::: \ No newline at end of file + +Check out [post-installations steps](/self-hosting/installation/post-install/) +for further usage. + +::: diff --git a/docs/docs/self-hosting/installation/config.md b/docs/docs/self-hosting/installation/config.md index e00543ce78..ecade6cec2 100644 --- a/docs/docs/self-hosting/installation/config.md +++ b/docs/docs/self-hosting/installation/config.md @@ -25,8 +25,7 @@ attempt to load `configurations/production.yaml`. If `credentials-file` is defined and found, it overrides the defaults. -Self-hosted clusters generally use `museum.yaml` file for declaring -configuration over directly editing `local.yaml`. +Use `museum.yaml` file for declaring configuration over `local.yaml`. All configuration values can be overridden via environment variables using the `ENTE_` prefix and replacing dots (`.`) or hyphens (`-`) with underscores (`_`). @@ -100,7 +99,9 @@ your provider's credentials, and set `are_local_buckets` to `false`. MinIO uses the port `3200` for API Endpoints. Web Console can be accessed at http://localhost:3201 by enabling port `3201` in the Compose file. -If you face any issues related to uploads then check out [CORS](/self-hosting/administration/object-storage#cors-cross-origin-resource-sharing) and [troubleshooting](/self-hosting/troubleshooting/uploads) sections. +If you face any issues related to uploads then check out +[CORS](/self-hosting/administration/object-storage#cors-cross-origin-resource-sharing) +and [troubleshooting](/self-hosting/troubleshooting/uploads) sections. | Variable | Description | Default | | -------------------------------------- | -------------------------------------------- | ------- | @@ -169,7 +170,7 @@ go run tools/gen-random-keys/main.go | `internal.silent` | Suppress external effects (e.g. email alerts) | `false` | | `internal.health-check-url` | External healthcheck URL | | | `internal.hardcoded-ott` | Predefined OTPs for testing | | -| `internal.hardcoded-ott.emails` | E-mail addresses with hardcoded OTTs | `[]` | +| `internal.hardcoded-ott.emails` | E-mail addresses with hardcoded OTTs | `[]` | | `internal.hardcoded-ott.local-domain-suffix` | Suffix for which hardcoded OTT is to be used | | | `internal.hardcoded-ott.local-domain-value` | Hardcoded OTT value for the above suffix | | | `internal.admins` | List of admin user IDs | `[]` | diff --git a/docs/docs/self-hosting/installation/env-var.md b/docs/docs/self-hosting/installation/env-var.md index 4589ef806a..e40a861106 100644 --- a/docs/docs/self-hosting/installation/env-var.md +++ b/docs/docs/self-hosting/installation/env-var.md @@ -7,14 +7,16 @@ description: # Environment variables and defaults -The environment variables needed for running Ente and the default configuration are -documented below: +The environment variables needed for running Ente and the default configuration +are documented below: ## Environment Variables -A self-hosted Ente instance requires specific endpoints in both Museum (the -server) and web apps. This document outlines the essential environment variables -and port mappings of the web apps. +A self-hosted Ente instance has to specify endpoints for both Museum (the +server) and web apps. + +This document outlines the essential environment variables and port mappings of +the web apps. Here's the list of environment variables that is used by the cluster: @@ -22,8 +24,8 @@ Here's the list of environment variables that is used by the cluster: | ---------- | --------------------- | ----------------------------------------------------------------------------------------------- | ------------------------------- | | `web` | `ENTE_API_ORIGIN` | Alias for `NEXT_PUBLIC_ENTE_ENDPOINT`. API Endpoint for Ente's API (Museum). | http://localhost:8080 | | `web` | `ENTE_ALBUMS_ORIGIN` | Alias for `NEXT_PUBLIC_ENTE_ALBUMS_ENDPOINT`. Base URL for Ente Album, used for public sharing. | http://localhost:3002 | -| `postgres` | `POSTGRES_USER` | Username for PostgreSQL database | pguser | -| `postgres` | `POSTGRES_DB` | Name of database for use with Ente | ente_db | +| `postgres` | `POSTGRES_USER` | Username for PostgreSQL database | `pguser` | +| `postgres` | `POSTGRES_DB` | Name of database for use with Ente | `ente_db` | | `postgres` | `POSTGRES_PASSWORD` | Password for PostgreSQL database's user | Randomly generated (quickstart) | | `minio` | `MINIO_ROOT_USER` | Username for MinIO | Randomly generated (quickstart) | | `minio` | `MINIO_ROOT_PASSWORD` | Password for MinIO | Randomly generated (quickstart) | @@ -35,7 +37,7 @@ which is documented below to understand its behavior: ### Ports -The below format is according to how ports are mapped in Docker when using +The below format is according to how ports are mapped in Docker when using the quickstart script. The mapping is of the format `:` in `ports` in compose file. diff --git a/docs/docs/self-hosting/installation/manual.md b/docs/docs/self-hosting/installation/manual.md index 9e62485be3..eead12222e 100644 --- a/docs/docs/self-hosting/installation/manual.md +++ b/docs/docs/self-hosting/installation/manual.md @@ -5,74 +5,82 @@ description: Installing and setting up Ente without Docker # Manual setup (without Docker) -If you wish to run Ente from source without using Docker, follow the steps described below: +If you wish to run Ente from source without using Docker, follow the steps +described below: ## Requirements -1. **Go:** Install Go on your system. This is needed for building Museum (Ente's server) - - ``` shell +1. **Go:** Install Go on your system. This is needed for building Museum (Ente's + server) + + ```shell sudo apt update && sudo apt upgrade sudo apt install golang-go ``` - Alternatively, you can also download the latest binaries - from the [official website](https://go.dev/dl/). + Alternatively, you can also download the latest binaries from the + [official website](https://go.dev/dl/). -2. **PostgreSQL and `libsodium`:** Install PostgreSQL (database) and `libsodium` (high level API for encryption) via package manager. - - ``` shell +2. **PostgreSQL and `libsodium`:** Install PostgreSQL (database) and `libsodium` + (high level API for encryption) via package manager. + + ```shell sudo apt install postgresql sudo apt install libsodium23 libsodium-dev ``` Start the database using `systemd` automatically when the system starts. - ``` shell + + ```shell sudo systemctl enable postgresql sudo systemctl start postgresql ``` Ensure the database is running using - ``` shell + ```shell sudo systemctl status postgresql ``` + 3. **`pkg-config`:** Install `pkg-config` for dependency handling. - - ``` shell + + ```shell sudo apt install pkg-config ``` + 4. **yarn, npm and Node.js:** Needed for building the web application. Install npm and Node using your package manager. - ``` shell + ```shell sudo apt install npm nodejs ``` - Install yarn by following the [official documentation](https://yarnpkg.com/getting-started/install) + Install yarn by following the + [official documentation](https://yarnpkg.com/getting-started/install) 5. **Git:** Needed for cloning the repository and pulling in latest changes 6. **Caddy:** Used for setting reverse proxy and file servers 7. **Object Storage:** Ensure you have an object storage configured for usage, - needed for storing files. You can choose to run MinIO or Garage locally - without Docker, however, an external bucket will be reliable and suited - for long-term storage. + needed for storing files. You can choose to run MinIO or Garage locally + without Docker, however, an external bucket will be reliable and suited for + long-term storage. ## Step 1: Clone the repository Start by cloning Ente's repository from GitHub to your local machine. -``` shell +```shell git clone https://github.com/ente-io/ente ``` ## Step 2: Configure Museum (Ente's server) -1. Install all the needed dependencies for the server. - ``` shell +1. Install all the needed dependencies for the server. + + ```shell # Change into server directory, where the source code for Museum is # present inside the repo cd ente/server @@ -81,33 +89,34 @@ git clone https://github.com/ente-io/ente go mod tidy ``` -2. Build the server. The server binary should be available as `./main` -relative to `server` directory +2. Build the server. The server binary should be available as `./main` relative + to `server` directory - ``` shell - go build cmd/museum/main.go + ``` shell + go build cmd/museum/main.go + ``` + +3. Create `museum.yaml` file inside `server` for configuring the needed + variables. You can copy the templated configuration file for editing with + ease. + + ```shell + cp config/example.yaml ./museum.yaml ``` -3. Create `museum.yaml` file inside `server` for configuring the needed variables. - You can copy the templated configuration file for editing with ease. +4. Run the server - ``` shell - cp config/example.yaml ./museum.yaml - ``` - -4. Run the server - - ``` shell + ```shell ./main ``` - + Museum should be accessible at `http://localhost:8080` ## Step 3: Configure Web Application 1. Install the dependencies for web application. Enable corepack if prompted. - - ``` shell + + ```shell # Change into web directory, this is where all the applications # will be managed and built cd web @@ -116,15 +125,17 @@ relative to `server` directory yarn install ``` -2. Configure the environment variables in your corresponding shell's configuration file - (`.bashrc`, `.zshrc`) - ``` shell +2. Configure the environment variables in your corresponding shell's + configuration file (`.bashrc`, `.zshrc`) + ```shell # Replace this with actual endpoint for Museum export NEXT_PUBLIC_ENTE_ENDPOINT=http://localhost:8080 # Replace this with actual endpoint for Albums export NEXT_PUBLIC_ENTE_ALBUMS_ENDPOINT=http://localhost:3002 ``` -3. Build the needed applications (Photos, Accounts, Auth, Cast) as per your needs: +3. Build the needed applications (Photos, Accounts, Auth, Cast) as per your + needs: + ```shell # These commands are executed inside web directory # Build photos. Build output to be served is present at apps/photos/out @@ -141,9 +152,10 @@ relative to `server` directory ``` 4. Copy the output files to `/var/www/ente/apps` for easier management. - ``` shell + + ```shell mkdir -p /var/www/ente/apps - + # Photos sudo cp -r apps/photos/out /var/www/ente/apps/photos # Accounts @@ -154,8 +166,10 @@ relative to `server` directory sudo cp -r apps/cast/out /var/www/ente/apps/cast ``` -4. Set up file server using Caddy by editing `Caddyfile`, present at `/etc/caddy/Caddyfile`. - ``` groovy +5. Set up file server using Caddy by editing `Caddyfile`, present at + `/etc/caddy/Caddyfile`. + + ```groovy # Replace the ports with domain names if you have subdomains configured and need HTTPS :3000 { root * /var/www/ente/apps/out/photos @@ -188,8 +202,14 @@ relative to `server` directory } ``` - The web application for Ente Photos should be accessible at http://localhost:3000, check out the [default ports](/self-hosting/installation/env-var#ports) for more information. + The web application for Ente Photos should be accessible at + http://localhost:3000, check out the + [default ports](/self-hosting/installation/env-var#ports) for more + information. ::: tip -Check out [post-installation steps](/self-hosting/installation/post-install/) for further usage. -::: \ No newline at end of file + +Check out [post-installations steps](/self-hosting/installation/post-install/) +for further usage. + +::: diff --git a/docs/docs/self-hosting/installation/post-install/index.md b/docs/docs/self-hosting/installation/post-install/index.md index 6cd1821d81..cfd8f6db09 100644 --- a/docs/docs/self-hosting/installation/post-install/index.md +++ b/docs/docs/self-hosting/installation/post-install/index.md @@ -12,77 +12,96 @@ A list of steps that should be done after installing Ente are described below: The first user to be created will be treated as an admin user by default. Once Ente is up and running, the Ente Photos web app will be accessible on -`http://localhost:3000`. Open this URL in your browser and proceed with creating -an account. +`http://localhost:3000`. -Select **Don't have an account?** to create a new user. +Select **Don't have an account?** to create a new user. Follow the prompts to +sign up. -![Onboarding Screen](/onboarding.png) +
+ Onboarding screen + Sign up page +
-Follow the prompts to sign up. +Enter the verification code to complete registration. -![Sign Up Page](/sign-up.png) - -Enter a 6-digit verification code to complete registration. - -This code can be found in the server logs, which should be shown in your terminal where you started the Docker Compose cluster. +This code can be found in the server logs, which should be shown in your +terminal where you started the Docker Compose cluster. If not, access the server logs inside the folder where Compose file resides. -``` shell +```shell sudo docker compose logs ``` -If running Museum without Docker, the code should be visible in the terminal (stdout). +If running Museum without Docker, the code should be visible in the terminal +(stdout). ![otp](/otp.png) ## Step 2: Whitelist admins -1. Connect to `ente_db` (the database used for storing data -related to Ente). - ``` shell - # Change the DB name and DB user name if you use different values. - # If using Docker - docker exec -it psql -U pguser -d ente_db +1. Connect to `ente_db` (the database used for storing data related to Ente). + + ```shell + # Change the DB name and DB user name if you use different + # values. + + # If using Docker docker exec -it + psql -U pguser -d ente_db # Or when using psql directly - psql -U pguser -d ente_db + psql -U pguser -d ente_db ``` -2. Get the user ID of the first user by running the following PSQL command: - ``` sql +2. Get the user ID of the first user by running the following PSQL command: + + ```sql SELECT * from users; ``` -3. Edit `internal.admins` or `internal.admin` (if you wish to whitelist only single user) in `museum.yaml` - to add the user ID you wish to whitelist. +3. Edit `internal.admins` or `internal.admin` (if you wish to whitelist only + single user) in `museum.yaml` to add the user ID you wish to whitelist. - For multiple admins: - ``` yaml + + ```yaml internal: admins: - ``` + - For single admin: - ``` yaml + + ```yaml internal: admin: ``` -4. Restart Museum by restarting the cluster +4. Restart Museum by restarting the cluster + +::: tip Restart your Compose clusters whenever you make changes + +If you have edited the Compose file or configuration file (`museum.yaml`), make +sure to recreate the cluster's containers. + +You can do this by the following command: + +```shell +docker compose down && docker compose up -d +``` -::: tip -Restart your Compose clusters whenever you make changes to Compose file or edit configuration file. ::: ## Step 3: Configure application endpoints -You may wish to access some of the applications such as Auth, Albums, Cast via your instance's endpoints through the application instead of our production instances. +You may wish to access some of the applications such as Auth, Albums, Cast via +your instance's endpoints through the application instead of our production +instances. -You can do so by editing the `apps` section in `museum.yaml` to use the base endpoints of the corresponding web applications. +You can do so by editing the `apps` section in `museum.yaml` to use the base +endpoints of the corresponding web applications. -``` yaml +```yaml # Replace yourdomain.tld with actual domain apps: public-albums: https://albums.ente.yourdomain.tld @@ -92,21 +111,24 @@ apps: ## Step 4: Make it publicly accessible -You may wish to access Ente on public Internet. You can do so by configuring a reverse proxy -with software such as Caddy, NGINX, Traefik. +You may wish to access Ente on public Internet. You can do so by configuring a +reverse proxy with software such as Caddy, NGINX, Traefik. -Check out our [documentation](/self-hosting/administration/reverse-proxy) for more information. +Check out our [documentation](/self-hosting/administration/reverse-proxy) for +more information. If you do not wish to make it accessible via Internet, we recommend you to use [Tailscale](/self-hosting/guides/tailscale) for convenience. Alternately, you -can use your IP address for accessing the application in your local network, though -this poses challenges with respect to object storage. +can use your IP address for accessing the application in your local network, +though this poses challenges with respect to object storage. ## Step 5: Download mobile and desktop app -You can install Ente Photos by following the [installation section](/photos/faq/installing). +You can install Ente Photos by following the +[installation section](/photos/faq/installing). -You can also install Ente Auth (if you are planning to use Auth) by following the [installation section](/auth/faq/installing). +You can also install Ente Auth (if you are planning to use Auth) by following +the [installation section](/auth/faq/installing). ## Step 6: Configure apps to use your server @@ -114,23 +136,18 @@ You can modify Ente mobile apps and CLI to connect to your server. ### Mobile -Tap the onboarding screen 7 times to modify developer settings. +Tap the onboarding screen 7 times to modify developer settings. Enter your Ente +server's endpoint. -
+
Developer Settings -
- -
-Enter your Ente server's endpoint. -
- -
Developer Settings - Server Endpoint -
+ ### Desktop -Tap 7 times on the onboarding screen to configure the server endpoint to be used. +Tap 7 times on the onboarding screen to configure the server endpoint to be +used.
@@ -141,10 +158,15 @@ apps](web-dev-settings.png){width=400px} ## Step 7: Configure Ente CLI -You can download Ente CLI from [here](https://github.com/ente-io/ente/releases?q=tag%3Acli) +You can download Ente CLI from +[here](https://github.com/ente-io/ente/releases?q=tag%3Acli) -Check our [documentation](/self-hosting/administration/cli) on how to use Ente CLI for managing self-hosted instances. +Check our [documentation](/self-hosting/administration/cli) on how to use Ente +CLI for managing self-hosted instances. ::: info For upgrading -Check out our [upgrading documentation](/self-hosting/installation/upgrade) for various installation methods. -::: \ No newline at end of file + +Check out our [upgrading documentation](/self-hosting/installation/upgrade) for +various installation methods. + +::: diff --git a/docs/docs/self-hosting/installation/quickstart.md b/docs/docs/self-hosting/installation/quickstart.md index ca28f20301..633b3031cc 100644 --- a/docs/docs/self-hosting/installation/quickstart.md +++ b/docs/docs/self-hosting/installation/quickstart.md @@ -10,8 +10,8 @@ machine in less than a minute. ## Requirements -Check out the [requirements](/self-hosting/installation/requirements) page to get -started. +Check out the [requirements](/self-hosting/installation/requirements) page to +get started. ## Getting started @@ -22,14 +22,21 @@ sh -c "$(curl -fsSL https://raw.githubusercontent.com/ente-io/ente/main/server/q ``` The above `curl` command does the following: + 1. Creates a directory `./my-ente` in working directory. 2. Starts the containers required to run Ente upon prompting. -You should be able to access the web application at [http://localhost:3000](http://localhost:3000) or [http://machine-ip:3000](http://:3000) +You should be able to access the web application at +[http://localhost:3000](http://localhost:3000) or +[http://machine-ip:3000](http://:3000) -The data accessed by Museum is stored in `./data` folder inside `my-ente` directory. -It contains extra configuration files that is to be used (push notification credentials, etc.) +The data accessed by Museum is stored in `./data` folder inside `my-ente` +directory. It contains extra configuration files that is to be used (push +notification credentials, etc.) ::: tip -Check out [post-installations steps](/self-hosting/installation/post-install/) for further usage. -::: \ No newline at end of file + +Check out [post-installation steps](/self-hosting/installation/post-install/) +for further usage. + +::: diff --git a/docs/docs/self-hosting/installation/requirements.md b/docs/docs/self-hosting/installation/requirements.md index a2e5f2f933..76716701e1 100644 --- a/docs/docs/self-hosting/installation/requirements.md +++ b/docs/docs/self-hosting/installation/requirements.md @@ -5,31 +5,36 @@ description: Requirements for self-hosting Ente # Requirements -Ensure your system meets these requirements and has the needed software installed for a smooth experience. +Ensure your system meets these requirements and has the needed software +installed for a smooth experience. ## Hardware The server is capable of running on minimal resource requirements as a -lightweight Go binary, since most of the intensive computational tasks are done on the client. -It performs well on small cloud instances, old laptops, and even +lightweight Go binary, since most of the intensive computational tasks are done +on the client. It performs well on small cloud instances, old laptops, and even [low-end embedded devices](https://github.com/ente-io/ente/discussions/594). -- **Storage:** An Unix-compatible filesystem such as ZFS, EXT4, BTRFS, etc. if using - PostgreSQL container as it requires a filesystem that supports user/group permissions. -- **RAM:** A minimum of 1 GB of RAM is required for running the cluster (if using quickstart script). +- **Storage:** An Unix-compatible filesystem such as ZFS, EXT4, BTRFS, etc. if + using PostgreSQL container as it requires a filesystem that supports + user/group permissions. +- **RAM:** A minimum of 1 GB of RAM is required for running the cluster (if + using quickstart script). - **CPU:** A minimum of 1 CPU core is required. ## Software -- **Operating System:** Any Linux or \*nix operating system, Ubuntu or Debian is recommended -to have a good Docker experience. Non-Linux operating systems tend to provide poor -experience with Docker and difficulty with troubleshooting and assistance. +- **Operating System:** Any Linux or \*nix operating system, Ubuntu or Debian is + recommended to have a good Docker experience. Non-Linux operating systems tend + to provide poor experience with Docker and difficulty with troubleshooting and + assistance. -- **Docker:** Required for running Ente's server, web application and dependent services -(database and object storage). Ente also requires **Docker Compose plugin** to be installed. +- **Docker:** Required for running Ente's server, web application and dependent + services (database and object storage). Ente also requires **Docker Compose + plugin** to be installed. > [!NOTE] -> +> > Ente requires **Docker Compose version 2.30 or higher**. > > Furthermore, Ente uses the command `docker compose`, `docker-compose` is no diff --git a/docs/docs/self-hosting/installation/upgrade.md b/docs/docs/self-hosting/installation/upgrade.md index 47cb33cf5f..fb6eb142da 100644 --- a/docs/docs/self-hosting/installation/upgrade.md +++ b/docs/docs/self-hosting/installation/upgrade.md @@ -11,31 +11,33 @@ Upgrading Ente depends on the method of installation you have chosen. ::: tip For Docker users -You can free up some disk space by deleting older images that were used by obsolette containers. +You can free up some disk space by deleting older images that were used by +obsolette containers. -``` shell +```shell docker image prune ``` + ::: -Upgrade and restart Ente by pulling the latest images in the directory where the Compose file resides. +Pull in the latest images in the directory where the Compose file resides. +Restart the cluster to recreate containers with newer images. -The directory name is generally `my-ente`. +Run the following command inside `my-ente` directory (default name used in +quickstart): -Run this command inside `my-ente/` - -``` shell +```shell docker compose pull && docker compose up -d ``` ## Docker Compose -You can pull in the latest source code from Git and build a new cluster -based on the updated source code. +You can pull in the latest source code from Git and build a new cluster based on +the updated source code. 1. Pull the latest changes from `main`. - ``` shell + ```shell # Assuming you have cloned repository to ente cd ente # Pull changes @@ -43,7 +45,7 @@ based on the updated source code. ``` 2. Recreate the cluster. - ``` shell + ```shell cd server/config # Stop and remove containers if they are running docker compose down @@ -53,12 +55,12 @@ based on the updated source code. ## Manual Setup -You can pull in the latest source code from Git and build a new cluster -based on the updated source code. +You can pull in the latest source code from Git and build a new cluster based on +the updated source code. 1. Pull the latest changes from `main`. - ``` shell + ```shell # Assuming you have cloned repository to ente cd ente @@ -70,5 +72,6 @@ based on the updated source code. git reset --hard main ``` -2. Follow the steps described in [manual setup](/self-hosting/installation/manual#step-3-configure-web-application) - for Museum and web applications. +2. Follow the steps described in + [manual setup](/self-hosting/installation/manual#step-3-configure-web-application) + for Museum and web applications. diff --git a/docs/docs/self-hosting/troubleshooting/docker.md b/docs/docs/self-hosting/troubleshooting/docker.md index 39cce15e18..079b59f71a 100644 --- a/docs/docs/self-hosting/troubleshooting/docker.md +++ b/docs/docs/self-hosting/troubleshooting/docker.md @@ -6,11 +6,11 @@ description: Fixing Docker-related errors when trying to self-host Ente # Troubleshooting Docker-related errors > [!TIP] Restart after changes -> +> > Remember to restart your cluster to ensure changes that you make in the > `compose.yaml` and `museum.yaml` get picked up. -> -> ``` shell +> +> ```shell > docker compose down > docker compose up > ``` @@ -87,25 +87,25 @@ museum-1 | /etc/ente/cmd/museum/main.go:124 +0x44c museum-1 exited with code 2 ``` -Then the issue is that the password you're using is not the password PostgreSQL is -expecting. +Then the issue is that the password you're using is not the password PostgreSQL +is expecting. There are 2 possibilities: -1. When you have created a cluster in `my-ente` directory on -running `quickstart.sh` and later deleted it, only to create -another cluster with same `my-ente` directory. - +1. When you have created a cluster in `my-ente` directory on running + `quickstart.sh` and later deleted it, only to create another cluster with + same `my-ente` directory. + However, by deleting the directory, the Docker volumes are not deleted. - Thus the older volumes with previous cluster's credentials are used - for new cluster and the error arises. + Thus the older volumes with previous cluster's credentials are used for new + cluster and the error arises. - Deletion of the stale Docker volume can solve this. **Be careful**, this will - delete all data in those volumes (any thing you uploaded etc). Do this + Deletion of the stale Docker volume can solve this. **Be careful**, this + will delete all data in those volumes (any thing you uploaded etc). Do this if you are sure this is the exact problem. - ```sh + ```shell docker volume ls ``` @@ -122,30 +122,26 @@ another cluster with same `my-ente` directory. docker compose down --volumes ``` - If you're unsure about removing volumes, another alternative is to rename your - `my-ente` folder. Docker uses the folder name to determine the volume name - prefix, so giving it a different name will cause Docker to create a volume - afresh for it. + If you're unsure about removing volumes, another alternative is to rename + your `my-ente` folder. Docker uses the folder name to determine the volume + name prefix, so giving it a different name will cause Docker to create a + volume afresh for it. ## MinIO provisioning error -If you have used our quickstart script for self-hosting Ente (new users will be -unaffected) and are using the default MinIO container for object storage, you -may run into issues while starting the cluster after pulling latest images with -provisioning MinIO and creating buckets. - -You may encounter similar logs while trying to start the cluster: - -``` -my-ente-minio-1 -> | Waiting for minio... -my-ente-minio-1 -> | Waiting for minio... -my-ente-minio-1 -> | Waiting for minio... -``` - MinIO has deprecated the `mc config` command in favor of `mc alias set` resulting in failure in execution of the command for creating bucket using `post_start` hook. +You may encounter similar logs while trying to start the cluster if you are +using the older command (provided by default in `quickstart.sh`): + +``` +my-ente-minio-1 -> | Waiting for minio... +my-ente-minio-1 -> | Waiting for minio... +my-ente-minio-1 -> | Waiting for minio... +``` + This can be resolved by changing `mc config host h0 add http://minio:3200 $minio_user $minio_pass` to `mc alias set h0 http://minio:3200 $minio_user $minio_pass` diff --git a/docs/docs/self-hosting/troubleshooting/keyring.md b/docs/docs/self-hosting/troubleshooting/keyring.md index 8ef322ff7a..40d6e4521f 100644 --- a/docs/docs/self-hosting/troubleshooting/keyring.md +++ b/docs/docs/self-hosting/troubleshooting/keyring.md @@ -5,25 +5,30 @@ description: A quick hotfix for keyring errors while running Ente CLI. # Ente CLI Secrets -Ente CLI makes use of system keyring for storing sensitive information like your passwords. And running the CLI straight out of the box might give you some errors related to keyrings in some case. +Ente CLI makes use of system keyring for storing sensitive information like your +passwords. And running the CLI straight out of the box might give you some +errors related to keyrings in some case. Follow the below steps to run Ente CLI and also avoid keyrings errors. Run: -``` shell +```shell # export the secrets path export ENTE_CLI_SECRETS_PATH=./ ./ente-cli ``` -You can also add the above line to your shell's rc file, to prevent the need to export manually every time. +You can also add the above line to your shell's rc file, to prevent the need to +export manually every time. Then one of the following: -1. If the file doesn't exist, Ente CLI will create it and fill it with a random 32 character encryption key. -2. If you do create the file, please fill it with a cryptographically generated 32 byte string. +1. If the file doesn't exist, Ente CLI will create it and fill it with a random + 32 character encryption key. +2. If you do create the file, please fill it with a cryptographically generated + 32 byte string. And you are good to go. diff --git a/docs/docs/self-hosting/troubleshooting/uploads.md b/docs/docs/self-hosting/troubleshooting/uploads.md index 28761da80e..d1d77118e6 100644 --- a/docs/docs/self-hosting/troubleshooting/uploads.md +++ b/docs/docs/self-hosting/troubleshooting/uploads.md @@ -8,14 +8,20 @@ description: Fixing upload errors when trying to self host Ente Here are some errors our community members frequently encountered with the context and potential fixes. -Fundamentally in most situations, the problem is because of minor mistakes or misconfiguration. Please make sure to reverse proxy Museum and MinIO API -endpoint to a domain and check your S3 credentials and whole configuration file for any minor misconfigurations. +Fundamentally in most situations, the problem is because of minor mistakes or +misconfiguration. Please make sure to reverse proxy Museum and MinIO API +endpoint to a domain and check your S3 credentials and whole configuration file +for any minor misconfigurations. -It is also suggested that the user setups bucket CORS or global CORS on MinIO or any external S3 service provider they are connecting to. To setup bucket CORS, please [read this](/self-hosting/administration/object-storage#cors-cross-origin-resource-sharing). +It is also suggested that the user setups bucket CORS or global CORS on MinIO or +any external S3 service provider they are connecting to. To setup bucket CORS, +please +[read this](/self-hosting/administration/object-storage#cors-cross-origin-resource-sharing). ## 403 Forbidden -If museum is able to make a network connection to your S3 bucket but uploads are still failing, it could be a credentials or permissions issue. +If museum is able to make a network connection to your S3 bucket but uploads are +still failing, it could be a credentials or permissions issue. A telltale sign of this is that in the museum logs you can see `403 Forbidden` errors about it not able to find the size of a file even though the @@ -29,8 +35,12 @@ This could be because headers configuration too. [Here is an example of a working configuration](https://github.com/ente-io/ente/discussions/1764#discussioncomment-9478204). -2. The credentials are not being picked up (you might be setting the correct credentials, but not in the place where museum reads them from). +2. The credentials are not being picked up (you might be setting the correct + credentials, but not in the place where museum reads them from). ## Mismatch in file size -The "Mismatch in file size" error mostly occurs in a situation where the client is re-uploading a file which is already in the bucket with a different file size. The reason for re-upload could be anything including network issue, sudden killing of app before the upload is complete and etc. +The "Mismatch in file size" error mostly occurs in a situation where the client +is re-uploading a file which is already in the bucket with a different file +size. The reason for re-upload could be anything including network issue, sudden +killing of app before the upload is complete and etc. From 783f53bfdc3faf56c09207bfe391690cf933ac2c Mon Sep 17 00:00:00 2001 From: ashilkn Date: Sat, 26 Jul 2025 12:10:24 +0530 Subject: [PATCH 183/302] Add option to change gallery layout from home gallery itself --- .../lib/generated/intl/messages_en.dart | 2 + mobile/apps/photos/lib/generated/l10n.dart | 20 ++ mobile/apps/photos/lib/l10n/intl_en.arb | 4 +- .../lib/models/gallery/gallery_sections.dart | 8 +- .../ui/components/captioned_text_widget.dart | 5 +- .../lib/ui/home/home_gallery_widget.dart | 1 + .../ui/settings/gallery_settings_screen.dart | 10 +- .../ui/settings/general_section_widget.dart | 4 +- .../component/group/group_header_widget.dart | 98 ++++++---- .../photos/lib/ui/viewer/gallery/gallery.dart | 75 ++------ .../ui/viewer/gallery/layout_settings.dart | 181 ++++++++++++++++++ mobile/apps/photos/lib/utils/string_util.dart | 6 + 12 files changed, 309 insertions(+), 105 deletions(-) create mode 100644 mobile/apps/photos/lib/ui/viewer/gallery/layout_settings.dart create mode 100644 mobile/apps/photos/lib/utils/string_util.dart diff --git a/mobile/apps/photos/lib/generated/intl/messages_en.dart b/mobile/apps/photos/lib/generated/intl/messages_en.dart index 71e695f344..1e8901086d 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_en.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_en.dart @@ -774,6 +774,7 @@ class MessageLookup extends MessageLookupByLibrary { "custom": MessageLookupByLibrary.simpleMessage("Custom"), "customEndpoint": m20, "darkTheme": MessageLookupByLibrary.simpleMessage("Dark"), + "day": MessageLookupByLibrary.simpleMessage("Day"), "dayToday": MessageLookupByLibrary.simpleMessage("Today"), "dayYesterday": MessageLookupByLibrary.simpleMessage("Yesterday"), "declineTrustInvite": @@ -1204,6 +1205,7 @@ class MessageLookup extends MessageLookupByLibrary { "lastWeek": MessageLookupByLibrary.simpleMessage("Last week"), "lastYearsTrip": MessageLookupByLibrary.simpleMessage("Last year\'s trip"), + "layout": MessageLookupByLibrary.simpleMessage("Layout"), "leave": MessageLookupByLibrary.simpleMessage("Leave"), "leaveAlbum": MessageLookupByLibrary.simpleMessage("Leave album"), "leaveFamily": MessageLookupByLibrary.simpleMessage("Leave family"), diff --git a/mobile/apps/photos/lib/generated/l10n.dart b/mobile/apps/photos/lib/generated/l10n.dart index c659e463e4..1045fba5f2 100644 --- a/mobile/apps/photos/lib/generated/l10n.dart +++ b/mobile/apps/photos/lib/generated/l10n.dart @@ -12365,6 +12365,26 @@ class S { args: [], ); } + + /// `Layout` + String get layout { + return Intl.message( + 'Layout', + name: 'layout', + desc: '', + args: [], + ); + } + + /// `Day` + String get day { + return Intl.message( + 'Day', + name: 'day', + desc: '', + args: [], + ); + } } class AppLocalizationDelegate extends LocalizationsDelegate { diff --git a/mobile/apps/photos/lib/l10n/intl_en.arb b/mobile/apps/photos/lib/l10n/intl_en.arb index b139f16c78..a4b2c471ec 100644 --- a/mobile/apps/photos/lib/l10n/intl_en.arb +++ b/mobile/apps/photos/lib/l10n/intl_en.arb @@ -1795,5 +1795,7 @@ "thisYear": "This year", "groupBy": "Group by", "faceThumbnailGenerationFailed": "Unable to generate face thumbnails", - "fileAnalysisFailed": "Unable to analyze file" + "fileAnalysisFailed": "Unable to analyze file", + "layout" : "Layout", + "day": "Day" } diff --git a/mobile/apps/photos/lib/models/gallery/gallery_sections.dart b/mobile/apps/photos/lib/models/gallery/gallery_sections.dart index c161935eb5..3723af5a3e 100644 --- a/mobile/apps/photos/lib/models/gallery/gallery_sections.dart +++ b/mobile/apps/photos/lib/models/gallery/gallery_sections.dart @@ -24,6 +24,7 @@ class GalleryGroups { final String tagPrefix; final bool showSelectAll; final _logger = Logger("GalleryGroups"); + final bool showGallerySettingsCTA; //TODO: Add support for sort order final bool sortOrderAsc; @@ -43,6 +44,7 @@ class GalleryGroups { required this.showSelectAll, this.limitSelectionToOne = false, this.fileToJumpScrollTo, + this.showGallerySettingsCTA = false, }) { init(); if (!groupType.showGroupHeader()) { @@ -195,7 +197,7 @@ class GalleryGroups { final maxOffset = minOffset + (numberOfGridRows * tileHeight) + (numberOfGridRows - 1) * spacing + - groupHeaderExtent!; + groupHeaderExtent; final bodyFirstIndex = firstIndex + 1; groupLayouts.add( @@ -204,7 +206,7 @@ class GalleryGroups { lastIndex: lastIndex, minOffset: minOffset, maxOffset: maxOffset, - headerExtent: groupHeaderExtent!, + headerExtent: groupHeaderExtent, tileHeight: tileHeight, spacing: spacing, builder: (context, rowIndex) { @@ -218,6 +220,8 @@ class GalleryGroups { filesInGroup: groupIDToFilesMap[groupID]!, selectedFiles: selectedFiles, showSelectAll: showSelectAll && !limitSelectionToOne, + showGallerySettingCTA: + rowIndex == 0 && showGallerySettingsCTA, ); } else { return const SizedBox(height: spacing); diff --git a/mobile/apps/photos/lib/ui/components/captioned_text_widget.dart b/mobile/apps/photos/lib/ui/components/captioned_text_widget.dart index d10810eaa0..f5ba42d4b2 100644 --- a/mobile/apps/photos/lib/ui/components/captioned_text_widget.dart +++ b/mobile/apps/photos/lib/ui/components/captioned_text_widget.dart @@ -1,5 +1,6 @@ import 'package:flutter/material.dart'; import 'package:photos/ente_theme_data.dart'; +import "package:photos/utils/string_util.dart"; class CaptionedTextWidget extends StatelessWidget { final String title; @@ -23,10 +24,12 @@ class CaptionedTextWidget extends StatelessWidget { final enteColorScheme = Theme.of(context).colorScheme.enteTheme.colorScheme; final enteTextTheme = Theme.of(context).colorScheme.enteTheme.textTheme; + final capitalized = title.capitalizeFirst(); + final List children = [ Flexible( child: Text( - title, + capitalized, style: textStyle ?? (makeTextBold ? enteTextTheme.bodyBold.copyWith(color: textColor) diff --git a/mobile/apps/photos/lib/ui/home/home_gallery_widget.dart b/mobile/apps/photos/lib/ui/home/home_gallery_widget.dart index 016d590c10..607543f12a 100644 --- a/mobile/apps/photos/lib/ui/home/home_gallery_widget.dart +++ b/mobile/apps/photos/lib/ui/home/home_gallery_widget.dart @@ -137,6 +137,7 @@ class _HomeGalleryWidgetState extends State { galleryType: GalleryType.homepage, groupType: widget.groupType, fileToJumpScrollTo: widget.fileToJumpScrollTo, + showGallerySettingsCTA: true, ); return GalleryFilesState( child: SelectionState( diff --git a/mobile/apps/photos/lib/ui/settings/gallery_settings_screen.dart b/mobile/apps/photos/lib/ui/settings/gallery_settings_screen.dart index 99233bf30c..cb2fdf0ca9 100644 --- a/mobile/apps/photos/lib/ui/settings/gallery_settings_screen.dart +++ b/mobile/apps/photos/lib/ui/settings/gallery_settings_screen.dart @@ -20,7 +20,11 @@ import "package:photos/ui/viewer/gallery/photo_grid_size_picker_page.dart"; import "package:photos/utils/navigation_util.dart"; class GallerySettingsScreen extends StatefulWidget { - const GallerySettingsScreen({super.key}); + final bool fromGallerySettingsCTA; + const GallerySettingsScreen({ + super.key, + required this.fromGallerySettingsCTA, + }); @override State createState() => _GallerySettingsScreenState(); @@ -54,7 +58,9 @@ class _GallerySettingsScreenState extends State { iconButtonType: IconButtonType.secondary, onTap: () { Navigator.pop(context); - Navigator.pop(context); + if (!widget.fromGallerySettingsCTA) { + Navigator.pop(context); + } }, ), ], diff --git a/mobile/apps/photos/lib/ui/settings/general_section_widget.dart b/mobile/apps/photos/lib/ui/settings/general_section_widget.dart index d51685eb8d..a1c71dbca5 100644 --- a/mobile/apps/photos/lib/ui/settings/general_section_widget.dart +++ b/mobile/apps/photos/lib/ui/settings/general_section_widget.dart @@ -170,7 +170,9 @@ class GeneralSectionWidget extends StatelessWidget { void _onGallerySettingsTapped(BuildContext context) { routeToPage( context, - const GallerySettingsScreen(), + const GallerySettingsScreen( + fromGallerySettingsCTA: false, + ), ); } } diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart b/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart index 23b338c6ae..dd6b0dceb4 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart @@ -4,6 +4,7 @@ import "package:photos/generated/l10n.dart"; import "package:photos/models/file/file.dart"; import "package:photos/models/selected_files.dart"; import "package:photos/theme/ente_theme.dart"; +import "package:photos/ui/viewer/gallery/layout_settings.dart"; class GroupHeaderWidget extends StatefulWidget { final String title; @@ -12,6 +13,7 @@ class GroupHeaderWidget extends StatefulWidget { final List filesInGroup; final SelectedFiles? selectedFiles; final bool showSelectAll; + final bool showGallerySettingCTA; const GroupHeaderWidget({ super.key, @@ -20,6 +22,7 @@ class GroupHeaderWidget extends StatefulWidget { required this.filesInGroup, required this.selectedFiles, required this.showSelectAll, + this.showGallerySettingCTA = false, this.height, }); @@ -67,14 +70,15 @@ class _GroupHeaderWidgetState extends State { return SizedBox( height: widget.height, - child: Padding( - padding: EdgeInsets.symmetric( - horizontal: horizontalPadding, - vertical: verticalPadding, - ), - child: Row( - children: [ - Container( + child: Row( + crossAxisAlignment: CrossAxisAlignment.center, + children: [ + Padding( + padding: EdgeInsets.symmetric( + horizontal: horizontalPadding, + vertical: verticalPadding, + ), + child: Container( alignment: Alignment.centerLeft, child: Text( widget.title, @@ -89,34 +93,50 @@ class _GroupHeaderWidgetState extends State { overflow: TextOverflow.ellipsis, ), ), - Expanded(child: Container()), - !widget.showSelectAll - ? const SizedBox.shrink() - : GestureDetector( - behavior: HitTestBehavior.translucent, - child: ValueListenableBuilder( - valueListenable: _areAllFromGroupSelectedNotifier, - builder: (context, dynamic value, _) { - return value - ? const Icon( - Icons.check_circle, - size: 18, - ) - : Icon( - Icons.check_circle_outlined, - color: getEnteColorScheme(context).strokeMuted, - size: 18, - ); - }, - ), - onTap: () { - widget.selectedFiles?.toggleGroupSelection( - widget.filesInGroup.toSet(), - ); + ), + Expanded(child: Container()), + !widget.showSelectAll + ? const SizedBox.shrink() + : GestureDetector( + behavior: HitTestBehavior.translucent, + child: ValueListenableBuilder( + valueListenable: _areAllFromGroupSelectedNotifier, + builder: (context, dynamic value, _) { + return value + ? const Icon( + Icons.check_circle, + size: 18, + ) + : Icon( + Icons.check_circle_outlined, + color: colorScheme.strokeMuted, + size: 18, + ); }, ), - ], - ), + onTap: () { + widget.selectedFiles?.toggleGroupSelection( + widget.filesInGroup.toSet(), + ); + }, + ), + widget.showGallerySettingCTA + ? const SizedBox(width: 8) + : const SizedBox.shrink(), + widget.showGallerySettingCTA + ? GestureDetector( + onTap: () => _showLayoutSettingsOverflowMenu(context), + child: Padding( + padding: const EdgeInsets.all(4), + child: Icon( + Icons.more_vert_outlined, + color: colorScheme.strokeBase, + ), + ), + ) + : const SizedBox.shrink(), + const SizedBox(width: 12), + ], ), ); } @@ -135,4 +155,14 @@ class _GroupHeaderWidgetState extends State { return false; } } + + void _showLayoutSettingsOverflowMenu(BuildContext context) { + showModalBottomSheet( + context: context, + backgroundColor: getEnteColorScheme(context).backgroundElevated, + builder: (BuildContext context) { + return const GalleryLayoutSettings(); + }, + ); + } } diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 6565dcc48c..577ad00cdd 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -62,6 +62,7 @@ class Gallery extends StatefulWidget { final Duration reloadDebounceTime; final Duration reloadDebounceExecutionInterval; final GalleryType? galleryType; + final bool showGallerySettingsCTA; /// When true, selection will be limited to one item. Tapping on any item /// will select even when no other item is selected. @@ -111,6 +112,7 @@ class Gallery extends StatefulWidget { this.galleryType, this.disableVerticalPaddingForScrollbar = false, this.fileToJumpScrollTo, + this.showGallerySettingsCTA = false, super.key, }); @@ -199,8 +201,8 @@ class GalleryState extends State { Bus.instance.on().listen((event) async { // todo: Assign ID to Gallery and fire generic event with ID & // target index/date - if (mounted && event.selectedIndex == 0 && _scrollController != null) { - await _scrollController!.animateTo( + if (mounted && event.selectedIndex == 0) { + await _scrollController.animateTo( 0, duration: const Duration(milliseconds: 250), curve: Curves.easeOutExpo, @@ -306,6 +308,7 @@ class GalleryState extends State { groupHeaderExtent: groupHeaderExtent!, showSelectAll: widget.showSelectAll, limitSelectionToOne: widget.limitSelectionToOne, + showGallerySettingsCTA: widget.showGallerySettingsCTA, ); if (callSetState) { @@ -494,7 +497,7 @@ class GalleryState extends State { subscription.cancel(); } _debouncer.cancelDebounceTimer(); - _scrollController?.dispose(); + _scrollController.dispose(); scrollBarInUseNotifier.dispose(); _headerHeightNotifier.dispose(); widget.selectedFiles?.removeListener(_selectedFilesListener); @@ -644,6 +647,8 @@ class GalleryState extends State { showSelectAll: widget.showSelectAll && !widget.limitSelectionToOne, scrollbarInUseNotifier: scrollBarInUseNotifier, + showGallerySettingsCTA: + widget.showGallerySettingsCTA, ) : const SizedBox.shrink(), ], @@ -652,67 +657,6 @@ class GalleryState extends State { ), ); } - - // create groups of 200 files for performance - List> _genericGroupForPerf(List files) { - if (_groupType == GroupType.size) { - // sort files by fileSize on the bases of _sortOrderAsc - files.sort((a, b) { - if (_sortOrderAsc) { - return a.fileSize!.compareTo(b.fileSize!); - } else { - return b.fileSize!.compareTo(a.fileSize!); - } - }); - } - // todo:(neeraj) Stick to default group behaviour for magicSearch and editLocationGallery - // In case of Magic search, we need to hide the scrollbar title (can be done - // by specifying none as groupType) - if (_groupType != GroupType.size) { - return [files]; - } - - final List> resultGroupedFiles = []; - List singleGroupFile = []; - const int groupSize = 40; - for (int i = 0; i < files.length; i += 1) { - singleGroupFile.add(files[i]); - if (singleGroupFile.length == groupSize) { - resultGroupedFiles.add(singleGroupFile); - singleGroupFile = []; - } - } - if (singleGroupFile.isNotEmpty) { - resultGroupedFiles.add(singleGroupFile); - } - _logger.info('Grouped files into ${resultGroupedFiles.length} groups'); - return resultGroupedFiles; - } - - List> _groupBasedOnTime(List files) { - List dailyFiles = []; - - final List> resultGroupedFiles = []; - for (int index = 0; index < files.length; index++) { - if (index > 0 && - !_groupType.areFromSameGroup(files[index - 1], files[index])) { - resultGroupedFiles.add(dailyFiles); - dailyFiles = []; - } - dailyFiles.add(files[index]); - } - if (dailyFiles.isNotEmpty) { - resultGroupedFiles.add(dailyFiles); - } - if (_sortOrderAsc) { - resultGroupedFiles - .sort((a, b) => a[0].creationTime!.compareTo(b[0].creationTime!)); - } else { - resultGroupedFiles - .sort((a, b) => b[0].creationTime!.compareTo(a[0].creationTime!)); - } - return resultGroupedFiles; - } } class PinnedGroupHeader extends StatefulWidget { @@ -722,6 +666,7 @@ class PinnedGroupHeader extends StatefulWidget { final SelectedFiles? selectedFiles; final bool showSelectAll; final ValueNotifier scrollbarInUseNotifier; + final bool showGallerySettingsCTA; const PinnedGroupHeader({ required this.scrollController, @@ -730,6 +675,7 @@ class PinnedGroupHeader extends StatefulWidget { required this.selectedFiles, required this.showSelectAll, required this.scrollbarInUseNotifier, + required this.showGallerySettingsCTA, super.key, }); @@ -906,6 +852,7 @@ class _PinnedGroupHeaderState extends State { .galleryGroups.groupIDToFilesMap[currentGroupId!]!, selectedFiles: widget.selectedFiles, showSelectAll: widget.showSelectAll, + showGallerySettingCTA: widget.showGallerySettingsCTA, ), ), ), diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/layout_settings.dart b/mobile/apps/photos/lib/ui/viewer/gallery/layout_settings.dart new file mode 100644 index 0000000000..4f505d6051 --- /dev/null +++ b/mobile/apps/photos/lib/ui/viewer/gallery/layout_settings.dart @@ -0,0 +1,181 @@ +import "dart:async"; + +import "package:flutter/material.dart"; +import "package:photos/core/event_bus.dart"; +import "package:photos/events/force_reload_home_gallery_event.dart"; +import "package:photos/l10n/l10n.dart"; +import "package:photos/service_locator.dart"; +import "package:photos/theme/ente_theme.dart"; +import "package:photos/ui/components/captioned_text_widget.dart"; +import "package:photos/ui/components/divider_widget.dart"; +import "package:photos/ui/components/menu_item_widget/menu_item_widget.dart"; +import "package:photos/ui/settings/gallery_settings_screen.dart"; +import "package:photos/ui/viewer/gallery/component/group/type.dart"; +import "package:photos/utils/navigation_util.dart"; + +class GalleryLayoutSettings extends StatefulWidget { + const GalleryLayoutSettings({super.key}); + + @override + State createState() => _GalleryLayoutSettingsState(); +} + +class _GalleryLayoutSettingsState extends State { + bool isDayLayout = localSettings.getGalleryGroupType() == GroupType.day && + localSettings.getPhotoGridSize() == 3; + bool isMonthLayout = localSettings.getGalleryGroupType() == GroupType.month && + localSettings.getPhotoGridSize() == 5; + late StreamSubscription _forceReloadSubscription; + + @override + void initState() { + super.initState(); + _forceReloadSubscription = + Bus.instance.on().listen((event) { + if (event.reason == "Gallery layout changed") { + Future.delayed(const Duration(milliseconds: 1000), () { + if (!mounted) return; + setState(() { + isDayLayout = + localSettings.getGalleryGroupType() == GroupType.day && + localSettings.getPhotoGridSize() == 3; + isMonthLayout = + localSettings.getGalleryGroupType() == GroupType.month && + localSettings.getPhotoGridSize() == 5; + }); + }); + } + }); + } + + @override + void dispose() { + _forceReloadSubscription.cancel(); + super.dispose(); + } + + @override + Widget build(BuildContext context) { + final textTheme = getEnteTextTheme(context); + final colorScheme = getEnteColorScheme(context); + return SafeArea( + child: Padding( + padding: const EdgeInsets.symmetric( + horizontal: 16, + vertical: 20, + ), + child: Column( + mainAxisSize: MainAxisSize.min, + children: [ + Column( + children: [ + Padding( + padding: + const EdgeInsets.symmetric(horizontal: 16, vertical: 12), + child: Align( + child: Text( + context.l10n.layout, + style: textTheme.largeBold, + ), + ), + ), + const SizedBox(height: 16), + Column( + children: [ + MenuItemWidget( + leadingIcon: Icons.grid_view_outlined, + captionedTextWidget: CaptionedTextWidget( + title: context.l10n.day, + ), + menuItemColor: colorScheme.fillFaint, + alignCaptionedTextToLeft: true, + isBottomBorderRadiusRemoved: true, + showOnlyLoadingState: true, + trailingIcon: isDayLayout ? Icons.check : null, + onTap: () async { + final futures = [ + localSettings.setGalleryGroupType( + GroupType.day, + ), + localSettings.setPhotoGridSize(3), + ]; + + await Future.wait(futures); + Bus.instance.fire( + ForceReloadHomeGalleryEvent( + "Gallery layout changed", + ), + ); + + Navigator.pop(context); + }, + ), + DividerWidget( + dividerType: DividerType.menuNoIcon, + bgColor: getEnteColorScheme(context).fillFaint, + ), + MenuItemWidget( + leadingIcon: Icons.grid_on_rounded, + captionedTextWidget: CaptionedTextWidget( + title: context.l10n.month, + ), + menuItemColor: colorScheme.fillFaint, + alignCaptionedTextToLeft: true, + isTopBorderRadiusRemoved: true, + isBottomBorderRadiusRemoved: true, + showOnlyLoadingState: true, + trailingIcon: isMonthLayout ? Icons.check : null, + onTap: () async { + final futures = [ + localSettings.setGalleryGroupType( + GroupType.month, + ), + localSettings.setPhotoGridSize(5), + ]; + + await Future.wait(futures); + Bus.instance.fire( + ForceReloadHomeGalleryEvent( + "Gallery layout changed", + ), + ); + + Navigator.pop(context); + }, + ), + DividerWidget( + dividerType: DividerType.menuNoIcon, + bgColor: getEnteColorScheme(context).fillFaint, + ), + MenuItemWidget( + captionedTextWidget: const CaptionedTextWidget( + title: "Custom", + ), + menuItemColor: colorScheme.fillFaint, + alignCaptionedTextToLeft: true, + showOnlyLoadingState: true, + isTopBorderRadiusRemoved: true, + leadingIcon: + isDayLayout || isMonthLayout ? null : Icons.check, + trailingWidget: Icon( + Icons.chevron_right_outlined, + color: colorScheme.strokeBase, + ), + onTap: () => routeToPage( + context, + const GallerySettingsScreen( + fromGallerySettingsCTA: true, + ), + ), + ), + ], + ), + const SizedBox(height: 16), + ], + ), + ], + ), + ), + ); + } +} diff --git a/mobile/apps/photos/lib/utils/string_util.dart b/mobile/apps/photos/lib/utils/string_util.dart new file mode 100644 index 0000000000..b8a70f3f02 --- /dev/null +++ b/mobile/apps/photos/lib/utils/string_util.dart @@ -0,0 +1,6 @@ +extension StringCasingExtension on String { + String capitalizeFirst() { + if (isEmpty) return this; + return this[0].toUpperCase() + substring(1); + } +} From 8ad1b94b872186d2b4a9615080261dec4bb41e82 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Sat, 26 Jul 2025 12:39:08 +0530 Subject: [PATCH 184/302] Minor UI fix --- .../component/group/group_header_widget.dart | 72 ++++++++++--------- .../photos/lib/ui/viewer/gallery/gallery.dart | 1 + 2 files changed, 40 insertions(+), 33 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart b/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart index dd6b0dceb4..1ca10d2550 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart @@ -14,6 +14,7 @@ class GroupHeaderWidget extends StatefulWidget { final SelectedFiles? selectedFiles; final bool showSelectAll; final bool showGallerySettingCTA; + final bool showTrailingIcons; const GroupHeaderWidget({ super.key, @@ -24,6 +25,7 @@ class GroupHeaderWidget extends StatefulWidget { required this.showSelectAll, this.showGallerySettingCTA = false, this.height, + this.showTrailingIcons = true, }); @override @@ -97,43 +99,47 @@ class _GroupHeaderWidgetState extends State { Expanded(child: Container()), !widget.showSelectAll ? const SizedBox.shrink() - : GestureDetector( - behavior: HitTestBehavior.translucent, - child: ValueListenableBuilder( - valueListenable: _areAllFromGroupSelectedNotifier, - builder: (context, dynamic value, _) { - return value - ? const Icon( - Icons.check_circle, - size: 18, - ) - : Icon( - Icons.check_circle_outlined, - color: colorScheme.strokeMuted, - size: 18, - ); - }, - ), - onTap: () { - widget.selectedFiles?.toggleGroupSelection( - widget.filesInGroup.toSet(), - ); - }, - ), + : widget.showTrailingIcons + ? GestureDetector( + behavior: HitTestBehavior.translucent, + child: ValueListenableBuilder( + valueListenable: _areAllFromGroupSelectedNotifier, + builder: (context, dynamic value, _) { + return value + ? const Icon( + Icons.check_circle, + size: 18, + ) + : Icon( + Icons.check_circle_outlined, + color: colorScheme.strokeMuted, + size: 18, + ); + }, + ), + onTap: () { + widget.selectedFiles?.toggleGroupSelection( + widget.filesInGroup.toSet(), + ); + }, + ) + : const SizedBox.shrink(), widget.showGallerySettingCTA ? const SizedBox(width: 8) : const SizedBox.shrink(), widget.showGallerySettingCTA - ? GestureDetector( - onTap: () => _showLayoutSettingsOverflowMenu(context), - child: Padding( - padding: const EdgeInsets.all(4), - child: Icon( - Icons.more_vert_outlined, - color: colorScheme.strokeBase, - ), - ), - ) + ? widget.showTrailingIcons + ? GestureDetector( + onTap: () => _showLayoutSettingsOverflowMenu(context), + child: Padding( + padding: const EdgeInsets.all(4), + child: Icon( + Icons.more_vert_outlined, + color: colorScheme.strokeBase, + ), + ), + ) + : const SizedBox.shrink() : const SizedBox.shrink(), const SizedBox(width: 12), ], diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 577ad00cdd..21b6486975 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -853,6 +853,7 @@ class _PinnedGroupHeaderState extends State { selectedFiles: widget.selectedFiles, showSelectAll: widget.showSelectAll, showGallerySettingCTA: widget.showGallerySettingsCTA, + showTrailingIcons: !inUse, ), ), ), From 10101c697be35f0bb94e1556e12f9e0a9e4f855c Mon Sep 17 00:00:00 2001 From: ashilkn Date: Sat, 26 Jul 2025 12:40:19 +0530 Subject: [PATCH 185/302] Chore --- mobile/apps/photos/lib/models/gallery/gallery_sections.dart | 1 - 1 file changed, 1 deletion(-) diff --git a/mobile/apps/photos/lib/models/gallery/gallery_sections.dart b/mobile/apps/photos/lib/models/gallery/gallery_sections.dart index 3723af5a3e..7d4dcf0d1b 100644 --- a/mobile/apps/photos/lib/models/gallery/gallery_sections.dart +++ b/mobile/apps/photos/lib/models/gallery/gallery_sections.dart @@ -26,7 +26,6 @@ class GalleryGroups { final _logger = Logger("GalleryGroups"); final bool showGallerySettingsCTA; - //TODO: Add support for sort order final bool sortOrderAsc; final double widthAvailable; final double groupHeaderExtent; From 13302460bdad282d89c9989dc14c51d63217aa96 Mon Sep 17 00:00:00 2001 From: Rafael Ieda <60272+iedame@users.noreply.github.com> Date: Sat, 26 Jul 2025 04:42:08 -0300 Subject: [PATCH 186/302] feat(ente-auth): Add custom icons for CrowdSec, FileCloud, JetBrains YouTrack, MailCow and NetBird --- .../custom-icons/_data/custom-icons.json | 27 +++++++++++++++++++ .../assets/custom-icons/icons/crowdsec.svg | 1 + .../assets/custom-icons/icons/filecloud.svg | 1 + .../custom-icons/icons/jetbrains-youtrack.svg | 1 + .../assets/custom-icons/icons/mailcow.svg | 1 + .../assets/custom-icons/icons/netbird.svg | 1 + 6 files changed, 32 insertions(+) create mode 100644 mobile/apps/auth/assets/custom-icons/icons/crowdsec.svg create mode 100644 mobile/apps/auth/assets/custom-icons/icons/filecloud.svg create mode 100644 mobile/apps/auth/assets/custom-icons/icons/jetbrains-youtrack.svg create mode 100644 mobile/apps/auth/assets/custom-icons/icons/mailcow.svg create mode 100644 mobile/apps/auth/assets/custom-icons/icons/netbird.svg diff --git a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json index 266cda8fa1..e93a86308d 100644 --- a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json +++ b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json @@ -382,6 +382,10 @@ "title": "CSGORoll", "slug": "csgoroll" }, + { + "title": "CrowdSec", + "slug": "crowdsec" + }, { "title": "Cryptee", "slug": "cryptee" @@ -518,6 +522,10 @@ "Fidelity Investments" ] }, + { + "title": "FileCloud", + "slug": "filecloud" + }, { "title": "Filen" }, @@ -689,6 +697,13 @@ "title": "Jagex", "hex": "D3D800" }, + { + "title": "JetBrains YouTrack", + "slug": "jetbrains-youtrack", + "altNames": [ + "YouTrack" + ] + }, { "title": "jianguoyun", "altNames": [ @@ -816,6 +831,14 @@ "lu.ma" ] }, + { + "title": "MailCow", + "slug": "mailcow", + "altNames": [ + "mailcow", + "mailcow UI" + ] + }, { "title": "MangaDex", "slug": "mangadex" @@ -970,6 +993,10 @@ { "title": "Nelnet" }, + { + "title": "NetBird", + "slug": "netbird" + }, { "title": "nintendo", "altNames": [ diff --git a/mobile/apps/auth/assets/custom-icons/icons/crowdsec.svg b/mobile/apps/auth/assets/custom-icons/icons/crowdsec.svg new file mode 100644 index 0000000000..c9201b4b62 --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/crowdsec.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/mobile/apps/auth/assets/custom-icons/icons/filecloud.svg b/mobile/apps/auth/assets/custom-icons/icons/filecloud.svg new file mode 100644 index 0000000000..5247c8dbe1 --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/filecloud.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/mobile/apps/auth/assets/custom-icons/icons/jetbrains-youtrack.svg b/mobile/apps/auth/assets/custom-icons/icons/jetbrains-youtrack.svg new file mode 100644 index 0000000000..955919c5c5 --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/jetbrains-youtrack.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/mobile/apps/auth/assets/custom-icons/icons/mailcow.svg b/mobile/apps/auth/assets/custom-icons/icons/mailcow.svg new file mode 100644 index 0000000000..ee864435d0 --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/mailcow.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/mobile/apps/auth/assets/custom-icons/icons/netbird.svg b/mobile/apps/auth/assets/custom-icons/icons/netbird.svg new file mode 100644 index 0000000000..66660ca7eb --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/netbird.svg @@ -0,0 +1 @@ + \ No newline at end of file From c00ad310ef5971a451600abdf75137925effb496 Mon Sep 17 00:00:00 2001 From: Neeraj Gupta <254676+ua741@users.noreply.github.com> Date: Sat, 26 Jul 2025 13:29:00 +0530 Subject: [PATCH 187/302] Update apple-app-site-association for auth app --- web/apps/auth/public/.well-known/apple-app-site-association | 1 + web/apps/photos/public/.well-known/apple-app-site-association | 1 + 2 files changed, 2 insertions(+) diff --git a/web/apps/auth/public/.well-known/apple-app-site-association b/web/apps/auth/public/.well-known/apple-app-site-association index e05abb216b..ec64bd6b66 100644 --- a/web/apps/auth/public/.well-known/apple-app-site-association +++ b/web/apps/auth/public/.well-known/apple-app-site-association @@ -2,6 +2,7 @@ "webcredentials": { "apps": [ "6Z68YJY9Q2.io.ente.frame", + "6Z68YJY9Q2.io.ente.auth", "2BUSYC7FN9.io.ente.frame", "2BUSYC7FN9.io.ente.auth" ] diff --git a/web/apps/photos/public/.well-known/apple-app-site-association b/web/apps/photos/public/.well-known/apple-app-site-association index 083e7be89d..0459eac4f7 100644 --- a/web/apps/photos/public/.well-known/apple-app-site-association +++ b/web/apps/photos/public/.well-known/apple-app-site-association @@ -20,6 +20,7 @@ "webcredentials": { "apps": [ "6Z68YJY9Q2.io.ente.frame", + "6Z68YJY9Q2.io.ente.auth", "2BUSYC7FN9.io.ente.frame", "2BUSYC7FN9.io.ente.auth" ] From 25eaee57e98420f1ec1a81d13468b9fb09231ab5 Mon Sep 17 00:00:00 2001 From: Neeraj Gupta <254676+ua741@users.noreply.github.com> Date: Sat, 26 Jul 2025 14:04:05 +0530 Subject: [PATCH 188/302] Github action for iOS test flight --- .github/workflows/auth-win-sign.yml | 70 ---------- .github/workflows/photos-internal-release.yml | 126 ++++++++++++++++++ 2 files changed, 126 insertions(+), 70 deletions(-) delete mode 100644 .github/workflows/auth-win-sign.yml create mode 100644 .github/workflows/photos-internal-release.yml diff --git a/.github/workflows/auth-win-sign.yml b/.github/workflows/auth-win-sign.yml deleted file mode 100644 index dada811c96..0000000000 --- a/.github/workflows/auth-win-sign.yml +++ /dev/null @@ -1,70 +0,0 @@ -name: "Windows build & Sign (auth)" - - -on: - workflow_dispatch: # Allow manually running the action - -env: - FLUTTER_VERSION: "3.24.3" - -permissions: - contents: write - -jobs: - build-windows: - runs-on: windows-latest - environment: "auth-win-build" - - defaults: - run: - working-directory: mobile/apps/auth - - steps: - - name: Checkout code and submodules - uses: actions/checkout@v4 - with: - submodules: recursive - - - name: Install Flutter ${{ env.FLUTTER_VERSION }} - uses: subosito/flutter-action@v2 - with: - channel: "stable" - flutter-version: ${{ env.FLUTTER_VERSION }} - cache: true - - - name: Create artifacts directory - run: mkdir artifacts - - - name: Build Windows installer - run: | - flutter config --enable-windows-desktop - # dart pub global activate flutter_distributor - dart pub global activate --source git https://github.com/ente-io/flutter_distributor_fork --git-ref develop --git-path packages/flutter_distributor - make innoinstall - flutter_distributor package --platform=windows --targets=exe --skip-clean - mv dist/**/*-windows-setup.exe artifacts/ente-${{ github.ref_name }}-installer.exe - - - name: Retain Windows EXE and DLLs - run: cp -r build/windows/x64/runner/Release ente-${{ github.ref_name }}-windows - - - name: Sign files with Trusted Signing - uses: azure/trusted-signing-action@v0 - with: - azure-tenant-id: ${{ secrets.AZURE_TENANT_ID }} - azure-client-id: ${{ secrets.AZURE_CLIENT_ID }} - azure-client-secret: ${{ secrets.AZURE_CLIENT_SECRET }} - endpoint: ${{ secrets.AZURE_ENDPOINT }} - trusted-signing-account-name: ${{ secrets.AZURE_CODE_SIGNING_NAME }} - certificate-profile-name: ${{ secrets.AZURE_CERT_PROFILE_NAME }} - files: | - ${{ github.workspace }}/mobile/apps/auth/artifacts/ente-${{ github.ref_name }}-installer.exe - ${{ github.workspace }}/mobile/apps/auth/ente-${{ github.ref_name }}-windows/auth.exe - file-digest: SHA256 - timestamp-rfc3161: http://timestamp.acs.microsoft.com - timestamp-digest: SHA256 - - - name: Zip Windows EXE and DLLs - run: tar.exe -a -c -f artifacts/ente-${{ github.ref_name }}-windows.zip ente-${{ github.ref_name }}-windows - - - name: Generate checksums - run: sha256sum artifacts/ente-* > artifacts/sha256sum-windows diff --git a/.github/workflows/photos-internal-release.yml b/.github/workflows/photos-internal-release.yml new file mode 100644 index 0000000000..3588a573af --- /dev/null +++ b/.github/workflows/photos-internal-release.yml @@ -0,0 +1,126 @@ +name: "Internal Release V2 (photos)" + +on: + workflow_dispatch: # Manual trigger only + +env: + FLUTTER_VERSION: "3.24.3" + ANDROID_KEYSTORE_PATH: "keystore/ente_photos_key.jks" + +jobs: + build: + runs-on: macos-latest # Required for iOS builds + environment: "ios-build" + permissions: + contents: write + + defaults: + run: + working-directory: mobile/apps/photos + + steps: + # Common Setup + - name: Checkout code + uses: actions/checkout@v4 + with: + submodules: recursive + + - name: Setup JDK 17 + uses: actions/setup-java@v1 + with: + java-version: 17 + + - name: Install Flutter + uses: subosito/flutter-action@v2 + with: + flutter-version: ${{ env.FLUTTER_VERSION }} + cache: true + + # Android Build + - name: Setup Android signing key + uses: timheuer/base64-to-file@v1 + with: + fileName: ${{ env.ANDROID_KEYSTORE_PATH }} + encodedString: ${{ secrets.SIGNING_KEY_PHOTOS }} + + # - name: Build Android AAB + # run: | + # flutter build appbundle \ + # --dart-define=cronetHttpNoPlay=true \ + # --release \ + # --flavor playstore + # env: + # SIGNING_KEY_PATH: ${{ env.ANDROID_KEYSTORE_PATH }} + # SIGNING_KEY_ALIAS: ${{ secrets.SIGNING_KEY_ALIAS_PHOTOS }} + # SIGNING_KEY_PASSWORD: ${{ secrets.SIGNING_KEY_PASSWORD_PHOTOS }} + # SIGNING_STORE_PASSWORD: ${{ secrets.SIGNING_STORE_PASSWORD_PHOTOS }} + + # iOS Build (new secure implementation) + - name: Install fastlane + run: gem install fastlane + + - name: Create ExportOptions.plist + run: | + cat < ios/ExportOptions.plist + + + + + method + app-store + teamID + ${{ secrets.IOS_TEAM_ID }} + + + EOF + + - name: Setup App Store Connect API Key + run: | + echo '${{ secrets.IOS_API_KEY }}' > api_key.json + chmod 600 api_key.json + + - name: Build iOS IPA + run: | + flutter build ipa \ + --release \ + --export-options-plist=ExportOptions.plist \ + --dart-define=cronetHttpNoPlay=true + env: + SIGNING_TEAM_ID: ${{ secrets.IOS_TEAM_ID }} + + # Uploads + # - name: Upload to Play Store + # uses: r0adkll/upload-google-play@v1 + # with: + # serviceAccountJsonPlainText: ${{ secrets.SERVICE_ACCOUNT_JSON }} + # packageName: io.ente.photos + # releaseFiles: build/app/outputs/bundle/playstoreRelease/app-playstore-release.aab + # track: internal + + - name: Upload to TestFlight + run: | + fastlane pilot upload \ + --api_key_path api_key.json \ + --ipa "build/ios/ipa/Ente Photos.ipa" \ + --skip_waiting_for_build_processing \ + --apple_id ${{ secrets.IOS_APPLE_ID }} \ + --app_identifier "io.ente.photos" + env: + APP_STORE_CONNECT_API_KEY_ID: ${{ secrets.IOS_API_KEY_ID }} + APP_STORE_CONNECT_ISSUER_ID: ${{ secrets.IOS_ISSUER_ID }} + FASTLANE_APPLE_APPLICATION_SPECIFIC_PASSWORD: ${{ secrets.IOS_APP_SPECIFIC_PASSWORD }} + + - name: Clean sensitive files + run: | + rm -f api_key.json + rm -f ${{ env.ANDROID_KEYSTORE_PATH }} + + - name: Notify Discord + uses: sarisia/actions-status-discord@v1 + with: + webhook: ${{ secrets.DISCORD_INTERNAL_RELEASE_WEBHOOK }} + title: "🚀 Dual Platform Release Uploaded" + description: | + **Android**: [Play Store Internal](https://play.google.com/store/apps/details?id=io.ente.photos) + **iOS**: TestFlight build processing + color: 0x00ff00 \ No newline at end of file From 88eb935d2f0be1e1e2fce0e4209489f5b58deb4d Mon Sep 17 00:00:00 2001 From: ashilkn Date: Sat, 26 Jul 2025 14:21:29 +0530 Subject: [PATCH 189/302] UI/UX improvement --- .../component/group/group_header_widget.dart | 99 +++++++++++++++---- .../photos/lib/ui/viewer/gallery/gallery.dart | 28 +++++- 2 files changed, 107 insertions(+), 20 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart b/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart index 1ca10d2550..59485702fa 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart @@ -1,9 +1,11 @@ import "package:flutter/material.dart"; +import "package:flutter_animate/flutter_animate.dart"; import 'package:photos/core/constants.dart'; import "package:photos/generated/l10n.dart"; import "package:photos/models/file/file.dart"; import "package:photos/models/selected_files.dart"; import "package:photos/theme/ente_theme.dart"; +import "package:photos/ui/viewer/gallery/gallery.dart"; import "package:photos/ui/viewer/gallery/layout_settings.dart"; class GroupHeaderWidget extends StatefulWidget { @@ -15,6 +17,8 @@ class GroupHeaderWidget extends StatefulWidget { final bool showSelectAll; final bool showGallerySettingCTA; final bool showTrailingIcons; + final bool isPinnedHeader; + final bool fadeInTrailingIcons; const GroupHeaderWidget({ super.key, @@ -26,6 +30,8 @@ class GroupHeaderWidget extends StatefulWidget { this.showGallerySettingCTA = false, this.height, this.showTrailingIcons = true, + this.isPinnedHeader = false, + this.fadeInTrailingIcons = false, }); @override @@ -102,20 +108,58 @@ class _GroupHeaderWidgetState extends State { : widget.showTrailingIcons ? GestureDetector( behavior: HitTestBehavior.translucent, - child: ValueListenableBuilder( - valueListenable: _areAllFromGroupSelectedNotifier, - builder: (context, dynamic value, _) { - return value - ? const Icon( - Icons.check_circle, - size: 18, - ) - : Icon( - Icons.check_circle_outlined, - color: colorScheme.strokeMuted, - size: 18, - ); - }, + child: Padding( + padding: const EdgeInsets.all(4), + child: ValueListenableBuilder( + valueListenable: _areAllFromGroupSelectedNotifier, + builder: (context, dynamic value, _) { + return value + ? widget.fadeInTrailingIcons + ? const Icon( + Icons.check_circle, + size: 22, + ).animate().fadeIn( + duration: const Duration( + milliseconds: PinnedGroupHeader + .kTrailingIconsFadeInDurationMs, + ), + delay: const Duration( + milliseconds: PinnedGroupHeader + .kScaleDurationInMilliseconds + + PinnedGroupHeader + .kTrailingIconsFadeInDelayMs, + ), + curve: Curves.easeOut, + ) + : const Icon( + Icons.check_circle, + size: 22, + ) + : widget.fadeInTrailingIcons + ? Icon( + Icons.check_circle_outlined, + color: colorScheme.strokeMuted, + size: 22, + ).animate().fadeIn( + duration: const Duration( + milliseconds: PinnedGroupHeader + .kTrailingIconsFadeInDurationMs, + ), + delay: const Duration( + milliseconds: PinnedGroupHeader + .kScaleDurationInMilliseconds + + PinnedGroupHeader + .kTrailingIconsFadeInDelayMs, + ), + curve: Curves.easeOut, + ) + : Icon( + Icons.check_circle_outlined, + color: colorScheme.strokeMuted, + size: 22, + ); + }, + ), ), onTap: () { widget.selectedFiles?.toggleGroupSelection( @@ -133,15 +177,32 @@ class _GroupHeaderWidgetState extends State { onTap: () => _showLayoutSettingsOverflowMenu(context), child: Padding( padding: const EdgeInsets.all(4), - child: Icon( - Icons.more_vert_outlined, - color: colorScheme.strokeBase, - ), + child: widget.fadeInTrailingIcons + ? Icon( + Icons.more_vert_outlined, + color: colorScheme.blurStrokeBase, + ).animate().fadeIn( + duration: const Duration( + milliseconds: PinnedGroupHeader + .kTrailingIconsFadeInDurationMs, + ), + delay: const Duration( + milliseconds: PinnedGroupHeader + .kScaleDurationInMilliseconds + + PinnedGroupHeader + .kTrailingIconsFadeInDelayMs, + ), + curve: Curves.easeOut, + ) + : Icon( + Icons.more_vert_outlined, + color: colorScheme.strokeBase, + ), ), ) : const SizedBox.shrink() : const SizedBox.shrink(), - const SizedBox(width: 12), + SizedBox(width: horizontalPadding - 4.0), ], ), ); diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 21b6486975..73f6566535 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -667,6 +667,9 @@ class PinnedGroupHeader extends StatefulWidget { final bool showSelectAll; final ValueNotifier scrollbarInUseNotifier; final bool showGallerySettingsCTA; + static const kScaleDurationInMilliseconds = 200; + static const kTrailingIconsFadeInDelayMs = 0; + static const kTrailingIconsFadeInDurationMs = 200; const PinnedGroupHeader({ required this.scrollController, @@ -689,6 +692,8 @@ class _PinnedGroupHeaderState extends State { Timer? _enlargeHeaderTimer; late final ValueNotifier _atZeroScrollNotifier; Timer? _timer; + bool lastInUseState = false; + bool fadeInTrailingIcons = false; @override void initState() { super.initState(); @@ -791,9 +796,26 @@ class _PinnedGroupHeaderState extends State { _enlargeHeaderTimer?.cancel(); if (widget.scrollbarInUseNotifier.value) { _enlargeHeader.value = true; + lastInUseState = true; + fadeInTrailingIcons = false; } else { _enlargeHeaderTimer = Timer(const Duration(milliseconds: 250), () { _enlargeHeader.value = false; + if (lastInUseState) { + fadeInTrailingIcons = true; + Future.delayed( + const Duration( + milliseconds: PinnedGroupHeader.kTrailingIconsFadeInDelayMs + + PinnedGroupHeader.kTrailingIconsFadeInDurationMs + + 100, + ), () { + setState(() { + if (!mounted) return; + fadeInTrailingIcons = false; + }); + }); + } + lastInUseState = false; }); } } @@ -814,7 +836,9 @@ class _PinnedGroupHeaderState extends State { return AnimatedScale( scale: inUse ? 1.2 : 1.0, alignment: Alignment.topLeft, - duration: const Duration(milliseconds: 200), + duration: const Duration( + milliseconds: PinnedGroupHeader.kScaleDurationInMilliseconds, + ), curve: Curves.easeInOutSine, child: ValueListenableBuilder( valueListenable: _atZeroScrollNotifier, @@ -854,6 +878,8 @@ class _PinnedGroupHeaderState extends State { showSelectAll: widget.showSelectAll, showGallerySettingCTA: widget.showGallerySettingsCTA, showTrailingIcons: !inUse, + isPinnedHeader: true, + fadeInTrailingIcons: fadeInTrailingIcons, ), ), ), From 701f42fa74295a389f210909f70842316d682007 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Sat, 26 Jul 2025 14:57:49 +0530 Subject: [PATCH 190/302] chore: fix adding --- .../lib/ui/viewer/actions/smart_albums_status_widget.dart | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/ui/viewer/actions/smart_albums_status_widget.dart b/mobile/apps/photos/lib/ui/viewer/actions/smart_albums_status_widget.dart index 3ce25a884d..cce013a89d 100644 --- a/mobile/apps/photos/lib/ui/viewer/actions/smart_albums_status_widget.dart +++ b/mobile/apps/photos/lib/ui/viewer/actions/smart_albums_status_widget.dart @@ -67,7 +67,7 @@ class _SmartAlbumsStatusWidgetState extends State firstCurve: Curves.easeInOutExpo, secondCurve: Curves.easeInOutExpo, sizeCurve: Curves.easeInOutExpo, - crossFadeState: (_syncingCollection == null || + crossFadeState: !(_syncingCollection == null || _syncingCollection!.$1 != widget.collection?.id) ? CrossFadeState.showSecond : CrossFadeState.showFirst, From 17632a07e8641a9cc8d63529bdac08fd9db8a223 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Sat, 26 Jul 2025 15:07:04 +0530 Subject: [PATCH 191/302] fix: sort checked first --- .../result/people_section_all_page.dart | 19 +++++++++++++++++-- 1 file changed, 17 insertions(+), 2 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/search/result/people_section_all_page.dart b/mobile/apps/photos/lib/ui/viewer/search/result/people_section_all_page.dart index d711bd9ebd..796c3513b2 100644 --- a/mobile/apps/photos/lib/ui/viewer/search/result/people_section_all_page.dart +++ b/mobile/apps/photos/lib/ui/viewer/search/result/people_section_all_page.dart @@ -357,7 +357,7 @@ class _PeopleSectionAllWidgetState extends State { @override void initState() { super.initState(); - sectionData = getResults(); + sectionData = getResults(init: true); final streamsToListenTo = SectionType.face.viewAllUpdateEvents(); for (Stream stream in streamsToListenTo) { @@ -386,7 +386,7 @@ class _PeopleSectionAllWidgetState extends State { } } - Future> getResults() async { + Future> getResults({bool init = false}) async { final allFaces = await SearchService.instance .getAllFace(null, minClusterSize: kMinimumClusterSizeAllFaces); normalFaces.clear(); @@ -410,6 +410,21 @@ class _PeopleSectionAllWidgetState extends State { results.removeWhere( (element) => element.params[kPersonParamID] == null, ); + + if (init) { + // sort widget.selectedPeople first + results.sort((a, b) { + final aIndex = widget.selectedPeople?.personIds + .contains(a.params[kPersonParamID]) ?? + false; + final bIndex = widget.selectedPeople?.personIds + .contains(b.params[kPersonParamID]) ?? + false; + if (aIndex && !bIndex) return -1; + if (!aIndex && bIndex) return 1; + return a.name().compareTo(b.name()); + }); + } } _isLoaded = true; return results; From 8a55131025e856dd1fba860d3cf8ec9ca7837bc3 Mon Sep 17 00:00:00 2001 From: Keerthana Date: Sat, 26 Jul 2025 15:08:27 +0530 Subject: [PATCH 192/302] [docs] add tip for generation of secrets for installation procedures --- docs/docs/photos/faq/general.md | 2 +- docs/docs/self-hosting/index.md | 18 +++++++------ .../docs/self-hosting/installation/compose.md | 19 ++++++++++++++ docs/docs/self-hosting/installation/manual.md | 25 ++++++++++++++++--- .../installation/post-install/index.md | 5 ++-- 5 files changed, 55 insertions(+), 14 deletions(-) diff --git a/docs/docs/photos/faq/general.md b/docs/docs/photos/faq/general.md index 040a7e1bfa..e03a6ebc9b 100644 --- a/docs/docs/photos/faq/general.md +++ b/docs/docs/photos/faq/general.md @@ -67,7 +67,7 @@ reliable as any one can be. If you would like to fund the development of this project, please consider [subscribing](https://ente.io/download). -## How do I pronounce ente? +## How do I pronounce Ente? It's like cafe 😊. kaf-_ay_. en-_tay_. diff --git a/docs/docs/self-hosting/index.md b/docs/docs/self-hosting/index.md index a74b70882c..0bebcca64c 100644 --- a/docs/docs/self-hosting/index.md +++ b/docs/docs/self-hosting/index.md @@ -7,8 +7,8 @@ description: Getting started with self-hosting Ente If you're looking to spin up Ente on your server, you are in the right place! -Our entire source code -([including the server](https://ente.io/blog/open-sourcing-our-server/)) is open +Our entire source code, +[including the server](https://ente.io/blog/open-sourcing-our-server/) is open source. This is the same code we use on production. For a quick preview, make sure your system meets the requirements mentioned @@ -35,15 +35,19 @@ This creates a directory `my-ente` in the current working directory, prompts to start the cluster with needed containers after pulling the images required to run Ente. -::: note Make sure to modify the default values in `compose.yaml` and -`museum.yaml` if you wish to change endpoints, bucket configuration or server -configuration. ::: +::: info + +Make sure to modify the default values in `compose.yaml` and `museum.yaml` +if you wish to change endpoints, bucket configuration or server +configuration. + +::: ## Try the web app Open Ente Photos web app at `http://:3000` (or -`http://localhost:3000` if using on same local machine). Select **Don't have an -account?** to create a new user. +`http://localhost:3000` if using on same local machine). +Select **Don't have an account?** to create a new user. Follow the prompts to sign up. diff --git a/docs/docs/self-hosting/installation/compose.md b/docs/docs/self-hosting/installation/compose.md index b1e76b22e6..fb31639ec4 100644 --- a/docs/docs/self-hosting/installation/compose.md +++ b/docs/docs/self-hosting/installation/compose.md @@ -45,6 +45,25 @@ cp example.yaml museum.yaml Change the values present in `.env` file along with `museum.yaml` file accordingly. +::: tip + +Make sure to enter the correct values for the database and object storage. + +You should consider generating values for JWT and encryption keys for emails if +you intend to use for long-term needs. + +You can do by running the following command inside `ente/server`, assuming you +cloned the repository to `ente`: + +```shell +# Change into the ente/server +cd ente/server +# Generate secrets +go run tools/gen-random-keys/main.go +``` + +::: + ## Step 3: Start the cluster Start the cluster by running the following command: diff --git a/docs/docs/self-hosting/installation/manual.md b/docs/docs/self-hosting/installation/manual.md index eead12222e..b174feab69 100644 --- a/docs/docs/self-hosting/installation/manual.md +++ b/docs/docs/self-hosting/installation/manual.md @@ -92,9 +92,9 @@ git clone https://github.com/ente-io/ente 2. Build the server. The server binary should be available as `./main` relative to `server` directory - ``` shell - go build cmd/museum/main.go - ``` + ```shell + go build cmd/museum/main.go + ``` 3. Create `museum.yaml` file inside `server` for configuring the needed variables. You can copy the templated configuration file for editing with @@ -104,6 +104,25 @@ git clone https://github.com/ente-io/ente cp config/example.yaml ./museum.yaml ``` + ::: tip + + Make sure to enter the correct values for the database and object storage. + + You should consider generating values for JWT and encryption keys for emails + if you intend to use for long-term needs. + + You can do by running the following command inside `ente/server`, assuming + you cloned the repository to `ente`: + + ```shell + # Change into the ente/server + cd ente/server + # Generate secrets + go run tools/gen-random-keys/main.go + ``` + + ::: + 4. Run the server ```shell diff --git a/docs/docs/self-hosting/installation/post-install/index.md b/docs/docs/self-hosting/installation/post-install/index.md index cfd8f6db09..b6ebd19b98 100644 --- a/docs/docs/self-hosting/installation/post-install/index.md +++ b/docs/docs/self-hosting/installation/post-install/index.md @@ -159,10 +159,9 @@ apps](web-dev-settings.png){width=400px} ## Step 7: Configure Ente CLI You can download Ente CLI from -[here](https://github.com/ente-io/ente/releases?q=tag%3Acli) +[here](https://github.com/ente-io/ente/releases?q=tag%3Acli). -Check our [documentation](/self-hosting/administration/cli) on how to use Ente -CLI for managing self-hosted instances. +Check our [documentation](/self-hosting/administration/cli) on how to use Ente CLI for managing self-hosted instances. ::: info For upgrading From 0bbd32873f472b6606abcc6619b6336ba30608fc Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Sat, 26 Jul 2025 15:18:55 +0530 Subject: [PATCH 193/302] fix: only allow save when changed --- .../collections/album/smart_album_people.dart | 178 ++++++++++-------- .../widgets/people_widget_settings.dart | 15 +- 2 files changed, 106 insertions(+), 87 deletions(-) diff --git a/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart b/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart index e9911e93ec..a7832e68e2 100644 --- a/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart +++ b/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart @@ -1,5 +1,6 @@ import "dart:async"; +import "package:flutter/foundation.dart"; import 'package:flutter/material.dart'; import "package:photos/core/event_bus.dart"; import "package:photos/db/files_db.dart"; @@ -53,6 +54,10 @@ class _SmartAlbumPeopleState extends State { @override Widget build(BuildContext context) { + final areIdsChanged = currentConfig?.personIDs != null + ? !setEquals(_selectedPeople.personIds, currentConfig!.personIDs) + : _selectedPeople.personIds.isNotEmpty; + return Scaffold( bottomNavigationBar: Padding( padding: EdgeInsets.fromLTRB( @@ -69,98 +74,107 @@ class _SmartAlbumPeopleState extends State { buttonSize: ButtonSize.large, labelText: S.of(context).save, shouldSurfaceExecutionStates: false, - onTap: () async { - final dialog = createProgressDialog( - context, - S.of(context).pleaseWait, - isDismissible: true, - ); + isDisabled: !areIdsChanged, + onTap: areIdsChanged + ? () async { + final dialog = createProgressDialog( + context, + S.of(context).pleaseWait, + isDismissible: true, + ); - if (_selectedPeople.personIds.length == - currentConfig?.personIDs.length && - _selectedPeople.personIds - .toSet() - .difference(currentConfig?.personIDs.toSet() ?? {}) - .isEmpty) { - Navigator.pop(context); - return; - } + if (_selectedPeople.personIds.length == + currentConfig?.personIDs.length && + _selectedPeople.personIds + .toSet() + .difference( + currentConfig?.personIDs.toSet() ?? {}, + ) + .isEmpty) { + Navigator.pop(context); + return; + } - try { - await dialog.show(); - SmartAlbumConfig newConfig; + try { + await dialog.show(); + SmartAlbumConfig newConfig; - if (currentConfig == null) { - final infoMap = {}; + if (currentConfig == null) { + final infoMap = {}; - // Add files which are needed - for (final personId in _selectedPeople.personIds) { - infoMap[personId] = (updatedAt: 0, addedFiles: {}); - } - - newConfig = SmartAlbumConfig( - collectionId: widget.collectionId, - personIDs: _selectedPeople.personIds, - infoMap: infoMap, - ); - } else { - final removedPersonIds = currentConfig!.personIDs - .toSet() - .difference(_selectedPeople.personIds.toSet()) - .toList(); - - if (removedPersonIds.isNotEmpty) { - final toDelete = await removeFilesDialog(context); - await dialog.show(); - - if (toDelete) { - for (final personId in removedPersonIds) { - final files = - currentConfig!.infoMap[personId]?.addedFiles; - - final enteFiles = await FilesDB.instance - .getAllFilesGroupByCollectionID( - files?.toList() ?? [], - ); - - final collection = CollectionsService.instance - .getCollectionByID(widget.collectionId); - - if (files?.isNotEmpty ?? false) { - await CollectionActions(CollectionsService.instance) - .moveFilesFromCurrentCollection( - context, - collection!, - enteFiles[widget.collectionId] ?? [], - isHidden: collection.isHidden(), - ); + // Add files which are needed + for (final personId in _selectedPeople.personIds) { + infoMap[personId] = (updatedAt: 0, addedFiles: {}); } + + newConfig = SmartAlbumConfig( + collectionId: widget.collectionId, + personIDs: _selectedPeople.personIds, + infoMap: infoMap, + ); + } else { + final removedPersonIds = currentConfig!.personIDs + .toSet() + .difference(_selectedPeople.personIds.toSet()) + .toList(); + + if (removedPersonIds.isNotEmpty) { + final toDelete = await removeFilesDialog(context); + await dialog.show(); + + if (toDelete) { + for (final personId in removedPersonIds) { + final files = currentConfig! + .infoMap[personId]?.addedFiles; + + final enteFiles = await FilesDB.instance + .getAllFilesGroupByCollectionID( + files?.toList() ?? [], + ); + + final collection = CollectionsService.instance + .getCollectionByID(widget.collectionId); + + if (files?.isNotEmpty ?? false) { + await CollectionActions( + CollectionsService.instance, + ).moveFilesFromCurrentCollection( + context, + collection!, + enteFiles[widget.collectionId] ?? [], + isHidden: collection.isHidden(), + ); + } + } + + Bus.instance.fire( + CollectionUpdatedEvent( + widget.collectionId, + [], + "smart_album_people", + ), + ); + } + } + newConfig = currentConfig!.getUpdatedConfig( + _selectedPeople.personIds, + ); } - Bus.instance.fire( - CollectionUpdatedEvent( - widget.collectionId, - [], - "smart_album_people", - ), + await smartAlbumsService.saveConfig(newConfig); + unawaited(smartAlbumsService.syncSmartAlbums()); + + await dialog.hide(); + Navigator.pop(context); + } catch (e) { + await dialog.hide(); + await showGenericErrorDialog( + context: context, + error: e, ); } } - newConfig = currentConfig!.getUpdatedConfig( - _selectedPeople.personIds, - ); - } - - await smartAlbumsService.saveConfig(newConfig); - unawaited(smartAlbumsService.syncSmartAlbums()); - - await dialog.hide(); - Navigator.pop(context); - } catch (e) { - await dialog.hide(); - await showGenericErrorDialog(context: context, error: e); - } - }, + : null, ); }, ), diff --git a/mobile/apps/photos/lib/ui/settings/widgets/people_widget_settings.dart b/mobile/apps/photos/lib/ui/settings/widgets/people_widget_settings.dart index fc78d8332f..d02a2d5621 100644 --- a/mobile/apps/photos/lib/ui/settings/widgets/people_widget_settings.dart +++ b/mobile/apps/photos/lib/ui/settings/widgets/people_widget_settings.dart @@ -1,5 +1,6 @@ import "dart:async"; +import "package:flutter/foundation.dart"; import 'package:flutter/material.dart'; import "package:photos/generated/l10n.dart"; import "package:photos/l10n/l10n.dart"; @@ -22,6 +23,7 @@ class PeopleWidgetSettings extends StatefulWidget { class _PeopleWidgetSettingsState extends State { bool hasInstalledAny = false; final _selectedPeople = SelectedPeople(); + Set? lastSelectedPeople; @override void initState() { @@ -35,18 +37,21 @@ class _PeopleWidgetSettingsState extends State { if (selectedPeople != null) { _selectedPeople.select(selectedPeople.toSet()); + lastSelectedPeople = _selectedPeople.personIds; } } Future checkIfAnyWidgetInstalled() async { final count = await PeopleHomeWidgetService.instance.countHomeWidgets(); - setState(() { - hasInstalledAny = count > 0; - }); + setState(() => hasInstalledAny = count > 0); } @override Widget build(BuildContext context) { + final areIdsChanged = lastSelectedPeople != null + ? !setEquals(_selectedPeople.personIds, lastSelectedPeople) + : _selectedPeople.personIds.isNotEmpty; + return Scaffold( bottomNavigationBar: hasInstalledAny ? Padding( @@ -64,8 +69,8 @@ class _PeopleWidgetSettingsState extends State { buttonSize: ButtonSize.large, labelText: S.of(context).save, shouldSurfaceExecutionStates: false, - isDisabled: _selectedPeople.personIds.isEmpty, - onTap: _selectedPeople.personIds.isEmpty + isDisabled: areIdsChanged, + onTap: areIdsChanged ? null : () async { unawaited( From de481cc6899632393e8a6d0aa00d435d81d97d79 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Sat, 26 Jul 2025 15:19:03 +0530 Subject: [PATCH 194/302] fix: don't show filters if empty --- .../hierarchicial_search/recommended_filters_for_appbar.dart | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/mobile/apps/photos/lib/ui/viewer/hierarchicial_search/recommended_filters_for_appbar.dart b/mobile/apps/photos/lib/ui/viewer/hierarchicial_search/recommended_filters_for_appbar.dart index 2c98a5bd38..c9d5163926 100644 --- a/mobile/apps/photos/lib/ui/viewer/hierarchicial_search/recommended_filters_for_appbar.dart +++ b/mobile/apps/photos/lib/ui/viewer/hierarchicial_search/recommended_filters_for_appbar.dart @@ -62,6 +62,10 @@ class _RecommendedFiltersForAppbarState @override Widget build(BuildContext context) { + if (_recommendations.isEmpty) { + return const SizedBox.shrink(); + } + return Padding( padding: const EdgeInsets.only(bottom: 8), child: SizedBox( From 58baa04df32694be7b52d39cd8ad68672fab215e Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Sat, 26 Jul 2025 15:41:32 +0530 Subject: [PATCH 195/302] fix: selection update logic --- .../lib/ui/collections/album/smart_album_people.dart | 10 ++++++---- .../ui/settings/widgets/people_widget_settings.dart | 11 +++++++---- 2 files changed, 13 insertions(+), 8 deletions(-) diff --git a/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart b/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart index a7832e68e2..5d798c635e 100644 --- a/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart +++ b/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart @@ -54,10 +54,6 @@ class _SmartAlbumPeopleState extends State { @override Widget build(BuildContext context) { - final areIdsChanged = currentConfig?.personIDs != null - ? !setEquals(_selectedPeople.personIds, currentConfig!.personIDs) - : _selectedPeople.personIds.isNotEmpty; - return Scaffold( bottomNavigationBar: Padding( padding: EdgeInsets.fromLTRB( @@ -69,6 +65,12 @@ class _SmartAlbumPeopleState extends State { child: ListenableBuilder( listenable: _selectedPeople, builder: (context, _) { + final areIdsChanged = currentConfig?.personIDs != null + ? !setEquals( + _selectedPeople.personIds, + currentConfig!.personIDs, + ) + : _selectedPeople.personIds.isEmpty; return ButtonWidget( buttonType: ButtonType.primary, buttonSize: ButtonSize.large, diff --git a/mobile/apps/photos/lib/ui/settings/widgets/people_widget_settings.dart b/mobile/apps/photos/lib/ui/settings/widgets/people_widget_settings.dart index d02a2d5621..c724672d83 100644 --- a/mobile/apps/photos/lib/ui/settings/widgets/people_widget_settings.dart +++ b/mobile/apps/photos/lib/ui/settings/widgets/people_widget_settings.dart @@ -48,10 +48,6 @@ class _PeopleWidgetSettingsState extends State { @override Widget build(BuildContext context) { - final areIdsChanged = lastSelectedPeople != null - ? !setEquals(_selectedPeople.personIds, lastSelectedPeople) - : _selectedPeople.personIds.isNotEmpty; - return Scaffold( bottomNavigationBar: hasInstalledAny ? Padding( @@ -64,6 +60,13 @@ class _PeopleWidgetSettingsState extends State { child: ListenableBuilder( listenable: _selectedPeople, builder: (context, _) { + final areIdsChanged = lastSelectedPeople != null + ? !setEquals( + _selectedPeople.personIds, + lastSelectedPeople, + ) + : _selectedPeople.personIds.isEmpty; + return ButtonWidget( buttonType: ButtonType.primary, buttonSize: ButtonSize.large, From 277189ca88617c9fd5f78bdef99803d047c70679 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Sat, 26 Jul 2025 15:46:33 +0530 Subject: [PATCH 196/302] fix: things again --- .../lib/ui/collections/album/smart_album_people.dart | 2 +- .../ui/settings/widgets/people_widget_settings.dart | 10 +++++----- 2 files changed, 6 insertions(+), 6 deletions(-) diff --git a/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart b/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart index 5d798c635e..481a57f297 100644 --- a/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart +++ b/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart @@ -70,7 +70,7 @@ class _SmartAlbumPeopleState extends State { _selectedPeople.personIds, currentConfig!.personIDs, ) - : _selectedPeople.personIds.isEmpty; + : _selectedPeople.personIds.isNotEmpty; return ButtonWidget( buttonType: ButtonType.primary, buttonSize: ButtonSize.large, diff --git a/mobile/apps/photos/lib/ui/settings/widgets/people_widget_settings.dart b/mobile/apps/photos/lib/ui/settings/widgets/people_widget_settings.dart index c724672d83..10d1c55830 100644 --- a/mobile/apps/photos/lib/ui/settings/widgets/people_widget_settings.dart +++ b/mobile/apps/photos/lib/ui/settings/widgets/people_widget_settings.dart @@ -65,17 +65,16 @@ class _PeopleWidgetSettingsState extends State { _selectedPeople.personIds, lastSelectedPeople, ) - : _selectedPeople.personIds.isEmpty; + : _selectedPeople.personIds.isNotEmpty; return ButtonWidget( buttonType: ButtonType.primary, buttonSize: ButtonSize.large, labelText: S.of(context).save, shouldSurfaceExecutionStates: false, - isDisabled: areIdsChanged, + isDisabled: !areIdsChanged, onTap: areIdsChanged - ? null - : () async { + ? () async { unawaited( PeopleHomeWidgetService.instance .setSelectedPeople( @@ -83,7 +82,8 @@ class _PeopleWidgetSettingsState extends State { ), ); Navigator.pop(context); - }, + } + : null, ); }, ), From 111b4c40c7068f492856a381773e692a98261cc0 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Sat, 26 Jul 2025 15:58:40 +0530 Subject: [PATCH 197/302] fix: final state fix --- .../photos/lib/ui/settings/widgets/people_widget_settings.dart | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/ui/settings/widgets/people_widget_settings.dart b/mobile/apps/photos/lib/ui/settings/widgets/people_widget_settings.dart index 10d1c55830..7074de829d 100644 --- a/mobile/apps/photos/lib/ui/settings/widgets/people_widget_settings.dart +++ b/mobile/apps/photos/lib/ui/settings/widgets/people_widget_settings.dart @@ -37,7 +37,7 @@ class _PeopleWidgetSettingsState extends State { if (selectedPeople != null) { _selectedPeople.select(selectedPeople.toSet()); - lastSelectedPeople = _selectedPeople.personIds; + lastSelectedPeople = selectedPeople.toSet(); } } From e5c658fcd7108f549b090e7b4d0e33248396927e Mon Sep 17 00:00:00 2001 From: Keerthana Date: Sat, 26 Jul 2025 16:58:44 +0530 Subject: [PATCH 198/302] [docs] refine Ente CLI secrets and email configuration for verification code --- docs/docs/.vitepress/sidebar.ts | 8 ++- .../docs/self-hosting/administration/users.md | 21 ++------ docs/docs/self-hosting/index.md | 9 ++-- docs/docs/self-hosting/installation/config.md | 28 ++++++++-- .../installation/post-install/index.md | 3 +- docs/docs/self-hosting/troubleshooting/cli.md | 52 +++++++++++++++++++ .../self-hosting/troubleshooting/keyring.md | 38 -------------- 7 files changed, 93 insertions(+), 66 deletions(-) create mode 100644 docs/docs/self-hosting/troubleshooting/cli.md delete mode 100644 docs/docs/self-hosting/troubleshooting/keyring.md diff --git a/docs/docs/.vitepress/sidebar.ts b/docs/docs/.vitepress/sidebar.ts index 398da45df1..4cd620992e 100644 --- a/docs/docs/.vitepress/sidebar.ts +++ b/docs/docs/.vitepress/sidebar.ts @@ -342,13 +342,17 @@ export const sidebar = [ text: "General", link: "/self-hosting/troubleshooting/misc", }, + { + text: "Docker / quickstart", + link: "/self-hosting/troubleshooting/docker", + }, { text: "Uploads", link: "/self-hosting/troubleshooting/uploads", }, { - text: "Docker / quickstart", - link: "/self-hosting/troubleshooting/docker", + text: "Ente CLI", + link: "/self-hosting/troubleshooting/cli", }, ], }, diff --git a/docs/docs/self-hosting/administration/users.md b/docs/docs/self-hosting/administration/users.md index 0e64250785..c61d9b0a2c 100644 --- a/docs/docs/self-hosting/administration/users.md +++ b/docs/docs/self-hosting/administration/users.md @@ -108,24 +108,11 @@ emails having @example.com as suffix. ### Send email with verification code -You can configure SMTP for sending verification code e-mails to users, which is -efficient if you do not know mail addresses of people for who you want to -hardcode OTTs or if you are serving larger audience. +You can configure SMTP for sending verification code e-mails to users, if you do +not wish to hardcode OTTs and have larger audience. -Set the host and port accordingly with your credentials in `museum.yaml` - -```yaml -smtp: - host: - port: - # Optional username and password if using local relay server - username: - password: - # Email address used for sending emails (this mail's credentials have to be provided) - email: - # Optional name for sender - sender-name: -``` +For more information on configuring email, check out the +[email configuration](/self-hosting/install/config#email) section. ## Disable registrations diff --git a/docs/docs/self-hosting/index.md b/docs/docs/self-hosting/index.md index 0bebcca64c..38ce6edeae 100644 --- a/docs/docs/self-hosting/index.md +++ b/docs/docs/self-hosting/index.md @@ -37,17 +37,16 @@ run Ente. ::: info -Make sure to modify the default values in `compose.yaml` and `museum.yaml` -if you wish to change endpoints, bucket configuration or server -configuration. +Make sure to modify the default values in `compose.yaml` and `museum.yaml` if +you wish to change endpoints, bucket configuration or server configuration. ::: ## Try the web app Open Ente Photos web app at `http://:3000` (or -`http://localhost:3000` if using on same local machine). -Select **Don't have an account?** to create a new user. +`http://localhost:3000` if using on same local machine). Select **Don't have an +account?** to create a new user. Follow the prompts to sign up. diff --git a/docs/docs/self-hosting/installation/config.md b/docs/docs/self-hosting/installation/config.md index ecade6cec2..99061c74f5 100644 --- a/docs/docs/self-hosting/installation/config.md +++ b/docs/docs/self-hosting/installation/config.md @@ -94,10 +94,13 @@ The `s3` section within `museum.yaml` is by default configured to use local MinIO buckets when using `quickstart.sh` or Docker Compose. If you wish to use an external S3 provider, you can edit the configuration with -your provider's credentials, and set `are_local_buckets` to `false`. +your provider's credentials, and set `s3.are_local_buckets` to `false`. -MinIO uses the port `3200` for API Endpoints. Web Console can be accessed at -http://localhost:3201 by enabling port `3201` in the Compose file. +If you are using default MinIO, it is accessible at port `3200`. Web Console can +be accessed by enabling port `3201` in the Compose file. + +For more information on object storage configuration, check our +[documentation](/self-hosting/administration/object-storage). If you face any issues related to uploads then check out [CORS](/self-hosting/administration/object-storage#cors-cross-origin-resource-sharing) @@ -146,6 +149,25 @@ go run tools/gen-random-keys/main.go ### Email +You may wish to send emails for verification codes instead of +[hardcoding them](/self-hosting/administration/users#use-hardcoded-otts). In +such cases, you can configure SMTP (or Zoho Transmail, for bulk emails). + +Set the host and port accordingly with your credentials in `museum.yaml` + +```yaml +smtp: + host: + port: + # Optional username and password if using local relay server + username: + password: + # Email address used for sending emails (this mail's credentials have to be provided) + email: + # Optional name for sender + sender-name: +``` + | Variable | Description | Default | | ------------------ | ---------------------------- | ------- | | `smtp.host` | SMTP server host | | diff --git a/docs/docs/self-hosting/installation/post-install/index.md b/docs/docs/self-hosting/installation/post-install/index.md index b6ebd19b98..9de972602b 100644 --- a/docs/docs/self-hosting/installation/post-install/index.md +++ b/docs/docs/self-hosting/installation/post-install/index.md @@ -161,7 +161,8 @@ apps](web-dev-settings.png){width=400px} You can download Ente CLI from [here](https://github.com/ente-io/ente/releases?q=tag%3Acli). -Check our [documentation](/self-hosting/administration/cli) on how to use Ente CLI for managing self-hosted instances. +Check our [documentation](/self-hosting/administration/cli) on how to use Ente +CLI for managing self-hosted instances. ::: info For upgrading diff --git a/docs/docs/self-hosting/troubleshooting/cli.md b/docs/docs/self-hosting/troubleshooting/cli.md new file mode 100644 index 0000000000..424addaabe --- /dev/null +++ b/docs/docs/self-hosting/troubleshooting/cli.md @@ -0,0 +1,52 @@ +--- +title: Ente CLI - Self-hosting +description: A quick hotfix for keyring errors while running Ente CLI. +--- + +# Ente CLI + +## Secrets + +Ente CLI makes use of your system keyring for storing sensitive information such +as passwords. + +There are 2 ways to address keyring-related error: + +### Install system keyring + +This is the recommended method as it is considerably secure than the latter. + +If you are using Linux for accessing Ente CLI with, you can install a system +keyring manager such as `gnome-keyring`, `kwallet`, etc. via your distribution's +package manager. + +For Ubuntu/Debian based distributions, you can install `gnome-keyring` via `apt` + +```shell +sudo apt install gnome-keyring +``` + +Now you can use Ente CLI for adding account, which will trigger your system's +keyring. + +### Configure secrets path + +In case of using Ente CLI on server environment, you may not be able to install +system keyring. In such cases, you can configure Ente CLI to use a text file for +saving the secrets. + +Set `ENTE_CLI_SECRETS_PATH` environment variable in your shell's configuration +file (`~/.bashrc`, `~/.zshrc`, or other corresponding file) + +```shell +# Replace ./secrets.txt with the path to secrets file +# that you are using for saving. +# IMPORTANT: Make sure it is stored in a secure place. +export ENTE_CLI_SECRETS_PATH=./secrets.txt +``` + +When you run Ente CLI, and if the file doesn't exist, Ente CLI will create it +and fill it with a random 32 character encryption key. + +If you create the file, please fill it with a cryptographically generated 32 +byte string. diff --git a/docs/docs/self-hosting/troubleshooting/keyring.md b/docs/docs/self-hosting/troubleshooting/keyring.md deleted file mode 100644 index 40d6e4521f..0000000000 --- a/docs/docs/self-hosting/troubleshooting/keyring.md +++ /dev/null @@ -1,38 +0,0 @@ ---- -title: Ente CLI Secrets - Self-hosting -description: A quick hotfix for keyring errors while running Ente CLI. ---- - -# Ente CLI Secrets - -Ente CLI makes use of system keyring for storing sensitive information like your -passwords. And running the CLI straight out of the box might give you some -errors related to keyrings in some case. - -Follow the below steps to run Ente CLI and also avoid keyrings errors. - -Run: - -```shell -# export the secrets path -export ENTE_CLI_SECRETS_PATH=./ - -./ente-cli -``` - -You can also add the above line to your shell's rc file, to prevent the need to -export manually every time. - -Then one of the following: - -1. If the file doesn't exist, Ente CLI will create it and fill it with a random - 32 character encryption key. -2. If you do create the file, please fill it with a cryptographically generated - 32 byte string. - -And you are good to go. - -## References - -- [Ente CLI Secrets Path](https://www.reddit.com/r/selfhosted/comments/1gc09il/comment/lu2hox2/?utm_source=share&utm_medium=web3x&utm_name=web3xcss&utm_term=1&utm_content=share_button) -- [Keyrings](https://man7.org/linux/man-pages/man7/keyrings.7.html) From 3680ccddfd1280893f57d1ac2e196a6f83656d6b Mon Sep 17 00:00:00 2001 From: ashilkn Date: Sat, 26 Jul 2025 17:24:18 +0530 Subject: [PATCH 199/302] Change color --- .../viewer/gallery/component/group/group_header_widget.dart | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart b/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart index 59485702fa..197f75de5a 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart @@ -180,7 +180,8 @@ class _GroupHeaderWidgetState extends State { child: widget.fadeInTrailingIcons ? Icon( Icons.more_vert_outlined, - color: colorScheme.blurStrokeBase, + // color: colorScheme.blurStrokeBase, + color: colorScheme.strokeMuted, ).animate().fadeIn( duration: const Duration( milliseconds: PinnedGroupHeader @@ -196,7 +197,8 @@ class _GroupHeaderWidgetState extends State { ) : Icon( Icons.more_vert_outlined, - color: colorScheme.strokeBase, + // color: colorScheme.blurStrokeBase, + color: colorScheme.strokeMuted, ), ), ) From cdd1353bb21e5220407d65d9043d2e237f1bd544 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Sat, 26 Jul 2025 17:31:09 +0530 Subject: [PATCH 200/302] Delete old gallery files --- .../ui/huge_listview/draggable_scrollbar.dart | 217 -------------- .../lib/ui/huge_listview/huge_listview.dart | 201 ------------- .../ui/huge_listview/scroll_bar_thumb.dart | 159 ----------- .../grid/gallery_grid_view_widget.dart | 52 ---- .../component/grid/lazy_grid_view.dart | 113 -------- .../grid/non_recyclable_grid_view_widget.dart | 73 ----- .../grid/place_holder_grid_view_widget.dart | 49 ---- .../grid/recyclable_grid_view_widget.dart | 71 ----- .../component/group/group_gallery.dart | 56 ---- .../component/group/lazy_group_gallery.dart | 267 ------------------ .../multiple_groups_gallery_view.dart | 160 ----------- .../photos/lib/ui/viewer/gallery/gallery.dart | 23 -- 12 files changed, 1441 deletions(-) delete mode 100644 mobile/apps/photos/lib/ui/huge_listview/draggable_scrollbar.dart delete mode 100644 mobile/apps/photos/lib/ui/huge_listview/huge_listview.dart delete mode 100644 mobile/apps/photos/lib/ui/huge_listview/scroll_bar_thumb.dart delete mode 100644 mobile/apps/photos/lib/ui/viewer/gallery/component/grid/gallery_grid_view_widget.dart delete mode 100644 mobile/apps/photos/lib/ui/viewer/gallery/component/grid/lazy_grid_view.dart delete mode 100644 mobile/apps/photos/lib/ui/viewer/gallery/component/grid/non_recyclable_grid_view_widget.dart delete mode 100644 mobile/apps/photos/lib/ui/viewer/gallery/component/grid/place_holder_grid_view_widget.dart delete mode 100644 mobile/apps/photos/lib/ui/viewer/gallery/component/grid/recyclable_grid_view_widget.dart delete mode 100644 mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_gallery.dart delete mode 100644 mobile/apps/photos/lib/ui/viewer/gallery/component/group/lazy_group_gallery.dart delete mode 100644 mobile/apps/photos/lib/ui/viewer/gallery/component/multiple_groups_gallery_view.dart diff --git a/mobile/apps/photos/lib/ui/huge_listview/draggable_scrollbar.dart b/mobile/apps/photos/lib/ui/huge_listview/draggable_scrollbar.dart deleted file mode 100644 index 0770d6bd0d..0000000000 --- a/mobile/apps/photos/lib/ui/huge_listview/draggable_scrollbar.dart +++ /dev/null @@ -1,217 +0,0 @@ -import 'dart:async'; - -import 'package:flutter/material.dart'; -import 'package:flutter/services.dart'; -import 'package:photos/ui/huge_listview/scroll_bar_thumb.dart'; - -class DraggableScrollbar extends StatefulWidget { - final Widget child; - final Color backgroundColor; - final Color drawColor; - final double heightScrollThumb; - final EdgeInsetsGeometry? padding; - final int totalCount; - final int initialScrollIndex; - final double bottomSafeArea; - final int currentFirstIndex; - final ValueChanged? onChange; - final String Function(int) labelTextBuilder; - final bool isEnabled; - - const DraggableScrollbar({ - super.key, - required this.child, - this.backgroundColor = Colors.white, - this.drawColor = Colors.grey, - this.heightScrollThumb = 80.0, - this.bottomSafeArea = 120, - this.padding, - this.totalCount = 1, - this.initialScrollIndex = 0, - this.currentFirstIndex = 0, - required this.labelTextBuilder, - this.onChange, - this.isEnabled = true, - }); - - @override - DraggableScrollbarState createState() => DraggableScrollbarState(); -} - -class DraggableScrollbarState extends State - with TickerProviderStateMixin { - static const thumbAnimationDuration = Duration(milliseconds: 1000); - static const labelAnimationDuration = Duration(milliseconds: 1000); - double thumbOffset = 0.0; - bool isDragging = false; - late int currentFirstIndex; - - double get thumbMin => 0.0; - - double get thumbMax => - context.size!.height - widget.heightScrollThumb - widget.bottomSafeArea; - - late AnimationController _thumbAnimationController; - Animation? _thumbAnimation; - late AnimationController _labelAnimationController; - Animation? _labelAnimation; - Timer? _fadeoutTimer; - - @override - void initState() { - super.initState(); - currentFirstIndex = widget.currentFirstIndex; - - ///Where will this be true on init? - if (widget.initialScrollIndex > 0 && widget.totalCount > 1) { - WidgetsBinding.instance.addPostFrameCallback((_) { - setState( - () => thumbOffset = (widget.initialScrollIndex / widget.totalCount) * - (thumbMax - thumbMin), - ); - }); - } - - _thumbAnimationController = AnimationController( - vsync: this, - duration: thumbAnimationDuration, - animationBehavior: AnimationBehavior.preserve, - ); - - _thumbAnimation = CurvedAnimation( - parent: _thumbAnimationController, - curve: Curves.fastOutSlowIn, - ); - - _labelAnimationController = AnimationController( - vsync: this, - duration: labelAnimationDuration, - animationBehavior: AnimationBehavior.preserve, - ); - - _labelAnimation = CurvedAnimation( - parent: _labelAnimationController, - curve: Curves.fastOutSlowIn, - ); - } - - @override - void dispose() { - _thumbAnimationController.dispose(); - _labelAnimationController.dispose(); - _fadeoutTimer?.cancel(); - super.dispose(); - } - - @override - Widget build(BuildContext context) { - return Stack( - children: [ - RepaintBoundary(child: widget.child), - widget.isEnabled - ? RepaintBoundary(child: buildThumb()) - : const SizedBox.shrink(), - ], - ); - } - - Widget buildThumb() => Padding( - padding: widget.padding!, - child: Container( - alignment: Alignment.topRight, - margin: EdgeInsets.only(top: thumbOffset), - child: ScrollBarThumb( - widget.backgroundColor, - widget.drawColor, - widget.heightScrollThumb, - widget.labelTextBuilder.call(currentFirstIndex), - _labelAnimation, - _thumbAnimation, - onDragStart, - onDragUpdate, - onDragEnd, - ), - ), - ); - - void setPosition(double position, int currentFirstIndex) { - setState(() { - this.currentFirstIndex = currentFirstIndex; - thumbOffset = position * (thumbMax - thumbMin); - if (_thumbAnimationController.status != AnimationStatus.forward) { - _thumbAnimationController.forward(); - } - _fadeoutTimer?.cancel(); - _fadeoutTimer = Timer(thumbAnimationDuration, () { - _thumbAnimationController.reverse(); - _labelAnimationController.reverse(); - _fadeoutTimer = null; - }); - }); - } - - void onDragStart(DragStartDetails details) { - setState(() { - isDragging = true; - _labelAnimationController.forward(); - _fadeoutTimer?.cancel(); - }); - } - - void onDragUpdate(DragUpdateDetails details) { - setState(() { - if (_thumbAnimationController.status != AnimationStatus.forward) { - _thumbAnimationController.forward(); - } - if (isDragging && details.delta.dy != 0) { - thumbOffset += details.delta.dy; - thumbOffset = thumbOffset.clamp(thumbMin, thumbMax); - final double position = thumbOffset / (thumbMax - thumbMin); - widget.onChange?.call(position); - } - }); - } - - void onDragEnd(DragEndDetails details) { - _fadeoutTimer = Timer(thumbAnimationDuration, () { - _thumbAnimationController.reverse(); - _labelAnimationController.reverse(); - _fadeoutTimer = null; - }); - setState(() => isDragging = false); - } - - void keyHandler(KeyEvent value) { - if (value.runtimeType == KeyDownEvent) { - if (value.logicalKey == LogicalKeyboardKey.arrowDown) { - onDragUpdate( - DragUpdateDetails( - globalPosition: Offset.zero, - delta: const Offset(0, 2), - ), - ); - } else if (value.logicalKey == LogicalKeyboardKey.arrowUp) { - onDragUpdate( - DragUpdateDetails( - globalPosition: Offset.zero, - delta: const Offset(0, -2), - ), - ); - } else if (value.logicalKey == LogicalKeyboardKey.pageDown) { - onDragUpdate( - DragUpdateDetails( - globalPosition: Offset.zero, - delta: const Offset(0, 25), - ), - ); - } else if (value.logicalKey == LogicalKeyboardKey.pageUp) { - onDragUpdate( - DragUpdateDetails( - globalPosition: Offset.zero, - delta: const Offset(0, -25), - ), - ); - } - } - } -} diff --git a/mobile/apps/photos/lib/ui/huge_listview/huge_listview.dart b/mobile/apps/photos/lib/ui/huge_listview/huge_listview.dart deleted file mode 100644 index c4a8f343ee..0000000000 --- a/mobile/apps/photos/lib/ui/huge_listview/huge_listview.dart +++ /dev/null @@ -1,201 +0,0 @@ -import 'dart:math' show max; - -import 'package:flutter/material.dart'; -import 'package:photos/ui/huge_listview/draggable_scrollbar.dart'; -import 'package:scrollable_positioned_list/scrollable_positioned_list.dart'; - -typedef HugeListViewItemBuilder = Widget Function( - BuildContext context, - int index, -); -typedef HugeListViewErrorBuilder = Widget Function( - BuildContext context, - dynamic error, -); - -class HugeListView extends StatefulWidget { - /// A [ScrollablePositionedList] controller for jumping or scrolling to an item. - final ItemScrollController? controller; - - /// Index of an item to initially align within the viewport. - final int startIndex; - - /// Total number of items in the list. - final int totalCount; - - /// Called to build the thumb. One of [DraggableScrollbarThumbs.RoundedRectThumb], [DraggableScrollbarThumbs.ArrowThumb] - /// or [DraggableScrollbarThumbs.SemicircleThumb], or build your own. - final String Function(int) labelTextBuilder; - - /// Background color of scroll thumb, defaults to white. - final Color thumbBackgroundColor; - - /// Drawing color of scroll thumb, defaults to gray. - final Color thumbDrawColor; - - /// Height of scroll thumb, defaults to 48. - final double thumbHeight; - - /// Height of bottomSafeArea so that scroll thumb does not become hidden - /// or un-clickable due to footer elements. Default value is 120 - final double bottomSafeArea; - - /// Called to build an individual item with the specified [index]. - final HugeListViewItemBuilder itemBuilder; - - /// Called to build a progress widget while the whole list is initialized. - final WidgetBuilder? waitBuilder; - - /// Called to build a widget when the list is empty. - final WidgetBuilder? emptyResultBuilder; - - /// Called to build a widget when there is an error. - final HugeListViewErrorBuilder? errorBuilder; - - /// Event to call with the index of the topmost visible item in the viewport while scrolling. - /// Can be used to display the current letter of an alphabetically sorted list, for instance. - final ValueChanged? firstShown; - - final bool isDraggableScrollbarEnabled; - - final EdgeInsetsGeometry? thumbPadding; - - final bool disableScroll; - - final bool isScrollablePositionedList; - - const HugeListView({ - super.key, - this.controller, - required this.startIndex, - required this.totalCount, - required this.labelTextBuilder, - required this.itemBuilder, - this.waitBuilder, - this.emptyResultBuilder, - this.errorBuilder, - this.firstShown, - this.thumbBackgroundColor = Colors.red, // Colors.white, - this.thumbDrawColor = Colors.yellow, //Colors.grey, - this.thumbHeight = 48.0, - this.bottomSafeArea = 120.0, - this.isDraggableScrollbarEnabled = true, - this.thumbPadding, - this.disableScroll = false, - this.isScrollablePositionedList = true, - }); - - @override - HugeListViewState createState() => HugeListViewState(); -} - -class HugeListViewState extends State> { - final scrollKey = GlobalKey(); - final listener = ItemPositionsListener.create(); - int lastIndexJump = -1; - dynamic error; - - @override - void initState() { - super.initState(); - - widget.isScrollablePositionedList - ? listener.itemPositions.addListener(_sendScroll) - : null; - } - - @override - void dispose() { - listener.itemPositions.removeListener(_sendScroll); - super.dispose(); - } - - void _sendScroll() { - final int current = _currentFirst(); - widget.firstShown?.call(current); - scrollKey.currentState?.setPosition(current / widget.totalCount, current); - } - - int _currentFirst() { - try { - return listener.itemPositions.value.first.index; - } catch (e) { - return 0; - } - } - - @override - Widget build(BuildContext context) { - if (error != null && widget.errorBuilder != null) { - return widget.errorBuilder!(context, error); - } - if (widget.totalCount == -1 && widget.waitBuilder != null) { - return widget.waitBuilder!(context); - } - if (widget.totalCount == 0 && widget.emptyResultBuilder != null) { - return widget.emptyResultBuilder!(context); - } - - return widget.isScrollablePositionedList - ? DraggableScrollbar( - key: scrollKey, - totalCount: widget.totalCount, - initialScrollIndex: widget.startIndex, - onChange: (position) { - final int currentIndex = _currentFirst(); - final int floorIndex = (position * widget.totalCount).floor(); - final int cielIndex = (position * widget.totalCount).ceil(); - int nextIndexToJump; - if (floorIndex != currentIndex && floorIndex > currentIndex) { - nextIndexToJump = floorIndex; - } else if (cielIndex != currentIndex && - cielIndex < currentIndex) { - nextIndexToJump = floorIndex; - } else { - return; - } - if (lastIndexJump != nextIndexToJump) { - lastIndexJump = nextIndexToJump; - widget.controller?.jumpTo(index: nextIndexToJump); - } - }, - labelTextBuilder: widget.labelTextBuilder, - backgroundColor: widget.thumbBackgroundColor, - drawColor: widget.thumbDrawColor, - heightScrollThumb: widget.thumbHeight, - bottomSafeArea: widget.bottomSafeArea, - currentFirstIndex: _currentFirst(), - isEnabled: widget.isDraggableScrollbarEnabled, - padding: widget.thumbPadding, - child: ScrollablePositionedList.builder( - physics: widget.disableScroll - ? const NeverScrollableScrollPhysics() - : const BouncingScrollPhysics(), - itemScrollController: widget.controller, - itemPositionsListener: listener, - initialScrollIndex: widget.startIndex, - itemCount: max(widget.totalCount, 0), - itemBuilder: (context, index) { - return ExcludeSemantics( - child: widget.itemBuilder(context, index), - ); - }, - ), - ) - : ListView.builder( - physics: const BouncingScrollPhysics(), - itemCount: max(widget.totalCount, 0), - itemBuilder: (context, index) { - return ExcludeSemantics( - child: widget.itemBuilder(context, index), - ); - }, - ); - } - - /// Jump to the [position] in the list. [position] is between 0.0 (first item) and 1.0 (last item), practically currentIndex / totalCount. - /// To jump to a specific item, use [ItemScrollController.jumpTo] or [ItemScrollController.scrollTo]. - void setPosition(double position) { - scrollKey.currentState?.setPosition(position, _currentFirst()); - } -} diff --git a/mobile/apps/photos/lib/ui/huge_listview/scroll_bar_thumb.dart b/mobile/apps/photos/lib/ui/huge_listview/scroll_bar_thumb.dart deleted file mode 100644 index 11714f1f6a..0000000000 --- a/mobile/apps/photos/lib/ui/huge_listview/scroll_bar_thumb.dart +++ /dev/null @@ -1,159 +0,0 @@ -import 'package:flutter/material.dart'; - -class ScrollBarThumb extends StatelessWidget { - final Color backgroundColor; - final Color drawColor; - final double height; - final String title; - final Animation? labelAnimation; - final Animation? thumbAnimation; - final Function(DragStartDetails details) onDragStart; - final Function(DragUpdateDetails details) onDragUpdate; - final Function(DragEndDetails details) onDragEnd; - - const ScrollBarThumb( - this.backgroundColor, - this.drawColor, - this.height, - this.title, - this.labelAnimation, - this.thumbAnimation, - this.onDragStart, - this.onDragUpdate, - this.onDragEnd, { - super.key, - }); - - @override - Widget build(BuildContext context) { - return Row( - mainAxisAlignment: MainAxisAlignment.end, - children: [ - IgnorePointer( - child: FadeTransition( - opacity: labelAnimation as Animation, - child: Container( - padding: const EdgeInsets.fromLTRB(20, 12, 20, 12), - decoration: BoxDecoration( - borderRadius: BorderRadius.circular(10), - color: backgroundColor, - ), - child: Text( - title, - style: TextStyle( - color: drawColor, - fontWeight: FontWeight.bold, - backgroundColor: Colors.transparent, - fontSize: 14, - ), - ), - ), - ), - ), - const Padding( - padding: EdgeInsets.all(12), - ), - GestureDetector( - onVerticalDragStart: onDragStart, - onVerticalDragUpdate: onDragUpdate, - onVerticalDragEnd: onDragEnd, - child: SlideFadeTransition( - animation: thumbAnimation as Animation?, - child: CustomPaint( - foregroundPainter: _ArrowCustomPainter(drawColor), - child: Material( - elevation: 4.0, - color: backgroundColor, - borderRadius: BorderRadius.only( - topLeft: Radius.circular(height), - bottomLeft: Radius.circular(height), - topRight: const Radius.circular(4.0), - bottomRight: const Radius.circular(4.0), - ), - child: Container( - constraints: BoxConstraints.tight(Size(height * 0.6, height)), - ), - ), - ), - ), - ), - ], - ); - } -} - -class _ArrowCustomPainter extends CustomPainter { - final Color drawColor; - - _ArrowCustomPainter(this.drawColor); - - @override - bool shouldRepaint(covariant CustomPainter oldDelegate) => false; - - @override - void paint(Canvas canvas, Size size) { - final paint = Paint() - ..isAntiAlias = true - ..style = PaintingStyle.fill - ..color = drawColor; - const width = 10.0; - const height = 8.0; - final baseX = size.width / 2; - final baseY = size.height / 2; - - canvas.drawPath( - trianglePath(Offset(baseX - 2.0, baseY - 2.0), width, height, true), - paint, - ); - canvas.drawPath( - trianglePath(Offset(baseX - 2.0, baseY + 2.0), width, height, false), - paint, - ); - } - - static Path trianglePath( - Offset offset, - double width, - double height, - bool isUp, - ) { - return Path() - ..moveTo(offset.dx, offset.dy) - ..lineTo(offset.dx + width, offset.dy) - ..lineTo( - offset.dx + (width / 2), - isUp ? offset.dy - height : offset.dy + height, - ) - ..close(); - } -} - -class SlideFadeTransition extends StatelessWidget { - final Animation? animation; - final Widget child; - - const SlideFadeTransition({ - super.key, - required this.animation, - required this.child, - }); - - @override - Widget build(BuildContext context) { - return AnimatedBuilder( - animation: animation!, - builder: (context, child) => - animation!.value == 0.0 ? const SizedBox.shrink() : child!, - child: SlideTransition( - position: Tween( - begin: const Offset(0.3, 0.0), - end: const Offset(0.0, 0.0), - ).animate(animation!), - child: FadeTransition( - opacity: animation!, - child: child, - ), - ), - ); - } -} diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/component/grid/gallery_grid_view_widget.dart b/mobile/apps/photos/lib/ui/viewer/gallery/component/grid/gallery_grid_view_widget.dart deleted file mode 100644 index d0b7776be4..0000000000 --- a/mobile/apps/photos/lib/ui/viewer/gallery/component/grid/gallery_grid_view_widget.dart +++ /dev/null @@ -1,52 +0,0 @@ -import "package:flutter/widgets.dart"; -import "package:photos/core/constants.dart"; -import 'package:photos/models/file/file.dart'; -import "package:photos/models/selected_files.dart"; -import "package:photos/ui/viewer/gallery/component/gallery_file_widget.dart"; -import "package:photos/ui/viewer/gallery/gallery.dart"; - -class GalleryGridViewWidget extends StatelessWidget { - final List filesInGroup; - final int photoGridSize; - final SelectedFiles? selectedFiles; - final bool limitSelectionToOne; - final String tag; - final int? currentUserID; - final GalleryLoader asyncLoader; - const GalleryGridViewWidget({ - required this.filesInGroup, - required this.photoGridSize, - this.selectedFiles, - required this.limitSelectionToOne, - required this.tag, - super.key, - this.currentUserID, - required this.asyncLoader, - }); - - @override - Widget build(BuildContext context) { - return GridView.builder( - shrinkWrap: true, - physics: const NeverScrollableScrollPhysics(), - // to disable GridView's scrolling - itemBuilder: (context, index) { - return GalleryFileWidget( - file: filesInGroup[index], - selectedFiles: selectedFiles, - limitSelectionToOne: limitSelectionToOne, - tag: tag, - photoGridSize: photoGridSize, - currentUserID: currentUserID, - ); - }, - itemCount: filesInGroup.length, - gridDelegate: SliverGridDelegateWithFixedCrossAxisCount( - crossAxisSpacing: 2, - mainAxisSpacing: 2, - crossAxisCount: photoGridSize, - ), - padding: const EdgeInsets.symmetric(vertical: (galleryGridSpacing / 2)), - ); - } -} diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/component/grid/lazy_grid_view.dart b/mobile/apps/photos/lib/ui/viewer/gallery/component/grid/lazy_grid_view.dart deleted file mode 100644 index 54323fbfd4..0000000000 --- a/mobile/apps/photos/lib/ui/viewer/gallery/component/grid/lazy_grid_view.dart +++ /dev/null @@ -1,113 +0,0 @@ -import "dart:async"; - -import "package:flutter/foundation.dart"; -import "package:flutter/material.dart"; -import "package:photos/core/configuration.dart"; -import "package:photos/core/event_bus.dart"; -import "package:photos/events/clear_selections_event.dart"; -import 'package:photos/models/file/file.dart'; -import "package:photos/models/selected_files.dart"; -import "package:photos/ui/viewer/gallery/component/grid/non_recyclable_grid_view_widget.dart"; -import "package:photos/ui/viewer/gallery/component/grid/recyclable_grid_view_widget.dart"; -import "package:photos/ui/viewer/gallery/gallery.dart"; - -class LazyGridView extends StatefulWidget { - final String tag; - final List filesInGroup; - final GalleryLoader asyncLoader; - final SelectedFiles? selectedFiles; - final bool shouldRender; - final bool shouldRecycle; - final int? photoGridSize; - final bool limitSelectionToOne; - - const LazyGridView( - this.tag, - this.filesInGroup, - this.asyncLoader, - this.selectedFiles, - this.shouldRender, - this.shouldRecycle, - this.photoGridSize, { - this.limitSelectionToOne = false, - super.key, - }); - - @override - State createState() => _LazyGridViewState(); -} - -class _LazyGridViewState extends State { - late bool _shouldRender; - int? _currentUserID; - late StreamSubscription _clearSelectionsEvent; - - @override - void initState() { - _shouldRender = widget.shouldRender; - _currentUserID = Configuration.instance.getUserID(); - widget.selectedFiles?.addListener(_selectedFilesListener); - _clearSelectionsEvent = - Bus.instance.on().listen((event) { - if (mounted) { - setState(() {}); - } - }); - super.initState(); - } - - @override - void dispose() { - widget.selectedFiles?.removeListener(_selectedFilesListener); - _clearSelectionsEvent.cancel(); - - super.dispose(); - } - - @override - void didUpdateWidget(LazyGridView oldWidget) { - super.didUpdateWidget(oldWidget); - if (!listEquals(widget.filesInGroup, oldWidget.filesInGroup)) { - _shouldRender = widget.shouldRender; - } - } - - @override - Widget build(BuildContext context) { - if (widget.shouldRecycle) { - return RecyclableGridViewWidget( - shouldRender: _shouldRender, - filesInGroup: widget.filesInGroup, - photoGridSize: widget.photoGridSize!, - limitSelectionToOne: widget.limitSelectionToOne, - tag: widget.tag, - asyncLoader: widget.asyncLoader, - selectedFiles: widget.selectedFiles, - currentUserID: _currentUserID, - ); - } else { - return NonRecyclableGridViewWidget( - shouldRender: _shouldRender, - filesInGroup: widget.filesInGroup, - photoGridSize: widget.photoGridSize!, - limitSelectionToOne: widget.limitSelectionToOne, - tag: widget.tag, - asyncLoader: widget.asyncLoader, - selectedFiles: widget.selectedFiles, - currentUserID: _currentUserID, - ); - } - } - - void _selectedFilesListener() { - bool shouldRefresh = false; - for (final file in widget.filesInGroup) { - if (widget.selectedFiles!.isPartOfLastSelected(file)) { - shouldRefresh = true; - } - } - if (shouldRefresh && mounted) { - setState(() {}); - } - } -} diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/component/grid/non_recyclable_grid_view_widget.dart b/mobile/apps/photos/lib/ui/viewer/gallery/component/grid/non_recyclable_grid_view_widget.dart deleted file mode 100644 index 80e136af58..0000000000 --- a/mobile/apps/photos/lib/ui/viewer/gallery/component/grid/non_recyclable_grid_view_widget.dart +++ /dev/null @@ -1,73 +0,0 @@ -import "package:flutter/material.dart"; -import 'package:photos/models/file/file.dart'; -import "package:photos/models/selected_files.dart"; -import "package:photos/ui/viewer/gallery/component/grid/gallery_grid_view_widget.dart"; -import "package:photos/ui/viewer/gallery/component/grid/place_holder_grid_view_widget.dart"; -import "package:photos/ui/viewer/gallery/gallery.dart"; -import "package:visibility_detector/visibility_detector.dart"; - -class NonRecyclableGridViewWidget extends StatefulWidget { - final bool shouldRender; - final List filesInGroup; - final int photoGridSize; - final bool limitSelectionToOne; - final String tag; - final GalleryLoader asyncLoader; - final int? currentUserID; - final SelectedFiles? selectedFiles; - const NonRecyclableGridViewWidget({ - required this.shouldRender, - required this.filesInGroup, - required this.photoGridSize, - required this.limitSelectionToOne, - required this.tag, - required this.asyncLoader, - this.currentUserID, - this.selectedFiles, - super.key, - }); - - @override - State createState() => - _NonRecyclableGridViewWidgetState(); -} - -class _NonRecyclableGridViewWidgetState - extends State { - late bool _shouldRender; - @override - void initState() { - _shouldRender = widget.shouldRender; - super.initState(); - } - - @override - Widget build(BuildContext context) { - if (!_shouldRender) { - return VisibilityDetector( - key: Key("gallery" + widget.filesInGroup.first.tag), - onVisibilityChanged: (visibility) { - if (mounted && visibility.visibleFraction > 0 && !_shouldRender) { - setState(() { - _shouldRender = true; - }); - } - }, - child: PlaceHolderGridViewWidget( - widget.filesInGroup.length, - widget.photoGridSize, - ), - ); - } else { - return GalleryGridViewWidget( - filesInGroup: widget.filesInGroup, - photoGridSize: widget.photoGridSize, - limitSelectionToOne: widget.limitSelectionToOne, - tag: widget.tag, - asyncLoader: widget.asyncLoader, - selectedFiles: widget.selectedFiles, - currentUserID: widget.currentUserID, - ); - } - } -} diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/component/grid/place_holder_grid_view_widget.dart b/mobile/apps/photos/lib/ui/viewer/gallery/component/grid/place_holder_grid_view_widget.dart deleted file mode 100644 index c29d817ab3..0000000000 --- a/mobile/apps/photos/lib/ui/viewer/gallery/component/grid/place_holder_grid_view_widget.dart +++ /dev/null @@ -1,49 +0,0 @@ -import "dart:math"; - -import "package:flutter/foundation.dart"; -import 'package:flutter/material.dart'; -import "package:photos/theme/ente_theme.dart"; - -class PlaceHolderGridViewWidget extends StatelessWidget { - const PlaceHolderGridViewWidget( - this.count, - this.columns, { - super.key, - }); - - final int count, columns; - - static Widget? _placeHolderCache; - static final _gridViewCache = {}; - static const crossAxisSpacing = 2.0; // as per your code - static const mainAxisSpacing = 2.0; // as per your code - - @override - Widget build(BuildContext context) { - final Color faintColor = getEnteColorScheme(context).fillFaint; - int limitCount = count; - if (kDebugMode) { - limitCount = min(count, columns * 5); - } - - final key = '$limitCount:$columns'; - if (!_gridViewCache.containsKey(key)) { - _gridViewCache[key] = GridView.builder( - padding: const EdgeInsets.only(top: 2), - shrinkWrap: true, - physics: const NeverScrollableScrollPhysics(), - itemBuilder: (context, index) { - return PlaceHolderGridViewWidget._placeHolderCache ??= - Container(color: faintColor); - }, - itemCount: limitCount, - gridDelegate: SliverGridDelegateWithFixedCrossAxisCount( - crossAxisCount: columns, - crossAxisSpacing: crossAxisSpacing, - mainAxisSpacing: mainAxisSpacing, - ), - ); - } - return _gridViewCache[key]!; - } -} diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/component/grid/recyclable_grid_view_widget.dart b/mobile/apps/photos/lib/ui/viewer/gallery/component/grid/recyclable_grid_view_widget.dart deleted file mode 100644 index 0e5f264f3d..0000000000 --- a/mobile/apps/photos/lib/ui/viewer/gallery/component/grid/recyclable_grid_view_widget.dart +++ /dev/null @@ -1,71 +0,0 @@ -import "package:flutter/material.dart"; -import 'package:photos/models/file/file.dart'; -import "package:photos/models/selected_files.dart"; -import "package:photos/ui/viewer/gallery/component/grid/gallery_grid_view_widget.dart"; -import "package:photos/ui/viewer/gallery/component/grid/place_holder_grid_view_widget.dart"; -import "package:photos/ui/viewer/gallery/gallery.dart"; -import "package:visibility_detector/visibility_detector.dart"; - -class RecyclableGridViewWidget extends StatefulWidget { - final bool shouldRender; - final List filesInGroup; - final int photoGridSize; - final bool limitSelectionToOne; - final String tag; - final GalleryLoader asyncLoader; - final int? currentUserID; - final SelectedFiles? selectedFiles; - const RecyclableGridViewWidget({ - required this.shouldRender, - required this.filesInGroup, - required this.photoGridSize, - required this.limitSelectionToOne, - required this.tag, - required this.asyncLoader, - this.currentUserID, - this.selectedFiles, - super.key, - }); - - @override - State createState() => - _RecyclableGridViewWidgetState(); -} - -class _RecyclableGridViewWidgetState extends State { - late bool _shouldRender; - @override - void initState() { - _shouldRender = widget.shouldRender; - super.initState(); - } - - @override - Widget build(BuildContext context) { - return VisibilityDetector( - key: Key("gallery" + widget.filesInGroup.first.tag), - onVisibilityChanged: (visibility) { - final shouldRender = visibility.visibleFraction > 0; - if (mounted && shouldRender != _shouldRender) { - setState(() { - _shouldRender = shouldRender; - }); - } - }, - child: _shouldRender - ? GalleryGridViewWidget( - filesInGroup: widget.filesInGroup, - photoGridSize: widget.photoGridSize, - limitSelectionToOne: widget.limitSelectionToOne, - tag: widget.tag, - asyncLoader: widget.asyncLoader, - selectedFiles: widget.selectedFiles, - currentUserID: widget.currentUserID, - ) - : PlaceHolderGridViewWidget( - widget.filesInGroup.length, - widget.photoGridSize, - ), - ); - } -} diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_gallery.dart deleted file mode 100644 index 5a54407fe6..0000000000 --- a/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_gallery.dart +++ /dev/null @@ -1,56 +0,0 @@ -import 'dart:math'; - -import 'package:flutter/material.dart'; -import 'package:photos/core/constants.dart'; -import 'package:photos/models/file/file.dart'; -import 'package:photos/models/selected_files.dart'; -import "package:photos/ui/viewer/gallery/component/grid/lazy_grid_view.dart"; -import 'package:photos/ui/viewer/gallery/gallery.dart'; - -class GroupGallery extends StatelessWidget { - final int photoGridSize; - final List files; - final String tag; - final GalleryLoader asyncLoader; - final SelectedFiles? selectedFiles; - final bool limitSelectionToOne; - - const GroupGallery({ - required this.photoGridSize, - required this.files, - required this.tag, - required this.asyncLoader, - required this.selectedFiles, - required this.limitSelectionToOne, - super.key, - }); - - @override - Widget build(BuildContext context) { - const kRecycleLimit = 400; - final List childGalleries = []; - final subGalleryItemLimit = photoGridSize * subGalleryMultiplier; - - for (int index = 0; index < files.length; index += subGalleryItemLimit) { - childGalleries.add( - LazyGridView( - tag, - files.sublist( - index, - min(index + subGalleryItemLimit, files.length), - ), - asyncLoader, - selectedFiles, - index == 0, - files.length > kRecycleLimit, - photoGridSize, - limitSelectionToOne: limitSelectionToOne, - ), - ); - } - - return Column( - children: childGalleries, - ); - } -} diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/component/group/lazy_group_gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/component/group/lazy_group_gallery.dart deleted file mode 100644 index 19ac9a0b7c..0000000000 --- a/mobile/apps/photos/lib/ui/viewer/gallery/component/group/lazy_group_gallery.dart +++ /dev/null @@ -1,267 +0,0 @@ -import 'dart:async'; - -import 'package:flutter/foundation.dart'; -import 'package:flutter/material.dart'; -import 'package:logging/logging.dart'; -import 'package:photos/core/constants.dart'; -import 'package:photos/events/files_updated_event.dart'; -import 'package:photos/models/file/file.dart'; -import 'package:photos/models/selected_files.dart'; -import 'package:photos/theme/ente_theme.dart'; -import "package:photos/ui/viewer/gallery/component/grid/place_holder_grid_view_widget.dart"; -import "package:photos/ui/viewer/gallery/component/group/group_gallery.dart"; -import "package:photos/ui/viewer/gallery/component/group/group_header_widget.dart"; -import "package:photos/ui/viewer/gallery/component/group/type.dart"; -import 'package:photos/ui/viewer/gallery/gallery.dart'; -import "package:photos/ui/viewer/gallery/state/gallery_context_state.dart"; - -class LazyGroupGallery extends StatefulWidget { - final List files; - final int index; - final Stream? reloadEvent; - final Set removalEventTypes; - final GalleryLoader asyncLoader; - final SelectedFiles? selectedFiles; - final String tag; - final String? logTag; - final Stream currentIndexStream; - final int photoGridSize; - final bool enableFileGrouping; - final bool limitSelectionToOne; - final bool showSelectAllByDefault; - const LazyGroupGallery( - this.files, - this.index, - this.reloadEvent, - this.removalEventTypes, - this.asyncLoader, - this.selectedFiles, - this.tag, - this.currentIndexStream, - this.enableFileGrouping, - this.showSelectAllByDefault, { - this.logTag = "", - this.photoGridSize = photoGridSizeDefault, - this.limitSelectionToOne = false, - super.key, - }); - - @override - State createState() => _LazyGroupGalleryState(); -} - -class _LazyGroupGalleryState extends State { - static const numberOfGroupsToRenderBeforeAndAfter = 8; - late final ValueNotifier _showSelectAllButtonNotifier; - late final ValueNotifier _areAllFromGroupSelectedNotifier; - - late Logger _logger; - - late List _filesInGroup; - late StreamSubscription? _reloadEventSubscription; - late StreamSubscription _currentIndexSubscription; - bool? _shouldRender; - - @override - void initState() { - super.initState(); - _areAllFromGroupSelectedNotifier = - ValueNotifier(_areAllFromGroupSelected()); - - widget.selectedFiles?.addListener(_selectedFilesListener); - _showSelectAllButtonNotifier = ValueNotifier(widget.showSelectAllByDefault); - _init(); - } - - void _init() { - _logger = Logger("LazyLoading_${widget.logTag}"); - _shouldRender = true; - _filesInGroup = widget.files; - _areAllFromGroupSelectedNotifier.value = _areAllFromGroupSelected(); - _reloadEventSubscription = widget.reloadEvent?.listen((e) => _onReload(e)); - - _currentIndexSubscription = - widget.currentIndexStream.listen((currentIndex) { - final bool shouldRender = (currentIndex - widget.index).abs() < - numberOfGroupsToRenderBeforeAndAfter; - if (mounted && shouldRender != _shouldRender) { - setState(() { - _shouldRender = shouldRender; - }); - } - }); - } - - bool _areAllFromGroupSelected() { - if (widget.selectedFiles != null && - widget.selectedFiles!.files.length >= widget.files.length) { - return widget.selectedFiles!.files.containsAll(widget.files); - } else { - return false; - } - } - - Future _onReload(FilesUpdatedEvent event) async { - if (_filesInGroup.isEmpty) { - return; - } - final galleryState = context.findAncestorStateOfType(); - final groupType = GalleryContextState.of(context)!.type; - - // iterate over files and check if any of the belongs to this group - final anyCandidateForGroup = groupType.areModifiedFilesPartOfGroup( - event.updatedFiles, - _filesInGroup[0], - lastFile: _filesInGroup.last, - ); - if (anyCandidateForGroup) { - late int startRange, endRange; - (startRange, endRange) = groupType.getGroupRange(_filesInGroup[0]); - if (kDebugMode) { - _logger.info( - " files were updated due to ${event.reason} on type ${groupType.name} from ${DateTime.fromMicrosecondsSinceEpoch(startRange).toIso8601String()}" - " to ${DateTime.fromMicrosecondsSinceEpoch(endRange).toIso8601String()}", - ); - } - if (event.type == EventType.addedOrUpdated || - widget.removalEventTypes.contains(event.type)) { - // We are reloading the whole group - final result = await widget.asyncLoader( - startRange, - endRange, - asc: GalleryContextState.of(context)!.sortOrderAsc, - ); - - //When items are updated in a LazyGroupGallery, only it rebuilds with the - //new state of _files which is a state variable in it's state object. - //widget.files is not updated. Calling setState from it's ancestor - //state object 'Gallery' creates a new LazyLoadingGallery widget with - //updated widget.files - - //If widget.files is kept in it's old state, the old state will come - //up when scrolled down and back up to the group. - - //[galleryState] will never be null except when LazyLoadingGallery is - //used without Gallery as an ancestor. - - if (galleryState?.mounted ?? false) { - galleryState!.setState(() {}); - _filesInGroup = result.files; - } - } else if (kDebugMode) { - debugPrint("Unexpected event ${event.type.name}"); - } - } - } - - @override - void dispose() { - _reloadEventSubscription?.cancel(); - _currentIndexSubscription.cancel(); - _areAllFromGroupSelectedNotifier.dispose(); - widget.selectedFiles?.removeListener(_selectedFilesListener); - super.dispose(); - } - - @override - void didUpdateWidget(LazyGroupGallery oldWidget) { - super.didUpdateWidget(oldWidget); - if (!listEquals(_filesInGroup, widget.files)) { - _reloadEventSubscription?.cancel(); - _init(); - } - } - - @override - Widget build(BuildContext context) { - if (_filesInGroup.isEmpty) { - return const SizedBox.shrink(); - } - final groupType = GalleryContextState.of(context)!.type; - return Column( - children: [ - Row( - mainAxisAlignment: MainAxisAlignment.spaceBetween, - children: [ - if (widget.enableFileGrouping) - GroupHeaderWidget( - title: groupType.getTitle( - context, - _filesInGroup[0], - lastFile: _filesInGroup.last, - ), - gridSize: widget.photoGridSize, - ), - Expanded(child: Container()), - widget.limitSelectionToOne - ? const SizedBox.shrink() - : ValueListenableBuilder( - valueListenable: _showSelectAllButtonNotifier, - builder: (context, dynamic value, _) { - return !value - ? const SizedBox.shrink() - : GestureDetector( - behavior: HitTestBehavior.translucent, - child: SizedBox( - width: 48, - height: 44, - child: ValueListenableBuilder( - valueListenable: - _areAllFromGroupSelectedNotifier, - builder: (context, dynamic value, _) { - return value - ? const Icon( - Icons.check_circle, - size: 18, - ) - : Icon( - Icons.check_circle_outlined, - color: getEnteColorScheme(context) - .strokeMuted, - size: 18, - ); - }, - ), - ), - onTap: () { - widget.selectedFiles?.toggleGroupSelection( - _filesInGroup.toSet(), - ); - }, - ); - }, - ), - ], - ), - _shouldRender! - ? GroupGallery( - photoGridSize: widget.photoGridSize, - files: _filesInGroup, - tag: widget.tag, - asyncLoader: widget.asyncLoader, - selectedFiles: widget.selectedFiles, - limitSelectionToOne: widget.limitSelectionToOne, - ) - // todo: perf eval should we have separate PlaceHolder for Groups - // instead of creating a large cached view - : PlaceHolderGridViewWidget( - _filesInGroup.length, - widget.photoGridSize, - ), - ], - ); - } - - void _selectedFilesListener() { - if (widget.selectedFiles == null) return; - _areAllFromGroupSelectedNotifier.value = - widget.selectedFiles!.files.containsAll(_filesInGroup.toSet()); - - //Can remove this if we decide to show select all by default for all galleries - if (widget.selectedFiles!.files.isEmpty && !widget.showSelectAllByDefault) { - _showSelectAllButtonNotifier.value = false; - } else { - _showSelectAllButtonNotifier.value = true; - } - } -} diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/component/multiple_groups_gallery_view.dart b/mobile/apps/photos/lib/ui/viewer/gallery/component/multiple_groups_gallery_view.dart deleted file mode 100644 index de38d22fda..0000000000 --- a/mobile/apps/photos/lib/ui/viewer/gallery/component/multiple_groups_gallery_view.dart +++ /dev/null @@ -1,160 +0,0 @@ -import "package:flutter/material.dart"; -import "package:intl/intl.dart"; -import "package:logging/logging.dart"; -import "package:photos/core/event_bus.dart"; -import "package:photos/ente_theme_data.dart"; -import "package:photos/events/files_updated_event.dart"; -import 'package:photos/models/file/file.dart'; -import "package:photos/models/selected_files.dart"; -import "package:photos/service_locator.dart"; -import "package:photos/ui/common/loading_widget.dart"; -import "package:photos/ui/huge_listview/huge_listview.dart"; -import 'package:photos/ui/viewer/gallery/component/group/lazy_group_gallery.dart'; -import "package:photos/ui/viewer/gallery/component/group/type.dart"; -import "package:photos/ui/viewer/gallery/gallery.dart"; -import "package:photos/ui/viewer/gallery/state/gallery_context_state.dart"; -import "package:photos/utils/standalone/data.dart"; -import "package:scrollable_positioned_list/scrollable_positioned_list.dart"; - -/* -MultipleGroupsGalleryView is a widget that displays a list of grouped/collated -files when grouping is enabled. -For each group, it displays a header and use LazyGroupGallery to display a -particular group of files. -If a group has more than 400 files, LazyGroupGallery internally divides the -group into multiple grid views during rendering. - */ -class MultipleGroupsGalleryView extends StatelessWidget { - final ItemScrollController itemScroller; - final List> groupedFiles; - final bool disableScroll; - final Widget? header; - final Widget? footer; - final Widget emptyState; - final GalleryLoader asyncLoader; - final Stream? reloadEvent; - final Set removalEventTypes; - final String tagPrefix; - final double scrollBottomSafeArea; - final bool limitSelectionToOne; - final SelectedFiles? selectedFiles; - final bool enableFileGrouping; - final String logTag; - final Logger logger; - final bool showSelectAllByDefault; - final bool isScrollablePositionedList; - - const MultipleGroupsGalleryView({ - required this.itemScroller, - required this.groupedFiles, - required this.disableScroll, - this.header, - this.footer, - required this.emptyState, - required this.asyncLoader, - this.reloadEvent, - required this.removalEventTypes, - required this.tagPrefix, - required this.scrollBottomSafeArea, - required this.limitSelectionToOne, - this.selectedFiles, - required this.enableFileGrouping, - required this.logTag, - required this.logger, - required this.showSelectAllByDefault, - required this.isScrollablePositionedList, - super.key, - }); - - @override - Widget build(BuildContext context) { - final gType = GalleryContextState.of(context)!.type; - return HugeListView>( - controller: itemScroller, - startIndex: 0, - totalCount: groupedFiles.length, - isDraggableScrollbarEnabled: groupedFiles.length > 10, - disableScroll: disableScroll, - isScrollablePositionedList: isScrollablePositionedList, - waitBuilder: (_) { - return const EnteLoadingWidget(); - }, - emptyResultBuilder: (_) { - final List children = []; - if (header != null) { - children.add(header!); - } - children.add( - Expanded( - child: emptyState, - ), - ); - if (footer != null) { - children.add(footer!); - } - return Column( - mainAxisAlignment: MainAxisAlignment.spaceBetween, - children: children, - ); - }, - itemBuilder: (context, index) { - Widget gallery; - gallery = LazyGroupGallery( - groupedFiles[index], - index, - reloadEvent, - removalEventTypes, - asyncLoader, - selectedFiles, - tagPrefix, - Bus.instance - .on() - .where((event) => event.tag == tagPrefix) - .map((event) => event.index), - enableFileGrouping, - showSelectAllByDefault, - logTag: logTag, - photoGridSize: localSettings.getPhotoGridSize(), - limitSelectionToOne: limitSelectionToOne, - ); - if (header != null && index == 0) { - gallery = Column(children: [header!, gallery]); - } - if (footer != null && index == groupedFiles.length - 1) { - gallery = Column(children: [gallery, footer!]); - } - return gallery; - }, - labelTextBuilder: (int index) { - try { - final EnteFile file = groupedFiles[index][0]; - if (gType == GroupType.size) { - return file.fileSize != null - ? convertBytesToReadableFormat(file.fileSize!) - : ""; - } - - return DateFormat.yMMM(Localizations.localeOf(context).languageCode) - .format( - DateTime.fromMicrosecondsSinceEpoch( - file.creationTime!, - ), - ); - } catch (e) { - logger.severe("label text builder failed", e); - return ""; - } - }, - thumbBackgroundColor: - Theme.of(context).colorScheme.galleryThumbBackgroundColor, - thumbDrawColor: Theme.of(context).colorScheme.galleryThumbDrawColor, - thumbPadding: header != null - ? const EdgeInsets.only(top: 60) - : const EdgeInsets.all(0), - bottomSafeArea: scrollBottomSafeArea, - firstShown: (int firstIndex) { - Bus.instance.fire(GalleryIndexUpdatedEvent(tagPrefix, firstIndex)); - }, - ); - } -} diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 73f6566535..43d1e018f3 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -555,29 +555,6 @@ class GalleryState extends State { sortOrderAsc: _sortOrderAsc, inSelectionMode: widget.inSelectionMode, type: _groupType, - // Replace this with the new gallery and use `_allGalleryFiles` - // child: MultipleGroupsGalleryView( - // groupedFiles: currentGroupedFiles, - // disableScroll: widget.disableScroll, - // emptyState: widget.emptyState, - // asyncLoader: widget.asyncLoader, - // removalEventTypes: widget.removalEventTypes, - // tagPrefix: widget.tagPrefix, - // scrollBottomSafeArea: widget.scrollBottomSafeArea, - // limitSelectionToOne: widget.limitSelectionToOne, - // enableFileGrouping: - // widget.enableFileGrouping && widget.groupType.showGroupHeader(), - // logTag: _logTag, - // logger: _logger, - // reloadEvent: widget.reloadEvent, - // header: widget.header, - // footer: widget.footer, - // selectedFiles: widget.selectedFiles, - // showSelectAllByDefault: - // widget.showSelectAllByDefault && widget.groupType.showGroupHeader(), - // isScrollablePositionedList: widget.isScrollablePositionedList, - // ), - child: _allGalleryFiles.isEmpty ? Column( mainAxisAlignment: MainAxisAlignment.spaceBetween, From 050d5ea3e93573cce12ef994c8ad671e826ff6e1 Mon Sep 17 00:00:00 2001 From: Keerthana Date: Sat, 26 Jul 2025 20:03:39 +0530 Subject: [PATCH 201/302] [docs] refactor troubleshooting for docker --- .../docs/self-hosting/administration/users.md | 2 +- docs/docs/self-hosting/installation/config.md | 5 +++ .../self-hosting/troubleshooting/docker.md | 45 ++++++++----------- 3 files changed, 25 insertions(+), 27 deletions(-) diff --git a/docs/docs/self-hosting/administration/users.md b/docs/docs/self-hosting/administration/users.md index c61d9b0a2c..af6ca2b48c 100644 --- a/docs/docs/self-hosting/administration/users.md +++ b/docs/docs/self-hosting/administration/users.md @@ -112,7 +112,7 @@ You can configure SMTP for sending verification code e-mails to users, if you do not wish to hardcode OTTs and have larger audience. For more information on configuring email, check out the -[email configuration](/self-hosting/install/config#email) section. +[email configuration](/self-hosting/installation/config#email) section. ## Disable registrations diff --git a/docs/docs/self-hosting/installation/config.md b/docs/docs/self-hosting/installation/config.md index 99061c74f5..7156046c73 100644 --- a/docs/docs/self-hosting/installation/config.md +++ b/docs/docs/self-hosting/installation/config.md @@ -78,6 +78,9 @@ used for Compose and quickstart for ease of use.) ### Database +The `db` section is used for configuring database connectivity. Ensure you +provide correct credentials for proper connectivity within Museum. + | Variable | Description | Default | | ------------- | -------------------------- | ----------- | | `db.host` | DB hostname | `localhost` | @@ -155,6 +158,8 @@ such cases, you can configure SMTP (or Zoho Transmail, for bulk emails). Set the host and port accordingly with your credentials in `museum.yaml` +You may skip the username and password if using a local relay server. + ```yaml smtp: host: diff --git a/docs/docs/self-hosting/troubleshooting/docker.md b/docs/docs/self-hosting/troubleshooting/docker.md index 079b59f71a..030037abdd 100644 --- a/docs/docs/self-hosting/troubleshooting/docker.md +++ b/docs/docs/self-hosting/troubleshooting/docker.md @@ -17,19 +17,20 @@ description: Fixing Docker-related errors when trying to self-host Ente ## post_start -The `server/compose.yaml` Docker compose file uses the "post_start" lifecycle -hook to provision the MinIO instance. +The Docker compose file used if relying on quickstart script or installation +using Docker Compose uses the "post_start" lifecycle hook to provision the MinIO +instance. The lifecycle hook **requires Docker Compose version 2.30.0+**, and if you're -using an older version of docker compose you will see an error like this: +using an older version of Docker Compose you will see an error like this: ``` validating compose.yaml: services.minio Additional property post_start is not allowed ``` -The easiest way to resolve this is to upgrade your Docker compose. +The easiest way to resolve this is to upgrade your Docker Compose. -If you cannot update your Docker compose version, then alternatively you can +If you cannot update your Docker Compose version, then alternatively you can perform the same configuration by removing the "post_start" hook, and adding a new service definition: @@ -70,11 +71,11 @@ supports the `start_interval` property on the health check. ## Postgres authentication failed -If you're getting Postgres password authentication failures when starting your +If you are getting Postgres password authentication failures when starting your cluster, then you might be using a stale Docker volume. -In more detail, if you're getting an error of the following form (pasting a full -example for easier greppability): +If you are getting an error of the following form (pasting a full example for +easier greppability): ``` museum-1 | panic: pq: password authentication failed for user "pguser" @@ -92,9 +93,13 @@ is expecting. There are 2 possibilities: -1. When you have created a cluster in `my-ente` directory on running - `quickstart.sh` and later deleted it, only to create another cluster with - same `my-ente` directory. +1. If you are using Docker Compose for running Ente from source, you might not + have set the same credentials in `.env` and `museum.yaml` inside + `server/config` directory. Edit the values to make sure the correct + credentials are being used. +2. When you have created a cluster in `my-ente` directory on running + `quickstart.sh` and later deleted it, only to create another cluster with + same `my-ente` directory. However, by deleting the directory, the Docker volumes are not deleted. @@ -129,10 +134,6 @@ There are 2 possibilities: ## MinIO provisioning error -MinIO has deprecated the `mc config` command in favor of `mc alias set` -resulting in failure in execution of the command for creating bucket using -`post_start` hook. - You may encounter similar logs while trying to start the cluster if you are using the older command (provided by default in `quickstart.sh`): @@ -142,9 +143,8 @@ my-ente-minio-1 -> | Waiting for minio... my-ente-minio-1 -> | Waiting for minio... ``` -This can be resolved by changing -`mc config host h0 add http://minio:3200 $minio_user $minio_pass` to -`mc alias set h0 http://minio:3200 $minio_user $minio_pass` +This could be due to usage of deprecated MinIO `mc config` command. Changing +`mc config host h0 add` to `mc alias set h0` resolves this. Thus the updated `post_start` will look as follows for `minio` service: @@ -156,13 +156,6 @@ Thus the updated `post_start` will look as follows for `minio` service: sh -c ' #!/bin/sh while ! mc alias set h0 http://minio:3200 your_minio_user your_minio_pass 2>/dev/null - do - echo "Waiting for minio..." - sleep 0.5 - done - cd /data - mc mb -p b2-eu-cen - mc mb -p wasabi-eu-central-2-v3 - mc mb -p scw-eu-fr-v3 + ... ' ``` From 3e51fa1f83fb8508f9d9ee00ae6b76d333db0692 Mon Sep 17 00:00:00 2001 From: Crowdin Bot Date: Mon, 28 Jul 2025 00:45:26 +0000 Subject: [PATCH 202/302] New Crowdin translations by GitHub Action --- web/packages/base/locales/lt-LT/translation.json | 4 ++-- web/packages/base/locales/vi-VN/translation.json | 2 +- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/web/packages/base/locales/lt-LT/translation.json b/web/packages/base/locales/lt-LT/translation.json index 63c2068b73..b26aebb96d 100644 --- a/web/packages/base/locales/lt-LT/translation.json +++ b/web/packages/base/locales/lt-LT/translation.json @@ -162,7 +162,7 @@ "ok": "Gerai", "success": "Pavyko", "error": "Klaida", - "note": "", + "note": "Pastaba", "offline_message": "Esate neprisijungę. Rodomi prisiminimai iš podėlio.", "install": "Diegti", "install_mobile_app": "Įdiekite mūsų „Android“ arba „iOS“ programą, kad automatiškai sukurtumėte atsargines visų nuotraukų kopijas", @@ -685,5 +685,5 @@ "person_favorites": "{{name}} mėgstami", "shared_favorites": "Bendrinami mėgstami", "added_by_name": "Įtraukė {{name}}", - "unowned_files_not_processed": "" + "unowned_files_not_processed": "Kiti naudotojai pridėti failai nebuvo apdoroti" } diff --git a/web/packages/base/locales/vi-VN/translation.json b/web/packages/base/locales/vi-VN/translation.json index d4a6197a5a..f3dec27f76 100644 --- a/web/packages/base/locales/vi-VN/translation.json +++ b/web/packages/base/locales/vi-VN/translation.json @@ -283,7 +283,7 @@ "disable_maps_confirm_message": "

Ảnh của bạn sẽ thôi hiển thị trên bản đồ thế giới.

Bạn có thể bật tính năng này bất cứ lúc nào từ Cài đặt.

", "details": "Chi tiết", "view_exif": "Xem thông số Exif", - "no_exif": "No Exif data", + "no_exif": "Không có Exif", "exif": "Exif", "two_factor": "Xác thực 2 bước", "two_factor_authentication": "Xác thực 2 bước", From a7f56d3dab7eaa881ce8a37b319fbae3c8df4108 Mon Sep 17 00:00:00 2001 From: Crowdin Bot Date: Mon, 28 Jul 2025 01:05:39 +0000 Subject: [PATCH 203/302] New Crowdin translations by GitHub Action --- mobile/apps/photos/lib/l10n/intl_lt.arb | 45 ++++++++++++++++++++++--- mobile/apps/photos/lib/l10n/intl_vi.arb | 6 ++-- 2 files changed, 43 insertions(+), 8 deletions(-) diff --git a/mobile/apps/photos/lib/l10n/intl_lt.arb b/mobile/apps/photos/lib/l10n/intl_lt.arb index 704c8bc261..86b591e3ab 100644 --- a/mobile/apps/photos/lib/l10n/intl_lt.arb +++ b/mobile/apps/photos/lib/l10n/intl_lt.arb @@ -484,7 +484,7 @@ "backupOverMobileData": "Kurti atsargines kopijas per mobiliuosius duomenis", "backupVideos": "Kurti atsargines vaizdo įrašų kopijas", "disableAutoLock": "Išjungti automatinį užraktą", - "deviceLockExplanation": "Išjunkite įrenginio ekrano užraktą, kai „Ente“ yra priekiniame fone ir kuriama atsarginės kopijos. Paprastai to nereikia, bet tai gali padėti greičiau užbaigti didelius įkėlimus ir pradinį didelių bibliotekų importą.", + "deviceLockExplanation": "Išjunkite įrenginio ekrano užraktą, kai „Ente“ yra priekiniame fone ir kuriama atsarginės kopijos. Paprastai to nereikia, bet tai gali padėti sparčiau užbaigti didelius įkėlimus ir pradinį didelių bibliotekų importą.", "about": "Apie", "weAreOpenSource": "Esame atviro kodo!", "privacy": "Privatumas", @@ -1049,7 +1049,7 @@ "searchPeopleEmptySection": "Pakvieskite asmenis ir čia matysite visas jų bendrinamas nuotraukas.", "searchAlbumsEmptySection": "Albumai", "searchFileTypesAndNamesEmptySection": "Failų tipai ir pavadinimai", - "searchCaptionEmptySection": "Pridėkite aprašymus, pavyzdžiui, „#kelionė“, į nuotraukos informaciją, kad greičiau jas čia rastumėte.", + "searchCaptionEmptySection": "Pridėkite aprašus, pavyzdžiui, „#kelionė“, į nuotraukos informaciją, kad sparčiau jas čia rastumėte.", "language": "Kalba", "selectLanguage": "Pasirinkite kalbą", "locationName": "Vietovės pavadinimas", @@ -1264,11 +1264,11 @@ "joinDiscord": "Jungtis prie „Discord“", "locations": "Vietovės", "addAName": "Pridėti vardą", - "findThemQuickly": "Raskite juos greitai", + "findThemQuickly": "Raskite juos sparčiai", "@findThemQuickly": { "description": "Subtitle to indicate that the user can find people quickly by name" }, - "findPeopleByName": "Greitai suraskite žmones pagal vardą", + "findPeopleByName": "Sparčiai suraskite asmenis pagal vardą", "addViewers": "{count, plural, =0 {Pridėti žiūrėtojų} =1 {Pridėti žiūrėtoją} other {Pridėti žiūrėtojų}}", "addCollaborators": "{count, plural, =0 {Pridėti bendradarbių} =1 {Pridėti bendradarbį} other {Pridėti bendradarbių}}", "longPressAnEmailToVerifyEndToEndEncryption": "Ilgai paspauskite el. paštą, kad patvirtintumėte visapusį šifravimą.", @@ -1755,5 +1755,40 @@ "receiveRemindersOnBirthdays": "Gaukite priminimus, kai yra kažkieno gimtadienis. Paliesdami pranešimą, pateksite į gimtadienio šventės asmens nuotraukas.", "happyBirthday": "Su gimtadieniu! 🥳", "birthdays": "Gimtadieniai", - "wishThemAHappyBirthday": "Palinkėkite {name} su gimtadieniu! 🎉" + "wishThemAHappyBirthday": "Palinkėkite {name} su gimtadieniu! 🎉", + "areYouSureRemoveThisFaceFromPerson": "Ar tikrai norite pašalinti šį veidą iš šio asmens?", + "otherDetectedFaces": "Kiti aptikti veidai", + "areThey": "Ar jie ", + "questionmark": "?", + "saveAsAnotherPerson": "Išsaugoti kaip kitą asmenį", + "showLessFaces": "Rodyti mažiau veidų", + "showMoreFaces": "Rodyti daugiau veidų", + "ignore": "Ignoruoti", + "merge": "Sujungti", + "reset": "Atkurti", + "areYouSureYouWantToIgnoreThisPerson": "Ar tikrai norite ignoruoti šį asmenį?", + "areYouSureYouWantToIgnoreThesePersons": "Ar tikrai norite ignoruoti šiuos asmenis?", + "thePersonGroupsWillNotBeDisplayed": "Asmenų grupės nebebus rodomos asmenų sekcijoje. Nuotraukos liks nepakitusios.", + "thePersonWillNotBeDisplayed": "Asmuo nebebus rodomas asmenų sekcijoje. Nuotraukos liks nepakitusios.", + "areYouSureYouWantToMergeThem": "Ar tikrai norite juos sujungti?", + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": "Visos nepavadintos grupės bus sujungtos su pasirinktu asmeniu. Tai vis dar galima atšaukti iš asmens pasiūlymų istorijos apžvalgos.", + "yesIgnore": "Taip, ignoruoti", + "same": "Tas pats", + "different": "Skirtingas", + "sameperson": "Tas pats asmuo?", + "cLTitle1": "Įkeliami dideli vaizdo įrašų failai", + "cLDesc1": "Po vaizdo įrašų srauto perdavimo beta versijos ir darbo prie tęsiamų įkėlimų ir atsisiuntimų, dabar padidinome failų įkėlimo ribą iki 10 GB. Tai dabar pasiekiama tiek kompiuterinėse, tiek mobiliosiose programėlėse.", + "cLTitle2": "Fono įkėlimas", + "cLDesc2": "Fono įkėlimai dabar palaikomi ir sistemoje „iOS“ bei „Android“ įrenginiuose. Nebereikia atverti programėlės, kad būtų galima sukurti naujausių nuotraukų ir vaizdo įrašų atsarginę kopiją.", + "cLTitle3": "Automatiniai peržiūros prisiminimai", + "cLDesc3": "Mes žymiai patobulinome prisiminimų patirtį, įskaitant automatinį peržiūrėjimą, braukimą į kitą prisiminimą ir daug daugiau.", + "cLTitle4": "Patobulintas veido atpažinimas", + "cLDesc4": "Kartu su daugybe vidinių patobulinimų, dabar daug lengviau matyti visus aptiktus veidus, pateikti atsiliepimus apie panašius veidus ir pridėti / pašalinti veidus iš vienos nuotraukos.", + "cLTitle5": "Gimtadienio pranešimai", + "cLDesc5": "Dabar gausite pranešimą apie galimybę atsisakyti visų gimtadienių, kuriuos išsaugojote platformoje „Ente“, kartu su geriausių jų nuotraukų rinkiniu.", + "cLTitle6": "Tęsiami įkėlimai ir atsisiuntimai", + "cLDesc6": "Nebereikia laukti įkėlimų / atsisiuntimų užbaigti, kad užvertumėte programėlę. Dabar visus įkėlimus ir atsisiuntimus galima pristabdyti ir tęsti nuo tos vietos, kurioje sustojote.", + "indexingPausedStatusDescription": "Indeksavimas pristabdytas. Jis bus automatiškai tęsiamas, kai įrenginys bus parengtas. Įrenginys laikomas parengtu, kai jo akumuliatoriaus įkrovos lygis, akumuliatoriaus būklė ir terminė būklė yra normos ribose.", + "faceThumbnailGenerationFailed": "Nepavyksta sugeneruoti veido miniatiūrų.", + "fileAnalysisFailed": "Nepavyksta išanalizuoti failo." } \ No newline at end of file diff --git a/mobile/apps/photos/lib/l10n/intl_vi.arb b/mobile/apps/photos/lib/l10n/intl_vi.arb index 952bff39bb..ff819b9fa8 100644 --- a/mobile/apps/photos/lib/l10n/intl_vi.arb +++ b/mobile/apps/photos/lib/l10n/intl_vi.arb @@ -870,9 +870,9 @@ "youCanTrySearchingForADifferentQuery": "Bạn có thể thử tìm kiếm một truy vấn khác.", "noResultsFound": "Không tìm thấy kết quả", "addedBy": "Được thêm bởi {emailOrName}", - "loadingExifData": "Đang tải thông số Exif...", + "loadingExifData": "Đang lấy thông số Exif...", "viewAllExifData": "Xem thông số Exif", - "noExifData": "Không có thông số Exif", + "noExifData": "Không có Exif", "thisImageHasNoExifData": "Ảnh này không có thông số Exif", "exif": "Exif", "noResults": "Không có kết quả", @@ -1217,7 +1217,7 @@ "searchHint4": "Vị trí", "searchHint5": "Sắp ra mắt: Nhận diện khuôn mặt & tìm kiếm vi diệu ✨", "addYourPhotosNow": "Thêm ảnh của bạn ngay bây giờ", - "searchResultCount": "{count, plural, other{{count} kết quả được tìm thấy}}", + "searchResultCount": "{count, plural, other{{count} kết quả đã tìm thấy}}", "@searchResultCount": { "description": "Text to tell user how many results were found for their search query", "placeholders": { From 58bf661e199324106d0c540f3e53c7e0d1f5604c Mon Sep 17 00:00:00 2001 From: Crowdin Bot Date: Mon, 28 Jul 2025 01:18:16 +0000 Subject: [PATCH 204/302] New Crowdin translations by GitHub Action --- mobile/apps/auth/lib/l10n/arb/app_ar.arb | 10 +-- mobile/apps/auth/lib/l10n/arb/app_be.arb | 100 +++++++++++++++++++++++ mobile/apps/auth/lib/l10n/arb/app_fr.arb | 4 +- mobile/apps/auth/lib/l10n/arb/app_lt.arb | 1 + mobile/apps/auth/lib/l10n/arb/app_vi.arb | 6 +- 5 files changed, 111 insertions(+), 10 deletions(-) diff --git a/mobile/apps/auth/lib/l10n/arb/app_ar.arb b/mobile/apps/auth/lib/l10n/arb/app_ar.arb index 7872963dd8..3a0e7b5b61 100644 --- a/mobile/apps/auth/lib/l10n/arb/app_ar.arb +++ b/mobile/apps/auth/lib/l10n/arb/app_ar.arb @@ -1,6 +1,6 @@ { "account": "الحساب", - "unlock": "فتح القُفْل", + "unlock": "فتح القفل", "recoveryKey": "مفتاح الاسترداد", "counterAppBarTitle": "العداد", "@counterAppBarTitle": { @@ -9,8 +9,8 @@ "onBoardingBody": "النسخ الاحتياطي لشيفرات الاستيثاق ذي العاملين", "onBoardingGetStarted": "ابدأ الآن", "setupFirstAccount": "إعداد الحساب الأول الخاص بك", - "importScanQrCode": "مسح شيفرة الاستجابة السريعة", - "qrCode": "شيفرة الاستجابة السريعة", + "importScanQrCode": "مسح رمز QR", + "qrCode": "رمز QR", "importEnterSetupKey": "أدخِل مفتاح الإعداد", "importAccountPageTitle": "أدخل تفاصيل الحساب", "secretCanNotBeEmpty": "لا يمكن أن يكون رمز السر فارغ", @@ -36,7 +36,7 @@ "codeAccountHint": "الحساب (you@domain.com)", "codeTagHint": "وسم", "accountKeyType": "نوع المفتاح", - "sessionExpired": "انتهت صَلاحِيَة الجِلسة", + "sessionExpired": "انتهت صلاحية الجلسة", "@sessionExpired": { "description": "Title of the dialog when the users current session is invalid/expired" }, @@ -106,7 +106,7 @@ "importSelectJsonFile": "انتقِ ملف JSON", "importSelectAppExport": "حدد ملف التصدير الخاص بـ{appName}", "importEnteEncGuide": "اختر ملف JSON المشفر المصدَّر من Ente", - "importRaivoGuide": "استخدم خيار \"صدر كلمات المرور لمرة واحدة إلى أرشيف Zip\" في إعدادات Raivo.\n\nاستخرج ملف الـzip واسترد ملف الـJSON.", + "importRaivoGuide": "استخدم خيار تصدير OTP إلى أرشيف Zip في إعدادات Raivo.\n\nاستخرج ملف zip واسترد ملف JSON.", "importBitwardenGuide": "استخدم خيار \"تصدير خزانة\" داخل أدوات Bitwarden واستيراد ملف JSON غير مشفر.", "importAegisGuide": "استخدم خيار \"Export the vault\" في إعدادات Aegis.\n\nإذا كان المخزن الخاص بك مشفرًا، فستحتاج إلى إدخال كلمة مرور المخزن لفك تشفير المخزن.", "import2FasGuide": "استخدم خيار \"الإعدادات -> النسخ الاحتياطي - التصدير\" في 2FAS.\n\nإذا تم تشفير النسخة الاحتياطية، سوف تحتاج إلى إدخال كلمة المرور لفك تشفير النسخة الاحتياطية", diff --git a/mobile/apps/auth/lib/l10n/arb/app_be.arb b/mobile/apps/auth/lib/l10n/arb/app_be.arb index d1719f4549..8681fde972 100644 --- a/mobile/apps/auth/lib/l10n/arb/app_be.arb +++ b/mobile/apps/auth/lib/l10n/arb/app_be.arb @@ -52,6 +52,7 @@ "trashCodeMessage": "Вы сапраўды хочаце выдаліць код для {account}?", "trash": "Сметніца", "viewLogsAction": "Паглядзець журналы", + "sendLogsDescription": "Гэта абагуліць вашы журналы з намі і дапаможа адладзіць вашу праблему. Хоць мы і прымаем захады, каб канфідэнцыяльныя звесткі не рэгістраваліся, але рэкамендуецца прагледзець гэтыя журналы перад адпраўкай.", "preparingLogsTitle": "Падрыхтоўка журналаў...", "emailLogsTitle": "Адправіць журнал па электроннай пошце", "emailLogsMessage": "Адпраўце журналы на {email}", @@ -83,12 +84,15 @@ "pleaseWait": "Пачакайце...", "generatingEncryptionKeysTitle": "Генерацыя ключоў шыфравання...", "recreatePassword": "Стварыць пароль паўторна", + "recreatePasswordMessage": "У бягучай прылады недастаткова вылічальнай здольнасці для праверкі вашага паролю, таму неабходна регенерыраваць яго адзін раз такім чынам, каб гэта працавала з усімі прыладамі.\n\nУвайдзіце, выкарыстоўваючы свой ключа аднаўлення і регенерыруйце свой пароль (калі хочаце, то можаце выбраць папярэдні пароль).", "useRecoveryKey": "Выкарыстоўваць ключ аднаўлення", "incorrectPasswordTitle": "Няправільны пароль", "welcomeBack": "З вяртаннем!", "emailAlreadyRegistered": "Электронная пошта ўжо зарэгістравана.", "emailNotRegistered": "Электронная пошта не зарэгістравана.", "madeWithLoveAtPrefix": "зроблена з ❤️ у ", + "supportDevs": "Падпішыцеся на ente, каб падтрымаць нас", + "supportDiscount": "Выкарыстоўвайце купон з кодам «AUTH», каб атрымаць скідку ў памеры 10% за першы год", "changeEmail": "Змяніць адрас электроннай пошты", "changePassword": "Змяніць пароль", "data": "Даныя", @@ -98,13 +102,29 @@ "passwordForDecryptingExport": "Пароль для дэшыфроўкі экспартавання", "passwordEmptyError": "Пароль не можа быць пустым", "importFromApp": "Імпартаваць коды з {appName}", + "importGoogleAuthGuide": "Экспартуйце свае ўліковыя запісы з Google Authenticator у QR-код з дапамогай параметра «Перанесці ўліковыя запісы». Потым скарыстайцеся іншай прыладай, якая можа адсканіраваць QR-код.\n\nПарада: вы можаце скарыстацца вэб-камерай свайго ноўтбука, каб сфатаграфаваць QR-код.", "importSelectJsonFile": "Выбраць файл JSON", "importSelectAppExport": "Выберыце файл экспартавання {appName}", + "importEnteEncGuide": "Выберыце зашыфраваны файл JSON, які экспартаваны з Ente", + "importRaivoGuide": "Скарыстайцеся параметрам «Экспартаваць OTP у архіў ZIP» у наладах Raivo.\n\nВыньце файл ZIP і імпартуйце файл JSON.", + "importBitwardenGuide": "Скарыстайцеся параметрам «Экспартаваць сховішча» ў Bitwarden Tools і імпартуйце файл JSON.", + "importAegisGuide": "Скарыстайцеся параметрам «Экспартаваць сховішча» ў наладах Aegis.\n\nВам спатрэбіцца ўвесці пароль ад сховішча, каб дэшыфраваць яго (у выпадку, калі яно было зашыфравана раней).", + "import2FasGuide": "Скарыстайцеся параметрам «Налады -> Рэзервовае капіяванне -Экспартаванне» ў наладах 2FAS.\n\nВам спатрэбіцца ўвесці пароль, каб дэшыфраваць рэзервовую копію (у выпадку, калі яна была зашыфравана раней)", + "importLastpassGuide": "Скарыстайцеся параметрам «Перанесці ўліковыя запісы» ў налады Lastpass Authenticator і націсніце «Экспартаваць уліковыя запісы ў файл».", "exportCodes": "Экспартаваць коды", "importLabel": "Імпарт", + "importInstruction": "Выберыце файл, які змяшчае спіс вашых кодаў у наступным фармаце", + "importCodeDelimiterInfo": "Коды могуць быць адасоблены коскамі або новым радком", "selectFile": "Выбраць файл", "emailVerificationToggle": "Праверка эл. пошты", + "emailVerificationEnableWarning": "Пераканайцеся, што ў вас захавана копія 2ФА ад вашай электроннай пошты па-за межамі праграмы Ente Auth перад тым, як уключаць праверку электроннай пошты. Гэта дазволіць пазбегнуць блакіроўкі вашага ўліковага запісу.", + "authToChangeEmailVerificationSetting": "Прайдзіце аўтэнтыфікацыю, каб змяніць праверку адраса электроннай пошты", "authenticateGeneric": "Прайдзіце аўтэнтыфікацыю", + "authToViewYourRecoveryKey": "Прайдзіце аўтэнтыфікацыю для прагляду свайго ключа аднаўлення", + "authToChangeYourEmail": "Прайдзіце аўтэнтыфікацыю, каб змяніць сваю электронную пошту", + "authToChangeYourPassword": "Прайдзіце аўтэнтыфікацыю, каб змяніць свой пароль", + "authToViewSecrets": "Прайдзіце аўтэнтыфікацыю для прагляду сваіх сакрэтаў", + "authToInitiateSignIn": "Прайдзіце аўтэнтыфікацыю, каб пачаць уваход для рэзервовай копіі.", "ok": "OK", "cancel": "Скасаваць", "yes": "Так", @@ -123,12 +143,17 @@ "oops": "Вой", "suggestFeatures": "Прапанаваць функцыю", "faq": "Частыя пытанні", + "somethingWentWrongMessage": "Нешта пайшло не так. Паспрабуйце яшчэ раз", "leaveFamily": "Пакінуць сямейны план", + "leaveFamilyMessage": "Вы ўпэўнены, што хочаце выйсці з сямейнага плана?", "inFamilyPlanMessage": "Вы ўдзельнік сямейнага плана!", + "hintForMobile": "Доўгі націск на код для рэдагавання або выдалення.", + "hintForDesktop": "Правы націск на код для рэдагавання або выдалення.", "scan": "Сканіраваць", "scanACode": "Сканіраваць код", "verify": "Праверыць", "verifyEmail": "Праверыць электронную пошту", + "enterCodeHint": "Увядзіце шасцізначны код з\nвашай праграмы аўтэнтыфікацыі", "lostDeviceTitle": "Згубілі прыладу?", "twoFactorAuthTitle": "Двухфактарная аўтэнтыфікацыя", "passkeyAuthTitle": "Праверка ключа доступу", @@ -137,14 +162,25 @@ "recoverAccount": "Аднавіць уліковы запіс", "enterRecoveryKeyHint": "Увядзіце свой ключ аднаўлення", "recover": "Аднавіць", + "contactSupportViaEmailMessage": "Адпраўце ліст на {email} з вашага зарэгістраванага адраса электроннай пошты", + "@contactSupportViaEmailMessage": { + "placeholders": { + "email": { + "type": "String" + } + } + }, "invalidQRCode": "Памылковы QR-код", "noRecoveryKeyTitle": "Няма ключа аднаўлення?", "enterEmailHint": "Увядзіце свой адрас электроннай пошты", "enterNewEmailHint": "Увядзіце свой новы адрас электроннай пошты", "invalidEmailTitle": "Памылковы адрас электроннай пошты", + "invalidEmailMessage": "Увядзіце сапраўдны адрас электронная пошты.", "deleteAccount": "Выдаліць уліковы запіс", + "deleteAccountQuery": "Вельмі шкада, што вы пакідаеце нас. Вы сутыкнуліся з нейкай праблемай?", "yesSendFeedbackAction": "Так. Адправіць водгук", "noDeleteAccountAction": "Не, выдаліць уліковы запіс", + "initiateAccountDeleteTitle": "Прайдзіце аўтэнтыфікацыю, каб пачаць выдаленне ўліковага запісу", "sendEmail": "Адправіць ліст", "createNewAccount": "Стварыць новы ўліковы запіс", "weakStrength": "Ненадзейны", @@ -158,9 +194,13 @@ "social": "Сацыяльныя сеткі", "security": "Бяспека", "lockscreen": "Экран блакіроўкі", + "authToChangeLockscreenSetting": "Прайдзіце аўтэнтыфікацыю, каб змяніць налады блакіроўкі экрана", + "deviceLockEnablePreSteps": "Наладзьце код доступу да прылады або блакіроўку экрана ў наладах вашай сістэме, каб уключыць блакіроўку прылады.", "viewActiveSessions": "Паглядзець актыўныя сеансы", + "authToViewYourActiveSessions": "Прайдзіце аўтэнтыфікацыю для прагляду сваіх актыўных сеансаў", "searchHint": "Пошук...", "search": "Пошук", + "sorryUnableToGenCode": "Немагчыма згенерыраваць код з {issuerName}", "noResult": "Няма вынікаў", "addCode": "Дадаць код", "scanAQrCode": "Сканіраваць QR-код", @@ -168,18 +208,36 @@ "edit": "Рэдагаваць", "share": "Абагуліць", "shareCodes": "Абагуліць коды", + "shareCodesDuration": "Выберыце працягласць, на якую вы хочаце абагуліць коды.", "restore": "Аднавіць", "copiedToClipboard": "Скапіявана ў буфер абмену", "copiedNextToClipboard": "Скапіяваць наступны код у буфер абмену", "error": "Памылка", "recoveryKeyCopiedToClipboard": "Ключ аднаўлення скапіяваны ў буфер абмену", + "recoveryKeyOnForgotPassword": "Адзіным спосабам аднавіць вашы даныя з'яўляецца гэты ключ, калі вы забылі свой пароль.", + "recoveryKeySaveDescription": "Захавайце гэты ключ, які складаецца з 24 слоў, у наедзеным месцы. Ён не захоўваецца на нашым серверы.", "doThisLater": "Зрабіць гэта пазней", "saveKey": "Захаваць ключ", "save": "Захаваць", "send": "Адправіць", + "saveOrSendDescription": "Вы сапраўды хочаце захаваць гэта ў сваім сховішчы (прадвызначана папка са спампоўваннямі) або адправіць у іншыя праграмы?", + "saveOnlyDescription": "Вы сапраўды хочаце захаваць гэта ў сваім сховішчы (прадвызначана папка са спампоўваннямі)?", "back": "Назад", "createAccount": "Стварыць уліковы запіс", + "passwordStrength": "Надзейнасць пароля: {passwordStrengthValue}", + "@passwordStrength": { + "description": "Text to indicate the password strength", + "placeholders": { + "passwordStrengthValue": { + "description": "The strength of the password as a string", + "type": "String", + "example": "Weak or Moderate or Strong" + } + }, + "message": "Password Strength: {passwordStrengthText}" + }, "password": "Пароль", + "signUpTerms": "Я пагаджаюся з умовамі абслугоўвання і палітыкай прыватнасці", "privacyPolicyTitle": "Палітыка прыватнасці", "termsOfServicesTitle": "Умовы", "encryption": "Шыфраванне", @@ -187,11 +245,17 @@ "changePasswordTitle": "Змяніць пароль", "resetPasswordTitle": "Скінуць пароль", "encryptionKeys": "Ключы шыфравання", + "passwordWarning": "Мы не захоўваем гэты пароль і мы не зможам расшыфраваць вашы даныя, калі вы забудзеце яго", + "enterPasswordToEncrypt": "Увядзіце пароль, каб была магчымасць выкарыстаць яго для расшыфроўкі вашых даных", + "enterNewPasswordToEncrypt": "Увядзіце новы пароль, каб мы маглі выкарыстаць яго для расшыфроўкі вашых даных", "passwordChangedSuccessfully": "Пароль паспяхова зменены", "generatingEncryptionKeys": "Генерацыя ключоў шыфравання...", "continueLabel": "Працягнуць", "insecureDevice": "Небяспечная прылада", + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": "Немагчыма згенерыраваць ключы бяспекі на гэтай прыладзе.\n\nЗарэгіструйцеся з іншай прылады.", "howItWorks": "Як гэта працуе", + "ackPasswordLostWarning": "Я ўсведамляю, што калі я страчу свой пароль, то я магу згубіць свае даныя, бо мае даныя абаронены скразным шыфраваннем.", + "loginTerms": "Націскаючы ўвайсці, я згаджаюся з умовамі абслугоўвання і палітыкай прыватнасці", "logInLabel": "Увайсці", "logout": "Выйсці", "areYouSureYouWantToLogout": "Вы сапраўды хочаце выйсці?", @@ -203,6 +267,7 @@ "systemTheme": "Сістэманая", "verifyingRecoveryKey": "Праверка ключа аднаўлення...", "recoveryKeyVerified": "Ключ аднаўлення правераны", + "recoveryKeySuccessBody": "Усё ў парадку! Вашы ключ аднаўлення з'яўляецца сапраўдным.\n\nНе забывайце захоўваць ваш ключ аднаўлення ў надзейным месцы.", "recreatePasswordTitle": "Стварыць пароль паўторна", "invalidKey": "Памылковы ключ", "tryAgain": "Паспрабуйце яшчэ раз", @@ -254,20 +319,40 @@ "checkInboxAndSpamFolder": "Праверце свае ўваходныя лісты (і спам) для завяршэння праверкі", "tapToEnterCode": "Націсніце, каб увесці код", "resendEmail": "Адправіць ліст яшчэ раз", + "weHaveSendEmailTo": "Ліст адпраўлены на электронную пошту {email}", + "@weHaveSendEmailTo": { + "description": "Text to indicate that we have sent a mail to the user", + "placeholders": { + "email": { + "description": "The email address of the user", + "type": "String", + "example": "example@ente.io" + } + } + }, "manualSort": "Карыстальніцкая", "editOrder": "Рэдагаваць заказ", "mostFrequentlyUsed": "Часта выкарыстоўваюцца", "mostRecentlyUsed": "Нядаўна выкарыстаныя", "activeSessions": "Актыўныя сеансы", + "somethingWentWrongPleaseTryAgain": "Нешта пайшло не так. Паспрабуйце яшчэ раз", + "thisWillLogYouOutOfThisDevice": "Гэта дзеянне завершыць сеанс на вашай прыладзе!", + "thisWillLogYouOutOfTheFollowingDevice": "Гэта дзеянне завершыць сеанс наступнай прылады:", "terminateSession": "Перарваць сеанс?", "terminate": "Перарваць", "thisDevice": "Гэта прылада", + "toResetVerifyEmail": "Спачатку праверце электронную пошту, каб скінуць свой пароль.", "thisEmailIsAlreadyInUse": "Гэта электронная пошта ўжо выкарыстоўваецца", + "verificationFailedPleaseTryAgain": "Збой праверкі. Паспрабуйце яшчэ раз", "yourVerificationCodeHasExpired": "Ваш праверачны код пратэрмінаваны", "incorrectCode": "Няправільны код", + "sorryTheCodeYouveEnteredIsIncorrect": "Уведзены вамі код з'яўляецца няправільным", "emailChangedTo": "Электронная пошта зменена на {newEmail}", + "authenticationFailedPleaseTryAgain": "Збой аўтэнтыфікацыі. Паспрабуйце яшчэ раз", "authenticationSuccessful": "Аўтэнтыфікацыя паспяхова пройдзена!", + "twofactorAuthenticationSuccessfullyReset": "Двухфактарная аўтэнтыфікацыя паспяхова скінута", "incorrectRecoveryKey": "Няправільны ключ аднаўлення", + "theRecoveryKeyYouEnteredIsIncorrect": "Вы ўвялі памылковы ключ аднаўлення", "enterPassword": "Увядзіце пароль", "selectExportFormat": "Выберыце фармат экспартавання", "exportDialogDesc": "Зашыфраванае экспартаванне будзе абаронена паролем, які вы выберыце.", @@ -332,14 +417,19 @@ "description": "Message showed on a button that the user can click to leave the current dialog. It is used on iOS side. Maximum 30 characters." }, "noInternetConnection": "Адсутнічае падключэнне да інтэрнэту", + "pleaseCheckYourInternetConnectionAndTryAgain": "Праверце злучэнне з інтэрнэтам і паспрабуйце яшчэ раз.", "signOutFromOtherDevices": "Выйсці з іншых прылад", "signOutOtherDevices": "Выйсці на іншых прыладах", "doNotSignOut": "Не выходзіць", + "hearUsWhereTitle": "Адкуль вы пачулі пра Ente? (неабавязкова)", + "recoveryKeySaved": "Ключ аднаўлення захаваны ў папцы «Спампоўкі»!", "waitingForBrowserRequest": "Чаканне запыту браўзера...", "waitingForVerification": "Чаканне праверкі...", "passkey": "Ключ доступу", "passKeyPendingVerification": "Праверка пакуль яшчэ не завершана", "loginSessionExpired": "Сеанс завяршыўся", + "loginSessionExpiredDetails": "Ваш сеанс завяршыўся. Увайдзіце яшчэ раз.", + "developerSettingsWarning": "Вы ўпэўнены, што хочаце змяніць налады распрацоўшчыка?", "developerSettings": "Налады распрацоўшчыка", "serverEndpoint": "Канцавы пункт сервера", "invalidEndpoint": "Памылковы канцавы пункт", @@ -356,6 +446,7 @@ "create": "Стварыць", "editTag": "Рэдагаванне тэг", "deleteTagTitle": "Выдаліць тэг?", + "somethingWentWrongParsingCode": "Немагчыма прааналізаваць коды (колькасць: {x}).", "updateNotAvailable": "Абнаўленне недаступна", "viewRawCodes": "Паглядзець неапрацаваныя коды", "rawCodes": "Неапрацаваныя коды", @@ -372,12 +463,17 @@ "setNewPassword": "Задаць новы пароль", "deviceLock": "Блакіроўка прылады", "hideContent": "Схаваць змест", + "hideContentDescriptioniOS": "Хаваць змесціва праграмы ў пераключальніку праграм", "pinLock": "Блакіроўка PIN'ам", "enterPin": "Увядзіце PIN-код", "setNewPin": "Задаць новы PIN", + "importFailureDescNew": "Не ўдалося прааналізаваць выбраны файл.", "appLockNotEnabled": "Блакіроўка праграмы не ўключана", + "appLockNotEnabledDescription": "Уключыце блакіроўку праграмы ў раздзеле «Бяспека» -> «Блакіроўка праграмы»", + "authToViewPasskey": "Прайдзіце аўтэнтыфікацыю, каб паглядзець ключ доступу", "duplicateCodes": "Дублікаты кадоў", "noDuplicates": "✨ Няма дублікатаў", + "youveNoDuplicateCodesThatCanBeCleared": "У вас адсутнічаць дубліраваныя коды, які можна ачысціць", "deduplicateCodes": "Дубліраваныя кады", "deselectAll": "Зняць выбар з усіх", "selectAll": "Выбраць усе", @@ -386,8 +482,12 @@ "tellUsWhatYouThink": "Раскажыце, што вы думаеце", "dropReviewiOS": "Пакіньце водгук у App Store", "dropReviewAndroid": "Пакіньце водгук у Play Store", + "supportEnte": "Падтрымка ente", "giveUsAStarOnGithub": "Адзначце нас зоркай на Github", + "free5GB": "Бясплатна 5 ГБ на ente Photos", "loginWithAuthAccount": "Увайдзіце з дапамогай уліковага запісу Auth", + "freeStorageOffer": "Скідка ў памеры 10% на ente Photos", + "freeStorageOfferDescription": "Выкарыстоўвайце код «AUTH», каб атрымаць скідку ў памеры 10% за першы год", "advanced": "Пашыраныя", "algorithm": "Алгарытм", "type": "Тып", diff --git a/mobile/apps/auth/lib/l10n/arb/app_fr.arb b/mobile/apps/auth/lib/l10n/arb/app_fr.arb index 4d0b461bed..d402d56f9e 100644 --- a/mobile/apps/auth/lib/l10n/arb/app_fr.arb +++ b/mobile/apps/auth/lib/l10n/arb/app_fr.arb @@ -347,14 +347,14 @@ "terminate": "Quitter", "thisDevice": "Cet appareil", "toResetVerifyEmail": "Pour réinitialiser votre mot de passe, veuillez d'abord vérifier votre e-mail.", - "thisEmailIsAlreadyInUse": "Cette adresse mail est déjà utilisé", + "thisEmailIsAlreadyInUse": "Cette adresse mail est déjà utilisée", "verificationFailedPleaseTryAgain": "La vérification a échouée, veuillez réessayer", "yourVerificationCodeHasExpired": "Votre code de vérification a expiré", "incorrectCode": "Code non valide", "sorryTheCodeYouveEnteredIsIncorrect": "Le code que vous avez saisi est incorrect", "emailChangedTo": "L'e-mail a été changé en {newEmail}", "authenticationFailedPleaseTryAgain": "L'authentification a échouée, veuillez réessayer", - "authenticationSuccessful": "Authentification réussie!", + "authenticationSuccessful": "Authentification réussie !", "twofactorAuthenticationSuccessfullyReset": "L'authentification à deux facteurs a été réinitialisée avec succès ", "incorrectRecoveryKey": "Clé de récupération non valide", "theRecoveryKeyYouEnteredIsIncorrect": "La clé de récupération que vous avez entrée est incorrecte", diff --git a/mobile/apps/auth/lib/l10n/arb/app_lt.arb b/mobile/apps/auth/lib/l10n/arb/app_lt.arb index cd39c8b60f..3b3c0523e4 100644 --- a/mobile/apps/auth/lib/l10n/arb/app_lt.arb +++ b/mobile/apps/auth/lib/l10n/arb/app_lt.arb @@ -173,6 +173,7 @@ "invalidQRCode": "Netinkamas QR kodas.", "noRecoveryKeyTitle": "Neturite atkūrimo rakto?", "enterEmailHint": "Įveskite savo el. pašto adresą", + "enterNewEmailHint": "Įveskite savo naują el. pašto adresą", "invalidEmailTitle": "Netinkamas el. pašto adresas", "invalidEmailMessage": "Įveskite tinkamą el. pašto adresą.", "deleteAccount": "Ištrinti paskyrą", diff --git a/mobile/apps/auth/lib/l10n/arb/app_vi.arb b/mobile/apps/auth/lib/l10n/arb/app_vi.arb index 361f40f3d4..99909658ca 100644 --- a/mobile/apps/auth/lib/l10n/arb/app_vi.arb +++ b/mobile/apps/auth/lib/l10n/arb/app_vi.arb @@ -91,7 +91,7 @@ "emailAlreadyRegistered": "Email đã được đăng ký.", "emailNotRegistered": "Email chưa được đăng ký.", "madeWithLoveAtPrefix": "lập trình bằng ❤️ bởi ", - "supportDevs": "Đăng ký ente để hỗ trợ dự án này.", + "supportDevs": "Đăng ký ente để hỗ trợ chúng tôi", "supportDiscount": "Dùng mã \"AUTH\" để được giảm 10% trong năm đầu tiên", "changeEmail": "Đổi email", "changePassword": "Đổi mật khẩu", @@ -513,8 +513,8 @@ "giveUsAStarOnGithub": "Tặng sao trên GitHub", "free5GB": "Miễn phí 5GB cho ente Photos", "loginWithAuthAccount": "Đăng nhập bằng tài khoản Ente Auth", - "freeStorageOffer": "Giảm giá 10% cho ente Photos", - "freeStorageOfferDescription": "Dùng mã \"AUTH\" để được giảm 10% trong năm đầu tiên", + "freeStorageOffer": "Giảm 10% ente Photos", + "freeStorageOfferDescription": "Dùng mã \"AUTH\" để giảm 10% năm đầu tiên", "advanced": "Nâng cao", "algorithm": "Thuật toán", "type": "Loại", From a0d7a88a6b5a9ed46d0040ec2b47dcbc75db7f13 Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Mon, 28 Jul 2025 11:13:40 +0530 Subject: [PATCH 205/302] Fix add new album flow --- .../apps/photos/lib/models/search/search_types.dart | 13 ++++++++----- .../lib/ui/collections/album/vertical_list.dart | 2 +- 2 files changed, 9 insertions(+), 6 deletions(-) diff --git a/mobile/apps/photos/lib/models/search/search_types.dart b/mobile/apps/photos/lib/models/search/search_types.dart index eb0cd0ea85..d5e27e671c 100644 --- a/mobile/apps/photos/lib/models/search/search_types.dart +++ b/mobile/apps/photos/lib/models/search/search_types.dart @@ -187,11 +187,14 @@ extension SectionTypeExtensions on SectionType { try { final Collection c = await CollectionsService.instance.createAlbum(text); - unawaited( - routeToPage( - context, - CollectionPage(CollectionWithThumbnail(c, null)), - ), + + // Close the dialog now so that it does not flash when leaving the album again. + Navigator.of(context).pop(); + + // ignore: unawaited_futures + await routeToPage( + context, + CollectionPage(CollectionWithThumbnail(c, null)), ); } catch (e, s) { Logger("CreateNewAlbumIcon") diff --git a/mobile/apps/photos/lib/ui/collections/album/vertical_list.dart b/mobile/apps/photos/lib/ui/collections/album/vertical_list.dart index aeb1fdc545..1c5ef2367d 100644 --- a/mobile/apps/photos/lib/ui/collections/album/vertical_list.dart +++ b/mobile/apps/photos/lib/ui/collections/album/vertical_list.dart @@ -142,7 +142,7 @@ class _AlbumVerticalListWidgetState extends State { }, showOnlyLoadingState: true, textCapitalization: TextCapitalization.words, - popnavAfterSubmission: false, + popnavAfterSubmission: true, ); if (result is Exception) { await showGenericErrorDialog( From ba9337a3b6f62bfb0d243632167b9be5f91d83ae Mon Sep 17 00:00:00 2001 From: ashilkn Date: Mon, 28 Jul 2025 11:57:14 +0530 Subject: [PATCH 206/302] Gallery performance improvement --- .../component/gallery_file_widget.dart | 77 +++++++++++-------- 1 file changed, 45 insertions(+), 32 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/component/gallery_file_widget.dart b/mobile/apps/photos/lib/ui/viewer/gallery/component/gallery_file_widget.dart index eb3a1e70b6..2b815630fd 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/component/gallery_file_widget.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/component/gallery_file_widget.dart @@ -86,37 +86,34 @@ class _GalleryFileWidgetState extends State { ? _onLongPressWithSelectionLimit(context, widget.file) : _onLongPressNoSelectionLimit(context, widget.file); }, - child: Stack( - clipBehavior: Clip.none, - children: [ - ClipRRect( - borderRadius: BorderRadius.circular(1), - child: Hero( - tag: heroTag, - flightShuttleBuilder: ( - flightContext, - animation, - flightDirection, - fromHeroContext, - toHeroContext, - ) => - thumbnailWidget, - transitionOnUserGestures: true, - child: _isFileSelected - ? ColorFiltered( - colorFilter: ColorFilter.mode( - Colors.black.withOpacity( - 0.4, - ), + child: _isFileSelected + ? Stack( + clipBehavior: Clip.none, + children: [ + ClipRRect( + key: ValueKey(heroTag), + borderRadius: BorderRadius.circular(1), + child: Hero( + tag: heroTag, + flightShuttleBuilder: ( + flightContext, + animation, + flightDirection, + fromHeroContext, + toHeroContext, + ) => + thumbnailWidget, + transitionOnUserGestures: true, + child: ColorFiltered( + colorFilter: const ColorFilter.mode( + Color.fromARGB(102, 0, 0, 0), BlendMode.darken, ), child: thumbnailWidget, - ) - : thumbnailWidget, - ), - ), - _isFileSelected - ? Positioned( + ), + ), + ), + Positioned( right: 4, top: 4, child: Icon( @@ -124,10 +121,26 @@ class _GalleryFileWidgetState extends State { size: 20, color: selectionColor, //same for both themes ), - ) - : const SizedBox.shrink(), - ], - ), + ), + ], + ) + : ClipRRect( + key: ValueKey(heroTag), + borderRadius: BorderRadius.circular(1), + child: Hero( + tag: heroTag, + flightShuttleBuilder: ( + flightContext, + animation, + flightDirection, + fromHeroContext, + toHeroContext, + ) => + thumbnailWidget, + transitionOnUserGestures: true, + child: thumbnailWidget, + ), + ), ); } From f621461ba88772e1d8bc58bd6ba6de2685e39441 Mon Sep 17 00:00:00 2001 From: Manav Rathi Date: Mon, 28 Jul 2025 13:41:37 +0530 Subject: [PATCH 207/302] Prettier: preserve proseWrap Always inserts linebreaks in positions that can break markdown content. --- desktop/.prettierrc.json | 1 - docs/.prettierrc.json | 3 +-- infra/staff/.prettierrc.json | 1 - infra/workers/.prettierrc.json | 3 +-- web/.prettierrc.json | 1 - 5 files changed, 2 insertions(+), 7 deletions(-) diff --git a/desktop/.prettierrc.json b/desktop/.prettierrc.json index 5c2751a5f9..0fe565bdad 100644 --- a/desktop/.prettierrc.json +++ b/desktop/.prettierrc.json @@ -1,6 +1,5 @@ { "tabWidth": 4, - "proseWrap": "always", "objectWrap": "collapse", "plugins": [ "prettier-plugin-organize-imports", diff --git a/docs/.prettierrc.json b/docs/.prettierrc.json index 8af31cded5..0a02bcefda 100644 --- a/docs/.prettierrc.json +++ b/docs/.prettierrc.json @@ -1,4 +1,3 @@ { - "tabWidth": 4, - "proseWrap": "always" + "tabWidth": 4 } diff --git a/infra/staff/.prettierrc.json b/infra/staff/.prettierrc.json index 7cf8c86c77..8b06525972 100644 --- a/infra/staff/.prettierrc.json +++ b/infra/staff/.prettierrc.json @@ -1,6 +1,5 @@ { "tabWidth": 4, - "proseWrap": "always", "plugins": [ "prettier-plugin-organize-imports", "prettier-plugin-packagejson" diff --git a/infra/workers/.prettierrc.json b/infra/workers/.prettierrc.json index 8af31cded5..0a02bcefda 100644 --- a/infra/workers/.prettierrc.json +++ b/infra/workers/.prettierrc.json @@ -1,4 +1,3 @@ { - "tabWidth": 4, - "proseWrap": "always" + "tabWidth": 4 } diff --git a/web/.prettierrc.json b/web/.prettierrc.json index 61cbc54727..bac8f0c074 100644 --- a/web/.prettierrc.json +++ b/web/.prettierrc.json @@ -1,6 +1,5 @@ { "tabWidth": 4, - "proseWrap": "always", "objectWrap": "collapse", "plugins": [ "prettier-plugin-organize-imports", From 3133a757ce06c144c1ab87a031891062c5b4729c Mon Sep 17 00:00:00 2001 From: Manav Rathi Date: Mon, 28 Jul 2025 14:01:51 +0530 Subject: [PATCH 208/302] Run prettier --- desktop/.github/workflows/desktop-release.yml | 6 ++---- docs/docs/auth/migration/index.md | 3 +-- docs/docs/photos/faq/desktop.md | 3 +-- docs/docs/photos/faq/security-and-privacy.md | 3 +-- docs/docs/photos/features/cast/index.md | 3 +-- docs/docs/photos/features/family-plans.md | 3 +-- docs/docs/photos/features/watch-folders.md | 3 +-- docs/docs/photos/migration/from-local-hard-disk.md | 3 +-- docs/docs/photos/troubleshooting/files-not-uploading.md | 3 +-- 9 files changed, 10 insertions(+), 20 deletions(-) diff --git a/desktop/.github/workflows/desktop-release.yml b/desktop/.github/workflows/desktop-release.yml index a3b8b38a13..69fd67ee96 100644 --- a/desktop/.github/workflows/desktop-release.yml +++ b/desktop/.github/workflows/desktop-release.yml @@ -44,8 +44,7 @@ jobs: # If triggered by a tag, checkout photosd-$tag from the source # repository. Otherwise checkout $source (default: "main"). repository: ente-io/ente - ref: - "${{ startsWith(github.ref, 'refs/tags/v') && + ref: "${{ startsWith(github.ref, 'refs/tags/v') && format('photosd-{0}', github.ref_name) || ( inputs.source || 'main' ) }}" @@ -110,8 +109,7 @@ jobs: env: # macOS notarization credentials key details APPLE_ID: ${{ secrets.APPLE_ID }} - APPLE_APP_SPECIFIC_PASSWORD: - ${{ secrets.APPLE_APP_SPECIFIC_PASSWORD }} + APPLE_APP_SPECIFIC_PASSWORD: ${{ secrets.APPLE_APP_SPECIFIC_PASSWORD }} APPLE_TEAM_ID: ${{ secrets.APPLE_TEAM_ID }} # Windows Azure Trusted Signing related values # https://www.electron.build/code-signing-win#using-azure-trusted-signing-beta diff --git a/docs/docs/auth/migration/index.md b/docs/docs/auth/migration/index.md index 24833a2cda..6622a27e25 100644 --- a/docs/docs/auth/migration/index.md +++ b/docs/docs/auth/migration/index.md @@ -1,7 +1,6 @@ --- title: Migrating to Ente Auth -description: - Guides for migrating your existing 2FA tokens into or out of Ente Auth +description: Guides for migrating your existing 2FA tokens into or out of Ente Auth --- # Migrating to/from Ente Auth diff --git a/docs/docs/photos/faq/desktop.md b/docs/docs/photos/faq/desktop.md index c0ef805584..b705bedfc4 100644 --- a/docs/docs/photos/faq/desktop.md +++ b/docs/docs/photos/faq/desktop.md @@ -1,7 +1,6 @@ --- title: Desktop app FAQ -description: - An assortment of frequently asked questions about Ente Photos desktop app +description: An assortment of frequently asked questions about Ente Photos desktop app --- # Desktop app FAQ diff --git a/docs/docs/photos/faq/security-and-privacy.md b/docs/docs/photos/faq/security-and-privacy.md index 6f40ab043f..dc8a1daac3 100644 --- a/docs/docs/photos/faq/security-and-privacy.md +++ b/docs/docs/photos/faq/security-and-privacy.md @@ -1,7 +1,6 @@ --- title: Security and Privacy FAQ -description: - Comprehensive information about security and privacy measures in Ente Photos +description: Comprehensive information about security and privacy measures in Ente Photos --- # Security and Privacy FAQ diff --git a/docs/docs/photos/features/cast/index.md b/docs/docs/photos/features/cast/index.md index 8a19090bc7..5a29e3b789 100644 --- a/docs/docs/photos/features/cast/index.md +++ b/docs/docs/photos/features/cast/index.md @@ -1,7 +1,6 @@ --- title: Cast -description: - Casting your photos on to a large screen or a TV or a Chromecast device +description: Casting your photos on to a large screen or a TV or a Chromecast device --- # Cast diff --git a/docs/docs/photos/features/family-plans.md b/docs/docs/photos/features/family-plans.md index cc5ee52aff..ff02a07aa1 100644 --- a/docs/docs/photos/features/family-plans.md +++ b/docs/docs/photos/features/family-plans.md @@ -1,7 +1,6 @@ --- title: Family plans -description: - Share your Ente Photos plan with your family members with no extra cost +description: Share your Ente Photos plan with your family members with no extra cost --- # Family plans diff --git a/docs/docs/photos/features/watch-folders.md b/docs/docs/photos/features/watch-folders.md index 7dea25e369..0b3e3310ab 100644 --- a/docs/docs/photos/features/watch-folders.md +++ b/docs/docs/photos/features/watch-folders.md @@ -1,7 +1,6 @@ --- title: Watch folder -description: - Automatic syncing of selected folders using the Ente Photos desktop app +description: Automatic syncing of selected folders using the Ente Photos desktop app --- # Watch folders diff --git a/docs/docs/photos/migration/from-local-hard-disk.md b/docs/docs/photos/migration/from-local-hard-disk.md index 91971ba198..1f42840f2e 100644 --- a/docs/docs/photos/migration/from-local-hard-disk.md +++ b/docs/docs/photos/migration/from-local-hard-disk.md @@ -1,7 +1,6 @@ --- title: Import from local hard disk -description: - Migrating to Ente Photos by importing data from your local hard disk +description: Migrating to Ente Photos by importing data from your local hard disk --- # Import photos from your local hard disk diff --git a/docs/docs/photos/troubleshooting/files-not-uploading.md b/docs/docs/photos/troubleshooting/files-not-uploading.md index b56afe57e3..331ae80e14 100644 --- a/docs/docs/photos/troubleshooting/files-not-uploading.md +++ b/docs/docs/photos/troubleshooting/files-not-uploading.md @@ -1,7 +1,6 @@ --- title: Files not uploading -description: - Troubleshooting when files are not uploading from your Ente Photos app +description: Troubleshooting when files are not uploading from your Ente Photos app --- # Files not uploading From 35ede58e782a6ea64cf537a07c19f3bcf12fb9e0 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Mon, 28 Jul 2025 17:18:20 +0530 Subject: [PATCH 209/302] Move memories settings to General > Memories --- .../ui/settings/gallery_settings_screen.dart | 94 ----------- .../ui/settings/general_section_widget.dart | 20 +++ .../ui/settings/memories_settings_screen.dart | 154 ++++++++++++++++++ 3 files changed, 174 insertions(+), 94 deletions(-) create mode 100644 mobile/apps/photos/lib/ui/settings/memories_settings_screen.dart diff --git a/mobile/apps/photos/lib/ui/settings/gallery_settings_screen.dart b/mobile/apps/photos/lib/ui/settings/gallery_settings_screen.dart index cb2fdf0ca9..e14e50c605 100644 --- a/mobile/apps/photos/lib/ui/settings/gallery_settings_screen.dart +++ b/mobile/apps/photos/lib/ui/settings/gallery_settings_screen.dart @@ -1,19 +1,12 @@ -import "dart:async"; - import "package:flutter/material.dart"; -import "package:photos/core/event_bus.dart"; -import "package:photos/events/hide_shared_items_from_home_gallery_event.dart"; -import "package:photos/events/memories_changed_event.dart"; import "package:photos/generated/l10n.dart"; import "package:photos/service_locator.dart"; -import "package:photos/services/memory_home_widget_service.dart"; import "package:photos/theme/ente_theme.dart"; import "package:photos/ui/components/buttons/icon_button_widget.dart"; import "package:photos/ui/components/captioned_text_widget.dart"; import "package:photos/ui/components/menu_item_widget/menu_item_widget.dart"; import "package:photos/ui/components/title_bar_title_widget.dart"; import "package:photos/ui/components/title_bar_widget.dart"; -import "package:photos/ui/components/toggle_switch_widget.dart"; import "package:photos/ui/viewer/gallery/component/group/type.dart"; import "package:photos/ui/viewer/gallery/gallery_group_type_picker_page.dart"; import "package:photos/ui/viewer/gallery/photo_grid_size_picker_page.dart"; @@ -130,82 +123,6 @@ class _GallerySettingsScreenState extends State { isGestureDetectorDisabled: true, ), ), - const SizedBox( - height: 24, - ), - MenuItemWidget( - captionedTextWidget: CaptionedTextWidget( - title: S.of(context).showMemories, - ), - menuItemColor: colorScheme.fillFaint, - singleBorderRadius: 8, - alignCaptionedTextToLeft: true, - trailingWidget: ToggleSwitchWidget( - value: () => memoriesCacheService.showAnyMemories, - onChanged: () async { - await memoriesCacheService.setShowAnyMemories( - !memoriesCacheService.showAnyMemories, - ); - if (!memoriesCacheService.showAnyMemories) { - unawaited( - MemoryHomeWidgetService.instance.clearWidget(), - ); - } - setState(() {}); - }, - ), - ), - const SizedBox( - height: 24, - ), - memoriesCacheService.curatedMemoriesOption - ? MenuItemWidget( - captionedTextWidget: CaptionedTextWidget( - title: S.of(context).curatedMemories, - ), - menuItemColor: colorScheme.fillFaint, - singleBorderRadius: 8, - alignCaptionedTextToLeft: true, - trailingWidget: ToggleSwitchWidget( - value: () => - localSettings.isSmartMemoriesEnabled, - onChanged: () async { - unawaited(_toggleUpdateMemories()); - }, - ), - ) - : const SizedBox(), - memoriesCacheService.curatedMemoriesOption - ? const SizedBox( - height: 24, - ) - : const SizedBox(), - MenuItemWidget( - captionedTextWidget: CaptionedTextWidget( - title: S.of(context).hideSharedItemsFromHomeGallery, - ), - menuItemColor: colorScheme.fillFaint, - singleBorderRadius: 8, - alignCaptionedTextToLeft: true, - trailingWidget: ToggleSwitchWidget( - value: () => - localSettings.hideSharedItemsFromHomeGallery, - onChanged: () async { - final prevSetting = - localSettings.hideSharedItemsFromHomeGallery; - await localSettings - .setHideSharedItemsFromHomeGallery( - !prevSetting, - ); - - Bus.instance.fire( - HideSharedItemsFromHomeGalleryEvent( - !prevSetting, - ), - ); - }, - ), - ), ], ), ); @@ -218,14 +135,3 @@ class _GallerySettingsScreenState extends State { ); } } - -Future _toggleUpdateMemories() async { - await localSettings.setSmartMemories( - !localSettings.isSmartMemoriesEnabled, - ); - await memoriesCacheService.clearMemoriesCache( - fromDisk: false, - ); - await memoriesCacheService.getMemories(); - Bus.instance.fire(MemoriesChangedEvent()); -} diff --git a/mobile/apps/photos/lib/ui/settings/general_section_widget.dart b/mobile/apps/photos/lib/ui/settings/general_section_widget.dart index a1c71dbca5..1f7c5fdefd 100644 --- a/mobile/apps/photos/lib/ui/settings/general_section_widget.dart +++ b/mobile/apps/photos/lib/ui/settings/general_section_widget.dart @@ -15,6 +15,7 @@ import 'package:photos/ui/settings/advanced_settings_screen.dart'; import 'package:photos/ui/settings/common_settings.dart'; import "package:photos/ui/settings/gallery_settings_screen.dart"; import "package:photos/ui/settings/language_picker.dart"; +import "package:photos/ui/settings/memories_settings_screen.dart"; import "package:photos/ui/settings/notification_settings_screen.dart"; import "package:photos/ui/settings/widget_settings_screen.dart"; import 'package:photos/utils/navigation_util.dart'; @@ -47,6 +48,18 @@ class GeneralSectionWidget extends StatelessWidget { }, ), sectionOptionSpacing, + MenuItemWidget( + captionedTextWidget: CaptionedTextWidget( + title: S.of(context).memories, + ), + pressedColor: getEnteColorScheme(context).fillFaint, + trailingIcon: Icons.chevron_right_outlined, + trailingIconIsMuted: true, + onTap: () async { + _onMemoriesSettingsTapped(context); + }, + ), + sectionOptionSpacing, MenuItemWidget( captionedTextWidget: CaptionedTextWidget( title: S.of(context).referrals, @@ -175,4 +188,11 @@ class GeneralSectionWidget extends StatelessWidget { ), ); } + + void _onMemoriesSettingsTapped(BuildContext context) { + routeToPage( + context, + const MemoriesSettingsScreen(), + ); + } } diff --git a/mobile/apps/photos/lib/ui/settings/memories_settings_screen.dart b/mobile/apps/photos/lib/ui/settings/memories_settings_screen.dart new file mode 100644 index 0000000000..2cddd5485b --- /dev/null +++ b/mobile/apps/photos/lib/ui/settings/memories_settings_screen.dart @@ -0,0 +1,154 @@ +import "dart:async"; + +import "package:flutter/material.dart"; +import "package:photos/core/event_bus.dart"; +import "package:photos/events/hide_shared_items_from_home_gallery_event.dart"; +import "package:photos/events/memories_changed_event.dart"; +import "package:photos/generated/l10n.dart"; +import "package:photos/service_locator.dart"; +import "package:photos/services/memory_home_widget_service.dart"; +import "package:photos/theme/ente_theme.dart"; +import "package:photos/ui/components/buttons/icon_button_widget.dart"; +import "package:photos/ui/components/captioned_text_widget.dart"; +import "package:photos/ui/components/menu_item_widget/menu_item_widget.dart"; +import "package:photos/ui/components/title_bar_title_widget.dart"; +import "package:photos/ui/components/title_bar_widget.dart"; +import "package:photos/ui/components/toggle_switch_widget.dart"; + +class MemoriesSettingsScreen extends StatefulWidget { + const MemoriesSettingsScreen({ + super.key, + }); + + @override + State createState() => _MemoriesSettingsScreenState(); +} + +class _MemoriesSettingsScreenState extends State { + @override + Widget build(BuildContext context) { + final colorScheme = getEnteColorScheme(context); + return Scaffold( + body: CustomScrollView( + primary: false, + slivers: [ + TitleBarWidget( + flexibleSpaceTitle: TitleBarTitleWidget( + title: S.of(context).memories, + ), + actionIcons: [ + IconButtonWidget( + icon: Icons.close_outlined, + iconButtonType: IconButtonType.secondary, + onTap: () { + Navigator.pop(context); + Navigator.pop(context); + }, + ), + ], + ), + SliverList( + delegate: SliverChildBuilderDelegate( + (delegateBuildContext, index) { + return Padding( + padding: + const EdgeInsets.symmetric(horizontal: 16, vertical: 20), + child: Column( + mainAxisSize: MainAxisSize.min, + children: [ + MenuItemWidget( + captionedTextWidget: CaptionedTextWidget( + title: S.of(context).showMemories, + ), + menuItemColor: colorScheme.fillFaint, + singleBorderRadius: 8, + alignCaptionedTextToLeft: true, + trailingWidget: ToggleSwitchWidget( + value: () => memoriesCacheService.showAnyMemories, + onChanged: () async { + await memoriesCacheService.setShowAnyMemories( + !memoriesCacheService.showAnyMemories, + ); + if (!memoriesCacheService.showAnyMemories) { + unawaited( + MemoryHomeWidgetService.instance.clearWidget(), + ); + } + setState(() {}); + }, + ), + ), + const SizedBox( + height: 24, + ), + memoriesCacheService.curatedMemoriesOption + ? MenuItemWidget( + captionedTextWidget: CaptionedTextWidget( + title: S.of(context).curatedMemories, + ), + menuItemColor: colorScheme.fillFaint, + singleBorderRadius: 8, + alignCaptionedTextToLeft: true, + trailingWidget: ToggleSwitchWidget( + value: () => + localSettings.isSmartMemoriesEnabled, + onChanged: () async { + unawaited(_toggleUpdateMemories()); + }, + ), + ) + : const SizedBox(), + memoriesCacheService.curatedMemoriesOption + ? const SizedBox( + height: 24, + ) + : const SizedBox(), + MenuItemWidget( + captionedTextWidget: CaptionedTextWidget( + title: S.of(context).hideSharedItemsFromHomeGallery, + ), + menuItemColor: colorScheme.fillFaint, + singleBorderRadius: 8, + alignCaptionedTextToLeft: true, + trailingWidget: ToggleSwitchWidget( + value: () => + localSettings.hideSharedItemsFromHomeGallery, + onChanged: () async { + final prevSetting = + localSettings.hideSharedItemsFromHomeGallery; + await localSettings + .setHideSharedItemsFromHomeGallery( + !prevSetting, + ); + + Bus.instance.fire( + HideSharedItemsFromHomeGalleryEvent( + !prevSetting, + ), + ); + }, + ), + ), + ], + ), + ); + }, + childCount: 1, + ), + ), + ], + ), + ); + } +} + +Future _toggleUpdateMemories() async { + await localSettings.setSmartMemories( + !localSettings.isSmartMemoriesEnabled, + ); + await memoriesCacheService.clearMemoriesCache( + fromDisk: false, + ); + await memoriesCacheService.getMemories(); + Bus.instance.fire(MemoriesChangedEvent()); +} From 9aa6023720e6491c186da01cb58ac1899531c69b Mon Sep 17 00:00:00 2001 From: ashilkn Date: Mon, 28 Jul 2025 17:43:51 +0530 Subject: [PATCH 210/302] Bump up version --- mobile/apps/photos/pubspec.yaml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mobile/apps/photos/pubspec.yaml b/mobile/apps/photos/pubspec.yaml index 19bf6b4b0c..c57dedf75c 100644 --- a/mobile/apps/photos/pubspec.yaml +++ b/mobile/apps/photos/pubspec.yaml @@ -12,7 +12,7 @@ description: ente photos application # Read more about iOS versioning at # https://developer.apple.com/library/archive/documentation/General/Reference/InfoPlistKeyReference/Articles/CoreFoundationKeys.html -version: 1.1.54+1084 +version: 1.1.70+1107 publish_to: none environment: From 62049275f366d1e27bb13785b715791ed4965902 Mon Sep 17 00:00:00 2001 From: Manav Rathi Date: Mon, 28 Jul 2025 19:25:33 +0530 Subject: [PATCH 211/302] Handle old public albums e.g. "Trip to Sikkim" from the blog post --- web/packages/media/magic-metadata.ts | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/web/packages/media/magic-metadata.ts b/web/packages/media/magic-metadata.ts index f5c308e7af..6e2857f97f 100644 --- a/web/packages/media/magic-metadata.ts +++ b/web/packages/media/magic-metadata.ts @@ -1,4 +1,5 @@ import { decryptMetadataJSON, encryptMetadataJSON } from "ente-base/crypto"; +import { nullishToZero } from "ente-utils/transform"; import { z } from "zod/v4"; /** @@ -10,7 +11,7 @@ import { z } from "zod/v4"; */ export const RemoteMagicMetadata = z.object({ version: z.number(), - count: z.number(), + count: z.number().nullish().transform(nullishToZero), data: z.string(), header: z.string(), }); From dd0cfc4656606baee345da7d1d0211839defbd60 Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Tue, 29 Jul 2025 08:48:17 +0530 Subject: [PATCH 212/302] Fix: update padding in crop rotate bar and rename paint editor state --- .../image_editor_crop_rotate.dart | 5 +- .../image_editor_main_bottom_bar.dart | 2 +- .../image_editor/image_editor_page_new.dart | 492 +++++++++--------- .../image_editor/image_editor_paint_bar.dart | 2 +- 4 files changed, 255 insertions(+), 246 deletions(-) diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_crop_rotate.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_crop_rotate.dart index 7d0b62f8e2..a222ed92e4 100644 --- a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_crop_rotate.dart +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_crop_rotate.dart @@ -137,7 +137,10 @@ class _ImageEditorCropRotateBarState extends State final aspectRatio = CropAspectRatioType.values[index]; final isSelected = selectedAspectRatio == aspectRatio; return Padding( - padding: const EdgeInsets.only(right: 12.0), + padding: const EdgeInsets.only( + left: 6.0, + right: 6.0, + ), child: CropAspectChip( label: aspectRatio.label, svg: aspectRatio.svg, diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_main_bottom_bar.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_main_bottom_bar.dart index 1d5a9ff789..de578abfec 100644 --- a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_main_bottom_bar.dart +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_main_bottom_bar.dart @@ -121,7 +121,7 @@ class ImageEditorMainBottomBarState extends State svgPath: "assets/image-editor/image-editor-paint.svg", label: "Draw", onTap: () { - widget.editor.openPaintEditor(); + widget.editor.openPaintingEditor(); }, ), CircularIconButton( diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart index 771ac502a9..f72f9f386f 100644 --- a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart @@ -35,6 +35,7 @@ import "package:photos/ui/tools/editor/image_editor/image_editor_tune_bar.dart"; import "package:photos/ui/viewer/file/detail_page.dart"; import "package:photos/utils/dialog_util.dart"; import "package:photos/utils/navigation_util.dart"; +import "package:pro_image_editor/models/editor_configs/main_editor_configs.dart"; import 'package:pro_image_editor/pro_image_editor.dart'; class NewImageEditor extends StatefulWidget { @@ -177,6 +178,7 @@ class _NewImageEditorState extends State { final colorScheme = getEnteColorScheme(context); final textTheme = getEnteTextTheme(context); return Scaffold( + resizeToAvoidBottomInset: false, backgroundColor: colorScheme.backgroundBase, body: PopScope( canPop: false, @@ -203,12 +205,38 @@ class _NewImageEditorState extends State { ), ), configs: ProImageEditorConfigs( - imageGeneration: const ImageGenerationConfigs( + imageEditorTheme: ImageEditorTheme( + appBarBackgroundColor: colorScheme.backgroundBase, + background: colorScheme.backgroundBase, + bottomBarBackgroundColor: colorScheme.backgroundBase, + filterEditor: FilterEditorTheme( + background: colorScheme.backgroundBase, + ), + paintingEditor: PaintingEditorTheme( + background: colorScheme.backgroundBase, + ), + textEditor: const TextEditorTheme( + background: Colors.transparent, + textFieldMargin: EdgeInsets.only(top: kToolbarHeight), + ), + cropRotateEditor: CropRotateEditorTheme( + background: colorScheme.backgroundBase, + cropCornerColor: + Theme.of(context).colorScheme.imageEditorPrimaryColor, + ), + tuneEditor: TuneEditorTheme( + background: colorScheme.backgroundBase, + ), + emojiEditor: EmojiEditorTheme( + backgroundColor: colorScheme.backgroundBase, + ), + ), + imageGenerationConfigs: const ImageGenerationConfigs( jpegQuality: 100, generateInsideSeparateThread: true, pngLevel: 0, ), - layerInteraction: const LayerInteractionConfigs( + layerInteraction: const LayerInteraction( hideToolbarOnInteraction: false, ), theme: ThemeData( @@ -222,132 +250,9 @@ class _NewImageEditorState extends State { ), brightness: isLightMode ? Brightness.light : Brightness.dark, ), - mainEditor: MainEditorConfigs( - enableCloseButton: false, - style: MainEditorStyle( - appBarBackground: colorScheme.backgroundBase, - background: colorScheme.backgroundBase, - bottomBarBackground: colorScheme.backgroundBase, - ), - widgets: MainEditorWidgets( - removeLayerArea: (removeAreaKey, editor, rebuildStream) { - return Align( - alignment: Alignment.bottomCenter, - child: StreamBuilder( - stream: rebuildStream, - builder: (_, __) { - final isHovered = - editor.layerInteractionManager.hoverRemoveBtn; - - return AnimatedContainer( - key: removeAreaKey, - duration: const Duration(milliseconds: 150), - height: 56, - width: 56, - margin: const EdgeInsets.only(bottom: 24), - decoration: BoxDecoration( - color: isHovered - ? colorScheme.warning400.withOpacity(0.8) - : Colors.white, - shape: BoxShape.circle, - ), - padding: const EdgeInsets.all(12), - child: Center( - child: SvgPicture.asset( - "assets/image-editor/image-editor-delete.svg", - colorFilter: ColorFilter.mode( - isHovered - ? Colors.white - : colorScheme.warning400.withOpacity(0.8), - BlendMode.srcIn, - ), - ), - ), - ); - }, - ), - ); - }, - appBar: (editor, rebuildStream) { - return ReactiveCustomAppbar( - builder: (context) { - return ImageEditorAppBar( - enableRedo: editor.canRedo, - enableUndo: editor.canUndo, - key: const Key('image_editor_app_bar'), - redo: () => editor.redoAction(), - undo: () => editor.undoAction(), - configs: editor.configs, - done: () async { - final Uint8List bytes = await editorKey.currentState! - .captureEditorImage(); - await saveImage(bytes); - }, - close: () { - _showExitConfirmationDialog(context); - }, - isMainEditor: true, - ); - }, - stream: rebuildStream, - ); - }, - bottomBar: (editor, rebuildStream, key) => ReactiveCustomWidget( - key: key, - builder: (context) { - return ImageEditorMainBottomBar( - key: _mainEditorBarKey, - editor: editor, - configs: editor.configs, - callbacks: editor.callbacks, - ); - }, - stream: rebuildStream, - ), - ), - ), - paintEditor: PaintEditorConfigs( - style: PaintEditorStyle( - background: colorScheme.backgroundBase, - initialStrokeWidth: 5, - ), - widgets: PaintEditorWidgets( - appBar: (editor, rebuildStream) { - return ReactiveCustomAppbar( - builder: (context) { - return ImageEditorAppBar( - enableRedo: editor.canRedo, - enableUndo: editor.canUndo, - key: const Key('image_editor_app_bar'), - redo: () => editor.redoAction(), - undo: () => editor.undoAction(), - configs: editor.configs, - done: () => editor.done(), - close: () => editor.close(), - ); - }, - stream: rebuildStream, - ); - }, - colorPicker: - (paintEditor, rebuildStream, currentColor, setColor) => - null, - bottomBar: (editorState, rebuildStream) { - return ReactiveCustomWidget( - builder: (context) { - return ImageEditorPaintBar( - configs: editorState.configs, - callbacks: editorState.callbacks, - editor: editorState, - i18nColor: 'Color', - ); - }, - stream: rebuildStream, - ); - }, - ), - ), - textEditor: TextEditorConfigs( + mainEditorConfigs: const MainEditorConfigs(), + paintEditorConfigs: const PaintEditorConfigs(enabled: true), + textEditorConfigs: TextEditorConfigs( canToggleBackgroundMode: true, canToggleTextAlign: true, customTextStyles: [ @@ -356,98 +261,9 @@ class _NewImageEditorState extends State { GoogleFonts.dmSerifText(), GoogleFonts.comicNeue(), ], - style: const TextEditorStyle( - background: Colors.transparent, - textFieldMargin: EdgeInsets.only(top: kToolbarHeight), - ), - widgets: TextEditorWidgets( - appBar: (textEditor, rebuildStream) => ReactiveCustomAppbar( - builder: (context) { - return ImageEditorAppBar( - key: const Key('image_editor_app_bar'), - configs: textEditor.configs, - done: () => textEditor.done(), - close: () => textEditor.close(), - ); - }, - stream: rebuildStream, - ), - bodyItems: (editor, rebuildStream) { - return [ - ReactiveCustomWidget( - builder: (context) { - return Positioned.fill( - child: GestureDetector( - onTap: () {}, - child: Container( - color: Colors.transparent, - ), - ), - ); - }, - stream: rebuildStream, - ), - ]; - }, - colorPicker: - (textEditor, rebuildStream, currentColor, setColor) => null, - bottomBar: (editorState, rebuildStream) { - return ReactiveCustomWidget( - builder: (context) { - return ImageEditorTextBar( - configs: editorState.configs, - callbacks: editorState.callbacks, - editor: editorState, - ); - }, - stream: rebuildStream, - ); - }, - ), ), - cropRotateEditor: CropRotateEditorConfigs( - style: CropRotateEditorStyle( - background: colorScheme.backgroundBase, - cropCornerColor: - Theme.of(context).colorScheme.imageEditorPrimaryColor, - ), - widgets: CropRotateEditorWidgets( - appBar: (editor, rebuildStream) { - return ReactiveCustomAppbar( - builder: (context) { - return ImageEditorAppBar( - key: const Key('image_editor_app_bar'), - configs: editor.configs, - done: () => editor.done(), - close: () => editor.close(), - enableRedo: editor.canRedo, - enableUndo: editor.canUndo, - redo: () => editor.redoAction(), - undo: () => editor.undoAction(), - ); - }, - stream: rebuildStream, - ); - }, - bottomBar: (cropRotateEditor, rebuildStream) => - ReactiveCustomWidget( - stream: rebuildStream, - builder: (_) => ImageEditorCropRotateBar( - configs: cropRotateEditor.configs, - callbacks: cropRotateEditor.callbacks, - editor: cropRotateEditor, - ), - ), - ), - ), - filterEditor: FilterEditorConfigs( - fadeInUpDuration: fadeInDuration, - fadeInUpStaggerDelayDuration: fadeInDelay, - style: FilterEditorStyle( - filterListSpacing: 7, - background: colorScheme.backgroundBase, - ), - widgets: FilterEditorWidgets( + customWidgets: ImageEditorCustomWidgets( + filterEditor: CustomWidgetsFilterEditor( slider: ( editorState, rebuildStream, @@ -491,12 +307,7 @@ class _NewImageEditorState extends State { ); }, ), - ), - tuneEditor: TuneEditorConfigs( - style: TuneEditorStyle( - background: colorScheme.backgroundBase, - ), - widgets: TuneEditorWidgets( + tuneEditor: CustomWidgetsTuneEditor( appBar: (editor, rebuildStream) { return ReactiveCustomAppbar( builder: (context) { @@ -527,28 +338,223 @@ class _NewImageEditorState extends State { ); }, ), - ), - blurEditor: const BlurEditorConfigs( - enabled: false, - ), - emojiEditor: EmojiEditorConfigs( - icons: const EmojiEditorIcons(), - style: EmojiEditorStyle( - backgroundColor: colorScheme.backgroundBase, - emojiViewConfig: const EmojiViewConfig( - gridPadding: EdgeInsets.zero, - horizontalSpacing: 0, - verticalSpacing: 0, - recentsLimit: 40, - loadingIndicator: Center(child: CircularProgressIndicator()), - replaceEmojiOnLimitExceed: false, + mainEditor: CustomWidgetsMainEditor( + removeLayerArea: (key, rebuildStream) { + return ReactiveCustomWidget( + key: key, + builder: (context) { + return Align( + alignment: Alignment.bottomCenter, + child: StreamBuilder( + stream: rebuildStream, + builder: (context, snapshot) { + final isHovered = editorKey.currentState + !.layerInteractionManager.hoverRemoveBtn; + + return AnimatedContainer( + key: key, + duration: const Duration(milliseconds: 150), + height: 56, + width: 56, + margin: const EdgeInsets.only(bottom: 24), + decoration: BoxDecoration( + color: isHovered + ? colorScheme.warning400.withOpacity(0.8) + : Colors.white, + shape: BoxShape.circle, + ), + padding: const EdgeInsets.all(12), + child: Center( + child: SvgPicture.asset( + "assets/image-editor/image-editor-delete.svg", + colorFilter: ColorFilter.mode( + isHovered + ? Colors.white + : colorScheme.warning400 + .withOpacity(0.8), + BlendMode.srcIn, + ), + ), + ), + ); + }, + ), + ); + }, + stream: rebuildStream, + ); + }, + appBar: (editor, rebuildStream) { + return ReactiveCustomAppbar( + builder: (context) { + return ImageEditorAppBar( + enableRedo: editor.canRedo, + enableUndo: editor.canUndo, + key: const Key('image_editor_app_bar'), + redo: () => editor.redoAction(), + undo: () => editor.undoAction(), + configs: editor.configs, + done: () async { + final Uint8List bytes = await editorKey.currentState! + .captureEditorImage(); + await saveImage(bytes); + }, + close: () { + _showExitConfirmationDialog(context); + }, + isMainEditor: true, + ); + }, + stream: rebuildStream, + ); + }, + bottomBar: (editor, rebuildStream, key) => ReactiveCustomWidget( + key: key, + builder: (context) { + return ImageEditorMainBottomBar( + key: _mainEditorBarKey, + editor: editor, + configs: editor.configs, + callbacks: editor.callbacks, + ); + }, + stream: rebuildStream, ), - bottomActionBarConfig: const BottomActionBarConfig( - enabled: false, + ), + paintEditor: CustomWidgetsPaintEditor( + appBar: (editor, rebuildStream) { + return ReactiveCustomAppbar( + builder: (context) { + return ImageEditorAppBar( + enableRedo: editor.canRedo, + enableUndo: editor.canUndo, + key: const Key('image_editor_app_bar'), + redo: () => editor.redoAction(), + undo: () => editor.undoAction(), + configs: editor.configs, + done: () => editor.done(), + close: () => editor.close(), + ); + }, + stream: rebuildStream, + ); + }, + colorPicker: + (paintEditor, rebuildStream, currentColor, setColor) => + null, + bottomBar: (editorState, rebuildStream) { + return ReactiveCustomWidget( + builder: (context) { + return ImageEditorPaintBar( + configs: editorState.configs, + callbacks: editorState.callbacks, + editor: editorState, + i18nColor: 'Color', + ); + }, + stream: rebuildStream, + ); + }, + ), + textEditor: CustomWidgetsTextEditor( + appBar: (textEditor, rebuildStream) => ReactiveCustomAppbar( + builder: (context) { + return ImageEditorAppBar( + key: const Key('image_editor_app_bar'), + configs: textEditor.configs, + done: () => textEditor.done(), + close: () => textEditor.close(), + ); + }, + stream: rebuildStream, + ), + bodyItems: (editor, rebuildStream) { + return [ + ReactiveCustomWidget( + builder: (context) { + return Positioned.fill( + child: GestureDetector( + onTap: () {}, + child: Container( + color: Colors.transparent, + ), + ), + ); + }, + stream: rebuildStream, + ), + ]; + }, + colorPicker: + (textEditor, rebuildStream, currentColor, setColor) => null, + bottomBar: (editorState, rebuildStream) { + return ReactiveCustomWidget( + builder: (context) { + return ImageEditorTextBar( + configs: editorState.configs, + callbacks: editorState.callbacks, + editor: editorState, + ); + }, + stream: rebuildStream, + ); + }, + ), + cropRotateEditor: CustomWidgetsCropRotateEditor( + appBar: (editor, rebuildStream) { + return ReactiveCustomAppbar( + builder: (context) { + return ImageEditorAppBar( + key: const Key('image_editor_app_bar'), + configs: editor.configs, + done: () => editor.done(), + close: () => editor.close(), + enableRedo: editor.canRedo, + enableUndo: editor.canUndo, + redo: () => editor.redoAction(), + undo: () => editor.undoAction(), + ); + }, + stream: rebuildStream, + ); + }, + bottomBar: (cropRotateEditor, rebuildStream) => + ReactiveCustomWidget( + stream: rebuildStream, + builder: (_) => ImageEditorCropRotateBar( + configs: cropRotateEditor.configs, + callbacks: cropRotateEditor.callbacks, + editor: cropRotateEditor, + ), ), ), ), - stickerEditor: const StickerEditorConfigs(enabled: false), + cropRotateEditorConfigs: const CropRotateEditorConfigs( + canChangeAspectRatio: true, + canFlip: true, + canRotate: true, + canReset: true, + enabled: true, + ), + filterEditorConfigs: const FilterEditorConfigs( + enabled: true, + fadeInUpDuration: fadeInDuration, + fadeInUpStaggerDelayDuration: fadeInDelay, + ), + tuneEditorConfigs: const TuneEditorConfigs(enabled: true), + blurEditorConfigs: const BlurEditorConfigs( + enabled: false, + ), + emojiEditorConfigs: const EmojiEditorConfigs( + enabled: true, + checkPlatformCompatibility: true, + ), + stickerEditorConfigs: StickerEditorConfigs( + enabled: false, + buildStickers: (setLayer, scrollController) { + return const SizedBox.shrink(); + }, + ), ), ), ), diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_paint_bar.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_paint_bar.dart index 48f7b2a040..0e4d1dd44f 100644 --- a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_paint_bar.dart +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_paint_bar.dart @@ -18,7 +18,7 @@ class ImageEditorPaintBar extends StatefulWidget with SimpleConfigsAccess { required this.i18nColor, }); - final PaintEditorState editor; + final PaintingEditorState editor; @override final ProImageEditorConfigs configs; From 064da1be0831604904be74873aa076f861e56332 Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Tue, 29 Jul 2025 08:48:31 +0530 Subject: [PATCH 213/302] fix: downgrade pro_image_editor dependency from 7.2.0 to 6.0.0 for compatibility --- mobile/apps/photos/pubspec.lock | 339 ++++++++++++++++---------------- mobile/apps/photos/pubspec.yaml | 2 +- 2 files changed, 175 insertions(+), 166 deletions(-) diff --git a/mobile/apps/photos/pubspec.lock b/mobile/apps/photos/pubspec.lock index a4417cd068..f376e463b2 100644 --- a/mobile/apps/photos/pubspec.lock +++ b/mobile/apps/photos/pubspec.lock @@ -5,23 +5,23 @@ packages: dependency: transitive description: name: _fe_analyzer_shared - sha256: "16e298750b6d0af7ce8a3ba7c18c69c3785d11b15ec83f6dcd0ad2a0009b3cab" + sha256: f256b0c0ba6c7577c15e2e4e114755640a875e885099367bf6e012b19314c834 url: "https://pub.dev" source: hosted - version: "76.0.0" + version: "72.0.0" _flutterfire_internals: dependency: transitive description: name: _flutterfire_internals - sha256: "401dd18096f5eaa140404ccbbbf346f83c850e6f27049698a7ee75a3488ddb32" + sha256: ff0a84a2734d9e1089f8aedd5c0af0061b82fb94e95260d943404e0ef2134b11 url: "https://pub.dev" source: hosted - version: "1.3.52" + version: "1.3.59" _macros: dependency: transitive description: dart source: sdk - version: "0.3.3" + version: "0.3.2" adaptive_theme: dependency: "direct main" description: @@ -34,10 +34,10 @@ packages: dependency: transitive description: name: analyzer - sha256: "1f14db053a8c23e260789e9b0980fa27f2680dd640932cae5e1137cce0e46e1e" + sha256: b652861553cd3990d8ed361f7979dc6d7053a9ac8843fa73820ab68ce5410139 url: "https://pub.dev" source: hosted - version: "6.11.0" + version: "6.7.0" android_intent_plus: dependency: "direct main" description: @@ -114,18 +114,18 @@ packages: dependency: transitive description: name: args - sha256: bf9f5caeea8d8fe6721a9c358dd8a5c1947b27f1cfaa18b39c301273594919e6 + sha256: d0481093c50b1da8910eb0bb301626d4d8eb7284aa739614d2b394ee09e3ea04 url: "https://pub.dev" source: hosted - version: "2.6.0" + version: "2.7.0" asn1lib: dependency: transitive description: name: asn1lib - sha256: "4bae5ae63e6d6dd17c4aac8086f3dec26c0236f6a0f03416c6c19d830c367cf5" + sha256: "9a8f69025044eb466b9b60ef3bc3ac99b4dc6c158ae9c56d25eeccf5bc56d024" url: "https://pub.dev" source: hosted - version: "1.5.8" + version: "1.6.5" async: dependency: "direct main" description: @@ -227,10 +227,10 @@ packages: dependency: transitive description: name: built_value - sha256: "28a712df2576b63c6c005c465989a348604960c0958d28be5303ba9baa841ac2" + sha256: "0b1b12a0a549605e5f04476031cd0bc91ead1d7c8e830773a18ee54179b3cb62" url: "https://pub.dev" source: hosted - version: "8.9.3" + version: "8.11.0" cached_network_image: dependency: "direct main" description: @@ -260,7 +260,7 @@ packages: description: path: "." ref: multicast_version - resolved-ref: "1f39cd4d6efa9363e77b2439f0317bae0c92dda1" + resolved-ref: af6378574352884beab6cddec462c7fdfc9a8c35 url: "https://github.com/guyluz11/flutter_cast.git" source: git version: "2.0.9" @@ -289,6 +289,14 @@ packages: url: "https://github.com/ente-io/chewie.git" source: git version: "1.10.0" + cli_config: + dependency: transitive + description: + name: cli_config + sha256: ac20a183a07002b700f0c25e61b7ee46b23c309d76ab7b7640a028f18e4d99ec + url: "https://pub.dev" + source: hosted + version: "0.2.0" cli_util: dependency: transitive description: @@ -317,10 +325,10 @@ packages: dependency: "direct main" description: name: collection - sha256: a1ace0a119f20aabc852d165077c036cd864315bd99b7eaa10a60100341941bf + sha256: ee67cb0715911d28db6bf4af1026078bd6f0128b07a5f66fb2ed94ec6783c09a url: "https://pub.dev" source: hosted - version: "1.19.0" + version: "1.18.0" computer: dependency: "direct main" description: @@ -334,10 +342,10 @@ packages: dependency: "direct main" description: name: connectivity_plus - sha256: "04bf81bb0b77de31557b58d052b24b3eee33f09a6e7a8c68a3e247c7df19ec27" + sha256: "051849e2bd7c7b3bc5844ea0d096609ddc3a859890ec3a9ac4a65a2620cc1f99" url: "https://pub.dev" source: hosted - version: "6.1.3" + version: "6.1.4" connectivity_plus_platform_interface: dependency: transitive description: @@ -358,18 +366,18 @@ packages: dependency: transitive description: name: coverage - sha256: e3493833ea012784c740e341952298f1cc77f1f01b1bbc3eb4eecf6984fb7f43 + sha256: "5da775aa218eaf2151c721b16c01c7676fbfdd99cebba2bf64e8b807a28ff94d" url: "https://pub.dev" source: hosted - version: "1.11.1" + version: "1.15.0" cronet_http: dependency: transitive description: name: cronet_http - sha256: "3af9c4d57bf07ef4b307e77b22be4ad61bea19ee6ff65e62184863f3a09f1415" + sha256: df26af0de7c4eff46c53c190b5590e22457bfce6ea679aedb1e6326197f27d6f url: "https://pub.dev" source: hosted - version: "1.3.2" + version: "1.4.0" cross_file: dependency: transitive description: @@ -398,10 +406,10 @@ packages: dependency: transitive description: name: cupertino_http - sha256: "6fcf79586ad872ddcd6004d55c8c2aab3cdf0337436e8f99837b1b6c30665d0c" + sha256: "8fb9e2c36d0732d9d96abd76683406b57e78a2514e27c962e0c603dbe6f2e3f8" url: "https://pub.dev" source: hosted - version: "2.0.2" + version: "2.2.0" cupertino_icons: dependency: "direct main" description: @@ -470,10 +478,10 @@ packages: dependency: transitive description: name: dio_web_adapter - sha256: e485c7a39ff2b384fa1d7e09b4e25f755804de8384358049124830b04fc4f93a + sha256: "7586e476d70caecaf1686d21eee7247ea43ef5c345eab9e0cc3583ff13378d78" url: "https://pub.dev" source: hosted - version: "2.1.0" + version: "2.1.1" dots_indicator: dependency: "direct main" description: @@ -652,17 +660,18 @@ packages: description: path: "flutter/flutter" ref: android-packaged - resolved-ref: "6d5d27a8c259eda6292f204a27fba53da70af20e" + resolved-ref: e33d4d2f49a25af6bc493e9114350434e6c34ab4 url: "https://github.com/ente-io/ffmpeg-kit" source: git version: "6.0.3" ffmpeg_kit_flutter_platform_interface: dependency: transitive description: - name: ffmpeg_kit_flutter_platform_interface - sha256: addf046ae44e190ad0101b2fde2ad909a3cd08a2a109f6106d2f7048b7abedee - url: "https://pub.dev" - source: hosted + path: "flutter/flutter_platform_interface" + ref: android-packaged + resolved-ref: e33d4d2f49a25af6bc493e9114350434e6c34ab4 + url: "https://github.com/ente-io/ffmpeg-kit" + source: git version: "0.2.1" figma_squircle: dependency: "direct main" @@ -692,50 +701,50 @@ packages: dependency: "direct main" description: name: firebase_core - sha256: "6a4ea0f1d533443c8afc3d809cd36a4e2b8f2e2e711f697974f55bb31d71d1b8" + sha256: "7be63a3f841fc9663342f7f3a011a42aef6a61066943c90b1c434d79d5c995c5" url: "https://pub.dev" source: hosted - version: "3.12.0" + version: "3.15.2" firebase_core_platform_interface: dependency: transitive description: name: firebase_core_platform_interface - sha256: d7253d255ff10f85cfd2adaba9ac17bae878fa3ba577462451163bd9f1d1f0bf + sha256: "5dbc900677dcbe5873d22ad7fbd64b047750124f1f9b7ebe2a33b9ddccc838eb" url: "https://pub.dev" source: hosted - version: "5.4.0" + version: "6.0.0" firebase_core_web: dependency: transitive description: name: firebase_core_web - sha256: e47f5c2776de018fa19bc9f6f723df136bc75cdb164d64b65305babd715c8e41 + sha256: "0ed0dc292e8f9ac50992e2394e9d336a0275b6ae400d64163fdf0a8a8b556c37" url: "https://pub.dev" source: hosted - version: "2.21.0" + version: "2.24.1" firebase_messaging: dependency: "direct main" description: name: firebase_messaging - sha256: "8755a083a20bac4485e8b46d223f6f2eab34e659a76a75f8cf3cded53bc98a15" + sha256: "60be38574f8b5658e2f22b7e311ff2064bea835c248424a383783464e8e02fcc" url: "https://pub.dev" source: hosted - version: "15.2.3" + version: "15.2.10" firebase_messaging_platform_interface: dependency: transitive description: name: firebase_messaging_platform_interface - sha256: "8cc771079677460de53ad8fcca5bc3074d58c5fc4f9d89b19585e5bfd9c64292" + sha256: "685e1771b3d1f9c8502771ccc9f91485b376ffe16d553533f335b9183ea99754" url: "https://pub.dev" source: hosted - version: "4.6.3" + version: "4.6.10" firebase_messaging_web: dependency: transitive description: name: firebase_messaging_web - sha256: caa73059b0396c97f691683c4cfc3f897c8543801579b7dd4851c431d8e4e091 + sha256: "0d1be17bc89ed3ff5001789c92df678b2e963a51b6fa2bdb467532cc9dbed390" url: "https://pub.dev" source: hosted - version: "3.10.3" + version: "3.10.10" fixnum: dependency: "direct main" description: @@ -934,10 +943,10 @@ packages: dependency: "direct main" description: name: flutter_local_notifications - sha256: b94a50aabbe56ef254f95f3be75640f99120429f0a153b2dc30143cffc9bfdf3 + sha256: "20ca0a9c82ce0c855ac62a2e580ab867f3fbea82680a90647f7953832d0850ae" url: "https://pub.dev" source: hosted - version: "19.2.1" + version: "19.4.0" flutter_local_notifications_linux: dependency: transitive description: @@ -950,18 +959,18 @@ packages: dependency: transitive description: name: flutter_local_notifications_platform_interface - sha256: "2569b973fc9d1f63a37410a9f7c1c552081226c597190cb359ef5d5762d1631c" + sha256: "277d25d960c15674ce78ca97f57d0bae2ee401c844b6ac80fcd972a9c99d09fe" url: "https://pub.dev" source: hosted - version: "9.0.0" + version: "9.1.0" flutter_local_notifications_windows: dependency: transitive description: name: flutter_local_notifications_windows - sha256: f8fc0652a601f83419d623c85723a3e82ad81f92b33eaa9bcc21ea1b94773e6e + sha256: ed46d7ae4ec9d19e4c8fa2badac5fe27ba87a3fe387343ce726f927af074ec98 url: "https://pub.dev" source: hosted - version: "1.0.0" + version: "1.0.2" flutter_localizations: dependency: "direct main" description: flutter @@ -1011,10 +1020,10 @@ packages: dependency: transitive description: name: flutter_plugin_android_lifecycle - sha256: "615a505aef59b151b46bbeef55b36ce2b6ed299d160c51d84281946f0aa0ce0e" + sha256: "1c2b787f99bdca1f3718543f81d38aa1b124817dfeb9fb196201bea85b6134bf" url: "https://pub.dev" source: hosted - version: "2.0.24" + version: "2.0.26" flutter_secure_storage: dependency: "direct main" description: @@ -1027,10 +1036,10 @@ packages: dependency: transitive description: name: flutter_secure_storage_linux - sha256: bf7404619d7ab5c0a1151d7c4e802edad8f33535abfbeff2f9e1fe1274e2d705 + sha256: be76c1d24a97d0b98f8b54bce6b481a380a6590df992d0098f868ad54dc8f688 url: "https://pub.dev" source: hosted - version: "1.2.2" + version: "1.2.3" flutter_secure_storage_macos: dependency: transitive description: @@ -1100,10 +1109,10 @@ packages: dependency: "direct main" description: name: flutter_svg - sha256: c200fd79c918a40c5cd50ea0877fa13f81bdaf6f0a5d3dbcc2a13e3285d6aa1b + sha256: d44bf546b13025ec7353091516f6881f1d4c633993cb109c3916c3a0159dadf1 url: "https://pub.dev" source: hosted - version: "2.0.17" + version: "2.1.0" flutter_test: dependency: "direct dev" description: flutter @@ -1113,10 +1122,10 @@ packages: dependency: "direct main" description: name: flutter_timezone - sha256: bc286cecb0366d88e6c4644e3962ebd1ce1d233abc658eb1e0cd803389f84b64 + sha256: "13b2109ad75651faced4831bf262e32559e44aa549426eab8a597610d385d934" url: "https://pub.dev" source: hosted - version: "4.1.0" + version: "4.1.1" flutter_web_plugins: dependency: transitive description: flutter @@ -1219,10 +1228,10 @@ packages: dependency: transitive description: name: html - sha256: "1fc58edeaec4307368c60d59b7e15b9d658b57d7f3125098b6294153c75337ec" + sha256: "6d1264f2dffa1b1101c25a91dff0dc2daee4c18e87cd8538729773c073dbf602" url: "https://pub.dev" source: hosted - version: "0.15.5" + version: "0.15.6" html_unescape: dependency: "direct main" description: @@ -1235,10 +1244,10 @@ packages: dependency: "direct main" description: name: http - sha256: fe7ab022b76f3034adc518fb6ea04a82387620e19977665ea18d30a1cf43442f + sha256: "2c11f3f94c687ee9bad77c171151672986360b2b001d109814ee7140b2cf261b" url: "https://pub.dev" source: hosted - version: "1.3.0" + version: "1.4.0" http_client_helper: dependency: transitive description: @@ -1315,10 +1324,10 @@ packages: dependency: "direct main" description: name: in_app_purchase - sha256: "11a40f148eeb4f681a0572003e2b33432e110c90c1bbb4f9ef83b81ec0c4f737" + sha256: "5cddd7f463f3bddb1d37a72b95066e840d5822d66291331d7f8f05ce32c24b6c" url: "https://pub.dev" source: hosted - version: "3.2.1" + version: "3.2.3" in_app_purchase_android: dependency: transitive description: @@ -1339,10 +1348,10 @@ packages: dependency: transitive description: name: in_app_purchase_storekit - sha256: "276831961023055b55a2156c1fc043f50f6215ff49fb0f5f2273da6eeb510ecf" + sha256: "02f08d5688fc2776e3e386ff7d3071b7b375ea8222e8e6bd027b15c0708e4045" url: "https://pub.dev" source: hosted - version: "0.3.21" + version: "0.4.0" integration_test: dependency: "direct dev" description: flutter @@ -1376,18 +1385,18 @@ packages: dependency: transitive description: name: iso_base_media - sha256: "0f5594feef1fba98179a2df95d1afbdda952de0c7a2e35e6815093f7c00aaf06" + sha256: "0a94fa4ff4ce7e6894d7afc96c1eee6911c12827f8cf184ca752ce3437a818a1" url: "https://pub.dev" source: hosted - version: "4.5.2" + version: "4.6.1" jni: dependency: transitive description: name: jni - sha256: f377c585ea9c08d48b427dc2e03780af2889d1bb094440da853c6883c1acba4b + sha256: d2c361082d554d4593c3012e26f6b188f902acd291330f13d6427641a92b3da1 url: "https://pub.dev" source: hosted - version: "0.10.1" + version: "0.14.2" js: dependency: "direct overridden" description: @@ -1432,18 +1441,18 @@ packages: dependency: transitive description: name: leak_tracker - sha256: "7bb2830ebd849694d1ec25bf1f44582d6ac531a57a365a803a6034ff751d2d06" + sha256: "3f87a60e8c63aecc975dda1ceedbc8f24de75f09e4856ea27daf8958f2f0ce05" url: "https://pub.dev" source: hosted - version: "10.0.7" + version: "10.0.5" leak_tracker_flutter_testing: dependency: transitive description: name: leak_tracker_flutter_testing - sha256: "9491a714cca3667b60b5c420da8217e6de0d1ba7a5ec322fab01758f6998f379" + sha256: "932549fb305594d82d7183ecd9fa93463e9914e1b67cacc34bc40906594a1806" url: "https://pub.dev" source: hosted - version: "3.0.8" + version: "3.0.5" leak_tracker_testing: dependency: transitive description: @@ -1456,10 +1465,10 @@ packages: dependency: "direct main" description: name: like_button - sha256: "08e6a45b78888412df5d351786c550205ad3a677e72a0820d5bbc0b063c8a463" + sha256: "8b349521182ea6252b7fe1eaaad5932a9f55f94c3e87849376cfc25c78bac53a" url: "https://pub.dev" source: hosted - version: "2.0.5" + version: "2.1.0" lints: dependency: transitive description: @@ -1488,10 +1497,10 @@ packages: dependency: "direct main" description: name: local_auth_android - sha256: "6763aaf8965f21822624cb2fd3c03d2a8b3791037b5efb0fe4b13e110f5afc92" + sha256: "8bba79f4f0f7bc812fce2ca20915d15618c37721246ba6c3ef2aa7a763a90cf2" url: "https://pub.dev" source: hosted - version: "1.0.46" + version: "1.0.47" local_auth_darwin: dependency: transitive description: @@ -1528,10 +1537,10 @@ packages: dependency: transitive description: name: logger - sha256: be4b23575aac7ebf01f225a241eb7f6b5641eeaf43c6a8613510fc2f8cf187d1 + sha256: "2621da01aabaf223f8f961e751f2c943dbb374dc3559b982f200ccedadaa6999" url: "https://pub.dev" source: hosted - version: "2.5.0" + version: "2.6.0" logging: dependency: "direct main" description: @@ -1552,10 +1561,10 @@ packages: dependency: transitive description: name: macros - sha256: "1d9e801cd66f7ea3663c45fc708450db1fa57f988142c64289142c9b7ee80656" + sha256: "0acaed5d6b7eab89f63350bccd82119e6c602df0f391260d0e32b5e23db79536" url: "https://pub.dev" source: hosted - version: "0.1.3-main.0" + version: "0.1.2-main.4" maps_launcher: dependency: "direct main" description: @@ -1594,24 +1603,24 @@ packages: description: path: media_kit ref: HEAD - resolved-ref: "3c4ff28c43d20e68f8d587956b2f525292c25a80" + resolved-ref: c9617f570b8c0ba02857e721997f78c053a856c1 url: "https://github.com/media-kit/media-kit" source: git - version: "1.1.11" + version: "1.2.0" media_kit_libs_android_video: dependency: transitive description: name: media_kit_libs_android_video - sha256: "9dd8012572e4aff47516e55f2597998f0a378e3d588d0fad0ca1f11a53ae090c" + sha256: adff9b571b8ead0867f9f91070f8df39562078c0eb3371d88b9029a2d547d7b7 url: "https://pub.dev" source: hosted - version: "1.3.6" + version: "1.3.7" media_kit_libs_ios_video: dependency: "direct main" description: path: "libs/ios/media_kit_libs_ios_video" ref: HEAD - resolved-ref: "3c4ff28c43d20e68f8d587956b2f525292c25a80" + resolved-ref: c9617f570b8c0ba02857e721997f78c053a856c1 url: "https://github.com/media-kit/media-kit" source: git version: "1.1.4" @@ -1619,10 +1628,10 @@ packages: dependency: transitive description: name: media_kit_libs_linux - sha256: e186891c31daa6bedab4d74dcdb4e8adfccc7d786bfed6ad81fe24a3b3010310 + sha256: "2b473399a49ec94452c4d4ae51cfc0f6585074398d74216092bf3d54aac37ecf" url: "https://pub.dev" source: hosted - version: "1.1.3" + version: "1.2.1" media_kit_libs_macos_video: dependency: transitive description: @@ -1636,27 +1645,27 @@ packages: description: path: "libs/universal/media_kit_libs_video" ref: HEAD - resolved-ref: "3c4ff28c43d20e68f8d587956b2f525292c25a80" + resolved-ref: c9617f570b8c0ba02857e721997f78c053a856c1 url: "https://github.com/media-kit/media-kit" source: git - version: "1.0.5" + version: "1.0.6" media_kit_libs_windows_video: dependency: transitive description: name: media_kit_libs_windows_video - sha256: "32654572167825c42c55466f5d08eee23ea11061c84aa91b09d0e0f69bdd0887" + sha256: dff76da2778729ab650229e6b4ec6ec111eb5151431002cbd7ea304ff1f112ab url: "https://pub.dev" source: hosted - version: "1.0.10" + version: "1.0.11" media_kit_video: dependency: "direct main" description: path: media_kit_video ref: HEAD - resolved-ref: "3c4ff28c43d20e68f8d587956b2f525292c25a80" + resolved-ref: c9617f570b8c0ba02857e721997f78c053a856c1 url: "https://github.com/media-kit/media-kit" source: git - version: "1.2.5" + version: "1.3.0" meta: dependency: transitive description: @@ -1720,7 +1729,7 @@ packages: description: path: "." ref: HEAD - resolved-ref: "7814e2c61ee1fa74cef73b946eb08519c35bdaa5" + resolved-ref: "64e47a446bf3b64f012f2076481cebea51ca27cf" url: "https://github.com/ente-io/motionphoto.git" source: git version: "0.0.1" @@ -1737,10 +1746,10 @@ packages: dependency: transitive description: name: multicast_dns - sha256: "0a568c8411ab0979ab8cd4af1c29b6d316d854ab81592463ccceb92b35fde813" + sha256: de72ada5c3db6fdd6ad4ae99452fe05fb403c4bb37c67ceb255ddd37d2b5b1eb url: "https://pub.dev" source: hosted - version: "0.3.2+8" + version: "0.3.3" nanoid: dependency: "direct main" description: @@ -1753,10 +1762,10 @@ packages: dependency: "direct main" description: name: native_dio_adapter - sha256: "7420bc9517b2abe09810199a19924617b45690a44ecfb0616ac9babc11875c03" + sha256: "1c51bd42027861d27ccad462ba0903f5e3197461cc6d59a0bb8658cb5ad7bd01" url: "https://pub.dev" source: hosted - version: "1.4.0" + version: "1.5.0" native_video_player: dependency: "direct main" description: @@ -1793,10 +1802,10 @@ packages: dependency: transitive description: name: objective_c - sha256: "62e79ab8c3ed6f6a340ea50dd48d65898f5d70425d404f0d99411f6e56e04584" + sha256: "9f034ba1eeca53ddb339bc8f4813cb07336a849cd735559b60cdc068ecce2dc7" url: "https://pub.dev" source: hosted - version: "4.1.0" + version: "7.1.0" octo_image: dependency: transitive description: @@ -1834,26 +1843,26 @@ packages: dependency: transitive description: name: package_config - sha256: "92d4488434b520a62570293fbd33bb556c7d49230791c1b4bbd973baf6d2dc67" + sha256: f096c55ebb7deb7e384101542bfba8c52696c1b56fca2eb62827989ef2353bbc url: "https://pub.dev" source: hosted - version: "2.1.1" + version: "2.2.0" package_info_plus: dependency: "direct main" description: name: package_info_plus - sha256: "67eae327b1b0faf761964a1d2e5d323c797f3799db0e85aa232db8d9e922bc35" + sha256: "7976bfe4c583170d6cdc7077e3237560b364149fcd268b5f53d95a991963b191" url: "https://pub.dev" source: hosted - version: "8.2.1" + version: "8.3.0" package_info_plus_platform_interface: dependency: transitive description: name: package_info_plus_platform_interface - sha256: "205ec83335c2ab9107bbba3f8997f9356d72ca3c715d2f038fc773d0366b4c76" + sha256: "6c935fb612dff8e3cc9632c2b301720c77450a126114126ffaafe28d2e87956c" url: "https://pub.dev" source: hosted - version: "3.1.0" + version: "3.2.0" panorama: dependency: "direct main" description: @@ -1963,10 +1972,10 @@ packages: dependency: transitive description: name: permission_handler_apple - sha256: f84a188e79a35c687c132a0a0556c254747a08561e99ab933f12f6ca71ef3c98 + sha256: f000131e755c54cf4d84a5d8bd6e4149e262cc31c5a8b1d698de1ac85fa41023 url: "https://pub.dev" source: hosted - version: "9.4.6" + version: "9.4.7" permission_handler_html: dependency: transitive description: @@ -2003,10 +2012,10 @@ packages: dependency: "direct main" description: name: photo_manager - sha256: "0bc7548fd3111eb93a3b0abf1c57364e40aeda32512c100085a48dade60e574f" + sha256: a0d9a7a9bc35eda02d33766412bde6d883a8b0acb86bbe37dac5f691a0894e8a url: "https://pub.dev" source: hosted - version: "3.6.4" + version: "3.7.1" photo_manager_image_provider: dependency: transitive description: @@ -2084,10 +2093,10 @@ packages: dependency: "direct main" description: name: pro_image_editor - sha256: "1df9d15d514d958c740fc6aeacc41cc94b77cdcd8d72dac13c8f3a781c5680da" + sha256: ee86d144ec76957578fb3dc7dee3d5e9cd03383cb153eb58f531be16ac528c63 url: "https://pub.dev" source: hosted - version: "7.2.0" + version: "6.0.0" process: dependency: transitive description: @@ -2116,18 +2125,18 @@ packages: dependency: transitive description: name: provider - sha256: c8a055ee5ce3fd98d6fc872478b03823ffdb448699c6ebdbbc71d59b596fd48c + sha256: "4abbd070a04e9ddc287673bf5a030c7ca8b685ff70218720abab8b092f53dd84" url: "https://pub.dev" source: hosted - version: "6.1.2" + version: "6.1.5" pub_semver: dependency: transitive description: name: pub_semver - sha256: "7b3cfbf654f3edd0c6298ecd5be782ce997ddf0e00531b9464b55245185bbbbd" + sha256: "5bfcf68ca79ef689f8990d1160781b4bad40a3bd5e5218ad4076ddb7f4081585" url: "https://pub.dev" source: hosted - version: "2.1.5" + version: "2.2.0" pubspec_parse: dependency: transitive description: @@ -2148,10 +2157,10 @@ packages: dependency: transitive description: name: random_access_source - sha256: dc86934da2cc4777334f43916234410f232032738c519c0c3452147c5d4fec89 + sha256: "26d1509a9fd935ab9c77102ab4c94b343d36216387d985975c380efe450b81b8" url: "https://pub.dev" source: hosted - version: "2.1.0" + version: "3.0.0" receive_sharing_intent: dependency: "direct main" description: @@ -2181,10 +2190,10 @@ packages: dependency: transitive description: name: screen_brightness_android - sha256: ff9141bed547db02233e7dd88f990ab01973a0c8a8c04ddb855c7b072f33409a + sha256: fb5fa43cb89d0c9b8534556c427db1e97e46594ac5d66ebdcf16063b773d54ed url: "https://pub.dev" source: hosted - version: "2.1.0" + version: "2.1.2" screen_brightness_platform_interface: dependency: transitive description: @@ -2245,18 +2254,18 @@ packages: dependency: "direct main" description: name: shared_preferences - sha256: "846849e3e9b68f3ef4b60c60cf4b3e02e9321bc7f4d8c4692cf87ffa82fc8a3a" + sha256: "6e8bf70b7fef813df4e9a36f658ac46d107db4b4cfe1048b477d4e453a8159f5" url: "https://pub.dev" source: hosted - version: "2.5.2" + version: "2.5.3" shared_preferences_android: dependency: transitive description: name: shared_preferences_android - sha256: a768fc8ede5f0c8e6150476e14f38e2417c0864ca36bb4582be8e21925a03c22 + sha256: "9f9f3d372d4304723e6136663bb291c0b93f5e4c8a4a6314347f481a33bda2b1" url: "https://pub.dev" source: hosted - version: "2.4.6" + version: "2.4.7" shared_preferences_foundation: dependency: transitive description: @@ -2333,7 +2342,7 @@ packages: dependency: transitive description: flutter source: sdk - version: "0.0.0" + version: "0.0.99" source_gen: dependency: transitive description: @@ -2434,18 +2443,18 @@ packages: dependency: transitive description: name: sqlite3 - sha256: "32b632dda27d664f85520093ed6f735ae5c49b5b75345afb8b19411bc59bb53d" + sha256: dd806fff004a0aeb01e208b858dbc649bc72104670d425a81a6dd17698535f6e url: "https://pub.dev" source: hosted - version: "2.7.4" + version: "2.8.0" sqlite3_flutter_libs: dependency: "direct main" description: name: sqlite3_flutter_libs - sha256: "57fafacd815c981735406215966ff7caaa8eab984b094f52e692accefcbd9233" + sha256: fd996da5515a73aacd0a04ae7063db5fe8df42670d974df4c3ee538c652eef2e url: "https://pub.dev" source: hosted - version: "0.5.30" + version: "0.5.38" sqlite_async: dependency: "direct main" description: @@ -2458,10 +2467,10 @@ packages: dependency: transitive description: name: stack_trace - sha256: "9f47fd3630d76be3ab26f0ee06d213679aa425996925ff3feffdec504931c377" + sha256: "73713990125a6d93122541237550ee3352a2d84baad52d375a4cad2eb9b7ce0b" url: "https://pub.dev" source: hosted - version: "1.12.0" + version: "1.11.1" step_progress_indicator: dependency: "direct main" description: @@ -2490,10 +2499,10 @@ packages: dependency: transitive description: name: string_scanner - sha256: "688af5ed3402a4bde5b3a6c15fd768dbf2621a614950b17f04626c431ab3c4c3" + sha256: "556692adab6cfa87322a115640c11f13cb77b3f076ddcc5d6ae3c20242bedcde" url: "https://pub.dev" source: hosted - version: "1.3.0" + version: "1.2.0" styled_text: dependency: "direct main" description: @@ -2554,26 +2563,26 @@ packages: dependency: "direct dev" description: name: test - sha256: "713a8789d62f3233c46b4a90b174737b2c04cb6ae4500f2aa8b1be8f03f5e67f" + sha256: "7ee44229615f8f642b68120165ae4c2a75fe77ae2065b1e55ae4711f6cf0899e" url: "https://pub.dev" source: hosted - version: "1.25.8" + version: "1.25.7" test_api: dependency: transitive description: name: test_api - sha256: "664d3a9a64782fcdeb83ce9c6b39e78fd2971d4e37827b9b06c3aa1edc5e760c" + sha256: "5b8a98dafc4d5c4c9c72d8b31ab2b23fc13422348d2997120294d3bac86b4ddb" url: "https://pub.dev" source: hosted - version: "0.7.3" + version: "0.7.2" test_core: dependency: transitive description: name: test_core - sha256: "12391302411737c176b0b5d6491f466b0dd56d4763e347b6714efbaa74d7953d" + sha256: "55ea5a652e38a1dfb32943a7973f3681a60f872f8c3a05a14664ad54ef9c6696" url: "https://pub.dev" source: hosted - version: "0.6.5" + version: "0.6.4" thermal: dependency: "direct main" description: @@ -2682,10 +2691,10 @@ packages: dependency: transitive description: name: url_launcher_ios - sha256: "16a513b6c12bb419304e72ea0ae2ab4fed569920d1c7cb850263fe3acc824626" + sha256: "7f2022359d4c099eea7df3fdf739f7d3d3b9faf3166fb1dd390775176e0b76cb" url: "https://pub.dev" source: hosted - version: "6.3.2" + version: "6.3.3" url_launcher_linux: dependency: transitive description: @@ -2812,10 +2821,10 @@ packages: dependency: transitive description: name: video_player_avfoundation - sha256: "84b4752745eeccb6e75865c9aab39b3d28eb27ba5726d352d45db8297fbd75bc" + sha256: "9ee764e5cd2fc1e10911ae8ad588e1a19db3b6aa9a6eb53c127c42d3a3c3f22f" url: "https://pub.dev" source: hosted - version: "2.7.0" + version: "2.7.1" video_player_platform_interface: dependency: transitive description: @@ -2828,10 +2837,10 @@ packages: dependency: transitive description: name: video_player_web - sha256: "3ef40ea6d72434edbfdba4624b90fd3a80a0740d260667d91e7ecd2d79e13476" + sha256: e8bba2e5d1e159d5048c9a491bb2a7b29c535c612bb7d10c1e21107f5bd365ba url: "https://pub.dev" source: hosted - version: "2.3.4" + version: "2.3.5" video_thumbnail: dependency: "direct main" description: @@ -2853,74 +2862,74 @@ packages: dependency: transitive description: name: vm_service - sha256: f6be3ed8bd01289b34d679c2b62226f63c0e69f9fd2e50a6b3c1c729a961041b + sha256: "5c5f338a667b4c644744b661f309fb8080bb94b18a7e91ef1dbd343bed00ed6d" url: "https://pub.dev" source: hosted - version: "14.3.0" + version: "14.2.5" volume_controller: dependency: transitive description: name: volume_controller - sha256: "30863a51338db47fe16f92902b1a6c4ee5e15c9287b46573d7c2eb6be1f197d2" + sha256: d75039e69c0d90e7810bfd47e3eedf29ff8543ea7a10392792e81f9bded7edf5 url: "https://pub.dev" source: hosted - version: "3.3.1" + version: "3.4.0" wakelock_plus: dependency: "direct main" description: name: wakelock_plus - sha256: "36c88af0b930121941345306d259ec4cc4ecca3b151c02e3a9e71aede83c615e" + sha256: a474e314c3e8fb5adef1f9ae2d247e57467ad557fa7483a2b895bc1b421c5678 url: "https://pub.dev" source: hosted - version: "1.2.10" + version: "1.3.2" wakelock_plus_platform_interface: dependency: transitive description: name: wakelock_plus_platform_interface - sha256: "70e780bc99796e1db82fe764b1e7dcb89a86f1e5b3afb1db354de50f2e41eb7a" + sha256: e10444072e50dbc4999d7316fd303f7ea53d31c824aa5eb05d7ccbdd98985207 url: "https://pub.dev" source: hosted - version: "1.2.2" + version: "1.2.3" watcher: dependency: "direct overridden" description: name: watcher - sha256: "69da27e49efa56a15f8afe8f4438c4ec02eff0a117df1b22ea4aad194fe1c104" + sha256: "0b7fd4a0bbc4b92641dbf20adfd7e3fd1398fe17102d94b674234563e110088a" url: "https://pub.dev" source: hosted - version: "1.1.1" + version: "1.1.2" web: dependency: transitive description: name: web - sha256: cd3543bd5798f6ad290ea73d210f423502e71900302dde696f8bff84bf89a1cb + sha256: "868d88a33d8a87b18ffc05f9f030ba328ffefba92d6c127917a2ba740f9cfe4a" url: "https://pub.dev" source: hosted - version: "1.1.0" + version: "1.1.1" web_socket: dependency: transitive description: name: web_socket - sha256: "3c12d96c0c9a4eec095246debcea7b86c0324f22df69893d538fcc6f1b8cce83" + sha256: "34d64019aa8e36bf9842ac014bb5d2f5586ca73df5e4d9bf5c936975cae6982c" url: "https://pub.dev" source: hosted - version: "0.1.6" + version: "1.0.1" web_socket_channel: dependency: transitive description: name: web_socket_channel - sha256: "0b8e2457400d8a859b7b2030786835a28a8e80836ef64402abef392ff4f1d0e5" + sha256: d645757fb0f4773d602444000a8131ff5d48c9e47adfe9772652dd1a4f2d45c8 url: "https://pub.dev" source: hosted - version: "3.0.2" + version: "3.0.3" webdriver: dependency: transitive description: name: webdriver - sha256: "3d773670966f02a646319410766d3b5e1037efb7f07cc68f844d5e06cd4d61c8" + sha256: "003d7da9519e1e5f329422b36c4dcdf18d7d2978d1ba099ea4e45ba490ed845e" url: "https://pub.dev" source: hosted - version: "3.0.4" + version: "3.0.3" webkit_inspection_protocol: dependency: transitive description: @@ -3019,4 +3028,4 @@ packages: version: "3.1.3" sdks: dart: ">=3.5.0 <4.0.0" - flutter: ">=3.27.0" + flutter: ">=3.24.0" diff --git a/mobile/apps/photos/pubspec.yaml b/mobile/apps/photos/pubspec.yaml index 59fc710426..8906f4139e 100644 --- a/mobile/apps/photos/pubspec.yaml +++ b/mobile/apps/photos/pubspec.yaml @@ -174,7 +174,7 @@ dependencies: git: url: https://github.com/eddyuan/privacy_screen.git ref: 855418e - pro_image_editor: ^7.2.0 + pro_image_editor: 6.0.0 receive_sharing_intent: # pub.dev is behind git: url: https://github.com/KasemJaffer/receive_sharing_intent.git From 93259dc28c5316248a28560793c909ee5cb4c378 Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Tue, 29 Jul 2025 12:38:15 +0530 Subject: [PATCH 214/302] feat: update filter presets and improve filter selection handling in image editor --- .../image_editor/image_editor_filter_bar.dart | 78 ++++++++++++++++++- .../image_editor/image_editor_page_new.dart | 12 ++- 2 files changed, 85 insertions(+), 5 deletions(-) diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_filter_bar.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_filter_bar.dart index 1fc6927c6e..58e76268e1 100644 --- a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_filter_bar.dart +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_filter_bar.dart @@ -2,7 +2,83 @@ import 'package:figma_squircle/figma_squircle.dart'; import 'package:flutter/material.dart'; import "package:photos/ente_theme_data.dart"; import "package:photos/theme/ente_theme.dart"; -import 'package:pro_image_editor/pro_image_editor.dart'; +import 'package:pro_image_editor/pro_image_editor.dart'; + +final filterList = [ + FilterModel( + name: "Juno", + filters: [ + ColorFilterAddons.rgbScale(1.01, 1.04, 1), + ColorFilterAddons.saturation(0.3), + ], + ), + FilterModel( + name: 'Perpetua', + filters: [ + ColorFilterAddons.rgbScale(1.05, 1.1, 1), + ], + ), + FilterModel( + name: 'Reyes', + filters: [ + ColorFilterAddons.sepia(0.4), + ColorFilterAddons.brightness(0.13), + ColorFilterAddons.contrast(-.05), + ], + ), + FilterModel( + name: 'Aden', + filters: [ + ColorFilterAddons.colorOverlay(228, 130, 225, 0.13), + ColorFilterAddons.saturation(-0.2), + ], + ), + FilterModel( + name: "New preset", + filters: [ + ColorFilterAddons.hue(-0.6), + ColorFilterAddons.rgbScale(0.8, 1.0, 1.2), + ColorFilterAddons.saturation(-0.8), + ColorFilterAddons.contrast(-0.6), + ], + ), + FilterModel( + name: 'Amaro', + filters: [ + ColorFilterAddons.saturation(0.3), + ColorFilterAddons.brightness(0.15), + ], + ), + FilterModel( + name: 'Clarendon', + filters: [ + ColorFilterAddons.brightness(.1), + ColorFilterAddons.contrast(.1), + ColorFilterAddons.saturation(.15), + ], + ), + FilterModel( + name: 'Brooklyn', + filters: [ + ColorFilterAddons.colorOverlay(25, 240, 252, 0.05), + ColorFilterAddons.sepia(0.3), + ], + ), + FilterModel( + name: 'Sierra', + filters: [ + ColorFilterAddons.contrast(-0.15), + ColorFilterAddons.saturation(0.1), + ], + ), + FilterModel( + name: 'Inkwell', + filters: [ + ColorFilterAddons.contrast(0.2), + ColorFilterAddons.grayscale(), + ], + ), +]; class ImageEditorFilterBar extends StatefulWidget { const ImageEditorFilterBar({ diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart index f72f9f386f..e5232d2669 100644 --- a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart @@ -288,7 +288,10 @@ class _NewImageEditorState extends State { return ImageEditorFilterBar( filterModel: filter, isSelected: isSelected, - onSelectFilter: onSelectFilter, + onSelectFilter: () { + onSelectFilter.call(); + editorKey.currentState?.setState(() {}); + }, editorImage: editorImage, filterKey: filterKey, ); @@ -348,8 +351,8 @@ class _NewImageEditorState extends State { child: StreamBuilder( stream: rebuildStream, builder: (context, snapshot) { - final isHovered = editorKey.currentState - !.layerInteractionManager.hoverRemoveBtn; + final isHovered = editorKey.currentState! + .layerInteractionManager.hoverRemoveBtn; return AnimatedContainer( key: key, @@ -536,10 +539,11 @@ class _NewImageEditorState extends State { canReset: true, enabled: true, ), - filterEditorConfigs: const FilterEditorConfigs( + filterEditorConfigs: FilterEditorConfigs( enabled: true, fadeInUpDuration: fadeInDuration, fadeInUpStaggerDelayDuration: fadeInDelay, + filterList: filterList, ), tuneEditorConfigs: const TuneEditorConfigs(enabled: true), blurEditorConfigs: const BlurEditorConfigs( From 82c8ce3f866099f6545231776a81236be462726b Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Tue, 29 Jul 2025 12:47:20 +0530 Subject: [PATCH 215/302] fix: check if collection not deleted --- mobile/apps/photos/lib/models/collection/collection.dart | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/models/collection/collection.dart b/mobile/apps/photos/lib/models/collection/collection.dart index 8d68b73374..35d4a5167a 100644 --- a/mobile/apps/photos/lib/models/collection/collection.dart +++ b/mobile/apps/photos/lib/models/collection/collection.dart @@ -140,8 +140,9 @@ class Collection { } bool canAutoAdd(int userID) { - return (owner.id ?? -100) == userID || + final canEditCollection = isOwner(userID) || getRole(userID) == CollectionParticipantRole.collaborator; + return canEditCollection && !isDeleted; } bool isDownloadEnabledForPublicLink() { From 27d3acb192d7dba988253b9000bcb0a252c134c0 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Tue, 29 Jul 2025 12:48:10 +0530 Subject: [PATCH 216/302] fix: remove async from addFiles method --- .../photos/lib/models/collection/smart_album_config.dart | 7 ++----- 1 file changed, 2 insertions(+), 5 deletions(-) diff --git a/mobile/apps/photos/lib/models/collection/smart_album_config.dart b/mobile/apps/photos/lib/models/collection/smart_album_config.dart index d5a4f74e88..da4e1c358e 100644 --- a/mobile/apps/photos/lib/models/collection/smart_album_config.dart +++ b/mobile/apps/photos/lib/models/collection/smart_album_config.dart @@ -43,11 +43,7 @@ class SmartAlbumConfig { ); } - Future addFiles( - String personId, - int updatedAt, - Set fileId, - ) async { + SmartAlbumConfig addFiles(String personId, int updatedAt, Set fileId) { if (!infoMap.containsKey(personId)) { return this; } @@ -57,6 +53,7 @@ class SmartAlbumConfig { updatedAt: updatedAt, addedFiles: newInfoMap[personId]!.addedFiles.union(fileId), ); + return SmartAlbumConfig( id: id, collectionId: collectionId, From 79fdfdd72bc315ea79ee1ff39743edb5986d2d06 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Tue, 29 Jul 2025 12:48:51 +0530 Subject: [PATCH 217/302] fix: remove redundant await --- mobile/apps/photos/lib/services/smart_albums_service.dart | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/services/smart_albums_service.dart b/mobile/apps/photos/lib/services/smart_albums_service.dart index cef9614347..065fbd8825 100644 --- a/mobile/apps/photos/lib/services/smart_albums_service.dart +++ b/mobile/apps/photos/lib/services/smart_albums_service.dart @@ -139,7 +139,7 @@ class SmartAlbumsService { toBeSynced = {...toBeSynced, ...fileIds}; - newConfig = await newConfig.addFiles( + newConfig = newConfig.addFiles( personId, updatedAtMap[personId]!, toBeSynced.map((e) => e.uploadedFileID!).toSet(), From 03d21bc3ff259f2fdef1e9fe0d8282ba1097f535 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Tue, 29 Jul 2025 13:00:37 +0530 Subject: [PATCH 218/302] chore: update addFiles logic --- .../models/collection/smart_album_config.dart | 27 ++++++++++++------- .../lib/services/smart_albums_service.dart | 21 ++++++++------- 2 files changed, 29 insertions(+), 19 deletions(-) diff --git a/mobile/apps/photos/lib/models/collection/smart_album_config.dart b/mobile/apps/photos/lib/models/collection/smart_album_config.dart index da4e1c358e..05332ee58d 100644 --- a/mobile/apps/photos/lib/models/collection/smart_album_config.dart +++ b/mobile/apps/photos/lib/models/collection/smart_album_config.dart @@ -43,16 +43,25 @@ class SmartAlbumConfig { ); } - SmartAlbumConfig addFiles(String personId, int updatedAt, Set fileId) { - if (!infoMap.containsKey(personId)) { - return this; - } - + SmartAlbumConfig addFiles( + Map personUpdatedAt, + Map> personMappedFiles, + ) { final newInfoMap = Map.from(infoMap); - newInfoMap[personId] = ( - updatedAt: updatedAt, - addedFiles: newInfoMap[personId]!.addedFiles.union(fileId), - ); + var isUpdated = false; + + personMappedFiles.forEach((personId, fileIds) { + if (newInfoMap.containsKey(personId)) { + isUpdated = true; + newInfoMap[personId] = ( + updatedAt: personUpdatedAt[personId] ?? + DateTime.now().millisecondsSinceEpoch, + addedFiles: {...?newInfoMap[personId]?.addedFiles, ...fileIds}, + ); + } + }); + + if (!isUpdated) return this; return SmartAlbumConfig( id: id, diff --git a/mobile/apps/photos/lib/services/smart_albums_service.dart b/mobile/apps/photos/lib/services/smart_albums_service.dart index 065fbd8825..b41e720e4f 100644 --- a/mobile/apps/photos/lib/services/smart_albums_service.dart +++ b/mobile/apps/photos/lib/services/smart_albums_service.dart @@ -113,7 +113,7 @@ class SmartAlbumsService { config.personIDs.toList(), ); - Set toBeSynced = {}; + Map> toBeSynced = {}; var newConfig = config; for (final personId in config.personIDs) { @@ -137,13 +137,7 @@ class SmartAlbumsService { e.ownerID != userId, ); - toBeSynced = {...toBeSynced, ...fileIds}; - - newConfig = newConfig.addFiles( - personId, - updatedAtMap[personId]!, - toBeSynced.map((e) => e.uploadedFileID!).toSet(), - ); + toBeSynced = {...toBeSynced, personId: fileIds}; } syncingCollection = (collectionId, true); @@ -154,9 +148,16 @@ class SmartAlbumsService { if (toBeSynced.isNotEmpty) { try { await CollectionsService.instance.addOrCopyToCollection( - toCopy: false, collectionId, - toBeSynced.toList(), + toBeSynced.entries.map((e) => e.value).expand((e) => e).toList(), + toCopy: false, + ); + newConfig = newConfig.addFiles( + updatedAtMap, + toBeSynced.map( + (key, value) => + MapEntry(key, value.map((e) => e.uploadedFileID!).toSet()), + ), ); await saveConfig(newConfig); From 926715a4a8386d25e0e6d974579e4e6a53bd0e20 Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Tue, 29 Jul 2025 13:07:10 +0530 Subject: [PATCH 219/302] fix: handle zero display value in circular progress animation --- .../ui/tools/editor/image_editor/image_editor_tune_bar.dart | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_tune_bar.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_tune_bar.dart index 1ebc163103..a7b5c69da4 100644 --- a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_tune_bar.dart +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_tune_bar.dart @@ -315,7 +315,9 @@ class _CircularProgressWithValueState extends State AnimatedBuilder( animation: _progressAnimation, builder: (context, child) { - final animatedValue = _progressAnimation.value; + final animatedValue = + displayValue == 0 ? 0.0 : _progressAnimation.value; + final isClockwise = _isClockwise(animatedValue, widget.min, widget.max); final progressValue = _normalizeValueForProgress( From ce48e2610a530e488ee87a342436165bddc39f35 Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Tue, 29 Jul 2025 13:13:31 +0530 Subject: [PATCH 220/302] feat: enable zoom in main editor and refractor code --- .../image_editor/image_editor_page_new.dart | 24 +++++++++---------- 1 file changed, 12 insertions(+), 12 deletions(-) diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart index e5232d2669..8a879b96f0 100644 --- a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart @@ -250,18 +250,6 @@ class _NewImageEditorState extends State { ), brightness: isLightMode ? Brightness.light : Brightness.dark, ), - mainEditorConfigs: const MainEditorConfigs(), - paintEditorConfigs: const PaintEditorConfigs(enabled: true), - textEditorConfigs: TextEditorConfigs( - canToggleBackgroundMode: true, - canToggleTextAlign: true, - customTextStyles: [ - GoogleFonts.inter(), - GoogleFonts.giveYouGlory(), - GoogleFonts.dmSerifText(), - GoogleFonts.comicNeue(), - ], - ), customWidgets: ImageEditorCustomWidgets( filterEditor: CustomWidgetsFilterEditor( slider: ( @@ -532,6 +520,18 @@ class _NewImageEditorState extends State { ), ), ), + mainEditorConfigs: const MainEditorConfigs(enableZoom: true), + paintEditorConfigs: const PaintEditorConfigs(enabled: true), + textEditorConfigs: TextEditorConfigs( + canToggleBackgroundMode: true, + canToggleTextAlign: true, + customTextStyles: [ + GoogleFonts.inter(), + GoogleFonts.giveYouGlory(), + GoogleFonts.dmSerifText(), + GoogleFonts.comicNeue(), + ], + ), cropRotateEditorConfigs: const CropRotateEditorConfigs( canChangeAspectRatio: true, canFlip: true, From 3c1bd34058f817f565f7a4245306de4aa9ece372 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Tue, 29 Jul 2025 13:44:57 +0530 Subject: [PATCH 221/302] fix: duplication --- mobile/apps/photos/lib/services/smart_albums_service.dart | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/services/smart_albums_service.dart b/mobile/apps/photos/lib/services/smart_albums_service.dart index b41e720e4f..c1f674e48f 100644 --- a/mobile/apps/photos/lib/services/smart_albums_service.dart +++ b/mobile/apps/photos/lib/services/smart_albums_service.dart @@ -149,7 +149,11 @@ class SmartAlbumsService { try { await CollectionsService.instance.addOrCopyToCollection( collectionId, - toBeSynced.entries.map((e) => e.value).expand((e) => e).toList(), + toBeSynced.entries + .map((e) => e.value) + .expand((e) => e) + .toSet() + .toList(), toCopy: false, ); newConfig = newConfig.addFiles( From b1f6c576018f2254f5034a21d1c802fa10345583 Mon Sep 17 00:00:00 2001 From: laurenspriem Date: Tue, 29 Jul 2025 10:16:53 +0200 Subject: [PATCH 222/302] Revert error on rotated image decoding for indexing --- mobile/apps/photos/lib/utils/image_ml_util.dart | 7 +++---- 1 file changed, 3 insertions(+), 4 deletions(-) diff --git a/mobile/apps/photos/lib/utils/image_ml_util.dart b/mobile/apps/photos/lib/utils/image_ml_util.dart index 0ab1428fea..7d68ec460b 100644 --- a/mobile/apps/photos/lib/utils/image_ml_util.dart +++ b/mobile/apps/photos/lib/utils/image_ml_util.dart @@ -53,10 +53,10 @@ Future decodeImageFromPath( final Map exifData = await readExifFromBytes(imageData); final int orientation = exifData['Image Orientation']?.values.firstAsInt() ?? 1; + final format = imagePath.split('.').last; if (orientation > 1 && includeRgbaBytes) { - _logger.severe("Image EXIF orientation $orientation is not supported"); - throw Exception( - 'UnhandledExifOrientation: exif orientation $orientation', + _logger.warning( + "Image EXIF orientation $orientation might not work, for format $format", ); } @@ -64,7 +64,6 @@ Future decodeImageFromPath( try { image = await decodeImageFromData(imageData); } catch (e, s) { - final format = imagePath.split('.').last; _logger.info( 'Cannot decode $format on ${Platform.isAndroid ? "Android" : "iOS"}, converting to jpeg', ); From 85efa544b6671175eceaf9cf744bb4d275c42585 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Tue, 29 Jul 2025 13:48:01 +0530 Subject: [PATCH 223/302] fix: refactor sync logic to use Set for pending files --- .../lib/services/smart_albums_service.dart | 25 ++++++++----------- 1 file changed, 10 insertions(+), 15 deletions(-) diff --git a/mobile/apps/photos/lib/services/smart_albums_service.dart b/mobile/apps/photos/lib/services/smart_albums_service.dart index c1f674e48f..32190530db 100644 --- a/mobile/apps/photos/lib/services/smart_albums_service.dart +++ b/mobile/apps/photos/lib/services/smart_albums_service.dart @@ -113,7 +113,8 @@ class SmartAlbumsService { config.personIDs.toList(), ); - Map> toBeSynced = {}; + Map> pendingSyncFiles = {}; + Set pendingSyncFileSet = {}; var newConfig = config; for (final personId in config.personIDs) { @@ -137,7 +138,11 @@ class SmartAlbumsService { e.ownerID != userId, ); - toBeSynced = {...toBeSynced, personId: fileIds}; + pendingSyncFiles = { + ...pendingSyncFiles, + personId: fileIds.map((e) => e.uploadedFileID!).toSet(), + }; + pendingSyncFileSet = {...pendingSyncFileSet, ...fileIds}; } syncingCollection = (collectionId, true); @@ -145,24 +150,14 @@ class SmartAlbumsService { SmartAlbumSyncingEvent(collectionId: collectionId, isSyncing: true), ); - if (toBeSynced.isNotEmpty) { + if (pendingSyncFiles.isNotEmpty) { try { await CollectionsService.instance.addOrCopyToCollection( collectionId, - toBeSynced.entries - .map((e) => e.value) - .expand((e) => e) - .toSet() - .toList(), + pendingSyncFileSet.toList(), toCopy: false, ); - newConfig = newConfig.addFiles( - updatedAtMap, - toBeSynced.map( - (key, value) => - MapEntry(key, value.map((e) => e.uploadedFileID!).toSet()), - ), - ); + newConfig = newConfig.addFiles(updatedAtMap, pendingSyncFiles); await saveConfig(newConfig); } catch (_) {} From c8e84c9af35c86ced83a8febfcf2f8c64a76c7a2 Mon Sep 17 00:00:00 2001 From: laurenspriem Date: Tue, 29 Jul 2025 10:25:20 +0200 Subject: [PATCH 224/302] More neutral log line for heic --- mobile/apps/photos/lib/utils/image_ml_util.dart | 13 +++++++++---- 1 file changed, 9 insertions(+), 4 deletions(-) diff --git a/mobile/apps/photos/lib/utils/image_ml_util.dart b/mobile/apps/photos/lib/utils/image_ml_util.dart index 7d68ec460b..795ff47d60 100644 --- a/mobile/apps/photos/lib/utils/image_ml_util.dart +++ b/mobile/apps/photos/lib/utils/image_ml_util.dart @@ -53,11 +53,16 @@ Future decodeImageFromPath( final Map exifData = await readExifFromBytes(imageData); final int orientation = exifData['Image Orientation']?.values.firstAsInt() ?? 1; - final format = imagePath.split('.').last; + final format = imagePath.split('.').last.toLowerCase(); if (orientation > 1 && includeRgbaBytes) { - _logger.warning( - "Image EXIF orientation $orientation might not work, for format $format", - ); + if (format == 'heic' || format == 'heif') { + _logger + .info("Decoding HEIC/HEIF image with EXIF orientation $orientation"); + } else { + _logger.warning( + "Decoding image with EXIF orientation $orientation, for format $format", + ); + } } late Image image; From ec0520bd2fdcd6335b167fbde4c74a2a174fe662 Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Tue, 29 Jul 2025 14:44:22 +0530 Subject: [PATCH 225/302] fix: update text editor configuration to disable text editing --- .../image_editor_main_bottom_bar.dart | 17 +++++------------ .../image_editor/image_editor_page_new.dart | 1 + 2 files changed, 6 insertions(+), 12 deletions(-) diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_main_bottom_bar.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_main_bottom_bar.dart index de578abfec..3321e645c1 100644 --- a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_main_bottom_bar.dart +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_main_bottom_bar.dart @@ -89,7 +89,7 @@ class ImageEditorMainBottomBarState extends State mainAxisSize: MainAxisSize.min, children: [ CircularIconButton( - svgPath: "assets/image-editor/image-editor-crop.svg", + svgPath: "assets/image-editor/image-editor-crop.svg", label: "Crop", onTap: () { widget.editor.openCropRotateEditor(); @@ -97,28 +97,21 @@ class ImageEditorMainBottomBarState extends State ), CircularIconButton( svgPath: - "assets/image-editor/image-editor-filter.svg", + "assets/image-editor/image-editor-filter.svg", label: "Filter", onTap: () { widget.editor.openFilterEditor(); }, ), CircularIconButton( - svgPath: "assets/image-editor/image-editor-text.svg", - label: "Text", - onTap: () { - widget.editor.openTextEditor(); - }, - ), - CircularIconButton( - svgPath: "assets/image-editor/image-editor-tune.svg", + svgPath: "assets/image-editor/image-editor-tune.svg", label: "Adjust", onTap: () { widget.editor.openTuneEditor(); }, ), CircularIconButton( - svgPath: "assets/image-editor/image-editor-paint.svg", + svgPath: "assets/image-editor/image-editor-paint.svg", label: "Draw", onTap: () { widget.editor.openPaintingEditor(); @@ -126,7 +119,7 @@ class ImageEditorMainBottomBarState extends State ), CircularIconButton( svgPath: - "assets/image-editor/image-editor-sticker.svg", + "assets/image-editor/image-editor-sticker.svg", label: "Sticker", onTap: () { widget.editor.openEmojiEditor(); diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart index 8a879b96f0..bceca00685 100644 --- a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart @@ -523,6 +523,7 @@ class _NewImageEditorState extends State { mainEditorConfigs: const MainEditorConfigs(enableZoom: true), paintEditorConfigs: const PaintEditorConfigs(enabled: true), textEditorConfigs: TextEditorConfigs( + enabled: false, canToggleBackgroundMode: true, canToggleTextAlign: true, customTextStyles: [ From 24e81f9dc0238e7e36d3336f70db780d0789a26a Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Tue, 29 Jul 2025 14:49:16 +0530 Subject: [PATCH 226/302] fix: handle potential null collection in sync logic --- mobile/apps/photos/lib/services/smart_albums_service.dart | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/mobile/apps/photos/lib/services/smart_albums_service.dart b/mobile/apps/photos/lib/services/smart_albums_service.dart index 32190530db..8c1c5c08cb 100644 --- a/mobile/apps/photos/lib/services/smart_albums_service.dart +++ b/mobile/apps/photos/lib/services/smart_albums_service.dart @@ -87,9 +87,9 @@ class SmartAlbumsService { final collectionId = entry.key; final config = entry.value; final collection = - CollectionsService.instance.getCollectionByID(collectionId)!; + CollectionsService.instance.getCollectionByID(collectionId); - if (!collection.canAutoAdd(userId!)) { + if (!(collection?.canAutoAdd(userId!) ?? false)) { _logger.warning( "Deleting collection config ($collectionId) as user does not have permission", ); From bf0e4cc8e067c9897eaaf14cb12c877dd66f5eea Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Tue, 29 Jul 2025 14:52:02 +0530 Subject: [PATCH 227/302] fix: only run sync and show option if granted ml consent --- .../photos/lib/services/smart_albums_service.dart | 12 +++++++++--- .../ui/viewer/gallery/gallery_app_bar_widget.dart | 3 ++- 2 files changed, 11 insertions(+), 4 deletions(-) diff --git a/mobile/apps/photos/lib/services/smart_albums_service.dart b/mobile/apps/photos/lib/services/smart_albums_service.dart index 8c1c5c08cb..0c1b2856be 100644 --- a/mobile/apps/photos/lib/services/smart_albums_service.dart +++ b/mobile/apps/photos/lib/services/smart_albums_service.dart @@ -9,7 +9,7 @@ import "package:photos/models/api/entity/type.dart"; import "package:photos/models/collection/smart_album_config.dart"; import "package:photos/models/file/file.dart"; import "package:photos/models/local_entity_data.dart"; -import "package:photos/service_locator.dart" show entityService; +import "package:photos/service_locator.dart" show entityService, flagService; import "package:photos/services/collections_service.dart"; import "package:photos/services/search_service.dart"; @@ -80,8 +80,14 @@ class SmartAlbumsService { } Future syncSmartAlbums() async { + final isMLEnabled = flagService.hasGrantedMLConsent; + if (!isMLEnabled) { + _logger.warning("ML is not enabled, skipping smart album sync"); + return; + } + final cachedConfigs = await getSmartConfigs(); - final userId = Configuration.instance.getUserID(); + final userId = Configuration.instance.getUserID()!; for (final entry in cachedConfigs.entries) { final collectionId = entry.key; @@ -89,7 +95,7 @@ class SmartAlbumsService { final collection = CollectionsService.instance.getCollectionByID(collectionId); - if (!(collection?.canAutoAdd(userId!) ?? false)) { + if (!(collection?.canAutoAdd(userId) ?? false)) { _logger.warning( "Deleting collection config ($collectionId) as user does not have permission", ); diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart index 9a999ad5d8..03c0b00625 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart @@ -529,7 +529,8 @@ class _GalleryAppBarWidgetState extends State { context.l10n.playOnTv, icon: Icons.tv_outlined, ), - if (widget.collection?.canAutoAdd(userId) ?? false) + if (flagService.hasGrantedMLConsent && + (widget.collection?.canAutoAdd(userId) ?? false)) EntePopupMenuItemAsync( (value) => (value?[widget.collection!.id]?.personIDs.isEmpty ?? true) ? S.of(context).autoAddPeople From b5c47734dab8228f5f6f5511ab08e75b43505710 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Tue, 29 Jul 2025 15:06:02 +0530 Subject: [PATCH 228/302] Fix depricated enum --- .../scroll_bar_with_use_notifier.dart | 40 +++++++++---------- 1 file changed, 20 insertions(+), 20 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/scroll_bar_with_use_notifier.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/scroll_bar_with_use_notifier.dart index 56e656974f..50d686c27a 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/scroll_bar_with_use_notifier.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/scroll_bar_with_use_notifier.dart @@ -28,8 +28,8 @@ const Duration _kScrollbarTimeToFade = Duration(milliseconds: 600); /// Dynamically changes to a [CupertinoScrollbar], an iOS style scrollbar, by /// default on the iOS platform. /// -/// The color of the Scrollbar thumb will change when [MaterialState.dragged], -/// or [MaterialState.hovered] on desktop and web platforms. These stateful +/// The color of the Scrollbar thumb will change when [WidgetState.dragged], +/// or [WidgetState.hovered] on desktop and web platforms. These stateful /// color choices can be changed using [ScrollbarThemeData.thumbColor]. /// /// {@tool dartpad} @@ -226,21 +226,21 @@ class _MaterialScrollbarState extends RawScrollbarState<_MaterialScrollbar> { _scrollbarTheme.interactive ?? !_useAndroidScrollbar; - MaterialStateProperty get _trackVisibility => - MaterialStateProperty.resolveWith((Set states) { + WidgetStateProperty get _trackVisibility => + WidgetStateProperty.resolveWith((Set states) { return widget.trackVisibility ?? _scrollbarTheme.trackVisibility?.resolve(states) ?? false; }); - Set get _states => { - if (_dragIsActive) MaterialState.dragged, - if (_hoverIsActive) MaterialState.hovered, + Set get _states => { + if (_dragIsActive) WidgetState.dragged, + if (_hoverIsActive) WidgetState.hovered, }; - MaterialStateProperty get _thumbColor { + WidgetStateProperty get _thumbColor { if (widget.showThumb == false) { - return MaterialStateProperty.all(const Color(0x00000000)); + return WidgetStateProperty.all(const Color(0x00000000)); } final Color onSurface = _colorScheme.onSurface; final Brightness brightness = _colorScheme.brightness; @@ -262,8 +262,8 @@ class _MaterialScrollbarState extends RawScrollbarState<_MaterialScrollbar> { : onSurface.withOpacity(0.3); } - return MaterialStateProperty.resolveWith((Set states) { - if (states.contains(MaterialState.dragged)) { + return WidgetStateProperty.resolveWith((Set states) { + if (states.contains(WidgetState.dragged)) { return _scrollbarTheme.thumbColor?.resolve(states) ?? dragColor; } @@ -281,13 +281,13 @@ class _MaterialScrollbarState extends RawScrollbarState<_MaterialScrollbar> { }); } - MaterialStateProperty get _trackColor { + WidgetStateProperty get _trackColor { if (widget.showThumb == false) { - return MaterialStateProperty.all(const Color(0x00000000)); + return WidgetStateProperty.all(const Color(0x00000000)); } final Color onSurface = _colorScheme.onSurface; final Brightness brightness = _colorScheme.brightness; - return MaterialStateProperty.resolveWith((Set states) { + return WidgetStateProperty.resolveWith((Set states) { if (showScrollbar && _trackVisibility.resolve(states)) { return _scrollbarTheme.trackColor?.resolve(states) ?? switch (brightness) { @@ -299,13 +299,13 @@ class _MaterialScrollbarState extends RawScrollbarState<_MaterialScrollbar> { }); } - MaterialStateProperty get _trackBorderColor { + WidgetStateProperty get _trackBorderColor { if (widget.showThumb == false) { - return MaterialStateProperty.all(const Color(0x00000000)); + return WidgetStateProperty.all(const Color(0x00000000)); } final Color onSurface = _colorScheme.onSurface; final Brightness brightness = _colorScheme.brightness; - return MaterialStateProperty.resolveWith((Set states) { + return WidgetStateProperty.resolveWith((Set states) { if (showScrollbar && _trackVisibility.resolve(states)) { return _scrollbarTheme.trackBorderColor?.resolve(states) ?? switch (brightness) { @@ -317,9 +317,9 @@ class _MaterialScrollbarState extends RawScrollbarState<_MaterialScrollbar> { }); } - MaterialStateProperty get _thickness { - return MaterialStateProperty.resolveWith((Set states) { - if (states.contains(MaterialState.hovered) && + WidgetStateProperty get _thickness { + return WidgetStateProperty.resolveWith((Set states) { + if (states.contains(WidgetState.hovered) && _trackVisibility.resolve(states)) { return widget.thickness ?? _scrollbarTheme.thickness?.resolve(states) ?? From 19b41d365eeeed2e3aa1bc95d600f93ce65bf27d Mon Sep 17 00:00:00 2001 From: ashilkn Date: Tue, 29 Jul 2025 15:44:55 +0530 Subject: [PATCH 229/302] Use same scroll bar thumb color on gallery for iOS and Android --- .../scroll_bar_with_use_notifier.dart | 39 ++++++++++++------- 1 file changed, 26 insertions(+), 13 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/scroll_bar_with_use_notifier.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/scroll_bar_with_use_notifier.dart index 50d686c27a..339a489985 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/scroll_bar_with_use_notifier.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/scroll_bar_with_use_notifier.dart @@ -159,19 +159,32 @@ class ScrollbarWithUseNotifer extends StatelessWidget { @override Widget build(BuildContext context) { - return _MaterialScrollbar( - controller: controller, - thumbVisibility: thumbVisibility, - trackVisibility: trackVisibility, - thickness: thickness, - radius: radius, - notificationPredicate: notificationPredicate, - interactive: interactive, - scrollbarOrientation: scrollbarOrientation, - inUseNotifier: inUseNotifier, - minScrollbarLength: minScrollbarLength, - showThumb: showThumb, - child: child, + return ScrollbarTheme( + data: ScrollbarTheme.of(context).copyWith( + thumbColor: Theme.of(context).brightness == Brightness.dark + ? const WidgetStatePropertyAll(Color.fromARGB(244, 215, 215, 215)) + : WidgetStateProperty.resolveWith((Set states) { + if (states.contains(WidgetState.dragged)) { + return const Color.fromARGB(243, 143, 143, 143); + } + + return const Color.fromARGB(244, 199, 199, 199); + }), + ), + child: _MaterialScrollbar( + controller: controller, + thumbVisibility: thumbVisibility, + trackVisibility: trackVisibility, + thickness: thickness, + radius: radius, + notificationPredicate: notificationPredicate, + interactive: interactive, + scrollbarOrientation: scrollbarOrientation, + inUseNotifier: inUseNotifier, + minScrollbarLength: minScrollbarLength, + showThumb: showThumb, + child: child, + ), ); } } From e1d3e2dac4b3fa1feb80cad4f86eb208a10cbda2 Mon Sep 17 00:00:00 2001 From: laurenspriem Date: Tue, 29 Jul 2025 12:22:35 +0200 Subject: [PATCH 230/302] Clarify hidden vs ignored flag --- mobile/apps/photos/lib/models/ml/face/person.dart | 8 +++++++- .../apps/photos/lib/services/smart_memories_service.dart | 2 +- .../ui/viewer/people/person_selection_action_widgets.dart | 4 ++-- 3 files changed, 10 insertions(+), 4 deletions(-) diff --git a/mobile/apps/photos/lib/models/ml/face/person.dart b/mobile/apps/photos/lib/models/ml/face/person.dart index f373c89303..d2390a0bb6 100644 --- a/mobile/apps/photos/lib/models/ml/face/person.dart +++ b/mobile/apps/photos/lib/models/ml/face/person.dart @@ -48,7 +48,11 @@ class ClusterInfo { class PersonData { final String name; + + /// Used to mark a person to not show in the people section. + /// WARNING: When checking whether to show a person, use [isIgnored] instead, as it also checks legacy hidden names. final bool isHidden; + String? avatarFaceID; List assigned = List.empty(); List rejectedFaceIDs = List.empty(); @@ -63,8 +67,10 @@ class PersonData { bool hasAvatar() => avatarFaceID != null; + /// Returns true if the person should be ignored in the UI. + /// This included the regular [isHidden] check, but also a check for legacy names bool get isIgnored => - (name.isEmpty || name == '(hidden)' || name == '(ignored)'); + (isHidden || name.isEmpty || name == '(hidden)' || name == '(ignored)'); PersonData({ required this.name, diff --git a/mobile/apps/photos/lib/services/smart_memories_service.dart b/mobile/apps/photos/lib/services/smart_memories_service.dart index 1da43ff1fd..ce20f14cd2 100644 --- a/mobile/apps/photos/lib/services/smart_memories_service.dart +++ b/mobile/apps/photos/lib/services/smart_memories_service.dart @@ -418,7 +418,7 @@ class SmartMemoriesService { } } final List orderedImportantPersonsID = persons - .where((person) => !person.data.isHidden && !person.data.isIgnored) + .where((person) => !person.data.isIgnored) .map((p) => p.remoteID) .toList(); orderedImportantPersonsID.shuffle(Random()); diff --git a/mobile/apps/photos/lib/ui/viewer/people/person_selection_action_widgets.dart b/mobile/apps/photos/lib/ui/viewer/people/person_selection_action_widgets.dart index e22a7696cb..be9e8db787 100644 --- a/mobile/apps/photos/lib/ui/viewer/people/person_selection_action_widgets.dart +++ b/mobile/apps/photos/lib/ui/viewer/people/person_selection_action_widgets.dart @@ -45,7 +45,7 @@ class _LinkContactToPersonSelectionPageState final List result = []; for (final person in persons) { if ((person.data.email != null && person.data.email!.isNotEmpty) || - (person.data.isHidden || person.data.isIgnored)) { + (person.data.isIgnored)) { continue; } result.add(person); @@ -217,7 +217,7 @@ class _ReassignMeSelectionPageState extends State { final List result = []; for (final person in persons) { if ((person.data.email != null && person.data.email!.isNotEmpty) || - (person.data.isHidden || person.data.isIgnored)) { + (person.data.isIgnored)) { continue; } result.add(person); From e3b3cbc1b2e79e25521deccd8f4857cb580623e2 Mon Sep 17 00:00:00 2001 From: laurenspriem Date: Tue, 29 Jul 2025 12:33:47 +0200 Subject: [PATCH 231/302] Don't ask to contact link hidden person --- mobile/apps/photos/lib/ui/viewer/people/people_page.dart | 7 ++++--- 1 file changed, 4 insertions(+), 3 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/people/people_page.dart b/mobile/apps/photos/lib/ui/viewer/people/people_page.dart index 419e95e8e9..1c347d7d58 100644 --- a/mobile/apps/photos/lib/ui/viewer/people/people_page.dart +++ b/mobile/apps/photos/lib/ui/viewer/people/people_page.dart @@ -137,7 +137,7 @@ class _PeoplePageState extends State { Size.fromHeight(widget.searchResult != null ? 90.0 : 50.0), child: PeopleAppBar( GalleryType.peopleTag, - _person.data.name, + _person.data.isIgnored ? "(ignored)" : _person.data.name, _selectedFiles, _person, ), @@ -264,8 +264,9 @@ class _GalleryState extends State<_Gallery> { widget.personFiles.isNotEmpty ? [widget.personFiles.first] : [], header: Column( children: [ - widget.personEntity.data.email != null && - widget.personEntity.data.email!.isNotEmpty + (widget.personEntity.data.email != null && + widget.personEntity.data.email!.isNotEmpty) || + widget.personEntity.data.isIgnored ? const SizedBox.shrink() : Padding( padding: const EdgeInsets.only(top: 12, bottom: 8), From fcdbef557a63f712caf6896f31d821495bf12e4a Mon Sep 17 00:00:00 2001 From: ashilkn Date: Tue, 29 Jul 2025 16:11:23 +0530 Subject: [PATCH 232/302] Fix state issue with gallery layout selector --- .../ui/viewer/gallery/layout_settings.dart | 41 +++++++------------ 1 file changed, 14 insertions(+), 27 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/layout_settings.dart b/mobile/apps/photos/lib/ui/viewer/gallery/layout_settings.dart index 4f505d6051..dc5b74a31b 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/layout_settings.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/layout_settings.dart @@ -3,6 +3,7 @@ import "dart:async"; import "package:flutter/material.dart"; import "package:photos/core/event_bus.dart"; import "package:photos/events/force_reload_home_gallery_event.dart"; +import "package:photos/generated/l10n.dart"; import "package:photos/l10n/l10n.dart"; import "package:photos/service_locator.dart"; import "package:photos/theme/ente_theme.dart"; @@ -25,35 +26,17 @@ class _GalleryLayoutSettingsState extends State { localSettings.getPhotoGridSize() == 3; bool isMonthLayout = localSettings.getGalleryGroupType() == GroupType.month && localSettings.getPhotoGridSize() == 5; - late StreamSubscription _forceReloadSubscription; - @override - void initState() { - super.initState(); - _forceReloadSubscription = - Bus.instance.on().listen((event) { - if (event.reason == "Gallery layout changed") { - Future.delayed(const Duration(milliseconds: 1000), () { - if (!mounted) return; - setState(() { - isDayLayout = - localSettings.getGalleryGroupType() == GroupType.day && - localSettings.getPhotoGridSize() == 3; - isMonthLayout = - localSettings.getGalleryGroupType() == GroupType.month && - localSettings.getPhotoGridSize() == 5; - }); - }); - } + _reloadWithLatestSetting() { + if (!mounted) return; + setState(() { + isDayLayout = localSettings.getGalleryGroupType() == GroupType.day && + localSettings.getPhotoGridSize() == 3; + isMonthLayout = localSettings.getGalleryGroupType() == GroupType.month && + localSettings.getPhotoGridSize() == 5; }); } - @override - void dispose() { - _forceReloadSubscription.cancel(); - super.dispose(); - } - @override Widget build(BuildContext context) { final textTheme = getEnteTextTheme(context); @@ -148,8 +131,8 @@ class _GalleryLayoutSettingsState extends State { bgColor: getEnteColorScheme(context).fillFaint, ), MenuItemWidget( - captionedTextWidget: const CaptionedTextWidget( - title: "Custom", + captionedTextWidget: CaptionedTextWidget( + title: S.of(context).custom, ), menuItemColor: colorScheme.fillFaint, alignCaptionedTextToLeft: true, @@ -166,6 +149,10 @@ class _GalleryLayoutSettingsState extends State { const GallerySettingsScreen( fromGallerySettingsCTA: true, ), + ).then( + (_) { + _reloadWithLatestSetting(); + }, ), ), ], From e45db814fac301fbd136d93f9f6943f205039804 Mon Sep 17 00:00:00 2001 From: laurenspriem Date: Tue, 29 Jul 2025 13:04:07 +0200 Subject: [PATCH 233/302] Don't suggest for ignored persons in all people page --- .../machine_learning/face_ml/feedback/cluster_feedback.dart | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/mobile/apps/photos/lib/services/machine_learning/face_ml/feedback/cluster_feedback.dart b/mobile/apps/photos/lib/services/machine_learning/face_ml/feedback/cluster_feedback.dart index 2cefa84ac6..48beb60995 100644 --- a/mobile/apps/photos/lib/services/machine_learning/face_ml/feedback/cluster_feedback.dart +++ b/mobile/apps/photos/lib/services/machine_learning/face_ml/feedback/cluster_feedback.dart @@ -330,6 +330,10 @@ class ClusterFeedbackService { for (final person in personsMap.values) { final personID = person.remoteID; final personClusters = personToClusterIDs[personID] ?? {}; + if (person.data.isIgnored) { + personIdToOtherPersonClusterIDs[personID] = personClusters; + continue; + } int biggestClusterSize = 0; String biggestClusterID = ''; final Set otherPersonClusterIDs = {}; From 973c1f872af33bd29e84a0de4ac24e9a71024c49 Mon Sep 17 00:00:00 2001 From: laurenspriem Date: Tue, 29 Jul 2025 13:19:16 +0200 Subject: [PATCH 234/302] strings --- .../lib/generated/intl/messages_all.dart | 4 + .../lib/generated/intl/messages_ar.dart | 36 +- .../lib/generated/intl/messages_cs.dart | 89 +++++ .../lib/generated/intl/messages_de.dart | 4 + .../lib/generated/intl/messages_en.dart | 9 + .../lib/generated/intl/messages_es.dart | 127 +++++++ .../lib/generated/intl/messages_fr.dart | 4 + .../lib/generated/intl/messages_he.dart | 6 +- .../lib/generated/intl/messages_hu.dart | 6 +- .../lib/generated/intl/messages_ja.dart | 8 +- .../lib/generated/intl/messages_lt.dart | 80 +++- .../lib/generated/intl/messages_ms.dart | 25 ++ .../lib/generated/intl/messages_nl.dart | 2 +- .../lib/generated/intl/messages_no.dart | 2 +- .../lib/generated/intl/messages_pl.dart | 276 +++++++++++++- .../lib/generated/intl/messages_pt_BR.dart | 4 + .../lib/generated/intl/messages_pt_PT.dart | 4 + .../lib/generated/intl/messages_ro.dart | 12 +- .../lib/generated/intl/messages_ru.dart | 6 +- .../lib/generated/intl/messages_sr.dart | 358 +++++++++++++++++- .../lib/generated/intl/messages_sv.dart | 7 +- .../lib/generated/intl/messages_tr.dart | 121 +++++- .../lib/generated/intl/messages_uk.dart | 4 +- .../lib/generated/intl/messages_vi.dart | 148 ++++---- .../lib/generated/intl/messages_zh.dart | 9 +- mobile/apps/photos/lib/generated/l10n.dart | 51 +++ mobile/apps/photos/lib/l10n/intl_en.arb | 7 +- .../lib/ui/viewer/people/cluster_app_bar.dart | 21 +- .../lib/ui/viewer/people/people_page.dart | 5 +- 29 files changed, 1281 insertions(+), 154 deletions(-) create mode 100644 mobile/apps/photos/lib/generated/intl/messages_ms.dart diff --git a/mobile/apps/photos/lib/generated/intl/messages_all.dart b/mobile/apps/photos/lib/generated/intl/messages_all.dart index ed4269d223..8076291286 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_all.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_all.dart @@ -43,6 +43,7 @@ import 'messages_ku.dart' as messages_ku; import 'messages_lt.dart' as messages_lt; import 'messages_lv.dart' as messages_lv; import 'messages_ml.dart' as messages_ml; +import 'messages_ms.dart' as messages_ms; import 'messages_nl.dart' as messages_nl; import 'messages_no.dart' as messages_no; import 'messages_or.dart' as messages_or; @@ -93,6 +94,7 @@ Map _deferredLibraries = { 'lt': () => new SynchronousFuture(null), 'lv': () => new SynchronousFuture(null), 'ml': () => new SynchronousFuture(null), + 'ms': () => new SynchronousFuture(null), 'nl': () => new SynchronousFuture(null), 'no': () => new SynchronousFuture(null), 'or': () => new SynchronousFuture(null), @@ -171,6 +173,8 @@ MessageLookupByLibrary? _findExact(String localeName) { return messages_lv.messages; case 'ml': return messages_ml.messages; + case 'ms': + return messages_ms.messages; case 'nl': return messages_nl.messages; case 'no': diff --git a/mobile/apps/photos/lib/generated/intl/messages_ar.dart b/mobile/apps/photos/lib/generated/intl/messages_ar.dart index ac978411b1..d6e102aa31 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_ar.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_ar.dart @@ -23,16 +23,16 @@ class MessageLookup extends MessageLookupByLibrary { static String m0(title) => "${title} (أنا)"; static String m1(count) => - "${Intl.plural(count, zero: 'إضافة متعاون', one: 'إضافة متعاون', two: 'إضافة متعاونين', other: 'إضافة ${count} متعاونًا')}"; + "${Intl.plural(count, zero: 'إضافة متعاون', one: 'إضافة متعاون', two: 'إضافة متعاونين', few: 'إضافة ${count} متعاونين', many: 'إضافة ${count} متعاونًا', other: 'إضافة ${count} متعاونًا')}"; static String m2(count) => - "${Intl.plural(count, one: 'إضافة عنصر', two: 'إضافة عنصرين', other: 'إضافة ${count} عنصرًا')}"; + "${Intl.plural(count, one: 'إضافة عنصر', two: 'إضافة عنصرين', few: 'إضافة ${count} عناصر', many: 'إضافة ${count} عنصرًا', other: 'إضافة ${count} عنصرًا')}"; static String m3(storageAmount, endDate) => "إضافتك بسعة ${storageAmount} صالحة حتى ${endDate}"; static String m4(count) => - "${Intl.plural(count, zero: 'إضافة مشاهد', one: 'إضافة مشاهد', two: 'إضافة مشاهدين', other: 'إضافة ${count} مشاهدًا')}"; + "${Intl.plural(count, zero: 'إضافة مشاهد', one: 'إضافة مشاهد', two: 'إضافة مشاهدين', few: 'إضافة ${count} مشاهدين', many: 'إضافة ${count} مشاهدًا', other: 'إضافة ${count} مشاهدًا')}"; static String m5(emailOrName) => "تمت الإضافة بواسطة ${emailOrName}"; @@ -66,7 +66,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m15(albumName) => "تم إنشاء رابط تعاوني لـ ${albumName}"; static String m16(count) => - "${Intl.plural(count, zero: 'تمت إضافة 0 متعاونين', one: 'تمت إضافة متعاون واحد', two: 'تمت إضافة متعاونين', other: 'تمت إضافة ${count} متعاونًا')}"; + "${Intl.plural(count, zero: 'تمت إضافة 0 متعاونين', one: 'تمت إضافة متعاون واحد', two: 'تمت إضافة متعاونين', few: 'تمت إضافة ${count} متعاونين', many: 'تمت إضافة ${count} متعاونًا', other: 'تمت إضافة ${count} متعاونًا')}"; static String m17(email, numOfDays) => "أنت على وشك إضافة ${email} كجهة اتصال موثوقة. سيكون بإمكانهم استعادة حسابك إذا كنت غائبًا لمدة ${numOfDays} أيام."; @@ -80,7 +80,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m20(endpoint) => "متصل بـ ${endpoint}"; static String m21(count) => - "${Intl.plural(count, one: 'حذف عنصر واحد', two: 'حذف عنصرين', other: 'حذف ${count} عنصرًا')}"; + "${Intl.plural(count, one: 'حذف عنصر واحد', two: 'حذف عنصرين', few: 'حذف ${count} عناصر', many: 'حذف ${count} عنصرًا', other: 'حذف ${count} عنصرًا')}"; static String m22(count) => "هل تريد أيضًا حذف الصور (والمقاطع) الموجودة في هذه الألبومات ${count} من كافة الألبومات الأخرى التي تشترك فيها؟"; @@ -95,7 +95,7 @@ class MessageLookup extends MessageLookupByLibrary { "يرجى إرسال بريد إلكتروني إلى ${supportEmail} من عنوان بريدك الإلكتروني المسجل"; static String m26(count, storageSaved) => - "لقد قمت بتنظيف ${Intl.plural(count, one: 'ملف مكرر واحد', two: 'ملفين مكررين', other: '${count} ملفًا مكررًا')}، مما وفر ${storageSaved}!"; + "لقد قمت بتنظيف ${Intl.plural(count, one: 'ملف مكرر واحد', two: 'ملفين مكررين', few: '${count} ملفات مكررة', many: '${count} ملفًا مكررًا', other: '${count} ملفًا مكررًا')}، مما وفر ${storageSaved}!"; static String m27(count, formattedSize) => "${count} ملفات، ${formattedSize} لكل منها"; @@ -116,10 +116,10 @@ class MessageLookup extends MessageLookupByLibrary { static String m34(name) => "الاستمتاع بالطعام مع ${name}"; static String m35(count, formattedNumber) => - "${Intl.plural(count, one: 'ملف واحد', two: 'ملفان', other: '${formattedNumber} ملفًا')} على هذا الجهاز تم نسخه احتياطيًا بأمان"; + "${Intl.plural(count, one: 'ملف واحد', two: 'ملفان', few: '${formattedNumber} ملفات', many: '${formattedNumber} ملفًا', other: '${formattedNumber} ملفًا')} على هذا الجهاز تم نسخه احتياطيًا بأمان"; static String m36(count, formattedNumber) => - "${Intl.plural(count, one: 'ملف واحد', two: 'ملفان', other: '${formattedNumber} ملفًا')} في هذا الألبوم تم نسخه احتياطيًا بأمان"; + "${Intl.plural(count, one: 'ملف واحد', two: 'ملفان', few: '${formattedNumber} ملفات', many: '${formattedNumber} ملفًا', other: '${formattedNumber} ملفًا')} في هذا الألبوم تم نسخه احتياطيًا بأمان"; static String m37(storageAmountInGB) => "${storageAmountInGB} جيجابايت مجانية في كل مرة يشترك فيها شخص بخطة مدفوعة ويطبق رمزك"; @@ -132,7 +132,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m40(sizeInMBorGB) => "تحرير ${sizeInMBorGB}"; static String m41(count, formattedSize) => - "${Intl.plural(count, one: 'يمكن حذفه من الجهاز لتحرير ${formattedSize}', two: 'يمكن حذفهما من الجهاز لتحرير ${formattedSize}', other: 'يمكن حذفها من الجهاز لتحرير ${formattedSize}')}"; + "${Intl.plural(count, one: 'يمكن حذفه من الجهاز لتحرير ${formattedSize}', two: 'يمكن حذفهما من الجهاز لتحرير ${formattedSize}', few: 'يمكن حذفها من الجهاز لتحرير ${formattedSize}', many: 'يمكن حذفها من الجهاز لتحرير ${formattedSize}', other: 'يمكن حذفها من الجهاز لتحرير ${formattedSize}')}"; static String m42(currentlyProcessing, totalCount) => "جارٍ المعالجة ${currentlyProcessing} / ${totalCount}"; @@ -154,10 +154,10 @@ class MessageLookup extends MessageLookupByLibrary { "سيؤدي هذا إلى ربط ${personName} بـ ${email}"; static String m50(count, formattedCount) => - "${Intl.plural(count, zero: 'لا توجد ذكريات', one: 'ذكرى واحدة', two: 'ذكريتان', other: '${formattedCount} ذكرى')}"; + "${Intl.plural(count, zero: 'لا توجد ذكريات', one: 'ذكرى واحدة', two: 'ذكريتان', few: '${formattedCount} ذكريات', many: '${formattedCount} ذكرى', other: '${formattedCount} ذكرى')}"; static String m51(count) => - "${Intl.plural(count, one: 'نقل عنصر', two: 'نقل عنصرين', other: 'نقل ${count} عنصرًا')}"; + "${Intl.plural(count, one: 'نقل عنصر', two: 'نقل عنصرين', few: 'نقل ${count} عناصر', many: 'نقل ${count} عنصرًا', other: 'نقل ${count} عنصرًا')}"; static String m52(albumName) => "تم النقل بنجاح إلى ${albumName}"; @@ -181,10 +181,10 @@ class MessageLookup extends MessageLookupByLibrary { static String m60(name, age) => "${name} سيبلغ ${age} قريبًا"; static String m61(count) => - "${Intl.plural(count, zero: 'لا توجد صور', one: 'صورة واحدة', two: 'صورتان', other: '${count} صورة')}"; + "${Intl.plural(count, zero: 'لا توجد صور', one: 'صورة واحدة', two: 'صورتان', few: '${count} صور', many: '${count} صورة', other: '${count} صورة')}"; static String m62(count) => - "${Intl.plural(count, zero: 'لا توجد صور', one: 'صورة واحدة', two: 'صورتان', other: '${count} صورة')}"; + "${Intl.plural(count, zero: 'لا توجد صور', one: 'صورة واحدة', two: 'صورتان', few: '${count} صور', many: '${count} صورة', other: '${count} صورة')}"; static String m63(endDate) => "التجربة المجانية صالحة حتى ${endDate}.\nيمكنك اختيار خطة مدفوعة بعد ذلك."; @@ -221,7 +221,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m76(name) => "رحلة برية مع ${name}"; static String m77(count) => - "${Intl.plural(count, other: '${count} النتائج التي تم العثور عليها')}"; + "${Intl.plural(count, one: '${count} النتائج التي تم العثور عليها', other: '${count} النتائج التي تم العثور عليها')}"; static String m78(snapshotLength, searchLength) => "عدم تطابق طول الأقسام: ${snapshotLength} != ${searchLength}"; @@ -281,12 +281,12 @@ class MessageLookup extends MessageLookupByLibrary { static String m100(email) => "هذا هو معرّف التحقق الخاص بـ ${email}"; static String m101(count) => - "${Intl.plural(count, one: 'هذا الأسبوع، قبل سنة', two: 'هذا الأسبوع، قبل سنتين', other: 'هذا الأسبوع، قبل ${count} سنة')}"; + "${Intl.plural(count, one: 'هذا الأسبوع، قبل سنة', two: 'هذا الأسبوع، قبل سنتين', few: 'هذا الأسبوع، قبل ${count} سنوات', many: 'هذا الأسبوع، قبل ${count} سنة', other: 'هذا الأسبوع، قبل ${count} سنة')}"; static String m102(dateFormat) => "${dateFormat} عبر السنين"; static String m103(count) => - "${Intl.plural(count, zero: 'قريبًا', one: 'يوم واحد', two: 'يومان', other: '${count} يومًا')}"; + "${Intl.plural(count, zero: 'قريبًا', one: 'يوم واحد', two: 'يومان', few: '${count} أيام', many: '${count} يومًا', other: '${count} يومًا')}"; static String m104(year) => "رحلة في ${year}"; @@ -309,7 +309,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m112(name) => "عرض ${name} لإلغاء الربط"; static String m113(count) => - "${Intl.plural(count, zero: 'تمت إضافة 0 مشاهدين', one: 'تمت إضافة مشاهد واحد', two: 'تمت إضافة مشاهدين', other: 'تمت إضافة ${count} مشاهدًا')}"; + "${Intl.plural(count, zero: 'تمت إضافة 0 مشاهدين', one: 'تمت إضافة مشاهد واحد', two: 'تمت إضافة مشاهدين', few: 'تمت إضافة ${count} مشاهدين', many: 'تمت إضافة ${count} مشاهدًا', other: 'تمت إضافة ${count} مشاهدًا')}"; static String m114(email) => "لقد أرسلنا بريدًا إلكترونيًا إلى ${email}"; @@ -317,7 +317,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m115(name) => "أتمنى لـ${name} عيد ميلاد سعيد! 🎉"; static String m116(count) => - "${Intl.plural(count, one: 'قبل سنة', two: 'قبل سنتين', other: 'قبل ${count} سنة')}"; + "${Intl.plural(count, one: 'قبل سنة', two: 'قبل سنتين', few: 'قبل ${count} سنوات', many: 'قبل ${count} سنة', other: 'قبل ${count} سنة')}"; static String m117(name) => "أنت و ${name}"; diff --git a/mobile/apps/photos/lib/generated/intl/messages_cs.dart b/mobile/apps/photos/lib/generated/intl/messages_cs.dart index 64aec33ca1..18276d61ee 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_cs.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_cs.dart @@ -22,8 +22,14 @@ class MessageLookup extends MessageLookupByLibrary { static String m6(albumName) => "Úspěšně přidáno do ${albumName}"; + static String m25(supportEmail) => + "Prosíme, napiště e-mail na ${supportEmail} ze schránky, kterou jste použili k registraci"; + static String m47(expiryTime) => "Platnost odkazu vyprší ${expiryTime}"; + static String m57(passwordStrengthValue) => + "Síla hesla: ${passwordStrengthValue}"; + static String m68(storeName) => "Ohodnoťte nás na ${storeName}"; static String m75(endDate) => "Předplatné se obnoví ${endDate}"; @@ -32,6 +38,9 @@ class MessageLookup extends MessageLookupByLibrary { static String m111(email) => "Ověřit ${email}"; + static String m114(email) => + "Poslali jsme vám zprávu na ${email}"; + static String m117(name) => "Vy a ${name}"; final messages = _notInlinedMessages(_notInlinedMessages); @@ -43,6 +52,8 @@ class MessageLookup extends MessageLookupByLibrary { "account": MessageLookupByLibrary.simpleMessage("Účet"), "accountWelcomeBack": MessageLookupByLibrary.simpleMessage("Vítejte zpět!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Rozumím, že pokud zapomenu své heslo, mohu přijít o data, jelikož má data jsou koncově šifrována."), "activeSessions": MessageLookupByLibrary.simpleMessage("Aktivní relace"), "add": MessageLookupByLibrary.simpleMessage("Přidat"), @@ -102,6 +113,8 @@ class MessageLookup extends MessageLookupByLibrary { "Sdílené soubory nelze odstranit"), "changeEmail": MessageLookupByLibrary.simpleMessage("Změnit e-mail"), "changePassword": MessageLookupByLibrary.simpleMessage("Změnit heslo"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("Změnit heslo"), "checkForUpdates": MessageLookupByLibrary.simpleMessage("Zkontrolovat aktualizace"), "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( @@ -115,6 +128,8 @@ class MessageLookup extends MessageLookupByLibrary { "close": MessageLookupByLibrary.simpleMessage("Zavřít"), "codeAppliedPageTitle": MessageLookupByLibrary.simpleMessage("Kód byl použit"), + "codeCopiedToClipboard": + MessageLookupByLibrary.simpleMessage("Kód zkopírován do schránky"), "collaborator": MessageLookupByLibrary.simpleMessage("Spolupracovník"), "collageLayout": MessageLookupByLibrary.simpleMessage("Rozvržení"), "color": MessageLookupByLibrary.simpleMessage("Barva"), @@ -122,6 +137,10 @@ class MessageLookup extends MessageLookupByLibrary { "confirm": MessageLookupByLibrary.simpleMessage("Potvrdit"), "confirmAccountDeletion": MessageLookupByLibrary.simpleMessage("Potvrdit odstranění účtu"), + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Ano, chci trvale smazat tento účet a jeho data napříč všemi aplikacemi."), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("Potvrdte heslo"), "contactSupport": MessageLookupByLibrary.simpleMessage("Kontaktovat podporu"), "contacts": MessageLookupByLibrary.simpleMessage("Kontakty"), @@ -144,10 +163,14 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Dešifrování videa..."), "delete": MessageLookupByLibrary.simpleMessage("Smazat"), "deleteAccount": MessageLookupByLibrary.simpleMessage("Smazat účet"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Je nám líto, že nás opouštíte. Prosím, dejte nám zpětnou vazbu, ať se můžeme zlepšit."), "deleteAccountPermanentlyButton": MessageLookupByLibrary.simpleMessage("Trvale smazat účet"), "deleteAlbum": MessageLookupByLibrary.simpleMessage("Odstranit album"), "deleteAll": MessageLookupByLibrary.simpleMessage("Smazat vše"), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Prosím, zašlete e-mail na account-deletion@ente.io ze schránky, se kterou jste se registrovali."), "deleteEmptyAlbums": MessageLookupByLibrary.simpleMessage("Smazat prázdná alba"), "deleteEmptyAlbumsWithQuestionMark": @@ -188,6 +211,7 @@ class MessageLookup extends MessageLookupByLibrary { "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfie"), "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Pozadí"), "dismiss": MessageLookupByLibrary.simpleMessage("Zrušit"), + "doThisLater": MessageLookupByLibrary.simpleMessage("Udělat později"), "done": MessageLookupByLibrary.simpleMessage("Hotovo"), "doubleYourStorage": MessageLookupByLibrary.simpleMessage("Zdvojnásobte své úložiště"), @@ -195,6 +219,7 @@ class MessageLookup extends MessageLookupByLibrary { "downloadFailed": MessageLookupByLibrary.simpleMessage("Stahování selhalo"), "downloading": MessageLookupByLibrary.simpleMessage("Stahuji..."), + "dropSupportEmail": m25, "edit": MessageLookupByLibrary.simpleMessage("Upravit"), "editLocation": MessageLookupByLibrary.simpleMessage("Upravit polohu"), "editLocationTagTitle": @@ -213,18 +238,27 @@ class MessageLookup extends MessageLookupByLibrary { "encryption": MessageLookupByLibrary.simpleMessage("Šifrování"), "encryptionKeys": MessageLookupByLibrary.simpleMessage("Šifrovací klíče"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Ente potřebuje oprávnění k uchovávání vašich fotek"), "enterAlbumName": MessageLookupByLibrary.simpleMessage("Zadejte název alba"), + "enterCode": MessageLookupByLibrary.simpleMessage("Zadat kód"), "enterDateOfBirth": MessageLookupByLibrary.simpleMessage("Narozeniny (volitelné)"), "enterFileName": MessageLookupByLibrary.simpleMessage("Zadejte název souboru"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Zadejte nové heslo, které můžeme použít k šifrování vašich dat"), "enterPassword": MessageLookupByLibrary.simpleMessage("Zadejte heslo"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Zadejte heslo, které můžeme použít k šifrování vašich dat"), "enterPin": MessageLookupByLibrary.simpleMessage("Zadejte PIN"), "enterValidEmail": MessageLookupByLibrary.simpleMessage( "Prosím, zadejte platnou e-mailovou adresu."), "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( "Zadejte svou e-mailovou adresu"), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Zadejte novou e-mailovou adresu"), "enterYourPassword": MessageLookupByLibrary.simpleMessage("Zadejte své heslo"), "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( @@ -252,6 +286,8 @@ class MessageLookup extends MessageLookupByLibrary { "filesDeleted": MessageLookupByLibrary.simpleMessage("Soubory odstraněny"), "flip": MessageLookupByLibrary.simpleMessage("Překlopit"), + "forgotPassword": + MessageLookupByLibrary.simpleMessage("Zapomenuté heslo"), "freeUpSpace": MessageLookupByLibrary.simpleMessage("Uvolnit místo"), "gallery": MessageLookupByLibrary.simpleMessage("Galerie"), "general": MessageLookupByLibrary.simpleMessage("Obecné"), @@ -272,6 +308,8 @@ class MessageLookup extends MessageLookupByLibrary { "incorrectRecoveryKeyTitle": MessageLookupByLibrary.simpleMessage("Nesprávný obnovovací klíč"), "info": MessageLookupByLibrary.simpleMessage("Informace"), + "insecureDevice": + MessageLookupByLibrary.simpleMessage("Nezabezpečené zařízení"), "installManually": MessageLookupByLibrary.simpleMessage("Instalovat manuálně"), "invalidEmailAddress": @@ -302,6 +340,8 @@ class MessageLookup extends MessageLookupByLibrary { "loggingOut": MessageLookupByLibrary.simpleMessage("Odhlašování..."), "loginSessionExpired": MessageLookupByLibrary.simpleMessage("Relace vypršela"), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Kliknutím na přihlášení souhlasím s podmínkami služby a zásadami ochrany osobních údajů"), "loginWithTOTP": MessageLookupByLibrary.simpleMessage("Přihlášení pomocí TOTP"), "logout": MessageLookupByLibrary.simpleMessage("Odhlásit se"), @@ -319,6 +359,7 @@ class MessageLookup extends MessageLookupByLibrary { "merchandise": MessageLookupByLibrary.simpleMessage("E-shop"), "mergedPhotos": MessageLookupByLibrary.simpleMessage("Sloučené fotografie"), + "moderateStrength": MessageLookupByLibrary.simpleMessage("Střední"), "moments": MessageLookupByLibrary.simpleMessage("Momenty"), "monthly": MessageLookupByLibrary.simpleMessage("Měsíčně"), "moreDetails": @@ -344,6 +385,8 @@ class MessageLookup extends MessageLookupByLibrary { "Zde nebyly nalezeny žádné fotky"), "noRecoveryKey": MessageLookupByLibrary.simpleMessage("Nemáte obnovovací klíč?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Vzhledem k povaze našeho protokolu koncového šifrování nemohou být vaše data dešifrována bez vašeho hesla nebo obnovovacího klíče"), "noResultsFound": MessageLookupByLibrary.simpleMessage( "Nebyly nalezeny žádné výsledky"), "notifications": MessageLookupByLibrary.simpleMessage("Notifikace"), @@ -364,6 +407,9 @@ class MessageLookup extends MessageLookupByLibrary { "password": MessageLookupByLibrary.simpleMessage("Heslo"), "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage("Heslo úspěšně změněno"), + "passwordStrength": m57, + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Toto heslo neukládáme, takže pokud jej zapomenete, nemůžeme dešifrovat vaše data"), "paymentDetails": MessageLookupByLibrary.simpleMessage("Platební údaje"), "people": MessageLookupByLibrary.simpleMessage("Lidé"), @@ -379,6 +425,8 @@ class MessageLookup extends MessageLookupByLibrary { "pleaseWait": MessageLookupByLibrary.simpleMessage("Čekejte prosím..."), "previous": MessageLookupByLibrary.simpleMessage("Předchozí"), "privacy": MessageLookupByLibrary.simpleMessage("Soukromí"), + "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage( + "Zásady ochrany osobních údajů"), "processing": MessageLookupByLibrary.simpleMessage("Zpracovává se"), "publicLinkCreated": MessageLookupByLibrary.simpleMessage("Veřejný odkaz vytvořen"), @@ -386,11 +434,24 @@ class MessageLookup extends MessageLookupByLibrary { "radius": MessageLookupByLibrary.simpleMessage("Rádius"), "rateUs": MessageLookupByLibrary.simpleMessage("Ohodnoť nás"), "rateUsOnStore": m68, + "recover": MessageLookupByLibrary.simpleMessage("Obnovit"), + "recoverAccount": MessageLookupByLibrary.simpleMessage("Obnovit účet"), "recoverButton": MessageLookupByLibrary.simpleMessage("Obnovit"), + "recoveryKey": MessageLookupByLibrary.simpleMessage("Obnovovací klíč"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Obnovovací klíč zkopírován do schránky"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Tento klíč je jedinou cestou pro obnovení Vašich dat, pokud zapomenete heslo."), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Tento 24-slovný klíč neuchováváme, uschovejte ho, prosím, na bezpečném místě."), "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage("Obnovovací klíč byl ověřen"), "recoverySuccessful": MessageLookupByLibrary.simpleMessage("Úspěšně obnoveno!"), + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Aktuální zařízení není dostatečně silné k ověření vašeho hesla, ale můžeme ho regenerovat způsobem, které funguje na všech zařízeních.\n\nProsím, přihlašte se pomocí vašeho obnovovacího klíče a regenerujte své heslo (můžete klidně znovu použít své aktuální heslo)."), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("Znovu vytvořit heslo"), "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), "reenterPin": MessageLookupByLibrary.simpleMessage("Zadejte PIN znovu"), "remove": MessageLookupByLibrary.simpleMessage("Odstranit"), @@ -436,6 +497,7 @@ class MessageLookup extends MessageLookupByLibrary { "saveCopy": MessageLookupByLibrary.simpleMessage("Uložit kopii"), "saveKey": MessageLookupByLibrary.simpleMessage("Uložit klíč"), "savePerson": MessageLookupByLibrary.simpleMessage("Uložit osobu"), + "scanCode": MessageLookupByLibrary.simpleMessage("Skenovat kód"), "search": MessageLookupByLibrary.simpleMessage("Hledat"), "searchAlbumsEmptySection": MessageLookupByLibrary.simpleMessage("Alba"), @@ -468,6 +530,8 @@ class MessageLookup extends MessageLookupByLibrary { "setNewPassword": MessageLookupByLibrary.simpleMessage("Nastavit nové heslo"), "setNewPin": MessageLookupByLibrary.simpleMessage("Nastavit nový PIN"), + "setPasswordTitle": + MessageLookupByLibrary.simpleMessage("Nastavit heslo"), "share": MessageLookupByLibrary.simpleMessage("Sdílet"), "shareLink": MessageLookupByLibrary.simpleMessage("Sdílet odkaz"), "sharedByMe": MessageLookupByLibrary.simpleMessage("Sdíleno mnou"), @@ -475,8 +539,16 @@ class MessageLookup extends MessageLookupByLibrary { "sharedWithMe": MessageLookupByLibrary.simpleMessage("Sdíleno se mnou"), "sharedWithYou": MessageLookupByLibrary.simpleMessage("Sdíleno s vámi"), "sharing": MessageLookupByLibrary.simpleMessage("Sdílení..."), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Souhlasím s podmínkami služby a zásadami ochrany osobních údajů"), "skip": MessageLookupByLibrary.simpleMessage("Přeskočit"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Něco se pokazilo. Zkuste to, prosím, znovu"), "sorry": MessageLookupByLibrary.simpleMessage("Omlouváme se"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Omlouváme se, nemohli jsme vygenerovat bezpečné klíče na tomto zařízení.\n\nProsíme, zaregistrujte se z jiného zařízení."), "sort": MessageLookupByLibrary.simpleMessage("Seřadit"), "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Seřadit podle"), "sortNewestFirst": @@ -497,10 +569,14 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Synchronizace zastavena"), "syncing": MessageLookupByLibrary.simpleMessage("Synchronizace..."), "systemTheme": MessageLookupByLibrary.simpleMessage("Systém"), + "tapToEnterCode": + MessageLookupByLibrary.simpleMessage("Klepněte pro zadání kódu"), "terminate": MessageLookupByLibrary.simpleMessage("Ukončit"), "terminateSession": MessageLookupByLibrary.simpleMessage("Ukončit relaci?"), "terms": MessageLookupByLibrary.simpleMessage("Podmínky"), + "termsOfServicesTitle": + MessageLookupByLibrary.simpleMessage("Podmínky služby"), "thankYou": MessageLookupByLibrary.simpleMessage("Děkujeme"), "theDownloadCouldNotBeCompleted": MessageLookupByLibrary.simpleMessage( "Stahování nebylo možné dokončit"), @@ -508,10 +584,19 @@ class MessageLookup extends MessageLookupByLibrary { "thisDevice": MessageLookupByLibrary.simpleMessage("Toto zařízení"), "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("To jsem já!"), + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Toto vás odhlásí z následujícího zařízení:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Toto vás odhlásí z tohoto zařízení!"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Pro reset vašeho hesla nejprve vyplňte vaší e-mailovou adresu prosím."), "totalSize": MessageLookupByLibrary.simpleMessage("Celková velikost"), "trash": MessageLookupByLibrary.simpleMessage("Koš"), "tryAgain": MessageLookupByLibrary.simpleMessage("Zkusit znovu"), "twitter": MessageLookupByLibrary.simpleMessage("Twitter"), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Nastavení dvoufaktorového ověřování"), "unlock": MessageLookupByLibrary.simpleMessage("Odemknout"), "unpinAlbum": MessageLookupByLibrary.simpleMessage("Odepnout album"), "unselectAll": MessageLookupByLibrary.simpleMessage("Zrušit výběr"), @@ -521,11 +606,14 @@ class MessageLookup extends MessageLookupByLibrary { "upgrade": MessageLookupByLibrary.simpleMessage("Upgradovat"), "uploadingFilesToAlbum": MessageLookupByLibrary.simpleMessage( "Nahrávání souborů do alba..."), + "useRecoveryKey": + MessageLookupByLibrary.simpleMessage("Použít obnovovací klíč"), "usedSpace": MessageLookupByLibrary.simpleMessage("Využité místo"), "verify": MessageLookupByLibrary.simpleMessage("Ověřit"), "verifyEmail": MessageLookupByLibrary.simpleMessage("Ověřit e-mail"), "verifyEmailID": m111, "verifyIDLabel": MessageLookupByLibrary.simpleMessage("Ověřit"), + "verifyPassword": MessageLookupByLibrary.simpleMessage("Ověřit heslo"), "verifying": MessageLookupByLibrary.simpleMessage("Ověřování..."), "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( "Ověřování obnovovacího klíče..."), @@ -535,6 +623,7 @@ class MessageLookup extends MessageLookupByLibrary { "warning": MessageLookupByLibrary.simpleMessage("Varování"), "weAreOpenSource": MessageLookupByLibrary.simpleMessage("Jsme open source!"), + "weHaveSendEmailTo": m114, "weakStrength": MessageLookupByLibrary.simpleMessage("Slabé"), "welcomeBack": MessageLookupByLibrary.simpleMessage("Vítejte zpět!"), "whatsNew": MessageLookupByLibrary.simpleMessage("Co je nového"), diff --git a/mobile/apps/photos/lib/generated/intl/messages_de.dart b/mobile/apps/photos/lib/generated/intl/messages_de.dart index 5b67f2f277..98319b5de3 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_de.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_de.dart @@ -1036,6 +1036,8 @@ class MessageLookup extends MessageLookupByLibrary { "Gesicht ist noch nicht gruppiert, bitte komm später zurück"), "faceRecognition": MessageLookupByLibrary.simpleMessage("Gesichtserkennung"), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "Vorschaubilder konnten nicht erstellt werden"), "faces": MessageLookupByLibrary.simpleMessage("Gesichter"), "failed": MessageLookupByLibrary.simpleMessage("Fehlgeschlagen"), "failedToApplyCode": MessageLookupByLibrary.simpleMessage( @@ -1072,6 +1074,8 @@ class MessageLookup extends MessageLookupByLibrary { "feastingWithThem": m34, "feedback": MessageLookupByLibrary.simpleMessage("Rückmeldung"), "file": MessageLookupByLibrary.simpleMessage("Datei"), + "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage( + "Datei konnte nicht analysiert werden"), "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( "Fehler beim Speichern der Datei in der Galerie"), "fileInfoAddDescHint": diff --git a/mobile/apps/photos/lib/generated/intl/messages_en.dart b/mobile/apps/photos/lib/generated/intl/messages_en.dart index 827e10e931..c5df8df7fc 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_en.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_en.dart @@ -435,6 +435,7 @@ class MessageLookup extends MessageLookupByLibrary { "Please allow access to your photos from Settings so Ente can display and backup your library."), "allowPermTitle": MessageLookupByLibrary.simpleMessage("Allow access to photos"), + "analysis": MessageLookupByLibrary.simpleMessage("Analysis"), "androidBiometricHint": MessageLookupByLibrary.simpleMessage("Verify identity"), "androidBiometricNotRecognized": @@ -551,6 +552,9 @@ class MessageLookup extends MessageLookupByLibrary { "autoPair": MessageLookupByLibrary.simpleMessage("Auto pair"), "autoPairDesc": MessageLookupByLibrary.simpleMessage( "Auto pair works only with devices that support Chromecast."), + "automaticallyAnalyzeAndSplitGrouping": + MessageLookupByLibrary.simpleMessage( + "We will automatically analyze the grouping to determine if there are multiple people present, and separate them out again. This may take a few seconds."), "available": MessageLookupByLibrary.simpleMessage("Available"), "availableStorageSpace": m10, "backedUpFolders": @@ -888,6 +892,8 @@ class MessageLookup extends MessageLookupByLibrary { "doYouWantToDiscardTheEditsYouHaveMade": MessageLookupByLibrary.simpleMessage( "Do you want to discard the edits you have made?"), + "doesGroupContainMultiplePeople": MessageLookupByLibrary.simpleMessage( + "Does this grouping contain multiple people?"), "done": MessageLookupByLibrary.simpleMessage("Done"), "dontSave": MessageLookupByLibrary.simpleMessage("Don\'t save"), "doubleYourStorage": @@ -1134,6 +1140,7 @@ class MessageLookup extends MessageLookupByLibrary { "Biometric authentication is disabled. Please lock and unlock your screen to enable it."), "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), "ignore": MessageLookupByLibrary.simpleMessage("Ignore"), + "ignorePerson": MessageLookupByLibrary.simpleMessage("Ignore person"), "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignore"), "ignored": MessageLookupByLibrary.simpleMessage("ignored"), "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( @@ -1332,6 +1339,8 @@ class MessageLookup extends MessageLookupByLibrary { "mergeWithExisting": MessageLookupByLibrary.simpleMessage("Merge with existing"), "mergedPhotos": MessageLookupByLibrary.simpleMessage("Merged photos"), + "mixedGrouping": + MessageLookupByLibrary.simpleMessage("Mixed grouping?"), "mlConsent": MessageLookupByLibrary.simpleMessage("Enable machine learning"), "mlConsentConfirmation": MessageLookupByLibrary.simpleMessage( diff --git a/mobile/apps/photos/lib/generated/intl/messages_es.dart b/mobile/apps/photos/lib/generated/intl/messages_es.dart index 30da4ea9d9..ccf7609a73 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_es.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_es.dart @@ -85,6 +85,9 @@ class MessageLookup extends MessageLookupByLibrary { static String m21(count) => "${Intl.plural(count, one: 'Elimina ${count} elemento', other: 'Elimina ${count} elementos')}"; + static String m22(count) => + "¿Quiere borrar también las fotos (y vídeos) presentes en estos ${count} álbumes de todos los otros álbumes de los que forman parte?"; + static String m23(currentlyDeleting, totalCount) => "Borrando ${currentlyDeleting} / ${totalCount}"; @@ -100,6 +103,9 @@ class MessageLookup extends MessageLookupByLibrary { static String m27(count, formattedSize) => "${count} archivos, ${formattedSize} cada uno"; + static String m28(name) => + "Este correo electrónico ya está vinculado a ${name}."; + static String m29(newEmail) => "Correo cambiado a ${newEmail}"; static String m30(email) => "${email} no tiene una cuenta de Ente."; @@ -225,6 +231,8 @@ class MessageLookup extends MessageLookupByLibrary { static String m78(snapshotLength, searchLength) => "La longitud de las secciones no coincide: ${snapshotLength} != ${searchLength}"; + static String m79(count) => "${count} seleccionados"; + static String m80(count) => "${count} seleccionados"; static String m81(count, yourCount) => @@ -307,12 +315,16 @@ class MessageLookup extends MessageLookupByLibrary { static String m111(email) => "Verificar ${email}"; + static String m112(name) => "Ver ${name} para desvincular"; + static String m113(count) => "${Intl.plural(count, zero: '0 espectadores añadidos', one: '1 espectador añadido', other: '${count} espectadores añadidos')}"; static String m114(email) => "Hemos enviado un correo a ${email}"; + static String m115(name) => "¡Desea a ${name} un cumpleaños feliz! 🎉"; + static String m116(count) => "${Intl.plural(count, one: 'Hace ${count} año', other: 'Hace ${count} años')}"; @@ -336,12 +348,17 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("¡Bienvenido de nuevo!"), "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( "Entiendo que si pierdo mi contraseña podría perder mis datos, ya que mis datos están cifrados de extremo a extremo."), + "actionNotSupportedOnFavouritesAlbum": + MessageLookupByLibrary.simpleMessage( + "Acción no compatible con el álbum de Favoritos"), "activeSessions": MessageLookupByLibrary.simpleMessage("Sesiones activas"), "add": MessageLookupByLibrary.simpleMessage("Añadir"), "addAName": MessageLookupByLibrary.simpleMessage("Añade un nombre"), "addANewEmail": MessageLookupByLibrary.simpleMessage( "Agregar nuevo correo electrónico"), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Añade un widget de álbum a tu pantalla de inicio y vuelve aquí para personalizarlo."), "addCollaborator": MessageLookupByLibrary.simpleMessage("Agregar colaborador"), "addCollaborators": m1, @@ -352,6 +369,8 @@ class MessageLookup extends MessageLookupByLibrary { "addLocation": MessageLookupByLibrary.simpleMessage("Agregar ubicación"), "addLocationButton": MessageLookupByLibrary.simpleMessage("Añadir"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Añade un widget de recuerdos a tu pantalla de inicio y vuelve aquí para personalizarlo."), "addMore": MessageLookupByLibrary.simpleMessage("Añadir más"), "addName": MessageLookupByLibrary.simpleMessage("Añadir nombre"), "addNameOrMerge": @@ -363,6 +382,10 @@ class MessageLookup extends MessageLookupByLibrary { "Detalles de los complementos"), "addOnValidTill": m3, "addOns": MessageLookupByLibrary.simpleMessage("Complementos"), + "addParticipants": + MessageLookupByLibrary.simpleMessage("Añadir participantes"), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Añade un widget de personas a tu pantalla de inicio y vuelve aquí para personalizarlo."), "addPhotos": MessageLookupByLibrary.simpleMessage("Agregar fotos"), "addSelected": MessageLookupByLibrary.simpleMessage("Agregar selección"), @@ -397,11 +420,16 @@ class MessageLookup extends MessageLookupByLibrary { "albumUpdated": MessageLookupByLibrary.simpleMessage("Álbum actualizado"), "albums": MessageLookupByLibrary.simpleMessage("Álbumes"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Seleccione los álbumes que desea ver en su pantalla de inicio."), "allClear": MessageLookupByLibrary.simpleMessage("✨ Todo limpio"), "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( "Todos los recuerdos preservados"), "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( "Se eliminarán todas las agrupaciones para esta persona, y se eliminarán todas sus sugerencias"), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "Todos los grupos sin nombre se combinarán en la persona seleccionada. Esto puede deshacerse desde el historial de sugerencias de la persona."), "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( "Este es el primero en el grupo. Otras fotos seleccionadas cambiarán automáticamente basándose en esta nueva fecha"), "allow": MessageLookupByLibrary.simpleMessage("Permitir"), @@ -454,6 +482,9 @@ class MessageLookup extends MessageLookupByLibrary { "archive": MessageLookupByLibrary.simpleMessage("Archivo"), "archiveAlbum": MessageLookupByLibrary.simpleMessage("Archivar álbum"), "archiving": MessageLookupByLibrary.simpleMessage("Archivando..."), + "areThey": MessageLookupByLibrary.simpleMessage("¿Son ellos"), + "areYouSureRemoveThisFaceFromPerson": MessageLookupByLibrary.simpleMessage( + "¿Estás seguro de que quieres eliminar esta cara de esta persona?"), "areYouSureThatYouWantToLeaveTheFamily": MessageLookupByLibrary.simpleMessage( "¿Está seguro de que desea abandonar el plan familiar?"), @@ -464,8 +495,16 @@ class MessageLookup extends MessageLookupByLibrary { "¿Estás seguro de que quieres cambiar tu plan?"), "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( "¿Estás seguro de que deseas salir?"), + "areYouSureYouWantToIgnoreThesePersons": + MessageLookupByLibrary.simpleMessage( + "¿Estás seguro de que quieres ignorar a estas personas?"), + "areYouSureYouWantToIgnoreThisPerson": + MessageLookupByLibrary.simpleMessage( + "¿Estás seguro de que quieres ignorar a esta persona?"), "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( "¿Estás seguro de que quieres cerrar la sesión?"), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "¿Estás seguro de que quieres combinarlas?"), "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( "¿Estás seguro de que quieres renovar?"), "areYouSureYouWantToResetThisPerson": @@ -549,9 +588,36 @@ class MessageLookup extends MessageLookupByLibrary { "Copia de seguridad de vídeos"), "beach": MessageLookupByLibrary.simpleMessage("Arena y mar "), "birthday": MessageLookupByLibrary.simpleMessage("Cumpleaños"), + "birthdayNotifications": MessageLookupByLibrary.simpleMessage( + "Notificaciones de cumpleaños"), + "birthdays": MessageLookupByLibrary.simpleMessage("Cumpleaños"), "blackFridaySale": MessageLookupByLibrary.simpleMessage("Oferta del Black Friday"), "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cLDesc1": MessageLookupByLibrary.simpleMessage( + "Dado el trabajo que hemos hecho en la versión beta de vídeos en streaming y en las cargas y descargas reanudables, hemos aumentado el límite de subida de archivos a 10 GB. Esto ya está disponible tanto en la aplicación de escritorio como en la móvil."), + "cLDesc2": MessageLookupByLibrary.simpleMessage( + "Las subidas en segundo plano ya están también soportadas en iOS, además de los dispositivos Android. No es necesario abrir la aplicación para hacer una copia de seguridad de tus fotos y vídeos más recientes."), + "cLDesc3": MessageLookupByLibrary.simpleMessage( + "Hemos hecho mejoras significativas en nuestra experiencia de recuerdos, incluyendo la reproducción automática, el deslizado a la memoria siguiente y mucho más."), + "cLDesc4": MessageLookupByLibrary.simpleMessage( + "Junto con un montón de mejoras adicionales, ahora es mucho más fácil ver todas las caras detectadas, proporcionar comentarios sobre caras similares, y añadir o quitar caras de una sola foto."), + "cLDesc5": MessageLookupByLibrary.simpleMessage( + "Ahora recibirás una notificación de exclusión voluntaria para todos los cumpleaños que hayas guardado en Ente, junto con una colección de sus mejores fotos."), + "cLDesc6": MessageLookupByLibrary.simpleMessage( + "Ya no tienes que esperar a que las subidas o descargas se completen para cerrar la aplicación. Ahora, todas las subidas y descargas se pueden pausar a mitad de proceso y reanudarse justo donde lo dejaste."), + "cLTitle1": MessageLookupByLibrary.simpleMessage( + "Subiendo archivos de vídeo grandes"), + "cLTitle2": + MessageLookupByLibrary.simpleMessage("Subida en segundo plano"), + "cLTitle3": MessageLookupByLibrary.simpleMessage( + "Reproducción automática de recuerdos"), + "cLTitle4": MessageLookupByLibrary.simpleMessage( + "Reconocimiento facial mejorado"), + "cLTitle5": + MessageLookupByLibrary.simpleMessage("Notificación de cumpleaños"), + "cLTitle6": MessageLookupByLibrary.simpleMessage( + "Subidas y Descargas reanudables"), "cachedData": MessageLookupByLibrary.simpleMessage("Datos almacenados en caché"), "calculating": MessageLookupByLibrary.simpleMessage("Calculando..."), @@ -622,6 +688,8 @@ class MessageLookup extends MessageLookupByLibrary { "click": MessageLookupByLibrary.simpleMessage("• Clic"), "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( "• Haga clic en el menú desbordante"), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Haz clic para instalar nuestra mejor versión hasta la fecha"), "close": MessageLookupByLibrary.simpleMessage("Cerrar"), "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( "Agrupar por tiempo de captura"), @@ -769,6 +837,7 @@ class MessageLookup extends MessageLookupByLibrary { "deleteItemCount": m21, "deleteLocation": MessageLookupByLibrary.simpleMessage("Borrar la ubicación"), + "deleteMultipleAlbumDialog": m22, "deletePhotos": MessageLookupByLibrary.simpleMessage("Borrar las fotos"), "deleteProgress": m23, @@ -806,6 +875,7 @@ class MessageLookup extends MessageLookupByLibrary { "deviceNotFound": MessageLookupByLibrary.simpleMessage("Dispositivo no encontrado"), "didYouKnow": MessageLookupByLibrary.simpleMessage("¿Sabías que?"), + "different": MessageLookupByLibrary.simpleMessage("Diferente"), "disableAutoLock": MessageLookupByLibrary.simpleMessage( "Desactivar bloqueo automático"), "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( @@ -860,6 +930,7 @@ class MessageLookup extends MessageLookupByLibrary { "duplicateFileCountWithStorageSaved": m26, "duplicateItemsGroup": m27, "edit": MessageLookupByLibrary.simpleMessage("Editar"), + "editEmailAlreadyLinked": m28, "editLocation": MessageLookupByLibrary.simpleMessage("Editar la ubicación"), "editLocationTagTitle": @@ -949,6 +1020,8 @@ class MessageLookup extends MessageLookupByLibrary { "Por favor, introduce una dirección de correo electrónico válida."), "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage( "Escribe tu correo electrónico"), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Introduce tu nueva dirección de correo electrónico"), "enterYourPassword": MessageLookupByLibrary.simpleMessage("Ingresa tu contraseña"), "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( @@ -1071,6 +1144,8 @@ class MessageLookup extends MessageLookupByLibrary { "guestView": MessageLookupByLibrary.simpleMessage("Vista de invitado"), "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( "Para habilitar la vista de invitados, por favor configure el código de acceso del dispositivo o el bloqueo de pantalla en los ajustes de su sistema."), + "happyBirthday": + MessageLookupByLibrary.simpleMessage("¡Feliz cumpleaños! 🥳"), "hearUsExplanation": MessageLookupByLibrary.simpleMessage( "No rastreamos las aplicaciones instaladas. ¡Nos ayudarías si nos dijeras dónde nos encontraste!"), "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( @@ -1098,6 +1173,7 @@ class MessageLookup extends MessageLookupByLibrary { "iOSLockOut": MessageLookupByLibrary.simpleMessage( "La autenticación biométrica está deshabilitada. Por favor, bloquea y desbloquea la pantalla para habilitarla."), "iOSOkButton": MessageLookupByLibrary.simpleMessage("Aceptar"), + "ignore": MessageLookupByLibrary.simpleMessage("Ignorar"), "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignorar"), "ignored": MessageLookupByLibrary.simpleMessage("ignorado"), "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( @@ -1118,6 +1194,8 @@ class MessageLookup extends MessageLookupByLibrary { "Clave de recuperación incorrecta"), "indexedItems": MessageLookupByLibrary.simpleMessage("Elementos indexados"), + "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( + "La indexación está pausada. Se reanudará automáticamente cuando el dispositivo esté listo. El dispositivo se considera listo cuando su nivel de batería, la salud de la batería y temperatura están en un rango saludable."), "ineligible": MessageLookupByLibrary.simpleMessage("Inelegible"), "info": MessageLookupByLibrary.simpleMessage("Info"), "insecureDevice": @@ -1209,6 +1287,8 @@ class MessageLookup extends MessageLookupByLibrary { "livePhotos": MessageLookupByLibrary.simpleMessage("Foto en vivo"), "loadMessage1": MessageLookupByLibrary.simpleMessage( "Puedes compartir tu suscripción con tu familia"), + "loadMessage2": MessageLookupByLibrary.simpleMessage( + "Hasta ahora hemos conservado más de 200 millones de recuerdos"), "loadMessage3": MessageLookupByLibrary.simpleMessage( "Guardamos 3 copias de tus datos, una en un refugio subterráneo"), "loadMessage4": MessageLookupByLibrary.simpleMessage( @@ -1266,6 +1346,8 @@ class MessageLookup extends MessageLookupByLibrary { "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( "Manten presionado un elemento para ver en pantalla completa"), + "lookBackOnYourMemories": + MessageLookupByLibrary.simpleMessage("Revisa tus recuerdos 🌄"), "loopVideoOff": MessageLookupByLibrary.simpleMessage("Vídeo en bucle desactivado"), "loopVideoOn": @@ -1297,8 +1379,12 @@ class MessageLookup extends MessageLookupByLibrary { "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), "me": MessageLookupByLibrary.simpleMessage("Yo"), + "memories": MessageLookupByLibrary.simpleMessage("Recuerdos"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Seleccione el tipo de recuerdos que desea ver en su pantalla de inicio."), "memoryCount": m50, "merchandise": MessageLookupByLibrary.simpleMessage("Mercancías"), + "merge": MessageLookupByLibrary.simpleMessage("Combinar"), "mergeWithExisting": MessageLookupByLibrary.simpleMessage("Combinar con existente"), "mergedPhotos": @@ -1351,6 +1437,7 @@ class MessageLookup extends MessageLookupByLibrary { "newLocation": MessageLookupByLibrary.simpleMessage("Nueva localización"), "newPerson": MessageLookupByLibrary.simpleMessage("Nueva persona"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" nuevo 📸"), "newRange": MessageLookupByLibrary.simpleMessage("Nuevo rango"), "newToEnte": MessageLookupByLibrary.simpleMessage("Nuevo en Ente"), "newest": MessageLookupByLibrary.simpleMessage("Más reciente"), @@ -1406,6 +1493,11 @@ class MessageLookup extends MessageLookupByLibrary { "En ente"), "onTheRoad": MessageLookupByLibrary.simpleMessage("De nuevo en la carretera"), + "onThisDay": MessageLookupByLibrary.simpleMessage("Un día como hoy"), + "onThisDayMemories": MessageLookupByLibrary.simpleMessage( + "Recuerdos de un día como hoy"), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "Recibe recordatorios sobre recuerdos de este día en años anteriores."), "onlyFamilyAdminCanChangeCode": m55, "onlyThem": MessageLookupByLibrary.simpleMessage("Solo ellos"), "oops": MessageLookupByLibrary.simpleMessage("Ups"), @@ -1431,6 +1523,8 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("O elige uno existente"), "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( "o elige de entre tus contactos"), + "otherDetectedFaces": + MessageLookupByLibrary.simpleMessage("Otras caras detectadas"), "pair": MessageLookupByLibrary.simpleMessage("Emparejar"), "pairWithPin": MessageLookupByLibrary.simpleMessage("Emparejar con PIN"), @@ -1453,6 +1547,8 @@ class MessageLookup extends MessageLookupByLibrary { "La fortaleza de la contraseña se calcula teniendo en cuenta la longitud de la contraseña, los caracteres utilizados, y si la contraseña aparece o no en el top 10.000 de contraseñas más usadas"), "passwordWarning": MessageLookupByLibrary.simpleMessage( "No almacenamos esta contraseña, así que si la olvidas, no podremos descifrar tus datos"), + "pastYearsMemories": MessageLookupByLibrary.simpleMessage( + "Recuerdos de los últimos años"), "paymentDetails": MessageLookupByLibrary.simpleMessage("Detalles de pago"), "paymentFailed": MessageLookupByLibrary.simpleMessage("Pago fallido"), @@ -1466,6 +1562,8 @@ class MessageLookup extends MessageLookupByLibrary { "people": MessageLookupByLibrary.simpleMessage("Personas"), "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage("Personas usando tu código"), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Selecciona las personas que deseas ver en tu pantalla de inicio."), "permDeleteWarning": MessageLookupByLibrary.simpleMessage( "Todos los elementos de la papelera serán eliminados permanentemente\n\nEsta acción no se puede deshacer"), "permanentlyDelete": @@ -1561,6 +1659,7 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Enlace público creado"), "publicLinkEnabled": MessageLookupByLibrary.simpleMessage("Enlace público habilitado"), + "questionmark": MessageLookupByLibrary.simpleMessage("?"), "queued": MessageLookupByLibrary.simpleMessage("En cola"), "quickLinks": MessageLookupByLibrary.simpleMessage("Acceso rápido"), "radius": MessageLookupByLibrary.simpleMessage("Radio"), @@ -1573,6 +1672,8 @@ class MessageLookup extends MessageLookupByLibrary { "reassignedToName": m69, "reassigningLoading": MessageLookupByLibrary.simpleMessage("Reasignando..."), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Recibe recordatorios cuando es el cumpleaños de alguien. Pulsar en la notificación te llevará a las fotos de la persona que cumple años."), "recover": MessageLookupByLibrary.simpleMessage("Recuperar"), "recoverAccount": MessageLookupByLibrary.simpleMessage("Recuperar cuenta"), @@ -1672,6 +1773,7 @@ class MessageLookup extends MessageLookupByLibrary { "reportBug": MessageLookupByLibrary.simpleMessage("Reportar error"), "resendEmail": MessageLookupByLibrary.simpleMessage("Reenviar correo electrónico"), + "reset": MessageLookupByLibrary.simpleMessage("Restablecer"), "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( "Restablecer archivos ignorados"), "resetPasswordTitle": @@ -1701,7 +1803,11 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Girar a la derecha"), "safelyStored": MessageLookupByLibrary.simpleMessage("Almacenado con seguridad"), + "same": MessageLookupByLibrary.simpleMessage("Igual"), + "sameperson": MessageLookupByLibrary.simpleMessage("la misma persona?"), "save": MessageLookupByLibrary.simpleMessage("Guardar"), + "saveAsAnotherPerson": + MessageLookupByLibrary.simpleMessage("Guardar como otra persona"), "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( "¿Guardar cambios antes de salir?"), @@ -1792,6 +1898,7 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Selecciona tu cara"), "selectYourPlan": MessageLookupByLibrary.simpleMessage("Elegir tu suscripción"), + "selectedAlbums": m79, "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage( "Los archivos seleccionados no están en Ente"), "selectedFoldersWillBeEncryptedAndBackedUp": @@ -1868,8 +1975,12 @@ class MessageLookup extends MessageLookupByLibrary { "sharing": MessageLookupByLibrary.simpleMessage("Compartiendo..."), "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage("Cambiar fechas y hora"), + "showLessFaces": + MessageLookupByLibrary.simpleMessage("Mostrar menos caras"), "showMemories": MessageLookupByLibrary.simpleMessage("Mostrar recuerdos"), + "showMoreFaces": + MessageLookupByLibrary.simpleMessage("Mostrar más caras"), "showPerson": MessageLookupByLibrary.simpleMessage("Mostrar persona"), "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( "Cerrar sesión de otros dispositivos"), @@ -1885,6 +1996,8 @@ class MessageLookup extends MessageLookupByLibrary { "singleFileInBothLocalAndRemote": m89, "singleFileInRemoteOnly": m90, "skip": MessageLookupByLibrary.simpleMessage("Omitir"), + "smartMemories": + MessageLookupByLibrary.simpleMessage("Recuerdos inteligentes"), "social": MessageLookupByLibrary.simpleMessage("Social"), "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( @@ -1901,6 +2014,8 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage( "Algo salió mal, por favor inténtalo de nuevo"), "sorry": MessageLookupByLibrary.simpleMessage("Lo sentimos"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "Lo sentimos, no hemos podido hacer una copia de seguridad de este archivo, lo intentaremos más tarde."), "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( "¡Lo sentimos, no se pudo añadir a favoritos!"), "sorryCouldNotRemoveFromFavorites": @@ -1912,6 +2027,8 @@ class MessageLookup extends MessageLookupByLibrary { "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": MessageLookupByLibrary.simpleMessage( "Lo sentimos, no hemos podido generar claves seguras en este dispositivo.\n\nPor favor, regístrate desde un dispositivo diferente."), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Lo sentimos, tuvimos que pausar tus copias de seguridad"), "sort": MessageLookupByLibrary.simpleMessage("Ordenar"), "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Ordenar por"), "sortNewestFirst": @@ -1989,6 +2106,10 @@ class MessageLookup extends MessageLookupByLibrary { "theLinkYouAreTryingToAccessHasExpired": MessageLookupByLibrary.simpleMessage( "El enlace al que intenta acceder ha caducado."), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Los grupos de personas ya no se mostrarán en la sección de personas. Las fotos permanecerán intactas."), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "La persona ya no se mostrará en la sección de personas. Las fotos permanecerán intactas."), "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( "La clave de recuperación introducida es incorrecta"), @@ -2137,6 +2258,8 @@ class MessageLookup extends MessageLookupByLibrary { "videoInfo": MessageLookupByLibrary.simpleMessage("Información de video"), "videoSmallCase": MessageLookupByLibrary.simpleMessage("vídeo"), + "videoStreaming": + MessageLookupByLibrary.simpleMessage("Vídeos en streaming"), "videos": MessageLookupByLibrary.simpleMessage("Vídeos"), "viewActiveSessions": MessageLookupByLibrary.simpleMessage("Ver sesiones activas"), @@ -2150,6 +2273,7 @@ class MessageLookup extends MessageLookupByLibrary { "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( "Ver los archivos que consumen la mayor cantidad de almacenamiento."), "viewLogs": MessageLookupByLibrary.simpleMessage("Ver Registros"), + "viewPersonToUnlink": m112, "viewRecoveryKey": MessageLookupByLibrary.simpleMessage("Ver código de recuperación"), "viewer": MessageLookupByLibrary.simpleMessage("Espectador"), @@ -2173,6 +2297,8 @@ class MessageLookup extends MessageLookupByLibrary { "whatsNew": MessageLookupByLibrary.simpleMessage("Qué hay de nuevo"), "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( "Un contacto de confianza puede ayudar a recuperar sus datos."), + "widgets": MessageLookupByLibrary.simpleMessage("Widgets"), + "wishThemAHappyBirthday": m115, "yearShort": MessageLookupByLibrary.simpleMessage("año"), "yearly": MessageLookupByLibrary.simpleMessage("Anualmente"), "yearsAgo": m116, @@ -2183,6 +2309,7 @@ class MessageLookup extends MessageLookupByLibrary { "yesDelete": MessageLookupByLibrary.simpleMessage("Sí, eliminar"), "yesDiscardChanges": MessageLookupByLibrary.simpleMessage("Sí, descartar cambios"), + "yesIgnore": MessageLookupByLibrary.simpleMessage("Sí, ignorar"), "yesLogout": MessageLookupByLibrary.simpleMessage("Sí, cerrar sesión"), "yesRemove": MessageLookupByLibrary.simpleMessage("Sí, quitar"), "yesRenew": MessageLookupByLibrary.simpleMessage("Sí, renovar"), diff --git a/mobile/apps/photos/lib/generated/intl/messages_fr.dart b/mobile/apps/photos/lib/generated/intl/messages_fr.dart index 0bd7ac8648..22ae242717 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_fr.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_fr.dart @@ -1053,6 +1053,8 @@ class MessageLookup extends MessageLookupByLibrary { "Ce visage n\'a pas encore été regroupé, veuillez revenir plus tard"), "faceRecognition": MessageLookupByLibrary.simpleMessage("Reconnaissance faciale"), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "Impossible de créer des miniatures de visage"), "faces": MessageLookupByLibrary.simpleMessage("Visages"), "failed": MessageLookupByLibrary.simpleMessage("Échec"), "failedToApplyCode": MessageLookupByLibrary.simpleMessage( @@ -1090,6 +1092,8 @@ class MessageLookup extends MessageLookupByLibrary { "feastingWithThem": m34, "feedback": MessageLookupByLibrary.simpleMessage("Commentaires"), "file": MessageLookupByLibrary.simpleMessage("Fichier"), + "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage( + "Impossible d\'analyser le fichier"), "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( "Échec de l\'enregistrement dans la galerie"), "fileInfoAddDescHint": diff --git a/mobile/apps/photos/lib/generated/intl/messages_he.dart b/mobile/apps/photos/lib/generated/intl/messages_he.dart index 28b4d06b6e..c1dc69ccd5 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_he.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_he.dart @@ -43,7 +43,7 @@ class MessageLookup extends MessageLookupByLibrary { "אנא צור איתנו קשר ב-support@ente.io על מנת לנהל את המנוי ${provider}."; static String m21(count) => - "${Intl.plural(count, one: 'מחק ${count} פריט', other: 'מחק ${count} פריטים')}"; + "${Intl.plural(count, one: 'מחק ${count} פריט', two: 'מחק ${count} פריטים', other: 'מחק ${count} פריטים')}"; static String m23(currentlyDeleting, totalCount) => "מוחק ${currentlyDeleting} / ${totalCount}"; @@ -66,7 +66,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m38(endDate) => "ניסיון חינם בתוקף עד ל-${endDate}"; static String m44(count) => - "${Intl.plural(count, one: '${count} פריט', other: '${count} פריטים')}"; + "${Intl.plural(count, one: '${count} פריט', two: '${count} פריטים', many: '${count} פריטים', other: '${count} פריטים')}"; static String m47(expiryTime) => "תוקף הקישור יפוג ב-${expiryTime}"; @@ -115,7 +115,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m114(email) => "שלחנו דוא\"ל ל${email}"; static String m116(count) => - "${Intl.plural(count, one: 'לפני ${count} שנה', other: 'לפני ${count} שנים')}"; + "${Intl.plural(count, one: 'לפני ${count} שנה', two: 'לפני ${count} שנים', many: 'לפני ${count} שנים', other: 'לפני ${count} שנים')}"; static String m118(storageSaved) => "הצלחת לפנות ${storageSaved}!"; diff --git a/mobile/apps/photos/lib/generated/intl/messages_hu.dart b/mobile/apps/photos/lib/generated/intl/messages_hu.dart index 6099a04be2..19e8eb52b1 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_hu.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_hu.dart @@ -52,7 +52,8 @@ class MessageLookup extends MessageLookupByLibrary { static String m37(storageAmountInGB) => "${storageAmountInGB} GB minden alkalommal, amikor valaki fizetős csomagra fizet elő és felhasználja a kódodat"; - static String m44(count) => "${Intl.plural(count, other: '${count} elem')}"; + static String m44(count) => + "${Intl.plural(count, one: '${count} elem', other: '${count} elem')}"; static String m47(expiryTime) => "Hivatkozás lejár ${expiryTime} "; @@ -103,8 +104,6 @@ class MessageLookup extends MessageLookupByLibrary { static String m100(email) => "Ez ${email} ellenőrző azonosítója"; - static String m111(email) => "${email} ellenőrzése"; - static String m114(email) => "E-mailt küldtünk a következő címre: ${email}"; @@ -713,7 +712,6 @@ class MessageLookup extends MessageLookupByLibrary { "verify": MessageLookupByLibrary.simpleMessage("Hitelesítés"), "verifyEmail": MessageLookupByLibrary.simpleMessage("Emailcím megerősítés"), - "verifyEmailID": m111, "verifyPassword": MessageLookupByLibrary.simpleMessage("Jelszó megerősítése"), "verifyingRecoveryKey": MessageLookupByLibrary.simpleMessage( diff --git a/mobile/apps/photos/lib/generated/intl/messages_ja.dart b/mobile/apps/photos/lib/generated/intl/messages_ja.dart index b9fea86c7a..e94f5ee527 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_ja.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_ja.dart @@ -82,7 +82,7 @@ class MessageLookup extends MessageLookupByLibrary { "あなたの登録したメールアドレスから${supportEmail} にメールを送ってください"; static String m26(count, storageSaved) => - "お掃除しました ${Intl.plural(count, other: '${count} 個の重複ファイル')}, (${storageSaved}が開放されます!)"; + "お掃除しました ${Intl.plural(count, one: '${count} 個の重複ファイル', other: '${count} 個の重複ファイル')}, (${storageSaved}が開放されます!)"; static String m27(count, formattedSize) => "${count} 個のファイル、それぞれ${formattedSize}"; @@ -184,7 +184,8 @@ class MessageLookup extends MessageLookupByLibrary { static String m76(name) => "${name}と車で旅行!"; - static String m77(count) => "${Intl.plural(count, other: '${count} 個の結果')}"; + static String m77(count) => + "${Intl.plural(count, one: '${count} 個の結果', other: '${count} 個の結果')}"; static String m78(snapshotLength, searchLength) => "セクションの長さの不一致: ${snapshotLength} != ${searchLength}"; @@ -265,7 +266,8 @@ class MessageLookup extends MessageLookupByLibrary { static String m114(email) => "${email}にメールを送りました"; - static String m116(count) => "${Intl.plural(count, other: '${count} 年前')}"; + static String m116(count) => + "${Intl.plural(count, one: '${count} 年前', other: '${count} 年前')}"; static String m117(name) => "あなたと${name}"; diff --git a/mobile/apps/photos/lib/generated/intl/messages_lt.dart b/mobile/apps/photos/lib/generated/intl/messages_lt.dart index 2ff34d3ea2..62295208ad 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_lt.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_lt.dart @@ -117,10 +117,10 @@ class MessageLookup extends MessageLookupByLibrary { static String m34(name) => "Vaišiavimas su ${name}"; static String m35(count, formattedNumber) => - "${Intl.plural(count, one: '${formattedNumber} failas šiame įrenginyje saugiai sukurta atsarginė kopija', other: '${formattedNumber} failų šiame įrenginyje saugiai sukurta atsarginių kopijų')}."; + "${Intl.plural(count, one: '${formattedNumber} failas šiame įrenginyje saugiai sukurta atsarginė kopija', few: '${formattedNumber} failai šiame įrenginyje saugiai sukurtos atsarginės kopijos', many: '${formattedNumber} failo šiame įrenginyje saugiai sukurtos atsargines kopijos', other: '${formattedNumber} failų šiame įrenginyje saugiai sukurta atsarginių kopijų')}."; static String m36(count, formattedNumber) => - "${Intl.plural(count, one: '${formattedNumber} failas šiame albume saugiai sukurta atsarginė kopija', other: '${formattedNumber} failų šiame albume saugiai sukurta atsarginė kopija')}."; + "${Intl.plural(count, one: '${formattedNumber} failas šiame albume saugiai sukurta atsarginė kopija', few: '${formattedNumber} failai šiame albume saugiai sukurtos atsarginės kopijos', many: '${formattedNumber} failo šiame albume saugiai sukurtos atsargines kopijos', other: '${formattedNumber} failų šiame albume saugiai sukurta atsarginė kopija')}."; static String m37(storageAmountInGB) => "${storageAmountInGB} GB kiekvieną kartą, kai kas nors užsiregistruoja mokamam planui ir pritaiko jūsų kodą."; @@ -186,7 +186,7 @@ class MessageLookup extends MessageLookupByLibrary { "${Intl.plural(count, zero: 'Nėra nuotraukų', one: '1 nuotrauka', other: '${count} nuotraukų')}"; static String m62(count) => - "${Intl.plural(count, zero: '0 nuotraukų', one: '1 nuotrauka', other: '${count} nuotraukų')}"; + "${Intl.plural(count, zero: '0 nuotraukų', one: '1 nuotrauka', few: '${count} nuotraukos', many: '${count} nuotraukos', other: '${count} nuotraukų')}"; static String m63(endDate) => "Nemokama bandomoji versija galioja iki ${endDate}.\nVėliau galėsite pasirinkti mokamą planą."; @@ -314,7 +314,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m112(name) => "Peržiūrėkite ${name}, kad atsietumėte"; static String m113(count) => - "${Intl.plural(count, zero: 'Įtraukta 0 žiūrėtojų', one: 'Įtrauktas 1 žiūrėtojas', other: 'Įtraukta ${count} žiūrėtojų')}"; + "${Intl.plural(count, zero: 'Įtraukta 0 žiūrėtojų', one: 'Įtrauktas 1 žiūrėtojas', few: 'Įtraukti ${count} žiūrėtojai', many: 'Įtraukta ${count} žiūrėtojo', other: 'Įtraukta ${count} žiūrėtojų')}"; static String m114(email) => "Išsiuntėme laišką adresu ${email}"; @@ -421,6 +421,9 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Išsaugoti visi prisiminimai"), "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( "Visi šio asmens grupavimai bus iš naujo nustatyti, o jūs neteksite visų šiam asmeniui pateiktų pasiūlymų"), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "Visos nepavadintos grupės bus sujungtos su pasirinktu asmeniu. Tai vis dar galima atšaukti iš asmens pasiūlymų istorijos apžvalgos."), "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( "Tai – pirmoji šioje grupėje. Kitos pasirinktos nuotraukos bus automatiškai perkeltos pagal šią naują datą."), "allow": MessageLookupByLibrary.simpleMessage("Leisti"), @@ -473,6 +476,10 @@ class MessageLookup extends MessageLookupByLibrary { "archiveAlbum": MessageLookupByLibrary.simpleMessage("Archyvuoti albumą"), "archiving": MessageLookupByLibrary.simpleMessage("Archyvuojama..."), + "areThey": MessageLookupByLibrary.simpleMessage("Ar jie "), + "areYouSureRemoveThisFaceFromPerson": + MessageLookupByLibrary.simpleMessage( + "Ar tikrai norite pašalinti šį veidą iš šio asmens?"), "areYouSureThatYouWantToLeaveTheFamily": MessageLookupByLibrary.simpleMessage( "Ar tikrai norite palikti šeimos planą?"), @@ -483,8 +490,16 @@ class MessageLookup extends MessageLookupByLibrary { "Ar tikrai norite keisti planą?"), "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage("Ar tikrai norite išeiti?"), + "areYouSureYouWantToIgnoreThesePersons": + MessageLookupByLibrary.simpleMessage( + "Ar tikrai norite ignoruoti šiuos asmenis?"), + "areYouSureYouWantToIgnoreThisPerson": + MessageLookupByLibrary.simpleMessage( + "Ar tikrai norite ignoruoti šį asmenį?"), "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( "Ar tikrai norite atsijungti?"), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "Ar tikrai norite juos sujungti?"), "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage("Ar tikrai norite pratęsti?"), "areYouSureYouWantToResetThisPerson": @@ -576,6 +591,29 @@ class MessageLookup extends MessageLookupByLibrary { "blackFridaySale": MessageLookupByLibrary.simpleMessage( "Juodojo penktadienio išpardavimas"), "blog": MessageLookupByLibrary.simpleMessage("Tinklaraštis"), + "cLDesc1": MessageLookupByLibrary.simpleMessage( + "Po vaizdo įrašų srauto perdavimo beta versijos ir darbo prie tęsiamų įkėlimų ir atsisiuntimų, dabar padidinome failų įkėlimo ribą iki 10 GB. Tai dabar pasiekiama tiek kompiuterinėse, tiek mobiliosiose programėlėse."), + "cLDesc2": MessageLookupByLibrary.simpleMessage( + "Fono įkėlimai dabar palaikomi ir sistemoje „iOS“ bei „Android“ įrenginiuose. Nebereikia atverti programėlės, kad būtų galima sukurti naujausių nuotraukų ir vaizdo įrašų atsarginę kopiją."), + "cLDesc3": MessageLookupByLibrary.simpleMessage( + "Mes žymiai patobulinome prisiminimų patirtį, įskaitant automatinį peržiūrėjimą, braukimą į kitą prisiminimą ir daug daugiau."), + "cLDesc4": MessageLookupByLibrary.simpleMessage( + "Kartu su daugybe vidinių patobulinimų, dabar daug lengviau matyti visus aptiktus veidus, pateikti atsiliepimus apie panašius veidus ir pridėti / pašalinti veidus iš vienos nuotraukos."), + "cLDesc5": MessageLookupByLibrary.simpleMessage( + "Dabar gausite pranešimą apie galimybę atsisakyti visų gimtadienių, kuriuos išsaugojote platformoje „Ente“, kartu su geriausių jų nuotraukų rinkiniu."), + "cLDesc6": MessageLookupByLibrary.simpleMessage( + "Nebereikia laukti įkėlimų / atsisiuntimų užbaigti, kad užvertumėte programėlę. Dabar visus įkėlimus ir atsisiuntimus galima pristabdyti ir tęsti nuo tos vietos, kurioje sustojote."), + "cLTitle1": MessageLookupByLibrary.simpleMessage( + "Įkeliami dideli vaizdo įrašų failai"), + "cLTitle2": MessageLookupByLibrary.simpleMessage("Fono įkėlimas"), + "cLTitle3": MessageLookupByLibrary.simpleMessage( + "Automatiniai peržiūros prisiminimai"), + "cLTitle4": MessageLookupByLibrary.simpleMessage( + "Patobulintas veido atpažinimas"), + "cLTitle5": + MessageLookupByLibrary.simpleMessage("Gimtadienio pranešimai"), + "cLTitle6": MessageLookupByLibrary.simpleMessage( + "Tęsiami įkėlimai ir atsisiuntimai"), "cachedData": MessageLookupByLibrary.simpleMessage("Podėliuoti duomenis"), "calculating": MessageLookupByLibrary.simpleMessage("Skaičiuojama..."), @@ -828,10 +866,11 @@ class MessageLookup extends MessageLookupByLibrary { "deviceLock": MessageLookupByLibrary.simpleMessage("Įrenginio užraktas"), "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Išjunkite įrenginio ekrano užraktą, kai „Ente“ yra priekiniame fone ir kuriama atsarginės kopijos. Paprastai to nereikia, bet tai gali padėti greičiau užbaigti didelius įkėlimus ir pradinį didelių bibliotekų importą."), + "Išjunkite įrenginio ekrano užraktą, kai „Ente“ yra priekiniame fone ir kuriama atsarginės kopijos. Paprastai to nereikia, bet tai gali padėti sparčiau užbaigti didelius įkėlimus ir pradinį didelių bibliotekų importą."), "deviceNotFound": MessageLookupByLibrary.simpleMessage("Įrenginys nerastas"), "didYouKnow": MessageLookupByLibrary.simpleMessage("Ar žinojote?"), + "different": MessageLookupByLibrary.simpleMessage("Skirtingas"), "disableAutoLock": MessageLookupByLibrary.simpleMessage("Išjungti automatinį užraktą"), "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( @@ -998,6 +1037,8 @@ class MessageLookup extends MessageLookupByLibrary { "Veidas dar nesugrupuotas. Grįžkite vėliau."), "faceRecognition": MessageLookupByLibrary.simpleMessage("Veido atpažinimas"), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "Nepavyksta sugeneruoti veido miniatiūrų."), "faces": MessageLookupByLibrary.simpleMessage("Veidai"), "failed": MessageLookupByLibrary.simpleMessage("Nepavyko"), "failedToApplyCode": @@ -1033,6 +1074,8 @@ class MessageLookup extends MessageLookupByLibrary { "feastingWithThem": m34, "feedback": MessageLookupByLibrary.simpleMessage("Atsiliepimai"), "file": MessageLookupByLibrary.simpleMessage("Failas"), + "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage( + "Nepavyksta išanalizuoti failo."), "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( "Nepavyko išsaugoti failo į galeriją"), "fileInfoAddDescHint": @@ -1050,9 +1093,9 @@ class MessageLookup extends MessageLookupByLibrary { "filesSavedToGallery": MessageLookupByLibrary.simpleMessage("Failai išsaugoti į galeriją"), "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Greitai suraskite žmones pagal vardą"), + "Sparčiai suraskite asmenis pagal vardą"), "findThemQuickly": - MessageLookupByLibrary.simpleMessage("Raskite juos greitai"), + MessageLookupByLibrary.simpleMessage("Raskite juos sparčiai"), "flip": MessageLookupByLibrary.simpleMessage("Apversti"), "food": MessageLookupByLibrary.simpleMessage("Kulinarinis malonumas"), "forYourMemories": @@ -1126,6 +1169,7 @@ class MessageLookup extends MessageLookupByLibrary { "iOSLockOut": MessageLookupByLibrary.simpleMessage( "Biometrinis tapatybės nustatymas išjungtas. Kad jį įjungtumėte, užrakinkite ir atrakinkite ekraną."), "iOSOkButton": MessageLookupByLibrary.simpleMessage("Gerai"), + "ignore": MessageLookupByLibrary.simpleMessage("Ignoruoti"), "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignoruoti"), "ignored": MessageLookupByLibrary.simpleMessage("ignoruota"), "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( @@ -1146,6 +1190,8 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Neteisingas atkūrimo raktas"), "indexedItems": MessageLookupByLibrary.simpleMessage("Indeksuoti elementai"), + "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( + "Indeksavimas pristabdytas. Jis bus automatiškai tęsiamas, kai įrenginys bus parengtas. Įrenginys laikomas parengtu, kai jo akumuliatoriaus įkrovos lygis, akumuliatoriaus būklė ir terminė būklė yra normos ribose."), "ineligible": MessageLookupByLibrary.simpleMessage("Netinkami"), "info": MessageLookupByLibrary.simpleMessage("Informacija"), "insecureDevice": @@ -1334,6 +1380,7 @@ class MessageLookup extends MessageLookupByLibrary { "Pasirinkite, kokius prisiminimus norite matyti savo pradžios ekrane."), "memoryCount": m50, "merchandise": MessageLookupByLibrary.simpleMessage("Atributika"), + "merge": MessageLookupByLibrary.simpleMessage("Sujungti"), "mergeWithExisting": MessageLookupByLibrary.simpleMessage("Sujungti su esamais"), "mergedPhotos": @@ -1474,6 +1521,8 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Arba pasirinkite esamą"), "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( "arba pasirinkite iš savo kontaktų"), + "otherDetectedFaces": + MessageLookupByLibrary.simpleMessage("Kiti aptikti veidai"), "pair": MessageLookupByLibrary.simpleMessage("Susieti"), "pairWithPin": MessageLookupByLibrary.simpleMessage("Susieti su PIN"), "pairingComplete": @@ -1606,6 +1655,7 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Vieša nuoroda sukurta"), "publicLinkEnabled": MessageLookupByLibrary.simpleMessage("Įjungta viešoji nuoroda"), + "questionmark": MessageLookupByLibrary.simpleMessage("?"), "queued": MessageLookupByLibrary.simpleMessage("Įtraukta eilėje"), "quickLinks": MessageLookupByLibrary.simpleMessage("Sparčios nuorodos"), "radius": MessageLookupByLibrary.simpleMessage("Spindulys"), @@ -1722,6 +1772,7 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Pranešti apie riktą"), "resendEmail": MessageLookupByLibrary.simpleMessage("Iš naujo siųsti el. laišką"), + "reset": MessageLookupByLibrary.simpleMessage("Atkurti"), "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage("Atkurti ignoruojamus failus"), "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( @@ -1748,7 +1799,11 @@ class MessageLookup extends MessageLookupByLibrary { "rotateLeft": MessageLookupByLibrary.simpleMessage("Sukti į kairę"), "rotateRight": MessageLookupByLibrary.simpleMessage("Sukti į dešinę"), "safelyStored": MessageLookupByLibrary.simpleMessage("Saugiai saugoma"), + "same": MessageLookupByLibrary.simpleMessage("Tas pats"), + "sameperson": MessageLookupByLibrary.simpleMessage("Tas pats asmuo?"), "save": MessageLookupByLibrary.simpleMessage("Išsaugoti"), + "saveAsAnotherPerson": + MessageLookupByLibrary.simpleMessage("Išsaugoti kaip kitą asmenį"), "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( "Išsaugoti pakeitimus prieš išeinant?"), @@ -1775,7 +1830,7 @@ class MessageLookup extends MessageLookupByLibrary { "searchByExamples": MessageLookupByLibrary.simpleMessage( "• Albumų pavadinimai (pvz., „Fotoaparatas“)\n• Failų tipai (pvz., „Vaizdo įrašai“, „.gif“)\n• Metai ir mėnesiai (pvz., „2022“, „sausis“)\n• Šventės (pvz., „Kalėdos“)\n• Nuotraukų aprašymai (pvz., „#džiaugsmas“)"), "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Pridėkite aprašymus, pavyzdžiui, „#kelionė“, į nuotraukos informaciją, kad greičiau jas čia rastumėte."), + "Pridėkite aprašus, pavyzdžiui, „#kelionė“, į nuotraukos informaciją, kad sparčiau jas čia rastumėte."), "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( "Ieškokite pagal datą, mėnesį arba metus"), "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( @@ -1915,8 +1970,12 @@ class MessageLookup extends MessageLookupByLibrary { "sharing": MessageLookupByLibrary.simpleMessage("Bendrinima..."), "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage("Pastumti datas ir laiką"), + "showLessFaces": + MessageLookupByLibrary.simpleMessage("Rodyti mažiau veidų"), "showMemories": MessageLookupByLibrary.simpleMessage("Rodyti prisiminimus"), + "showMoreFaces": + MessageLookupByLibrary.simpleMessage("Rodyti daugiau veidų"), "showPerson": MessageLookupByLibrary.simpleMessage("Rodyti asmenį"), "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( "Atsijungti iš kitų įrenginių"), @@ -2042,6 +2101,10 @@ class MessageLookup extends MessageLookupByLibrary { "theLinkYouAreTryingToAccessHasExpired": MessageLookupByLibrary.simpleMessage( "Nuoroda, kurią bandote pasiekti, nebegalioja."), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Asmenų grupės nebebus rodomos asmenų sekcijoje. Nuotraukos liks nepakitusios."), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Asmuo nebebus rodomas asmenų sekcijoje. Nuotraukos liks nepakitusios."), "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( "Įvestas atkūrimo raktas yra neteisingas."), @@ -2240,6 +2303,7 @@ class MessageLookup extends MessageLookupByLibrary { "yesDelete": MessageLookupByLibrary.simpleMessage("Taip, ištrinti"), "yesDiscardChanges": MessageLookupByLibrary.simpleMessage("Taip, atmesti pakeitimus"), + "yesIgnore": MessageLookupByLibrary.simpleMessage("Taip, ignoruoti"), "yesLogout": MessageLookupByLibrary.simpleMessage("Taip, atsijungti"), "yesRemove": MessageLookupByLibrary.simpleMessage("Taip, šalinti"), "yesRenew": MessageLookupByLibrary.simpleMessage("Taip, pratęsti"), diff --git a/mobile/apps/photos/lib/generated/intl/messages_ms.dart b/mobile/apps/photos/lib/generated/intl/messages_ms.dart new file mode 100644 index 0000000000..1aee0f7870 --- /dev/null +++ b/mobile/apps/photos/lib/generated/intl/messages_ms.dart @@ -0,0 +1,25 @@ +// DO NOT EDIT. This is code generated via package:intl/generate_localized.dart +// This is a library that provides messages for a ms locale. All the +// messages from the main program should be duplicated here with the same +// function name. + +// Ignore issues from commonly used lints in this file. +// ignore_for_file:unnecessary_brace_in_string_interps, unnecessary_new +// ignore_for_file:prefer_single_quotes,comment_references, directives_ordering +// ignore_for_file:annotate_overrides,prefer_generic_function_type_aliases +// ignore_for_file:unused_import, file_names, avoid_escaping_inner_quotes +// ignore_for_file:unnecessary_string_interpolations, unnecessary_string_escapes + +import 'package:intl/intl.dart'; +import 'package:intl/message_lookup_by_library.dart'; + +final messages = new MessageLookup(); + +typedef String MessageIfAbsent(String messageStr, List args); + +class MessageLookup extends MessageLookupByLibrary { + String get localeName => 'ms'; + + final messages = _notInlinedMessages(_notInlinedMessages); + static Map _notInlinedMessages(_) => {}; +} diff --git a/mobile/apps/photos/lib/generated/intl/messages_nl.dart b/mobile/apps/photos/lib/generated/intl/messages_nl.dart index 056448e5a0..b6ea039739 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_nl.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_nl.dart @@ -325,7 +325,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m115(name) => "Wens ${name} een fijne verjaardag! 🎉"; static String m116(count) => - "${Intl.plural(count, other: '${count} jaar geleden')}"; + "${Intl.plural(count, one: '${count} jaar geleden', other: '${count} jaar geleden')}"; static String m117(name) => "Jij en ${name}"; diff --git a/mobile/apps/photos/lib/generated/intl/messages_no.dart b/mobile/apps/photos/lib/generated/intl/messages_no.dart index 61a71cda4f..2ae4bbd57b 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_no.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_no.dart @@ -293,7 +293,7 @@ class MessageLookup extends MessageLookupByLibrary { "Vi har sendt en e-post til ${email}"; static String m116(count) => - "${Intl.plural(count, other: '${count} år siden')}"; + "${Intl.plural(count, one: '${count} år siden', other: '${count} år siden')}"; static String m117(name) => "Du og ${name}"; diff --git a/mobile/apps/photos/lib/generated/intl/messages_pl.dart b/mobile/apps/photos/lib/generated/intl/messages_pl.dart index 7354e9cb45..7736624f6e 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_pl.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_pl.dart @@ -20,6 +20,8 @@ typedef String MessageIfAbsent(String messageStr, List args); class MessageLookup extends MessageLookupByLibrary { String get localeName => 'pl'; + static String m0(title) => "${title} (Ja)"; + static String m3(storageAmount, endDate) => "Twój dodatek ${storageAmount} jest ważny do ${endDate}"; @@ -27,6 +29,8 @@ class MessageLookup extends MessageLookupByLibrary { static String m6(albumName) => "Pomyślnie dodano do ${albumName}"; + static String m7(name) => "Podziwianie ${name}"; + static String m8(count) => "${Intl.plural(count, zero: 'Brak Uczestników', one: '1 Uczestnik', other: '${count} Uczestników')}"; @@ -35,6 +39,8 @@ class MessageLookup extends MessageLookupByLibrary { static String m10(freeAmount, storageUnit) => "${freeAmount} ${storageUnit} wolne"; + static String m11(name) => "Piękne widoki z ${name}"; + static String m12(paymentProvider) => "Prosimy najpierw anulować istniejącą subskrypcję z ${paymentProvider}"; @@ -66,7 +72,10 @@ class MessageLookup extends MessageLookupByLibrary { static String m20(endpoint) => "Połączono z ${endpoint}"; static String m21(count) => - "${Intl.plural(count, one: 'Usuń ${count} element', other: 'Usuń ${count} elementu')}"; + "${Intl.plural(count, one: 'Usuń ${count} element', few: 'Usuń ${count} elementy', many: 'Usuń ${count} elementów', other: 'Usuń ${count} elementu')}"; + + static String m22(count) => + "Usunąć również zdjęcia (i filmy) obecne w tych albumach ${count} z wszystkich innych albumów, których są częścią?"; static String m23(currentlyDeleting, totalCount) => "Usuwanie ${currentlyDeleting} / ${totalCount}"; @@ -83,13 +92,19 @@ class MessageLookup extends MessageLookupByLibrary { static String m27(count, formattedSize) => "${count} plików, każdy po ${formattedSize}"; + static String m28(name) => "Ten e-mail jest już powiązany z ${name}."; + static String m29(newEmail) => "Adres e-mail został zmieniony na ${newEmail}"; + static String m30(email) => "${email} nie posiada konta Ente."; + static String m31(email) => "${email} nie posiada konta Ente.\n\nWyślij im zaproszenie do udostępniania zdjęć."; static String m33(text) => "Znaleziono dodatkowe zdjęcia dla ${text}"; + static String m34(name) => "Ucztowanie z ${name}"; + static String m35(count, formattedNumber) => "${Intl.plural(count, one: '1 plikowi', other: '${formattedNumber} plikom')} na tym urządzeniu została bezpiecznie utworzona kopia zapasowa"; @@ -106,14 +121,23 @@ class MessageLookup extends MessageLookupByLibrary { static String m42(currentlyProcessing, totalCount) => "Przetwarzanie ${currentlyProcessing} / ${totalCount}"; + static String m43(name) => "Wędrówka z ${name}"; + static String m44(count) => - "${Intl.plural(count, one: '${count} element', other: '${count} elementu')}"; + "${Intl.plural(count, one: '${count} element', few: '${count} elementy', many: '${count} elementów', other: '${count} elementu')}"; + + static String m45(name) => "Ostatnio z ${name}"; static String m46(email) => "${email} zaprosił Cię do zostania zaufanym kontaktem"; static String m47(expiryTime) => "Link wygaśnie ${expiryTime}"; + static String m48(email) => "Połącz osobę z ${email}"; + + static String m49(personName, email) => + "Spowoduje to powiązanie ${personName} z ${email}"; + static String m52(albumName) => "Pomyślnie przeniesiono do ${albumName}"; static String m53(personName) => "Brak sugestii dla ${personName}"; @@ -129,6 +153,10 @@ class MessageLookup extends MessageLookupByLibrary { static String m58(providerName) => "Porozmawiaj ze wsparciem ${providerName} jeśli zostałeś obciążony"; + static String m59(name, age) => "${name} ma ${age} lat!"; + + static String m60(name, age) => "${name} wkrótce będzie mieć ${age} lat"; + static String m63(endDate) => "Bezpłatny okres próbny ważny do ${endDate}.\nNastępnie możesz wybrać płatny plan."; @@ -137,10 +165,14 @@ class MessageLookup extends MessageLookupByLibrary { static String m65(toEmail) => "Prosimy wysłać logi do ${toEmail}"; + static String m66(name) => "Pozowanie z ${name}"; + static String m67(folderName) => "Przetwarzanie ${folderName}..."; static String m68(storeName) => "Oceń nas na ${storeName}"; + static String m69(name) => "Ponownie przypisano cię do ${name}"; + static String m70(days, email) => "Możesz uzyskać dostęp do konta po dniu ${days} dni. Powiadomienie zostanie wysłane na ${email}."; @@ -157,17 +189,23 @@ class MessageLookup extends MessageLookupByLibrary { static String m75(endDate) => "Subskrypcja odnowi się ${endDate}"; + static String m76(name) => "Wycieczka z ${name}"; + static String m77(count) => - "${Intl.plural(count, one: 'Znaleziono ${count} wynik', other: 'Znaleziono ${count} wyników')}"; + "${Intl.plural(count, one: 'Znaleziono ${count} wynik', few: 'Znaleziono ${count} wyniki', other: 'Znaleziono ${count} wyników')}"; static String m78(snapshotLength, searchLength) => "Niezgodność długości sekcji: ${snapshotLength} != ${searchLength}"; + static String m79(count) => "Wybrano ${count}"; + static String m80(count) => "Wybrano ${count}"; static String m81(count, yourCount) => "Wybrano ${count} (twoich ${yourCount})"; + static String m82(name) => "Selfie z ${name}"; + static String m83(verificationID) => "Oto mój identyfikator weryfikacyjny: ${verificationID} dla ente.io."; @@ -190,6 +228,10 @@ class MessageLookup extends MessageLookupByLibrary { static String m90(fileType) => "Ten ${fileType} zostanie usunięty z Ente."; + static String m91(name) => "Sport z ${name}"; + + static String m92(name) => "Uwaga na ${name}"; + static String m93(storageAmountInGB) => "${storageAmountInGB} GB"; static String m94( @@ -213,8 +255,12 @@ class MessageLookup extends MessageLookupByLibrary { static String m100(email) => "To jest identyfikator weryfikacyjny ${email}"; + static String m102(dateFormat) => "${dateFormat} przez lata"; + static String m103(count) => - "${Intl.plural(count, zero: 'Wkrótce', one: '1 dzień', other: '${count} dni')}"; + "${Intl.plural(count, zero: 'Wkrótce', one: '1 dzień', few: '${count} dni', other: '${count} dni')}"; + + static String m104(year) => "Podróż w ${year}"; static String m106(email) => "Zostałeś zaproszony do bycia dziedzicznym kontaktem przez ${email}."; @@ -231,11 +277,17 @@ class MessageLookup extends MessageLookupByLibrary { static String m111(email) => "Zweryfikuj ${email}"; + static String m112(name) => "Zobacz ${name}, aby odłączyć"; + static String m114(email) => "Wysłaliśmy wiadomość na adres ${email}"; + static String m115(name) => "Życz ${name} wszystkiego najlepszego! 🎉"; + static String m116(count) => - "${Intl.plural(count, one: '${count} rok temu', other: '${count} lata temu')}"; + "${Intl.plural(count, one: '${count} rok temu', few: '${count} lata temu', many: '${count} lat temu', other: '${count} lata temu')}"; + + static String m117(name) => "Ty i ${name}"; static String m118(storageSaved) => "Pomyślnie zwolniłeś/aś ${storageSaved}!"; @@ -249,15 +301,21 @@ class MessageLookup extends MessageLookupByLibrary { "account": MessageLookupByLibrary.simpleMessage("Konto"), "accountIsAlreadyConfigured": MessageLookupByLibrary.simpleMessage( "Konto jest już skonfigurowane."), + "accountOwnerPersonAppbarTitle": m0, "accountWelcomeBack": MessageLookupByLibrary.simpleMessage("Witaj ponownie!"), "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( "Rozumiem, że jeśli utracę hasło, mogę utracić dane, ponieważ moje dane są całkowicie zaszyfrowane."), + "actionNotSupportedOnFavouritesAlbum": + MessageLookupByLibrary.simpleMessage( + "Akcja nie jest obsługiwana na Ulubionym albumie"), "activeSessions": MessageLookupByLibrary.simpleMessage("Aktywne sesje"), "add": MessageLookupByLibrary.simpleMessage("Dodaj"), "addAName": MessageLookupByLibrary.simpleMessage("Dodaj nazwę"), "addANewEmail": MessageLookupByLibrary.simpleMessage("Dodaj nowy adres e-mail"), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Dodaj widżet albumu do ekranu głównego i wróć tutaj, aby dostosować."), "addCollaborator": MessageLookupByLibrary.simpleMessage("Dodaj współuczestnika"), "addFiles": MessageLookupByLibrary.simpleMessage("Dodaj Pliki"), @@ -266,6 +324,8 @@ class MessageLookup extends MessageLookupByLibrary { "addLocation": MessageLookupByLibrary.simpleMessage("Dodaj lokalizację"), "addLocationButton": MessageLookupByLibrary.simpleMessage("Dodaj"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Dodaj widżet wspomnień do ekranu głównego i wróć tutaj, aby dostosować."), "addMore": MessageLookupByLibrary.simpleMessage("Dodaj więcej"), "addName": MessageLookupByLibrary.simpleMessage("Dodaj nazwę"), "addNameOrMerge": @@ -277,6 +337,10 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Szczegóły dodatków"), "addOnValidTill": m3, "addOns": MessageLookupByLibrary.simpleMessage("Dodatki"), + "addParticipants": + MessageLookupByLibrary.simpleMessage("Dodaj uczestników"), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Dodaj widżet ludzi do ekranu głównego i wróć tutaj, aby dostosować."), "addPhotos": MessageLookupByLibrary.simpleMessage("Dodaj zdjęcia"), "addSelected": MessageLookupByLibrary.simpleMessage("Dodaj zaznaczone"), "addToAlbum": MessageLookupByLibrary.simpleMessage("Dodaj do albumu"), @@ -293,6 +357,7 @@ class MessageLookup extends MessageLookupByLibrary { "addedSuccessfullyTo": m6, "addingToFavorites": MessageLookupByLibrary.simpleMessage("Dodawanie do ulubionych..."), + "admiringThem": m7, "advanced": MessageLookupByLibrary.simpleMessage("Zaawansowane"), "advancedSettings": MessageLookupByLibrary.simpleMessage("Zaawansowane"), @@ -307,12 +372,19 @@ class MessageLookup extends MessageLookupByLibrary { "albumUpdated": MessageLookupByLibrary.simpleMessage("Album został zaktualizowany"), "albums": MessageLookupByLibrary.simpleMessage("Albumy"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Wybierz albumy, które chcesz zobaczyć na ekranie głównym."), "allClear": MessageLookupByLibrary.simpleMessage("✨ Wszystko wyczyszczone"), "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage( "Wszystkie wspomnienia zachowane"), "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( "Wszystkie grupy dla tej osoby zostaną zresetowane i stracisz wszystkie sugestie dla tej osoby"), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "Wszystkie nienazwane grupy zostaną scalone z wybraną osobą. To nadal może zostać cofnięte z przeglądu historii sugestii danej osoby."), + "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( + "To jest pierwsze w grupie. Inne wybrane zdjęcia zostaną automatycznie przesunięte w oparciu o tę nową datę"), "allow": MessageLookupByLibrary.simpleMessage("Zezwól"), "allowAddPhotosDescription": MessageLookupByLibrary.simpleMessage( "Pozwól osobom z linkiem na dodawania zdjęć do udostępnionego albumu."), @@ -349,6 +421,7 @@ class MessageLookup extends MessageLookupByLibrary { "Android, iOS, Strona Internetowa, Aplikacja Komputerowa"), "androidSignInTitle": MessageLookupByLibrary.simpleMessage("Wymagane uwierzytelnienie"), + "appIcon": MessageLookupByLibrary.simpleMessage("Ikona aplikacji"), "appLock": MessageLookupByLibrary.simpleMessage( "Blokada dostępu do aplikacji"), "appLockDescriptions": MessageLookupByLibrary.simpleMessage( @@ -363,6 +436,10 @@ class MessageLookup extends MessageLookupByLibrary { "archiveAlbum": MessageLookupByLibrary.simpleMessage("Archiwizuj album"), "archiving": MessageLookupByLibrary.simpleMessage("Archiwizowanie..."), + "areThey": MessageLookupByLibrary.simpleMessage("Czy są "), + "areYouSureRemoveThisFaceFromPerson": + MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz usunąć tę twarz z tej osoby?"), "areYouSureThatYouWantToLeaveTheFamily": MessageLookupByLibrary.simpleMessage( "Czy jesteś pewien/pewna, że chcesz opuścić plan rodzinny?"), @@ -373,8 +450,16 @@ class MessageLookup extends MessageLookupByLibrary { "Czy na pewno chcesz zmienić swój plan?"), "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage("Czy na pewno chcesz wyjść?"), + "areYouSureYouWantToIgnoreThesePersons": + MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz zignorować te osoby?"), + "areYouSureYouWantToIgnoreThisPerson": + MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz zignorować tę osobę?"), "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( "Czy na pewno chcesz się wylogować?"), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "Czy na pewno chcesz je scalić?"), "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( "Czy na pewno chcesz odnowić?"), "areYouSureYouWantToResetThisPerson": @@ -440,6 +525,7 @@ class MessageLookup extends MessageLookupByLibrary { "availableStorageSpace": m10, "backedUpFolders": MessageLookupByLibrary.simpleMessage("Foldery kopii zapasowej"), + "backgroundWithThem": m11, "backup": MessageLookupByLibrary.simpleMessage("Kopia zapasowa"), "backupFailed": MessageLookupByLibrary.simpleMessage( "Tworzenie kopii zapasowej nie powiodło się"), @@ -455,10 +541,37 @@ class MessageLookup extends MessageLookupByLibrary { "Elementy, których kopia zapasowa została utworzona, zostaną wyświetlone w tym miejscu"), "backupVideos": MessageLookupByLibrary.simpleMessage("Utwórz kopię zapasową wideo"), + "beach": MessageLookupByLibrary.simpleMessage("Piasek i morze"), "birthday": MessageLookupByLibrary.simpleMessage("Urodziny"), + "birthdayNotifications": + MessageLookupByLibrary.simpleMessage("Powiadomienia o urodzinach"), + "birthdays": MessageLookupByLibrary.simpleMessage("Urodziny"), "blackFridaySale": MessageLookupByLibrary.simpleMessage( "Wyprzedaż z okazji Czarnego Piątku"), "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cLDesc1": MessageLookupByLibrary.simpleMessage( + "W związku z uruchomieniem wersji beta przesyłania strumieniowego wideo oraz pracami nad możliwością wznawiania przesyłania i pobierania plików, zwiększyliśmy limit przesyłanych plików do 10 GB. Jest to już dostępne zarówno w aplikacjach na komputery, jak i na urządzenia mobilne."), + "cLDesc2": MessageLookupByLibrary.simpleMessage( + "Funkcja przesyłania w tle jest teraz obsługiwana również na urządzeniach z systemem iOS, oprócz urządzeń z Androidem. Nie trzeba już otwierać aplikacji, aby utworzyć kopię zapasową najnowszych zdjęć i filmów."), + "cLDesc3": MessageLookupByLibrary.simpleMessage( + "Wprowadziliśmy istotne ulepszenia w funkcji wspomnień, w tym automatyczne odtwarzanie, przesuwanie do kolejnego wspomnienia i wiele innych."), + "cLDesc4": MessageLookupByLibrary.simpleMessage( + "Wraz z kilkoma ulepszeniami w mechanizmie teraz znacznie łatwiej jest widzieć wszystkie wykryte twarze, zapewniać informacje zwrotne o podobnych twarzach i dodawać/usuwać twarze z jednego zdjęcia."), + "cLDesc5": MessageLookupByLibrary.simpleMessage( + "Od teraz otrzymasz powiadomienie z możliwością rezygnacji dotyczące wszystkich zapisanych urodzin w Ente, wraz z kolekcją najlepszych zdjęć danej osoby."), + "cLDesc6": MessageLookupByLibrary.simpleMessage( + "Nie musisz już czekać na zakończenie przesyłania ani pobierania, żeby móc zamknąć aplikację. Wszystkie operacje przesyłania i pobierania można teraz wstrzymać w dowolnym momencie i wznowić od miejsca, w którym zostały przerwane."), + "cLTitle1": MessageLookupByLibrary.simpleMessage( + "Przesyłanie Dużych Plików Wideo"), + "cLTitle2": MessageLookupByLibrary.simpleMessage("Przesyłanie w Tle"), + "cLTitle3": MessageLookupByLibrary.simpleMessage( + "Automatyczne Odtwarzanie Wspomnień"), + "cLTitle4": MessageLookupByLibrary.simpleMessage( + "Ulepszone Rozpoznawanie Twarzy"), + "cLTitle5": + MessageLookupByLibrary.simpleMessage("Powiadomienia o Urodzinach"), + "cLTitle6": MessageLookupByLibrary.simpleMessage( + "Wznawialne Przesyłanie i Pobieranie Danych"), "cachedData": MessageLookupByLibrary.simpleMessage("Dane w pamięci podręcznej"), "calculating": MessageLookupByLibrary.simpleMessage("Obliczanie..."), @@ -513,6 +626,7 @@ class MessageLookup extends MessageLookupByLibrary { "checking": MessageLookupByLibrary.simpleMessage("Sprawdzanie..."), "checkingModels": MessageLookupByLibrary.simpleMessage("Sprawdzanie modeli..."), + "city": MessageLookupByLibrary.simpleMessage("W mieście"), "claimFreeStorage": MessageLookupByLibrary.simpleMessage( "Odbierz bezpłatną przestrzeń dyskową"), "claimMore": MessageLookupByLibrary.simpleMessage("Zdobądź więcej!"), @@ -528,6 +642,8 @@ class MessageLookup extends MessageLookupByLibrary { "click": MessageLookupByLibrary.simpleMessage("• Kliknij"), "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage( "• Kliknij na menu przepełnienia"), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Kliknij, aby zainstalować naszą najlepszą wersję"), "close": MessageLookupByLibrary.simpleMessage("Zamknij"), "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( "Club według czasu przechwycenia"), @@ -626,6 +742,8 @@ class MessageLookup extends MessageLookupByLibrary { "criticalUpdateAvailable": MessageLookupByLibrary.simpleMessage( "Dostępna jest krytyczna aktualizacja"), "crop": MessageLookupByLibrary.simpleMessage("Kadruj"), + "curatedMemories": MessageLookupByLibrary.simpleMessage( + "Wyselekcjonowane wspomnienia"), "currentUsageIs": MessageLookupByLibrary.simpleMessage("Aktualne użycie to "), "currentlyRunning": @@ -669,6 +787,7 @@ class MessageLookup extends MessageLookupByLibrary { "deleteItemCount": m21, "deleteLocation": MessageLookupByLibrary.simpleMessage("Usuń lokalizację"), + "deleteMultipleAlbumDialog": m22, "deletePhotos": MessageLookupByLibrary.simpleMessage("Usuń zdjęcia"), "deleteProgress": m23, "deleteReason1": MessageLookupByLibrary.simpleMessage( @@ -704,6 +823,7 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Nie znaleziono urządzenia"), "didYouKnow": MessageLookupByLibrary.simpleMessage("Czy wiedziałeś/aś?"), + "different": MessageLookupByLibrary.simpleMessage("Inne"), "disableAutoLock": MessageLookupByLibrary.simpleMessage("Wyłącz automatyczną blokadę"), "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( @@ -747,6 +867,7 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage( "Czy chcesz odrzucić dokonane zmiany?"), "done": MessageLookupByLibrary.simpleMessage("Gotowe"), + "dontSave": MessageLookupByLibrary.simpleMessage("Nie zapisuj"), "doubleYourStorage": MessageLookupByLibrary.simpleMessage( "Podwój swoją przestrzeń dyskową"), "download": MessageLookupByLibrary.simpleMessage("Pobierz"), @@ -757,11 +878,13 @@ class MessageLookup extends MessageLookupByLibrary { "duplicateFileCountWithStorageSaved": m26, "duplicateItemsGroup": m27, "edit": MessageLookupByLibrary.simpleMessage("Edytuj"), + "editEmailAlreadyLinked": m28, "editLocation": MessageLookupByLibrary.simpleMessage("Edytuj lokalizację"), "editLocationTagTitle": MessageLookupByLibrary.simpleMessage("Edytuj lokalizację"), "editPerson": MessageLookupByLibrary.simpleMessage("Edytuj osobę"), + "editTime": MessageLookupByLibrary.simpleMessage("Edytuj czas"), "editsSaved": MessageLookupByLibrary.simpleMessage("Edycje zapisane"), "editsToLocationWillOnlyBeSeenWithinEnte": MessageLookupByLibrary.simpleMessage( @@ -771,6 +894,7 @@ class MessageLookup extends MessageLookupByLibrary { "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( "Adres e-mail jest już zarejestrowany."), "emailChangedTo": m29, + "emailDoesNotHaveEnteAccount": m30, "emailNoEnteAccount": m31, "emailNotRegistered": MessageLookupByLibrary.simpleMessage( "Adres e-mail nie jest zarejestrowany."), @@ -838,6 +962,8 @@ class MessageLookup extends MessageLookupByLibrary { "Prosimy podać prawidłowy adres e-mail."), "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage("Podaj swój adres e-mail"), + "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( + "Podaj swój nowy adres e-mail"), "enterYourPassword": MessageLookupByLibrary.simpleMessage("Wprowadź hasło"), "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( @@ -859,7 +985,10 @@ class MessageLookup extends MessageLookupByLibrary { "Twarz jeszcze nie zgrupowana, prosimy wrócić później"), "faceRecognition": MessageLookupByLibrary.simpleMessage("Rozpoznawanie twarzy"), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "Nie można wygenerować miniaturek twarzy"), "faces": MessageLookupByLibrary.simpleMessage("Twarze"), + "failed": MessageLookupByLibrary.simpleMessage("Nie powiodło się"), "failedToApplyCode": MessageLookupByLibrary.simpleMessage( "Nie udało się zastosować kodu"), "failedToCancel": @@ -893,8 +1022,11 @@ class MessageLookup extends MessageLookupByLibrary { "faqs": MessageLookupByLibrary.simpleMessage( "FAQ – Często zadawane pytania"), "favorite": MessageLookupByLibrary.simpleMessage("Dodaj do ulubionych"), + "feastingWithThem": m34, "feedback": MessageLookupByLibrary.simpleMessage("Opinia"), "file": MessageLookupByLibrary.simpleMessage("Plik"), + "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage( + "Nie można przeanalizować pliku"), "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( "Nie udało się zapisać pliku do galerii"), "fileInfoAddDescHint": @@ -916,6 +1048,7 @@ class MessageLookup extends MessageLookupByLibrary { "findThemQuickly": MessageLookupByLibrary.simpleMessage("Znajdź ich szybko"), "flip": MessageLookupByLibrary.simpleMessage("Obróć"), + "food": MessageLookupByLibrary.simpleMessage("Kulinarna rozkosz"), "forYourMemories": MessageLookupByLibrary.simpleMessage("dla twoich wspomnień"), "forgotPassword": @@ -950,11 +1083,14 @@ class MessageLookup extends MessageLookupByLibrary { "Zezwól na dostęp do wszystkich zdjęć w aplikacji Ustawienia"), "grantPermission": MessageLookupByLibrary.simpleMessage("Przyznaj uprawnienie"), + "greenery": MessageLookupByLibrary.simpleMessage("Zielone życie"), "groupNearbyPhotos": MessageLookupByLibrary.simpleMessage("Grupuj pobliskie zdjęcia"), "guestView": MessageLookupByLibrary.simpleMessage("Widok gościa"), "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( "Aby włączyć widok gościa, należy skonfigurować hasło urządzenia lub blokadę ekranu w ustawieniach Twojego systemu."), + "happyBirthday": + MessageLookupByLibrary.simpleMessage("Wszystkiego najlepszego! 🥳"), "hearUsExplanation": MessageLookupByLibrary.simpleMessage( "Nie śledzimy instalacji aplikacji. Pomogłyby nam, gdybyś powiedział/a nam, gdzie nas znalazłeś/aś!"), "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( @@ -967,7 +1103,10 @@ class MessageLookup extends MessageLookupByLibrary { "Ukrywa zawartość aplikacji w przełączniku aplikacji i wyłącza zrzuty ekranu"), "hideContentDescriptionIos": MessageLookupByLibrary.simpleMessage( "Ukrywa zawartość aplikacji w przełączniku aplikacji"), + "hideSharedItemsFromHomeGallery": MessageLookupByLibrary.simpleMessage( + "Ukryj współdzielone elementy w galerii głównej"), "hiding": MessageLookupByLibrary.simpleMessage("Ukrywanie..."), + "hikingWithThem": m43, "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage("Hostowane w OSM Francja"), "howItWorks": MessageLookupByLibrary.simpleMessage("Jak to działa"), @@ -978,6 +1117,7 @@ class MessageLookup extends MessageLookupByLibrary { "iOSLockOut": MessageLookupByLibrary.simpleMessage( "Uwierzytelnianie biometryczne jest wyłączone. Prosimy zablokować i odblokować ekran, aby je włączyć."), "iOSOkButton": MessageLookupByLibrary.simpleMessage("OK"), + "ignore": MessageLookupByLibrary.simpleMessage("Ignoruj"), "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignoruj"), "ignored": MessageLookupByLibrary.simpleMessage("ignorowane"), "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( @@ -998,6 +1138,10 @@ class MessageLookup extends MessageLookupByLibrary { "Nieprawidłowy klucz odzyskiwania"), "indexedItems": MessageLookupByLibrary.simpleMessage("Zindeksowane elementy"), + "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( + "Indeksowanie zostało wstrzymane. Zostanie automatycznie wznowione, gdy urządzenie będzie gotowe. Urządzenie uznaje się za gotowe, gdy poziom baterii, stan jej zdrowia oraz status termiczny znajdują się w bezpiecznym zakresie."), + "ineligible": + MessageLookupByLibrary.simpleMessage("Nie kwalifikuje się"), "info": MessageLookupByLibrary.simpleMessage("Informacje"), "insecureDevice": MessageLookupByLibrary.simpleMessage("Niezabezpieczone urządzenie"), @@ -1030,6 +1174,8 @@ class MessageLookup extends MessageLookupByLibrary { "Wybrane elementy zostaną usunięte z tego albumu"), "join": MessageLookupByLibrary.simpleMessage("Dołącz"), "joinAlbum": MessageLookupByLibrary.simpleMessage("Dołącz do albumu"), + "joinAlbumConfirmationDialogBody": MessageLookupByLibrary.simpleMessage( + "Dołączenie do albumu sprawi, że Twój e-mail będzie widoczny dla jego uczestników."), "joinAlbumSubtext": MessageLookupByLibrary.simpleMessage( "aby wyświetlić i dodać swoje zdjęcia"), "joinAlbumSubtextViewer": MessageLookupByLibrary.simpleMessage( @@ -1041,8 +1187,11 @@ class MessageLookup extends MessageLookupByLibrary { "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage("Pomóż nam z tą informacją"), "language": MessageLookupByLibrary.simpleMessage("Język"), + "lastTimeWithThem": m45, "lastUpdated": MessageLookupByLibrary.simpleMessage("Ostatnio zaktualizowano"), + "lastYearsTrip": + MessageLookupByLibrary.simpleMessage("Zeszłoroczna podróż"), "leave": MessageLookupByLibrary.simpleMessage("Wyjdź"), "leaveAlbum": MessageLookupByLibrary.simpleMessage("Opuść album"), "leaveFamily": MessageLookupByLibrary.simpleMessage("Opuść rodzinę"), @@ -1065,16 +1214,22 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Limit urządzeń"), "linkEmail": MessageLookupByLibrary.simpleMessage("Połącz adres e-mail"), + "linkEmailToContactBannerCaption": + MessageLookupByLibrary.simpleMessage("aby szybciej udostępniać"), "linkEnabled": MessageLookupByLibrary.simpleMessage("Aktywny"), "linkExpired": MessageLookupByLibrary.simpleMessage("Wygasł"), "linkExpiresOn": m47, "linkExpiry": MessageLookupByLibrary.simpleMessage("Wygaśnięcie linku"), "linkHasExpired": MessageLookupByLibrary.simpleMessage("Link wygasł"), "linkNeverExpires": MessageLookupByLibrary.simpleMessage("Nigdy"), + "linkPersonToEmail": m48, + "linkPersonToEmailConfirmation": m49, "livePhotos": MessageLookupByLibrary.simpleMessage("Zdjęcia Live Photo"), "loadMessage1": MessageLookupByLibrary.simpleMessage( "Możesz udostępnić swoją subskrypcję swojej rodzinie"), + "loadMessage2": MessageLookupByLibrary.simpleMessage( + "Do tej pory zachowaliśmy ponad 200 milionów wspomnień"), "loadMessage3": MessageLookupByLibrary.simpleMessage( "Przechowujemy 3 kopie Twoich danych, jedną w podziemnym schronie"), "loadMessage4": MessageLookupByLibrary.simpleMessage( @@ -1131,6 +1286,8 @@ class MessageLookup extends MessageLookupByLibrary { "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( "Długo naciśnij element, aby wyświetlić go na pełnym ekranie"), + "lookBackOnYourMemories": MessageLookupByLibrary.simpleMessage( + "Spójrz ponownie na swoje wspomnienia 🌄"), "loopVideoOff": MessageLookupByLibrary.simpleMessage("Pętla wideo wyłączona"), "loopVideoOn": @@ -1160,7 +1317,12 @@ class MessageLookup extends MessageLookupByLibrary { "maps": MessageLookupByLibrary.simpleMessage("Mapy"), "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), + "me": MessageLookupByLibrary.simpleMessage("Ja"), + "memories": MessageLookupByLibrary.simpleMessage("Wspomnienia"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Wybierz rodzaj wspomnień, które chcesz zobaczyć na ekranie głównym."), "merchandise": MessageLookupByLibrary.simpleMessage("Sklep"), + "merge": MessageLookupByLibrary.simpleMessage("Scal"), "mergeWithExisting": MessageLookupByLibrary.simpleMessage("Scal z istniejącym"), "mergedPhotos": MessageLookupByLibrary.simpleMessage("Scalone zdjęcia"), @@ -1185,11 +1347,15 @@ class MessageLookup extends MessageLookupByLibrary { "moments": MessageLookupByLibrary.simpleMessage("Momenty"), "month": MessageLookupByLibrary.simpleMessage("miesiąc"), "monthly": MessageLookupByLibrary.simpleMessage("Miesięcznie"), + "moon": MessageLookupByLibrary.simpleMessage("W świetle księżyca"), "moreDetails": MessageLookupByLibrary.simpleMessage("Więcej szczegółów"), "mostRecent": MessageLookupByLibrary.simpleMessage("Od najnowszych"), "mostRelevant": MessageLookupByLibrary.simpleMessage("Najbardziej trafne"), + "mountains": MessageLookupByLibrary.simpleMessage("Na wzgórzach"), + "moveSelectedPhotosToOneDate": MessageLookupByLibrary.simpleMessage( + "Przenieś wybrane zdjęcia na jedną datę"), "moveToAlbum": MessageLookupByLibrary.simpleMessage("Przenieś do albumu"), "moveToHiddenAlbum": @@ -1209,6 +1375,8 @@ class MessageLookup extends MessageLookupByLibrary { "newAlbum": MessageLookupByLibrary.simpleMessage("Nowy album"), "newLocation": MessageLookupByLibrary.simpleMessage("Nowa lokalizacja"), "newPerson": MessageLookupByLibrary.simpleMessage("Nowa osoba"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" nowe 📸"), + "newRange": MessageLookupByLibrary.simpleMessage("Nowy zakres"), "newToEnte": MessageLookupByLibrary.simpleMessage("Nowy/a do Ente"), "newest": MessageLookupByLibrary.simpleMessage("Najnowsze"), "next": MessageLookupByLibrary.simpleMessage("Dalej"), @@ -1251,6 +1419,7 @@ class MessageLookup extends MessageLookupByLibrary { "noSystemLockFound": MessageLookupByLibrary.simpleMessage( "Nie znaleziono blokady systemowej"), "notPersonLabel": m54, + "notThisPerson": MessageLookupByLibrary.simpleMessage("Nie ta osoba?"), "nothingSharedWithYouYet": MessageLookupByLibrary.simpleMessage( "Nic Ci jeszcze nie udostępniono"), "nothingToSeeHere": MessageLookupByLibrary.simpleMessage( @@ -1260,6 +1429,12 @@ class MessageLookup extends MessageLookupByLibrary { "onDevice": MessageLookupByLibrary.simpleMessage("Na urządzeniu"), "onEnte": MessageLookupByLibrary.simpleMessage("W ente"), + "onTheRoad": MessageLookupByLibrary.simpleMessage("Znowu na drodze"), + "onThisDay": MessageLookupByLibrary.simpleMessage("Tego dnia"), + "onThisDayMemories": + MessageLookupByLibrary.simpleMessage("Wspomnienia z tego dnia"), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "Otrzymuj przypomnienia o wspomnieniach z tego dnia w poprzednich latach."), "onlyFamilyAdminCanChangeCode": m55, "onlyThem": MessageLookupByLibrary.simpleMessage("Tylko te"), "oops": MessageLookupByLibrary.simpleMessage("Ups"), @@ -1283,6 +1458,10 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Lub złącz z istniejącymi"), "orPickAnExistingOne": MessageLookupByLibrary.simpleMessage("Lub wybierz istniejący"), + "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( + "lub wybierz ze swoich kontaktów"), + "otherDetectedFaces": + MessageLookupByLibrary.simpleMessage("Inne wykryte twarze"), "pair": MessageLookupByLibrary.simpleMessage("Sparuj"), "pairWithPin": MessageLookupByLibrary.simpleMessage("Sparuj kodem PIN"), "pairingComplete": @@ -1302,6 +1481,8 @@ class MessageLookup extends MessageLookupByLibrary { "Siła hasła jest obliczana, biorąc pod uwagę długość hasła, użyte znaki, i czy hasło pojawi się w 10 000 najczęściej używanych haseł"), "passwordWarning": MessageLookupByLibrary.simpleMessage( "Nie przechowujemy tego hasła, więc jeśli go zapomnisz, nie będziemy w stanie odszyfrować Twoich danych"), + "pastYearsMemories": + MessageLookupByLibrary.simpleMessage("Wspomnienia z ubiegłych lat"), "paymentDetails": MessageLookupByLibrary.simpleMessage("Szczegóły płatności"), "paymentFailed": @@ -1316,13 +1497,18 @@ class MessageLookup extends MessageLookupByLibrary { "people": MessageLookupByLibrary.simpleMessage("Ludzie"), "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage( "Osoby używające twojego kodu"), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Wybierz osoby, które chcesz zobaczyć na ekranie głównym."), "permDeleteWarning": MessageLookupByLibrary.simpleMessage( "Wszystkie elementy w koszu zostaną trwale usunięte\n\nTej czynności nie można cofnąć"), "permanentlyDelete": MessageLookupByLibrary.simpleMessage("Usuń trwale"), "permanentlyDeleteFromDevice": MessageLookupByLibrary.simpleMessage("Trwale usunąć z urządzenia?"), + "personIsAge": m59, "personName": MessageLookupByLibrary.simpleMessage("Nazwa osoby"), + "personTurningAge": m60, + "pets": MessageLookupByLibrary.simpleMessage("Futrzani towarzysze"), "photoDescriptions": MessageLookupByLibrary.simpleMessage("Opisy zdjęć"), "photoGridSize": @@ -1332,12 +1518,17 @@ class MessageLookup extends MessageLookupByLibrary { "photosAddedByYouWillBeRemovedFromTheAlbum": MessageLookupByLibrary.simpleMessage( "Zdjęcia dodane przez Ciebie zostaną usunięte z albumu"), + "photosKeepRelativeTimeDifference": + MessageLookupByLibrary.simpleMessage( + "Zdjęcia zachowują względną różnicę czasu"), "pickCenterPoint": MessageLookupByLibrary.simpleMessage("Wybierz punkt środkowy"), "pinAlbum": MessageLookupByLibrary.simpleMessage("Przypnij album"), "pinLock": MessageLookupByLibrary.simpleMessage("Blokada PIN"), "playOnTv": MessageLookupByLibrary.simpleMessage( "Odtwórz album na telewizorze"), + "playOriginal": + MessageLookupByLibrary.simpleMessage("Odtwórz oryginał"), "playStoreFreeTrialValidTill": m63, "playstoreSubscription": MessageLookupByLibrary.simpleMessage("Subskrypcja PlayStore"), @@ -1369,6 +1560,9 @@ class MessageLookup extends MessageLookupByLibrary { "pleaseWaitForSometimeBeforeRetrying": MessageLookupByLibrary.simpleMessage( "Prosimy poczekać chwilę przed ponowną próbą"), + "pleaseWaitThisWillTakeAWhile": MessageLookupByLibrary.simpleMessage( + "Prosimy czekać, to może zająć chwilę."), + "posingWithThem": m66, "preparingLogs": MessageLookupByLibrary.simpleMessage("Przygotowywanie logów..."), "preserveMore": MessageLookupByLibrary.simpleMessage("Zachowaj więcej"), @@ -1376,6 +1570,7 @@ class MessageLookup extends MessageLookupByLibrary { "Naciśnij i przytrzymaj, aby odtworzyć wideo"), "pressAndHoldToPlayVideoDetailed": MessageLookupByLibrary.simpleMessage( "Naciśnij i przytrzymaj obraz, aby odtworzyć wideo"), + "previous": MessageLookupByLibrary.simpleMessage("Poprzedni"), "privacy": MessageLookupByLibrary.simpleMessage("Prywatność"), "privacyPolicyTitle": MessageLookupByLibrary.simpleMessage("Polityka Prywatności"), @@ -1385,17 +1580,25 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Udostępnianie prywatne"), "proceed": MessageLookupByLibrary.simpleMessage("Kontynuuj"), "processed": MessageLookupByLibrary.simpleMessage("Przetworzone"), + "processing": MessageLookupByLibrary.simpleMessage("Przetwarzanie"), "processingImport": m67, + "processingVideos": + MessageLookupByLibrary.simpleMessage("Przetwarzanie wideo"), "publicLinkCreated": MessageLookupByLibrary.simpleMessage("Utworzono publiczny link"), "publicLinkEnabled": MessageLookupByLibrary.simpleMessage("Publiczny link włączony"), + "questionmark": MessageLookupByLibrary.simpleMessage("?"), + "queued": MessageLookupByLibrary.simpleMessage("W kolejce"), "quickLinks": MessageLookupByLibrary.simpleMessage("Szybkie linki"), "radius": MessageLookupByLibrary.simpleMessage("Promień"), "raiseTicket": MessageLookupByLibrary.simpleMessage("Zgłoś"), "rateTheApp": MessageLookupByLibrary.simpleMessage("Oceń aplikację"), "rateUs": MessageLookupByLibrary.simpleMessage("Oceń nas"), "rateUsOnStore": m68, + "reassignedToName": m69, + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Otrzymuj przypomnienia, kiedy są czyjeś urodziny. Naciskając na powiadomienie zabierze Cię do zdjęć osoby, która ma urodziny."), "recover": MessageLookupByLibrary.simpleMessage("Odzyskaj"), "recoverAccount": MessageLookupByLibrary.simpleMessage("Odzyskaj konto"), @@ -1496,6 +1699,7 @@ class MessageLookup extends MessageLookupByLibrary { "reportBug": MessageLookupByLibrary.simpleMessage("Zgłoś błąd"), "resendEmail": MessageLookupByLibrary.simpleMessage("Wyślij e-mail ponownie"), + "reset": MessageLookupByLibrary.simpleMessage("Zresetuj"), "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage("Zresetuj zignorowane pliki"), "resetPasswordTitle": @@ -1517,12 +1721,20 @@ class MessageLookup extends MessageLookupByLibrary { "reviewSuggestions": MessageLookupByLibrary.simpleMessage("Przeglądaj sugestie"), "right": MessageLookupByLibrary.simpleMessage("W prawo"), + "roadtripWithThem": m76, "rotate": MessageLookupByLibrary.simpleMessage("Obróć"), "rotateLeft": MessageLookupByLibrary.simpleMessage("Obróć w lewo"), "rotateRight": MessageLookupByLibrary.simpleMessage("Obróć w prawo"), "safelyStored": MessageLookupByLibrary.simpleMessage("Bezpiecznie przechowywane"), + "same": MessageLookupByLibrary.simpleMessage("Identyczne"), + "sameperson": MessageLookupByLibrary.simpleMessage("Ta sama osoba?"), "save": MessageLookupByLibrary.simpleMessage("Zapisz"), + "saveAsAnotherPerson": + MessageLookupByLibrary.simpleMessage("Zapisz jako inną osobę"), + "saveChangesBeforeLeavingQuestion": + MessageLookupByLibrary.simpleMessage( + "Zapisać zmiany przed wyjściem?"), "saveCollage": MessageLookupByLibrary.simpleMessage("Zapisz kolaż"), "saveCopy": MessageLookupByLibrary.simpleMessage("Zapisz kopię"), "saveKey": MessageLookupByLibrary.simpleMessage("Zapisz klucz"), @@ -1583,6 +1795,7 @@ class MessageLookup extends MessageLookupByLibrary { "selectAllShort": MessageLookupByLibrary.simpleMessage("Wszystko"), "selectCoverPhoto": MessageLookupByLibrary.simpleMessage("Wybierz zdjęcie na okładkę"), + "selectDate": MessageLookupByLibrary.simpleMessage("Wybierz datę"), "selectFoldersForBackup": MessageLookupByLibrary.simpleMessage( "Wybierz foldery do stworzenia kopii zapasowej"), "selectItemsToAdd": @@ -1592,9 +1805,21 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Wybierz aplikację pocztową"), "selectMorePhotos": MessageLookupByLibrary.simpleMessage("Wybierz więcej zdjęć"), + "selectOneDateAndTime": + MessageLookupByLibrary.simpleMessage("Wybierz jedną datę i czas"), + "selectOneDateAndTimeForAll": MessageLookupByLibrary.simpleMessage( + "Wybierz jedną datę i czas dla wszystkich"), + "selectPersonToLink": + MessageLookupByLibrary.simpleMessage("Wybierz osobę do powiązania"), "selectReason": MessageLookupByLibrary.simpleMessage("Wybierz powód"), + "selectStartOfRange": + MessageLookupByLibrary.simpleMessage("Wybierz początek zakresu"), + "selectTime": MessageLookupByLibrary.simpleMessage("Wybierz czas"), + "selectYourFace": + MessageLookupByLibrary.simpleMessage("Wybierz swoją twarz"), "selectYourPlan": MessageLookupByLibrary.simpleMessage("Wybierz swój plan"), + "selectedAlbums": m79, "selectedFilesAreNotOnEnte": MessageLookupByLibrary.simpleMessage("Wybrane pliki nie są w Ente"), "selectedFoldersWillBeEncryptedAndBackedUp": @@ -1603,8 +1828,12 @@ class MessageLookup extends MessageLookupByLibrary { "selectedItemsWillBeDeletedFromAllAlbumsAndMoved": MessageLookupByLibrary.simpleMessage( "Wybrane elementy zostaną usunięte ze wszystkich albumów i przeniesione do kosza."), + "selectedItemsWillBeRemovedFromThisPerson": + MessageLookupByLibrary.simpleMessage( + "Wybrane elementy zostaną usunięte z tej osoby, ale nie zostaną usunięte z Twojej biblioteki."), "selectedPhotos": m80, "selectedPhotosWithYours": m81, + "selfiesWithThem": m82, "send": MessageLookupByLibrary.simpleMessage("Wyślij"), "sendEmail": MessageLookupByLibrary.simpleMessage("Wyślij e-mail"), "sendInvite": @@ -1661,8 +1890,14 @@ class MessageLookup extends MessageLookupByLibrary { "sharedWithYou": MessageLookupByLibrary.simpleMessage("Udostępnione z Tobą"), "sharing": MessageLookupByLibrary.simpleMessage("Udostępnianie..."), + "shiftDatesAndTime": + MessageLookupByLibrary.simpleMessage("Zmień daty i czas"), + "showLessFaces": + MessageLookupByLibrary.simpleMessage("Pokaż mniej twarzy"), "showMemories": MessageLookupByLibrary.simpleMessage("Pokaż wspomnienia"), + "showMoreFaces": + MessageLookupByLibrary.simpleMessage("Pokaż więcej twarzy"), "showPerson": MessageLookupByLibrary.simpleMessage("Pokaż osobę"), "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( "Wyloguj z pozostałych urządzeń"), @@ -1694,6 +1929,8 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage( "Coś poszło nie tak, spróbuj ponownie"), "sorry": MessageLookupByLibrary.simpleMessage("Przepraszamy"), + "sorryBackupFailedDesc": MessageLookupByLibrary.simpleMessage( + "Przepraszamy, nie mogliśmy utworzyć kopii zapasowej tego pliku teraz, spróbujemy ponownie później."), "sorryCouldNotAddToFavorites": MessageLookupByLibrary.simpleMessage( "Przepraszamy, nie udało się dodać do ulubionych!"), "sorryCouldNotRemoveFromFavorites": @@ -1705,6 +1942,8 @@ class MessageLookup extends MessageLookupByLibrary { "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": MessageLookupByLibrary.simpleMessage( "Przepraszamy, nie mogliśmy wygenerować bezpiecznych kluczy na tym urządzeniu.\n\nZarejestruj się z innego urządzenia."), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Przepraszamy, musieliśmy wstrzymać tworzenie kopii zapasowych"), "sort": MessageLookupByLibrary.simpleMessage("Sortuj"), "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sortuj według"), "sortNewestFirst": @@ -1712,6 +1951,10 @@ class MessageLookup extends MessageLookupByLibrary { "sortOldestFirst": MessageLookupByLibrary.simpleMessage("Od najstarszych"), "sparkleSuccess": MessageLookupByLibrary.simpleMessage("✨ Sukces"), + "sportsWithThem": m91, + "spotlightOnThem": m92, + "spotlightOnYourself": + MessageLookupByLibrary.simpleMessage("Uwaga na siebie"), "startAccountRecoveryTitle": MessageLookupByLibrary.simpleMessage("Rozpocznij odzyskiwanie"), "startBackup": MessageLookupByLibrary.simpleMessage( @@ -1746,6 +1989,7 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Pomyślnie odkryto"), "suggestFeatures": MessageLookupByLibrary.simpleMessage("Zaproponuj funkcje"), + "sunrise": MessageLookupByLibrary.simpleMessage("Na horyzoncie"), "support": MessageLookupByLibrary.simpleMessage("Wsparcie techniczne"), "syncProgress": m97, "syncStopped": @@ -1777,6 +2021,10 @@ class MessageLookup extends MessageLookupByLibrary { "theLinkYouAreTryingToAccessHasExpired": MessageLookupByLibrary.simpleMessage( "Link, do którego próbujesz uzyskać dostęp, wygasł."), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Grupy osób nie będą już wyświetlane w sekcji ludzi. Zdjęcia pozostaną nienaruszone."), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Osoba nie będzie już wyświetlana w sekcji ludzi. Zdjęcia pozostaną nienaruszone."), "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( "Wprowadzony klucz odzyskiwania jest nieprawidłowy"), @@ -1800,17 +2048,24 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Ten e-mail jest już używany"), "thisImageHasNoExifData": MessageLookupByLibrary.simpleMessage( "Ten obraz nie posiada danych exif"), + "thisIsMeExclamation": MessageLookupByLibrary.simpleMessage("To ja!"), "thisIsPersonVerificationId": m100, "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( "To jest Twój Identyfikator Weryfikacji"), + "thisWeekThroughTheYears": + MessageLookupByLibrary.simpleMessage("Ten tydzień przez lata"), "thisWillLogYouOutOfTheFollowingDevice": MessageLookupByLibrary.simpleMessage( "To wyloguje Cię z tego urządzenia:"), "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( "To wyloguje Cię z tego urządzenia!"), + "thisWillMakeTheDateAndTimeOfAllSelected": + MessageLookupByLibrary.simpleMessage( + "To sprawi, że data i czas wszystkich wybranych zdjęć będą takie same."), "thisWillRemovePublicLinksOfAllSelectedQuickLinks": MessageLookupByLibrary.simpleMessage( "Spowoduje to usunięcie publicznych linków wszystkich zaznaczonych szybkich linków."), + "throughTheYears": m102, "toEnableAppLockPleaseSetupDevicePasscodeOrScreen": MessageLookupByLibrary.simpleMessage( "Aby włączyć blokadę aplikacji, należy skonfigurować hasło urządzenia lub blokadę ekranu w ustawieniach systemu."), @@ -1826,6 +2081,7 @@ class MessageLookup extends MessageLookupByLibrary { "trash": MessageLookupByLibrary.simpleMessage("Kosz"), "trashDaysLeft": m103, "trim": MessageLookupByLibrary.simpleMessage("Przytnij"), + "tripInYear": m104, "trustedContacts": MessageLookupByLibrary.simpleMessage("Zaufane kontakty"), "trustedInviteBody": m106, @@ -1914,6 +2170,8 @@ class MessageLookup extends MessageLookupByLibrary { "Weryfikowanie klucza odzyskiwania..."), "videoInfo": MessageLookupByLibrary.simpleMessage("Informacje Wideo"), "videoSmallCase": MessageLookupByLibrary.simpleMessage("wideo"), + "videoStreaming": + MessageLookupByLibrary.simpleMessage("Streamowalne wideo"), "videos": MessageLookupByLibrary.simpleMessage("Wideo"), "viewActiveSessions": MessageLookupByLibrary.simpleMessage("Zobacz aktywne sesje"), @@ -1926,6 +2184,7 @@ class MessageLookup extends MessageLookupByLibrary { "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( "Wyświetl pliki zużywające największą ilość pamięci."), "viewLogs": MessageLookupByLibrary.simpleMessage("Wyświetl logi"), + "viewPersonToUnlink": m112, "viewRecoveryKey": MessageLookupByLibrary.simpleMessage("Zobacz klucz odzyskiwania"), "viewer": MessageLookupByLibrary.simpleMessage("Widz"), @@ -1947,6 +2206,8 @@ class MessageLookup extends MessageLookupByLibrary { "whatsNew": MessageLookupByLibrary.simpleMessage("Co nowego"), "whyAddTrustContact": MessageLookupByLibrary.simpleMessage( "Zaufany kontakt może pomóc w odzyskaniu Twoich danych."), + "widgets": MessageLookupByLibrary.simpleMessage("Widżety"), + "wishThemAHappyBirthday": m115, "yearShort": MessageLookupByLibrary.simpleMessage("r"), "yearly": MessageLookupByLibrary.simpleMessage("Rocznie"), "yearsAgo": m116, @@ -1957,12 +2218,14 @@ class MessageLookup extends MessageLookupByLibrary { "yesDelete": MessageLookupByLibrary.simpleMessage("Tak, usuń"), "yesDiscardChanges": MessageLookupByLibrary.simpleMessage("Tak, odrzuć zmiany"), + "yesIgnore": MessageLookupByLibrary.simpleMessage("Tak, ignoruj"), "yesLogout": MessageLookupByLibrary.simpleMessage("Tak, wyloguj"), "yesRemove": MessageLookupByLibrary.simpleMessage("Tak, usuń"), "yesRenew": MessageLookupByLibrary.simpleMessage("Tak, Odnów"), "yesResetPerson": MessageLookupByLibrary.simpleMessage("Tak, zresetuj osobę"), "you": MessageLookupByLibrary.simpleMessage("Ty"), + "youAndThem": m117, "youAreOnAFamilyPlan": MessageLookupByLibrary.simpleMessage("Jesteś w planie rodzinnym!"), "youAreOnTheLatestVersion": MessageLookupByLibrary.simpleMessage( @@ -2002,6 +2265,9 @@ class MessageLookup extends MessageLookupByLibrary { "Twoja subskrypcja została pomyślnie zaktualizowana"), "yourVerificationCodeHasExpired": MessageLookupByLibrary.simpleMessage( "Twój kod weryfikacyjny wygasł"), + "youveNoDuplicateFilesThatCanBeCleared": + MessageLookupByLibrary.simpleMessage( + "Nie masz zduplikowanych plików, które można wyczyścić"), "youveNoFilesInThisAlbumThatCanBeDeleted": MessageLookupByLibrary.simpleMessage( "Nie masz żadnych plików w tym albumie, które można usunąć"), diff --git a/mobile/apps/photos/lib/generated/intl/messages_pt_BR.dart b/mobile/apps/photos/lib/generated/intl/messages_pt_BR.dart index 0b2505fff2..36bffa984a 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_pt_BR.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_pt_BR.dart @@ -1026,6 +1026,8 @@ class MessageLookup extends MessageLookupByLibrary { "Rosto não agrupado ainda, volte aqui mais tarde"), "faceRecognition": MessageLookupByLibrary.simpleMessage("Reconhecimento facial"), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "Incapaz de gerar miniaturas de rosto"), "faces": MessageLookupByLibrary.simpleMessage("Rostos"), "failed": MessageLookupByLibrary.simpleMessage("Falhou"), "failedToApplyCode": @@ -1063,6 +1065,8 @@ class MessageLookup extends MessageLookupByLibrary { "feastingWithThem": m34, "feedback": MessageLookupByLibrary.simpleMessage("Feedback"), "file": MessageLookupByLibrary.simpleMessage("Arquivo"), + "fileAnalysisFailed": + MessageLookupByLibrary.simpleMessage("Incapaz de analisar rosto"), "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( "Falhou ao salvar arquivo na galeria"), "fileInfoAddDescHint": diff --git a/mobile/apps/photos/lib/generated/intl/messages_pt_PT.dart b/mobile/apps/photos/lib/generated/intl/messages_pt_PT.dart index a4bdd9f09b..3d345d2865 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_pt_PT.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_pt_PT.dart @@ -1026,6 +1026,8 @@ class MessageLookup extends MessageLookupByLibrary { "Rosto não aglomerado ainda, retome mais tarde"), "faceRecognition": MessageLookupByLibrary.simpleMessage("Reconhecimento facial"), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "Impossível gerar thumbnails de rosto"), "faces": MessageLookupByLibrary.simpleMessage("Rostos"), "failed": MessageLookupByLibrary.simpleMessage("Falha"), "failedToApplyCode": @@ -1063,6 +1065,8 @@ class MessageLookup extends MessageLookupByLibrary { "feastingWithThem": m34, "feedback": MessageLookupByLibrary.simpleMessage("Comentário"), "file": MessageLookupByLibrary.simpleMessage("Ficheiro"), + "fileAnalysisFailed": + MessageLookupByLibrary.simpleMessage("Impossível analisar arquivo"), "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( "Falha ao guardar o ficheiro na galeria"), "fileInfoAddDescHint": diff --git a/mobile/apps/photos/lib/generated/intl/messages_ro.dart b/mobile/apps/photos/lib/generated/intl/messages_ro.dart index ea6407b424..60fa76c99c 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_ro.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_ro.dart @@ -75,7 +75,7 @@ class MessageLookup extends MessageLookupByLibrary { "Vă rugăm să trimiteți un e-mail la ${supportEmail} de pe adresa de e-mail înregistrată"; static String m26(count, storageSaved) => - "Ați curățat ${Intl.plural(count, one: '${count} dublură', other: '${count} de dubluri')}, economisind (${storageSaved}!)"; + "Ați curățat ${Intl.plural(count, one: '${count} dublură', few: '${count} dubluri', other: '${count} de dubluri')}, economisind (${storageSaved}!)"; static String m27(count, formattedSize) => "${count} fișiere, ${formattedSize} fiecare"; @@ -88,10 +88,10 @@ class MessageLookup extends MessageLookupByLibrary { static String m33(text) => "S-au găsit fotografii extra pentru ${text}"; static String m35(count, formattedNumber) => - "${Intl.plural(count, one: 'Un fișier de pe acest dispozitiv a fost deja salvat în siguranță', other: '${formattedNumber} de fișiere de pe acest dispozitiv fost deja salvate în siguranță')}"; + "${Intl.plural(count, one: 'Un fișier de pe acest dispozitiv a fost deja salvat în siguranță', few: '${formattedNumber} fișiere de pe acest dispozitiv au fost deja salvate în siguranță', other: '${formattedNumber} de fișiere de pe acest dispozitiv fost deja salvate în siguranță')}"; static String m36(count, formattedNumber) => - "${Intl.plural(count, one: 'Un fișier din acest album a fost deja salvat în siguranță', other: '${formattedNumber} de fișiere din acest album au fost deja salvate în siguranță')}"; + "${Intl.plural(count, one: 'Un fișier din acest album a fost deja salvat în siguranță', few: '${formattedNumber} fișiere din acest album au fost deja salvate în siguranță', other: '${formattedNumber} de fișiere din acest album au fost deja salvate în siguranță')}"; static String m37(storageAmountInGB) => "${storageAmountInGB} GB de fiecare dată când cineva se înscrie pentru un plan plătit și aplică codul dvs."; @@ -105,7 +105,7 @@ class MessageLookup extends MessageLookupByLibrary { "Se procesează ${currentlyProcessing} / ${totalCount}"; static String m44(count) => - "${Intl.plural(count, one: '${count} articol', other: '${count} de articole')}"; + "${Intl.plural(count, one: '${count} articol', few: '${count} articole', other: '${count} de articole')}"; static String m46(email) => "${email} v-a invitat să fiți un contact de încredere"; @@ -157,7 +157,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m75(endDate) => "Abonamentul se reînnoiește pe ${endDate}"; static String m77(count) => - "${Intl.plural(count, one: '${count} rezultat găsit', other: '${count} de rezultate găsite')}"; + "${Intl.plural(count, one: '${count} rezultat găsit', few: '${count} rezultate găsite', other: '${count} de rezultate găsite')}"; static String m78(snapshotLength, searchLength) => "Lungimea secțiunilor nu se potrivesc: ${snapshotLength} != ${searchLength}"; @@ -233,7 +233,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m114(email) => "Am trimis un e-mail la ${email}"; static String m116(count) => - "${Intl.plural(count, one: 'acum ${count} an', other: 'acum ${count} de ani')}"; + "${Intl.plural(count, one: 'acum ${count} an', few: 'acum ${count} ani', other: 'acum ${count} de ani')}"; static String m118(storageSaved) => "Ați eliberat cu succes ${storageSaved}!"; diff --git a/mobile/apps/photos/lib/generated/intl/messages_ru.dart b/mobile/apps/photos/lib/generated/intl/messages_ru.dart index 3955a25e92..cfb98a5709 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_ru.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_ru.dart @@ -322,7 +322,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m115(name) => "Поздравляем ${name} с днем ​​рождения! 🎉"; static String m116(count) => - "${Intl.plural(count, one: '${count} год назад', other: '${count} лет назад')}"; + "${Intl.plural(count, one: '${count} год назад', few: '${count} года назад', other: '${count} лет назад')}"; static String m117(name) => "Вы и ${name}"; @@ -1029,6 +1029,8 @@ class MessageLookup extends MessageLookupByLibrary { "Лицо ещё не кластеризовано. Пожалуйста, попробуйте позже"), "faceRecognition": MessageLookupByLibrary.simpleMessage("Распознавание лиц"), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "Не удалось создать миниатюры лиц"), "faces": MessageLookupByLibrary.simpleMessage("Лица"), "failed": MessageLookupByLibrary.simpleMessage("Не удалось"), "failedToApplyCode": @@ -1065,6 +1067,8 @@ class MessageLookup extends MessageLookupByLibrary { "feastingWithThem": m34, "feedback": MessageLookupByLibrary.simpleMessage("Обратная связь"), "file": MessageLookupByLibrary.simpleMessage("Файл"), + "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage( + "Не удалось проанализировать файл"), "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( "Не удалось сохранить файл в галерею"), "fileInfoAddDescHint": diff --git a/mobile/apps/photos/lib/generated/intl/messages_sr.dart b/mobile/apps/photos/lib/generated/intl/messages_sr.dart index baacea2a95..a548e788ca 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_sr.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_sr.dart @@ -20,6 +20,362 @@ typedef String MessageIfAbsent(String messageStr, List args); class MessageLookup extends MessageLookupByLibrary { String get localeName => 'sr'; + static String m8(count) => + "${Intl.plural(count, zero: 'Нека учесника', one: '1 учесник', other: '${count} учесника')}"; + + static String m25(supportEmail) => + "Молимо Вас да пошаљете имејл на ${supportEmail} са Ваше регистроване адресе е-поште"; + + static String m31(email) => + "${email} нема Енте налог.\n\nПошаљи им позивницу за дељење фотографија."; + + static String m47(expiryTime) => "Веза ће истећи ${expiryTime}"; + + static String m50(count, formattedCount) => + "${Intl.plural(count, zero: 'нема сећања', one: '${formattedCount} сећање', other: '${formattedCount} сећања')}"; + + static String m55(familyAdminEmail) => + "Молимо вас да контактирате ${familyAdminEmail} да бисте променили свој код."; + + static String m57(passwordStrengthValue) => + "Снага лозинке: ${passwordStrengthValue}"; + + static String m80(count) => "${count} изабрано"; + + static String m81(count, yourCount) => + "${count} изабрано (${yourCount} Ваше)"; + + static String m83(verificationID) => + "Ево мог ИД-а за верификацију: ${verificationID} за ente.io."; + + static String m84(verificationID) => + "Здраво, можеш ли да потврдиш да је ово твој ente.io ИД за верификацију: ${verificationID}"; + + static String m86(numberOfPeople) => + "${Intl.plural(numberOfPeople, zero: 'Подели са одређеним особама', one: 'Подељено са 1 особом', other: 'Подељено са ${numberOfPeople} особа')}"; + + static String m88(fileType) => + "Овај ${fileType} ће бити избрисан са твог уређаја."; + + static String m89(fileType) => + "Овај ${fileType} се налази и у Енте-у и на Вашем уређају."; + + static String m90(fileType) => "Овај ${fileType} ће бити избрисан из Енте-а."; + + static String m93(storageAmountInGB) => "${storageAmountInGB} ГБ"; + + static String m100(email) => "Ово је ИД за верификацију корисника ${email}"; + + static String m111(email) => "Верификуј ${email}"; + + static String m114(email) => "Послали смо е-попту на ${email}"; + final messages = _notInlinedMessages(_notInlinedMessages); - static Map _notInlinedMessages(_) => {}; + static Map _notInlinedMessages(_) => { + "accountWelcomeBack": + MessageLookupByLibrary.simpleMessage("Добродошли назад!"), + "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( + "Разумем да ако изгубим лозинку, могу изгубити своје податке пошто су шифрирани од краја до краја."), + "activeSessions": + MessageLookupByLibrary.simpleMessage("Активне сесије"), + "advancedSettings": MessageLookupByLibrary.simpleMessage("Напредно"), + "after1Day": MessageLookupByLibrary.simpleMessage("Након 1 дана"), + "after1Hour": MessageLookupByLibrary.simpleMessage("Након 1 сата"), + "after1Month": MessageLookupByLibrary.simpleMessage("Након 1 месеца"), + "after1Week": MessageLookupByLibrary.simpleMessage("Након 1 недеље"), + "after1Year": MessageLookupByLibrary.simpleMessage("Након 1 године"), + "albumParticipantsCount": m8, + "albumUpdated": MessageLookupByLibrary.simpleMessage("Албум ажуриран"), + "albums": MessageLookupByLibrary.simpleMessage("Албуми"), + "apply": MessageLookupByLibrary.simpleMessage("Примени"), + "applyCodeTitle": MessageLookupByLibrary.simpleMessage("Примени кôд"), + "archive": MessageLookupByLibrary.simpleMessage("Архивирај"), + "askDeleteReason": MessageLookupByLibrary.simpleMessage( + "Који је главни разлог што бришете свој налог?"), + "authToViewTrashedFiles": MessageLookupByLibrary.simpleMessage( + "Молимо вас да се аутентификујете да бисте видели датотеке у отпаду"), + "authToViewYourHiddenFiles": MessageLookupByLibrary.simpleMessage( + "Молимо вас да се аутентификујете да бисте видели скривене датотеке"), + "cancel": MessageLookupByLibrary.simpleMessage("Откажи"), + "change": MessageLookupByLibrary.simpleMessage("Измени"), + "changeEmail": MessageLookupByLibrary.simpleMessage("Промени е-пошту"), + "changePasswordTitle": + MessageLookupByLibrary.simpleMessage("Промени лозинку"), + "changeYourReferralCode": + MessageLookupByLibrary.simpleMessage("Промени свој реферални код"), + "checkInboxAndSpamFolder": MessageLookupByLibrary.simpleMessage( + "Молимо вас да проверите примљену пошту (и нежељену пошту) да бисте довршили верификацију"), + "codeAppliedPageTitle": + MessageLookupByLibrary.simpleMessage("Кôд примењен"), + "codeChangeLimitReached": MessageLookupByLibrary.simpleMessage( + "Жао нам је, достигли сте максимум броја промена кôда."), + "codeCopiedToClipboard": + MessageLookupByLibrary.simpleMessage("Копирано у међуспремник"), + "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( + "Креирајте везу која омогућава људима да додају и прегледају фотографије у вашем дељеном албуму без потребе за Енте апликацијом или налогом. Одлично за прикупљање фотографија са догађаја."), + "collaborativeLink": + MessageLookupByLibrary.simpleMessage("Сарадничка веза"), + "collectPhotos": + MessageLookupByLibrary.simpleMessage("Прикупи фотографије"), + "confirm": MessageLookupByLibrary.simpleMessage("Потврди"), + "confirmAccountDeletion": + MessageLookupByLibrary.simpleMessage("Потврдите брисање налога"), + "confirmDeletePrompt": MessageLookupByLibrary.simpleMessage( + "Да, желим трајно да избришем овај налог и све његове податке у свим апликацијама."), + "confirmPassword": + MessageLookupByLibrary.simpleMessage("Потврдите лозинку"), + "contactSupport": + MessageLookupByLibrary.simpleMessage("Контактирати подршку"), + "continueLabel": MessageLookupByLibrary.simpleMessage("Настави"), + "copyLink": MessageLookupByLibrary.simpleMessage("Копирај везу"), + "copypasteThisCodentoYourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Копирајте и налепите овај код \nу своју апликацију за аутентификацију"), + "createAccount": MessageLookupByLibrary.simpleMessage("Направи налог"), + "createAlbumActionHint": MessageLookupByLibrary.simpleMessage( + "Дуго притисните да бисте изабрали фотографије и кликните на + да бисте направили албум"), + "createNewAccount": + MessageLookupByLibrary.simpleMessage("Креирај нови налог"), + "createPublicLink": + MessageLookupByLibrary.simpleMessage("Креирај јавну везу"), + "custom": MessageLookupByLibrary.simpleMessage("Прилагођено"), + "decrypting": MessageLookupByLibrary.simpleMessage("Дешифровање..."), + "deleteAccount": MessageLookupByLibrary.simpleMessage("Обриши налог"), + "deleteAccountFeedbackPrompt": MessageLookupByLibrary.simpleMessage( + "Жао нам је што одлазите. Молимо вас да нам оставите повратне информације како бисмо могли да се побољшамо."), + "deleteAccountPermanentlyButton": + MessageLookupByLibrary.simpleMessage("Трајно обриши налог"), + "deleteEmailRequest": MessageLookupByLibrary.simpleMessage( + "Молимо пошаљите имејл на account-deletion@ente.io са ваше регистроване адресе е-поште."), + "deleteFromBoth": MessageLookupByLibrary.simpleMessage("Обриши са оба"), + "deleteFromDevice": + MessageLookupByLibrary.simpleMessage("Обриши са уређаја"), + "deleteFromEnte": + MessageLookupByLibrary.simpleMessage("Обриши са Енте-а"), + "deleteReason1": MessageLookupByLibrary.simpleMessage( + "Недостаје важна функција која ми је потребна"), + "deleteReason2": MessageLookupByLibrary.simpleMessage( + "Апликација или одређена функција не ради онако како мислим да би требало"), + "deleteReason3": MessageLookupByLibrary.simpleMessage( + "Пронашао/ла сам други сервис који ми више одговара"), + "deleteReason4": + MessageLookupByLibrary.simpleMessage("Мој разлог није на листи"), + "deleteRequestSLAText": MessageLookupByLibrary.simpleMessage( + "Ваш захтев ће бити обрађен у року од 72 сата."), + "doThisLater": + MessageLookupByLibrary.simpleMessage("Уради ово касније"), + "done": MessageLookupByLibrary.simpleMessage("Готово"), + "dropSupportEmail": m25, + "email": MessageLookupByLibrary.simpleMessage("Е-пошта"), + "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( + "Е-пошта је већ регистрована."), + "emailNoEnteAccount": m31, + "emailNotRegistered": + MessageLookupByLibrary.simpleMessage("Е-пошта није регистрована."), + "encryption": MessageLookupByLibrary.simpleMessage("Шифровање"), + "encryptionKeys": + MessageLookupByLibrary.simpleMessage("Кључеви шифровања"), + "entePhotosPerm": MessageLookupByLibrary.simpleMessage( + "Енте-у је потребна дозвола да сачува ваше фотографије"), + "enterCode": MessageLookupByLibrary.simpleMessage("Унесите кôд"), + "enterCodeDescription": MessageLookupByLibrary.simpleMessage( + "Унеси код који ти је дао пријатељ да бисте обоје добили бесплатан простор за складиштење"), + "enterNewPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Унесите нову лозинку коју можемо да користимо за шифровање ваших података"), + "enterPasswordToEncrypt": MessageLookupByLibrary.simpleMessage( + "Унесите лозинку коју можемо да користимо за шифровање ваших података"), + "enterReferralCode": + MessageLookupByLibrary.simpleMessage("Унеси реферални код"), + "enterThe6digitCodeFromnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Унесите 6-цифрени кôд из\nапликације за аутентификацију"), + "enterValidEmail": MessageLookupByLibrary.simpleMessage( + "Молимо унесите исправну адресу е-поште."), + "enterYourEmailAddress": + MessageLookupByLibrary.simpleMessage("Унесите Вашу е-пошту"), + "enterYourNewEmailAddress": + MessageLookupByLibrary.simpleMessage("Унесите Вашу нову е-пошту"), + "enterYourPassword": + MessageLookupByLibrary.simpleMessage("Унесите лозинку"), + "enterYourRecoveryKey": MessageLookupByLibrary.simpleMessage( + "Унесите Ваш кључ за опоравак"), + "failedToApplyCode": + MessageLookupByLibrary.simpleMessage("Грешка у примењивању кôда"), + "failedToLoadAlbums": + MessageLookupByLibrary.simpleMessage("Грешка при учитавању албума"), + "feedback": + MessageLookupByLibrary.simpleMessage("Повратне информације"), + "forgotPassword": + MessageLookupByLibrary.simpleMessage("Заборавио сам лозинку"), + "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage( + "Генерисање кључева за шифровање..."), + "hidden": MessageLookupByLibrary.simpleMessage("Скривено"), + "howItWorks": MessageLookupByLibrary.simpleMessage("Како ради"), + "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( + "Молимо их да дуго притисну своју адресу е-поште на екрану за подешавања и провере да ли се ИД-ови на оба уређаја поклапају."), + "importing": MessageLookupByLibrary.simpleMessage("Увоз...."), + "incorrectPasswordTitle": + MessageLookupByLibrary.simpleMessage("Неисправна лозинка"), + "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( + "Унети кључ за опоравак је натачан"), + "incorrectRecoveryKeyTitle": + MessageLookupByLibrary.simpleMessage("Нетачан кључ за опоравак"), + "insecureDevice": + MessageLookupByLibrary.simpleMessage("Уређај није сигуран"), + "invalidEmailAddress": + MessageLookupByLibrary.simpleMessage("Неисправна е-пошта"), + "kindlyHelpUsWithThisInformation": MessageLookupByLibrary.simpleMessage( + "Љубазно вас молимо да нам помогнете са овим информацијама"), + "linkExpiresOn": m47, + "linkHasExpired": + MessageLookupByLibrary.simpleMessage("Веза је истекла"), + "logInLabel": MessageLookupByLibrary.simpleMessage("Пријави се"), + "loginTerms": MessageLookupByLibrary.simpleMessage( + "Кликом на пријаву, прихватам услове сервиса и политику приватности"), + "manageLink": MessageLookupByLibrary.simpleMessage("Управљај везом"), + "manageParticipants": MessageLookupByLibrary.simpleMessage("Управљај"), + "memoryCount": m50, + "moderateStrength": MessageLookupByLibrary.simpleMessage("Средње"), + "movedToTrash": + MessageLookupByLibrary.simpleMessage("Премештено у смеће"), + "never": MessageLookupByLibrary.simpleMessage("Никад"), + "newAlbum": MessageLookupByLibrary.simpleMessage("Нови албум"), + "noRecoveryKey": + MessageLookupByLibrary.simpleMessage("Немате кључ за опоравак?"), + "noRecoveryKeyNoDecryption": MessageLookupByLibrary.simpleMessage( + "Због природе нашег протокола за крај-до-крај енкрипцију, ваши подаци не могу бити дешифровани без ваше лозинке или кључа за опоравак"), + "ok": MessageLookupByLibrary.simpleMessage("Ок"), + "onlyFamilyAdminCanChangeCode": m55, + "oops": MessageLookupByLibrary.simpleMessage("Упс!"), + "password": MessageLookupByLibrary.simpleMessage("Лозинка"), + "passwordChangedSuccessfully": MessageLookupByLibrary.simpleMessage( + "Лозинка је успешно промењена"), + "passwordStrength": m57, + "passwordWarning": MessageLookupByLibrary.simpleMessage( + "Не чувамо ову лозинку, па ако је заборавите, не можемо дешифрирати ваше податке"), + "photoSmallCase": MessageLookupByLibrary.simpleMessage("слика"), + "pleaseTryAgain": + MessageLookupByLibrary.simpleMessage("Пробајте поново"), + "pleaseWait": + MessageLookupByLibrary.simpleMessage("Молимо сачекајте..."), + "privacyPolicyTitle": + MessageLookupByLibrary.simpleMessage("Политика приватности"), + "publicLinkEnabled": + MessageLookupByLibrary.simpleMessage("Јавна веза је укључена"), + "recover": MessageLookupByLibrary.simpleMessage("Опорави"), + "recoverAccount": + MessageLookupByLibrary.simpleMessage("Опоравак налога"), + "recoverButton": MessageLookupByLibrary.simpleMessage("Опорави"), + "recoveryKey": MessageLookupByLibrary.simpleMessage("Кључ за опоравак"), + "recoveryKeyCopiedToClipboard": MessageLookupByLibrary.simpleMessage( + "Кључ за опоравак је копиран у међуспремник"), + "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( + "Ако заборавите лозинку, једини начин на који можете повратити податке је са овим кључем."), + "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( + "Не чувамо овај кључ, молимо да сачувате кључ од 24 речи на сигурном месту."), + "recoverySuccessful": + MessageLookupByLibrary.simpleMessage("Опоравак успешан!"), + "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( + "Тренутни уређај није довољно моћан да потврди вашу лозинку, али можемо регенерирати на начин који ради са свим уређајима.\n\nПријавите се помоћу кључа за опоравак и обновите своју лозинку (можете поново користити исту ако желите)."), + "recreatePasswordTitle": + MessageLookupByLibrary.simpleMessage("Рекреирај лозинку"), + "removeLink": MessageLookupByLibrary.simpleMessage("Уклони везу"), + "resendEmail": + MessageLookupByLibrary.simpleMessage("Поново пошаљи е-пошту"), + "resetPasswordTitle": + MessageLookupByLibrary.simpleMessage("Ресетуј лозинку"), + "saveKey": MessageLookupByLibrary.simpleMessage("Сачувај кључ"), + "scanCode": MessageLookupByLibrary.simpleMessage("Скенирајте кôд"), + "scanThisBarcodeWithnyourAuthenticatorApp": + MessageLookupByLibrary.simpleMessage( + "Скенирајте овај баркод \nсвојом апликацијом за аутентификацију"), + "selectReason": + MessageLookupByLibrary.simpleMessage("Одаберите разлог"), + "selectedPhotos": m80, + "selectedPhotosWithYours": m81, + "sendEmail": MessageLookupByLibrary.simpleMessage("Пошаљи е-пошту"), + "sendInvite": MessageLookupByLibrary.simpleMessage("Пошаљи позивницу"), + "sendLink": MessageLookupByLibrary.simpleMessage("Пошаљи везу"), + "setPasswordTitle": + MessageLookupByLibrary.simpleMessage("Постави лозинку"), + "setupComplete": + MessageLookupByLibrary.simpleMessage("Постављање завршено"), + "shareALink": MessageLookupByLibrary.simpleMessage("Подели везу"), + "shareMyVerificationID": m83, + "shareTextConfirmOthersVerificationID": m84, + "shareTextRecommendUsingEnte": MessageLookupByLibrary.simpleMessage( + "Преузми Енте да бисмо лако делили фотографије и видео записе у оригиналном квалитету\n\nhttps://ente.io"), + "shareWithNonenteUsers": MessageLookupByLibrary.simpleMessage( + "Пошаљи корисницима који немају Енте налог"), + "shareWithPeopleSectionTitle": m86, + "sharedAlbumSectionDescription": MessageLookupByLibrary.simpleMessage( + "Креирај дељене и заједничке албуме са другим Енте корисницима, укључујући и оне на бесплатним плановима."), + "signUpTerms": MessageLookupByLibrary.simpleMessage( + "Прихватам услове сервиса и политику приватности"), + "singleFileDeleteFromDevice": m88, + "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( + "Биће обрисано из свих албума."), + "singleFileInBothLocalAndRemote": m89, + "singleFileInRemoteOnly": m90, + "someoneSharingAlbumsWithYouShouldSeeTheSameId": + MessageLookupByLibrary.simpleMessage( + "Особе које деле албуме с тобом би требале да виде исти ИД на свом уређају."), + "somethingWentWrong": + MessageLookupByLibrary.simpleMessage("Нешто није у реду"), + "somethingWentWrongPleaseTryAgain": + MessageLookupByLibrary.simpleMessage( + "Нешто је пошло наопако, покушајте поново"), + "sorry": MessageLookupByLibrary.simpleMessage("Извините"), + "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": + MessageLookupByLibrary.simpleMessage( + "Извините, не можемо да генеришемо сигурне кључеве на овом уређају.\n\nМолимо пријавите се са другог уређаја."), + "storageInGB": m93, + "strongStrength": MessageLookupByLibrary.simpleMessage("Јако"), + "tapToCopy": + MessageLookupByLibrary.simpleMessage("питисните да копирате"), + "tapToEnterCode": + MessageLookupByLibrary.simpleMessage("Пипните да бисте унели кôд"), + "terminate": MessageLookupByLibrary.simpleMessage("Прекини"), + "terminateSession": + MessageLookupByLibrary.simpleMessage("Прекинути сесију?"), + "termsOfServicesTitle": MessageLookupByLibrary.simpleMessage("Услови"), + "thisDevice": MessageLookupByLibrary.simpleMessage("Овај уређај"), + "thisIsPersonVerificationId": m100, + "thisIsYourVerificationId": MessageLookupByLibrary.simpleMessage( + "Ово је Ваш ИД за верификацију"), + "thisWillLogYouOutOfTheFollowingDevice": + MessageLookupByLibrary.simpleMessage( + "Ово ће вас одјавити са овог уређаја:"), + "thisWillLogYouOutOfThisDevice": MessageLookupByLibrary.simpleMessage( + "Ово ће вас одјавити са овог уређаја!"), + "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( + "Да бисте ресетовали лозинку, прво потврдите своју е-пошту."), + "trash": MessageLookupByLibrary.simpleMessage("Смеће"), + "twofactorSetup": MessageLookupByLibrary.simpleMessage( + "Постављање двофакторске аутентификације"), + "unavailableReferralCode": MessageLookupByLibrary.simpleMessage( + "Жао нам је, овај кôд није доступан."), + "uncategorized": + MessageLookupByLibrary.simpleMessage("Некатегоризовано"), + "useRecoveryKey": + MessageLookupByLibrary.simpleMessage("Користи кључ за опоравак"), + "verificationId": + MessageLookupByLibrary.simpleMessage("ИД за верификацију"), + "verify": MessageLookupByLibrary.simpleMessage("Верификуј"), + "verifyEmail": + MessageLookupByLibrary.simpleMessage("Верификуј е-пошту"), + "verifyEmailID": m111, + "verifyPassword": + MessageLookupByLibrary.simpleMessage("Верификујте лозинку"), + "videoSmallCase": MessageLookupByLibrary.simpleMessage("видео"), + "weHaveSendEmailTo": m114, + "weakStrength": MessageLookupByLibrary.simpleMessage("Слабо"), + "welcomeBack": + MessageLookupByLibrary.simpleMessage("Добродошли назад!"), + "yesDelete": MessageLookupByLibrary.simpleMessage("Да, обриши"), + "youCannotShareWithYourself": MessageLookupByLibrary.simpleMessage( + "Не можеш делити сам са собом"), + "yourAccountHasBeenDeleted": + MessageLookupByLibrary.simpleMessage("Ваш налог је обрисан") + }; } diff --git a/mobile/apps/photos/lib/generated/intl/messages_sv.dart b/mobile/apps/photos/lib/generated/intl/messages_sv.dart index 46120eaaf9..80ddab1271 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_sv.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_sv.dart @@ -53,7 +53,8 @@ class MessageLookup extends MessageLookupByLibrary { static String m37(storageAmountInGB) => "${storageAmountInGB} GB varje gång någon registrerar sig för en betalplan och tillämpar din kod"; - static String m44(count) => "${Intl.plural(count, other: '${count} objekt')}"; + static String m44(count) => + "${Intl.plural(count, one: '${count} objekt', other: '${count} objekt')}"; static String m47(expiryTime) => "Länken upphör att gälla ${expiryTime}"; @@ -73,7 +74,7 @@ class MessageLookup extends MessageLookupByLibrary { "${userEmail} kommer att tas bort från detta delade album\n\nAlla bilder som lagts till av dem kommer också att tas bort från albumet"; static String m77(count) => - "${Intl.plural(count, other: '${count} resultat hittades')}"; + "${Intl.plural(count, one: '${count} resultat hittades', other: '${count} resultat hittades')}"; static String m83(verificationID) => "Här är mitt verifierings-ID: ${verificationID} för ente.io."; @@ -102,7 +103,7 @@ class MessageLookup extends MessageLookupByLibrary { "Vi har skickat ett e-postmeddelande till ${email}"; static String m116(count) => - "${Intl.plural(count, other: '${count} år sedan')}"; + "${Intl.plural(count, one: '${count} år sedan', other: '${count} år sedan')}"; final messages = _notInlinedMessages(_notInlinedMessages); static Map _notInlinedMessages(_) => { diff --git a/mobile/apps/photos/lib/generated/intl/messages_tr.dart b/mobile/apps/photos/lib/generated/intl/messages_tr.dart index b0070facc8..3529148c3c 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_tr.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_tr.dart @@ -157,7 +157,7 @@ class MessageLookup extends MessageLookupByLibrary { "Bu, ${personName} ile ${email} arasında bağlantı kuracaktır."; static String m50(count, formattedCount) => - "${Intl.plural(count, zero: 'hiç anı yok', other: '${formattedCount} anı')}"; + "${Intl.plural(count, zero: 'hiç anı yok', one: '${formattedCount} anı', other: '${formattedCount} anı')}"; static String m51(count) => "${Intl.plural(count, one: 'Öğeyi taşı', other: 'Öğeleri taşı')}"; @@ -223,7 +223,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m76(name) => "${name} ile yolculuk"; static String m77(count) => - "${Intl.plural(count, other: '${count} yıl önce')}"; + "${Intl.plural(count, one: '${count} yıl önce', other: '${count} yıl önce')}"; static String m78(snapshotLength, searchLength) => "Bölüm uzunluğu uyuşmazlığı: ${snapshotLength} != ${searchLength}"; @@ -320,8 +320,10 @@ class MessageLookup extends MessageLookupByLibrary { static String m114(email) => "E-postayı ${email} adresine gönderdik"; + static String m115(name) => "${name} doğum günü kutlu olsun! 🎉"; + static String m116(count) => - "${Intl.plural(count, other: '${count} yıl önce')}"; + "${Intl.plural(count, one: '${count} yıl önce', other: '${count} yıl önce')}"; static String m117(name) => "Sen ve ${name}"; @@ -352,6 +354,8 @@ class MessageLookup extends MessageLookupByLibrary { "addAName": MessageLookupByLibrary.simpleMessage("Bir Ad Ekle"), "addANewEmail": MessageLookupByLibrary.simpleMessage("Yeni e-posta ekle"), + "addAlbumWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Ana ekranınıza bir albüm widget\'ı ekleyin ve özelleştirmek için buraya geri dönün."), "addCollaborator": MessageLookupByLibrary.simpleMessage("Düzenleyici ekle"), "addCollaborators": m1, @@ -360,6 +364,8 @@ class MessageLookup extends MessageLookupByLibrary { "addItem": m2, "addLocation": MessageLookupByLibrary.simpleMessage("Konum Ekle"), "addLocationButton": MessageLookupByLibrary.simpleMessage("Ekle"), + "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Ana ekranınıza bir anılar widget\'ı ekleyin ve özelleştirmek için buraya geri dönün."), "addMore": MessageLookupByLibrary.simpleMessage("Daha fazla ekle"), "addName": MessageLookupByLibrary.simpleMessage("İsim Ekle"), "addNameOrMerge": MessageLookupByLibrary.simpleMessage( @@ -372,6 +378,8 @@ class MessageLookup extends MessageLookupByLibrary { "addOns": MessageLookupByLibrary.simpleMessage("Eklentiler"), "addParticipants": MessageLookupByLibrary.simpleMessage("Katılımcı ekle"), + "addPeopleWidgetPrompt": MessageLookupByLibrary.simpleMessage( + "Ana ekranınıza bir kişiler widget\'ı ekleyin ve özelleştirmek için buraya geri dönün."), "addPhotos": MessageLookupByLibrary.simpleMessage("Fotoğraf ekle"), "addSelected": MessageLookupByLibrary.simpleMessage("Seçileni ekle"), "addToAlbum": MessageLookupByLibrary.simpleMessage("Albüme ekle"), @@ -403,11 +411,16 @@ class MessageLookup extends MessageLookupByLibrary { "albumUpdated": MessageLookupByLibrary.simpleMessage("Albüm güncellendi"), "albums": MessageLookupByLibrary.simpleMessage("Albümler"), + "albumsWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Ana ekranınızda görmek istediğiniz albümleri seçin."), "allClear": MessageLookupByLibrary.simpleMessage("✨ Tümü temizlendi"), "allMemoriesPreserved": MessageLookupByLibrary.simpleMessage("Tüm anılar saklandı"), "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( "Bu kişi için tüm gruplamalar sıfırlanacak ve bu kişi için yaptığınız tüm önerileri kaybedeceksiniz"), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "Tüm isimsiz gruplar seçilen kişiyle birleştirilecektir. Bu, kişinin öneri geçmişine genel bakışından hala geri alınabilir."), "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( "Bu, gruptaki ilk fotoğraftır. Seçilen diğer fotoğraflar otomatik olarak bu yeni tarihe göre kaydırılacaktır"), "allow": MessageLookupByLibrary.simpleMessage("İzin ver"), @@ -459,6 +472,10 @@ class MessageLookup extends MessageLookupByLibrary { "archive": MessageLookupByLibrary.simpleMessage("Arşiv"), "archiveAlbum": MessageLookupByLibrary.simpleMessage("Albümü arşivle"), "archiving": MessageLookupByLibrary.simpleMessage("Arşivleniyor..."), + "areThey": MessageLookupByLibrary.simpleMessage("Onlar mı "), + "areYouSureRemoveThisFaceFromPerson": + MessageLookupByLibrary.simpleMessage( + "Bu yüzü bu kişiden çıkarmak istediğine emin misin?"), "areYouSureThatYouWantToLeaveTheFamily": MessageLookupByLibrary.simpleMessage( "Aile planından ayrılmak istediğinize emin misiniz?"), @@ -469,8 +486,16 @@ class MessageLookup extends MessageLookupByLibrary { "Planı değistirmek istediğinize emin misiniz?"), "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage( "Çıkmak istediğinden emin misiniz?"), + "areYouSureYouWantToIgnoreThesePersons": + MessageLookupByLibrary.simpleMessage( + "Bu insanları görmezden gelmek istediğine emin misiniz?"), + "areYouSureYouWantToIgnoreThisPerson": + MessageLookupByLibrary.simpleMessage( + "Bu kişiyi görmezden gelmek istediğine emin misin?"), "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( "Çıkış yapmak istediğinize emin misiniz?"), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "Onları birleştirmek istediğine emin misiniz?"), "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage( "Yenilemek istediğinize emin misiniz?"), "areYouSureYouWantToResetThisPerson": @@ -552,9 +577,35 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Videoları yedekle"), "beach": MessageLookupByLibrary.simpleMessage("Kum ve deniz"), "birthday": MessageLookupByLibrary.simpleMessage("Doğum Günü"), + "birthdayNotifications": + MessageLookupByLibrary.simpleMessage("Doğum günü bildirimleri"), + "birthdays": MessageLookupByLibrary.simpleMessage("Doğum Günleri"), "blackFridaySale": MessageLookupByLibrary.simpleMessage("Muhteşem Cuma kampanyası"), "blog": MessageLookupByLibrary.simpleMessage("Blog"), + "cLDesc1": MessageLookupByLibrary.simpleMessage( + "Video akışı beta sürümünün arkasında ve devam ettirilebilir yüklemeler ve indirmeler üzerinde çalışırken, artık dosya yükleme sınırını 10 GB\'a çıkardık. Bu artık hem masaüstü hem de mobil uygulamalarda kullanılabilir."), + "cLDesc2": MessageLookupByLibrary.simpleMessage( + "Arka plan yüklemeleri artık Android cihazlara ek olarak iOS\'ta da destekleniyor. En son fotoğraflarınızı ve videolarınızı yedeklemek için uygulamayı açmanıza gerek yok."), + "cLDesc3": MessageLookupByLibrary.simpleMessage( + "Otomatik oynatma, bir sonraki belleğe kaydırma ve çok daha fazlası dahil olmak üzere bellek deneyimimizde önemli iyileştirmeler yaptık."), + "cLDesc4": MessageLookupByLibrary.simpleMessage( + "Bazı arka plandaki iyileştirmelere ek olarak, artık tespit edilen tüm yüzleri görmek, benzer yüzler hakkında geri bildirimde bulunmak ve tek bir fotoğraftan yüz ekleyip çıkarmak çok daha kolay."), + "cLDesc5": MessageLookupByLibrary.simpleMessage( + "Ente’ye kaydettiğiniz tüm doğum günleri için artık en iyi fotoğraflarından oluşan bir koleksiyonla birlikte, devre dışı bırakabileceğiniz bir bildirim alacaksınız."), + "cLDesc6": MessageLookupByLibrary.simpleMessage( + "Uygulamayı kapatmadan önce yüklemelerin / indirmelerin tamamlanmasını beklemenize gerek yok. Tüm yüklemeler ve indirmeler artık yarıda duraklatma ve kaldığınız yerden devam etme özelliğine sahip."), + "cLTitle1": MessageLookupByLibrary.simpleMessage( + "Büyük Video Dosyalarını Yükleme"), + "cLTitle2": MessageLookupByLibrary.simpleMessage("Arka Plan Yükleme"), + "cLTitle3": + MessageLookupByLibrary.simpleMessage("Otomatik Oynatma Anıları"), + "cLTitle4": + MessageLookupByLibrary.simpleMessage("Geliştirilmiş Yüz Tanıma"), + "cLTitle5": + MessageLookupByLibrary.simpleMessage("Doğum Günü Bildirimleri"), + "cLTitle6": MessageLookupByLibrary.simpleMessage( + "Devam Ettirilebilir Yüklemeler ve İndirmeler"), "cachedData": MessageLookupByLibrary.simpleMessage("Önbelleğe alınmış veriler"), "calculating": MessageLookupByLibrary.simpleMessage("Hesaplanıyor..."), @@ -595,7 +646,7 @@ class MessageLookup extends MessageLookupByLibrary { "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( "Seçilen öğelerin konumu değiştirilsin mi?"), "changePassword": - MessageLookupByLibrary.simpleMessage("Sifrenizi değiştirin"), + MessageLookupByLibrary.simpleMessage("Şifrenizi değiştirin"), "changePasswordTitle": MessageLookupByLibrary.simpleMessage("Parolanızı değiştirin"), "changePermissions": @@ -628,6 +679,8 @@ class MessageLookup extends MessageLookupByLibrary { "click": MessageLookupByLibrary.simpleMessage("• Tıklamak"), "clickOnTheOverflowMenu": MessageLookupByLibrary.simpleMessage("• Taşma menüsüne tıklayın"), + "clickToInstallOurBestVersionYet": MessageLookupByLibrary.simpleMessage( + "Bugüne kadarki en iyi sürümümüzü yüklemek için tıklayın"), "close": MessageLookupByLibrary.simpleMessage("Kapat"), "clubByCaptureTime": MessageLookupByLibrary.simpleMessage( "Yakalama zamanına göre kulüp"), @@ -809,6 +862,7 @@ class MessageLookup extends MessageLookupByLibrary { "deviceNotFound": MessageLookupByLibrary.simpleMessage("Cihaz bulunamadı"), "didYouKnow": MessageLookupByLibrary.simpleMessage("Biliyor musun?"), + "different": MessageLookupByLibrary.simpleMessage("Farklı"), "disableAutoLock": MessageLookupByLibrary.simpleMessage( "Otomatik kilidi devre dışı bırak"), "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( @@ -875,13 +929,13 @@ class MessageLookup extends MessageLookupByLibrary { "Konumda yapılan düzenlemeler yalnızca Ente\'de görülecektir"), "eligible": MessageLookupByLibrary.simpleMessage("uygun"), "email": MessageLookupByLibrary.simpleMessage("E-Posta"), - "emailAlreadyRegistered": MessageLookupByLibrary.simpleMessage( - "Bu e-posta adresi zaten kayıtlı."), + "emailAlreadyRegistered": + MessageLookupByLibrary.simpleMessage("E-posta zaten kayıtlı."), "emailChangedTo": m29, "emailDoesNotHaveEnteAccount": m30, "emailNoEnteAccount": m31, - "emailNotRegistered": MessageLookupByLibrary.simpleMessage( - "Bu e-posta adresi sistemde kayıtlı değil."), + "emailNotRegistered": + MessageLookupByLibrary.simpleMessage("E-posta kayıtlı değil."), "emailVerificationToggle": MessageLookupByLibrary.simpleMessage("E-posta doğrulama"), "emailYourLogs": MessageLookupByLibrary.simpleMessage( @@ -906,7 +960,7 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Yedekleme şifreleniyor..."), "encryption": MessageLookupByLibrary.simpleMessage("Şifreleme"), "encryptionKeys": - MessageLookupByLibrary.simpleMessage("Sifreleme anahtarı"), + MessageLookupByLibrary.simpleMessage("Şifreleme anahtarı"), "endpointUpdatedMessage": MessageLookupByLibrary.simpleMessage( "Fatura başarıyla güncellendi"), "endtoendEncryptedByDefault": MessageLookupByLibrary.simpleMessage( @@ -947,7 +1001,7 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage( "Doğrulama uygulamasındaki 6 basamaklı kodu giriniz"), "enterValidEmail": MessageLookupByLibrary.simpleMessage( - "Lütfen geçerli bir E-posta adresi girin."), + "Lütfen geçerli bir e-posta adresi girin."), "enterYourEmailAddress": MessageLookupByLibrary.simpleMessage("E-posta adresinizi girin"), "enterYourNewEmailAddress": MessageLookupByLibrary.simpleMessage( @@ -1069,6 +1123,8 @@ class MessageLookup extends MessageLookupByLibrary { "guestView": MessageLookupByLibrary.simpleMessage("Misafir Görünümü"), "guestViewEnablePreSteps": MessageLookupByLibrary.simpleMessage( "Misafir görünümünü etkinleştirmek için lütfen sistem ayarlarınızda cihaz şifresi veya ekran kilidi ayarlayın."), + "happyBirthday": + MessageLookupByLibrary.simpleMessage("Doğum günün kutlu olsun! 🥳"), "hearUsExplanation": MessageLookupByLibrary.simpleMessage( "Biz uygulama kurulumlarını takip etmiyoruz. Bizi nereden duyduğunuzdan bahsetmeniz bize çok yardımcı olacak!"), "hearUsWhereTitle": MessageLookupByLibrary.simpleMessage( @@ -1095,6 +1151,7 @@ class MessageLookup extends MessageLookupByLibrary { "iOSLockOut": MessageLookupByLibrary.simpleMessage( "Biyometrik kimlik doğrulama devre dışı. Etkinleştirmek için lütfen ekranınızı kilitleyin ve kilidini açın."), "iOSOkButton": MessageLookupByLibrary.simpleMessage("Tamam"), + "ignore": MessageLookupByLibrary.simpleMessage("Yoksay"), "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Yoksay"), "ignored": MessageLookupByLibrary.simpleMessage("yoksayıldı"), "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( @@ -1115,6 +1172,8 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Yanlış kurtarma kodu"), "indexedItems": MessageLookupByLibrary.simpleMessage("Dizinlenmiş öğeler"), + "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( + "Dizin oluşturma duraklatıldı. Cihaz hazır olduğunda otomatik olarak devam edecektir. Cihaz, pil seviyesi, pil sağlığı ve termal durumu sağlıklı bir aralıkta olduğunda hazır kabul edilir."), "ineligible": MessageLookupByLibrary.simpleMessage("Uygun Değil"), "info": MessageLookupByLibrary.simpleMessage("Bilgi"), "insecureDevice": @@ -1265,6 +1324,8 @@ class MessageLookup extends MessageLookupByLibrary { "longpressOnAnItemToViewInFullscreen": MessageLookupByLibrary.simpleMessage( "Tam ekranda görüntülemek için bir öğeye uzun basın"), + "lookBackOnYourMemories": + MessageLookupByLibrary.simpleMessage("Anılarına bir bak 🌄"), "loopVideoOff": MessageLookupByLibrary.simpleMessage("Video Döngüsü Kapalı"), "loopVideoOn": @@ -1293,8 +1354,12 @@ class MessageLookup extends MessageLookupByLibrary { "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), "matrix": MessageLookupByLibrary.simpleMessage("Matrix"), "me": MessageLookupByLibrary.simpleMessage("Ben"), + "memories": MessageLookupByLibrary.simpleMessage("Anılar"), + "memoriesWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Ana ekranınızda görmek istediğiniz anı türünü seçin."), "memoryCount": m50, "merchandise": MessageLookupByLibrary.simpleMessage("Ürünler"), + "merge": MessageLookupByLibrary.simpleMessage("Birleştir"), "mergeWithExisting": MessageLookupByLibrary.simpleMessage("Var olan ile birleştir."), "mergedPhotos": @@ -1346,6 +1411,7 @@ class MessageLookup extends MessageLookupByLibrary { "newAlbum": MessageLookupByLibrary.simpleMessage("Yeni albüm"), "newLocation": MessageLookupByLibrary.simpleMessage("Yeni konum"), "newPerson": MessageLookupByLibrary.simpleMessage("Yeni Kişi"), + "newPhotosEmoji": MessageLookupByLibrary.simpleMessage(" yeni 📸"), "newRange": MessageLookupByLibrary.simpleMessage("Yeni aralık"), "newToEnte": MessageLookupByLibrary.simpleMessage("Ente\'de yeniyim"), "newest": MessageLookupByLibrary.simpleMessage("En yeni"), @@ -1401,6 +1467,10 @@ class MessageLookup extends MessageLookupByLibrary { "ente üzerinde"), "onTheRoad": MessageLookupByLibrary.simpleMessage("Yeniden yollarda"), "onThisDay": MessageLookupByLibrary.simpleMessage("Bu günde"), + "onThisDayMemories": + MessageLookupByLibrary.simpleMessage("Bugün anılar"), + "onThisDayNotificationExplanation": MessageLookupByLibrary.simpleMessage( + "Önceki yıllarda bu günden anılar hakkında hatırlatıcılar alın."), "onlyFamilyAdminCanChangeCode": m55, "onlyThem": MessageLookupByLibrary.simpleMessage("Sadece onlar"), "oops": MessageLookupByLibrary.simpleMessage("Hay aksi"), @@ -1425,6 +1495,8 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Veya mevcut birini seçiniz"), "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( "veya kişilerinizden birini seçin"), + "otherDetectedFaces": + MessageLookupByLibrary.simpleMessage("Tespit edilen diğer yüzler"), "pair": MessageLookupByLibrary.simpleMessage("Eşleştir"), "pairWithPin": MessageLookupByLibrary.simpleMessage("PIN ile eşleştirin"), @@ -1446,6 +1518,8 @@ class MessageLookup extends MessageLookupByLibrary { "Parola gücü, parolanın uzunluğu, kullanılan karakterler ve parolanın en çok kullanılan ilk 10.000 parola arasında yer alıp almadığı dikkate alınarak hesaplanır"), "passwordWarning": MessageLookupByLibrary.simpleMessage( "Şifrelerinizi saklamıyoruz, bu yüzden unutursanız, verilerinizi deşifre edemeyiz"), + "pastYearsMemories": + MessageLookupByLibrary.simpleMessage("Geçmiş yılların anıları"), "paymentDetails": MessageLookupByLibrary.simpleMessage("Ödeme detayları"), "paymentFailed": @@ -1459,6 +1533,8 @@ class MessageLookup extends MessageLookupByLibrary { "people": MessageLookupByLibrary.simpleMessage("Kişiler"), "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage("Kodunuzu kullananlar"), + "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( + "Ana ekranınızda görmek istediğiniz kişileri seçin."), "permDeleteWarning": MessageLookupByLibrary.simpleMessage( "Çöp kutusundaki tüm öğeler kalıcı olarak silinecek\n\nBu işlem geri alınamaz"), "permanentlyDelete": @@ -1549,6 +1625,7 @@ class MessageLookup extends MessageLookupByLibrary { "Herkese açık bağlantı oluşturuldu"), "publicLinkEnabled": MessageLookupByLibrary.simpleMessage( "Herkese açık bağlantı aktive edildi"), + "questionmark": MessageLookupByLibrary.simpleMessage("?"), "queued": MessageLookupByLibrary.simpleMessage("Kuyrukta"), "quickLinks": MessageLookupByLibrary.simpleMessage("Hızlı Erişim"), "radius": MessageLookupByLibrary.simpleMessage("Yarıçap"), @@ -1562,6 +1639,8 @@ class MessageLookup extends MessageLookupByLibrary { "reassignedToName": m69, "reassigningLoading": MessageLookupByLibrary.simpleMessage("Yeniden atanıyor..."), + "receiveRemindersOnBirthdays": MessageLookupByLibrary.simpleMessage( + "Birinin doğum günü olduğunda hatırlatıcılar alın. Bildirime dokunmak sizi doğum günü kişisinin fotoğraflarına götürecektir."), "recover": MessageLookupByLibrary.simpleMessage("Kurtarma"), "recoverAccount": MessageLookupByLibrary.simpleMessage("Hesabı kurtar"), "recoverButton": MessageLookupByLibrary.simpleMessage("Kurtar"), @@ -1593,7 +1672,7 @@ class MessageLookup extends MessageLookupByLibrary { "recreatePasswordBody": MessageLookupByLibrary.simpleMessage( "Cihazınız, şifrenizi doğrulamak için yeterli güce sahip değil, ancak tüm cihazlarda çalışacak şekilde yeniden oluşturabiliriz.\n\nLütfen kurtarma anahtarınızı kullanarak giriş yapın ve şifrenizi yeniden oluşturun (istediğiniz takdirde aynı şifreyi tekrar kullanabilirsiniz)."), "recreatePasswordTitle": MessageLookupByLibrary.simpleMessage( - "Sifrenizi tekrardan oluşturun"), + "Şifrenizi tekrardan oluşturun"), "reddit": MessageLookupByLibrary.simpleMessage("Reddit"), "reenterPassword": MessageLookupByLibrary.simpleMessage("Şifrenizi tekrar girin"), @@ -1663,6 +1742,7 @@ class MessageLookup extends MessageLookupByLibrary { "reportBug": MessageLookupByLibrary.simpleMessage("Hata bildir"), "resendEmail": MessageLookupByLibrary.simpleMessage("E-postayı yeniden gönder"), + "reset": MessageLookupByLibrary.simpleMessage("Sıfırla"), "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage( "Yok sayılan dosyaları sıfırla"), "resetPasswordTitle": @@ -1689,7 +1769,11 @@ class MessageLookup extends MessageLookupByLibrary { "rotateRight": MessageLookupByLibrary.simpleMessage("Sağa döndür"), "safelyStored": MessageLookupByLibrary.simpleMessage("Güvenle saklanır"), + "same": MessageLookupByLibrary.simpleMessage("Aynı"), + "sameperson": MessageLookupByLibrary.simpleMessage("Aynı kişi mi?"), "save": MessageLookupByLibrary.simpleMessage("Kaydet"), + "saveAsAnotherPerson": MessageLookupByLibrary.simpleMessage( + "Başka bir kişi olarak kaydet"), "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( "Çıkmadan önce değişiklikler kaydedilsin mi?"), @@ -1853,7 +1937,11 @@ class MessageLookup extends MessageLookupByLibrary { "sharing": MessageLookupByLibrary.simpleMessage("Paylaşılıyor..."), "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage("Vardiya tarihleri ve saati"), + "showLessFaces": + MessageLookupByLibrary.simpleMessage("Daha az yüz göster"), "showMemories": MessageLookupByLibrary.simpleMessage("Anıları göster"), + "showMoreFaces": + MessageLookupByLibrary.simpleMessage("Daha fazla yüz göster"), "showPerson": MessageLookupByLibrary.simpleMessage("Kişiyi Göster"), "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage("Diğer cihazlardan çıkış yap"), @@ -1869,6 +1957,7 @@ class MessageLookup extends MessageLookupByLibrary { "singleFileInBothLocalAndRemote": m89, "singleFileInRemoteOnly": m90, "skip": MessageLookupByLibrary.simpleMessage("Geç"), + "smartMemories": MessageLookupByLibrary.simpleMessage("Akıllı anılar"), "social": MessageLookupByLibrary.simpleMessage("Sosyal Medya"), "someItemsAreInBothEnteAndYourDevice": MessageLookupByLibrary.simpleMessage( @@ -1898,6 +1987,8 @@ class MessageLookup extends MessageLookupByLibrary { "sorryWeCouldNotGenerateSecureKeysOnThisDevicennplease": MessageLookupByLibrary.simpleMessage( "Üzgünüm, bu cihazda güvenli anahtarlarını oluşturamadık.\n\nLütfen başka bir cihazdan giriş yapmayı deneyiniz."), + "sorryWeHadToPauseYourBackups": MessageLookupByLibrary.simpleMessage( + "Üzgünüm, yedeklemenizi duraklatmak zorunda kaldık"), "sort": MessageLookupByLibrary.simpleMessage("Sırala"), "sortAlbumsBy": MessageLookupByLibrary.simpleMessage("Sırala"), "sortNewestFirst": @@ -1973,6 +2064,10 @@ class MessageLookup extends MessageLookupByLibrary { "theLinkYouAreTryingToAccessHasExpired": MessageLookupByLibrary.simpleMessage( "Erişmeye çalıştığınız bağlantının süresi dolmuştur."), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Kişi grupları artık kişiler bölümünde görüntülenmeyecek. Fotoğraflar dokunulmadan kalacaktır."), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Kişi artık kişiler bölümünde görüntülenmeyecek. Fotoğraflar dokunulmadan kalacaktır."), "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( "Girdiğiniz kurtarma kodu yanlış"), @@ -2159,6 +2254,8 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Tekrardan hoşgeldin!"), "whatsNew": MessageLookupByLibrary.simpleMessage("Yenilikler"), "whyAddTrustContact": MessageLookupByLibrary.simpleMessage("."), + "widgets": MessageLookupByLibrary.simpleMessage("Widget\'lar"), + "wishThemAHappyBirthday": m115, "yearShort": MessageLookupByLibrary.simpleMessage("yıl"), "yearly": MessageLookupByLibrary.simpleMessage("Yıllık"), "yearsAgo": m116, @@ -2169,6 +2266,8 @@ class MessageLookup extends MessageLookupByLibrary { "yesDelete": MessageLookupByLibrary.simpleMessage("Evet, sil"), "yesDiscardChanges": MessageLookupByLibrary.simpleMessage("Evet, değişiklikleri sil"), + "yesIgnore": + MessageLookupByLibrary.simpleMessage("Evet, görmezden gel"), "yesLogout": MessageLookupByLibrary.simpleMessage("Evet, oturumu kapat"), "yesRemove": MessageLookupByLibrary.simpleMessage("Evet, sil"), diff --git a/mobile/apps/photos/lib/generated/intl/messages_uk.dart b/mobile/apps/photos/lib/generated/intl/messages_uk.dart index 378559591a..4288b1f243 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_uk.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_uk.dart @@ -104,7 +104,7 @@ class MessageLookup extends MessageLookupByLibrary { "Обробка ${currentlyProcessing} / ${totalCount}"; static String m44(count) => - "${Intl.plural(count, one: '${count} елемент', other: '${count} елементів')}"; + "${Intl.plural(count, one: '${count} елемент', few: '${count} елементи', many: '${count} елементів', other: '${count} елементів')}"; static String m46(email) => "${email} запросив вас стати довіреною особою"; @@ -154,7 +154,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m75(endDate) => "Передплата поновиться ${endDate}"; static String m77(count) => - "${Intl.plural(count, one: 'Знайдено ${count} результат', other: 'Знайдено ${count} результати')}"; + "${Intl.plural(count, one: 'Знайдено ${count} результат', few: 'Знайдено ${count} результати', many: 'Знайдено ${count} результатів', other: 'Знайдено ${count} результати')}"; static String m78(snapshotLength, searchLength) => "Невідповідність довжини розділів: ${snapshotLength} != ${searchLength}"; diff --git a/mobile/apps/photos/lib/generated/intl/messages_vi.dart b/mobile/apps/photos/lib/generated/intl/messages_vi.dart index cff3edf144..badbcef73e 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_vi.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_vi.dart @@ -46,7 +46,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m9(versionValue) => "Phiên bản: ${versionValue}"; static String m10(freeAmount, storageUnit) => - "${freeAmount} ${storageUnit} còn trống"; + "${freeAmount} ${storageUnit} trống"; static String m11(name) => "Ngắm cảnh với ${name}"; @@ -87,7 +87,7 @@ class MessageLookup extends MessageLookupByLibrary { "${Intl.plural(count, one: 'Xóa ${count} mục', other: 'Xóa ${count} mục')}"; static String m22(count) => - "Xóa luôn các tấm ảnh (và video) có trong ${count} album khỏi toàn bộ album khác cũng đang chứa chúng?"; + "Xóa luôn ảnh (và video) trong ${count} album này khỏi toàn bộ album khác cũng đang chứa chúng?"; static String m23(currentlyDeleting, totalCount) => "Đang xóa ${currentlyDeleting} / ${totalCount}"; @@ -120,10 +120,10 @@ class MessageLookup extends MessageLookupByLibrary { static String m34(name) => "Tiệc tùng với ${name}"; static String m35(count, formattedNumber) => - "${Intl.plural(count, other: '${formattedNumber} tệp')} trên thiết bị này đã được sao lưu an toàn"; + "${Intl.plural(count, other: '${formattedNumber} tệp')} trên thiết bị đã được sao lưu an toàn"; static String m36(count, formattedNumber) => - "${Intl.plural(count, other: '${formattedNumber} tệp')} trong album này đã được sao lưu an toàn"; + "${Intl.plural(count, other: '${formattedNumber} tệp')} trong album đã được sao lưu an toàn"; static String m37(storageAmountInGB) => "${storageAmountInGB} GB mỗi khi ai đó đăng ký gói trả phí và áp dụng mã của bạn"; @@ -131,12 +131,12 @@ class MessageLookup extends MessageLookupByLibrary { static String m38(endDate) => "Dùng thử miễn phí áp dụng đến ${endDate}"; static String m39(count) => - "Bạn vẫn có thể truy cập ${Intl.plural(count, one: 'chúng', other: 'chúng')} trên Ente miễn là bạn có một gói đăng ký"; + "Bạn vẫn có thể truy cập ${Intl.plural(count, one: 'chúng', other: 'chúng')} trên Ente, miễn là gói của bạn còn hiệu lực"; static String m40(sizeInMBorGB) => "Giải phóng ${sizeInMBorGB}"; static String m41(count, formattedSize) => - "${Intl.plural(count, one: 'Có thể xóa khỏi thiết bị để giải phóng ${formattedSize}', other: 'Có thể xóa khỏi thiết bị để giải phóng ${formattedSize}')}"; + "${Intl.plural(count, one: 'Xóa chúng khỏi thiết bị để giải phóng ${formattedSize}', other: 'Xóa chúng khỏi thiết bị để giải phóng ${formattedSize}')}"; static String m42(currentlyProcessing, totalCount) => "Đang xử lý ${currentlyProcessing} / ${totalCount}"; @@ -158,7 +158,7 @@ class MessageLookup extends MessageLookupByLibrary { "Việc này sẽ liên kết ${personName} với ${email}"; static String m50(count, formattedCount) => - "${Intl.plural(count, zero: 'chưa có ảnh', other: '${formattedCount} ảnh')}"; + "${Intl.plural(count, zero: 'chưa có kỷ niệm', other: '${formattedCount} kỷ niệm')}"; static String m51(count) => "${Intl.plural(count, one: 'Di chuyển mục', other: 'Di chuyển các mục')}"; @@ -196,7 +196,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m64(toEmail) => "Vui lòng gửi email cho chúng tôi tại ${toEmail}"; - static String m65(toEmail) => "Vui lòng gửi file log đến \n${toEmail}"; + static String m65(toEmail) => "Vui lòng gửi nhật ký đến \n${toEmail}"; static String m66(name) => "Làm dáng với ${name}"; @@ -226,7 +226,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m76(name) => "Đi bộ với ${name}"; static String m77(count) => - "${Intl.plural(count, other: '${count} kết quả được tìm thấy')}"; + "${Intl.plural(count, other: '${count} kết quả đã tìm thấy')}"; static String m78(snapshotLength, searchLength) => "Độ dài các phần không khớp: ${snapshotLength} != ${searchLength}"; @@ -270,7 +270,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m94( usedAmount, usedStorageUnit, totalAmount, totalStorageUnit) => - "${usedAmount} ${usedStorageUnit} trên ${totalAmount} ${totalStorageUnit} đã sử dụng"; + "${usedAmount} ${usedStorageUnit} / ${totalAmount} ${totalStorageUnit} đã dùng"; static String m95(id) => "ID ${id} của bạn đã được liên kết với một tài khoản Ente khác.\nNếu bạn muốn sử dụng ID ${id} này với tài khoản này, vui lòng liên hệ bộ phận hỗ trợ của chúng tôi."; @@ -294,7 +294,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m102(dateFormat) => "${dateFormat} qua các năm"; static String m103(count) => - "${Intl.plural(count, zero: 'Sắp tới', one: '1 ngày', other: '${count} ngày')}"; + "${Intl.plural(count, zero: 'Sắp xóa', one: '1 ngày', other: '${count} ngày')}"; static String m104(year) => "Phượt năm ${year}"; @@ -346,7 +346,7 @@ class MessageLookup extends MessageLookupByLibrary { "accountWelcomeBack": MessageLookupByLibrary.simpleMessage("Chào mừng bạn trở lại!"), "ackPasswordLostWarning": MessageLookupByLibrary.simpleMessage( - "Tôi hiểu rằng nếu tôi mất mật khẩu, tôi có thể mất dữ liệu của mình vì dữ liệu của tôi được mã hóa đầu cuối."), + "Tôi hiểu rằng nếu mất mật khẩu, dữ liệu của tôi sẽ mất vì nó được mã hóa đầu cuối."), "actionNotSupportedOnFavouritesAlbum": MessageLookupByLibrary.simpleMessage( "Hành động không áp dụng trong album Đã thích"), @@ -369,7 +369,7 @@ class MessageLookup extends MessageLookupByLibrary { "addLocationButton": MessageLookupByLibrary.simpleMessage("Thêm"), "addMemoriesWidgetPrompt": MessageLookupByLibrary.simpleMessage( "Thêm tiện ích kỷ niệm vào màn hình chính và quay lại đây để tùy chỉnh."), - "addMore": MessageLookupByLibrary.simpleMessage("Thêm nữa"), + "addMore": MessageLookupByLibrary.simpleMessage("Thêm nhiều hơn"), "addName": MessageLookupByLibrary.simpleMessage("Thêm tên"), "addNameOrMerge": MessageLookupByLibrary.simpleMessage("Thêm tên hoặc hợp nhất"), @@ -548,7 +548,7 @@ class MessageLookup extends MessageLookupByLibrary { "authenticationSuccessful": MessageLookupByLibrary.simpleMessage("Xác thực thành công!"), "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( - "Bạn sẽ thấy các thiết bị Cast có sẵn ở đây."), + "Bạn sẽ thấy các thiết bị phát khả dụng ở đây."), "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( "Hãy chắc rằng quyền Mạng cục bộ đã được bật cho ứng dụng Ente Photos, trong Cài đặt."), "autoLock": MessageLookupByLibrary.simpleMessage("Khóa tự động"), @@ -556,9 +556,9 @@ class MessageLookup extends MessageLookupByLibrary { "Sau thời gian này, ứng dụng sẽ khóa sau khi được chạy ở chế độ nền"), "autoLogoutMessage": MessageLookupByLibrary.simpleMessage( "Do sự cố kỹ thuật, bạn đã bị đăng xuất. Chúng tôi xin lỗi vì sự bất tiện."), - "autoPair": MessageLookupByLibrary.simpleMessage("Ghép nối tự động"), + "autoPair": MessageLookupByLibrary.simpleMessage("Kết nối tự động"), "autoPairDesc": MessageLookupByLibrary.simpleMessage( - "Ghép nối tự động chỉ hoạt động với các thiết bị hỗ trợ Chromecast."), + "Kết nối tự động chỉ hoạt động với các thiết bị hỗ trợ Chromecast."), "available": MessageLookupByLibrary.simpleMessage("Có sẵn"), "availableStorageSpace": m10, "backedUpFolders": @@ -568,8 +568,8 @@ class MessageLookup extends MessageLookupByLibrary { "backupFailed": MessageLookupByLibrary.simpleMessage("Sao lưu thất bại"), "backupFile": MessageLookupByLibrary.simpleMessage("Sao lưu tệp"), - "backupOverMobileData": MessageLookupByLibrary.simpleMessage( - "Sao lưu bằng dữ liệu di động"), + "backupOverMobileData": + MessageLookupByLibrary.simpleMessage("Sao lưu với dữ liệu di động"), "backupSettings": MessageLookupByLibrary.simpleMessage("Cài đặt sao lưu"), "backupStatus": @@ -590,7 +590,7 @@ class MessageLookup extends MessageLookupByLibrary { "cLDesc2": MessageLookupByLibrary.simpleMessage( "Tải lên trong nền hiện đã hỗ trợ trên iOS và Android. Không cần phải mở ứng dụng để sao lưu ảnh và video mới nhất của bạn."), "cLDesc3": MessageLookupByLibrary.simpleMessage( - "Chúng tôi đã có những cải tiến đáng kể cho trải nghiệm kỷ niệm, bao gồm phát tự động, vuốt đến kỷ niệm tiếp theo và nhiều tính năng khác."), + "Chúng tôi đã có những cải tiến đáng kể cho trải nghiệm kỷ niệm, bao gồm tự phát, vuốt xem kỷ niệm tiếp theo và nhiều tính năng khác."), "cLDesc4": MessageLookupByLibrary.simpleMessage( "Cùng với một loạt cải tiến nội bộ, giờ đây bạn có thể dễ dàng xem tất cả khuôn mặt đã phát hiện, cung cấp phản hồi về các khuôn mặt giống nhau và thêm/xóa khuôn mặt khỏi một bức ảnh."), "cLDesc5": MessageLookupByLibrary.simpleMessage( @@ -639,8 +639,8 @@ class MessageLookup extends MessageLookupByLibrary { "castIPMismatchTitle": MessageLookupByLibrary.simpleMessage("Không thể phát album"), "castInstruction": MessageLookupByLibrary.simpleMessage( - "Truy cập cast.ente.io trên thiết bị bạn muốn ghép nối.\n\nNhập mã dưới đây để phát album trên TV của bạn."), - "centerPoint": MessageLookupByLibrary.simpleMessage("Điểm trung tâm"), + "Truy cập cast.ente.io trên thiết bị bạn muốn kết nối.\n\nNhập mã dưới đây để phát album trên TV của bạn."), + "centerPoint": MessageLookupByLibrary.simpleMessage("Tâm điểm"), "change": MessageLookupByLibrary.simpleMessage("Thay đổi"), "changeEmail": MessageLookupByLibrary.simpleMessage("Đổi email"), "changeLocationOfSelectedItems": MessageLookupByLibrary.simpleMessage( @@ -693,7 +693,7 @@ class MessageLookup extends MessageLookupByLibrary { "Mã đã được sao chép vào bộ nhớ tạm"), "codeUsedByYou": MessageLookupByLibrary.simpleMessage("Mã bạn đã dùng"), "collabLinkSectionDescription": MessageLookupByLibrary.simpleMessage( - "Tạo một liên kết để cho phép mọi người thêm và xem ảnh trong album chia sẻ của bạn mà không cần ứng dụng hoặc tài khoản Ente. Tuyệt vời để thu thập ảnh sự kiện."), + "Tạo một liên kết cho phép mọi người thêm và xem ảnh trong album chia sẻ của bạn mà không cần ứng dụng hoặc tài khoản Ente. Phù hợp để thu thập ảnh sự kiện."), "collaborativeLink": MessageLookupByLibrary.simpleMessage("Liên kết cộng tác"), "collaborativeLinkCreatedFor": m15, @@ -775,7 +775,7 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Cập nhật quan trọng có sẵn"), "crop": MessageLookupByLibrary.simpleMessage("Cắt xén"), "curatedMemories": - MessageLookupByLibrary.simpleMessage("Ký ức lưu giữ"), + MessageLookupByLibrary.simpleMessage("Kỷ niệm đáng nhớ"), "currentUsageIs": MessageLookupByLibrary.simpleMessage("Dung lượng hiện tại "), "currentlyRunning": MessageLookupByLibrary.simpleMessage("đang chạy"), @@ -799,7 +799,7 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Xóa tài khoản vĩnh viễn"), "deleteAlbum": MessageLookupByLibrary.simpleMessage("Xóa album"), "deleteAlbumDialog": MessageLookupByLibrary.simpleMessage( - "Xóa luôn các tấm ảnh (và video) có trong album này khỏi toàn bộ album khác cũng đang chứa chúng?"), + "Xóa luôn ảnh (và video) trong album này khỏi toàn bộ album khác cũng đang chứa chúng?"), "deleteAlbumsDialogBody": MessageLookupByLibrary.simpleMessage( "Tất cả album trống sẽ bị xóa. Sẽ hữu ích khi bạn muốn giảm bớt sự lộn xộn trong danh sách album của mình."), "deleteAll": MessageLookupByLibrary.simpleMessage("Xóa tất cả"), @@ -856,7 +856,7 @@ class MessageLookup extends MessageLookupByLibrary { "disableAutoLock": MessageLookupByLibrary.simpleMessage("Vô hiệu hóa khóa tự động"), "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( - "Người xem vẫn có thể chụp ảnh màn hình hoặc sao chép ảnh của bạn bằng các công cụ bên ngoài"), + "Người xem vẫn có thể chụp màn hình hoặc sao chép ảnh của bạn bằng các công cụ bên ngoài"), "disableDownloadWarningTitle": MessageLookupByLibrary.simpleMessage("Xin lưu ý"), "disableLinkMessage": m24, @@ -882,7 +882,8 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Ảnh chụp màn hình"), "discover_selfies": MessageLookupByLibrary.simpleMessage("Selfie"), "discover_sunset": MessageLookupByLibrary.simpleMessage("Hoàng hôn"), - "discover_visiting_cards": MessageLookupByLibrary.simpleMessage("Thẻ"), + "discover_visiting_cards": + MessageLookupByLibrary.simpleMessage("Danh thiếp"), "discover_wallpapers": MessageLookupByLibrary.simpleMessage("Hình nền"), "dismiss": MessageLookupByLibrary.simpleMessage("Bỏ qua"), "distanceInKMUnit": MessageLookupByLibrary.simpleMessage("km"), @@ -928,7 +929,7 @@ class MessageLookup extends MessageLookupByLibrary { "emailVerificationToggle": MessageLookupByLibrary.simpleMessage("Xác minh email"), "emailYourLogs": - MessageLookupByLibrary.simpleMessage("Gửi log qua email"), + MessageLookupByLibrary.simpleMessage("Gửi nhật ký qua email"), "embracingThem": m32, "emergencyContacts": MessageLookupByLibrary.simpleMessage("Liên hệ khẩn cấp"), @@ -942,8 +943,8 @@ class MessageLookup extends MessageLookupByLibrary { "Bật học máy để tìm kiếm vi diệu và nhận diện khuôn mặt"), "enableMaps": MessageLookupByLibrary.simpleMessage("Kích hoạt Bản đồ"), "enableMapsDesc": MessageLookupByLibrary.simpleMessage( - "Ảnh của bạn sẽ hiển thị trên bản đồ thế giới.\n\nBản đồ được lưu trữ bởi OpenStreetMap, và vị trí chính xác ảnh của bạn không bao giờ được chia sẻ.\n\nBạn có thể tắt tính năng này bất cứ lúc nào từ Cài đặt."), - "enabled": MessageLookupByLibrary.simpleMessage("Đã bật"), + "Ảnh của bạn sẽ hiển thị trên bản đồ thế giới.\n\nBản đồ được lưu trữ bởi OpenStreetMap và vị trí chính xác ảnh của bạn không bao giờ được chia sẻ.\n\nBạn có thể tắt tính năng này bất cứ lúc nào từ Cài đặt."), + "enabled": MessageLookupByLibrary.simpleMessage("Bật"), "encryptingBackup": MessageLookupByLibrary.simpleMessage("Đang mã hóa sao lưu..."), "encryption": MessageLookupByLibrary.simpleMessage("Mã hóa"), @@ -1001,7 +1002,7 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Người dùng hiện tại"), "expiredLinkInfo": MessageLookupByLibrary.simpleMessage( "Liên kết này đã hết hạn. Vui lòng chọn thời gian hết hạn mới hoặc tắt tính năng hết hạn liên kết."), - "exportLogs": MessageLookupByLibrary.simpleMessage("Xuất file log"), + "exportLogs": MessageLookupByLibrary.simpleMessage("Xuất nhật ký"), "exportYourData": MessageLookupByLibrary.simpleMessage("Xuất dữ liệu của bạn"), "extraPhotosFound": @@ -1011,6 +1012,8 @@ class MessageLookup extends MessageLookupByLibrary { "Khuôn mặt chưa được phân cụm, vui lòng quay lại sau"), "faceRecognition": MessageLookupByLibrary.simpleMessage("Nhận diện khuôn mặt"), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "Không thể tạo ảnh thu nhỏ khuôn mặt"), "faces": MessageLookupByLibrary.simpleMessage("Khuôn mặt"), "failed": MessageLookupByLibrary.simpleMessage("Không thành công"), "failedToApplyCode": @@ -1046,6 +1049,8 @@ class MessageLookup extends MessageLookupByLibrary { "feastingWithThem": m34, "feedback": MessageLookupByLibrary.simpleMessage("Phản hồi"), "file": MessageLookupByLibrary.simpleMessage("Tệp"), + "fileAnalysisFailed": + MessageLookupByLibrary.simpleMessage("Không thể xác định tệp"), "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( "Không thể lưu tệp vào thư viện"), "fileInfoAddDescHint": @@ -1091,7 +1096,7 @@ class MessageLookup extends MessageLookupByLibrary { "freeUpSpaceSaving": m41, "gallery": MessageLookupByLibrary.simpleMessage("Thư viện"), "galleryMemoryLimitInfo": MessageLookupByLibrary.simpleMessage( - "Mỗi thư viện chứa tối đa 1000 ảnh"), + "Mỗi thư viện chứa tối đa 1000 ảnh và video"), "general": MessageLookupByLibrary.simpleMessage("Chung"), "generatingEncryptionKeys": MessageLookupByLibrary.simpleMessage("Đang mã hóa..."), @@ -1127,7 +1132,8 @@ class MessageLookup extends MessageLookupByLibrary { "hikingWithThem": m43, "hostedAtOsmFrance": MessageLookupByLibrary.simpleMessage("Được lưu trữ tại OSM Pháp"), - "howItWorks": MessageLookupByLibrary.simpleMessage("Cách hoạt động"), + "howItWorks": + MessageLookupByLibrary.simpleMessage("Cách thức hoạt động"), "howToViewShareeVerificationID": MessageLookupByLibrary.simpleMessage( "Hãy chỉ họ nhấn giữ địa chỉ email của họ trên màn hình cài đặt, và xác minh rằng ID trên cả hai thiết bị khớp nhau."), "iOSGoToSettingsDescription": MessageLookupByLibrary.simpleMessage( @@ -1147,7 +1153,7 @@ class MessageLookup extends MessageLookupByLibrary { "incorrectCode": MessageLookupByLibrary.simpleMessage("Mã không chính xác"), "incorrectPasswordTitle": - MessageLookupByLibrary.simpleMessage("Mật khẩu không chính xác"), + MessageLookupByLibrary.simpleMessage("Mật khẩu không đúng"), "incorrectRecoveryKey": MessageLookupByLibrary.simpleMessage( "Mã khôi phục không chính xác"), "incorrectRecoveryKeyBody": MessageLookupByLibrary.simpleMessage( @@ -1183,11 +1189,11 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Mời bạn bè dùng Ente"), "itLooksLikeSomethingWentWrongPleaseRetryAfterSome": MessageLookupByLibrary.simpleMessage( - "Có vẻ như đã xảy ra sự cố. Vui lòng thử lại sau một thời gian. Nếu lỗi vẫn tiếp diễn, vui lòng liên hệ với đội ngũ hỗ trợ của chúng tôi."), + "Có vẻ đã xảy ra sự cố. Vui lòng thử lại sau ít phút. Nếu lỗi vẫn tiếp diễn, hãy liên hệ với đội ngũ hỗ trợ của chúng tôi."), "itemCount": m44, "itemsShowTheNumberOfDaysRemainingBeforePermanentDeletion": MessageLookupByLibrary.simpleMessage( - "Các mục hiện số ngày còn lại trước khi xóa vĩnh viễn"), + "Trên các mục là số ngày còn lại trước khi xóa vĩnh viễn"), "itemsWillBeRemovedFromAlbum": MessageLookupByLibrary.simpleMessage( "Các mục đã chọn sẽ bị xóa khỏi album này"), "join": MessageLookupByLibrary.simpleMessage("Tham gia"), @@ -1246,7 +1252,7 @@ class MessageLookup extends MessageLookupByLibrary { "để trải nghiệm chia sẻ tốt hơn"), "linkPersonToEmail": m48, "linkPersonToEmailConfirmation": m49, - "livePhotos": MessageLookupByLibrary.simpleMessage("Ảnh Live"), + "livePhotos": MessageLookupByLibrary.simpleMessage("Ảnh động"), "loadMessage1": MessageLookupByLibrary.simpleMessage( "Bạn có thể chia sẻ gói của mình với gia đình"), "loadMessage2": MessageLookupByLibrary.simpleMessage( @@ -1266,7 +1272,7 @@ class MessageLookup extends MessageLookupByLibrary { "loadMessage9": MessageLookupByLibrary.simpleMessage( "Chúng tôi sử dụng Xchacha20Poly1305 để mã hóa dữ liệu của bạn"), "loadingExifData": - MessageLookupByLibrary.simpleMessage("Đang tải thông số Exif..."), + MessageLookupByLibrary.simpleMessage("Đang lấy thông số Exif..."), "loadingGallery": MessageLookupByLibrary.simpleMessage("Đang tải thư viện..."), "loadingMessage": @@ -1278,11 +1284,11 @@ class MessageLookup extends MessageLookupByLibrary { "localGallery": MessageLookupByLibrary.simpleMessage("Thư viện cục bộ"), "localIndexing": MessageLookupByLibrary.simpleMessage("Chỉ mục cục bộ"), "localSyncErrorMessage": MessageLookupByLibrary.simpleMessage( - "Có vẻ như có điều gì đó không ổn vì đồng bộ hóa ảnh cục bộ đang mất nhiều thời gian hơn mong đợi. Vui lòng liên hệ đội ngũ hỗ trợ của chúng tôi"), + "Có vẻ như có điều gì đó không ổn vì đồng bộ ảnh cục bộ đang tốn nhiều thời gian hơn mong đợi. Vui lòng liên hệ đội ngũ hỗ trợ của chúng tôi"), "location": MessageLookupByLibrary.simpleMessage("Vị trí"), "locationName": MessageLookupByLibrary.simpleMessage("Tên vị trí"), "locationTagFeatureDescription": MessageLookupByLibrary.simpleMessage( - "Một thẻ vị trí sẽ chia nhóm tất cả các ảnh được chụp trong một bán kính nào đó của một bức ảnh"), + "Thẻ vị trí sẽ giúp xếp nhóm tất cả ảnh được chụp gần kề nhau"), "locations": MessageLookupByLibrary.simpleMessage("Vị trí"), "lockButtonLabel": MessageLookupByLibrary.simpleMessage("Khóa"), "lockscreen": MessageLookupByLibrary.simpleMessage("Khóa màn hình"), @@ -1293,12 +1299,12 @@ class MessageLookup extends MessageLookupByLibrary { "loginSessionExpiredDetails": MessageLookupByLibrary.simpleMessage( "Phiên đăng nhập của bạn đã hết hạn. Vui lòng đăng nhập lại."), "loginTerms": MessageLookupByLibrary.simpleMessage( - "Nhấn vào đăng nhập, tôi đồng ý điều khoảnchính sách bảo mật"), + "Nhấn vào đăng nhập, tôi đồng ý với điều khoảnchính sách bảo mật"), "loginWithTOTP": MessageLookupByLibrary.simpleMessage("Đăng nhập bằng TOTP"), "logout": MessageLookupByLibrary.simpleMessage("Đăng xuất"), "logsDialogBody": MessageLookupByLibrary.simpleMessage( - "Gửi file log để chúng tôi có thể phân tích lỗi mà bạn gặp. Lưu ý rằng, trong nhật ký lỗi sẽ bao gồm tên các tệp để giúp theo dõi vấn đề với từng tệp cụ thể."), + "Gửi file nhật ký để chúng tôi có thể phân tích lỗi mà bạn gặp. Lưu ý rằng, trong nhật ký lỗi sẽ bao gồm tên các tệp để giúp theo dõi vấn đề với từng tệp cụ thể."), "longPressAnEmailToVerifyEndToEndEncryption": MessageLookupByLibrary.simpleMessage( "Nhấn giữ một email để xác minh mã hóa đầu cuối."), @@ -1328,7 +1334,7 @@ class MessageLookup extends MessageLookupByLibrary { "manageSubscription": MessageLookupByLibrary.simpleMessage("Quản lý gói"), "manualPairDesc": MessageLookupByLibrary.simpleMessage( - "Ghép nối với PIN hoạt động với bất kỳ màn hình nào bạn muốn xem album của mình."), + "Kết nối bằng PIN hoạt động với bất kỳ màn hình nào bạn muốn."), "map": MessageLookupByLibrary.simpleMessage("Bản đồ"), "maps": MessageLookupByLibrary.simpleMessage("Bản đồ"), "mastodon": MessageLookupByLibrary.simpleMessage("Mastodon"), @@ -1358,7 +1364,7 @@ class MessageLookup extends MessageLookupByLibrary { "moderateStrength": MessageLookupByLibrary.simpleMessage("Trung bình"), "modifyYourQueryOrTrySearchingFor": MessageLookupByLibrary.simpleMessage( - "Chỉnh sửa truy vấn của bạn, hoặc thử tìm kiếm"), + "Chỉnh sửa truy vấn của bạn, hoặc thử tìm"), "moments": MessageLookupByLibrary.simpleMessage("Khoảnh khắc"), "month": MessageLookupByLibrary.simpleMessage("tháng"), "monthly": MessageLookupByLibrary.simpleMessage("Theo tháng"), @@ -1382,7 +1388,7 @@ class MessageLookup extends MessageLookupByLibrary { "nameTheAlbum": MessageLookupByLibrary.simpleMessage("Đặt tên cho album"), "networkConnectionRefusedErr": MessageLookupByLibrary.simpleMessage( - "Không thể kết nối với Ente, vui lòng thử lại sau một thời gian. Nếu lỗi vẫn tiếp diễn, vui lòng liên hệ với bộ phận hỗ trợ."), + "Không thể kết nối với Ente, vui lòng thử lại sau ít phút. Nếu lỗi vẫn tiếp diễn, hãy liên hệ với bộ phận hỗ trợ."), "networkHostLookUpErr": MessageLookupByLibrary.simpleMessage( "Không thể kết nối với Ente, vui lòng kiểm tra cài đặt mạng của bạn và liên hệ với bộ phận hỗ trợ nếu lỗi vẫn tiếp diễn."), "never": MessageLookupByLibrary.simpleMessage("Không bao giờ"), @@ -1406,14 +1412,13 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("✨ Không có trùng lặp"), "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage("Chưa có tài khoản Ente!"), - "noExifData": - MessageLookupByLibrary.simpleMessage("Không có thông số Exif"), + "noExifData": MessageLookupByLibrary.simpleMessage("Không có Exif"), "noFacesFound": MessageLookupByLibrary.simpleMessage("Không tìm thấy khuôn mặt"), "noHiddenPhotosOrVideos": MessageLookupByLibrary.simpleMessage("Không có ảnh hoặc video ẩn"), - "noImagesWithLocation": MessageLookupByLibrary.simpleMessage( - "Không có hình ảnh với vị trí"), + "noImagesWithLocation": + MessageLookupByLibrary.simpleMessage("Không có ảnh với vị trí"), "noInternetConnection": MessageLookupByLibrary.simpleMessage("Không có kết nối internet"), "noPhotosAreBeingBackedUpRightNow": @@ -1454,11 +1459,11 @@ class MessageLookup extends MessageLookupByLibrary { "Nhắc về những kỷ niệm ngày này trong những năm trước."), "onlyFamilyAdminCanChangeCode": m55, "onlyThem": MessageLookupByLibrary.simpleMessage("Chỉ họ"), - "oops": MessageLookupByLibrary.simpleMessage("Ốiii!"), + "oops": MessageLookupByLibrary.simpleMessage("Ốii!"), "oopsCouldNotSaveEdits": MessageLookupByLibrary.simpleMessage( - "Ốiii, không thể lưu chỉnh sửa"), - "oopsSomethingWentWrong": MessageLookupByLibrary.simpleMessage( - "Ốiii!, có điều gì đó không đúng"), + "Ốii!, không thể lưu chỉnh sửa"), + "oopsSomethingWentWrong": + MessageLookupByLibrary.simpleMessage("Ốii!, có gì đó không ổn"), "openAlbumInBrowser": MessageLookupByLibrary.simpleMessage("Mở album trong trình duyệt"), "openAlbumInBrowserTitle": MessageLookupByLibrary.simpleMessage( @@ -1478,10 +1483,10 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("hoặc chọn từ danh bạ"), "otherDetectedFaces": MessageLookupByLibrary.simpleMessage( "Những khuôn mặt khác được phát hiện"), - "pair": MessageLookupByLibrary.simpleMessage("Ghép nối"), - "pairWithPin": MessageLookupByLibrary.simpleMessage("Ghép nối với PIN"), + "pair": MessageLookupByLibrary.simpleMessage("Kết nối"), + "pairWithPin": MessageLookupByLibrary.simpleMessage("Kết nối bằng PIN"), "pairingComplete": - MessageLookupByLibrary.simpleMessage("Ghép nối hoàn tất"), + MessageLookupByLibrary.simpleMessage("Kết nối hoàn tất"), "panorama": MessageLookupByLibrary.simpleMessage("Panorama"), "partyWithThem": m56, "passKeyPendingVerification": @@ -1541,13 +1546,13 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage( "Ảnh giữ nguyên chênh lệch thời gian tương đối"), "pickCenterPoint": - MessageLookupByLibrary.simpleMessage("Chọn điểm trung tâm"), + MessageLookupByLibrary.simpleMessage("Chọn tâm điểm"), "pinAlbum": MessageLookupByLibrary.simpleMessage("Ghim album"), "pinLock": MessageLookupByLibrary.simpleMessage("Khóa PIN"), "playOnTv": MessageLookupByLibrary.simpleMessage("Phát album trên TV"), "playOriginal": MessageLookupByLibrary.simpleMessage("Phát tệp gốc"), "playStoreFreeTrialValidTill": m63, - "playStream": MessageLookupByLibrary.simpleMessage("Phát"), + "playStream": MessageLookupByLibrary.simpleMessage("Phát trực tiếp"), "playstoreSubscription": MessageLookupByLibrary.simpleMessage("Gói PlayStore"), "pleaseCheckYourInternetConnectionAndTryAgain": @@ -1582,7 +1587,7 @@ class MessageLookup extends MessageLookupByLibrary { "Vui lòng chờ, có thể mất một lúc."), "posingWithThem": m66, "preparingLogs": - MessageLookupByLibrary.simpleMessage("Đang ghi log..."), + MessageLookupByLibrary.simpleMessage("Đang ghi nhật ký..."), "preserveMore": MessageLookupByLibrary.simpleMessage("Lưu giữ nhiều hơn"), "pressAndHoldToPlayVideo": @@ -1637,7 +1642,7 @@ class MessageLookup extends MessageLookupByLibrary { "recoveryKeyOnForgotPassword": MessageLookupByLibrary.simpleMessage( "Nếu bạn quên mật khẩu, cách duy nhất để khôi phục dữ liệu của bạn là dùng mã này."), "recoveryKeySaveDescription": MessageLookupByLibrary.simpleMessage( - "Chúng tôi không lưu trữ mã này, nên hãy lưu nó ở một nơi an toàn."), + "Chúng tôi không lưu trữ mã này, nên hãy lưu nó ở nơi an toàn."), "recoveryKeySuccessBody": MessageLookupByLibrary.simpleMessage( "Tuyệt! Mã khôi phục của bạn hợp lệ. Cảm ơn đã xác minh.\n\nNhớ lưu giữ mã khôi phục của bạn ở nơi an toàn."), "recoveryKeyVerified": MessageLookupByLibrary.simpleMessage( @@ -1674,10 +1679,9 @@ class MessageLookup extends MessageLookupByLibrary { "Hãy xóa luôn \"Đã xóa gần đây\" từ \"Cài đặt\" -> \"Lưu trữ\" để lấy lại dung lượng đã giải phóng"), "remindToEmptyEnteTrash": MessageLookupByLibrary.simpleMessage( "Hãy xóa luôn \"Thùng rác\" của bạn để lấy lại dung lượng đã giải phóng"), - "remoteImages": - MessageLookupByLibrary.simpleMessage("Hình ảnh bên ngoài"), + "remoteImages": MessageLookupByLibrary.simpleMessage("Ảnh bên ngoài"), "remoteThumbnails": - MessageLookupByLibrary.simpleMessage("Hình thu nhỏ bên ngoài"), + MessageLookupByLibrary.simpleMessage("Ảnh thu nhỏ bên ngoài"), "remoteVideos": MessageLookupByLibrary.simpleMessage("Video bên ngoài"), "remove": MessageLookupByLibrary.simpleMessage("Xóa"), "removeDuplicates": @@ -1776,7 +1780,7 @@ class MessageLookup extends MessageLookupByLibrary { "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( "Tìm kiếm theo ngày, tháng hoặc năm"), "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( - "Hình ảnh sẽ được hiển thị ở đây sau khi hoàn tất xử lý và đồng bộ"), + "Ảnh sẽ được hiển thị ở đây sau khi xử lý và đồng bộ hoàn tất"), "searchFaceEmptySection": MessageLookupByLibrary.simpleMessage( "Người sẽ được hiển thị ở đây khi quá trình xử lý hoàn tất"), "searchFileTypesAndNamesEmptySection": @@ -1791,7 +1795,7 @@ class MessageLookup extends MessageLookupByLibrary { "searchHint5": MessageLookupByLibrary.simpleMessage( "Sắp ra mắt: Nhận diện khuôn mặt & tìm kiếm vi diệu ✨"), "searchLocationEmptySection": MessageLookupByLibrary.simpleMessage( - "Ảnh nhóm được chụp trong một bán kính nào đó của một bức ảnh"), + "Xếp nhóm những ảnh được chụp gần kề nhau"), "searchPeopleEmptySection": MessageLookupByLibrary.simpleMessage( "Mời mọi người, và bạn sẽ thấy tất cả ảnh mà họ chia sẻ ở đây"), "searchPersonsEmptySection": MessageLookupByLibrary.simpleMessage( @@ -1920,7 +1924,7 @@ class MessageLookup extends MessageLookupByLibrary { "signOutOtherDevices": MessageLookupByLibrary.simpleMessage( "Đăng xuất khỏi các thiết bị khác"), "signUpTerms": MessageLookupByLibrary.simpleMessage( - "Tôi đồng ý điều khoảnchính sách bảo mật"), + "Tôi đồng ý với điều khoảnchính sách bảo mật"), "singleFileDeleteFromDevice": m88, "singleFileDeleteHighlight": MessageLookupByLibrary.simpleMessage( "Nó sẽ bị xóa khỏi tất cả album."), @@ -1940,7 +1944,7 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage( "Ai đó chia sẻ album với bạn nên thấy cùng một ID trên thiết bị của họ."), "somethingWentWrong": - MessageLookupByLibrary.simpleMessage("Có điều gì đó không đúng"), + MessageLookupByLibrary.simpleMessage("Có gì đó không ổn"), "somethingWentWrongPleaseTryAgain": MessageLookupByLibrary.simpleMessage( "Có gì đó không ổn, vui lòng thử lại"), @@ -1978,7 +1982,7 @@ class MessageLookup extends MessageLookupByLibrary { "stopCastingBody": MessageLookupByLibrary.simpleMessage( "Bạn có muốn dừng phát không?"), "stopCastingTitle": MessageLookupByLibrary.simpleMessage("Dừng phát"), - "storage": MessageLookupByLibrary.simpleMessage("Lưu trữ"), + "storage": MessageLookupByLibrary.simpleMessage("Dung lượng"), "storageBreakupFamily": MessageLookupByLibrary.simpleMessage("Gia đình"), "storageBreakupYou": MessageLookupByLibrary.simpleMessage("Bạn"), @@ -2010,7 +2014,7 @@ class MessageLookup extends MessageLookupByLibrary { "syncProgress": m97, "syncStopped": MessageLookupByLibrary.simpleMessage("Đồng bộ hóa đã dừng"), - "syncing": MessageLookupByLibrary.simpleMessage("Đang đồng bộ hóa..."), + "syncing": MessageLookupByLibrary.simpleMessage("Đang đồng bộ..."), "systemTheme": MessageLookupByLibrary.simpleMessage("Giống hệ thống"), "tapToCopy": MessageLookupByLibrary.simpleMessage("nhấn để sao chép"), "tapToEnterCode": @@ -2019,7 +2023,7 @@ class MessageLookup extends MessageLookupByLibrary { "tapToUpload": MessageLookupByLibrary.simpleMessage("Nhấn để tải lên"), "tapToUploadIsIgnoredDue": m98, "tempErrorContactSupportIfPersists": MessageLookupByLibrary.simpleMessage( - "Có vẻ như đã xảy ra sự cố. Vui lòng thử lại sau một thời gian. Nếu lỗi vẫn tiếp diễn, vui lòng liên hệ với đội ngũ hỗ trợ."), + "Có vẻ đã xảy ra sự cố. Vui lòng thử lại sau ít phút. Nếu lỗi vẫn tiếp diễn, hãy liên hệ với đội ngũ hỗ trợ của chúng tôi."), "terminate": MessageLookupByLibrary.simpleMessage("Kết thúc"), "terminateSession": MessageLookupByLibrary.simpleMessage("Kết thúc phiên? "), @@ -2088,7 +2092,7 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Để ẩn một ảnh hoặc video"), "toResetVerifyEmail": MessageLookupByLibrary.simpleMessage( "Để đặt lại mật khẩu, vui lòng xác minh email của bạn trước."), - "todaysLogs": MessageLookupByLibrary.simpleMessage("Log hôm nay"), + "todaysLogs": MessageLookupByLibrary.simpleMessage("Nhật ký hôm nay"), "tooManyIncorrectAttempts": MessageLookupByLibrary.simpleMessage("Thử sai nhiều lần"), "total": MessageLookupByLibrary.simpleMessage("tổng"), @@ -2182,7 +2186,7 @@ class MessageLookup extends MessageLookupByLibrary { "videoInfo": MessageLookupByLibrary.simpleMessage("Thông tin video"), "videoSmallCase": MessageLookupByLibrary.simpleMessage("video"), "videoStreaming": - MessageLookupByLibrary.simpleMessage("Video có thể phát"), + MessageLookupByLibrary.simpleMessage("Phát trực tuyến video"), "videos": MessageLookupByLibrary.simpleMessage("Video"), "viewActiveSessions": MessageLookupByLibrary.simpleMessage("Xem phiên hoạt động"), @@ -2194,7 +2198,7 @@ class MessageLookup extends MessageLookupByLibrary { "viewLargeFiles": MessageLookupByLibrary.simpleMessage("Tệp lớn"), "viewLargeFilesDesc": MessageLookupByLibrary.simpleMessage( "Xem các tệp đang chiếm nhiều dung lượng nhất."), - "viewLogs": MessageLookupByLibrary.simpleMessage("Xem log"), + "viewLogs": MessageLookupByLibrary.simpleMessage("Xem nhật ký"), "viewPersonToUnlink": m112, "viewRecoveryKey": MessageLookupByLibrary.simpleMessage("Xem mã khôi phục"), diff --git a/mobile/apps/photos/lib/generated/intl/messages_zh.dart b/mobile/apps/photos/lib/generated/intl/messages_zh.dart index 335650b34d..4ad5c5c75c 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_zh.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_zh.dart @@ -134,7 +134,8 @@ class MessageLookup extends MessageLookupByLibrary { static String m43(name) => "与 ${name} 徒步"; - static String m44(count) => "${Intl.plural(count, other: '${count} 个项目')}"; + static String m44(count) => + "${Intl.plural(count, one: '${count} 个项目', other: '${count} 个项目')}"; static String m45(name) => "最后一次与 ${name} 相聚"; @@ -294,7 +295,8 @@ class MessageLookup extends MessageLookupByLibrary { static String m115(name) => "祝 ${name} 生日快乐! 🎉"; - static String m116(count) => "${Intl.plural(count, other: '${count} 年前')}"; + static String m116(count) => + "${Intl.plural(count, one: '${count} 年前', other: '${count} 年前')}"; static String m117(name) => "您和 ${name}"; @@ -856,6 +858,8 @@ class MessageLookup extends MessageLookupByLibrary { "faceNotClusteredYet": MessageLookupByLibrary.simpleMessage("人脸尚未聚类,请稍后再来"), "faceRecognition": MessageLookupByLibrary.simpleMessage("人脸识别"), + "faceThumbnailGenerationFailed": + MessageLookupByLibrary.simpleMessage("无法生成人脸缩略图"), "faces": MessageLookupByLibrary.simpleMessage("人脸"), "failed": MessageLookupByLibrary.simpleMessage("失败"), "failedToApplyCode": MessageLookupByLibrary.simpleMessage("无法使用此代码"), @@ -884,6 +888,7 @@ class MessageLookup extends MessageLookupByLibrary { "feastingWithThem": m34, "feedback": MessageLookupByLibrary.simpleMessage("反馈"), "file": MessageLookupByLibrary.simpleMessage("文件"), + "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage("无法分析文件"), "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage("无法将文件保存到相册"), "fileInfoAddDescHint": MessageLookupByLibrary.simpleMessage("添加说明..."), diff --git a/mobile/apps/photos/lib/generated/l10n.dart b/mobile/apps/photos/lib/generated/l10n.dart index c0ee8710c1..065ae7353d 100644 --- a/mobile/apps/photos/lib/generated/l10n.dart +++ b/mobile/apps/photos/lib/generated/l10n.dart @@ -12315,6 +12315,56 @@ class S { args: [], ); } + + /// `Ignore person` + String get ignorePerson { + return Intl.message( + 'Ignore person', + name: 'ignorePerson', + desc: '', + args: [], + ); + } + + /// `Mixed grouping?` + String get mixedGrouping { + return Intl.message( + 'Mixed grouping?', + name: 'mixedGrouping', + desc: '', + args: [], + ); + } + + /// `Analysis` + String get analysis { + return Intl.message( + 'Analysis', + name: 'analysis', + desc: '', + args: [], + ); + } + + /// `Does this grouping contain multiple people?` + String get doesGroupContainMultiplePeople { + return Intl.message( + 'Does this grouping contain multiple people?', + name: 'doesGroupContainMultiplePeople', + desc: '', + args: [], + ); + } + + /// `We will automatically analyze the grouping to determine if there are multiple people present, and separate them out again. This may take a few seconds.` + String get automaticallyAnalyzeAndSplitGrouping { + return Intl.message( + 'We will automatically analyze the grouping to determine if there are multiple people present, and separate them out again. This may take a few seconds.', + name: 'automaticallyAnalyzeAndSplitGrouping', + desc: '', + args: [], + ); + } } class AppLocalizationDelegate extends LocalizationsDelegate { @@ -12349,6 +12399,7 @@ class AppLocalizationDelegate extends LocalizationsDelegate { Locale.fromSubtags(languageCode: 'lt'), Locale.fromSubtags(languageCode: 'lv'), Locale.fromSubtags(languageCode: 'ml'), + Locale.fromSubtags(languageCode: 'ms'), Locale.fromSubtags(languageCode: 'nl'), Locale.fromSubtags(languageCode: 'no'), Locale.fromSubtags(languageCode: 'or'), diff --git a/mobile/apps/photos/lib/l10n/intl_en.arb b/mobile/apps/photos/lib/l10n/intl_en.arb index 1ca8f23f95..89d3f2ddda 100644 --- a/mobile/apps/photos/lib/l10n/intl_en.arb +++ b/mobile/apps/photos/lib/l10n/intl_en.arb @@ -1790,5 +1790,10 @@ "cLDesc6": "No more waiting for uploads/downloads to complete before you can close the app. All uploads and downloads now have the ability to be paused midway, and resume from where you left off.", "indexingPausedStatusDescription": "Indexing is paused. It will automatically resume when the device is ready. The device is considered ready when its battery level, battery health, and thermal status are within a healthy range.", "faceThumbnailGenerationFailed": "Unable to generate face thumbnails", - "fileAnalysisFailed": "Unable to analyze file" + "fileAnalysisFailed": "Unable to analyze file", + "ignorePerson": "Ignore person", + "mixedGrouping": "Mixed grouping?", + "analysis": "Analysis", + "doesGroupContainMultiplePeople": "Does this grouping contain multiple people?", + "automaticallyAnalyzeAndSplitGrouping": "We will automatically analyze the grouping to determine if there are multiple people present, and separate them out again. This may take a few seconds." } diff --git a/mobile/apps/photos/lib/ui/viewer/people/cluster_app_bar.dart b/mobile/apps/photos/lib/ui/viewer/people/cluster_app_bar.dart index 86124d46a8..36f2f0d814 100644 --- a/mobile/apps/photos/lib/ui/viewer/people/cluster_app_bar.dart +++ b/mobile/apps/photos/lib/ui/viewer/people/cluster_app_bar.dart @@ -10,6 +10,7 @@ import 'package:photos/db/ml/base.dart'; import "package:photos/db/ml/db.dart"; import "package:photos/events/people_changed_event.dart"; import 'package:photos/events/subscription_purchased_event.dart'; +import "package:photos/generated/l10n.dart"; import "package:photos/models/file/file.dart"; import 'package:photos/models/gallery_type.dart'; import "package:photos/models/ml/face/person.dart"; @@ -116,12 +117,12 @@ class _AppBarWidgetState extends State { items.addAll( [ EntePopupMenuItem( - "Ignore person", + S.of(context).ignorePerson, value: ClusterPopupAction.ignore, icon: Icons.hide_image_outlined, ), EntePopupMenuItem( - "Mixed grouping?", + S.of(context).mixedGrouping, value: ClusterPopupAction.breakupCluster, icon: Icons.analytics_outlined, ), @@ -165,10 +166,9 @@ class _AppBarWidgetState extends State { Future _onIgnoredClusterClicked(BuildContext context) async { await showChoiceDialog( context, - title: "Are you sure you want to ignore this person?", - body: - "The person grouping will not be displayed in the discovery tap anymore. Photos will remain untouched.", - firstButtonLabel: "Yes, confirm", + title: S.of(context).areYouSureYouWantToIgnoreThisPerson, + body: S.of(context).thePersonGroupsWillNotBeDisplayed, + firstButtonLabel: S.of(context).confirm, firstButtonOnTap: () async { try { await ClusterFeedbackService.instance.ignoreCluster(widget.clusterID); @@ -187,10 +187,9 @@ class _AppBarWidgetState extends State { String biggestClusterID = ''; await showChoiceDialog( context, - title: "Does this grouping contain multiple people?", - body: - "We will automatically analyze the grouping to determine if there are multiple people present, and separate them out again. This may take a few seconds.", - firstButtonLabel: "Yes, confirm", + title: S.of(context).doesGroupContainMultiplePeople, + body: S.of(context).automaticallyAnalyzeAndSplitGrouping, + firstButtonLabel: S.of(context).confirm, firstButtonOnTap: () async { try { final breakupResult = await ClusterFeedbackService.instance @@ -282,7 +281,7 @@ class _AppBarWidgetState extends State { MaterialPageRoute( builder: (context) => ClusterBreakupPage( newClusterIDToFiles, - "(Analysis)", + S.of(context).analysis, ), ), ); diff --git a/mobile/apps/photos/lib/ui/viewer/people/people_page.dart b/mobile/apps/photos/lib/ui/viewer/people/people_page.dart index 1c347d7d58..dad5b69710 100644 --- a/mobile/apps/photos/lib/ui/viewer/people/people_page.dart +++ b/mobile/apps/photos/lib/ui/viewer/people/people_page.dart @@ -6,6 +6,7 @@ import 'package:photos/core/event_bus.dart'; import 'package:photos/events/files_updated_event.dart'; import 'package:photos/events/local_photos_updated_event.dart'; import "package:photos/events/people_changed_event.dart"; +import "package:photos/generated/l10n.dart"; import "package:photos/l10n/l10n.dart"; import 'package:photos/models/file/file.dart'; import 'package:photos/models/file_load_result.dart'; @@ -137,7 +138,9 @@ class _PeoplePageState extends State { Size.fromHeight(widget.searchResult != null ? 90.0 : 50.0), child: PeopleAppBar( GalleryType.peopleTag, - _person.data.isIgnored ? "(ignored)" : _person.data.name, + _person.data.isIgnored + ? S.of(context).ignored + : _person.data.name, _selectedFiles, _person, ), From 435a803eab041a4d5a0b0e7087cd4b730cae8d92 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Tue, 29 Jul 2025 17:43:26 +0530 Subject: [PATCH 235/302] fix: refresh app bar on add files + delete config if no person selected --- .../lib/events/collection_meta_event.dart | 1 + .../lib/services/smart_albums_service.dart | 26 +++++++++++-------- .../ui/viewer/gallery/collection_page.dart | 8 ++++++ .../ui/viewer/gallery/empty_album_state.dart | 4 +++ .../gallery/gallery_app_bar_widget.dart | 17 ++++++++++++ 5 files changed, 45 insertions(+), 11 deletions(-) diff --git a/mobile/apps/photos/lib/events/collection_meta_event.dart b/mobile/apps/photos/lib/events/collection_meta_event.dart index ac5288f741..4b416b0dfa 100644 --- a/mobile/apps/photos/lib/events/collection_meta_event.dart +++ b/mobile/apps/photos/lib/events/collection_meta_event.dart @@ -14,4 +14,5 @@ enum CollectionMetaEventType { sortChanged, orderChanged, thumbnailChanged, + autoAddPeople, } diff --git a/mobile/apps/photos/lib/services/smart_albums_service.dart b/mobile/apps/photos/lib/services/smart_albums_service.dart index 0c1b2856be..8dda828db3 100644 --- a/mobile/apps/photos/lib/services/smart_albums_service.dart +++ b/mobile/apps/photos/lib/services/smart_albums_service.dart @@ -176,13 +176,20 @@ class SmartAlbumsService { Future saveConfig(SmartAlbumConfig config) async { final userId = Configuration.instance.getUserID()!; - await _addOrUpdateEntity( - EntityType.smartAlbum, - config.toJson(), - collectionId: config.collectionId, - addWithCustomID: config.id == null, - userId: userId, - ); + if (config.personIDs.isNotEmpty) { + await _addOrUpdateEntity( + EntityType.smartAlbum, + config.toJson(), + collectionId: config.collectionId, + addWithCustomID: config.id == null, + userId: userId, + ); + } else if (config.id != null) { + await _deleteEntry( + userId: userId, + collectionId: config.collectionId, + ); + } } Future getConfig(int collectionId) async { @@ -201,10 +208,7 @@ class SmartAlbumsService { bool addWithCustomID = false, required int userId, }) async { - final id = getId( - collectionId: collectionId, - userId: userId, - ); + final id = getId(collectionId: collectionId, userId: userId); final result = await entityService.addOrUpdate( type, jsonMap, diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/collection_page.dart b/mobile/apps/photos/lib/ui/viewer/gallery/collection_page.dart index 5d98bf26e2..303a98192f 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/collection_page.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/collection_page.dart @@ -100,6 +100,14 @@ class CollectionPage extends StatelessWidget { ? EmptyAlbumState( c.collection, isFromCollectPhotos: isFromCollectPhotos, + onAddPhotos: () { + Bus.instance.fire( + CollectionMetaEvent( + c.collection.id, + CollectionMetaEventType.autoAddPeople, + ), + ); + }, ) : const EmptyState(), footer: isFromCollectPhotos diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/empty_album_state.dart b/mobile/apps/photos/lib/ui/viewer/gallery/empty_album_state.dart index 83e0ae7db6..68945d8a98 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/empty_album_state.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/empty_album_state.dart @@ -12,10 +12,13 @@ import "package:photos/utils/navigation_util.dart"; class EmptyAlbumState extends StatelessWidget { final Collection c; final bool isFromCollectPhotos; + final VoidCallback? onAddPhotos; + const EmptyAlbumState( this.c, { super.key, this.isFromCollectPhotos = false, + this.onAddPhotos, }); @override @@ -107,6 +110,7 @@ class EmptyAlbumState extends StatelessWidget { context, SmartAlbumPeople(collectionId: c.id), ); + onAddPhotos?.call(); }, ), const SizedBox(height: 48), diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart index 03c0b00625..c44f9b2eaf 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery_app_bar_widget.dart @@ -11,6 +11,7 @@ import "package:photos/core/constants.dart"; import 'package:photos/core/event_bus.dart'; import "package:photos/core/network/network.dart"; import "package:photos/db/files_db.dart"; +import "package:photos/events/collection_meta_event.dart"; import "package:photos/events/magic_sort_change_event.dart"; import 'package:photos/events/subscription_purchased_event.dart'; import "package:photos/gateways/cast_gw.dart"; @@ -111,6 +112,7 @@ enum AlbumPopupAction { class _GalleryAppBarWidgetState extends State { final _logger = Logger("GalleryAppBar"); late StreamSubscription _userAuthEventSubscription; + late StreamSubscription _collectionMetaEventSubscription; late Function() _selectedFilesListener; String? _appBarTitle; late CollectionActions collectionActions; @@ -131,6 +133,15 @@ class _GalleryAppBarWidgetState extends State { Bus.instance.on().listen((event) { setState(() {}); }); + _collectionMetaEventSubscription = Bus.instance + .on() + .where( + (event) => + event.id == widget.collection?.id && + event.type == CollectionMetaEventType.autoAddPeople, + ) + .listen(stateRefresh); + _appBarTitle = widget.title; galleryType = widget.type; } @@ -138,10 +149,16 @@ class _GalleryAppBarWidgetState extends State { @override void dispose() { _userAuthEventSubscription.cancel(); + _collectionMetaEventSubscription.cancel(); widget.selectedFiles.removeListener(_selectedFilesListener); super.dispose(); } + void stateRefresh(dynamic event) { + if (!mounted) return; + setState(() {}); + } + @override Widget build(BuildContext context) { final inheritedSearchFilterData = From 02a09ea206a1684228d5f88da187518128c8efdf Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Tue, 29 Jul 2025 19:32:25 +0530 Subject: [PATCH 236/302] fix: remove unused google_fonts dependency and update related configurations --- .../image_editor/image_editor_page_new.dart | 9 +--- mobile/apps/photos/pubspec.lock | 44 ++++++++----------- mobile/apps/photos/pubspec.yaml | 1 - 3 files changed, 19 insertions(+), 35 deletions(-) diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart index bceca00685..f99799378e 100644 --- a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart @@ -7,7 +7,6 @@ import 'dart:ui' as ui show Image; import 'package:flutter/material.dart'; import "package:flutter_image_compress/flutter_image_compress.dart"; import "package:flutter_svg/svg.dart"; -import "package:google_fonts/google_fonts.dart"; import "package:logging/logging.dart"; import 'package:path/path.dart' as path; import "package:photo_manager/photo_manager.dart"; @@ -522,16 +521,10 @@ class _NewImageEditorState extends State { ), mainEditorConfigs: const MainEditorConfigs(enableZoom: true), paintEditorConfigs: const PaintEditorConfigs(enabled: true), - textEditorConfigs: TextEditorConfigs( + textEditorConfigs: const TextEditorConfigs( enabled: false, canToggleBackgroundMode: true, canToggleTextAlign: true, - customTextStyles: [ - GoogleFonts.inter(), - GoogleFonts.giveYouGlory(), - GoogleFonts.dmSerifText(), - GoogleFonts.comicNeue(), - ], ), cropRotateEditorConfigs: const CropRotateEditorConfigs( canChangeAspectRatio: true, diff --git a/mobile/apps/photos/pubspec.lock b/mobile/apps/photos/pubspec.lock index 2988443213..bd467f28e3 100644 --- a/mobile/apps/photos/pubspec.lock +++ b/mobile/apps/photos/pubspec.lock @@ -325,10 +325,10 @@ packages: dependency: "direct main" description: name: collection - sha256: a1ace0a119f20aabc852d165077c036cd864315bd99b7eaa10a60100341941bf + sha256: ee67cb0715911d28db6bf4af1026078bd6f0128b07a5f66fb2ed94ec6783c09a url: "https://pub.dev" source: hosted - version: "1.19.0" + version: "1.18.0" computer: dependency: "direct main" description: @@ -1184,14 +1184,6 @@ packages: url: "https://pub.dev" source: hosted version: "2.1.3" - google_fonts: - dependency: "direct main" - description: - name: google_fonts - sha256: b1ac0fe2832c9cc95e5e88b57d627c5e68c223b9657f4b96e1487aa9098c7b82 - url: "https://pub.dev" - source: hosted - version: "6.2.1" graphs: dependency: transitive description: @@ -1441,18 +1433,18 @@ packages: dependency: transitive description: name: leak_tracker - sha256: "7bb2830ebd849694d1ec25bf1f44582d6ac531a57a365a803a6034ff751d2d06" + sha256: "3f87a60e8c63aecc975dda1ceedbc8f24de75f09e4856ea27daf8958f2f0ce05" url: "https://pub.dev" source: hosted - version: "10.0.7" + version: "10.0.5" leak_tracker_flutter_testing: dependency: transitive description: name: leak_tracker_flutter_testing - sha256: "9491a714cca3667b60b5c420da8217e6de0d1ba7a5ec322fab01758f6998f379" + sha256: "932549fb305594d82d7183ecd9fa93463e9914e1b67cacc34bc40906594a1806" url: "https://pub.dev" source: hosted - version: "3.0.8" + version: "3.0.5" leak_tracker_testing: dependency: transitive description: @@ -2467,10 +2459,10 @@ packages: dependency: transitive description: name: stack_trace - sha256: "9f47fd3630d76be3ab26f0ee06d213679aa425996925ff3feffdec504931c377" + sha256: "73713990125a6d93122541237550ee3352a2d84baad52d375a4cad2eb9b7ce0b" url: "https://pub.dev" source: hosted - version: "1.12.0" + version: "1.11.1" step_progress_indicator: dependency: "direct main" description: @@ -2499,10 +2491,10 @@ packages: dependency: transitive description: name: string_scanner - sha256: "688af5ed3402a4bde5b3a6c15fd768dbf2621a614950b17f04626c431ab3c4c3" + sha256: "556692adab6cfa87322a115640c11f13cb77b3f076ddcc5d6ae3c20242bedcde" url: "https://pub.dev" source: hosted - version: "1.3.0" + version: "1.2.0" styled_text: dependency: "direct main" description: @@ -2563,26 +2555,26 @@ packages: dependency: "direct dev" description: name: test - sha256: "713a8789d62f3233c46b4a90b174737b2c04cb6ae4500f2aa8b1be8f03f5e67f" + sha256: "7ee44229615f8f642b68120165ae4c2a75fe77ae2065b1e55ae4711f6cf0899e" url: "https://pub.dev" source: hosted - version: "1.25.8" + version: "1.25.7" test_api: dependency: transitive description: name: test_api - sha256: "664d3a9a64782fcdeb83ce9c6b39e78fd2971d4e37827b9b06c3aa1edc5e760c" + sha256: "5b8a98dafc4d5c4c9c72d8b31ab2b23fc13422348d2997120294d3bac86b4ddb" url: "https://pub.dev" source: hosted - version: "0.7.3" + version: "0.7.2" test_core: dependency: transitive description: name: test_core - sha256: "12391302411737c176b0b5d6491f466b0dd56d4763e347b6714efbaa74d7953d" + sha256: "55ea5a652e38a1dfb32943a7973f3681a60f872f8c3a05a14664ad54ef9c6696" url: "https://pub.dev" source: hosted - version: "0.6.5" + version: "0.6.4" thermal: dependency: "direct main" description: @@ -2862,10 +2854,10 @@ packages: dependency: transitive description: name: vm_service - sha256: f6be3ed8bd01289b34d679c2b62226f63c0e69f9fd2e50a6b3c1c729a961041b + sha256: "5c5f338a667b4c644744b661f309fb8080bb94b18a7e91ef1dbd343bed00ed6d" url: "https://pub.dev" source: hosted - version: "14.3.0" + version: "14.2.5" volume_controller: dependency: transitive description: diff --git a/mobile/apps/photos/pubspec.yaml b/mobile/apps/photos/pubspec.yaml index 8906f4139e..0107e70148 100644 --- a/mobile/apps/photos/pubspec.yaml +++ b/mobile/apps/photos/pubspec.yaml @@ -109,7 +109,6 @@ dependencies: fluttertoast: ^8.0.6 fraction: ^5.0.2 freezed_annotation: ^2.4.1 - google_fonts: ^6.2.1 home_widget: ^0.7.0+1 html_unescape: ^2.0.0 http: ^1.1.0 From 92590e51c2ae5054192f121bd9080c80eb0675f4 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Tue, 29 Jul 2025 19:57:29 +0530 Subject: [PATCH 237/302] feat: Auto add option in people selection page --- .../lib/generated/intl/messages_en.dart | 2 + mobile/apps/photos/lib/generated/l10n.dart | 10 ++++ mobile/apps/photos/lib/l10n/intl_en.arb | 1 + .../lib/services/smart_albums_service.dart | 34 +++++++++++- .../ui/collections/album/vertical_list.dart | 10 ++-- .../collections/collection_action_sheet.dart | 52 +++++++++++++++++-- .../selection_action_button_widget.dart | 39 ++++++++------ .../people_selection_action_widget.dart | 28 ++++++++++ 8 files changed, 151 insertions(+), 25 deletions(-) diff --git a/mobile/apps/photos/lib/generated/intl/messages_en.dart b/mobile/apps/photos/lib/generated/intl/messages_en.dart index 2895ab4a01..3c3172e31a 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_en.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_en.dart @@ -548,6 +548,8 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Authentication successful!"), "autoAddPeople": MessageLookupByLibrary.simpleMessage("Auto-add people"), + "autoAddToAlbum": + MessageLookupByLibrary.simpleMessage("Auto-add to album"), "autoCastDialogBody": MessageLookupByLibrary.simpleMessage( "You\'ll see available Cast devices here."), "autoCastiOSPermission": MessageLookupByLibrary.simpleMessage( diff --git a/mobile/apps/photos/lib/generated/l10n.dart b/mobile/apps/photos/lib/generated/l10n.dart index c5244bb176..a9de1eabf9 100644 --- a/mobile/apps/photos/lib/generated/l10n.dart +++ b/mobile/apps/photos/lib/generated/l10n.dart @@ -12336,6 +12336,16 @@ class S { ); } + /// `Auto-add to album` + String get autoAddToAlbum { + return Intl.message( + 'Auto-add to album', + name: 'autoAddToAlbum', + desc: '', + args: [], + ); + } + /// `Should the files related to the person that were previously selected in smart albums be removed?` String get shouldRemoveFilesSmartAlbumsDesc { return Intl.message( diff --git a/mobile/apps/photos/lib/l10n/intl_en.arb b/mobile/apps/photos/lib/l10n/intl_en.arb index 3343422186..a9c69cab56 100644 --- a/mobile/apps/photos/lib/l10n/intl_en.arb +++ b/mobile/apps/photos/lib/l10n/intl_en.arb @@ -1793,6 +1793,7 @@ "fileAnalysisFailed": "Unable to analyze file", "editAutoAddPeople": "Edit auto-add people", "autoAddPeople": "Auto-add people", + "autoAddToAlbum": "Auto-add to album", "shouldRemoveFilesSmartAlbumsDesc": "Should the files related to the person that were previously selected in smart albums be removed?", "addingPhotos": "Adding photos", "gettingReady": "Getting ready", diff --git a/mobile/apps/photos/lib/services/smart_albums_service.dart b/mobile/apps/photos/lib/services/smart_albums_service.dart index 8dda828db3..1aa8148f46 100644 --- a/mobile/apps/photos/lib/services/smart_albums_service.dart +++ b/mobile/apps/photos/lib/services/smart_albums_service.dart @@ -126,8 +126,8 @@ class SmartAlbumsService { for (final personId in config.personIDs) { // compares current updateAt with last added file's updatedAt if (updatedAtMap[personId] == null || - infoMap[personId] == null || - (updatedAtMap[personId]! <= infoMap[personId]!.updatedAt)) { + infoMap[personId] != null && + (updatedAtMap[personId]! <= infoMap[personId]!.updatedAt)) { continue; } @@ -173,6 +173,36 @@ class SmartAlbumsService { Bus.instance.fire(SmartAlbumSyncingEvent()); } + Future addPeopleToSmartAlbum( + int collectionId, + List personIDs, + ) async { + final cachedConfigs = await getSmartConfigs(); + + late SmartAlbumConfig newConfig; + + final config = cachedConfigs[collectionId]; + final infoMap = Map.from(config?.infoMap ?? {}); + + for (final personId in personIDs) { + // skip if personId already exists in infoMap + // only relevant when config exists before + if (infoMap.containsKey(personId)) continue; + infoMap[personId] = (updatedAt: 0, addedFiles: {}); + } + + newConfig = SmartAlbumConfig( + id: config?.id, + collectionId: collectionId, + personIDs: {...?config?.personIDs, ...personIDs}, + infoMap: infoMap, + updatedAt: DateTime.now().millisecondsSinceEpoch, + ); + + await saveConfig(newConfig); + return newConfig; + } + Future saveConfig(SmartAlbumConfig config) async { final userId = Configuration.instance.getUserID()!; diff --git a/mobile/apps/photos/lib/ui/collections/album/vertical_list.dart b/mobile/apps/photos/lib/ui/collections/album/vertical_list.dart index aeb1fdc545..d65ae4049f 100644 --- a/mobile/apps/photos/lib/ui/collections/album/vertical_list.dart +++ b/mobile/apps/photos/lib/ui/collections/album/vertical_list.dart @@ -37,12 +37,14 @@ class AlbumVerticalListWidget extends StatefulWidget { final bool enableSelection; final List selectedCollections; final Function()? onSelectionChanged; + final List? selectedPeople; const AlbumVerticalListWidget( this.collections, this.actionType, this.selectedFiles, this.sharedFiles, + this.selectedPeople, this.searchQuery, this.shouldShowCreateAlbum, { required this.selectedCollections, @@ -66,7 +68,9 @@ class _AlbumVerticalListWidgetState extends State { Widget build(BuildContext context) { final filesCount = widget.sharedFiles != null ? widget.sharedFiles!.length - : widget.selectedFiles?.files.length ?? 0; + : widget.selectedPeople != null + ? widget.selectedPeople!.length + : widget.selectedFiles?.files.length ?? 0; if (widget.collections.isEmpty) { if (widget.shouldShowCreateAlbum) { @@ -282,6 +286,8 @@ class _AlbumVerticalListWidgetState extends State { }) async { switch (widget.actionType) { case CollectionActionType.addFiles: + case CollectionActionType.addToHiddenAlbum: + case CollectionActionType.autoAddPeople: return _addToCollection( context, collection.id, @@ -297,8 +303,6 @@ class _AlbumVerticalListWidgetState extends State { return _showShareCollectionPage(context, collection); case CollectionActionType.moveToHiddenCollection: return _moveFilesToCollection(context, collection.id); - case CollectionActionType.addToHiddenAlbum: - return _addToCollection(context, collection.id, showProgressDialog); } } diff --git a/mobile/apps/photos/lib/ui/collections/collection_action_sheet.dart b/mobile/apps/photos/lib/ui/collections/collection_action_sheet.dart index 99c41f59fc..d049be0102 100644 --- a/mobile/apps/photos/lib/ui/collections/collection_action_sheet.dart +++ b/mobile/apps/photos/lib/ui/collections/collection_action_sheet.dart @@ -3,6 +3,7 @@ import 'dart:math'; import 'package:collection/collection.dart'; import 'package:flutter/material.dart'; +import "package:logging/logging.dart"; import 'package:modal_bottom_sheet/modal_bottom_sheet.dart'; import "package:photos/core/configuration.dart"; import "package:photos/core/event_bus.dart"; @@ -10,6 +11,7 @@ import "package:photos/events/create_new_album_event.dart"; import "package:photos/generated/l10n.dart"; import 'package:photos/models/collection/collection.dart'; import 'package:photos/models/selected_files.dart'; +import "package:photos/service_locator.dart"; import 'package:photos/services/collections_service.dart'; import 'package:photos/theme/colors.dart'; import 'package:photos/theme/ente_theme.dart'; @@ -17,12 +19,14 @@ import "package:photos/ui/actions/collection/collection_file_actions.dart"; import "package:photos/ui/actions/collection/collection_sharing_actions.dart"; import 'package:photos/ui/collections/album/vertical_list.dart'; import 'package:photos/ui/common/loading_widget.dart'; +import "package:photos/ui/common/progress_dialog.dart"; import 'package:photos/ui/components/bottom_of_title_bar_widget.dart'; import 'package:photos/ui/components/buttons/button_widget.dart'; import 'package:photos/ui/components/models/button_type.dart'; import "package:photos/ui/components/text_input_widget.dart"; import 'package:photos/ui/components/title_bar_title_widget.dart'; import "package:photos/ui/notification/toast.dart"; +import "package:photos/utils/dialog_util.dart"; import "package:photos/utils/separators_util.dart"; import 'package:receive_sharing_intent/receive_sharing_intent.dart'; @@ -34,6 +38,7 @@ enum CollectionActionType { shareCollection, addToHiddenAlbum, moveToHiddenCollection, + autoAddPeople; } extension CollectionActionTypeExtension on CollectionActionType { @@ -70,6 +75,9 @@ String _actionName( case CollectionActionType.moveToHiddenCollection: text = S.of(context).moveToHiddenAlbum; break; + case CollectionActionType.autoAddPeople: + text = S.of(context).autoAddToAlbum; + break; } return text; } @@ -80,6 +88,7 @@ void showCollectionActionSheet( List? sharedFiles, CollectionActionType actionType = CollectionActionType.addFiles, bool showOptionToCreateNewAlbum = true, + List? selectedPeople, }) { showBarModalBottomSheet( context: context, @@ -89,6 +98,7 @@ void showCollectionActionSheet( sharedFiles: sharedFiles, actionType: actionType, showOptionToCreateNewAlbum: showOptionToCreateNewAlbum, + selectedPeople: selectedPeople, ); }, shape: const RoundedRectangleBorder( @@ -107,6 +117,7 @@ void showCollectionActionSheet( class CollectionActionSheet extends StatefulWidget { final SelectedFiles? selectedFiles; final List? sharedFiles; + final List? selectedPeople; final CollectionActionType actionType; final bool showOptionToCreateNewAlbum; const CollectionActionSheet({ @@ -114,6 +125,7 @@ class CollectionActionSheet extends StatefulWidget { required this.sharedFiles, required this.actionType, required this.showOptionToCreateNewAlbum, + this.selectedPeople, super.key, }); @@ -129,14 +141,18 @@ class _CollectionActionSheetState extends State { final _selectedCollections = []; final _recentlyCreatedCollections = []; late StreamSubscription _createNewAlbumSubscription; + final _logger = Logger("CollectionActionSheet"); @override void initState() { super.initState(); _showOnlyHiddenCollections = widget.actionType.isHiddenAction; - _enableSelection = (widget.actionType == CollectionActionType.addFiles || - widget.actionType == CollectionActionType.addToHiddenAlbum) && - (widget.sharedFiles == null || widget.sharedFiles!.isEmpty); + _enableSelection = (widget.actionType == + CollectionActionType.autoAddPeople && + widget.selectedPeople != null) || + ((widget.actionType == CollectionActionType.addFiles || + widget.actionType == CollectionActionType.addToHiddenAlbum) && + (widget.sharedFiles == null || widget.sharedFiles!.isEmpty)); _createNewAlbumSubscription = Bus.instance.on().listen((event) { setState(() { @@ -156,7 +172,9 @@ class _CollectionActionSheetState extends State { Widget build(BuildContext context) { final filesCount = widget.sharedFiles != null ? widget.sharedFiles!.length - : widget.selectedFiles?.files.length ?? 0; + : widget.selectedPeople != null + ? widget.selectedPeople!.length + : widget.selectedFiles?.files.length ?? 0; final bottomInset = MediaQuery.viewInsetsOf(context).bottom; final isKeyboardUp = bottomInset > 100; final double bottomPadding = @@ -256,6 +274,31 @@ class _CollectionActionSheetState extends State { shouldSurfaceExecutionStates: false, isDisabled: _selectedCollections.isEmpty, onTap: () async { + if (widget.selectedPeople != null) { + final ProgressDialog? dialog = createProgressDialog( + context, + S.of(context).uploadingFilesToAlbum, + isDismissible: true, + ); + await dialog?.show(); + for (final collection in _selectedCollections) { + try { + await smartAlbumsService.addPeopleToSmartAlbum( + collection.id, + widget.selectedPeople!, + ); + } catch (error, stackTrace) { + _logger.severe( + "Error while adding people to smart album", + error, + stackTrace, + ); + } + } + unawaited(smartAlbumsService.syncSmartAlbums()); + await dialog?.hide(); + return; + } final CollectionActions collectionActions = CollectionActions(CollectionsService.instance); final result = await collectionActions.addToMultipleCollections( @@ -319,6 +362,7 @@ class _CollectionActionSheetState extends State { widget.actionType, widget.selectedFiles, widget.sharedFiles, + widget.selectedPeople, _searchQuery, shouldShowCreateAlbum, enableSelection: _enableSelection, diff --git a/mobile/apps/photos/lib/ui/components/bottom_action_bar/selection_action_button_widget.dart b/mobile/apps/photos/lib/ui/components/bottom_action_bar/selection_action_button_widget.dart index 43d94aea41..8ca5e90470 100644 --- a/mobile/apps/photos/lib/ui/components/bottom_action_bar/selection_action_button_widget.dart +++ b/mobile/apps/photos/lib/ui/components/bottom_action_bar/selection_action_button_widget.dart @@ -8,6 +8,7 @@ import "package:photos/theme/ente_theme.dart"; class SelectionActionButton extends StatelessWidget { final String labelText; final IconData? icon; + final Widget? iconWidget; final String? svgAssetPath; final VoidCallback? onTap; final bool shouldShow; @@ -17,13 +18,14 @@ class SelectionActionButton extends StatelessWidget { required this.onTap, this.icon, this.svgAssetPath, + this.iconWidget, this.shouldShow = true, super.key, }); @override Widget build(BuildContext context) { - assert(icon != null || svgAssetPath != null); + assert(icon != null || iconWidget != null || svgAssetPath != null); return AnimatedSize( duration: const Duration(milliseconds: 350), curve: Curves.easeInOutCirc, @@ -35,6 +37,7 @@ class SelectionActionButton extends StatelessWidget { icon: icon, onTap: onTap, svgAssetPath: svgAssetPath, + iconWidget: iconWidget, ) : const SizedBox( height: 60, @@ -48,12 +51,14 @@ class _Body extends StatefulWidget { final String labelText; final IconData? icon; final String? svgAssetPath; + final Widget? iconWidget; final VoidCallback? onTap; const _Body({ required this.labelText, required this.onTap, this.icon, this.svgAssetPath, + this.iconWidget, }); @override @@ -128,22 +133,24 @@ class __BodyState extends State<_Body> { ], ), ) + else if (widget.svgAssetPath != null) + SvgPicture.asset( + widget.svgAssetPath!, + colorFilter: ColorFilter.mode( + getEnteColorScheme(context).textMuted, + BlendMode.srcIn, + ), + width: 24, + height: 24, + ) + else if (widget.iconWidget != null) + widget.iconWidget! else - widget.svgAssetPath != null - ? SvgPicture.asset( - widget.svgAssetPath!, - colorFilter: ColorFilter.mode( - getEnteColorScheme(context).textMuted, - BlendMode.srcIn, - ), - width: 24, - height: 24, - ) - : Icon( - widget.icon, - size: 24, - color: getEnteColorScheme(context).textMuted, - ), + Icon( + widget.icon, + size: 24, + color: getEnteColorScheme(context).textMuted, + ), const SizedBox(height: 4), Text( widget.labelText, diff --git a/mobile/apps/photos/lib/ui/viewer/actions/people_selection_action_widget.dart b/mobile/apps/photos/lib/ui/viewer/actions/people_selection_action_widget.dart index 38afe7a9b9..8e6385ee30 100644 --- a/mobile/apps/photos/lib/ui/viewer/actions/people_selection_action_widget.dart +++ b/mobile/apps/photos/lib/ui/viewer/actions/people_selection_action_widget.dart @@ -7,6 +7,8 @@ import "package:photos/models/ml/face/person.dart"; import "package:photos/models/selected_people.dart"; import "package:photos/services/machine_learning/face_ml/feedback/cluster_feedback.dart"; import "package:photos/services/machine_learning/face_ml/person/person_service.dart"; +import "package:photos/theme/ente_theme.dart"; +import "package:photos/ui/collections/collection_action_sheet.dart"; import "package:photos/ui/components/bottom_action_bar/selection_action_button_widget.dart"; import "package:photos/ui/viewer/people/person_cluster_suggestion.dart"; import "package:photos/ui/viewer/people/save_or_edit_person.dart"; @@ -73,6 +75,8 @@ class _PeopleSelectionActionWidgetState final selectedClusterIds = _getSelectedClusterIds(); final onlyOnePerson = selectedPersonIds.length == 1 && selectedClusterIds.isEmpty; + final onlyPersonSelected = + selectedPersonIds.isNotEmpty && selectedClusterIds.isEmpty; final onePersonAndClusters = selectedPersonIds.length == 1 && selectedClusterIds.isNotEmpty; final anythingSelected = @@ -118,6 +122,19 @@ class _PeopleSelectionActionWidgetState shouldShow: onlyOnePerson, ), ); + items.add( + SelectionActionButton( + labelText: S.of(context).autoAddToAlbum, + iconWidget: Image.asset( + "assets/auto-add-people.png", + width: 24, + height: 24, + color: EnteTheme.isDark(context) ? Colors.white : Colors.black, + ), + onTap: _autoAddToAlbum, + shouldShow: onlyPersonSelected, + ), + ); return MediaQuery( data: MediaQuery.of(context).removePadding(removeBottom: true), @@ -182,6 +199,17 @@ class _PeopleSelectionActionWidgetState widget.selectedPeople.clearAll(); } + Future _autoAddToAlbum() async { + final selectedPersonIds = _getSelectedPersonIds(); + if (selectedPersonIds.isEmpty) return; + showCollectionActionSheet( + context, + selectedPeople: selectedPersonIds, + actionType: CollectionActionType.autoAddPeople, + ); + widget.selectedPeople.clearAll(); + } + Future _onResetPerson() async { final selectedPersonIds = _getSelectedPersonIds(); if (selectedPersonIds.length != 1) return; From 38008cb76040bbe93ee0bdcc14f8b02509c46d36 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Tue, 29 Jul 2025 19:57:50 +0530 Subject: [PATCH 238/302] chore: update locks --- mobile/apps/photos/ios/Podfile.lock | 7 +++++++ mobile/apps/photos/ios/Runner.xcodeproj/project.pbxproj | 2 ++ 2 files changed, 9 insertions(+) diff --git a/mobile/apps/photos/ios/Podfile.lock b/mobile/apps/photos/ios/Podfile.lock index 3818fca973..55224eaaf9 100644 --- a/mobile/apps/photos/ios/Podfile.lock +++ b/mobile/apps/photos/ios/Podfile.lock @@ -127,6 +127,9 @@ PODS: - libwebp/sharpyuv (1.5.0) - libwebp/webp (1.5.0): - libwebp/sharpyuv + - local_auth_darwin (0.0.1): + - Flutter + - FlutterMacOS - local_auth_ios (0.0.1): - Flutter - Mantle (2.2.0): @@ -266,6 +269,7 @@ DEPENDENCIES: - in_app_purchase_storekit (from `.symlinks/plugins/in_app_purchase_storekit/darwin`) - integration_test (from `.symlinks/plugins/integration_test/ios`) - launcher_icon_switcher (from `.symlinks/plugins/launcher_icon_switcher/ios`) + - local_auth_darwin (from `.symlinks/plugins/local_auth_darwin/darwin`) - local_auth_ios (from `.symlinks/plugins/local_auth_ios/ios`) - maps_launcher (from `.symlinks/plugins/maps_launcher/ios`) - media_extension (from `.symlinks/plugins/media_extension/ios`) @@ -373,6 +377,8 @@ EXTERNAL SOURCES: :path: ".symlinks/plugins/integration_test/ios" launcher_icon_switcher: :path: ".symlinks/plugins/launcher_icon_switcher/ios" + local_auth_darwin: + :path: ".symlinks/plugins/local_auth_darwin/darwin" local_auth_ios: :path: ".symlinks/plugins/local_auth_ios/ios" maps_launcher: @@ -473,6 +479,7 @@ SPEC CHECKSUMS: integration_test: 4a889634ef21a45d28d50d622cf412dc6d9f586e launcher_icon_switcher: 84c218d233505aa7d8655d8fa61a3ba802c022da libwebp: 02b23773aedb6ff1fd38cec7a77b81414c6842a8 + local_auth_darwin: 553ce4f9b16d3fdfeafce9cf042e7c9f77c1c391 local_auth_ios: f7a1841beef3151d140a967c2e46f30637cdf451 Mantle: c5aa8794a29a022dfbbfc9799af95f477a69b62d maps_launcher: edf829809ba9e894d70e569bab11c16352dedb45 diff --git a/mobile/apps/photos/ios/Runner.xcodeproj/project.pbxproj b/mobile/apps/photos/ios/Runner.xcodeproj/project.pbxproj index 8640b17d3a..d1c1bff9f4 100644 --- a/mobile/apps/photos/ios/Runner.xcodeproj/project.pbxproj +++ b/mobile/apps/photos/ios/Runner.xcodeproj/project.pbxproj @@ -548,6 +548,7 @@ "${BUILT_PRODUCTS_DIR}/integration_test/integration_test.framework", "${BUILT_PRODUCTS_DIR}/launcher_icon_switcher/launcher_icon_switcher.framework", "${BUILT_PRODUCTS_DIR}/libwebp/libwebp.framework", + "${BUILT_PRODUCTS_DIR}/local_auth_darwin/local_auth_darwin.framework", "${BUILT_PRODUCTS_DIR}/local_auth_ios/local_auth_ios.framework", "${BUILT_PRODUCTS_DIR}/maps_launcher/maps_launcher.framework", "${BUILT_PRODUCTS_DIR}/media_extension/media_extension.framework", @@ -643,6 +644,7 @@ "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/integration_test.framework", "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/launcher_icon_switcher.framework", "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/libwebp.framework", + "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/local_auth_darwin.framework", "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/local_auth_ios.framework", "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/maps_launcher.framework", "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/media_extension.framework", From aaa53d7dc479c4f57d747bae15b4a8e4b365205d Mon Sep 17 00:00:00 2001 From: ashilkn Date: Tue, 29 Jul 2025 20:15:33 +0530 Subject: [PATCH 239/302] Fix build error --- mobile/apps/photos/pubspec.lock | 10 +++++----- mobile/apps/photos/pubspec.yaml | 1 + 2 files changed, 6 insertions(+), 5 deletions(-) diff --git a/mobile/apps/photos/pubspec.lock b/mobile/apps/photos/pubspec.lock index bd467f28e3..f80b8e1f5f 100644 --- a/mobile/apps/photos/pubspec.lock +++ b/mobile/apps/photos/pubspec.lock @@ -371,13 +371,13 @@ packages: source: hosted version: "1.15.0" cronet_http: - dependency: transitive + dependency: "direct overridden" description: name: cronet_http - sha256: df26af0de7c4eff46c53c190b5590e22457bfce6ea679aedb1e6326197f27d6f + sha256: "5ed075c59b2d4bd43af4e73d906b8082e98ecd2af9c625327370ef28361bf635" url: "https://pub.dev" source: hosted - version: "1.4.0" + version: "1.3.4" cross_file: dependency: transitive description: @@ -1385,10 +1385,10 @@ packages: dependency: transitive description: name: jni - sha256: d2c361082d554d4593c3012e26f6b188f902acd291330f13d6427641a92b3da1 + sha256: "459727a9daf91bdfb39b014cf3c186cf77f0136124a274ac83c186e12262ac4e" url: "https://pub.dev" source: hosted - version: "0.14.2" + version: "0.12.2" js: dependency: "direct overridden" description: diff --git a/mobile/apps/photos/pubspec.yaml b/mobile/apps/photos/pubspec.yaml index 0107e70148..df407d9914 100644 --- a/mobile/apps/photos/pubspec.yaml +++ b/mobile/apps/photos/pubspec.yaml @@ -217,6 +217,7 @@ dependencies: xml: ^6.3.0 dependency_overrides: + cronet_http: "1.3.4" # Remove this after removing dependency from flutter_sodium. # Newer flutter packages depends on ffi > 2.0.0 while flutter_sodium depends on ffi < 2.0.0 ffi: 2.1.0 From dccc880b682eb2bc1a81a945f84849c67e23c6e8 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Tue, 29 Jul 2025 20:16:20 +0530 Subject: [PATCH 240/302] Fix build error --- mobile/apps/photos/pubspec.yaml | 1 + 1 file changed, 1 insertion(+) diff --git a/mobile/apps/photos/pubspec.yaml b/mobile/apps/photos/pubspec.yaml index df407d9914..76594a6a28 100644 --- a/mobile/apps/photos/pubspec.yaml +++ b/mobile/apps/photos/pubspec.yaml @@ -217,6 +217,7 @@ dependencies: xml: ^6.3.0 dependency_overrides: + # See if app builds after removing this override once flutter is updated to 3.27 cronet_http: "1.3.4" # Remove this after removing dependency from flutter_sodium. # Newer flutter packages depends on ffi > 2.0.0 while flutter_sodium depends on ffi < 2.0.0 From cdc2a1f63c1c762c1565bddcc5d9539fb16b1793 Mon Sep 17 00:00:00 2001 From: Anand Desai Date: Wed, 30 Jul 2025 00:19:54 +0530 Subject: [PATCH 241/302] chore: add exaroton icon --- .../auth/assets/custom-icons/_data/custom-icons.json | 12 ++++++++++-- .../apps/auth/assets/custom-icons/icons/exaroton.svg | 1 + 2 files changed, 11 insertions(+), 2 deletions(-) create mode 100644 mobile/apps/auth/assets/custom-icons/icons/exaroton.svg diff --git a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json index e93a86308d..e8b74921f6 100644 --- a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json +++ b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json @@ -497,6 +497,14 @@ ], "hex": "858585" }, + { + "title": "exaroton", + "slug": "exaroton", + "altNames": [ + "Exaroton" + ], + "hex": "17AB17" + }, { "title": "Fanatical", "slug": "fanatical", @@ -1553,7 +1561,7 @@ "title": "Warner Bros.", "slug": "warner_bros", "altNames": [ - "Warner Brothers" + "Warner Brothers" ] }, { @@ -1679,4 +1687,4 @@ "slug": "cowheels" } ] -} +} \ No newline at end of file diff --git a/mobile/apps/auth/assets/custom-icons/icons/exaroton.svg b/mobile/apps/auth/assets/custom-icons/icons/exaroton.svg new file mode 100644 index 0000000000..7ea2363453 --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/exaroton.svg @@ -0,0 +1 @@ + \ No newline at end of file From 5b16dcdce40a607f45169ca87507e373a0be4f54 Mon Sep 17 00:00:00 2001 From: Anand Desai Date: Wed, 30 Jul 2025 00:24:24 +0530 Subject: [PATCH 242/302] chore: add NumberBarn icon --- .../auth/assets/custom-icons/_data/custom-icons.json | 9 +++++++-- .../apps/auth/assets/custom-icons/icons/numberbarn.svg | 1 + 2 files changed, 8 insertions(+), 2 deletions(-) create mode 100644 mobile/apps/auth/assets/custom-icons/icons/numberbarn.svg diff --git a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json index e93a86308d..89600dd462 100644 --- a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json +++ b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json @@ -1030,6 +1030,11 @@ { "title": "Notion" }, + { + "title": "NumberBarn", + "slug": "numberbarn", + "hex": "1c5787" + }, { "title": "NuCommunity" }, @@ -1553,7 +1558,7 @@ "title": "Warner Bros.", "slug": "warner_bros", "altNames": [ - "Warner Brothers" + "Warner Brothers" ] }, { @@ -1679,4 +1684,4 @@ "slug": "cowheels" } ] -} +} \ No newline at end of file diff --git a/mobile/apps/auth/assets/custom-icons/icons/numberbarn.svg b/mobile/apps/auth/assets/custom-icons/icons/numberbarn.svg new file mode 100644 index 0000000000..d4c1350536 --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/numberbarn.svg @@ -0,0 +1 @@ + \ No newline at end of file From 05f530283f804206a36dfe142a2f5afa096a0edd Mon Sep 17 00:00:00 2001 From: Anand Desai Date: Wed, 30 Jul 2025 00:24:55 +0530 Subject: [PATCH 243/302] Revert "chore: add NumberBarn icon" This reverts commit 5b16dcdce40a607f45169ca87507e373a0be4f54. --- .../auth/assets/custom-icons/_data/custom-icons.json | 9 ++------- .../apps/auth/assets/custom-icons/icons/numberbarn.svg | 1 - 2 files changed, 2 insertions(+), 8 deletions(-) delete mode 100644 mobile/apps/auth/assets/custom-icons/icons/numberbarn.svg diff --git a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json index 89600dd462..e93a86308d 100644 --- a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json +++ b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json @@ -1030,11 +1030,6 @@ { "title": "Notion" }, - { - "title": "NumberBarn", - "slug": "numberbarn", - "hex": "1c5787" - }, { "title": "NuCommunity" }, @@ -1558,7 +1553,7 @@ "title": "Warner Bros.", "slug": "warner_bros", "altNames": [ - "Warner Brothers" + "Warner Brothers" ] }, { @@ -1684,4 +1679,4 @@ "slug": "cowheels" } ] -} \ No newline at end of file +} diff --git a/mobile/apps/auth/assets/custom-icons/icons/numberbarn.svg b/mobile/apps/auth/assets/custom-icons/icons/numberbarn.svg deleted file mode 100644 index d4c1350536..0000000000 --- a/mobile/apps/auth/assets/custom-icons/icons/numberbarn.svg +++ /dev/null @@ -1 +0,0 @@ - \ No newline at end of file From da08e1cb098b288ea35e6a1170732a392ffe19be Mon Sep 17 00:00:00 2001 From: Anand Desai Date: Wed, 30 Jul 2025 01:15:21 +0530 Subject: [PATCH 244/302] chore: add numberbarn icon --- .../auth/assets/custom-icons/_data/custom-icons.json | 9 +++++++-- .../apps/auth/assets/custom-icons/icons/numberbarn.svg | 1 + 2 files changed, 8 insertions(+), 2 deletions(-) create mode 100644 mobile/apps/auth/assets/custom-icons/icons/numberbarn.svg diff --git a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json index e93a86308d..89600dd462 100644 --- a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json +++ b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json @@ -1030,6 +1030,11 @@ { "title": "Notion" }, + { + "title": "NumberBarn", + "slug": "numberbarn", + "hex": "1c5787" + }, { "title": "NuCommunity" }, @@ -1553,7 +1558,7 @@ "title": "Warner Bros.", "slug": "warner_bros", "altNames": [ - "Warner Brothers" + "Warner Brothers" ] }, { @@ -1679,4 +1684,4 @@ "slug": "cowheels" } ] -} +} \ No newline at end of file diff --git a/mobile/apps/auth/assets/custom-icons/icons/numberbarn.svg b/mobile/apps/auth/assets/custom-icons/icons/numberbarn.svg new file mode 100644 index 0000000000..d4c1350536 --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/numberbarn.svg @@ -0,0 +1 @@ + \ No newline at end of file From 37707f9db3f7d95e11909f606b1387c1e1a46141 Mon Sep 17 00:00:00 2001 From: Anand Desai Date: Wed, 30 Jul 2025 01:25:03 +0530 Subject: [PATCH 245/302] chore: add US DHS icon --- .../custom-icons/_data/custom-icons.json | 23 +++++++++++++++++-- .../auth/assets/custom-icons/icons/us_dhs.svg | 1 + 2 files changed, 22 insertions(+), 2 deletions(-) create mode 100644 mobile/apps/auth/assets/custom-icons/icons/us_dhs.svg diff --git a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json index e93a86308d..7b20d77bc2 100644 --- a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json +++ b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json @@ -399,6 +399,25 @@ "cwallet.com" ] }, + { + "title": "U.S. Department of Homeland Security", + "slug": "us_dhs", + "altNames": [ + "DHS", + "dhs", + "United States Department of Homeland Security", + "uscis", + "USCIS", + "U.S. Citizenship and Immigration Services", + "cbp", + "CBP", + "U.S. Customs and Border Protection", + "U.S. Immigration and Customs Enforcement", + "ice", + "ICE" + ], + "hex": "005189" + }, { "title": "DCS", "altNames": [ @@ -1553,7 +1572,7 @@ "title": "Warner Bros.", "slug": "warner_bros", "altNames": [ - "Warner Brothers" + "Warner Brothers" ] }, { @@ -1679,4 +1698,4 @@ "slug": "cowheels" } ] -} +} \ No newline at end of file diff --git a/mobile/apps/auth/assets/custom-icons/icons/us_dhs.svg b/mobile/apps/auth/assets/custom-icons/icons/us_dhs.svg new file mode 100644 index 0000000000..59aca25230 --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/us_dhs.svg @@ -0,0 +1 @@ + \ No newline at end of file From 5d5cafad722fb9ae25efff3ae338a030b2bdd306 Mon Sep 17 00:00:00 2001 From: Anand Desai Date: Wed, 30 Jul 2025 01:29:18 +0530 Subject: [PATCH 246/302] chore: add rose-hulman icon --- .../assets/custom-icons/_data/custom-icons.json | 16 ++++++++++++++-- .../assets/custom-icons/icons/rose_hulman.svg | 1 + 2 files changed, 15 insertions(+), 2 deletions(-) create mode 100644 mobile/apps/auth/assets/custom-icons/icons/rose_hulman.svg diff --git a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json index e93a86308d..7601271553 100644 --- a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json +++ b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json @@ -1267,6 +1267,18 @@ "title": "Rockstar Games", "slug": "rockstar_games" }, + { + "title": "Rose-Hulman Institute of Technology", + "slug": "rose_hulman", + "altNames": [ + "rose-hulman", + "Rose-Hulman", + "Rose Hulman", + "Rose Hulman Institute of Technology", + "RHIT" + ], + "hex": "800000" + }, { "title": "RuneMate" }, @@ -1553,7 +1565,7 @@ "title": "Warner Bros.", "slug": "warner_bros", "altNames": [ - "Warner Brothers" + "Warner Brothers" ] }, { @@ -1679,4 +1691,4 @@ "slug": "cowheels" } ] -} +} \ No newline at end of file diff --git a/mobile/apps/auth/assets/custom-icons/icons/rose_hulman.svg b/mobile/apps/auth/assets/custom-icons/icons/rose_hulman.svg new file mode 100644 index 0000000000..4914fbdc13 --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/rose_hulman.svg @@ -0,0 +1 @@ + \ No newline at end of file From 5e367f9165e18bc662cbb69d85580fe1a6ffbbb8 Mon Sep 17 00:00:00 2001 From: Anand Desai Date: Wed, 30 Jul 2025 01:34:45 +0530 Subject: [PATCH 247/302] chore: reverted accidental whitespace deletion --- mobile/apps/auth/assets/custom-icons/_data/custom-icons.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json index e8b74921f6..82b43c9d3a 100644 --- a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json +++ b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json @@ -1561,7 +1561,7 @@ "title": "Warner Bros.", "slug": "warner_bros", "altNames": [ - "Warner Brothers" + "Warner Brothers" ] }, { From 42f0ee26b61ce1799d23e35b7251709df9627a64 Mon Sep 17 00:00:00 2001 From: Anand Desai Date: Wed, 30 Jul 2025 01:51:05 +0530 Subject: [PATCH 248/302] fix: accidentally changed whitespace and formatted. oops --- mobile/apps/auth/assets/custom-icons/_data/custom-icons.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json index 82b43c9d3a..2369db5ecc 100644 --- a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json +++ b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json @@ -1561,7 +1561,7 @@ "title": "Warner Bros.", "slug": "warner_bros", "altNames": [ - "Warner Brothers" + "Warner Brothers" ] }, { From 90d307ab1c14fd8c0aa4c31925a0a59edb26dc59 Mon Sep 17 00:00:00 2001 From: Anand Desai Date: Wed, 30 Jul 2025 01:53:45 +0530 Subject: [PATCH 249/302] fix: accidentally changed whitespace and formatting. oops --- mobile/apps/auth/assets/custom-icons/_data/custom-icons.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json index 89600dd462..c286f325c1 100644 --- a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json +++ b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json @@ -1558,7 +1558,7 @@ "title": "Warner Bros.", "slug": "warner_bros", "altNames": [ - "Warner Brothers" + "Warner Brothers" ] }, { From 556f933d195e2249e89bb953e23d738f61755674 Mon Sep 17 00:00:00 2001 From: Anand Desai Date: Wed, 30 Jul 2025 01:55:25 +0530 Subject: [PATCH 250/302] fix: accidentally changed whitespace and formatting. oops --- mobile/apps/auth/assets/custom-icons/_data/custom-icons.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json index 7b20d77bc2..80a6afc97c 100644 --- a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json +++ b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json @@ -1572,7 +1572,7 @@ "title": "Warner Bros.", "slug": "warner_bros", "altNames": [ - "Warner Brothers" + "Warner Brothers" ] }, { From 709d4d121ae631543368e9bd6363fb260021f762 Mon Sep 17 00:00:00 2001 From: Anand Desai Date: Wed, 30 Jul 2025 01:56:42 +0530 Subject: [PATCH 251/302] fix: accidentally changed whitespace and formatting. oops --- mobile/apps/auth/assets/custom-icons/_data/custom-icons.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json index 7601271553..accf65812c 100644 --- a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json +++ b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json @@ -1565,7 +1565,7 @@ "title": "Warner Bros.", "slug": "warner_bros", "altNames": [ - "Warner Brothers" + "Warner Brothers" ] }, { From a3333e48f602bdd841f3567c090ef8e2a829c8a9 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 30 Jul 2025 09:59:35 +0530 Subject: [PATCH 252/302] Rename file --- ...allery_sections.dart => gallery_groups.dart} | 17 ----------------- .../photos/lib/ui/viewer/gallery/gallery.dart | 2 +- .../gallery/scrollbar/custom_scroll_bar.dart | 2 +- 3 files changed, 2 insertions(+), 19 deletions(-) rename mobile/apps/photos/lib/models/gallery/{gallery_sections.dart => gallery_groups.dart} (96%) diff --git a/mobile/apps/photos/lib/models/gallery/gallery_sections.dart b/mobile/apps/photos/lib/models/gallery/gallery_groups.dart similarity index 96% rename from mobile/apps/photos/lib/models/gallery/gallery_sections.dart rename to mobile/apps/photos/lib/models/gallery/gallery_groups.dart index 7d4dcf0d1b..40c0ca1380 100644 --- a/mobile/apps/photos/lib/models/gallery/gallery_sections.dart +++ b/mobile/apps/photos/lib/models/gallery/gallery_groups.dart @@ -108,16 +108,6 @@ class GalleryGroups { } return scrollOffset; - - // scrollController.animateTo( - // scrollOffset, - // duration: const Duration(milliseconds: 300), - // curve: Curves.easeOutExpo, - // ); - - // scrollController.jumpTo( - // scrollOffset, - // ); } /// Uses binary search to find the group ID that contains the given creation time. @@ -299,15 +289,11 @@ class GalleryGroups { _logger.info( "Built group layouts in ${stopwatch.elapsedMilliseconds} ms", ); - print( - "Built group layouts in ${stopwatch.elapsedMilliseconds} ms", - ); stopwatch.stop(); return groupLayouts; } -// TODO: compute this in isolate void _buildGroups() { final stopwatch = Stopwatch()..start(); @@ -342,9 +328,6 @@ class GalleryGroups { _logger.info( "Built ${_groupIds.length} groups for group type ${groupType.name} in ${stopwatch.elapsedMilliseconds} ms", ); - print( - "Built ${_groupIds.length} groups for group type ${groupType.name} in ${stopwatch.elapsedMilliseconds} ms", - ); stopwatch.stop(); } diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index 43d1e018f3..ae0c8a5be1 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -13,7 +13,7 @@ import 'package:photos/events/files_updated_event.dart'; import 'package:photos/events/tab_changed_event.dart'; import 'package:photos/models/file/file.dart'; import 'package:photos/models/file_load_result.dart'; -import "package:photos/models/gallery/gallery_sections.dart"; +import "package:photos/models/gallery/gallery_groups.dart"; import "package:photos/models/gallery_type.dart"; import 'package:photos/models/selected_files.dart'; import "package:photos/service_locator.dart"; diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart index 78e65b0ec6..baa0c50b14 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart @@ -1,7 +1,7 @@ import "dart:async"; import "package:flutter/material.dart"; import "package:logging/logging.dart"; -import "package:photos/models/gallery/gallery_sections.dart"; +import "package:photos/models/gallery/gallery_groups.dart"; import "package:photos/theme/ente_theme.dart"; import "package:photos/ui/viewer/gallery/component/group/type.dart"; import "package:photos/ui/viewer/gallery/scrollbar/scroll_bar_with_use_notifier.dart"; From c62a7c8265d9e3d133285cfa9551eef61eb0bfb5 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 30 Jul 2025 10:18:06 +0530 Subject: [PATCH 253/302] chore --- mobile/apps/photos/lib/models/gallery/gallery_groups.dart | 2 -- 1 file changed, 2 deletions(-) diff --git a/mobile/apps/photos/lib/models/gallery/gallery_groups.dart b/mobile/apps/photos/lib/models/gallery/gallery_groups.dart index 40c0ca1380..5571510209 100644 --- a/mobile/apps/photos/lib/models/gallery/gallery_groups.dart +++ b/mobile/apps/photos/lib/models/gallery/gallery_groups.dart @@ -84,8 +84,6 @@ class GalleryGroups { List<({String groupID, String title})> get scrollbarDivisions => _scrollbarDivisions; - /// Scrolls the gallery to the group containing the specified file based on its creation time. - /// Uses binary search to efficiently find the appropriate group. double? getOffsetOfFile(EnteFile file) { final creationTime = file.creationTime; if (creationTime == null) { From 1ab4cf5fd7f887224af50da93b044fd6a3b4b7b4 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 30 Jul 2025 10:22:04 +0530 Subject: [PATCH 254/302] chore --- mobile/apps/photos/lib/ui/home/home_gallery_widget.dart | 4 ---- mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart | 2 -- 2 files changed, 6 deletions(-) diff --git a/mobile/apps/photos/lib/ui/home/home_gallery_widget.dart b/mobile/apps/photos/lib/ui/home/home_gallery_widget.dart index 607543f12a..19e34a9934 100644 --- a/mobile/apps/photos/lib/ui/home/home_gallery_widget.dart +++ b/mobile/apps/photos/lib/ui/home/home_gallery_widget.dart @@ -9,7 +9,6 @@ import 'package:photos/events/files_updated_event.dart'; import 'package:photos/events/force_reload_home_gallery_event.dart'; import "package:photos/events/hide_shared_items_from_home_gallery_event.dart"; import 'package:photos/events/local_photos_updated_event.dart'; -import "package:photos/models/file/file.dart"; import 'package:photos/models/file_load_result.dart'; import 'package:photos/models/gallery_type.dart'; import 'package:photos/models/selected_files.dart'; @@ -28,14 +27,12 @@ class HomeGalleryWidget extends StatefulWidget { final Widget? footer; final SelectedFiles selectedFiles; final GroupType? groupType; - final EnteFile? fileToJumpScrollTo; const HomeGalleryWidget({ super.key, this.header, this.footer, this.groupType, - this.fileToJumpScrollTo, required this.selectedFiles, }); @@ -136,7 +133,6 @@ class _HomeGalleryWidgetState extends State { reloadDebounceExecutionInterval: const Duration(seconds: 5), galleryType: GalleryType.homepage, groupType: widget.groupType, - fileToJumpScrollTo: widget.fileToJumpScrollTo, showGallerySettingsCTA: true, ); return GalleryFilesState( diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index ae0c8a5be1..f1a4a62650 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -83,7 +83,6 @@ class Gallery extends StatefulWidget { final GroupType? groupType; final bool disablePinnedGroupHeader; final bool disableVerticalPaddingForScrollbar; - final EnteFile? fileToJumpScrollTo; const Gallery({ required this.asyncLoader, @@ -111,7 +110,6 @@ class Gallery extends StatefulWidget { this.disablePinnedGroupHeader = false, this.galleryType, this.disableVerticalPaddingForScrollbar = false, - this.fileToJumpScrollTo, this.showGallerySettingsCTA = false, super.key, }); From 3ce835cf313bd7ccd2db82c44cd5232ae4df2c0d Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 30 Jul 2025 10:25:08 +0530 Subject: [PATCH 255/302] chore --- .../photos/lib/ui/settings/gallery_settings_screen.dart | 6 +++--- .../apps/photos/lib/ui/settings/general_section_widget.dart | 2 +- .../apps/photos/lib/ui/viewer/gallery/layout_settings.dart | 2 +- 3 files changed, 5 insertions(+), 5 deletions(-) diff --git a/mobile/apps/photos/lib/ui/settings/gallery_settings_screen.dart b/mobile/apps/photos/lib/ui/settings/gallery_settings_screen.dart index e14e50c605..fec5d92d70 100644 --- a/mobile/apps/photos/lib/ui/settings/gallery_settings_screen.dart +++ b/mobile/apps/photos/lib/ui/settings/gallery_settings_screen.dart @@ -13,10 +13,10 @@ import "package:photos/ui/viewer/gallery/photo_grid_size_picker_page.dart"; import "package:photos/utils/navigation_util.dart"; class GallerySettingsScreen extends StatefulWidget { - final bool fromGallerySettingsCTA; + final bool fromGalleryLayoutSettingsCTA; const GallerySettingsScreen({ super.key, - required this.fromGallerySettingsCTA, + required this.fromGalleryLayoutSettingsCTA, }); @override @@ -51,7 +51,7 @@ class _GallerySettingsScreenState extends State { iconButtonType: IconButtonType.secondary, onTap: () { Navigator.pop(context); - if (!widget.fromGallerySettingsCTA) { + if (!widget.fromGalleryLayoutSettingsCTA) { Navigator.pop(context); } }, diff --git a/mobile/apps/photos/lib/ui/settings/general_section_widget.dart b/mobile/apps/photos/lib/ui/settings/general_section_widget.dart index 1f7c5fdefd..8914f4f6cf 100644 --- a/mobile/apps/photos/lib/ui/settings/general_section_widget.dart +++ b/mobile/apps/photos/lib/ui/settings/general_section_widget.dart @@ -184,7 +184,7 @@ class GeneralSectionWidget extends StatelessWidget { routeToPage( context, const GallerySettingsScreen( - fromGallerySettingsCTA: false, + fromGalleryLayoutSettingsCTA: false, ), ); } diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/layout_settings.dart b/mobile/apps/photos/lib/ui/viewer/gallery/layout_settings.dart index dc5b74a31b..43e71c18dc 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/layout_settings.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/layout_settings.dart @@ -147,7 +147,7 @@ class _GalleryLayoutSettingsState extends State { onTap: () => routeToPage( context, const GallerySettingsScreen( - fromGallerySettingsCTA: true, + fromGalleryLayoutSettingsCTA: true, ), ).then( (_) { From 644fdd16f5c5ab013ab996a24cc818cbb19cce65 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 30 Jul 2025 10:54:06 +0530 Subject: [PATCH 256/302] Chore --- mobile/apps/photos/lib/models/gallery/gallery_groups.dart | 2 +- .../gallery/component/group/group_header_widget.dart | 8 ++++---- mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart | 3 ++- 3 files changed, 7 insertions(+), 6 deletions(-) diff --git a/mobile/apps/photos/lib/models/gallery/gallery_groups.dart b/mobile/apps/photos/lib/models/gallery/gallery_groups.dart index 5571510209..a42ba360e0 100644 --- a/mobile/apps/photos/lib/models/gallery/gallery_groups.dart +++ b/mobile/apps/photos/lib/models/gallery/gallery_groups.dart @@ -207,7 +207,7 @@ class GalleryGroups { filesInGroup: groupIDToFilesMap[groupID]!, selectedFiles: selectedFiles, showSelectAll: showSelectAll && !limitSelectionToOne, - showGallerySettingCTA: + showGalleryLayoutSettingCTA: rowIndex == 0 && showGallerySettingsCTA, ); } else { diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart b/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart index 197f75de5a..94f666cf9d 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/component/group/group_header_widget.dart @@ -15,7 +15,7 @@ class GroupHeaderWidget extends StatefulWidget { final List filesInGroup; final SelectedFiles? selectedFiles; final bool showSelectAll; - final bool showGallerySettingCTA; + final bool showGalleryLayoutSettingCTA; final bool showTrailingIcons; final bool isPinnedHeader; final bool fadeInTrailingIcons; @@ -27,7 +27,7 @@ class GroupHeaderWidget extends StatefulWidget { required this.filesInGroup, required this.selectedFiles, required this.showSelectAll, - this.showGallerySettingCTA = false, + this.showGalleryLayoutSettingCTA = false, this.height, this.showTrailingIcons = true, this.isPinnedHeader = false, @@ -168,10 +168,10 @@ class _GroupHeaderWidgetState extends State { }, ) : const SizedBox.shrink(), - widget.showGallerySettingCTA + widget.showGalleryLayoutSettingCTA ? const SizedBox(width: 8) : const SizedBox.shrink(), - widget.showGallerySettingCTA + widget.showGalleryLayoutSettingCTA ? widget.showTrailingIcons ? GestureDetector( onTap: () => _showLayoutSettingsOverflowMenu(context), diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart index f1a4a62650..3901c23d40 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery.dart @@ -851,7 +851,8 @@ class _PinnedGroupHeaderState extends State { .galleryGroups.groupIDToFilesMap[currentGroupId!]!, selectedFiles: widget.selectedFiles, showSelectAll: widget.showSelectAll, - showGallerySettingCTA: widget.showGallerySettingsCTA, + showGalleryLayoutSettingCTA: + widget.showGallerySettingsCTA, showTrailingIcons: !inUse, isPinnedHeader: true, fadeInTrailingIcons: fadeInTrailingIcons, From 21b930d61700f2af8b92265baa3336496a06336d Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 30 Jul 2025 10:54:23 +0530 Subject: [PATCH 257/302] Add attribution for aves --- .../photos/lib/models/gallery/fixed_extent_grid_row.dart | 4 ++++ .../ui/viewer/gallery/component/sectioned_sliver_list.dart | 6 ++++-- 2 files changed, 8 insertions(+), 2 deletions(-) diff --git a/mobile/apps/photos/lib/models/gallery/fixed_extent_grid_row.dart b/mobile/apps/photos/lib/models/gallery/fixed_extent_grid_row.dart index 69cf23b3fb..e84af644ec 100644 --- a/mobile/apps/photos/lib/models/gallery/fixed_extent_grid_row.dart +++ b/mobile/apps/photos/lib/models/gallery/fixed_extent_grid_row.dart @@ -1,6 +1,10 @@ import 'package:flutter/material.dart'; import 'package:flutter/rendering.dart'; +// Based on code from https://github.com/deckerst/aves +// Copyright (c) 2020-2023 Thibault Deckers and contributors +// Licensed under BSD-3-Clause License + class FixedExtentGridRow extends MultiChildRenderObjectWidget { final double width, height, spacing; final TextDirection textDirection; diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/component/sectioned_sliver_list.dart b/mobile/apps/photos/lib/ui/viewer/gallery/component/sectioned_sliver_list.dart index ac54db5913..cb71990f3a 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/component/sectioned_sliver_list.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/component/sectioned_sliver_list.dart @@ -7,6 +7,10 @@ import 'package:flutter/rendering.dart'; import 'package:flutter/widgets.dart'; import "package:photos/models/gallery/fixed_extent_section_layout.dart"; +// Based on code from https://github.com/deckerst/aves +// Copyright (c) 2020-2023 Thibault Deckers and contributors +// Licensed under BSD-3-Clause License + // Using a Single SliverVariedExtentList or Using a combination where there are // multiple sliver delegate builders in a CustomScrollView doesn't scale. @@ -22,8 +26,6 @@ import "package:photos/models/gallery/fixed_extent_section_layout.dart"; // https://github.com/flutter/flutter/issues/168442 // https://github.com/flutter/flutter/issues/95028 -// Based on code from https://github.com/deckerst/aves - // A custom implementation of SliverMultiBoxAdaptorWidget // adapted from SliverFixedExtentBoxAdaptor. Optimizations in layout solves // the deep scrolling issue. From 6e59c4e915e3d9cc90d2c2346c1795aa600bba59 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 30 Jul 2025 11:19:30 +0530 Subject: [PATCH 258/302] chore --- .../gallery/gallery_group_type_picker_page.dart | 2 +- .../gallery/scrollbar/custom_scroll_bar.dart | 16 +--------------- .../scrollbar/scroll_bar_with_use_notifier.dart | 2 +- 3 files changed, 3 insertions(+), 17 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/gallery_group_type_picker_page.dart b/mobile/apps/photos/lib/ui/viewer/gallery/gallery_group_type_picker_page.dart index edba5377ee..915b5778b6 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/gallery_group_type_picker_page.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/gallery_group_type_picker_page.dart @@ -85,8 +85,8 @@ class _ItemsWidgetState extends State { @override void initState() { - currentGroupType = localSettings.getGalleryGroupType(); super.initState(); + currentGroupType = localSettings.getGalleryGroupType(); } @override diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart index baa0c50b14..3c25a9ed4b 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/custom_scroll_bar.dart @@ -31,20 +31,6 @@ class CustomScrollBar extends StatefulWidget { State createState() => _CustomScrollBarState(); } -/* -Create a new variable that stores Position to title mapping which will be used -to show scrollbar divisions. - -List of scrollbar divisions can be obtained from galleryGroups.scrollbarDivisions. -And the scroll positions of each division can be obtained from -galleryGroups.groupIdToScrollOffsetMap[groupID] where groupID. - -Can ignore adding the top offset of the header for accuracy. - -Get the height of the scrollbar and create a normalized position for each -division and populate position to title mapping. -*/ - class _CustomScrollBarState extends State { final _logger = Logger("CustomScrollBar2"); final _scrollbarKey = GlobalKey(); @@ -54,7 +40,7 @@ class _CustomScrollBarState extends State { late bool _showScrollbarDivisions; late bool _showThumb; - // Scrollbar's heigh is not fixed by default. If the scrollable is short + // Scrollbar's thumb height is not fixed by default. If the scrollable is short // enough, the scrollbar's height can go above the minimum length. // In our case, we only depend on this value for showing scrollbar divisions, // which we do not show unless scrollable is long enough. So we can safely diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/scroll_bar_with_use_notifier.dart b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/scroll_bar_with_use_notifier.dart index 339a489985..c0a2b27608 100644 --- a/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/scroll_bar_with_use_notifier.dart +++ b/mobile/apps/photos/lib/ui/viewer/gallery/scrollbar/scroll_bar_with_use_notifier.dart @@ -1,5 +1,5 @@ // Modified Scrollbar that accepts a ValueNotifier to indicate if the -// scrollbar is in use +// scrollbar is in use plus with modified scrollbar theme. // Copyright 2014 The Flutter Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be From 3ee300a294de46290e18a7140137626328574ea3 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 30 Jul 2025 11:29:46 +0530 Subject: [PATCH 259/302] bump up to v1.2.0 --- mobile/apps/photos/pubspec.yaml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mobile/apps/photos/pubspec.yaml b/mobile/apps/photos/pubspec.yaml index c57dedf75c..ae29c94592 100644 --- a/mobile/apps/photos/pubspec.yaml +++ b/mobile/apps/photos/pubspec.yaml @@ -12,7 +12,7 @@ description: ente photos application # Read more about iOS versioning at # https://developer.apple.com/library/archive/documentation/General/Reference/InfoPlistKeyReference/Articles/CoreFoundationKeys.html -version: 1.1.70+1107 +version: 1.2.0+1120 publish_to: none environment: From 41143cb20aac23490e9c0bf4394007dda6058c30 Mon Sep 17 00:00:00 2001 From: Anand Desai Date: Wed, 30 Jul 2025 11:58:29 +0530 Subject: [PATCH 260/302] chore: add tally.so custom icon --- .../auth/assets/custom-icons/_data/custom-icons.json | 9 +++++++++ mobile/apps/auth/assets/custom-icons/icons/tally_so.svg | 5 +++++ 2 files changed, 14 insertions(+) create mode 100644 mobile/apps/auth/assets/custom-icons/icons/tally_so.svg diff --git a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json index 4372dc7164..4a7074a6e3 100644 --- a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json +++ b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json @@ -1433,6 +1433,15 @@ { "title": "Tableau" }, + { + "title": "Tally.so", + "slug": "tally_so", + "altNames": [ + "Tally Forms", + "Tally" + ], + "hex": "000000" + }, { "title": "TCPShield" }, diff --git a/mobile/apps/auth/assets/custom-icons/icons/tally_so.svg b/mobile/apps/auth/assets/custom-icons/icons/tally_so.svg new file mode 100644 index 0000000000..0112cfd6ea --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/tally_so.svg @@ -0,0 +1,5 @@ + + + + + From ae2145f51f361c669e972f15f1dfd369bbab188c Mon Sep 17 00:00:00 2001 From: Anand Desai Date: Wed, 30 Jul 2025 12:07:53 +0530 Subject: [PATCH 261/302] chore: add Charles Schwab custom icon --- .../auth/assets/custom-icons/_data/custom-icons.json | 10 ++++++++++ .../auth/assets/custom-icons/icons/charles_schwab.svg | 1 + 2 files changed, 11 insertions(+) create mode 100644 mobile/apps/auth/assets/custom-icons/icons/charles_schwab.svg diff --git a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json index 4372dc7164..7103b79231 100644 --- a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json +++ b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json @@ -306,6 +306,16 @@ { "title": "ChangeNOW" }, + { + "title": "Charles Schwab", + "slug": "charles_schwab", + "altNames": [ + "schwab", + "charles-schwab", + "charles schwab" + ], + "hex": "01A0E0" + }, { "title": "Channel Island Hosting", "slug": "cih", diff --git a/mobile/apps/auth/assets/custom-icons/icons/charles_schwab.svg b/mobile/apps/auth/assets/custom-icons/icons/charles_schwab.svg new file mode 100644 index 0000000000..c58592588b --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/charles_schwab.svg @@ -0,0 +1 @@ + \ No newline at end of file From 198cd89eb1217e8c4219ce154bd65cb02838487b Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 30 Jul 2025 13:12:05 +0530 Subject: [PATCH 262/302] Update change log + add translations --- .../lib/generated/intl/messages_de.dart | 8 --- .../lib/generated/intl/messages_en.dart | 25 +++---- .../lib/generated/intl/messages_es.dart | 8 --- .../lib/generated/intl/messages_fr.dart | 8 --- .../lib/generated/intl/messages_lt.dart | 64 +++++++++++++++-- .../lib/generated/intl/messages_pl.dart | 8 --- .../lib/generated/intl/messages_pt_BR.dart | 8 --- .../lib/generated/intl/messages_pt_PT.dart | 8 --- .../lib/generated/intl/messages_ru.dart | 8 --- .../lib/generated/intl/messages_tr.dart | 8 --- .../lib/generated/intl/messages_vi.dart | 14 +--- .../lib/generated/intl/messages_zh.dart | 6 -- mobile/apps/photos/lib/generated/l10n.dart | 72 +++++-------------- mobile/apps/photos/lib/l10n/intl_de.arb | 20 +++--- mobile/apps/photos/lib/l10n/intl_en.arb | 20 +++--- mobile/apps/photos/lib/l10n/intl_es.arb | 20 +++--- mobile/apps/photos/lib/l10n/intl_fr.arb | 20 +++--- mobile/apps/photos/lib/l10n/intl_lt.arb | 20 +++--- mobile/apps/photos/lib/l10n/intl_pl.arb | 20 +++--- mobile/apps/photos/lib/l10n/intl_pt_BR.arb | 20 +++--- mobile/apps/photos/lib/l10n/intl_pt_PT.arb | 20 +++--- mobile/apps/photos/lib/l10n/intl_ru.arb | 20 +++--- mobile/apps/photos/lib/l10n/intl_tr.arb | 20 +++--- mobile/apps/photos/lib/l10n/intl_vi.arb | 20 +++--- mobile/apps/photos/lib/l10n/intl_zh.arb | 20 +++--- .../notification/update/change_log_page.dart | 27 +++---- 26 files changed, 191 insertions(+), 321 deletions(-) diff --git a/mobile/apps/photos/lib/generated/intl/messages_de.dart b/mobile/apps/photos/lib/generated/intl/messages_de.dart index 98319b5de3..b9c35a77d5 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_de.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_de.dart @@ -599,10 +599,6 @@ class MessageLookup extends MessageLookupByLibrary { "Wir haben deutliche Verbesserungen an der Darstellung von Erinnerungen vorgenommen, u.a. automatische Wiedergabe, Wischen zur nächsten Erinnerung und vieles mehr."), "cLDesc4": MessageLookupByLibrary.simpleMessage( "Zusammen mit einer Reihe von Verbesserungen unter der Haube ist es jetzt viel einfacher, alle erkannten Gesichter zu sehen, Feedback zu ähnlichen Gesichtern geben und Gesichter für ein einzelnes Foto hinzuzufügen oder zu entfernen."), - "cLDesc5": MessageLookupByLibrary.simpleMessage( - "Du erhältst jetzt eine Opt-Out-Benachrichtigung für alle Geburtstage, die du bei Ente gespeichert hast, zusammen mit einer Sammlung der besten Fotos."), - "cLDesc6": MessageLookupByLibrary.simpleMessage( - "Kein Warten mehr auf das Hoch- oder Herunterladen, bevor du die App schließen kannst. Alle Übertragungen können jetzt mittendrin pausiert und fortgesetzt werden, wo du aufgehört hast."), "cLTitle1": MessageLookupByLibrary.simpleMessage( "Lade große Videodateien hoch"), "cLTitle2": @@ -611,10 +607,6 @@ class MessageLookup extends MessageLookupByLibrary { "Automatische Wiedergabe von Erinnerungen"), "cLTitle4": MessageLookupByLibrary.simpleMessage( "Verbesserte Gesichtserkennung"), - "cLTitle5": MessageLookupByLibrary.simpleMessage( - "Geburtstags-Benachrichtigungen"), - "cLTitle6": MessageLookupByLibrary.simpleMessage( - "Wiederaufnehmbares Hoch- und Herunterladen"), "cachedData": MessageLookupByLibrary.simpleMessage("Daten im Cache"), "calculating": MessageLookupByLibrary.simpleMessage("Wird berechnet..."), diff --git a/mobile/apps/photos/lib/generated/intl/messages_en.dart b/mobile/apps/photos/lib/generated/intl/messages_en.dart index 1e8901086d..78c7c756dd 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_en.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_en.dart @@ -576,27 +576,18 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Black Friday Sale"), "blog": MessageLookupByLibrary.simpleMessage("Blog"), "cLDesc1": MessageLookupByLibrary.simpleMessage( - "On the back of video streaming beta, and work on resumable uploads and downloads, we have now increased the file upload limit to 10GB. This is now available in both desktop and mobile apps."), + "We are releasing a new and advanced image editor that add more cropping frames, filter presets for quick edits, fine tuning options including saturation, contrast, brightness, temperature and a lot more. The new editor also includes the ability to draw on your photos and add emojis as stickers."), "cLDesc2": MessageLookupByLibrary.simpleMessage( - "Background uploads are now supported on iOS as well, in addition to Android devices. No need to open the app to backup your latest photos and videos."), + "You can now automatically add photos of selected people to any album. Just go the album, and select \"auto-add people\" from the overflow menu. If used along with shared album, you can share photos with zero clicks."), "cLDesc3": MessageLookupByLibrary.simpleMessage( - "We have made significant improvements to our memories experience, including autoplay, swipe to next memory and a lot more."), + "We have added the ability to group your gallery by weeks, months, and years. You can now customise your gallery to look exactly the way you want with these new grouping options, along with custom grids"), "cLDesc4": MessageLookupByLibrary.simpleMessage( - "Along with a bunch of under the hood improvements, now its much easier to see all detected faces, provide feedback on similar faces, and add/remove faces from a single photo."), - "cLDesc5": MessageLookupByLibrary.simpleMessage( - "You will now receive an opt-out notification for all the birthdays your have saved on Ente, along with a collection of their best photos."), - "cLDesc6": MessageLookupByLibrary.simpleMessage( - "No more waiting for uploads/downloads to complete before you can close the app. All uploads and downloads now have the ability to be paused midway, and resume from where you left off."), + "Along with a bunch of under the hood improvements to improve the gallery scroll experience, we have also redesigned the scroll bar to show markers, allowing you to quickly jump across the timeline."), "cLTitle1": - MessageLookupByLibrary.simpleMessage("Uploading Large Video Files"), - "cLTitle2": MessageLookupByLibrary.simpleMessage("Background Upload"), - "cLTitle3": MessageLookupByLibrary.simpleMessage("Autoplay Memories"), - "cLTitle4": - MessageLookupByLibrary.simpleMessage("Improved Face Recognition"), - "cLTitle5": - MessageLookupByLibrary.simpleMessage("Birthday Notifications"), - "cLTitle6": MessageLookupByLibrary.simpleMessage( - "Resumable Uploads and Downloads"), + MessageLookupByLibrary.simpleMessage("Advanced Image Editor"), + "cLTitle2": MessageLookupByLibrary.simpleMessage("Smart Albums"), + "cLTitle3": MessageLookupByLibrary.simpleMessage("Improved Gallery"), + "cLTitle4": MessageLookupByLibrary.simpleMessage("Faster Scroll"), "cachedData": MessageLookupByLibrary.simpleMessage("Cached data"), "calculating": MessageLookupByLibrary.simpleMessage("Calculating..."), "canNotOpenBody": MessageLookupByLibrary.simpleMessage( diff --git a/mobile/apps/photos/lib/generated/intl/messages_es.dart b/mobile/apps/photos/lib/generated/intl/messages_es.dart index ccf7609a73..998139dc81 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_es.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_es.dart @@ -602,10 +602,6 @@ class MessageLookup extends MessageLookupByLibrary { "Hemos hecho mejoras significativas en nuestra experiencia de recuerdos, incluyendo la reproducción automática, el deslizado a la memoria siguiente y mucho más."), "cLDesc4": MessageLookupByLibrary.simpleMessage( "Junto con un montón de mejoras adicionales, ahora es mucho más fácil ver todas las caras detectadas, proporcionar comentarios sobre caras similares, y añadir o quitar caras de una sola foto."), - "cLDesc5": MessageLookupByLibrary.simpleMessage( - "Ahora recibirás una notificación de exclusión voluntaria para todos los cumpleaños que hayas guardado en Ente, junto con una colección de sus mejores fotos."), - "cLDesc6": MessageLookupByLibrary.simpleMessage( - "Ya no tienes que esperar a que las subidas o descargas se completen para cerrar la aplicación. Ahora, todas las subidas y descargas se pueden pausar a mitad de proceso y reanudarse justo donde lo dejaste."), "cLTitle1": MessageLookupByLibrary.simpleMessage( "Subiendo archivos de vídeo grandes"), "cLTitle2": @@ -614,10 +610,6 @@ class MessageLookup extends MessageLookupByLibrary { "Reproducción automática de recuerdos"), "cLTitle4": MessageLookupByLibrary.simpleMessage( "Reconocimiento facial mejorado"), - "cLTitle5": - MessageLookupByLibrary.simpleMessage("Notificación de cumpleaños"), - "cLTitle6": MessageLookupByLibrary.simpleMessage( - "Subidas y Descargas reanudables"), "cachedData": MessageLookupByLibrary.simpleMessage("Datos almacenados en caché"), "calculating": MessageLookupByLibrary.simpleMessage("Calculando..."), diff --git a/mobile/apps/photos/lib/generated/intl/messages_fr.dart b/mobile/apps/photos/lib/generated/intl/messages_fr.dart index 22ae242717..dcd5197e13 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_fr.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_fr.dart @@ -605,10 +605,6 @@ class MessageLookup extends MessageLookupByLibrary { "Nous avons apporté des améliorations significatives à l\'expérience des souvenirs, comme la lecture automatique, la glisse vers le souvenir suivant et bien plus encore."), "cLDesc4": MessageLookupByLibrary.simpleMessage( "Avec un tas d\'améliorations sous le capot, il est maintenant beaucoup plus facile de voir tous les visages détectés, mettre des commentaires sur des visages similaires, et ajouter/supprimer des visages depuis une seule photo."), - "cLDesc5": MessageLookupByLibrary.simpleMessage( - "Vous recevrez maintenant une notification de désinscription pour tous les anniversaires que vous avez enregistrés sur Ente, ainsi qu\'une collection de leurs meilleures photos."), - "cLDesc6": MessageLookupByLibrary.simpleMessage( - "Plus besoin d\'attendre la fin des chargements/téléchargements avant de pouvoir fermer l\'application. Tous peuvent maintenant être mis en pause en cours de route et reprendre à partir de là où ça s\'est arrêté."), "cLTitle1": MessageLookupByLibrary.simpleMessage( "Envoi de gros fichiers vidéo"), "cLTitle2": @@ -617,10 +613,6 @@ class MessageLookup extends MessageLookupByLibrary { "Lecture automatique des souvenirs"), "cLTitle4": MessageLookupByLibrary.simpleMessage( "Amélioration de la reconnaissance faciale"), - "cLTitle5": MessageLookupByLibrary.simpleMessage( - "Notifications d’anniversaire"), - "cLTitle6": MessageLookupByLibrary.simpleMessage( - "Reprise des chargements et téléchargements"), "cachedData": MessageLookupByLibrary.simpleMessage("Données mises en cache"), "calculating": diff --git a/mobile/apps/photos/lib/generated/intl/messages_lt.dart b/mobile/apps/photos/lib/generated/intl/messages_lt.dart index 267868e660..1f1e18d95d 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_lt.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_lt.dart @@ -421,6 +421,9 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Išsaugoti visi prisiminimai"), "allPersonGroupingWillReset": MessageLookupByLibrary.simpleMessage( "Visi šio asmens grupavimai bus iš naujo nustatyti, o jūs neteksite visų šiam asmeniui pateiktų pasiūlymų"), + "allUnnamedGroupsWillBeMergedIntoTheSelectedPerson": + MessageLookupByLibrary.simpleMessage( + "Visos nepavadintos grupės bus sujungtos su pasirinktu asmeniu. Tai vis dar galima atšaukti iš asmens pasiūlymų istorijos apžvalgos."), "allWillShiftRangeBasedOnFirst": MessageLookupByLibrary.simpleMessage( "Tai – pirmoji šioje grupėje. Kitos pasirinktos nuotraukos bus automatiškai perkeltos pagal šią naują datą."), "allow": MessageLookupByLibrary.simpleMessage("Leisti"), @@ -473,6 +476,10 @@ class MessageLookup extends MessageLookupByLibrary { "archiveAlbum": MessageLookupByLibrary.simpleMessage("Archyvuoti albumą"), "archiving": MessageLookupByLibrary.simpleMessage("Archyvuojama..."), + "areThey": MessageLookupByLibrary.simpleMessage("Ar jie "), + "areYouSureRemoveThisFaceFromPerson": + MessageLookupByLibrary.simpleMessage( + "Ar tikrai norite pašalinti šį veidą iš šio asmens?"), "areYouSureThatYouWantToLeaveTheFamily": MessageLookupByLibrary.simpleMessage( "Ar tikrai norite palikti šeimos planą?"), @@ -483,8 +490,16 @@ class MessageLookup extends MessageLookupByLibrary { "Ar tikrai norite keisti planą?"), "areYouSureYouWantToExit": MessageLookupByLibrary.simpleMessage("Ar tikrai norite išeiti?"), + "areYouSureYouWantToIgnoreThesePersons": + MessageLookupByLibrary.simpleMessage( + "Ar tikrai norite ignoruoti šiuos asmenis?"), + "areYouSureYouWantToIgnoreThisPerson": + MessageLookupByLibrary.simpleMessage( + "Ar tikrai norite ignoruoti šį asmenį?"), "areYouSureYouWantToLogout": MessageLookupByLibrary.simpleMessage( "Ar tikrai norite atsijungti?"), + "areYouSureYouWantToMergeThem": MessageLookupByLibrary.simpleMessage( + "Ar tikrai norite juos sujungti?"), "areYouSureYouWantToRenew": MessageLookupByLibrary.simpleMessage("Ar tikrai norite pratęsti?"), "areYouSureYouWantToResetThisPerson": @@ -576,6 +591,21 @@ class MessageLookup extends MessageLookupByLibrary { "blackFridaySale": MessageLookupByLibrary.simpleMessage( "Juodojo penktadienio išpardavimas"), "blog": MessageLookupByLibrary.simpleMessage("Tinklaraštis"), + "cLDesc1": MessageLookupByLibrary.simpleMessage( + "Po vaizdo įrašų srauto perdavimo beta versijos ir darbo prie tęsiamų įkėlimų ir atsisiuntimų, dabar padidinome failų įkėlimo ribą iki 10 GB. Tai dabar pasiekiama tiek kompiuterinėse, tiek mobiliosiose programėlėse."), + "cLDesc2": MessageLookupByLibrary.simpleMessage( + "Fono įkėlimai dabar palaikomi ir sistemoje „iOS“ bei „Android“ įrenginiuose. Nebereikia atverti programėlės, kad būtų galima sukurti naujausių nuotraukų ir vaizdo įrašų atsarginę kopiją."), + "cLDesc3": MessageLookupByLibrary.simpleMessage( + "Mes žymiai patobulinome prisiminimų patirtį, įskaitant automatinį peržiūrėjimą, braukimą į kitą prisiminimą ir daug daugiau."), + "cLDesc4": MessageLookupByLibrary.simpleMessage( + "Kartu su daugybe vidinių patobulinimų, dabar daug lengviau matyti visus aptiktus veidus, pateikti atsiliepimus apie panašius veidus ir pridėti / pašalinti veidus iš vienos nuotraukos."), + "cLTitle1": MessageLookupByLibrary.simpleMessage( + "Įkeliami dideli vaizdo įrašų failai"), + "cLTitle2": MessageLookupByLibrary.simpleMessage("Fono įkėlimas"), + "cLTitle3": MessageLookupByLibrary.simpleMessage( + "Automatiniai peržiūros prisiminimai"), + "cLTitle4": MessageLookupByLibrary.simpleMessage( + "Patobulintas veido atpažinimas"), "cachedData": MessageLookupByLibrary.simpleMessage("Podėliuoti duomenis"), "calculating": MessageLookupByLibrary.simpleMessage("Skaičiuojama..."), @@ -828,10 +858,11 @@ class MessageLookup extends MessageLookupByLibrary { "deviceLock": MessageLookupByLibrary.simpleMessage("Įrenginio užraktas"), "deviceLockExplanation": MessageLookupByLibrary.simpleMessage( - "Išjunkite įrenginio ekrano užraktą, kai „Ente“ yra priekiniame fone ir kuriama atsarginės kopijos. Paprastai to nereikia, bet tai gali padėti greičiau užbaigti didelius įkėlimus ir pradinį didelių bibliotekų importą."), + "Išjunkite įrenginio ekrano užraktą, kai „Ente“ yra priekiniame fone ir kuriama atsarginės kopijos. Paprastai to nereikia, bet tai gali padėti sparčiau užbaigti didelius įkėlimus ir pradinį didelių bibliotekų importą."), "deviceNotFound": MessageLookupByLibrary.simpleMessage("Įrenginys nerastas"), "didYouKnow": MessageLookupByLibrary.simpleMessage("Ar žinojote?"), + "different": MessageLookupByLibrary.simpleMessage("Skirtingas"), "disableAutoLock": MessageLookupByLibrary.simpleMessage("Išjungti automatinį užraktą"), "disableDownloadWarningBody": MessageLookupByLibrary.simpleMessage( @@ -998,6 +1029,8 @@ class MessageLookup extends MessageLookupByLibrary { "Veidas dar nesugrupuotas. Grįžkite vėliau."), "faceRecognition": MessageLookupByLibrary.simpleMessage("Veido atpažinimas"), + "faceThumbnailGenerationFailed": MessageLookupByLibrary.simpleMessage( + "Nepavyksta sugeneruoti veido miniatiūrų."), "faces": MessageLookupByLibrary.simpleMessage("Veidai"), "failed": MessageLookupByLibrary.simpleMessage("Nepavyko"), "failedToApplyCode": @@ -1033,6 +1066,8 @@ class MessageLookup extends MessageLookupByLibrary { "feastingWithThem": m34, "feedback": MessageLookupByLibrary.simpleMessage("Atsiliepimai"), "file": MessageLookupByLibrary.simpleMessage("Failas"), + "fileAnalysisFailed": MessageLookupByLibrary.simpleMessage( + "Nepavyksta išanalizuoti failo."), "fileFailedToSaveToGallery": MessageLookupByLibrary.simpleMessage( "Nepavyko išsaugoti failo į galeriją"), "fileInfoAddDescHint": @@ -1050,9 +1085,9 @@ class MessageLookup extends MessageLookupByLibrary { "filesSavedToGallery": MessageLookupByLibrary.simpleMessage("Failai išsaugoti į galeriją"), "findPeopleByName": MessageLookupByLibrary.simpleMessage( - "Greitai suraskite žmones pagal vardą"), + "Sparčiai suraskite asmenis pagal vardą"), "findThemQuickly": - MessageLookupByLibrary.simpleMessage("Raskite juos greitai"), + MessageLookupByLibrary.simpleMessage("Raskite juos sparčiai"), "flip": MessageLookupByLibrary.simpleMessage("Apversti"), "food": MessageLookupByLibrary.simpleMessage("Kulinarinis malonumas"), "forYourMemories": @@ -1126,6 +1161,7 @@ class MessageLookup extends MessageLookupByLibrary { "iOSLockOut": MessageLookupByLibrary.simpleMessage( "Biometrinis tapatybės nustatymas išjungtas. Kad jį įjungtumėte, užrakinkite ir atrakinkite ekraną."), "iOSOkButton": MessageLookupByLibrary.simpleMessage("Gerai"), + "ignore": MessageLookupByLibrary.simpleMessage("Ignoruoti"), "ignoreUpdate": MessageLookupByLibrary.simpleMessage("Ignoruoti"), "ignored": MessageLookupByLibrary.simpleMessage("ignoruota"), "ignoredFolderUploadReason": MessageLookupByLibrary.simpleMessage( @@ -1146,6 +1182,8 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Neteisingas atkūrimo raktas"), "indexedItems": MessageLookupByLibrary.simpleMessage("Indeksuoti elementai"), + "indexingPausedStatusDescription": MessageLookupByLibrary.simpleMessage( + "Indeksavimas pristabdytas. Jis bus automatiškai tęsiamas, kai įrenginys bus parengtas. Įrenginys laikomas parengtu, kai jo akumuliatoriaus įkrovos lygis, akumuliatoriaus būklė ir terminė būklė yra normos ribose."), "ineligible": MessageLookupByLibrary.simpleMessage("Netinkami"), "info": MessageLookupByLibrary.simpleMessage("Informacija"), "insecureDevice": @@ -1334,6 +1372,7 @@ class MessageLookup extends MessageLookupByLibrary { "Pasirinkite, kokius prisiminimus norite matyti savo pradžios ekrane."), "memoryCount": m50, "merchandise": MessageLookupByLibrary.simpleMessage("Atributika"), + "merge": MessageLookupByLibrary.simpleMessage("Sujungti"), "mergeWithExisting": MessageLookupByLibrary.simpleMessage("Sujungti su esamais"), "mergedPhotos": @@ -1474,6 +1513,8 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Arba pasirinkite esamą"), "orPickFromYourContacts": MessageLookupByLibrary.simpleMessage( "arba pasirinkite iš savo kontaktų"), + "otherDetectedFaces": + MessageLookupByLibrary.simpleMessage("Kiti aptikti veidai"), "pair": MessageLookupByLibrary.simpleMessage("Susieti"), "pairWithPin": MessageLookupByLibrary.simpleMessage("Susieti su PIN"), "pairingComplete": @@ -1606,6 +1647,7 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Vieša nuoroda sukurta"), "publicLinkEnabled": MessageLookupByLibrary.simpleMessage("Įjungta viešoji nuoroda"), + "questionmark": MessageLookupByLibrary.simpleMessage("?"), "queued": MessageLookupByLibrary.simpleMessage("Įtraukta eilėje"), "quickLinks": MessageLookupByLibrary.simpleMessage("Sparčios nuorodos"), "radius": MessageLookupByLibrary.simpleMessage("Spindulys"), @@ -1722,6 +1764,7 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Pranešti apie riktą"), "resendEmail": MessageLookupByLibrary.simpleMessage("Iš naujo siųsti el. laišką"), + "reset": MessageLookupByLibrary.simpleMessage("Atkurti"), "resetIgnoredFiles": MessageLookupByLibrary.simpleMessage("Atkurti ignoruojamus failus"), "resetPasswordTitle": MessageLookupByLibrary.simpleMessage( @@ -1748,7 +1791,11 @@ class MessageLookup extends MessageLookupByLibrary { "rotateLeft": MessageLookupByLibrary.simpleMessage("Sukti į kairę"), "rotateRight": MessageLookupByLibrary.simpleMessage("Sukti į dešinę"), "safelyStored": MessageLookupByLibrary.simpleMessage("Saugiai saugoma"), + "same": MessageLookupByLibrary.simpleMessage("Tas pats"), + "sameperson": MessageLookupByLibrary.simpleMessage("Tas pats asmuo?"), "save": MessageLookupByLibrary.simpleMessage("Išsaugoti"), + "saveAsAnotherPerson": + MessageLookupByLibrary.simpleMessage("Išsaugoti kaip kitą asmenį"), "saveChangesBeforeLeavingQuestion": MessageLookupByLibrary.simpleMessage( "Išsaugoti pakeitimus prieš išeinant?"), @@ -1775,7 +1822,7 @@ class MessageLookup extends MessageLookupByLibrary { "searchByExamples": MessageLookupByLibrary.simpleMessage( "• Albumų pavadinimai (pvz., „Fotoaparatas“)\n• Failų tipai (pvz., „Vaizdo įrašai“, „.gif“)\n• Metai ir mėnesiai (pvz., „2022“, „sausis“)\n• Šventės (pvz., „Kalėdos“)\n• Nuotraukų aprašymai (pvz., „#džiaugsmas“)"), "searchCaptionEmptySection": MessageLookupByLibrary.simpleMessage( - "Pridėkite aprašymus, pavyzdžiui, „#kelionė“, į nuotraukos informaciją, kad greičiau jas čia rastumėte."), + "Pridėkite aprašus, pavyzdžiui, „#kelionė“, į nuotraukos informaciją, kad sparčiau jas čia rastumėte."), "searchDatesEmptySection": MessageLookupByLibrary.simpleMessage( "Ieškokite pagal datą, mėnesį arba metus"), "searchDiscoverEmptySection": MessageLookupByLibrary.simpleMessage( @@ -1915,8 +1962,12 @@ class MessageLookup extends MessageLookupByLibrary { "sharing": MessageLookupByLibrary.simpleMessage("Bendrinima..."), "shiftDatesAndTime": MessageLookupByLibrary.simpleMessage("Pastumti datas ir laiką"), + "showLessFaces": + MessageLookupByLibrary.simpleMessage("Rodyti mažiau veidų"), "showMemories": MessageLookupByLibrary.simpleMessage("Rodyti prisiminimus"), + "showMoreFaces": + MessageLookupByLibrary.simpleMessage("Rodyti daugiau veidų"), "showPerson": MessageLookupByLibrary.simpleMessage("Rodyti asmenį"), "signOutFromOtherDevices": MessageLookupByLibrary.simpleMessage( "Atsijungti iš kitų įrenginių"), @@ -2042,6 +2093,10 @@ class MessageLookup extends MessageLookupByLibrary { "theLinkYouAreTryingToAccessHasExpired": MessageLookupByLibrary.simpleMessage( "Nuoroda, kurią bandote pasiekti, nebegalioja."), + "thePersonGroupsWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Asmenų grupės nebebus rodomos asmenų sekcijoje. Nuotraukos liks nepakitusios."), + "thePersonWillNotBeDisplayed": MessageLookupByLibrary.simpleMessage( + "Asmuo nebebus rodomas asmenų sekcijoje. Nuotraukos liks nepakitusios."), "theRecoveryKeyYouEnteredIsIncorrect": MessageLookupByLibrary.simpleMessage( "Įvestas atkūrimo raktas yra neteisingas."), @@ -2240,6 +2295,7 @@ class MessageLookup extends MessageLookupByLibrary { "yesDelete": MessageLookupByLibrary.simpleMessage("Taip, ištrinti"), "yesDiscardChanges": MessageLookupByLibrary.simpleMessage("Taip, atmesti pakeitimus"), + "yesIgnore": MessageLookupByLibrary.simpleMessage("Taip, ignoruoti"), "yesLogout": MessageLookupByLibrary.simpleMessage("Taip, atsijungti"), "yesRemove": MessageLookupByLibrary.simpleMessage("Taip, šalinti"), "yesRenew": MessageLookupByLibrary.simpleMessage("Taip, pratęsti"), diff --git a/mobile/apps/photos/lib/generated/intl/messages_pl.dart b/mobile/apps/photos/lib/generated/intl/messages_pl.dart index 7736624f6e..227f44efa2 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_pl.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_pl.dart @@ -557,10 +557,6 @@ class MessageLookup extends MessageLookupByLibrary { "Wprowadziliśmy istotne ulepszenia w funkcji wspomnień, w tym automatyczne odtwarzanie, przesuwanie do kolejnego wspomnienia i wiele innych."), "cLDesc4": MessageLookupByLibrary.simpleMessage( "Wraz z kilkoma ulepszeniami w mechanizmie teraz znacznie łatwiej jest widzieć wszystkie wykryte twarze, zapewniać informacje zwrotne o podobnych twarzach i dodawać/usuwać twarze z jednego zdjęcia."), - "cLDesc5": MessageLookupByLibrary.simpleMessage( - "Od teraz otrzymasz powiadomienie z możliwością rezygnacji dotyczące wszystkich zapisanych urodzin w Ente, wraz z kolekcją najlepszych zdjęć danej osoby."), - "cLDesc6": MessageLookupByLibrary.simpleMessage( - "Nie musisz już czekać na zakończenie przesyłania ani pobierania, żeby móc zamknąć aplikację. Wszystkie operacje przesyłania i pobierania można teraz wstrzymać w dowolnym momencie i wznowić od miejsca, w którym zostały przerwane."), "cLTitle1": MessageLookupByLibrary.simpleMessage( "Przesyłanie Dużych Plików Wideo"), "cLTitle2": MessageLookupByLibrary.simpleMessage("Przesyłanie w Tle"), @@ -568,10 +564,6 @@ class MessageLookup extends MessageLookupByLibrary { "Automatyczne Odtwarzanie Wspomnień"), "cLTitle4": MessageLookupByLibrary.simpleMessage( "Ulepszone Rozpoznawanie Twarzy"), - "cLTitle5": - MessageLookupByLibrary.simpleMessage("Powiadomienia o Urodzinach"), - "cLTitle6": MessageLookupByLibrary.simpleMessage( - "Wznawialne Przesyłanie i Pobieranie Danych"), "cachedData": MessageLookupByLibrary.simpleMessage("Dane w pamięci podręcznej"), "calculating": MessageLookupByLibrary.simpleMessage("Obliczanie..."), diff --git a/mobile/apps/photos/lib/generated/intl/messages_pt_BR.dart b/mobile/apps/photos/lib/generated/intl/messages_pt_BR.dart index 36bffa984a..2efe95af53 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_pt_BR.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_pt_BR.dart @@ -594,10 +594,6 @@ class MessageLookup extends MessageLookupByLibrary { "Fizemos melhorias significantes para a experiência de memórias, incluindo reprodução automática, deslizar para a próxima memória e mais."), "cLDesc4": MessageLookupByLibrary.simpleMessage( "Ao lado de outras melhorias, agora ficou mais fácil para detectar rostos, fornecer comentários em rostos similares, e adicionar/remover rostos de uma foto."), - "cLDesc5": MessageLookupByLibrary.simpleMessage( - "Você receberá uma notificação opcional para todos os aniversários salvos no Ente, além de uma coleção de melhores fotos."), - "cLDesc6": MessageLookupByLibrary.simpleMessage( - "Nada de esperar os envios/downloads terminarem para fechar o aplicativo. Todos os envios e downloads agora possuem a habilidade de ser pausado na metade do processo, e retomar de onde você parou."), "cLTitle1": MessageLookupByLibrary.simpleMessage( "Enviando arquivos de vídeo grandes"), "cLTitle2": MessageLookupByLibrary.simpleMessage("Envio de fundo"), @@ -605,10 +601,6 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Reproduzir memórias auto."), "cLTitle4": MessageLookupByLibrary.simpleMessage( "Reconhecimento Facial Melhorado"), - "cLTitle5": - MessageLookupByLibrary.simpleMessage("Notificações de aniversário"), - "cLTitle6": MessageLookupByLibrary.simpleMessage( - "Envios e downloads retomáveis"), "cachedData": MessageLookupByLibrary.simpleMessage("Dados armazenados em cache"), "calculating": MessageLookupByLibrary.simpleMessage("Calculando..."), diff --git a/mobile/apps/photos/lib/generated/intl/messages_pt_PT.dart b/mobile/apps/photos/lib/generated/intl/messages_pt_PT.dart index 3d345d2865..9533754657 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_pt_PT.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_pt_PT.dart @@ -598,10 +598,6 @@ class MessageLookup extends MessageLookupByLibrary { "Nós fizemos melhorias significativas para a experiência das memórias, incluindo revisão automática, arrastar até a próxima memória e muito mais."), "cLDesc4": MessageLookupByLibrary.simpleMessage( "Junto a outras mudanças, agora facilitou a maneira de ver todos os rostos detetados, fornecer comentários para rostos similares, e adicionar ou remover rostos de uma foto única."), - "cLDesc5": MessageLookupByLibrary.simpleMessage( - "Ganhará uma notificação para todos os aniversários que salvaste no Ente, além de uma coleção das melhores fotos."), - "cLDesc6": MessageLookupByLibrary.simpleMessage( - "Sem mais aguardar até que os envios e transferências sejam concluídos para fechar a aplicação. Todos os envios e transferências podem ser pausados a qualquer momento, e retomar onde parou."), "cLTitle1": MessageLookupByLibrary.simpleMessage( "A Enviar Ficheiros de Vídeo Grandes"), "cLTitle2": MessageLookupByLibrary.simpleMessage("Envio de Fundo"), @@ -609,10 +605,6 @@ class MessageLookup extends MessageLookupByLibrary { "Revisão automática de memórias"), "cLTitle4": MessageLookupByLibrary.simpleMessage( "Reconhecimento Facial Melhorado"), - "cLTitle5": - MessageLookupByLibrary.simpleMessage("Notificações de Felicidade"), - "cLTitle6": MessageLookupByLibrary.simpleMessage( - "Envios e transferências retomáveis"), "cachedData": MessageLookupByLibrary.simpleMessage("Dados em cache"), "calculating": MessageLookupByLibrary.simpleMessage("Calcular..."), "canNotOpenBody": MessageLookupByLibrary.simpleMessage( diff --git a/mobile/apps/photos/lib/generated/intl/messages_ru.dart b/mobile/apps/photos/lib/generated/intl/messages_ru.dart index cfb98a5709..5b50a3a829 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_ru.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_ru.dart @@ -594,10 +594,6 @@ class MessageLookup extends MessageLookupByLibrary { "Мы внесли значительные улучшения в работу с воспоминаниями, включая автовоспроизведение, переход к следующему воспоминанию и многое другое."), "cLDesc4": MessageLookupByLibrary.simpleMessage( "Наряду с рядом внутренних улучшений теперь стало гораздо проще просматривать все обнаруженные лица, оставлять отзывы о похожих лицах, а также добавлять/удалять лица с одной фотографии."), - "cLDesc5": MessageLookupByLibrary.simpleMessage( - "Теперь вы будете получать уведомления о всех днях рождениях, которые вы сохранили на Ente, а также коллекцию их лучших фотографий."), - "cLDesc6": MessageLookupByLibrary.simpleMessage( - "Больше не нужно ждать завершения загрузки/скачивания, прежде чем закрыть приложение. Все загрузки и скачивания теперь можно приостановить и возобновить с того места, где вы остановились."), "cLTitle1": MessageLookupByLibrary.simpleMessage( "Загрузка больших видеофайлов"), "cLTitle2": MessageLookupByLibrary.simpleMessage("Фоновая загрузка"), @@ -605,10 +601,6 @@ class MessageLookup extends MessageLookupByLibrary { "Автовоспроизведение воспоминаний"), "cLTitle4": MessageLookupByLibrary.simpleMessage( "Улучшенное распознавание лиц"), - "cLTitle5": - MessageLookupByLibrary.simpleMessage("Уведомления о днях рождения"), - "cLTitle6": MessageLookupByLibrary.simpleMessage( - "Возобновляемые загрузки и скачивания"), "cachedData": MessageLookupByLibrary.simpleMessage("Кэшированные данные"), "calculating": MessageLookupByLibrary.simpleMessage("Подсчёт..."), diff --git a/mobile/apps/photos/lib/generated/intl/messages_tr.dart b/mobile/apps/photos/lib/generated/intl/messages_tr.dart index 3529148c3c..dc3da2efc5 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_tr.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_tr.dart @@ -591,10 +591,6 @@ class MessageLookup extends MessageLookupByLibrary { "Otomatik oynatma, bir sonraki belleğe kaydırma ve çok daha fazlası dahil olmak üzere bellek deneyimimizde önemli iyileştirmeler yaptık."), "cLDesc4": MessageLookupByLibrary.simpleMessage( "Bazı arka plandaki iyileştirmelere ek olarak, artık tespit edilen tüm yüzleri görmek, benzer yüzler hakkında geri bildirimde bulunmak ve tek bir fotoğraftan yüz ekleyip çıkarmak çok daha kolay."), - "cLDesc5": MessageLookupByLibrary.simpleMessage( - "Ente’ye kaydettiğiniz tüm doğum günleri için artık en iyi fotoğraflarından oluşan bir koleksiyonla birlikte, devre dışı bırakabileceğiniz bir bildirim alacaksınız."), - "cLDesc6": MessageLookupByLibrary.simpleMessage( - "Uygulamayı kapatmadan önce yüklemelerin / indirmelerin tamamlanmasını beklemenize gerek yok. Tüm yüklemeler ve indirmeler artık yarıda duraklatma ve kaldığınız yerden devam etme özelliğine sahip."), "cLTitle1": MessageLookupByLibrary.simpleMessage( "Büyük Video Dosyalarını Yükleme"), "cLTitle2": MessageLookupByLibrary.simpleMessage("Arka Plan Yükleme"), @@ -602,10 +598,6 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Otomatik Oynatma Anıları"), "cLTitle4": MessageLookupByLibrary.simpleMessage("Geliştirilmiş Yüz Tanıma"), - "cLTitle5": - MessageLookupByLibrary.simpleMessage("Doğum Günü Bildirimleri"), - "cLTitle6": MessageLookupByLibrary.simpleMessage( - "Devam Ettirilebilir Yüklemeler ve İndirmeler"), "cachedData": MessageLookupByLibrary.simpleMessage("Önbelleğe alınmış veriler"), "calculating": MessageLookupByLibrary.simpleMessage("Hesaplanıyor..."), diff --git a/mobile/apps/photos/lib/generated/intl/messages_vi.dart b/mobile/apps/photos/lib/generated/intl/messages_vi.dart index 8f44e52987..50f3c8d154 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_vi.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_vi.dart @@ -226,7 +226,7 @@ class MessageLookup extends MessageLookupByLibrary { static String m76(name) => "Đi bộ với ${name}"; static String m77(count) => - "${Intl.plural(count, other: '${count} kết quả được tìm thấy')}"; + "${Intl.plural(count, other: '${count} kết quả đã tìm thấy')}"; static String m78(snapshotLength, searchLength) => "Độ dài các phần không khớp: ${snapshotLength} != ${searchLength}"; @@ -593,10 +593,6 @@ class MessageLookup extends MessageLookupByLibrary { "Chúng tôi đã có những cải tiến đáng kể cho trải nghiệm kỷ niệm, bao gồm tự phát, vuốt xem kỷ niệm tiếp theo và nhiều tính năng khác."), "cLDesc4": MessageLookupByLibrary.simpleMessage( "Cùng với một loạt cải tiến nội bộ, giờ đây bạn có thể dễ dàng xem tất cả khuôn mặt đã phát hiện, cung cấp phản hồi về các khuôn mặt giống nhau và thêm/xóa khuôn mặt khỏi một bức ảnh."), - "cLDesc5": MessageLookupByLibrary.simpleMessage( - "Bây giờ bạn sẽ nhận được thông báo tùy-chọn cho tất cả các ngày sinh nhật mà bạn đã lưu trên Ente, cùng với bộ sưu tập những bức ảnh đẹp nhất của họ."), - "cLDesc6": MessageLookupByLibrary.simpleMessage( - "Không còn phải chờ tải lên/tải xuống xong mới có thể đóng ứng dụng. Tất cả các tải lên và tải xuống hiện có thể tạm dừng giữa chừng và tiếp tục từ nơi bạn đã dừng lại."), "cLTitle1": MessageLookupByLibrary.simpleMessage("Tải lên tệp video lớn"), "cLTitle2": MessageLookupByLibrary.simpleMessage("Tải lên trong nền"), @@ -604,9 +600,6 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("Tự động phát kỷ niệm"), "cLTitle4": MessageLookupByLibrary.simpleMessage( "Cải thiện nhận diện khuôn mặt"), - "cLTitle5": MessageLookupByLibrary.simpleMessage("Thông báo sinh nhật"), - "cLTitle6": MessageLookupByLibrary.simpleMessage( - "Tiếp tục tải lên và tải xuống"), "cachedData": MessageLookupByLibrary.simpleMessage( "Dữ liệu đã lưu trong bộ nhớ đệm"), "calculating": @@ -1272,7 +1265,7 @@ class MessageLookup extends MessageLookupByLibrary { "loadMessage9": MessageLookupByLibrary.simpleMessage( "Chúng tôi sử dụng Xchacha20Poly1305 để mã hóa dữ liệu của bạn"), "loadingExifData": - MessageLookupByLibrary.simpleMessage("Đang tải thông số Exif..."), + MessageLookupByLibrary.simpleMessage("Đang lấy thông số Exif..."), "loadingGallery": MessageLookupByLibrary.simpleMessage("Đang tải thư viện..."), "loadingMessage": @@ -1412,8 +1405,7 @@ class MessageLookup extends MessageLookupByLibrary { MessageLookupByLibrary.simpleMessage("✨ Không có trùng lặp"), "noEnteAccountExclamation": MessageLookupByLibrary.simpleMessage("Chưa có tài khoản Ente!"), - "noExifData": - MessageLookupByLibrary.simpleMessage("Không có thông số Exif"), + "noExifData": MessageLookupByLibrary.simpleMessage("Không có Exif"), "noFacesFound": MessageLookupByLibrary.simpleMessage("Không tìm thấy khuôn mặt"), "noHiddenPhotosOrVideos": diff --git a/mobile/apps/photos/lib/generated/intl/messages_zh.dart b/mobile/apps/photos/lib/generated/intl/messages_zh.dart index 4ad5c5c75c..d9d923e0eb 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_zh.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_zh.dart @@ -523,16 +523,10 @@ class MessageLookup extends MessageLookupByLibrary { "我们对回忆体验进行了重大改进,包括自动播放、滑动到下一个回忆以及更多功能。"), "cLDesc4": MessageLookupByLibrary.simpleMessage( "除了多项底层改进外,现在可以更轻松地查看所有检测到的人脸,对相似人脸提供反馈,以及从单张照片中添加/删除人脸。"), - "cLDesc5": MessageLookupByLibrary.simpleMessage( - "您现在将收到 Ente 上保存的所有生日的可选退出通知,同时附上他们最佳照片的合集。"), - "cLDesc6": MessageLookupByLibrary.simpleMessage( - "无需等待上传/下载完成即可关闭应用程序。所有上传和下载现在都可以中途暂停,并从中断处继续。"), "cLTitle1": MessageLookupByLibrary.simpleMessage("正在上传大型视频文件"), "cLTitle2": MessageLookupByLibrary.simpleMessage("后台上传"), "cLTitle3": MessageLookupByLibrary.simpleMessage("自动播放回忆"), "cLTitle4": MessageLookupByLibrary.simpleMessage("改进的人脸识别"), - "cLTitle5": MessageLookupByLibrary.simpleMessage("生日通知"), - "cLTitle6": MessageLookupByLibrary.simpleMessage("可恢复的上传和下载"), "cachedData": MessageLookupByLibrary.simpleMessage("缓存数据"), "calculating": MessageLookupByLibrary.simpleMessage("正在计算..."), "canNotOpenBody": diff --git a/mobile/apps/photos/lib/generated/l10n.dart b/mobile/apps/photos/lib/generated/l10n.dart index 1045fba5f2..2dcce87533 100644 --- a/mobile/apps/photos/lib/generated/l10n.dart +++ b/mobile/apps/photos/lib/generated/l10n.dart @@ -12166,126 +12166,86 @@ class S { ); } - /// `Uploading Large Video Files` + /// `Advanced Image Editor` String get cLTitle1 { return Intl.message( - 'Uploading Large Video Files', + 'Advanced Image Editor', name: 'cLTitle1', desc: '', args: [], ); } - /// `On the back of video streaming beta, and work on resumable uploads and downloads, we have now increased the file upload limit to 10GB. This is now available in both desktop and mobile apps.` + /// `We are releasing a new and advanced image editor that add more cropping frames, filter presets for quick edits, fine tuning options including saturation, contrast, brightness, temperature and a lot more. The new editor also includes the ability to draw on your photos and add emojis as stickers.` String get cLDesc1 { return Intl.message( - 'On the back of video streaming beta, and work on resumable uploads and downloads, we have now increased the file upload limit to 10GB. This is now available in both desktop and mobile apps.', + 'We are releasing a new and advanced image editor that add more cropping frames, filter presets for quick edits, fine tuning options including saturation, contrast, brightness, temperature and a lot more. The new editor also includes the ability to draw on your photos and add emojis as stickers.', name: 'cLDesc1', desc: '', args: [], ); } - /// `Background Upload` + /// `Smart Albums` String get cLTitle2 { return Intl.message( - 'Background Upload', + 'Smart Albums', name: 'cLTitle2', desc: '', args: [], ); } - /// `Background uploads are now supported on iOS as well, in addition to Android devices. No need to open the app to backup your latest photos and videos.` + /// `You can now automatically add photos of selected people to any album. Just go the album, and select "auto-add people" from the overflow menu. If used along with shared album, you can share photos with zero clicks.` String get cLDesc2 { return Intl.message( - 'Background uploads are now supported on iOS as well, in addition to Android devices. No need to open the app to backup your latest photos and videos.', + 'You can now automatically add photos of selected people to any album. Just go the album, and select "auto-add people" from the overflow menu. If used along with shared album, you can share photos with zero clicks.', name: 'cLDesc2', desc: '', args: [], ); } - /// `Autoplay Memories` + /// `Improved Gallery` String get cLTitle3 { return Intl.message( - 'Autoplay Memories', + 'Improved Gallery', name: 'cLTitle3', desc: '', args: [], ); } - /// `We have made significant improvements to our memories experience, including autoplay, swipe to next memory and a lot more.` + /// `We have added the ability to group your gallery by weeks, months, and years. You can now customise your gallery to look exactly the way you want with these new grouping options, along with custom grids` String get cLDesc3 { return Intl.message( - 'We have made significant improvements to our memories experience, including autoplay, swipe to next memory and a lot more.', + 'We have added the ability to group your gallery by weeks, months, and years. You can now customise your gallery to look exactly the way you want with these new grouping options, along with custom grids', name: 'cLDesc3', desc: '', args: [], ); } - /// `Improved Face Recognition` + /// `Faster Scroll` String get cLTitle4 { return Intl.message( - 'Improved Face Recognition', + 'Faster Scroll', name: 'cLTitle4', desc: '', args: [], ); } - /// `Along with a bunch of under the hood improvements, now its much easier to see all detected faces, provide feedback on similar faces, and add/remove faces from a single photo.` + /// `Along with a bunch of under the hood improvements to improve the gallery scroll experience, we have also redesigned the scroll bar to show markers, allowing you to quickly jump across the timeline.` String get cLDesc4 { return Intl.message( - 'Along with a bunch of under the hood improvements, now its much easier to see all detected faces, provide feedback on similar faces, and add/remove faces from a single photo.', + 'Along with a bunch of under the hood improvements to improve the gallery scroll experience, we have also redesigned the scroll bar to show markers, allowing you to quickly jump across the timeline.', name: 'cLDesc4', desc: '', args: [], ); } - /// `Birthday Notifications` - String get cLTitle5 { - return Intl.message( - 'Birthday Notifications', - name: 'cLTitle5', - desc: '', - args: [], - ); - } - - /// `You will now receive an opt-out notification for all the birthdays your have saved on Ente, along with a collection of their best photos.` - String get cLDesc5 { - return Intl.message( - 'You will now receive an opt-out notification for all the birthdays your have saved on Ente, along with a collection of their best photos.', - name: 'cLDesc5', - desc: '', - args: [], - ); - } - - /// `Resumable Uploads and Downloads` - String get cLTitle6 { - return Intl.message( - 'Resumable Uploads and Downloads', - name: 'cLTitle6', - desc: '', - args: [], - ); - } - - /// `No more waiting for uploads/downloads to complete before you can close the app. All uploads and downloads now have the ability to be paused midway, and resume from where you left off.` - String get cLDesc6 { - return Intl.message( - 'No more waiting for uploads/downloads to complete before you can close the app. All uploads and downloads now have the ability to be paused midway, and resume from where you left off.', - name: 'cLDesc6', - desc: '', - args: [], - ); - } - /// `Indexing is paused. It will automatically resume when the device is ready. The device is considered ready when its battery level, battery health, and thermal status are within a healthy range.` String get indexingPausedStatusDescription { return Intl.message( diff --git a/mobile/apps/photos/lib/l10n/intl_de.arb b/mobile/apps/photos/lib/l10n/intl_de.arb index 28636c4b5d..46bc3eb804 100644 --- a/mobile/apps/photos/lib/l10n/intl_de.arb +++ b/mobile/apps/photos/lib/l10n/intl_de.arb @@ -1776,18 +1776,14 @@ "same": "Gleich", "different": "Verschieden", "sameperson": "Dieselbe Person?", - "cLTitle1": "Lade große Videodateien hoch", - "cLDesc1": "Zusammen mit der Beta-Version des Video-Streamings und der Arbeit an wiederaufnehmbarem Hoch- und Herunterladen haben wir jetzt das Limit für das Hochladen von Dateien auf 10 GB erhöht. Dies ist ab sofort sowohl in den Desktop- als auch Mobil-Apps verfügbar.", - "cLTitle2": "Hochladen im Hintergrund", - "cLDesc2": "Das Hochladen im Hintergrund wird jetzt auch unter iOS unterstützt, zusätzlich zu Android-Geräten. Es ist nicht mehr notwendig, die App zu öffnen, um die letzten Fotos und Videos zu sichern.", - "cLTitle3": "Automatische Wiedergabe von Erinnerungen", - "cLDesc3": "Wir haben deutliche Verbesserungen an der Darstellung von Erinnerungen vorgenommen, u.a. automatische Wiedergabe, Wischen zur nächsten Erinnerung und vieles mehr.", - "cLTitle4": "Verbesserte Gesichtserkennung", - "cLDesc4": "Zusammen mit einer Reihe von Verbesserungen unter der Haube ist es jetzt viel einfacher, alle erkannten Gesichter zu sehen, Feedback zu ähnlichen Gesichtern geben und Gesichter für ein einzelnes Foto hinzuzufügen oder zu entfernen.", - "cLTitle5": "Geburtstags-Benachrichtigungen", - "cLDesc5": "Du erhältst jetzt eine Opt-Out-Benachrichtigung für alle Geburtstage, die du bei Ente gespeichert hast, zusammen mit einer Sammlung der besten Fotos.", - "cLTitle6": "Wiederaufnehmbares Hoch- und Herunterladen", - "cLDesc6": "Kein Warten mehr auf das Hoch- oder Herunterladen, bevor du die App schließen kannst. Alle Übertragungen können jetzt mittendrin pausiert und fortgesetzt werden, wo du aufgehört hast.", + "cLTitle1": "Erweiterter Bildbearbeiter", + "cLDesc1": "Wir veröffentlichen einen neuen und erweiterten Bildbearbeiter, der mehr Zuschnitt-Rahmen, Filter-Presets für schnelle Bearbeitungen, Feinabstimmungsoptionen einschließlich Sättigung, Kontrast, Helligkeit, Temperatur und vieles mehr hinzufügt. Der neue Editor enthält auch die Möglichkeit, auf deine Fotos zu zeichnen und Emojis als Aufkleber hinzuzufügen.", + "cLTitle2": "Intelligente Alben", + "cLDesc2": "Du kannst jetzt automatisch Fotos von ausgewählten Personen zu jedem Album hinzufügen. Gehe einfach zum Album und wähle \"Personen automatisch hinzufügen\" aus dem Overflow-Menü. Wenn es zusammen mit einem geteilten Album verwendet wird, kannst du Fotos mit null Klicks teilen.", + "cLTitle3": "Verbesserte Galerie", + "cLDesc3": "Wir haben die Möglichkeit hinzugefügt, deine Galerie nach Wochen, Monaten und Jahren zu gruppieren. Du kannst deine Galerie jetzt genau so anpassen, wie du sie haben möchtest, mit diesen neuen Gruppierungsoptionen und benutzerdefinierten Rastern.", + "cLTitle4": "Schnelleres Scrollen", + "cLDesc4": "Zusammen mit einer Reihe von Verbesserungen unter der Haube, um das Galerie-Scroll-Erlebnis zu verbessern, haben wir auch die Scrollleiste neu gestaltet, um Markierungen anzuzeigen, die es dir ermöglichen, schnell durch die Timeline zu springen.", "indexingPausedStatusDescription": "Die Indizierung ist pausiert. Sie wird automatisch fortgesetzt, wenn das Gerät bereit ist. Das Gerät wird als bereit angesehen, wenn sich der Akkustand, die Akkugesundheit und der thermische Zustand in einem gesunden Bereich befinden.", "faceThumbnailGenerationFailed": "Vorschaubilder konnten nicht erstellt werden", "fileAnalysisFailed": "Datei konnte nicht analysiert werden" diff --git a/mobile/apps/photos/lib/l10n/intl_en.arb b/mobile/apps/photos/lib/l10n/intl_en.arb index a4b2c471ec..f39ceed958 100644 --- a/mobile/apps/photos/lib/l10n/intl_en.arb +++ b/mobile/apps/photos/lib/l10n/intl_en.arb @@ -1776,18 +1776,14 @@ "same": "Same", "different": "Different", "sameperson": "Same person?", - "cLTitle1": "Uploading Large Video Files", - "cLDesc1": "On the back of video streaming beta, and work on resumable uploads and downloads, we have now increased the file upload limit to 10GB. This is now available in both desktop and mobile apps.", - "cLTitle2": "Background Upload", - "cLDesc2": "Background uploads are now supported on iOS as well, in addition to Android devices. No need to open the app to backup your latest photos and videos.", - "cLTitle3": "Autoplay Memories", - "cLDesc3": "We have made significant improvements to our memories experience, including autoplay, swipe to next memory and a lot more.", - "cLTitle4": "Improved Face Recognition", - "cLDesc4": "Along with a bunch of under the hood improvements, now its much easier to see all detected faces, provide feedback on similar faces, and add/remove faces from a single photo.", - "cLTitle5": "Birthday Notifications", - "cLDesc5": "You will now receive an opt-out notification for all the birthdays your have saved on Ente, along with a collection of their best photos.", - "cLTitle6": "Resumable Uploads and Downloads", - "cLDesc6": "No more waiting for uploads/downloads to complete before you can close the app. All uploads and downloads now have the ability to be paused midway, and resume from where you left off.", + "cLTitle1": "Advanced Image Editor", + "cLDesc1": "We are releasing a new and advanced image editor that add more cropping frames, filter presets for quick edits, fine tuning options including saturation, contrast, brightness, temperature and a lot more. The new editor also includes the ability to draw on your photos and add emojis as stickers.", + "cLTitle2": "Smart Albums", + "cLDesc2": "You can now automatically add photos of selected people to any album. Just go the album, and select \"auto-add people\" from the overflow menu. If used along with shared album, you can share photos with zero clicks.", + "cLTitle3": "Improved Gallery", + "cLDesc3": "We have added the ability to group your gallery by weeks, months, and years. You can now customise your gallery to look exactly the way you want with these new grouping options, along with custom grids", + "cLTitle4": "Faster Scroll", + "cLDesc4": "Along with a bunch of under the hood improvements to improve the gallery scroll experience, we have also redesigned the scroll bar to show markers, allowing you to quickly jump across the timeline.", "indexingPausedStatusDescription": "Indexing is paused. It will automatically resume when the device is ready. The device is considered ready when its battery level, battery health, and thermal status are within a healthy range.", "thisWeek": "This week", "lastWeek": "Last week", diff --git a/mobile/apps/photos/lib/l10n/intl_es.arb b/mobile/apps/photos/lib/l10n/intl_es.arb index d0cd66015e..a8985e3052 100644 --- a/mobile/apps/photos/lib/l10n/intl_es.arb +++ b/mobile/apps/photos/lib/l10n/intl_es.arb @@ -1776,17 +1776,13 @@ "same": "Igual", "different": "Diferente", "sameperson": "la misma persona?", - "cLTitle1": "Subiendo archivos de vídeo grandes", - "cLDesc1": "Dado el trabajo que hemos hecho en la versión beta de vídeos en streaming y en las cargas y descargas reanudables, hemos aumentado el límite de subida de archivos a 10 GB. Esto ya está disponible tanto en la aplicación de escritorio como en la móvil.", - "cLTitle2": "Subida en segundo plano", - "cLDesc2": "Las subidas en segundo plano ya están también soportadas en iOS, además de los dispositivos Android. No es necesario abrir la aplicación para hacer una copia de seguridad de tus fotos y vídeos más recientes.", - "cLTitle3": "Reproducción automática de recuerdos", - "cLDesc3": "Hemos hecho mejoras significativas en nuestra experiencia de recuerdos, incluyendo la reproducción automática, el deslizado a la memoria siguiente y mucho más.", - "cLTitle4": "Reconocimiento facial mejorado", - "cLDesc4": "Junto con un montón de mejoras adicionales, ahora es mucho más fácil ver todas las caras detectadas, proporcionar comentarios sobre caras similares, y añadir o quitar caras de una sola foto.", - "cLTitle5": "Notificación de cumpleaños", - "cLDesc5": "Ahora recibirás una notificación de exclusión voluntaria para todos los cumpleaños que hayas guardado en Ente, junto con una colección de sus mejores fotos.", - "cLTitle6": "Subidas y Descargas reanudables", - "cLDesc6": "Ya no tienes que esperar a que las subidas o descargas se completen para cerrar la aplicación. Ahora, todas las subidas y descargas se pueden pausar a mitad de proceso y reanudarse justo donde lo dejaste.", + "cLTitle1": "Editor de imágenes avanzado", + "cLDesc1": "Estamos lanzando un nuevo y avanzado editor de imágenes que añade más marcos de recorte, presets de filtros para ediciones rápidas, opciones de ajuste fino incluyendo saturación, contraste, brillo, temperatura y mucho más. El nuevo editor también incluye la capacidad de dibujar en tus fotos y añadir emojis como stickers.", + "cLTitle2": "Álbumes inteligentes", + "cLDesc2": "Ahora puedes añadir automáticamente fotos de personas seleccionadas a cualquier álbum. Solo ve al álbum y selecciona \"auto-añadir personas\" desde el menú overflow. Si se usa junto con un álbum compartido, puedes compartir fotos con cero clics.", + "cLTitle3": "Galería mejorada", + "cLDesc3": "Hemos añadido la capacidad de agrupar tu galería por semanas, meses y años. Ahora puedes personalizar tu galería para que se vea exactamente como quieres con estas nuevas opciones de agrupación, junto con cuadrículas personalizadas.", + "cLTitle4": "Desplazamiento más rápido", + "cLDesc4": "Junto con un montón de mejoras internas para mejorar la experiencia de desplazamiento de la galería, también hemos rediseñado la barra de desplazamiento para mostrar marcadores, permitiéndote saltar rápidamente a través de la línea de tiempo.", "indexingPausedStatusDescription": "La indexación está pausada. Se reanudará automáticamente cuando el dispositivo esté listo. El dispositivo se considera listo cuando su nivel de batería, la salud de la batería y temperatura están en un rango saludable." } \ No newline at end of file diff --git a/mobile/apps/photos/lib/l10n/intl_fr.arb b/mobile/apps/photos/lib/l10n/intl_fr.arb index b8d3c2b85a..f765ae3e48 100644 --- a/mobile/apps/photos/lib/l10n/intl_fr.arb +++ b/mobile/apps/photos/lib/l10n/intl_fr.arb @@ -1776,18 +1776,14 @@ "same": "Identique", "different": "Différent(e)", "sameperson": "Même personne ?", - "cLTitle1": "Envoi de gros fichiers vidéo", - "cLDesc1": "Derrière la version beta du streaming vidéo, tout en travaillant sur la reprise des chargements et téléchargements, nous avons maintenant augmenté la limite de téléchargement de fichiers à 10 Go. Ceci est maintenant disponible dans les applications bureau et mobiles.", - "cLTitle2": "Charger en arrière-plan", - "cLDesc2": "Les chargements en arrière-plan sont maintenant pris en charge sur iOS, en plus des appareils Android. Inutile d'ouvrir l'application pour sauvegarder vos dernières photos et vidéos.", - "cLTitle3": "Lecture automatique des souvenirs", - "cLDesc3": "Nous avons apporté des améliorations significatives à l'expérience des souvenirs, comme la lecture automatique, la glisse vers le souvenir suivant et bien plus encore.", - "cLTitle4": "Amélioration de la reconnaissance faciale", - "cLDesc4": "Avec un tas d'améliorations sous le capot, il est maintenant beaucoup plus facile de voir tous les visages détectés, mettre des commentaires sur des visages similaires, et ajouter/supprimer des visages depuis une seule photo.", - "cLTitle5": "Notifications d’anniversaire", - "cLDesc5": "Vous recevrez maintenant une notification de désinscription pour tous les anniversaires que vous avez enregistrés sur Ente, ainsi qu'une collection de leurs meilleures photos.", - "cLTitle6": "Reprise des chargements et téléchargements", - "cLDesc6": "Plus besoin d'attendre la fin des chargements/téléchargements avant de pouvoir fermer l'application. Tous peuvent maintenant être mis en pause en cours de route et reprendre à partir de là où ça s'est arrêté.", + "cLTitle1": "Éditeur d'images avancé", + "cLDesc1": "Nous lançons un nouvel éditeur d'images avancé qui ajoute plus de cadres de recadrage, des préréglages de filtres pour des modifications rapides, des options de réglage fin incluant la saturation, le contraste, la luminosité, la température et bien plus encore. Le nouvel éditeur inclut également la possibilité de dessiner sur vos photos et d'ajouter des emojis comme autocollants.", + "cLTitle2": "Albums intelligents", + "cLDesc2": "Vous pouvez maintenant ajouter automatiquement des photos de personnes sélectionnées à n'importe quel album. Allez simplement dans l'album et sélectionnez \"ajout automatique de personnes\" dans le menu de débordement. Si utilisé avec un album partagé, vous pouvez partager des photos en zéro clic.", + "cLTitle3": "Galerie améliorée", + "cLDesc3": "Nous avons ajouté la possibilité de regrouper votre galerie par semaines, mois et années. Vous pouvez maintenant personnaliser votre galerie pour qu'elle apparaisse exactement comme vous le souhaitez avec ces nouvelles options de regroupement, ainsi que des grilles personnalisées.", + "cLTitle4": "Défilement plus rapide", + "cLDesc4": "Avec de nombreuses améliorations sous le capot pour améliorer l'expérience de défilement de la galerie, nous avons également repensé la barre de défilement pour afficher des marqueurs, vous permettant de naviguer rapidement dans la chronologie.", "indexingPausedStatusDescription": "L'indexation est en pause. Elle reprendra automatiquement lorsque l'appareil sera prêt. Celui-ci est considéré comme prêt lorsque le niveau de batterie, sa santé et son état thermique sont dans une plage saine.", "faceThumbnailGenerationFailed": "Impossible de créer des miniatures de visage", "fileAnalysisFailed": "Impossible d'analyser le fichier" diff --git a/mobile/apps/photos/lib/l10n/intl_lt.arb b/mobile/apps/photos/lib/l10n/intl_lt.arb index 86b591e3ab..89595fc445 100644 --- a/mobile/apps/photos/lib/l10n/intl_lt.arb +++ b/mobile/apps/photos/lib/l10n/intl_lt.arb @@ -1776,18 +1776,14 @@ "same": "Tas pats", "different": "Skirtingas", "sameperson": "Tas pats asmuo?", - "cLTitle1": "Įkeliami dideli vaizdo įrašų failai", - "cLDesc1": "Po vaizdo įrašų srauto perdavimo beta versijos ir darbo prie tęsiamų įkėlimų ir atsisiuntimų, dabar padidinome failų įkėlimo ribą iki 10 GB. Tai dabar pasiekiama tiek kompiuterinėse, tiek mobiliosiose programėlėse.", - "cLTitle2": "Fono įkėlimas", - "cLDesc2": "Fono įkėlimai dabar palaikomi ir sistemoje „iOS“ bei „Android“ įrenginiuose. Nebereikia atverti programėlės, kad būtų galima sukurti naujausių nuotraukų ir vaizdo įrašų atsarginę kopiją.", - "cLTitle3": "Automatiniai peržiūros prisiminimai", - "cLDesc3": "Mes žymiai patobulinome prisiminimų patirtį, įskaitant automatinį peržiūrėjimą, braukimą į kitą prisiminimą ir daug daugiau.", - "cLTitle4": "Patobulintas veido atpažinimas", - "cLDesc4": "Kartu su daugybe vidinių patobulinimų, dabar daug lengviau matyti visus aptiktus veidus, pateikti atsiliepimus apie panašius veidus ir pridėti / pašalinti veidus iš vienos nuotraukos.", - "cLTitle5": "Gimtadienio pranešimai", - "cLDesc5": "Dabar gausite pranešimą apie galimybę atsisakyti visų gimtadienių, kuriuos išsaugojote platformoje „Ente“, kartu su geriausių jų nuotraukų rinkiniu.", - "cLTitle6": "Tęsiami įkėlimai ir atsisiuntimai", - "cLDesc6": "Nebereikia laukti įkėlimų / atsisiuntimų užbaigti, kad užvertumėte programėlę. Dabar visus įkėlimus ir atsisiuntimus galima pristabdyti ir tęsti nuo tos vietos, kurioje sustojote.", + "cLTitle1": "Išplėstinis vaizdų redaktorius", + "cLDesc1": "Paleidžiame naują ir išplėstinį vaizdų redaktorių, kuris prideda daugiau apkarpymo rėmelių, filtrų šablonus spartiems redagavimams, tikslaus derinimo parinktis, įskaitant sodrumą, kontrastą, ryškumą, temperatūrą ir daug daugiau. Naujasis redaktorius taip pat įtraukia galimybę piešti ant nuotraukų ir pridėti šypsniukus kaip lipdukus.", + "cLTitle2": "Protingi albumai", + "cLDesc2": "Dabar galite automatiškai pridėti pasirinktų asmenų nuotraukas į bet kurį albumą. Tiesiog eikite į albumą ir pasirinkite „automatiškai pridėti asmenis“ iš perpildymo meniu. Jei naudojate kartu su bendrinamu albumu, galite bendrinti nuotraukas su nuliniais paspaudimais. ir sistemoje „iOS“ bei „Android“ įrenginiuose. Nebereikia atverti programėlės, kad būtų galima sukurti naujausių nuotraukų ir vaizdo įrašų atsarginę kopiją.", + "cLTitle3": "Patobulinta galerija", + "cLDesc3": "Pridėjome galimybę grupuoti galeriją pagal savaites, mėnesius ir metus. Dabar galite pritaikyti galeriją, kad ji atrodytų lygiai taip, kaip norite, su šiomis naujomis grupavimo parinktimis kartu su tinkintais tinkleliais.", + "cLTitle4": "Greitesnis slinkimas", + "cLDesc4": "Kartu su daugybe vidinių patobulinimų galerijos slinkimo patirčiai pagerinti, taip pat perdarėme slinkimo juostą, kad rodytų žymeklius, leidžiančius greitai šokti per laiko juostą.", "indexingPausedStatusDescription": "Indeksavimas pristabdytas. Jis bus automatiškai tęsiamas, kai įrenginys bus parengtas. Įrenginys laikomas parengtu, kai jo akumuliatoriaus įkrovos lygis, akumuliatoriaus būklė ir terminė būklė yra normos ribose.", "faceThumbnailGenerationFailed": "Nepavyksta sugeneruoti veido miniatiūrų.", "fileAnalysisFailed": "Nepavyksta išanalizuoti failo." diff --git a/mobile/apps/photos/lib/l10n/intl_pl.arb b/mobile/apps/photos/lib/l10n/intl_pl.arb index cffa0d1a43..3b8a833d5d 100644 --- a/mobile/apps/photos/lib/l10n/intl_pl.arb +++ b/mobile/apps/photos/lib/l10n/intl_pl.arb @@ -1695,18 +1695,14 @@ "same": "Identyczne", "different": "Inne", "sameperson": "Ta sama osoba?", - "cLTitle1": "Przesyłanie Dużych Plików Wideo", - "cLDesc1": "W związku z uruchomieniem wersji beta przesyłania strumieniowego wideo oraz pracami nad możliwością wznawiania przesyłania i pobierania plików, zwiększyliśmy limit przesyłanych plików do 10 GB. Jest to już dostępne zarówno w aplikacjach na komputery, jak i na urządzenia mobilne.", - "cLTitle2": "Przesyłanie w Tle", - "cLDesc2": "Funkcja przesyłania w tle jest teraz obsługiwana również na urządzeniach z systemem iOS, oprócz urządzeń z Androidem. Nie trzeba już otwierać aplikacji, aby utworzyć kopię zapasową najnowszych zdjęć i filmów.", - "cLTitle3": "Automatyczne Odtwarzanie Wspomnień", - "cLDesc3": "Wprowadziliśmy istotne ulepszenia w funkcji wspomnień, w tym automatyczne odtwarzanie, przesuwanie do kolejnego wspomnienia i wiele innych.", - "cLTitle4": "Ulepszone Rozpoznawanie Twarzy", - "cLDesc4": "Wraz z kilkoma ulepszeniami w mechanizmie teraz znacznie łatwiej jest widzieć wszystkie wykryte twarze, zapewniać informacje zwrotne o podobnych twarzach i dodawać/usuwać twarze z jednego zdjęcia.", - "cLTitle5": "Powiadomienia o Urodzinach", - "cLDesc5": "Od teraz otrzymasz powiadomienie z możliwością rezygnacji dotyczące wszystkich zapisanych urodzin w Ente, wraz z kolekcją najlepszych zdjęć danej osoby.", - "cLTitle6": "Wznawialne Przesyłanie i Pobieranie Danych", - "cLDesc6": "Nie musisz już czekać na zakończenie przesyłania ani pobierania, żeby móc zamknąć aplikację. Wszystkie operacje przesyłania i pobierania można teraz wstrzymać w dowolnym momencie i wznowić od miejsca, w którym zostały przerwane.", + "cLTitle1": "Zaawansowany edytor obrazów", + "cLDesc1": "Uruchamiamy nowy i zaawansowany edytor obrazów, który dodaje więcej ramek kadrowania, presety filtrów do szybkich edycji, opcje precyzyjnego dostrojenia obejmujące nasycenie, kontrast, jasność, temperaturę i wiele więcej. Nowy edytor zawiera również możliwość rysowania na zdjęciach i dodawania emoji jako naklejek.", + "cLTitle2": "Inteligentne albumy", + "cLDesc2": "Teraz możesz automatycznie dodawać zdjęcia wybranych osób do dowolnego albumu. Po prostu przejdź do albumu i wybierz \"automatycznie dodaj osoby\" z menu przepełnienia. Jeśli używane z udostępnionym albumem, możesz udostępniać zdjęcia bez kliknięć.", + "cLTitle3": "Ulepszona galeria", + "cLDesc3": "Dodaliśmy możliwość grupowania galerii według tygodni, miesięcy i lat. Możesz teraz dostosować swoją galerię tak, aby wyglądała dokładnie tak, jak chcesz, dzięki tym nowym opcjom grupowania oraz niestandardowym siatkom.", + "cLTitle4": "Szybsze przewijanie", + "cLDesc4": "Wraz z wieloma ulepszeniami pod maską, które poprawiają doświadczenie przewijania galerii, przeprojektowaliśmy również pasek przewijania, aby pokazywał znaczniki, umożliwiając szybkie przeskakiwanie po osi czasu.", "indexingPausedStatusDescription": "Indeksowanie zostało wstrzymane. Zostanie automatycznie wznowione, gdy urządzenie będzie gotowe. Urządzenie uznaje się za gotowe, gdy poziom baterii, stan jej zdrowia oraz status termiczny znajdują się w bezpiecznym zakresie.", "faceThumbnailGenerationFailed": "Nie można wygenerować miniaturek twarzy", "fileAnalysisFailed": "Nie można przeanalizować pliku" diff --git a/mobile/apps/photos/lib/l10n/intl_pt_BR.arb b/mobile/apps/photos/lib/l10n/intl_pt_BR.arb index dca73651a8..3a4043fe5b 100644 --- a/mobile/apps/photos/lib/l10n/intl_pt_BR.arb +++ b/mobile/apps/photos/lib/l10n/intl_pt_BR.arb @@ -1776,18 +1776,14 @@ "same": "Igual", "different": "Diferente", "sameperson": "Mesma pessoa?", - "cLTitle1": "Enviando arquivos de vídeo grandes", - "cLDesc1": "De volta na transmissão de vídeo beta, e trabalhando em envios e downloads retomáveis, nós aumentamos o limite de envio de arquivos para 10 GB. Isso está disponível em ambos a versão móvel e a versão para desktop.", - "cLTitle2": "Envio de fundo", - "cLDesc2": "Envios de fundo agora são suportados no iOS também, para assemelhar-se aos dispositivos Android. Não precisa abrir o aplicativo para salvar em segurança as fotos e vídeos mais recentes.", - "cLTitle3": "Reproduzir memórias auto.", - "cLDesc3": "Fizemos melhorias significantes para a experiência de memórias, incluindo reprodução automática, deslizar para a próxima memória e mais.", - "cLTitle4": "Reconhecimento Facial Melhorado", - "cLDesc4": "Ao lado de outras melhorias, agora ficou mais fácil para detectar rostos, fornecer comentários em rostos similares, e adicionar/remover rostos de uma foto.", - "cLTitle5": "Notificações de aniversário", - "cLDesc5": "Você receberá uma notificação opcional para todos os aniversários salvos no Ente, além de uma coleção de melhores fotos.", - "cLTitle6": "Envios e downloads retomáveis", - "cLDesc6": "Nada de esperar os envios/downloads terminarem para fechar o aplicativo. Todos os envios e downloads agora possuem a habilidade de ser pausado na metade do processo, e retomar de onde você parou.", + "cLTitle1": "Editor de Imagem Avançado", + "cLDesc1": "Aprimore suas fotos com novas ferramentas de edição profissional. Ajuste brilho, contraste, saturação e aplique filtros para criar imagens perfeitas.", + "cLTitle2": "Álbuns Inteligentes", + "cLDesc2": "Organize suas fotos automaticamente com álbuns inteligentes baseados em localização, pessoas e objetos detectados por IA.", + "cLTitle3": "Galeria Aprimorada", + "cLDesc3": "Interface renovada com melhor navegação, visualizações em grade otimizadas e controles de zoom mais suaves para uma experiência visual superior.", + "cLTitle4": "Rolagem Mais Rápida", + "cLDesc4": "Navegue por sua coleção de fotos com velocidade aprimorada e transições mais fluidas, tornando a exploração de memórias mais eficiente.", "indexingPausedStatusDescription": "A indexação foi pausada. Ela retomará automaticamente quando o dispositivo estiver pronto. O dispositivo é considerado pronto quando o nível de bateria, saúde da bateria, e estado térmico estejam num alcance saudável.", "faceThumbnailGenerationFailed": "Incapaz de gerar miniaturas de rosto", "fileAnalysisFailed": "Incapaz de analisar rosto" diff --git a/mobile/apps/photos/lib/l10n/intl_pt_PT.arb b/mobile/apps/photos/lib/l10n/intl_pt_PT.arb index 6c4be05fd7..7bc4dc7dc9 100644 --- a/mobile/apps/photos/lib/l10n/intl_pt_PT.arb +++ b/mobile/apps/photos/lib/l10n/intl_pt_PT.arb @@ -1776,18 +1776,14 @@ "same": "Igual", "different": "Diferente", "sameperson": "A mesma pessoa?", - "cLTitle1": "A Enviar Ficheiros de Vídeo Grandes", - "cLDesc1": "De volta aos vídeos em direto (beta), e a trabalhar em envios e transferências retomáveis, nós aumentamos o limite de envio de ficheiros para 10 GB. Isto está disponível para dispositivos Móveis e para Desktop.", - "cLTitle2": "Envio de Fundo", - "cLDesc2": "Envios de fundo agora fornecerem suporte ao iOS. Para combinar com os aparelhos Android. Não precisa abrir a aplicação para fazer backup das fotos e vídeos recentes.", - "cLTitle3": "Revisão automática de memórias", - "cLDesc3": "Nós fizemos melhorias significativas para a experiência das memórias, incluindo revisão automática, arrastar até a próxima memória e muito mais.", - "cLTitle4": "Reconhecimento Facial Melhorado", - "cLDesc4": "Junto a outras mudanças, agora facilitou a maneira de ver todos os rostos detetados, fornecer comentários para rostos similares, e adicionar ou remover rostos de uma foto única.", - "cLTitle5": "Notificações de Felicidade", - "cLDesc5": "Ganhará uma notificação para todos os aniversários que salvaste no Ente, além de uma coleção das melhores fotos.", - "cLTitle6": "Envios e transferências retomáveis", - "cLDesc6": "Sem mais aguardar até que os envios e transferências sejam concluídos para fechar a aplicação. Todos os envios e transferências podem ser pausados a qualquer momento, e retomar onde parou.", + "cLTitle1": "Editor de Imagem Avançado", + "cLDesc1": "Estamos a lançar um novo e avançado editor de imagem que adiciona mais molduras de recorte, predefinições de filtros para edições rápidas, opções de ajuste fino incluindo saturação, contraste, brilho, temperatura e muito mais. O novo editor também inclui a capacidade de desenhar nas suas fotos e adicionar emojis como autocolantes.", + "cLTitle2": "Álbuns Inteligentes", + "cLDesc2": "Agora pode adicionar automaticamente fotos de pessoas selecionadas a qualquer álbum. Basta ir ao álbum e selecionar \"adicionar pessoas automaticamente\" no menu overflow. Se usado em conjunto com álbum partilhado, pode partilhar fotos com zero cliques.", + "cLTitle3": "Galeria Melhorada", + "cLDesc3": "Adicionámos a capacidade de agrupar a sua galeria por semanas, meses e anos. Agora pode personalizar a sua galeria para que fique exatamente como deseja com estas novas opções de agrupamento, juntamente com grades personalizadas.", + "cLTitle4": "Deslocamento Mais Rápido", + "cLDesc4": "Juntamente com uma série de melhorias nos bastidores para melhorar a experiência de deslocamento da galeria, também redesenhámos a barra de deslocamento para mostrar marcadores, permitindo-lhe saltar rapidamente pela linha do tempo.", "indexingPausedStatusDescription": "A indexação foi interrompida. Ele será retomado se o dispositivo estiver pronto. O dispositivo é considerado pronto se o nível de bateria, saúde da bateria, e estado térmico esteja num estado saudável.", "faceThumbnailGenerationFailed": "Impossível gerar thumbnails de rosto", "fileAnalysisFailed": "Impossível analisar arquivo" diff --git a/mobile/apps/photos/lib/l10n/intl_ru.arb b/mobile/apps/photos/lib/l10n/intl_ru.arb index 6a0a4a65e7..8e101425ad 100644 --- a/mobile/apps/photos/lib/l10n/intl_ru.arb +++ b/mobile/apps/photos/lib/l10n/intl_ru.arb @@ -1776,18 +1776,14 @@ "same": "Такой же", "different": "Разные", "sameperson": "Тот же человек?", - "cLTitle1": "Загрузка больших видеофайлов", - "cLDesc1": "В результате бета-тестирования потоковой передачи видео и работы над возобновляемыми загрузками и скачиваниями мы увеличили лимит загружаемых файлов до 10 ГБ. Теперь это доступно как в настольных, так и в мобильных приложениях.", - "cLTitle2": "Фоновая загрузка", - "cLDesc2": "Фоновая загрузка теперь поддерживается не только на устройствах Android, но и на iOS. Не нужно открывать приложение для резервного копирования последних фотографий и видео.", - "cLTitle3": "Автовоспроизведение воспоминаний", - "cLDesc3": "Мы внесли значительные улучшения в работу с воспоминаниями, включая автовоспроизведение, переход к следующему воспоминанию и многое другое.", - "cLTitle4": "Улучшенное распознавание лиц", - "cLDesc4": "Наряду с рядом внутренних улучшений теперь стало гораздо проще просматривать все обнаруженные лица, оставлять отзывы о похожих лицах, а также добавлять/удалять лица с одной фотографии.", - "cLTitle5": "Уведомления о днях рождения", - "cLDesc5": "Теперь вы будете получать уведомления о всех днях рождениях, которые вы сохранили на Ente, а также коллекцию их лучших фотографий.", - "cLTitle6": "Возобновляемые загрузки и скачивания", - "cLDesc6": "Больше не нужно ждать завершения загрузки/скачивания, прежде чем закрыть приложение. Все загрузки и скачивания теперь можно приостановить и возобновить с того места, где вы остановились.", + "cLTitle1": "Расширенный редактор изображений", + "cLDesc1": "Мы выпускаем новый расширенный редактор изображений, который добавляет больше рамок для обрезки, предустановки фильтров для быстрого редактирования, параметры тонкой настройки, включая насыщенность, контрастность, яркость, температуру и многое другое. Новый редактор также включает возможность рисования на ваших фотографиях и добавления эмодзи в качестве стикеров.", + "cLTitle2": "Умные альбомы", + "cLDesc2": "Теперь вы можете автоматически добавлять фотографии выбранных людей в любой альбом. Просто перейдите в альбом и выберите \"автодобавление людей\" в меню переполнения. При использовании вместе с общим альбомом вы можете делиться фотографиями без единого клика.", + "cLTitle3": "Улучшенная галерея", + "cLDesc3": "Мы добавили возможность группировать галерею по неделям, месяцам и годам. Теперь вы можете настроить свою галерею так, чтобы она выглядела именно так, как вы хотите, с этими новыми параметрами группировки, а также с пользовательскими сетками.", + "cLTitle4": "Более быстрая прокрутка", + "cLDesc4": "Наряду с множеством внутренних улучшений для повышения качества прокрутки галереи, мы также изменили дизайн полосы прокрутки, чтобы показывать маркеры, позволяющие быстро переходить по временной шкале.", "indexingPausedStatusDescription": "Индексирование приостановлено. Оно автоматически возобновится, когда устройство будет готово. Устройство считается готовым, когда уровень заряда батареи, её состояние и температура находятся в пределах нормы.", "faceThumbnailGenerationFailed": "Не удалось создать миниатюры лиц", "fileAnalysisFailed": "Не удалось проанализировать файл" diff --git a/mobile/apps/photos/lib/l10n/intl_tr.arb b/mobile/apps/photos/lib/l10n/intl_tr.arb index 880797894b..af72515bc0 100644 --- a/mobile/apps/photos/lib/l10n/intl_tr.arb +++ b/mobile/apps/photos/lib/l10n/intl_tr.arb @@ -1776,17 +1776,13 @@ "same": "Aynı", "different": "Farklı", "sameperson": "Aynı kişi mi?", - "cLTitle1": "Büyük Video Dosyalarını Yükleme", - "cLDesc1": "Video akışı beta sürümünün arkasında ve devam ettirilebilir yüklemeler ve indirmeler üzerinde çalışırken, artık dosya yükleme sınırını 10 GB'a çıkardık. Bu artık hem masaüstü hem de mobil uygulamalarda kullanılabilir.", - "cLTitle2": "Arka Plan Yükleme", - "cLDesc2": "Arka plan yüklemeleri artık Android cihazlara ek olarak iOS'ta da destekleniyor. En son fotoğraflarınızı ve videolarınızı yedeklemek için uygulamayı açmanıza gerek yok.", - "cLTitle3": "Otomatik Oynatma Anıları", - "cLDesc3": "Otomatik oynatma, bir sonraki belleğe kaydırma ve çok daha fazlası dahil olmak üzere bellek deneyimimizde önemli iyileştirmeler yaptık.", - "cLTitle4": "Geliştirilmiş Yüz Tanıma", - "cLDesc4": "Bazı arka plandaki iyileştirmelere ek olarak, artık tespit edilen tüm yüzleri görmek, benzer yüzler hakkında geri bildirimde bulunmak ve tek bir fotoğraftan yüz ekleyip çıkarmak çok daha kolay.", - "cLTitle5": "Doğum Günü Bildirimleri", - "cLDesc5": "Ente’ye kaydettiğiniz tüm doğum günleri için artık en iyi fotoğraflarından oluşan bir koleksiyonla birlikte, devre dışı bırakabileceğiniz bir bildirim alacaksınız.", - "cLTitle6": "Devam Ettirilebilir Yüklemeler ve İndirmeler", - "cLDesc6": "Uygulamayı kapatmadan önce yüklemelerin / indirmelerin tamamlanmasını beklemenize gerek yok. Tüm yüklemeler ve indirmeler artık yarıda duraklatma ve kaldığınız yerden devam etme özelliğine sahip.", + "cLTitle1": "Gelişmiş Görüntü Düzenleyici", + "cLDesc1": "Daha fazla kırpma çerçevesi, hızlı düzenlemeler için filtre ön ayarları, doygunluk, kontrast, parlaklık, sıcaklık ve çok daha fazlası dahil olmak üzere ince ayar seçenekleri ekleyen yeni ve gelişmiş bir görüntü düzenleyici yayınlıyoruz. Yeni düzenleyici ayrıca fotoğraflarınızın üzerine çizim yapabilme ve çıkartma olarak emoji ekleme özelliğini de içeriyor.", + "cLTitle2": "Akıllı Albümler", + "cLDesc2": "Artık seçili kişilerin fotoğraflarını herhangi bir albüme otomatik olarak ekleyebilirsiniz. Sadece albüme gidin ve taşma menüsünden \"otomatik kişi ekleme\"yi seçin. Paylaşılan albümle birlikte kullanılırsa, fotoğrafları sıfır tıklamayla paylaşabilirsiniz.", + "cLTitle3": "Geliştirilmiş Galeri", + "cLDesc3": "Galerinizi haftalara, aylara ve yıllara göre gruplandırma özelliği ekledik. Artık bu yeni gruplandırma seçenekleri ve özel ızgaralarla galerinizi tam istediğiniz gibi görünecek şekilde özelleştirebilirsiniz.", + "cLTitle4": "Daha Hızlı Kaydırma", + "cLDesc4": "Galeri kaydırma deneyimini iyileştirmek için perde arkasındaki bir dizi iyileştirmenin yanı sıra, zaman çizelgesinde hızlıca atlayabilmenizi sağlayan işaretçiler göstermek için kaydırma çubuğunu da yeniden tasarladık.", "indexingPausedStatusDescription": "Dizin oluşturma duraklatıldı. Cihaz hazır olduğunda otomatik olarak devam edecektir. Cihaz, pil seviyesi, pil sağlığı ve termal durumu sağlıklı bir aralıkta olduğunda hazır kabul edilir." } \ No newline at end of file diff --git a/mobile/apps/photos/lib/l10n/intl_vi.arb b/mobile/apps/photos/lib/l10n/intl_vi.arb index ff819b9fa8..8e751e4b67 100644 --- a/mobile/apps/photos/lib/l10n/intl_vi.arb +++ b/mobile/apps/photos/lib/l10n/intl_vi.arb @@ -1776,18 +1776,14 @@ "same": "Chính xác", "different": "Khác", "sameperson": "Cùng một người?", - "cLTitle1": "Tải lên tệp video lớn", - "cLDesc1": "Sau bản beta phát trực tuyến video và làm việc trên các bản có thể tiếp tục tải lên và tải xuống, chúng tôi hiện đã tăng giới hạn tải lên tệp tới 10 GB. Tính năng này hiện khả dụng trên cả ứng dụng dành cho máy tính để bàn và di động.", - "cLTitle2": "Tải lên trong nền", - "cLDesc2": "Tải lên trong nền hiện đã hỗ trợ trên iOS và Android. Không cần phải mở ứng dụng để sao lưu ảnh và video mới nhất của bạn.", - "cLTitle3": "Tự động phát kỷ niệm", - "cLDesc3": "Chúng tôi đã có những cải tiến đáng kể cho trải nghiệm kỷ niệm, bao gồm tự phát, vuốt xem kỷ niệm tiếp theo và nhiều tính năng khác.", - "cLTitle4": "Cải thiện nhận diện khuôn mặt", - "cLDesc4": "Cùng với một loạt cải tiến nội bộ, giờ đây bạn có thể dễ dàng xem tất cả khuôn mặt đã phát hiện, cung cấp phản hồi về các khuôn mặt giống nhau và thêm/xóa khuôn mặt khỏi một bức ảnh.", - "cLTitle5": "Thông báo sinh nhật", - "cLDesc5": "Bây giờ bạn sẽ nhận được thông báo tùy-chọn cho tất cả các ngày sinh nhật mà bạn đã lưu trên Ente, cùng với bộ sưu tập những bức ảnh đẹp nhất của họ.", - "cLTitle6": "Tiếp tục tải lên và tải xuống", - "cLDesc6": "Không còn phải chờ tải lên/tải xuống xong mới có thể đóng ứng dụng. Tất cả các tải lên và tải xuống hiện có thể tạm dừng giữa chừng và tiếp tục từ nơi bạn đã dừng lại.", + "cLTitle1": "Trình chỉnh sửa ảnh nâng cao", + "cLDesc1": "Chúng tôi phát hành trình chỉnh sửa ảnh mới và nâng cao với nhiều khung cắt, bộ lọc sẵn có để chỉnh sửa nhanh, tùy chọn tinh chỉnh bao gồm độ bão hòa, độ tương phản, độ sáng, nhiệt độ màu và nhiều hơn nữa. Trình chỉnh sửa mới cũng bao gồm khả năng vẽ trên ảnh và thêm emoji làm nhãn dán.", + "cLTitle2": "Album thông minh", + "cLDesc2": "Giờ đây bạn có thể tự động thêm ảnh của những người đã chọn vào bất kỳ album nào. Chỉ cần vào album và chọn \"tự động thêm người\" từ menu tùy chọn. Nếu sử dụng cùng với album chia sẻ, bạn có thể chia sẻ ảnh mà không cần nhấp chuột.", + "cLTitle3": "Cải thiện thư viện", + "cLDesc3": "Chúng tôi đã thêm khả năng nhóm thư viện của bạn theo tuần, tháng và năm. Giờ đây bạn có thể tùy chỉnh thư viện để trông chính xác theo cách bạn muốn với các tùy chọn nhóm mới này, cùng với lưới tùy chỉnh.", + "cLTitle4": "Cuộn nhanh hơn", + "cLDesc4": "Cùng với một loạt cải tiến bên trong để cải thiện trải nghiệm cuộn thư viện, chúng tôi cũng đã thiết kế lại thanh cuộn để hiển thị các điểm đánh dấu, cho phép bạn nhanh chóng nhảy qua dòng thời gian.", "indexingPausedStatusDescription": "Lập chỉ mục bị tạm dừng. Nó sẽ tự động tiếp tục khi thiết bị đã sẵn sàng. Thiết bị được coi là sẵn sàng khi mức pin, tình trạng pin và trạng thái nhiệt độ nằm trong phạm vi tốt.", "faceThumbnailGenerationFailed": "Không thể tạo ảnh thu nhỏ khuôn mặt", "fileAnalysisFailed": "Không thể xác định tệp" diff --git a/mobile/apps/photos/lib/l10n/intl_zh.arb b/mobile/apps/photos/lib/l10n/intl_zh.arb index e9ba03d3f0..2ddfb0af6e 100644 --- a/mobile/apps/photos/lib/l10n/intl_zh.arb +++ b/mobile/apps/photos/lib/l10n/intl_zh.arb @@ -1776,18 +1776,14 @@ "same": "相同", "different": "不同", "sameperson": "是同一个人?", - "cLTitle1": "正在上传大型视频文件", - "cLDesc1": "在视频流媒体测试版和可恢复上传与下载功能的基础上,我们现已将文件上传限制提高到10GB。此功能现已在桌面和移动应用程序中可用。", - "cLTitle2": "后台上传", - "cLDesc2": "现在 iOS 设备也支持后台上传,Android 设备早已支持。无需打开应用程序即可备份最新的照片和视频。", - "cLTitle3": "自动播放回忆", - "cLDesc3": "我们对回忆体验进行了重大改进,包括自动播放、滑动到下一个回忆以及更多功能。", - "cLTitle4": "改进的人脸识别", - "cLDesc4": "除了多项底层改进外,现在可以更轻松地查看所有检测到的人脸,对相似人脸提供反馈,以及从单张照片中添加/删除人脸。", - "cLTitle5": "生日通知", - "cLDesc5": "您现在将收到 Ente 上保存的所有生日的可选退出通知,同时附上他们最佳照片的合集。", - "cLTitle6": "可恢复的上传和下载", - "cLDesc6": "无需等待上传/下载完成即可关闭应用程序。所有上传和下载现在都可以中途暂停,并从中断处继续。", + "cLTitle1": "高级图像编辑器", + "cLDesc1": "我们发布了全新的高级图像编辑器,增加了更多裁剪框架、用于快速编辑的滤镜预设、包括饱和度、对比度、亮度、色温等精细调节选项以及更多功能。新编辑器还包括在照片上绘画和添加表情符号贴纸的功能。", + "cLTitle2": "智能相册", + "cLDesc2": "您现在可以自动将所选人物的照片添加到任何相册中。只需进入相册,从溢出菜单中选择\"自动添加人物\"。如果与共享相册一起使用,您可以零点击分享照片。", + "cLTitle3": "改进的图库", + "cLDesc3": "我们增加了按周、月、年对图库进行分组的功能。您现在可以使用这些新的分组选项以及自定义网格来定制您的图库,使其完全符合您的需求。", + "cLTitle4": "更快的滚动", + "cLDesc4": "除了一系列底层改进来提升图库滚动体验外,我们还重新设计了滚动条以显示标记,让您可以快速跳转到时间轴的任何位置。", "indexingPausedStatusDescription": "索引已暂停。待设备准备就绪后,索引将自动恢复。当设备的电池电量、电池健康度和温度状态处于健康范围内时,设备即被视为准备就绪。", "faceThumbnailGenerationFailed": "无法生成人脸缩略图", "fileAnalysisFailed": "无法分析文件" diff --git a/mobile/apps/photos/lib/ui/notification/update/change_log_page.dart b/mobile/apps/photos/lib/ui/notification/update/change_log_page.dart index e386546fb2..45427a369f 100644 --- a/mobile/apps/photos/lib/ui/notification/update/change_log_page.dart +++ b/mobile/apps/photos/lib/ui/notification/update/change_log_page.dart @@ -1,5 +1,3 @@ -import "dart:io"; - import 'package:flutter/material.dart'; import "package:photos/generated/l10n.dart"; import "package:photos/l10n/l10n.dart"; @@ -103,29 +101,20 @@ class _ChangeLogPageState extends State { final List items = []; items.addAll([ ChangeLogEntry( - context.l10n.cLTitle4, - context.l10n.cLDesc4, + context.l10n.cLTitle1, + context.l10n.cLDesc1, + ), + ChangeLogEntry( + context.l10n.cLTitle2, + context.l10n.cLDesc2, ), ChangeLogEntry( context.l10n.cLTitle3, context.l10n.cLDesc3, ), ChangeLogEntry( - context.l10n.cLTitle5, - context.l10n.cLDesc5, - ), - if (!Platform.isAndroid) - ChangeLogEntry( - context.l10n.cLTitle2, - context.l10n.cLDesc2, - ), - ChangeLogEntry( - context.l10n.cLTitle6, - context.l10n.cLDesc6, - ), - ChangeLogEntry( - context.l10n.cLTitle1, - context.l10n.cLDesc1, + context.l10n.cLTitle4, + context.l10n.cLDesc4, ), ]); From fe7486ea683aed4ee12c70b56d86e3e650251ba0 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 30 Jul 2025 13:12:53 +0530 Subject: [PATCH 263/302] Update currentChangeLogVersion --- mobile/apps/photos/lib/services/update_service.dart | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/services/update_service.dart b/mobile/apps/photos/lib/services/update_service.dart index 4c7b1dc881..6974d4148e 100644 --- a/mobile/apps/photos/lib/services/update_service.dart +++ b/mobile/apps/photos/lib/services/update_service.dart @@ -14,7 +14,7 @@ import 'package:url_launcher/url_launcher_string.dart'; class UpdateService { static const kUpdateAvailableShownTimeKey = "update_available_shown_time_key"; static const changeLogVersionKey = "update_change_log_key"; - static const currentChangeLogVersion = 30; + static const currentChangeLogVersion = 31; LatestVersionInfo? _latestVersion; final _logger = Logger("UpdateService"); From fe7ba3895d7e69f89b02c41fcc24fc757ab287a5 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 30 Jul 2025 13:25:03 +0530 Subject: [PATCH 264/302] Remove unused file --- .../viewer/gallery/jump_to_date_gallery.dart | 30 ------------------- 1 file changed, 30 deletions(-) delete mode 100644 mobile/apps/photos/lib/ui/viewer/gallery/jump_to_date_gallery.dart diff --git a/mobile/apps/photos/lib/ui/viewer/gallery/jump_to_date_gallery.dart b/mobile/apps/photos/lib/ui/viewer/gallery/jump_to_date_gallery.dart deleted file mode 100644 index c8478d1303..0000000000 --- a/mobile/apps/photos/lib/ui/viewer/gallery/jump_to_date_gallery.dart +++ /dev/null @@ -1,30 +0,0 @@ -import "package:flutter/material.dart"; -import "package:photos/models/file/file.dart"; -import "package:photos/models/selected_files.dart"; -import "package:photos/ui/home/home_gallery_widget.dart"; -import "package:photos/ui/viewer/gallery/component/group/type.dart"; -import "package:photos/utils/navigation_util.dart"; - -class JumpToDateGallery extends StatelessWidget { - final EnteFile file; - const JumpToDateGallery({super.key, required this.file}); - - @override - Widget build(BuildContext context) { - return Scaffold( - body: SafeArea( - bottom: false, - child: HomeGalleryWidget( - selectedFiles: SelectedFiles(), - groupType: GroupType.day, - fileToJumpScrollTo: file, - ), - ), - appBar: AppBar(), - ); - } - - static jumpToDate(EnteFile file, BuildContext context) { - routeToPage(context, JumpToDateGallery(file: file)); - } -} From 2c842c9c65cf8fe6993d7b6ed47fa7e1334817a5 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 30 Jul 2025 13:34:05 +0530 Subject: [PATCH 265/302] Gallery settings & memory setting fixes --- .../ui/settings/gallery_settings_screen.dart | 62 +++++++++++++++---- .../ui/settings/memories_settings_screen.dart | 27 -------- 2 files changed, 50 insertions(+), 39 deletions(-) diff --git a/mobile/apps/photos/lib/ui/settings/gallery_settings_screen.dart b/mobile/apps/photos/lib/ui/settings/gallery_settings_screen.dart index fec5d92d70..5b75f411f4 100644 --- a/mobile/apps/photos/lib/ui/settings/gallery_settings_screen.dart +++ b/mobile/apps/photos/lib/ui/settings/gallery_settings_screen.dart @@ -1,4 +1,6 @@ import "package:flutter/material.dart"; +import "package:photos/core/event_bus.dart"; +import "package:photos/events/hide_shared_items_from_home_gallery_event.dart"; import "package:photos/generated/l10n.dart"; import "package:photos/service_locator.dart"; import "package:photos/theme/ente_theme.dart"; @@ -7,6 +9,7 @@ import "package:photos/ui/components/captioned_text_widget.dart"; import "package:photos/ui/components/menu_item_widget/menu_item_widget.dart"; import "package:photos/ui/components/title_bar_title_widget.dart"; import "package:photos/ui/components/title_bar_widget.dart"; +import "package:photos/ui/components/toggle_switch_widget.dart"; import "package:photos/ui/viewer/gallery/component/group/type.dart"; import "package:photos/ui/viewer/gallery/gallery_group_type_picker_page.dart"; import "package:photos/ui/viewer/gallery/photo_grid_size_picker_page.dart"; @@ -45,18 +48,20 @@ class _GallerySettingsScreenState extends State { flexibleSpaceTitle: TitleBarTitleWidget( title: S.of(context).gallery, ), - actionIcons: [ - IconButtonWidget( - icon: Icons.close_outlined, - iconButtonType: IconButtonType.secondary, - onTap: () { - Navigator.pop(context); - if (!widget.fromGalleryLayoutSettingsCTA) { - Navigator.pop(context); - } - }, - ), - ], + actionIcons: widget.fromGalleryLayoutSettingsCTA + ? null + : [ + IconButtonWidget( + icon: Icons.close_outlined, + iconButtonType: IconButtonType.secondary, + onTap: () { + Navigator.pop(context); + if (!widget.fromGalleryLayoutSettingsCTA) { + Navigator.pop(context); + } + }, + ), + ], ), SliverList( delegate: SliverChildBuilderDelegate( @@ -123,6 +128,39 @@ class _GallerySettingsScreenState extends State { isGestureDetectorDisabled: true, ), ), + const SizedBox( + height: 24, + ), + widget.fromGalleryLayoutSettingsCTA + ? const SizedBox.shrink() + : MenuItemWidget( + captionedTextWidget: CaptionedTextWidget( + title: S + .of(context) + .hideSharedItemsFromHomeGallery, + ), + menuItemColor: colorScheme.fillFaint, + singleBorderRadius: 8, + alignCaptionedTextToLeft: true, + trailingWidget: ToggleSwitchWidget( + value: () => localSettings + .hideSharedItemsFromHomeGallery, + onChanged: () async { + final prevSetting = localSettings + .hideSharedItemsFromHomeGallery; + await localSettings + .setHideSharedItemsFromHomeGallery( + !prevSetting, + ); + + Bus.instance.fire( + HideSharedItemsFromHomeGalleryEvent( + !prevSetting, + ), + ); + }, + ), + ), ], ), ); diff --git a/mobile/apps/photos/lib/ui/settings/memories_settings_screen.dart b/mobile/apps/photos/lib/ui/settings/memories_settings_screen.dart index 2cddd5485b..1e2662535e 100644 --- a/mobile/apps/photos/lib/ui/settings/memories_settings_screen.dart +++ b/mobile/apps/photos/lib/ui/settings/memories_settings_screen.dart @@ -2,7 +2,6 @@ import "dart:async"; import "package:flutter/material.dart"; import "package:photos/core/event_bus.dart"; -import "package:photos/events/hide_shared_items_from_home_gallery_event.dart"; import "package:photos/events/memories_changed_event.dart"; import "package:photos/generated/l10n.dart"; import "package:photos/service_locator.dart"; @@ -103,32 +102,6 @@ class _MemoriesSettingsScreenState extends State { height: 24, ) : const SizedBox(), - MenuItemWidget( - captionedTextWidget: CaptionedTextWidget( - title: S.of(context).hideSharedItemsFromHomeGallery, - ), - menuItemColor: colorScheme.fillFaint, - singleBorderRadius: 8, - alignCaptionedTextToLeft: true, - trailingWidget: ToggleSwitchWidget( - value: () => - localSettings.hideSharedItemsFromHomeGallery, - onChanged: () async { - final prevSetting = - localSettings.hideSharedItemsFromHomeGallery; - await localSettings - .setHideSharedItemsFromHomeGallery( - !prevSetting, - ); - - Bus.instance.fire( - HideSharedItemsFromHomeGalleryEvent( - !prevSetting, - ), - ); - }, - ), - ), ], ), ); From 516396fb852ce8a387460efe940db59bdb855d1c Mon Sep 17 00:00:00 2001 From: Anand Desai Date: Wed, 30 Jul 2025 14:12:04 +0530 Subject: [PATCH 266/302] chore: add 22 custom icons --- .../custom-icons/_data/custom-icons.json | 165 ++++++++++++++++++ .../assets/custom-icons/icons/aadhaar.svg | 1 + .../auth/assets/custom-icons/icons/amtrak.svg | 1 + .../assets/custom-icons/icons/caltrain.svg | 1 + .../assets/custom-icons/icons/clippercard.svg | 1 + .../assets/custom-icons/icons/coolify.svg | 1 + .../assets/custom-icons/icons/deepseek.svg | 1 + .../assets/custom-icons/icons/dominos.svg | 1 + .../custom-icons/icons/dunkindonuts.svg | 1 + .../assets/custom-icons/icons/experian.svg | 1 + .../custom-icons/icons/greenmangaming.svg | 1 + .../assets/custom-icons/icons/hsa_bank.svg | 1 + .../auth/assets/custom-icons/icons/hulu.svg | 1 + .../auth/assets/custom-icons/icons/irctc.svg | 1 + .../auth/assets/custom-icons/icons/kayak.svg | 1 + .../assets/custom-icons/icons/njtransit.svg | 1 + .../custom-icons/icons/pcpartpicker.svg | 1 + .../auth/assets/custom-icons/icons/sbi.svg | 1 + .../assets/custom-icons/icons/state_farm.svg | 1 + .../assets/custom-icons/icons/supercell.svg | 1 + .../custom-icons/icons/thestorygraph.svg | 1 + .../auth/assets/custom-icons/icons/wemod.svg | 1 + .../auth/assets/custom-icons/icons/wmata.svg | 1 + 23 files changed, 187 insertions(+) create mode 100644 mobile/apps/auth/assets/custom-icons/icons/aadhaar.svg create mode 100644 mobile/apps/auth/assets/custom-icons/icons/amtrak.svg create mode 100644 mobile/apps/auth/assets/custom-icons/icons/caltrain.svg create mode 100644 mobile/apps/auth/assets/custom-icons/icons/clippercard.svg create mode 100644 mobile/apps/auth/assets/custom-icons/icons/coolify.svg create mode 100644 mobile/apps/auth/assets/custom-icons/icons/deepseek.svg create mode 100644 mobile/apps/auth/assets/custom-icons/icons/dominos.svg create mode 100644 mobile/apps/auth/assets/custom-icons/icons/dunkindonuts.svg create mode 100644 mobile/apps/auth/assets/custom-icons/icons/experian.svg create mode 100644 mobile/apps/auth/assets/custom-icons/icons/greenmangaming.svg create mode 100644 mobile/apps/auth/assets/custom-icons/icons/hsa_bank.svg create mode 100644 mobile/apps/auth/assets/custom-icons/icons/hulu.svg create mode 100644 mobile/apps/auth/assets/custom-icons/icons/irctc.svg create mode 100644 mobile/apps/auth/assets/custom-icons/icons/kayak.svg create mode 100644 mobile/apps/auth/assets/custom-icons/icons/njtransit.svg create mode 100644 mobile/apps/auth/assets/custom-icons/icons/pcpartpicker.svg create mode 100644 mobile/apps/auth/assets/custom-icons/icons/sbi.svg create mode 100644 mobile/apps/auth/assets/custom-icons/icons/state_farm.svg create mode 100644 mobile/apps/auth/assets/custom-icons/icons/supercell.svg create mode 100644 mobile/apps/auth/assets/custom-icons/icons/thestorygraph.svg create mode 100644 mobile/apps/auth/assets/custom-icons/icons/wemod.svg create mode 100644 mobile/apps/auth/assets/custom-icons/icons/wmata.svg diff --git a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json index 4372dc7164..dddfab97a4 100644 --- a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json +++ b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json @@ -10,6 +10,16 @@ { "title": "3Commas" }, + { + "title": "Aadhaar", + "slug": "aadhaar", + "altNames": [ + "uidai", + "UIDAI", + "Unique Identification Authority of India" + ], + "hex": "FBB401" + }, { "title": "Accredible", "slug": "accredible", @@ -45,6 +55,11 @@ { "title": "Amazon" }, + { + "title": "Amtrak", + "slug": "amtrak", + "hex": "003A5D" + }, { "title": "Ankama", "slug": "ankama" @@ -280,6 +295,11 @@ { "title": "Caixa" }, + { + "title": "Caltrain", + "slug": "caltrain", + "hex": "E31837" + }, { "title": "Canva" }, @@ -311,6 +331,16 @@ "slug": "cih", "hex": "D14633" }, + { + "title": "Clipper", + "slug": "clippercard", + "altNames": [ + "ClipperCard", + "clipper-card", + "Clipper Card" + ], + "hex": "006298" + }, { "title": "CloudAMQP" }, @@ -352,6 +382,11 @@ "title": "Control D", "slug": "controld" }, + { + "title": "Coolify", + "slug": "coolify", + "hex": "8C52FF" + }, { "title": "Crowdpear" }, @@ -424,6 +459,11 @@ "Digital Combat Simulator" ] }, + { + "title": "Deepseek", + "slug": "deepseek", + "hex": "4D6BFE" + }, { "title": "DEGIRO" }, @@ -452,6 +492,15 @@ { "title": "DocuSeal" }, + { + "title": "Dominos", + "slug": "dominos", + "altNames": [ + "Domino's", + "Domino's Pizza" + ], + "hex": "0B648F" + }, { "title": "Doppler" }, @@ -466,6 +515,16 @@ "title": "dus.net", "slug": "dusnet" }, + { + "title": "Dunkin' Donuts", + "slug": "dunkindonuts", + "altNames": [ + "Dunkin'", + "Dunkin", + "Dunkin Donuts" + ], + "hex": "C63663" + }, { "title": "eBay" }, @@ -524,6 +583,11 @@ ], "hex": "17AB17" }, + { + "title": "Experian", + "slug": "experian", + "hex": "AF1685" + }, { "title": "Fanatical", "slug": "fanatical", @@ -640,6 +704,15 @@ "Canada Revenue Agency" ] }, + { + "title": "Green Man Gaming", + "slug": "greenmangaming", + "altNames": [ + "green man gaming", + "gmg" + ], + "hex": "00E205" + }, { "title": "Guideline" }, @@ -656,6 +729,15 @@ { "title": "Hivelocity" }, + { + "title": "HSA Bank", + "slug": "hsa_bank", + "altNames": [ + "hsa bank", + "hsabank" + ], + "hex": "00FF85" + }, { "title": "HTX" }, @@ -665,6 +747,11 @@ "Hugging Face" ] }, + { + "title": "Hulu", + "slug": "hulu", + "hex": "1CE783" + }, { "title": "IBKR", "slug": "ibkr", @@ -711,6 +798,15 @@ { "title": "INWX" }, + { + "title": "IRCTC", + "slug": "irctc", + "altNames": [ + "Indian Railway Catering and Tourism Corporation", + "Indian Railways" + ], + "hex": "000075" + }, { "title": "Itch", "slug": "itch_io", @@ -740,6 +836,11 @@ { "title": "Kagi" }, + { + "title": "Kayak", + "slug": "kayak", + "hex": "FF6900" + }, { "title": "Keygen", "altNames": [ @@ -1034,6 +1135,14 @@ { "title": "Njalla" }, + { + "title": "NJTransit", + "slug": "njtransit", + "altNames": [ + "NJ Transit" + ], + "hex": "1A2B57" + }, { "title": "nordvpn", "slug": "nordaccount", @@ -1132,6 +1241,14 @@ "Pebble Host" ] }, + { + "title": "PCPartPicker", + "slug": "pcpartpicker", + "altNames": [ + "PC Part Picker" + ], + "hex": "EDA920" + }, { "title": "Peerberry" }, @@ -1330,6 +1447,14 @@ "title": "Seafile", "slug": "seafile" }, + { + "title": "SBI", + "slug": "sbi", + "altNames": [ + "State Bank of India" + ], + "hex": "12A8E0" + }, { "title": "SEI", "altNames": [ @@ -1403,6 +1528,14 @@ "title": "Startmail", "slug": "startmail" }, + { + "title": "State Farm", + "slug": "state_farm", + "altNames": [ + "StateFarm" + ], + "hex": "EDA920" + }, { "title": "Stripchat", "slug": "stripchat", @@ -1416,6 +1549,11 @@ "title": "STRATO", "hex": "FF8800" }, + { + "title": "Supercell", + "slug": "supercell", + "hex": "000000" + }, { "title": "Surfshark" }, @@ -1482,6 +1620,15 @@ "title": "Temu", "slug": "temu" }, + { + "title": "The StoryGraph", + "slug": "thestorygraph", + "altNames": [ + "StoryGraph", + "TheStoryGraph" + ], + "hex": "15919B" + }, { "title": "tianyiyun", "altNames": [ @@ -1609,6 +1756,14 @@ { "title": "WEB.DE", "slug": "web_de" + }, + { + "title": "WeMod", + "slug": "wemod", + "altNames": [ + "wemod" + ], + "hex": "4B63FB" }, { "title": "WHMCS" @@ -1619,6 +1774,16 @@ { "title": "Wise" }, + { + "title": "WMATA", + "slug": "wmata", + "altNames": [ + "Washington Metro", + "DC Metro", + "Washington Metropolitan Area Transit Authority" + ], + "hex": "2D2D2D" + }, { "title": "Wolvesville" }, diff --git a/mobile/apps/auth/assets/custom-icons/icons/aadhaar.svg b/mobile/apps/auth/assets/custom-icons/icons/aadhaar.svg new file mode 100644 index 0000000000..de99023e63 --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/aadhaar.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/mobile/apps/auth/assets/custom-icons/icons/amtrak.svg b/mobile/apps/auth/assets/custom-icons/icons/amtrak.svg new file mode 100644 index 0000000000..1f10c61ebe --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/amtrak.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/mobile/apps/auth/assets/custom-icons/icons/caltrain.svg b/mobile/apps/auth/assets/custom-icons/icons/caltrain.svg new file mode 100644 index 0000000000..9cca765a00 --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/caltrain.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/mobile/apps/auth/assets/custom-icons/icons/clippercard.svg b/mobile/apps/auth/assets/custom-icons/icons/clippercard.svg new file mode 100644 index 0000000000..653a8338a6 --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/clippercard.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/mobile/apps/auth/assets/custom-icons/icons/coolify.svg b/mobile/apps/auth/assets/custom-icons/icons/coolify.svg new file mode 100644 index 0000000000..6d4b332dbe --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/coolify.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/mobile/apps/auth/assets/custom-icons/icons/deepseek.svg b/mobile/apps/auth/assets/custom-icons/icons/deepseek.svg new file mode 100644 index 0000000000..236f8667ca --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/deepseek.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/mobile/apps/auth/assets/custom-icons/icons/dominos.svg b/mobile/apps/auth/assets/custom-icons/icons/dominos.svg new file mode 100644 index 0000000000..a731d7e268 --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/dominos.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/mobile/apps/auth/assets/custom-icons/icons/dunkindonuts.svg b/mobile/apps/auth/assets/custom-icons/icons/dunkindonuts.svg new file mode 100644 index 0000000000..a3bef47d7f --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/dunkindonuts.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/mobile/apps/auth/assets/custom-icons/icons/experian.svg b/mobile/apps/auth/assets/custom-icons/icons/experian.svg new file mode 100644 index 0000000000..0ae4927b17 --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/experian.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/mobile/apps/auth/assets/custom-icons/icons/greenmangaming.svg b/mobile/apps/auth/assets/custom-icons/icons/greenmangaming.svg new file mode 100644 index 0000000000..0d9a79dfe8 --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/greenmangaming.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/mobile/apps/auth/assets/custom-icons/icons/hsa_bank.svg b/mobile/apps/auth/assets/custom-icons/icons/hsa_bank.svg new file mode 100644 index 0000000000..c2fa52c33a --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/hsa_bank.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/mobile/apps/auth/assets/custom-icons/icons/hulu.svg b/mobile/apps/auth/assets/custom-icons/icons/hulu.svg new file mode 100644 index 0000000000..e85f3bce55 --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/hulu.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/mobile/apps/auth/assets/custom-icons/icons/irctc.svg b/mobile/apps/auth/assets/custom-icons/icons/irctc.svg new file mode 100644 index 0000000000..57e7cb1f00 --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/irctc.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/mobile/apps/auth/assets/custom-icons/icons/kayak.svg b/mobile/apps/auth/assets/custom-icons/icons/kayak.svg new file mode 100644 index 0000000000..02bd5743b6 --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/kayak.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/mobile/apps/auth/assets/custom-icons/icons/njtransit.svg b/mobile/apps/auth/assets/custom-icons/icons/njtransit.svg new file mode 100644 index 0000000000..6faf13a26a --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/njtransit.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/mobile/apps/auth/assets/custom-icons/icons/pcpartpicker.svg b/mobile/apps/auth/assets/custom-icons/icons/pcpartpicker.svg new file mode 100644 index 0000000000..fb888cff0b --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/pcpartpicker.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/mobile/apps/auth/assets/custom-icons/icons/sbi.svg b/mobile/apps/auth/assets/custom-icons/icons/sbi.svg new file mode 100644 index 0000000000..c187f90a9a --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/sbi.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/mobile/apps/auth/assets/custom-icons/icons/state_farm.svg b/mobile/apps/auth/assets/custom-icons/icons/state_farm.svg new file mode 100644 index 0000000000..7147c32da5 --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/state_farm.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/mobile/apps/auth/assets/custom-icons/icons/supercell.svg b/mobile/apps/auth/assets/custom-icons/icons/supercell.svg new file mode 100644 index 0000000000..d5da87ec4e --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/supercell.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/mobile/apps/auth/assets/custom-icons/icons/thestorygraph.svg b/mobile/apps/auth/assets/custom-icons/icons/thestorygraph.svg new file mode 100644 index 0000000000..86e3a14a9d --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/thestorygraph.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/mobile/apps/auth/assets/custom-icons/icons/wemod.svg b/mobile/apps/auth/assets/custom-icons/icons/wemod.svg new file mode 100644 index 0000000000..4bfd1d59c7 --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/wemod.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/mobile/apps/auth/assets/custom-icons/icons/wmata.svg b/mobile/apps/auth/assets/custom-icons/icons/wmata.svg new file mode 100644 index 0000000000..183f317b54 --- /dev/null +++ b/mobile/apps/auth/assets/custom-icons/icons/wmata.svg @@ -0,0 +1 @@ + \ No newline at end of file From 1148e524f0a80ec3a8f22c31c782ed4679b42c88 Mon Sep 17 00:00:00 2001 From: Keerthana Date: Wed, 30 Jul 2025 14:14:38 +0530 Subject: [PATCH 267/302] [docs] update FAQ for desktop and object storage --- docs/docs/photos/faq/desktop.md | 14 ++++++++++++++ .../self-hosting/administration/object-storage.md | 6 ------ docs/docs/self-hosting/troubleshooting/docker.md | 3 +-- server/config/example.yaml | 9 --------- 4 files changed, 15 insertions(+), 17 deletions(-) diff --git a/docs/docs/photos/faq/desktop.md b/docs/docs/photos/faq/desktop.md index c0ef805584..adac13bcc0 100644 --- a/docs/docs/photos/faq/desktop.md +++ b/docs/docs/photos/faq/desktop.md @@ -37,3 +37,17 @@ be specific to your distro (e.g. `xdg-desktop-menu forceupdate`). > > If you're using an AppImage and not seeing the icon, you'll need to > [enable AppImage desktop integration](/photos/troubleshooting/desktop-install/#appimage-desktop-integration). + +### Application reporting offline despite Internet connectivity + +Due to unreliability of usage of `navigator.onLine` in Linux, the app may report that you are offline, even though the internet connection is functional. + +You can resolve the issue by adding a dummy network interface using the following command: + +```shell +ip link add dummy0 type dummy +ip addr add 10.10.10.1/24 dev dummy0 +ip link set dummy0 up +``` + +Once the interface is up, Ente correctly detects that the system is online. \ No newline at end of file diff --git a/docs/docs/self-hosting/administration/object-storage.md b/docs/docs/self-hosting/administration/object-storage.md index caf83a1c46..f92d6eae40 100644 --- a/docs/docs/self-hosting/administration/object-storage.md +++ b/docs/docs/self-hosting/administration/object-storage.md @@ -63,17 +63,11 @@ It has no relation to Backblaze, Wasabi or Scaleway. Each bucket's endpoint, region, key and secret should be configured accordingly if using an external bucket. -Additionally, you can enable SSL and path-style URL for specific buckets, which -provides flexibility for storage. If this is not configured, top level -configuration (`s3.are_local_buckets` and `s3.use_path_style_urls`) is used. - A sample configuration for `b2-eu-cen` is provided, which can be used for other 2 buckets as well: ```yaml b2-eu-cen: - are_local_buckets: true - use_path_style_urls: true key: secret: endpoint: localhost:3200 diff --git a/docs/docs/self-hosting/troubleshooting/docker.md b/docs/docs/self-hosting/troubleshooting/docker.md index 030037abdd..cf4b36ccf2 100644 --- a/docs/docs/self-hosting/troubleshooting/docker.md +++ b/docs/docs/self-hosting/troubleshooting/docker.md @@ -134,8 +134,7 @@ There are 2 possibilities: ## MinIO provisioning error -You may encounter similar logs while trying to start the cluster if you are -using the older command (provided by default in `quickstart.sh`): +If you encounter similar logs while starting your Docker Compose cluster ``` my-ente-minio-1 -> | Waiting for minio... diff --git a/server/config/example.yaml b/server/config/example.yaml index 81d8d796f3..0fbd2f61b7 100644 --- a/server/config/example.yaml +++ b/server/config/example.yaml @@ -23,19 +23,12 @@ s3: # Only path-style URL works if disabling are_local_buckets with MinIO use_path_style_urls: true b2-eu-cen: - # You can uncomment the below 2 lines of configuration to - # configure SSL and URL style per bucket. - # If not configured, top-level configuration is used. - # are_local_buckets: true - # use_path_style_urls: true key: secret: endpoint: localhost:3200 region: eu-central-2 bucket: b2-eu-cen wasabi-eu-central-2-v3: - # are_local_buckets: true - # use_path_style_urls: true key: secret: endpoint: localhost:3200 @@ -43,8 +36,6 @@ s3: bucket: wasabi-eu-central-2-v3 compliance: false scw-eu-fr-v3: - # are_local_buckets: true - # use_path_style_urls: true key: secret: endpoint: localhost:3200 From 9df9830fd040ffdefbe33dfb6af99360151e968e Mon Sep 17 00:00:00 2001 From: Anand Desai Date: Wed, 30 Jul 2025 14:17:14 +0530 Subject: [PATCH 268/302] chore: missed capitalization in DeepSeek --- mobile/apps/auth/assets/custom-icons/_data/custom-icons.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json index dddfab97a4..6e79e71d4b 100644 --- a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json +++ b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json @@ -460,7 +460,7 @@ ] }, { - "title": "Deepseek", + "title": "DeepSeek", "slug": "deepseek", "hex": "4D6BFE" }, From 19979b4f619e8d3dd41edfbd734f2912ccfe0bdc Mon Sep 17 00:00:00 2001 From: Keerthana Date: Wed, 30 Jul 2025 14:18:08 +0530 Subject: [PATCH 269/302] [docs] push photos faq to troubleshooting for incorrect network status reporting --- docs/docs/photos/faq/desktop.md | 16 +--------------- .../troubleshooting/desktop-install/index.md | 14 ++++++++++++++ 2 files changed, 15 insertions(+), 15 deletions(-) diff --git a/docs/docs/photos/faq/desktop.md b/docs/docs/photos/faq/desktop.md index adac13bcc0..e513444b41 100644 --- a/docs/docs/photos/faq/desktop.md +++ b/docs/docs/photos/faq/desktop.md @@ -36,18 +36,4 @@ be specific to your distro (e.g. `xdg-desktop-menu forceupdate`). > [!NOTE] > > If you're using an AppImage and not seeing the icon, you'll need to -> [enable AppImage desktop integration](/photos/troubleshooting/desktop-install/#appimage-desktop-integration). - -### Application reporting offline despite Internet connectivity - -Due to unreliability of usage of `navigator.onLine` in Linux, the app may report that you are offline, even though the internet connection is functional. - -You can resolve the issue by adding a dummy network interface using the following command: - -```shell -ip link add dummy0 type dummy -ip addr add 10.10.10.1/24 dev dummy0 -ip link set dummy0 up -``` - -Once the interface is up, Ente correctly detects that the system is online. \ No newline at end of file +> [enable AppImage desktop integration](/photos/troubleshooting/desktop-install/#appimage-desktop-integration). \ No newline at end of file diff --git a/docs/docs/photos/troubleshooting/desktop-install/index.md b/docs/docs/photos/troubleshooting/desktop-install/index.md index 19ff875cc9..85e6cb5e62 100644 --- a/docs/docs/photos/troubleshooting/desktop-install/index.md +++ b/docs/docs/photos/troubleshooting/desktop-install/index.md @@ -99,3 +99,17 @@ If you do want to run it from the command line, you can do so by passing the For more details, see this upstream issue on [electron](https://github.com/electron/electron/issues/17972). + +### Application reporting offline despite Internet connectivity + +Due to unreliability of usage of `navigator.onLine` in Linux, the app may report that you are offline, even though the internet connection is functional. + +You can resolve the issue by adding a dummy network interface using the following command: + +```shell +ip link add dummy0 type dummy +ip addr add 10.10.10.1/24 dev dummy0 +ip link set dummy0 up +``` + +Once the interface is up, Ente correctly detects that the system is online. \ No newline at end of file From bf90190b38149fe07369cf2ed46c9d0eb6f3ab5f Mon Sep 17 00:00:00 2001 From: Anand Desai Date: Wed, 30 Jul 2025 14:25:16 +0530 Subject: [PATCH 270/302] chore: missed onlinesbi alt name for SBI --- mobile/apps/auth/assets/custom-icons/_data/custom-icons.json | 1 + 1 file changed, 1 insertion(+) diff --git a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json index 6e79e71d4b..68710d9c47 100644 --- a/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json +++ b/mobile/apps/auth/assets/custom-icons/_data/custom-icons.json @@ -1451,6 +1451,7 @@ "title": "SBI", "slug": "sbi", "altNames": [ + "onlinesbi", "State Bank of India" ], "hex": "12A8E0" From d62f1d50caf4aadc0ffb9f9576c8ab51d8d4015f Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Wed, 30 Jul 2025 14:41:03 +0530 Subject: [PATCH 271/302] fix: update filter names and orders in image editor --- .../image_editor/image_editor_filter_bar.dart | 68 ++++++++++--------- 1 file changed, 36 insertions(+), 32 deletions(-) diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_filter_bar.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_filter_bar.dart index 58e76268e1..6fae72b031 100644 --- a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_filter_bar.dart +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_filter_bar.dart @@ -2,24 +2,29 @@ import 'package:figma_squircle/figma_squircle.dart'; import 'package:flutter/material.dart'; import "package:photos/ente_theme_data.dart"; import "package:photos/theme/ente_theme.dart"; -import 'package:pro_image_editor/pro_image_editor.dart'; +import 'package:pro_image_editor/pro_image_editor.dart'; final filterList = [ + const FilterModel( + name: "None", + filters: [], + ), FilterModel( - name: "Juno", + name: 'Pop', + filters: [ + ColorFilterAddons.saturation(0.3), + ColorFilterAddons.brightness(0.15), + ], + ), + FilterModel( + name: "Amber", filters: [ ColorFilterAddons.rgbScale(1.01, 1.04, 1), ColorFilterAddons.saturation(0.3), ], ), FilterModel( - name: 'Perpetua', - filters: [ - ColorFilterAddons.rgbScale(1.05, 1.1, 1), - ], - ), - FilterModel( - name: 'Reyes', + name: 'Dust', filters: [ ColorFilterAddons.sepia(0.4), ColorFilterAddons.brightness(0.13), @@ -27,30 +32,36 @@ final filterList = [ ], ), FilterModel( - name: 'Aden', + name: 'Carbon', + filters: [ + ColorFilterAddons.contrast(0.2), + ColorFilterAddons.grayscale(), + ], + ), + FilterModel( + name: 'Glacier', + filters: [ + ColorFilterAddons.hue(-0.6), + ColorFilterAddons.rgbScale(0.8, 1.0, 1.2), + ColorFilterAddons.saturation(-0.08), + ColorFilterAddons.contrast(-0.06), + ], + ), + FilterModel( + name: 'Haze', filters: [ ColorFilterAddons.colorOverlay(228, 130, 225, 0.13), ColorFilterAddons.saturation(-0.2), ], ), FilterModel( - name: "New preset", + name: 'Meadow', filters: [ - ColorFilterAddons.hue(-0.6), - ColorFilterAddons.rgbScale(0.8, 1.0, 1.2), - ColorFilterAddons.saturation(-0.8), - ColorFilterAddons.contrast(-0.6), + ColorFilterAddons.rgbScale(1.05, 1.1, 1), ], ), FilterModel( - name: 'Amaro', - filters: [ - ColorFilterAddons.saturation(0.3), - ColorFilterAddons.brightness(0.15), - ], - ), - FilterModel( - name: 'Clarendon', + name: 'Zest', filters: [ ColorFilterAddons.brightness(.1), ColorFilterAddons.contrast(.1), @@ -58,26 +69,19 @@ final filterList = [ ], ), FilterModel( - name: 'Brooklyn', + name: 'Retro', filters: [ ColorFilterAddons.colorOverlay(25, 240, 252, 0.05), ColorFilterAddons.sepia(0.3), ], ), FilterModel( - name: 'Sierra', + name: 'Sepia', filters: [ ColorFilterAddons.contrast(-0.15), ColorFilterAddons.saturation(0.1), ], ), - FilterModel( - name: 'Inkwell', - filters: [ - ColorFilterAddons.contrast(0.2), - ColorFilterAddons.grayscale(), - ], - ), ]; class ImageEditorFilterBar extends StatefulWidget { From be5e1a9840dcdc1d6639975a50fa8434822a7d66 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Wed, 30 Jul 2025 14:49:57 +0530 Subject: [PATCH 272/302] Update pubspec.lock --- mobile/apps/photos/pubspec.lock | 279 ++++++++++++++++---------------- mobile/apps/photos/pubspec.yaml | 2 - 2 files changed, 135 insertions(+), 146 deletions(-) diff --git a/mobile/apps/photos/pubspec.lock b/mobile/apps/photos/pubspec.lock index f80b8e1f5f..b5f0505424 100644 --- a/mobile/apps/photos/pubspec.lock +++ b/mobile/apps/photos/pubspec.lock @@ -13,10 +13,10 @@ packages: dependency: transitive description: name: _flutterfire_internals - sha256: ff0a84a2734d9e1089f8aedd5c0af0061b82fb94e95260d943404e0ef2134b11 + sha256: "401dd18096f5eaa140404ccbbbf346f83c850e6f27049698a7ee75a3488ddb32" url: "https://pub.dev" source: hosted - version: "1.3.59" + version: "1.3.52" _macros: dependency: transitive description: dart @@ -114,18 +114,18 @@ packages: dependency: transitive description: name: args - sha256: d0481093c50b1da8910eb0bb301626d4d8eb7284aa739614d2b394ee09e3ea04 + sha256: bf9f5caeea8d8fe6721a9c358dd8a5c1947b27f1cfaa18b39c301273594919e6 url: "https://pub.dev" source: hosted - version: "2.7.0" + version: "2.6.0" asn1lib: dependency: transitive description: name: asn1lib - sha256: "9a8f69025044eb466b9b60ef3bc3ac99b4dc6c158ae9c56d25eeccf5bc56d024" + sha256: "4bae5ae63e6d6dd17c4aac8086f3dec26c0236f6a0f03416c6c19d830c367cf5" url: "https://pub.dev" source: hosted - version: "1.6.5" + version: "1.5.8" async: dependency: "direct main" description: @@ -227,10 +227,10 @@ packages: dependency: transitive description: name: built_value - sha256: "0b1b12a0a549605e5f04476031cd0bc91ead1d7c8e830773a18ee54179b3cb62" + sha256: "28a712df2576b63c6c005c465989a348604960c0958d28be5303ba9baa841ac2" url: "https://pub.dev" source: hosted - version: "8.11.0" + version: "8.9.3" cached_network_image: dependency: "direct main" description: @@ -260,7 +260,7 @@ packages: description: path: "." ref: multicast_version - resolved-ref: af6378574352884beab6cddec462c7fdfc9a8c35 + resolved-ref: "1f39cd4d6efa9363e77b2439f0317bae0c92dda1" url: "https://github.com/guyluz11/flutter_cast.git" source: git version: "2.0.9" @@ -289,14 +289,6 @@ packages: url: "https://github.com/ente-io/chewie.git" source: git version: "1.10.0" - cli_config: - dependency: transitive - description: - name: cli_config - sha256: ac20a183a07002b700f0c25e61b7ee46b23c309d76ab7b7640a028f18e4d99ec - url: "https://pub.dev" - source: hosted - version: "0.2.0" cli_util: dependency: transitive description: @@ -342,10 +334,10 @@ packages: dependency: "direct main" description: name: connectivity_plus - sha256: "051849e2bd7c7b3bc5844ea0d096609ddc3a859890ec3a9ac4a65a2620cc1f99" + sha256: "04bf81bb0b77de31557b58d052b24b3eee33f09a6e7a8c68a3e247c7df19ec27" url: "https://pub.dev" source: hosted - version: "6.1.4" + version: "6.1.3" connectivity_plus_platform_interface: dependency: transitive description: @@ -366,18 +358,18 @@ packages: dependency: transitive description: name: coverage - sha256: "5da775aa218eaf2151c721b16c01c7676fbfdd99cebba2bf64e8b807a28ff94d" + sha256: e3493833ea012784c740e341952298f1cc77f1f01b1bbc3eb4eecf6984fb7f43 url: "https://pub.dev" source: hosted - version: "1.15.0" + version: "1.11.1" cronet_http: - dependency: "direct overridden" + dependency: transitive description: name: cronet_http - sha256: "5ed075c59b2d4bd43af4e73d906b8082e98ecd2af9c625327370ef28361bf635" + sha256: "3af9c4d57bf07ef4b307e77b22be4ad61bea19ee6ff65e62184863f3a09f1415" url: "https://pub.dev" source: hosted - version: "1.3.4" + version: "1.3.2" cross_file: dependency: transitive description: @@ -406,10 +398,10 @@ packages: dependency: transitive description: name: cupertino_http - sha256: "8fb9e2c36d0732d9d96abd76683406b57e78a2514e27c962e0c603dbe6f2e3f8" + sha256: "6fcf79586ad872ddcd6004d55c8c2aab3cdf0337436e8f99837b1b6c30665d0c" url: "https://pub.dev" source: hosted - version: "2.2.0" + version: "2.0.2" cupertino_icons: dependency: "direct main" description: @@ -478,10 +470,10 @@ packages: dependency: transitive description: name: dio_web_adapter - sha256: "7586e476d70caecaf1686d21eee7247ea43ef5c345eab9e0cc3583ff13378d78" + sha256: e485c7a39ff2b384fa1d7e09b4e25f755804de8384358049124830b04fc4f93a url: "https://pub.dev" source: hosted - version: "2.1.1" + version: "2.1.0" dots_indicator: dependency: "direct main" description: @@ -660,18 +652,17 @@ packages: description: path: "flutter/flutter" ref: android-packaged - resolved-ref: e33d4d2f49a25af6bc493e9114350434e6c34ab4 + resolved-ref: "6d5d27a8c259eda6292f204a27fba53da70af20e" url: "https://github.com/ente-io/ffmpeg-kit" source: git version: "6.0.3" ffmpeg_kit_flutter_platform_interface: dependency: transitive description: - path: "flutter/flutter_platform_interface" - ref: android-packaged - resolved-ref: e33d4d2f49a25af6bc493e9114350434e6c34ab4 - url: "https://github.com/ente-io/ffmpeg-kit" - source: git + name: ffmpeg_kit_flutter_platform_interface + sha256: addf046ae44e190ad0101b2fde2ad909a3cd08a2a109f6106d2f7048b7abedee + url: "https://pub.dev" + source: hosted version: "0.2.1" figma_squircle: dependency: "direct main" @@ -701,50 +692,50 @@ packages: dependency: "direct main" description: name: firebase_core - sha256: "7be63a3f841fc9663342f7f3a011a42aef6a61066943c90b1c434d79d5c995c5" + sha256: "6a4ea0f1d533443c8afc3d809cd36a4e2b8f2e2e711f697974f55bb31d71d1b8" url: "https://pub.dev" source: hosted - version: "3.15.2" + version: "3.12.0" firebase_core_platform_interface: dependency: transitive description: name: firebase_core_platform_interface - sha256: "5dbc900677dcbe5873d22ad7fbd64b047750124f1f9b7ebe2a33b9ddccc838eb" + sha256: d7253d255ff10f85cfd2adaba9ac17bae878fa3ba577462451163bd9f1d1f0bf url: "https://pub.dev" source: hosted - version: "6.0.0" + version: "5.4.0" firebase_core_web: dependency: transitive description: name: firebase_core_web - sha256: "0ed0dc292e8f9ac50992e2394e9d336a0275b6ae400d64163fdf0a8a8b556c37" + sha256: e47f5c2776de018fa19bc9f6f723df136bc75cdb164d64b65305babd715c8e41 url: "https://pub.dev" source: hosted - version: "2.24.1" + version: "2.21.0" firebase_messaging: dependency: "direct main" description: name: firebase_messaging - sha256: "60be38574f8b5658e2f22b7e311ff2064bea835c248424a383783464e8e02fcc" + sha256: "8755a083a20bac4485e8b46d223f6f2eab34e659a76a75f8cf3cded53bc98a15" url: "https://pub.dev" source: hosted - version: "15.2.10" + version: "15.2.3" firebase_messaging_platform_interface: dependency: transitive description: name: firebase_messaging_platform_interface - sha256: "685e1771b3d1f9c8502771ccc9f91485b376ffe16d553533f335b9183ea99754" + sha256: "8cc771079677460de53ad8fcca5bc3074d58c5fc4f9d89b19585e5bfd9c64292" url: "https://pub.dev" source: hosted - version: "4.6.10" + version: "4.6.3" firebase_messaging_web: dependency: transitive description: name: firebase_messaging_web - sha256: "0d1be17bc89ed3ff5001789c92df678b2e963a51b6fa2bdb467532cc9dbed390" + sha256: caa73059b0396c97f691683c4cfc3f897c8543801579b7dd4851c431d8e4e091 url: "https://pub.dev" source: hosted - version: "3.10.10" + version: "3.10.3" fixnum: dependency: "direct main" description: @@ -943,10 +934,10 @@ packages: dependency: "direct main" description: name: flutter_local_notifications - sha256: "20ca0a9c82ce0c855ac62a2e580ab867f3fbea82680a90647f7953832d0850ae" + sha256: b94a50aabbe56ef254f95f3be75640f99120429f0a153b2dc30143cffc9bfdf3 url: "https://pub.dev" source: hosted - version: "19.4.0" + version: "19.2.1" flutter_local_notifications_linux: dependency: transitive description: @@ -959,18 +950,18 @@ packages: dependency: transitive description: name: flutter_local_notifications_platform_interface - sha256: "277d25d960c15674ce78ca97f57d0bae2ee401c844b6ac80fcd972a9c99d09fe" + sha256: "2569b973fc9d1f63a37410a9f7c1c552081226c597190cb359ef5d5762d1631c" url: "https://pub.dev" source: hosted - version: "9.1.0" + version: "9.0.0" flutter_local_notifications_windows: dependency: transitive description: name: flutter_local_notifications_windows - sha256: ed46d7ae4ec9d19e4c8fa2badac5fe27ba87a3fe387343ce726f927af074ec98 + sha256: f8fc0652a601f83419d623c85723a3e82ad81f92b33eaa9bcc21ea1b94773e6e url: "https://pub.dev" source: hosted - version: "1.0.2" + version: "1.0.0" flutter_localizations: dependency: "direct main" description: flutter @@ -1020,10 +1011,10 @@ packages: dependency: transitive description: name: flutter_plugin_android_lifecycle - sha256: "1c2b787f99bdca1f3718543f81d38aa1b124817dfeb9fb196201bea85b6134bf" + sha256: "615a505aef59b151b46bbeef55b36ce2b6ed299d160c51d84281946f0aa0ce0e" url: "https://pub.dev" source: hosted - version: "2.0.26" + version: "2.0.24" flutter_secure_storage: dependency: "direct main" description: @@ -1036,10 +1027,10 @@ packages: dependency: transitive description: name: flutter_secure_storage_linux - sha256: be76c1d24a97d0b98f8b54bce6b481a380a6590df992d0098f868ad54dc8f688 + sha256: bf7404619d7ab5c0a1151d7c4e802edad8f33535abfbeff2f9e1fe1274e2d705 url: "https://pub.dev" source: hosted - version: "1.2.3" + version: "1.2.2" flutter_secure_storage_macos: dependency: transitive description: @@ -1109,10 +1100,10 @@ packages: dependency: "direct main" description: name: flutter_svg - sha256: d44bf546b13025ec7353091516f6881f1d4c633993cb109c3916c3a0159dadf1 + sha256: c200fd79c918a40c5cd50ea0877fa13f81bdaf6f0a5d3dbcc2a13e3285d6aa1b url: "https://pub.dev" source: hosted - version: "2.1.0" + version: "2.0.17" flutter_test: dependency: "direct dev" description: flutter @@ -1122,10 +1113,10 @@ packages: dependency: "direct main" description: name: flutter_timezone - sha256: "13b2109ad75651faced4831bf262e32559e44aa549426eab8a597610d385d934" + sha256: bc286cecb0366d88e6c4644e3962ebd1ce1d233abc658eb1e0cd803389f84b64 url: "https://pub.dev" source: hosted - version: "4.1.1" + version: "4.1.0" flutter_web_plugins: dependency: transitive description: flutter @@ -1220,10 +1211,10 @@ packages: dependency: transitive description: name: html - sha256: "6d1264f2dffa1b1101c25a91dff0dc2daee4c18e87cd8538729773c073dbf602" + sha256: "1fc58edeaec4307368c60d59b7e15b9d658b57d7f3125098b6294153c75337ec" url: "https://pub.dev" source: hosted - version: "0.15.6" + version: "0.15.5" html_unescape: dependency: "direct main" description: @@ -1236,10 +1227,10 @@ packages: dependency: "direct main" description: name: http - sha256: "2c11f3f94c687ee9bad77c171151672986360b2b001d109814ee7140b2cf261b" + sha256: fe7ab022b76f3034adc518fb6ea04a82387620e19977665ea18d30a1cf43442f url: "https://pub.dev" source: hosted - version: "1.4.0" + version: "1.3.0" http_client_helper: dependency: transitive description: @@ -1316,10 +1307,10 @@ packages: dependency: "direct main" description: name: in_app_purchase - sha256: "5cddd7f463f3bddb1d37a72b95066e840d5822d66291331d7f8f05ce32c24b6c" + sha256: "11a40f148eeb4f681a0572003e2b33432e110c90c1bbb4f9ef83b81ec0c4f737" url: "https://pub.dev" source: hosted - version: "3.2.3" + version: "3.2.1" in_app_purchase_android: dependency: transitive description: @@ -1340,10 +1331,10 @@ packages: dependency: transitive description: name: in_app_purchase_storekit - sha256: "02f08d5688fc2776e3e386ff7d3071b7b375ea8222e8e6bd027b15c0708e4045" + sha256: "276831961023055b55a2156c1fc043f50f6215ff49fb0f5f2273da6eeb510ecf" url: "https://pub.dev" source: hosted - version: "0.4.0" + version: "0.3.21" integration_test: dependency: "direct dev" description: flutter @@ -1377,18 +1368,18 @@ packages: dependency: transitive description: name: iso_base_media - sha256: "0a94fa4ff4ce7e6894d7afc96c1eee6911c12827f8cf184ca752ce3437a818a1" + sha256: "0f5594feef1fba98179a2df95d1afbdda952de0c7a2e35e6815093f7c00aaf06" url: "https://pub.dev" source: hosted - version: "4.6.1" + version: "4.5.2" jni: dependency: transitive description: name: jni - sha256: "459727a9daf91bdfb39b014cf3c186cf77f0136124a274ac83c186e12262ac4e" + sha256: f377c585ea9c08d48b427dc2e03780af2889d1bb094440da853c6883c1acba4b url: "https://pub.dev" source: hosted - version: "0.12.2" + version: "0.10.1" js: dependency: "direct overridden" description: @@ -1457,10 +1448,10 @@ packages: dependency: "direct main" description: name: like_button - sha256: "8b349521182ea6252b7fe1eaaad5932a9f55f94c3e87849376cfc25c78bac53a" + sha256: "08e6a45b78888412df5d351786c550205ad3a677e72a0820d5bbc0b063c8a463" url: "https://pub.dev" source: hosted - version: "2.1.0" + version: "2.0.5" lints: dependency: transitive description: @@ -1489,10 +1480,10 @@ packages: dependency: "direct main" description: name: local_auth_android - sha256: "8bba79f4f0f7bc812fce2ca20915d15618c37721246ba6c3ef2aa7a763a90cf2" + sha256: "6763aaf8965f21822624cb2fd3c03d2a8b3791037b5efb0fe4b13e110f5afc92" url: "https://pub.dev" source: hosted - version: "1.0.47" + version: "1.0.46" local_auth_darwin: dependency: transitive description: @@ -1529,10 +1520,10 @@ packages: dependency: transitive description: name: logger - sha256: "2621da01aabaf223f8f961e751f2c943dbb374dc3559b982f200ccedadaa6999" + sha256: be4b23575aac7ebf01f225a241eb7f6b5641eeaf43c6a8613510fc2f8cf187d1 url: "https://pub.dev" source: hosted - version: "2.6.0" + version: "2.5.0" logging: dependency: "direct main" description: @@ -1595,24 +1586,24 @@ packages: description: path: media_kit ref: HEAD - resolved-ref: c9617f570b8c0ba02857e721997f78c053a856c1 + resolved-ref: "3c4ff28c43d20e68f8d587956b2f525292c25a80" url: "https://github.com/media-kit/media-kit" source: git - version: "1.2.0" + version: "1.1.11" media_kit_libs_android_video: dependency: transitive description: name: media_kit_libs_android_video - sha256: adff9b571b8ead0867f9f91070f8df39562078c0eb3371d88b9029a2d547d7b7 + sha256: "9dd8012572e4aff47516e55f2597998f0a378e3d588d0fad0ca1f11a53ae090c" url: "https://pub.dev" source: hosted - version: "1.3.7" + version: "1.3.6" media_kit_libs_ios_video: dependency: "direct main" description: path: "libs/ios/media_kit_libs_ios_video" ref: HEAD - resolved-ref: c9617f570b8c0ba02857e721997f78c053a856c1 + resolved-ref: "3c4ff28c43d20e68f8d587956b2f525292c25a80" url: "https://github.com/media-kit/media-kit" source: git version: "1.1.4" @@ -1620,10 +1611,10 @@ packages: dependency: transitive description: name: media_kit_libs_linux - sha256: "2b473399a49ec94452c4d4ae51cfc0f6585074398d74216092bf3d54aac37ecf" + sha256: e186891c31daa6bedab4d74dcdb4e8adfccc7d786bfed6ad81fe24a3b3010310 url: "https://pub.dev" source: hosted - version: "1.2.1" + version: "1.1.3" media_kit_libs_macos_video: dependency: transitive description: @@ -1637,27 +1628,27 @@ packages: description: path: "libs/universal/media_kit_libs_video" ref: HEAD - resolved-ref: c9617f570b8c0ba02857e721997f78c053a856c1 + resolved-ref: "3c4ff28c43d20e68f8d587956b2f525292c25a80" url: "https://github.com/media-kit/media-kit" source: git - version: "1.0.6" + version: "1.0.5" media_kit_libs_windows_video: dependency: transitive description: name: media_kit_libs_windows_video - sha256: dff76da2778729ab650229e6b4ec6ec111eb5151431002cbd7ea304ff1f112ab + sha256: "32654572167825c42c55466f5d08eee23ea11061c84aa91b09d0e0f69bdd0887" url: "https://pub.dev" source: hosted - version: "1.0.11" + version: "1.0.10" media_kit_video: dependency: "direct main" description: path: media_kit_video ref: HEAD - resolved-ref: c9617f570b8c0ba02857e721997f78c053a856c1 + resolved-ref: "3c4ff28c43d20e68f8d587956b2f525292c25a80" url: "https://github.com/media-kit/media-kit" source: git - version: "1.3.0" + version: "1.2.5" meta: dependency: transitive description: @@ -1721,7 +1712,7 @@ packages: description: path: "." ref: HEAD - resolved-ref: "64e47a446bf3b64f012f2076481cebea51ca27cf" + resolved-ref: "7814e2c61ee1fa74cef73b946eb08519c35bdaa5" url: "https://github.com/ente-io/motionphoto.git" source: git version: "0.0.1" @@ -1738,10 +1729,10 @@ packages: dependency: transitive description: name: multicast_dns - sha256: de72ada5c3db6fdd6ad4ae99452fe05fb403c4bb37c67ceb255ddd37d2b5b1eb + sha256: "0a568c8411ab0979ab8cd4af1c29b6d316d854ab81592463ccceb92b35fde813" url: "https://pub.dev" source: hosted - version: "0.3.3" + version: "0.3.2+8" nanoid: dependency: "direct main" description: @@ -1754,10 +1745,10 @@ packages: dependency: "direct main" description: name: native_dio_adapter - sha256: "1c51bd42027861d27ccad462ba0903f5e3197461cc6d59a0bb8658cb5ad7bd01" + sha256: "7420bc9517b2abe09810199a19924617b45690a44ecfb0616ac9babc11875c03" url: "https://pub.dev" source: hosted - version: "1.5.0" + version: "1.4.0" native_video_player: dependency: "direct main" description: @@ -1794,10 +1785,10 @@ packages: dependency: transitive description: name: objective_c - sha256: "9f034ba1eeca53ddb339bc8f4813cb07336a849cd735559b60cdc068ecce2dc7" + sha256: "62e79ab8c3ed6f6a340ea50dd48d65898f5d70425d404f0d99411f6e56e04584" url: "https://pub.dev" source: hosted - version: "7.1.0" + version: "4.1.0" octo_image: dependency: transitive description: @@ -1835,26 +1826,26 @@ packages: dependency: transitive description: name: package_config - sha256: f096c55ebb7deb7e384101542bfba8c52696c1b56fca2eb62827989ef2353bbc + sha256: "92d4488434b520a62570293fbd33bb556c7d49230791c1b4bbd973baf6d2dc67" url: "https://pub.dev" source: hosted - version: "2.2.0" + version: "2.1.1" package_info_plus: dependency: "direct main" description: name: package_info_plus - sha256: "7976bfe4c583170d6cdc7077e3237560b364149fcd268b5f53d95a991963b191" + sha256: "67eae327b1b0faf761964a1d2e5d323c797f3799db0e85aa232db8d9e922bc35" url: "https://pub.dev" source: hosted - version: "8.3.0" + version: "8.2.1" package_info_plus_platform_interface: dependency: transitive description: name: package_info_plus_platform_interface - sha256: "6c935fb612dff8e3cc9632c2b301720c77450a126114126ffaafe28d2e87956c" + sha256: "205ec83335c2ab9107bbba3f8997f9356d72ca3c715d2f038fc773d0366b4c76" url: "https://pub.dev" source: hosted - version: "3.2.0" + version: "3.1.0" panorama: dependency: "direct main" description: @@ -1964,10 +1955,10 @@ packages: dependency: transitive description: name: permission_handler_apple - sha256: f000131e755c54cf4d84a5d8bd6e4149e262cc31c5a8b1d698de1ac85fa41023 + sha256: f84a188e79a35c687c132a0a0556c254747a08561e99ab933f12f6ca71ef3c98 url: "https://pub.dev" source: hosted - version: "9.4.7" + version: "9.4.6" permission_handler_html: dependency: transitive description: @@ -2004,10 +1995,10 @@ packages: dependency: "direct main" description: name: photo_manager - sha256: a0d9a7a9bc35eda02d33766412bde6d883a8b0acb86bbe37dac5f691a0894e8a + sha256: "0bc7548fd3111eb93a3b0abf1c57364e40aeda32512c100085a48dade60e574f" url: "https://pub.dev" source: hosted - version: "3.7.1" + version: "3.6.4" photo_manager_image_provider: dependency: transitive description: @@ -2117,18 +2108,18 @@ packages: dependency: transitive description: name: provider - sha256: "4abbd070a04e9ddc287673bf5a030c7ca8b685ff70218720abab8b092f53dd84" + sha256: c8a055ee5ce3fd98d6fc872478b03823ffdb448699c6ebdbbc71d59b596fd48c url: "https://pub.dev" source: hosted - version: "6.1.5" + version: "6.1.2" pub_semver: dependency: transitive description: name: pub_semver - sha256: "5bfcf68ca79ef689f8990d1160781b4bad40a3bd5e5218ad4076ddb7f4081585" + sha256: "7b3cfbf654f3edd0c6298ecd5be782ce997ddf0e00531b9464b55245185bbbbd" url: "https://pub.dev" source: hosted - version: "2.2.0" + version: "2.1.5" pubspec_parse: dependency: transitive description: @@ -2149,10 +2140,10 @@ packages: dependency: transitive description: name: random_access_source - sha256: "26d1509a9fd935ab9c77102ab4c94b343d36216387d985975c380efe450b81b8" + sha256: dc86934da2cc4777334f43916234410f232032738c519c0c3452147c5d4fec89 url: "https://pub.dev" source: hosted - version: "3.0.0" + version: "2.1.0" receive_sharing_intent: dependency: "direct main" description: @@ -2182,10 +2173,10 @@ packages: dependency: transitive description: name: screen_brightness_android - sha256: fb5fa43cb89d0c9b8534556c427db1e97e46594ac5d66ebdcf16063b773d54ed + sha256: ff9141bed547db02233e7dd88f990ab01973a0c8a8c04ddb855c7b072f33409a url: "https://pub.dev" source: hosted - version: "2.1.2" + version: "2.1.0" screen_brightness_platform_interface: dependency: transitive description: @@ -2246,18 +2237,18 @@ packages: dependency: "direct main" description: name: shared_preferences - sha256: "6e8bf70b7fef813df4e9a36f658ac46d107db4b4cfe1048b477d4e453a8159f5" + sha256: "846849e3e9b68f3ef4b60c60cf4b3e02e9321bc7f4d8c4692cf87ffa82fc8a3a" url: "https://pub.dev" source: hosted - version: "2.5.3" + version: "2.5.2" shared_preferences_android: dependency: transitive description: name: shared_preferences_android - sha256: "9f9f3d372d4304723e6136663bb291c0b93f5e4c8a4a6314347f481a33bda2b1" + sha256: a768fc8ede5f0c8e6150476e14f38e2417c0864ca36bb4582be8e21925a03c22 url: "https://pub.dev" source: hosted - version: "2.4.7" + version: "2.4.6" shared_preferences_foundation: dependency: transitive description: @@ -2435,18 +2426,18 @@ packages: dependency: transitive description: name: sqlite3 - sha256: dd806fff004a0aeb01e208b858dbc649bc72104670d425a81a6dd17698535f6e + sha256: "32b632dda27d664f85520093ed6f735ae5c49b5b75345afb8b19411bc59bb53d" url: "https://pub.dev" source: hosted - version: "2.8.0" + version: "2.7.4" sqlite3_flutter_libs: dependency: "direct main" description: name: sqlite3_flutter_libs - sha256: fd996da5515a73aacd0a04ae7063db5fe8df42670d974df4c3ee538c652eef2e + sha256: "57fafacd815c981735406215966ff7caaa8eab984b094f52e692accefcbd9233" url: "https://pub.dev" source: hosted - version: "0.5.38" + version: "0.5.30" sqlite_async: dependency: "direct main" description: @@ -2683,10 +2674,10 @@ packages: dependency: transitive description: name: url_launcher_ios - sha256: "7f2022359d4c099eea7df3fdf739f7d3d3b9faf3166fb1dd390775176e0b76cb" + sha256: "16a513b6c12bb419304e72ea0ae2ab4fed569920d1c7cb850263fe3acc824626" url: "https://pub.dev" source: hosted - version: "6.3.3" + version: "6.3.2" url_launcher_linux: dependency: transitive description: @@ -2813,10 +2804,10 @@ packages: dependency: transitive description: name: video_player_avfoundation - sha256: "9ee764e5cd2fc1e10911ae8ad588e1a19db3b6aa9a6eb53c127c42d3a3c3f22f" + sha256: "84b4752745eeccb6e75865c9aab39b3d28eb27ba5726d352d45db8297fbd75bc" url: "https://pub.dev" source: hosted - version: "2.7.1" + version: "2.7.0" video_player_platform_interface: dependency: transitive description: @@ -2829,10 +2820,10 @@ packages: dependency: transitive description: name: video_player_web - sha256: e8bba2e5d1e159d5048c9a491bb2a7b29c535c612bb7d10c1e21107f5bd365ba + sha256: "3ef40ea6d72434edbfdba4624b90fd3a80a0740d260667d91e7ecd2d79e13476" url: "https://pub.dev" source: hosted - version: "2.3.5" + version: "2.3.4" video_thumbnail: dependency: "direct main" description: @@ -2862,58 +2853,58 @@ packages: dependency: transitive description: name: volume_controller - sha256: d75039e69c0d90e7810bfd47e3eedf29ff8543ea7a10392792e81f9bded7edf5 + sha256: "30863a51338db47fe16f92902b1a6c4ee5e15c9287b46573d7c2eb6be1f197d2" url: "https://pub.dev" source: hosted - version: "3.4.0" + version: "3.3.1" wakelock_plus: dependency: "direct main" description: name: wakelock_plus - sha256: a474e314c3e8fb5adef1f9ae2d247e57467ad557fa7483a2b895bc1b421c5678 + sha256: "36c88af0b930121941345306d259ec4cc4ecca3b151c02e3a9e71aede83c615e" url: "https://pub.dev" source: hosted - version: "1.3.2" + version: "1.2.10" wakelock_plus_platform_interface: dependency: transitive description: name: wakelock_plus_platform_interface - sha256: e10444072e50dbc4999d7316fd303f7ea53d31c824aa5eb05d7ccbdd98985207 + sha256: "70e780bc99796e1db82fe764b1e7dcb89a86f1e5b3afb1db354de50f2e41eb7a" url: "https://pub.dev" source: hosted - version: "1.2.3" + version: "1.2.2" watcher: dependency: "direct overridden" description: name: watcher - sha256: "0b7fd4a0bbc4b92641dbf20adfd7e3fd1398fe17102d94b674234563e110088a" + sha256: "69da27e49efa56a15f8afe8f4438c4ec02eff0a117df1b22ea4aad194fe1c104" url: "https://pub.dev" source: hosted - version: "1.1.2" + version: "1.1.1" web: dependency: transitive description: name: web - sha256: "868d88a33d8a87b18ffc05f9f030ba328ffefba92d6c127917a2ba740f9cfe4a" + sha256: cd3543bd5798f6ad290ea73d210f423502e71900302dde696f8bff84bf89a1cb url: "https://pub.dev" source: hosted - version: "1.1.1" + version: "1.1.0" web_socket: dependency: transitive description: name: web_socket - sha256: "34d64019aa8e36bf9842ac014bb5d2f5586ca73df5e4d9bf5c936975cae6982c" + sha256: "3c12d96c0c9a4eec095246debcea7b86c0324f22df69893d538fcc6f1b8cce83" url: "https://pub.dev" source: hosted - version: "1.0.1" + version: "0.1.6" web_socket_channel: dependency: transitive description: name: web_socket_channel - sha256: d645757fb0f4773d602444000a8131ff5d48c9e47adfe9772652dd1a4f2d45c8 + sha256: "0b8e2457400d8a859b7b2030786835a28a8e80836ef64402abef392ff4f1d0e5" url: "https://pub.dev" source: hosted - version: "3.0.3" + version: "3.0.2" webdriver: dependency: transitive description: diff --git a/mobile/apps/photos/pubspec.yaml b/mobile/apps/photos/pubspec.yaml index 76594a6a28..0107e70148 100644 --- a/mobile/apps/photos/pubspec.yaml +++ b/mobile/apps/photos/pubspec.yaml @@ -217,8 +217,6 @@ dependencies: xml: ^6.3.0 dependency_overrides: - # See if app builds after removing this override once flutter is updated to 3.27 - cronet_http: "1.3.4" # Remove this after removing dependency from flutter_sodium. # Newer flutter packages depends on ffi > 2.0.0 while flutter_sodium depends on ffi < 2.0.0 ffi: 2.1.0 From bc00276316b06e6df5df6d9e33cb79789a09c98c Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Wed, 30 Jul 2025 16:03:45 +0530 Subject: [PATCH 273/302] feat: add Glacier filter with matrix adjustments for saturation, contrast, hue, and temperature --- .../image_editor/image_editor_filter_bar.dart | 104 +++++++++++++++++- 1 file changed, 99 insertions(+), 5 deletions(-) diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_filter_bar.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_filter_bar.dart index 6fae72b031..8a29cdba52 100644 --- a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_filter_bar.dart +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_filter_bar.dart @@ -4,6 +4,100 @@ import "package:photos/ente_theme_data.dart"; import "package:photos/theme/ente_theme.dart"; import 'package:pro_image_editor/pro_image_editor.dart'; +class GlacierFilterMatrix { + static const saturation = [ + 0.97, + 0.02, + 0.00, + 0.00, + 0.00, + 0.01, + 0.98, + 0.00, + 0.00, + 0.00, + 0.01, + 0.02, + 0.96, + 0.00, + 0.00, + 0.00, + 0.00, + 0.00, + 1.00, + 0.00, + ]; + + static const contrast = [ + 0.94, + 0.00, + 0.00, + 0.00, + 7.07, + 0.00, + 0.94, + 0.00, + 0.00, + 7.07, + 0.00, + 0.00, + 0.94, + 0.00, + 7.07, + 0.00, + 0.00, + 0.00, + 1.00, + 0.00, + ]; + + static const hue = [ + 1.01, + 0.40, + -0.41, + 0.00, + 0.00, + -0.04, + 0.91, + 0.14, + 0.00, + 0.00, + 0.38, + -0.25, + 0.87, + 0.00, + 0.00, + 0.00, + 0.00, + 0.00, + 1.00, + 0.00, + ]; + + static const temperature = [ + 0.80, + 0.00, + 0.00, + 0.00, + 0.00, + 0.00, + 1.00, + 0.00, + 0.00, + 0.00, + 0.00, + 0.00, + 1.00, + 0.00, + 0.00, + 0.00, + 0.00, + 0.00, + 1.00, + 0.00, + ]; +} + final filterList = [ const FilterModel( name: "None", @@ -38,13 +132,13 @@ final filterList = [ ColorFilterAddons.grayscale(), ], ), - FilterModel( + const FilterModel( name: 'Glacier', filters: [ - ColorFilterAddons.hue(-0.6), - ColorFilterAddons.rgbScale(0.8, 1.0, 1.2), - ColorFilterAddons.saturation(-0.08), - ColorFilterAddons.contrast(-0.06), + GlacierFilterMatrix.saturation, + GlacierFilterMatrix.temperature, + GlacierFilterMatrix.hue, + GlacierFilterMatrix.contrast, ], ), FilterModel( From 75ae1bf2e692b7a5ff32473b2d644e430cbbc613 Mon Sep 17 00:00:00 2001 From: laurenspriem Date: Wed, 30 Jul 2025 13:04:58 +0200 Subject: [PATCH 274/302] Fix sql error --- mobile/apps/photos/lib/db/ml/db.dart | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/db/ml/db.dart b/mobile/apps/photos/lib/db/ml/db.dart index bc0913f8fe..6bd7bd3c31 100644 --- a/mobile/apps/photos/lib/db/ml/db.dart +++ b/mobile/apps/photos/lib/db/ml/db.dart @@ -1359,7 +1359,7 @@ class MLDataDB with SqlDbBase implements IMLDataDB { final db = await instance.asyncDB; const String sql = ''' DELETE FROM $faceCacheTable - WHERE $personOrClusterIdColumn = ?' + WHERE $personOrClusterIdColumn = ? '''; final List params = [personOrClusterID]; await db.execute(sql, params); From fe8fd519a9c1f523613b8470e2a71fc28726dd6c Mon Sep 17 00:00:00 2001 From: laurenspriem Date: Wed, 30 Jul 2025 13:20:01 +0200 Subject: [PATCH 275/302] Resolve potential outdated cache --- .../apps/photos/lib/ui/viewer/people/person_face_widget.dart | 3 +++ 1 file changed, 3 insertions(+) diff --git a/mobile/apps/photos/lib/ui/viewer/people/person_face_widget.dart b/mobile/apps/photos/lib/ui/viewer/people/person_face_widget.dart index 3e1b138c26..8e33118f3e 100644 --- a/mobile/apps/photos/lib/ui/viewer/people/person_face_widget.dart +++ b/mobile/apps/photos/lib/ui/viewer/people/person_face_widget.dart @@ -189,6 +189,9 @@ class _PersonFaceWidgetState extends State _logger.severe( "No cover face for person: ${widget.personId} or cluster ${widget.clusterID} and fileID ${fileForFaceCrop.uploadedFileID!}", ); + await checkRemoveCachedFaceIDForPersonOrClusterId( + personOrClusterId, + ); return null; } final cropMap = await getCachedFaceCrops( From 40f979ae2dfed0b99857eb2aa8663aecf5c280e0 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Wed, 30 Jul 2025 17:58:59 +0530 Subject: [PATCH 276/302] fix: don't touch ml stuff --- .../machine_learning/compute_controller.dart | 3 +- .../services/machine_learning/ml_service.dart | 49 +++++++++---------- 2 files changed, 24 insertions(+), 28 deletions(-) diff --git a/mobile/apps/photos/lib/services/machine_learning/compute_controller.dart b/mobile/apps/photos/lib/services/machine_learning/compute_controller.dart index 8f19c83c19..dfc663f85c 100644 --- a/mobile/apps/photos/lib/services/machine_learning/compute_controller.dart +++ b/mobile/apps/photos/lib/services/machine_learning/compute_controller.dart @@ -8,7 +8,6 @@ import "package:flutter/foundation.dart"; import "package:logging/logging.dart"; import "package:photos/core/event_bus.dart"; import "package:photos/events/compute_control_event.dart"; -import "package:photos/main.dart"; import "package:thermal/thermal.dart"; enum _ComputeRunState { @@ -73,7 +72,7 @@ class ComputeController { bool requestCompute({bool ml = false, bool stream = false}) { _logger.info("Requesting compute: ml: $ml, stream: $stream"); - if (!_isDeviceHealthy || !isProcessBg && !_canRunGivenUserInteraction()) { + if (!_isDeviceHealthy || !_canRunGivenUserInteraction()) { _logger.info("Device not healthy or user interacting, denying request."); return false; } diff --git a/mobile/apps/photos/lib/services/machine_learning/ml_service.dart b/mobile/apps/photos/lib/services/machine_learning/ml_service.dart index 48849d2b12..5425f3160a 100644 --- a/mobile/apps/photos/lib/services/machine_learning/ml_service.dart +++ b/mobile/apps/photos/lib/services/machine_learning/ml_service.dart @@ -10,7 +10,6 @@ import "package:photos/db/files_db.dart"; import "package:photos/db/ml/db.dart"; import "package:photos/events/compute_control_event.dart"; import "package:photos/events/people_changed_event.dart"; -import "package:photos/main.dart"; import "package:photos/models/ml/face/face.dart"; import "package:photos/models/ml/ml_versions.dart"; import "package:photos/service_locator.dart"; @@ -70,33 +69,31 @@ class MLService { _logger.info("client: $client"); // Listen on ComputeController - if (!isProcessBg) { - Bus.instance.on().listen((event) { - if (!flagService.hasGrantedMLConsent) { - return; - } + Bus.instance.on().listen((event) { + if (!flagService.hasGrantedMLConsent) { + return; + } - _mlControllerStatus = event.shouldRun; - if (_mlControllerStatus) { - if (_shouldPauseIndexingAndClustering) { - _cancelPauseIndexingAndClustering(); - _logger.info( - "MLController allowed running ML, faces indexing undoing previous pause", - ); - } else { - _logger.info( - "MLController allowed running ML, faces indexing starting", - ); - } - unawaited(runAllML()); + _mlControllerStatus = event.shouldRun; + if (_mlControllerStatus) { + if (_shouldPauseIndexingAndClustering) { + _cancelPauseIndexingAndClustering(); + _logger.info( + "MLController allowed running ML, faces indexing undoing previous pause", + ); } else { _logger.info( - "MLController stopped running ML, faces indexing will be paused (unless it's fetching embeddings)", + "MLController allowed running ML, faces indexing starting", ); - pauseIndexingAndClustering(); } - }); - } + unawaited(runAllML()); + } else { + _logger.info( + "MLController stopped running ML, faces indexing will be paused (unless it's fetching embeddings)", + ); + pauseIndexingAndClustering(); + } + }); _isInitialized = true; _logger.info('init done'); @@ -139,7 +136,7 @@ class MLService { ); await clusterAllImages(); } - if (!isProcessBg && _mlControllerStatus == true) { + if (_mlControllerStatus == true) { // refresh discover section magicCacheService.updateCache(forced: force).ignore(); // refresh memories section @@ -151,7 +148,7 @@ class MLService { if ((await mlDataDB.getUnclusteredFaceCount()) > 0) { await clusterAllImages(); } - if (!isProcessBg && _mlControllerStatus == true) { + if (_mlControllerStatus == true) { // refresh discover section magicCacheService.updateCache().ignore(); // refresh memories section (only runs if forced is true) @@ -164,7 +161,7 @@ class MLService { _logger.severe("ML finished running"); _isRunningML = false; computeController.releaseCompute(ml: true); - if (!isProcessBg) VideoPreviewService.instance.queueFiles(); + VideoPreviewService.instance.queueFiles(); } } From a4d29adaf4af973329f5b175c6d75074464e884e Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Wed, 30 Jul 2025 18:09:49 +0530 Subject: [PATCH 277/302] fix: don't go in other users owned files block when not trying to copy --- .../apps/photos/lib/services/collections_service.dart | 10 +++------- 1 file changed, 3 insertions(+), 7 deletions(-) diff --git a/mobile/apps/photos/lib/services/collections_service.dart b/mobile/apps/photos/lib/services/collections_service.dart index ad4a0c2dfb..43179ab2d6 100644 --- a/mobile/apps/photos/lib/services/collections_service.dart +++ b/mobile/apps/photos/lib/services/collections_service.dart @@ -1413,10 +1413,8 @@ class CollectionsService { if (splitResult.ownedByCurrentUser.isNotEmpty) { await _addToCollection(dstCollectionID, splitResult.ownedByCurrentUser); } - if (splitResult.ownedByOtherUsers.isNotEmpty) { - late final List filesToCopy; - late final List filesToAdd; - (filesToAdd, filesToCopy) = (await _splitFilesToAddAndCopy( + if (splitResult.ownedByOtherUsers.isNotEmpty && toCopy) { + final (filesToAdd, filesToCopy) = (await _splitFilesToAddAndCopy( splitResult.ownedByOtherUsers, )); @@ -1426,9 +1424,7 @@ class CollectionsService { ); await _addToCollection(dstCollectionID, filesToAdd); } - if (!toCopy) { - return; - } + // group files by collectionID final Map> filesByCollection = {}; final Map> fileSeenByCollection = {}; From 40d5b26301c144d9d8a3fe2afb3a22536bdb8906 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Wed, 30 Jul 2025 18:20:22 +0530 Subject: [PATCH 278/302] chore: switch back --- mobile/apps/photos/lib/main.dart | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/main.dart b/mobile/apps/photos/lib/main.dart index a8289ac3e3..a7db0ec5a4 100644 --- a/mobile/apps/photos/lib/main.dart +++ b/mobile/apps/photos/lib/main.dart @@ -57,7 +57,7 @@ const kLastFGTaskHeartBeatTime = "fg_task_hb_time"; const kHeartBeatFrequency = Duration(seconds: 1); const kFGSyncFrequency = Duration(minutes: 5); const kFGHomeWidgetSyncFrequency = Duration(minutes: 15); -const kBGTaskTimeout = Duration(seconds: 58); +const kBGTaskTimeout = Duration(seconds: 28); const kBGPushTimeout = Duration(seconds: 28); const kFGTaskDeathTimeoutInMicroseconds = 5000000; bool isProcessBg = true; From 9d6c9b659c0498c962287937ef2be438eb560e8c Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Wed, 30 Jul 2025 18:20:39 +0530 Subject: [PATCH 279/302] chore: switch back --- mobile/apps/photos/lib/utils/bg_task_utils.dart | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/utils/bg_task_utils.dart b/mobile/apps/photos/lib/utils/bg_task_utils.dart index a9223c0779..1ae1dfcb0b 100644 --- a/mobile/apps/photos/lib/utils/bg_task_utils.dart +++ b/mobile/apps/photos/lib/utils/bg_task_utils.dart @@ -23,7 +23,7 @@ void callbackDispatcher() { try { BgTaskUtils.$.info('Task started $tlog'); await runBackgroundTask(taskName, tlog).timeout( - Platform.isIOS ? kBGTaskTimeout : const Duration(minutes: 15), + Platform.isIOS ? kBGTaskTimeout : const Duration(hours: 1), onTimeout: () async { BgTaskUtils.$.warning( "TLE, committing seppuku for taskID: $taskName", From 851ce8147c8af1914332f2e2bde1e28c1ae8f67d Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Wed, 30 Jul 2025 19:15:38 +0530 Subject: [PATCH 280/302] chore: update locals --- mobile/apps/photos/lib/generated/intl/messages_en.dart | 2 ++ mobile/apps/photos/lib/generated/l10n.dart | 10 ++++++++++ mobile/apps/photos/lib/l10n/intl_en.arb | 3 ++- .../lib/ui/collections/album/smart_album_people.dart | 2 +- 4 files changed, 15 insertions(+), 2 deletions(-) diff --git a/mobile/apps/photos/lib/generated/intl/messages_en.dart b/mobile/apps/photos/lib/generated/intl/messages_en.dart index f7dbc39b06..32ace5f181 100644 --- a/mobile/apps/photos/lib/generated/intl/messages_en.dart +++ b/mobile/apps/photos/lib/generated/intl/messages_en.dart @@ -1521,6 +1521,8 @@ class MessageLookup extends MessageLookupByLibrary { "pendingItems": MessageLookupByLibrary.simpleMessage("Pending items"), "pendingSync": MessageLookupByLibrary.simpleMessage("Pending sync"), "people": MessageLookupByLibrary.simpleMessage("People"), + "peopleAutoAddDesc": MessageLookupByLibrary.simpleMessage( + "Select the people you want to automatically add to the album"), "peopleUsingYourCode": MessageLookupByLibrary.simpleMessage("People using your code"), "peopleWidgetDesc": MessageLookupByLibrary.simpleMessage( diff --git a/mobile/apps/photos/lib/generated/l10n.dart b/mobile/apps/photos/lib/generated/l10n.dart index b53d76fd36..cfbac1c175 100644 --- a/mobile/apps/photos/lib/generated/l10n.dart +++ b/mobile/apps/photos/lib/generated/l10n.dart @@ -12525,6 +12525,16 @@ class S { args: [], ); } + + /// `Select the people you want to automatically add to the album` + String get peopleAutoAddDesc { + return Intl.message( + 'Select the people you want to automatically add to the album', + name: 'peopleAutoAddDesc', + desc: '', + args: [], + ); + } } class AppLocalizationDelegate extends LocalizationsDelegate { diff --git a/mobile/apps/photos/lib/l10n/intl_en.arb b/mobile/apps/photos/lib/l10n/intl_en.arb index 768c218a3d..a4bdd3a4dd 100644 --- a/mobile/apps/photos/lib/l10n/intl_en.arb +++ b/mobile/apps/photos/lib/l10n/intl_en.arb @@ -1811,5 +1811,6 @@ "doesGroupContainMultiplePeople": "Does this grouping contain multiple people?", "automaticallyAnalyzeAndSplitGrouping": "We will automatically analyze the grouping to determine if there are multiple people present, and separate them out again. This may take a few seconds.", "layout": "Layout", - "day": "Day" + "day": "Day", + "peopleAutoAddDesc": "Select the people you want to automatically add to the album" } \ No newline at end of file diff --git a/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart b/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart index 481a57f297..17e6f58218 100644 --- a/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart +++ b/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart @@ -189,7 +189,7 @@ class _SmartAlbumPeopleState extends State { title: S.of(context).people, ), expandedHeight: MediaQuery.textScalerOf(context).scale(120), - flexibleSpaceCaption: S.of(context).peopleWidgetDesc, + flexibleSpaceCaption: S.of(context).peopleAutoAddDesc, actionIcons: const [], ), SliverFillRemaining( From 655336a92c438e6938f7fc29cf74020da40d1e10 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Wed, 30 Jul 2025 22:14:45 +0530 Subject: [PATCH 281/302] fix: make it non-nullable --- .../photos/lib/models/collection/smart_album_config.dart | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/mobile/apps/photos/lib/models/collection/smart_album_config.dart b/mobile/apps/photos/lib/models/collection/smart_album_config.dart index 05332ee58d..9a66358025 100644 --- a/mobile/apps/photos/lib/models/collection/smart_album_config.dart +++ b/mobile/apps/photos/lib/models/collection/smart_album_config.dart @@ -91,8 +91,8 @@ class SmartAlbumConfig { factory SmartAlbumConfig.fromJson( Map json, - String? remoteId, - int? updatedAt, + String remoteId, + int updatedAt, ) { final personIDs = Set.from(json["person_ids"] as List? ?? []); final infoMap = (json["info_map"] as Map).map( @@ -111,7 +111,7 @@ class SmartAlbumConfig { collectionId: json["collection_id"] as int, personIDs: personIDs, infoMap: infoMap, - updatedAt: updatedAt ?? DateTime.now().millisecondsSinceEpoch, + updatedAt: updatedAt, ); } } From 7b528a7e2091d4f58832ff025005c4f5506111a4 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Wed, 30 Jul 2025 22:15:16 +0530 Subject: [PATCH 282/302] fix: rename remoteId --- .../apps/photos/lib/models/collection/smart_album_config.dart | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/mobile/apps/photos/lib/models/collection/smart_album_config.dart b/mobile/apps/photos/lib/models/collection/smart_album_config.dart index 9a66358025..4a2a8d207f 100644 --- a/mobile/apps/photos/lib/models/collection/smart_album_config.dart +++ b/mobile/apps/photos/lib/models/collection/smart_album_config.dart @@ -91,7 +91,7 @@ class SmartAlbumConfig { factory SmartAlbumConfig.fromJson( Map json, - String remoteId, + String id, int updatedAt, ) { final personIDs = Set.from(json["person_ids"] as List? ?? []); @@ -107,7 +107,7 @@ class SmartAlbumConfig { ); return SmartAlbumConfig( - id: remoteId, + id: id, collectionId: json["collection_id"] as int, personIDs: personIDs, infoMap: infoMap, From 92d6a6af8e85622f585e2f4616f0e64c026b6fff Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Thu, 31 Jul 2025 02:33:31 +0530 Subject: [PATCH 283/302] chore: remove unused import of dart:ui --- .../photos/lib/ui/viewer/actions/smart_albums_status_widget.dart | 1 - 1 file changed, 1 deletion(-) diff --git a/mobile/apps/photos/lib/ui/viewer/actions/smart_albums_status_widget.dart b/mobile/apps/photos/lib/ui/viewer/actions/smart_albums_status_widget.dart index cce013a89d..ebe92217cb 100644 --- a/mobile/apps/photos/lib/ui/viewer/actions/smart_albums_status_widget.dart +++ b/mobile/apps/photos/lib/ui/viewer/actions/smart_albums_status_widget.dart @@ -1,5 +1,4 @@ import "dart:async"; -import "dart:ui"; import 'package:flutter/material.dart'; import "package:flutter_spinkit/flutter_spinkit.dart"; From 22e1b68ea8ae1626e7847703c7eb493d061c0f2d Mon Sep 17 00:00:00 2001 From: Daniel T Date: Wed, 30 Jul 2025 17:49:36 -0500 Subject: [PATCH 284/302] docs: update relative links to assets --- mobile/apps/auth/README.md | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/mobile/apps/auth/README.md b/mobile/apps/auth/README.md index 610b663a8e..99ad0d1688 100644 --- a/mobile/apps/auth/README.md +++ b/mobile/apps/auth/README.md @@ -19,16 +19,16 @@ without relying on third party stores. You can alternatively install the build from PlayStore or F-Droid. - + - + ### iOS / Apple Silicon macOS - + ### Desktop @@ -98,7 +98,7 @@ more, see [docs/adding-icons](docs/adding-icons.md). The best way to support this project is by checking out [Ente Photos](../mobile/README.md) or spreading the word. -For more ways to contribute, see [../CONTRIBUTING.md](../CONTRIBUTING.md). +For more ways to contribute, see [../CONTRIBUTING.md](../../../CONTRIBUTING.md). ## Certificate Fingerprints @@ -113,4 +113,4 @@ apksigner verify --print-certs ## ⭐️ About To know more about Ente and the ways to get in touch or seek help, see [our main -README](../README.md) or visit [ente.io](https://ente.io). +README](../../../README.md) or visit [ente.io](https://ente.io). From e2dd3b462f25ac278f1276467b68e7c86abf7c1d Mon Sep 17 00:00:00 2001 From: Manav Rathi Date: Thu, 31 Jul 2025 11:43:53 +0530 Subject: [PATCH 285/302] Hello, Rust --- rust/.gitignore | 1 + rust/Cargo.lock | 7 +++++++ rust/Cargo.toml | 10 ++++++++++ rust/src/main.rs | 3 +++ 4 files changed, 21 insertions(+) create mode 100644 rust/.gitignore create mode 100644 rust/Cargo.lock create mode 100644 rust/Cargo.toml create mode 100644 rust/src/main.rs diff --git a/rust/.gitignore b/rust/.gitignore new file mode 100644 index 0000000000..ea8c4bf7f3 --- /dev/null +++ b/rust/.gitignore @@ -0,0 +1 @@ +/target diff --git a/rust/Cargo.lock b/rust/Cargo.lock new file mode 100644 index 0000000000..56030c6532 --- /dev/null +++ b/rust/Cargo.lock @@ -0,0 +1,7 @@ +# This file is automatically @generated by Cargo. +# It is not intended for manual editing. +version = 4 + +[[package]] +name = "ente-rs" +version = "0.0.1" diff --git a/rust/Cargo.toml b/rust/Cargo.toml new file mode 100644 index 0000000000..e03a44efdf --- /dev/null +++ b/rust/Cargo.toml @@ -0,0 +1,10 @@ +[package] +name = "ente-rs" +version = "0.0.1" +edition = "2024" +description = "Rust bindings and CLI for ente.io" +homepage = "https://ente.io" +repository = "https://github.com/ente-io/ente" +license = "AGPL-3.0-only" + +[dependencies] diff --git a/rust/src/main.rs b/rust/src/main.rs new file mode 100644 index 0000000000..f5bf62c1ce --- /dev/null +++ b/rust/src/main.rs @@ -0,0 +1,3 @@ +fn main() { + println!("Ente!"); +} From 8da1f638e108c8fb7e106d5e1d9727935a692da9 Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Thu, 31 Jul 2025 15:15:51 +0530 Subject: [PATCH 286/302] extract string + code refractor --- mobile/apps/photos/lib/l10n/intl_en.arb | 21 +++++- .../collections/collection_action_sheet.dart | 4 +- .../image_editor/image_editor_app_bar.dart | 11 ++-- .../image_editor_crop_rotate.dart | 5 +- .../image_editor_main_bottom_bar.dart | 11 ++-- .../image_editor/image_editor_paint_bar.dart | 3 +- .../image_editor/image_editor_text_bar.dart | 9 +-- .../lib/ui/viewer/file/detail_page.dart | 66 +------------------ 8 files changed, 45 insertions(+), 85 deletions(-) diff --git a/mobile/apps/photos/lib/l10n/intl_en.arb b/mobile/apps/photos/lib/l10n/intl_en.arb index 21998814da..017637a8b8 100644 --- a/mobile/apps/photos/lib/l10n/intl_en.arb +++ b/mobile/apps/photos/lib/l10n/intl_en.arb @@ -1808,5 +1808,24 @@ "automaticallyAnalyzeAndSplitGrouping": "We will automatically analyze the grouping to determine if there are multiple people present, and separate them out again. This may take a few seconds.", "layout": "Layout", "day": "Day", - "peopleAutoAddDesc": "Select the people you want to automatically add to the album" + "peopleAutoAddDesc": "Select the people you want to automatically add to the album", + "undo": "Undo", + "redo": "Redo", + "filter": "Filter", + "adjust": "Adjust", + "draw": "Draw", + "sticker": "Sticker", + "brushColor": "Brush Color", + "font": "Font", + "background": "Background", + "align": "Align", + "addedToAlbums": "{count, plural, =1{Added successfully to 1 album} other{Added successfully to {count} albums}}", + "@addedToAlbums": { + "description": "Message shown when items are added to albums", + "placeholders": { + "count": { + "type": "int" + } + } + } } \ No newline at end of file diff --git a/mobile/apps/photos/lib/ui/collections/collection_action_sheet.dart b/mobile/apps/photos/lib/ui/collections/collection_action_sheet.dart index d049be0102..64fe799e46 100644 --- a/mobile/apps/photos/lib/ui/collections/collection_action_sheet.dart +++ b/mobile/apps/photos/lib/ui/collections/collection_action_sheet.dart @@ -310,9 +310,7 @@ class _CollectionActionSheetState extends State { if (result) { showShortToast( context, - "Added successfully to " + - _selectedCollections.length.toString() + - " albums", + S.of(context).addedToAlbums(_selectedCollections.length), ); widget.selectedFiles?.clearAll(); } diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_app_bar.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_app_bar.dart index 03e84cf75d..730feb5d3a 100644 --- a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_app_bar.dart +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_app_bar.dart @@ -1,7 +1,8 @@ import 'package:flutter/material.dart'; import "package:flutter_svg/svg.dart"; import "package:photos/ente_theme_data.dart"; -import "package:photos/theme/ente_theme.dart"; +import "package:photos/generated/l10n.dart"; + import "package:photos/theme/ente_theme.dart"; import "package:pro_image_editor/models/editor_configs/pro_image_editor_configs.dart"; class ImageEditorAppBar extends StatelessWidget implements PreferredSizeWidget { @@ -43,7 +44,7 @@ class ImageEditorAppBar extends StatelessWidget implements PreferredSizeWidget { enableUndo ? close() : Navigator.of(context).pop(); }, child: Text( - 'Cancel', + S.of(context).cancel, style: getEnteTextTheme(context).body, ), ), @@ -52,7 +53,7 @@ class ImageEditorAppBar extends StatelessWidget implements PreferredSizeWidget { mainAxisAlignment: MainAxisAlignment.spaceEvenly, children: [ IconButton( - tooltip: 'Undo', + tooltip: S.of(context).undo, onPressed: () { undo != null ? undo!() : null; }, @@ -66,7 +67,7 @@ class ImageEditorAppBar extends StatelessWidget implements PreferredSizeWidget { ), const SizedBox(width: 12), IconButton( - tooltip: 'Redo', + tooltip: S.of(context).redo, onPressed: () { redo != null ? redo!() : null; }, @@ -88,7 +89,7 @@ class ImageEditorAppBar extends StatelessWidget implements PreferredSizeWidget { key: ValueKey(isMainEditor ? 'save_copy' : 'done'), onPressed: done, child: Text( - isMainEditor ? 'Save Copy' : 'Done', + isMainEditor ? S.of(context).saveCopy : S.of(context).done, style: getEnteTextTheme(context).body.copyWith( color: isMainEditor ? (enableUndo diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_crop_rotate.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_crop_rotate.dart index a222ed92e4..10333cd3ce 100644 --- a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_crop_rotate.dart +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_crop_rotate.dart @@ -1,5 +1,6 @@ import 'package:flutter/material.dart'; import "package:flutter_svg/svg.dart"; +import "package:photos/generated/l10n.dart"; import "package:photos/theme/ente_theme.dart"; import "package:photos/ui/tools/editor/image_editor/circular_icon_button.dart"; import "package:photos/ui/tools/editor/image_editor/image_editor_configs_mixin.dart"; @@ -113,7 +114,7 @@ class _ImageEditorCropRotateBarState extends State children: [ CircularIconButton( svgPath: "assets/image-editor/image-editor-crop-rotate.svg", - label: "Rotate", + label: S.of(context).rotate, onTap: () { widget.editor.rotate(); }, @@ -121,7 +122,7 @@ class _ImageEditorCropRotateBarState extends State const SizedBox(width: 6), CircularIconButton( svgPath: "assets/image-editor/image-editor-flip.svg", - label: "Flip", + label: S.of(context).flip, onTap: () { widget.editor.flip(); }, diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_main_bottom_bar.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_main_bottom_bar.dart index 3321e645c1..32dc0a5ed8 100644 --- a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_main_bottom_bar.dart +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_main_bottom_bar.dart @@ -1,6 +1,7 @@ import 'dart:math'; import 'package:flutter/material.dart'; +import "package:photos/generated/l10n.dart"; import "package:photos/ui/tools/editor/image_editor/circular_icon_button.dart"; import "package:photos/ui/tools/editor/image_editor/image_editor_configs_mixin.dart"; import "package:photos/ui/tools/editor/image_editor/image_editor_constants.dart"; @@ -90,7 +91,7 @@ class ImageEditorMainBottomBarState extends State children: [ CircularIconButton( svgPath: "assets/image-editor/image-editor-crop.svg", - label: "Crop", + label: S.of(context).crop, onTap: () { widget.editor.openCropRotateEditor(); }, @@ -98,21 +99,21 @@ class ImageEditorMainBottomBarState extends State CircularIconButton( svgPath: "assets/image-editor/image-editor-filter.svg", - label: "Filter", + label: S.of(context).filter, onTap: () { widget.editor.openFilterEditor(); }, ), CircularIconButton( svgPath: "assets/image-editor/image-editor-tune.svg", - label: "Adjust", + label: S.of(context).adjust, onTap: () { widget.editor.openTuneEditor(); }, ), CircularIconButton( svgPath: "assets/image-editor/image-editor-paint.svg", - label: "Draw", + label: S.of(context).draw, onTap: () { widget.editor.openPaintingEditor(); }, @@ -120,7 +121,7 @@ class ImageEditorMainBottomBarState extends State CircularIconButton( svgPath: "assets/image-editor/image-editor-sticker.svg", - label: "Sticker", + label: S.of(context).sticker, onTap: () { widget.editor.openEmojiEditor(); }, diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_paint_bar.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_paint_bar.dart index 0e4d1dd44f..5c7fe2c97d 100644 --- a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_paint_bar.dart +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_paint_bar.dart @@ -1,4 +1,5 @@ import 'package:flutter/material.dart'; +import "package:photos/generated/l10n.dart"; import "package:photos/theme/ente_theme.dart"; import "package:photos/ui/tools/editor/image_editor/image_editor_color_picker.dart"; import "package:photos/ui/tools/editor/image_editor/image_editor_configs_mixin.dart"; @@ -63,7 +64,7 @@ class _ImageEditorPaintBarState extends State Padding( padding: const EdgeInsets.only(left: 20.0), child: Text( - "Brush Color", + S.of(context).brushColor, style: getEnteTextTheme(context).body, ), ), diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_text_bar.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_text_bar.dart index 3115aa3933..d4327fb136 100644 --- a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_text_bar.dart +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_text_bar.dart @@ -1,5 +1,6 @@ import 'package:flutter/material.dart'; import "package:flutter_svg/svg.dart"; +import "package:photos/generated/l10n.dart"; import "package:photos/theme/ente_theme.dart"; import "package:photos/ui/tools/editor/image_editor/circular_icon_button.dart"; import "package:photos/ui/tools/editor/image_editor/image_editor_color_picker.dart"; @@ -75,7 +76,7 @@ class _ImageEditorTextBarState extends State children: [ CircularIconButton( svgPath: "assets/image-editor/image-editor-text-color.svg", - label: "Color", + label: S.of(context).color, isSelected: selectedActionIndex == 0, onTap: () { _selectAction(0); @@ -83,7 +84,7 @@ class _ImageEditorTextBarState extends State ), CircularIconButton( svgPath: "assets/image-editor/image-editor-text-font.svg", - label: "Font", + label: S.of(context).font, isSelected: selectedActionIndex == 1, onTap: () { _selectAction(1); @@ -91,7 +92,7 @@ class _ImageEditorTextBarState extends State ), CircularIconButton( svgPath: "assets/image-editor/image-editor-text-background.svg", - label: "Background", + label: S.of(context).background, isSelected: selectedActionIndex == 2, onTap: () { setState(() { @@ -101,7 +102,7 @@ class _ImageEditorTextBarState extends State ), CircularIconButton( svgPath: "assets/image-editor/image-editor-text-align-left.svg", - label: "Align", + label: S.of(context).align, isSelected: selectedActionIndex == 3, onTap: () { setState(() { diff --git a/mobile/apps/photos/lib/ui/viewer/file/detail_page.dart b/mobile/apps/photos/lib/ui/viewer/file/detail_page.dart index 5cb0d8fcbe..47ff3c11cc 100644 --- a/mobile/apps/photos/lib/ui/viewer/file/detail_page.dart +++ b/mobile/apps/photos/lib/ui/viewer/file/detail_page.dart @@ -20,7 +20,6 @@ import "package:photos/states/detail_page_state.dart"; import "package:photos/ui/common/fast_scroll_physics.dart"; import 'package:photos/ui/notification/toast.dart'; import "package:photos/ui/tools/editor/image_editor/image_editor_page_new.dart"; -import 'package:photos/ui/tools/editor/image_editor_page.dart'; import "package:photos/ui/tools/editor/video_editor_page.dart"; import "package:photos/ui/viewer/file/file_app_bar.dart"; import "package:photos/ui/viewer/file/file_bottom_bar.dart"; @@ -176,7 +175,7 @@ class _DetailPageState extends State { builder: (BuildContext context, int selectedIndex, _) { return FileBottomBar( _files![selectedIndex], - _onNewImageEditor, + _onEditFileRequested, widget.config.mode == DetailPageMode.minimalistic && !isGuestView, onFileRemoved: _onFileRemoved, @@ -358,7 +357,7 @@ class _DetailPageState extends State { } } - Future _onNewImageEditor(EnteFile file) async { + Future _onEditFileRequested(EnteFile file) async { if (file.uploadedFileID != null && file.ownerID != Configuration.instance.getUserID()) { _logger.severe( @@ -420,67 +419,6 @@ class _DetailPageState extends State { } } - Future _onEditFileRequested(EnteFile file) async { - if (file.uploadedFileID != null && - file.ownerID != Configuration.instance.getUserID()) { - _logger.severe( - "Attempt to edit unowned file", - UnauthorizedEditError(), - StackTrace.current, - ); - // ignore: unawaited_futures - showErrorDialog( - context, - S.of(context).sorry, - S.of(context).weDontSupportEditingPhotosAndAlbumsThatYouDont, - ); - return; - } - final dialog = createProgressDialog(context, S.of(context).pleaseWait); - await dialog.show(); - try { - final ioFile = await getFile(file); - if (ioFile == null) { - showShortToast(context, S.of(context).failedToFetchOriginalForEdit); - await dialog.hide(); - return; - } - if (file.fileType == FileType.video) { - await dialog.hide(); - replacePage( - context, - VideoEditorPage( - file: file, - ioFile: ioFile, - detailPageConfig: widget.config.copyWith( - files: _files, - selectedIndex: _selectedIndexNotifier.value, - ), - ), - ); - return; - } - final imageProvider = - ExtendedFileImageProvider(ioFile, cacheRawData: true); - await precacheImage(imageProvider, context); - await dialog.hide(); - replacePage( - context, - ImageEditorPage( - imageProvider, - file, - widget.config.copyWith( - files: _files, - selectedIndex: _selectedIndexNotifier.value, - ), - ), - ); - } catch (e) { - await dialog.hide(); - _logger.warning("Failed to initiate edit", e); - } - } - Future _requestAuthentication() async { return await LocalAuthenticationService.instance.requestLocalAuthentication( context, From bd9dd0a839a602763bf8df8475db6a4ce464830a Mon Sep 17 00:00:00 2001 From: Manav Rathi Date: Thu, 31 Jul 2025 15:41:04 +0530 Subject: [PATCH 287/302] [rust] Setup PR checks --- .github/workflows/rust-lint.yml | 41 +++++++++++++++++++++++++++++++++ 1 file changed, 41 insertions(+) create mode 100644 .github/workflows/rust-lint.yml diff --git a/.github/workflows/rust-lint.yml b/.github/workflows/rust-lint.yml new file mode 100644 index 0000000000..0f7694e0c6 --- /dev/null +++ b/.github/workflows/rust-lint.yml @@ -0,0 +1,41 @@ +name: "Lint (rust)" + +on: + # Run on every pull request (open or push to it) that changes rust/ + pull_request: + paths: + - "rust/**" + - ".github/workflows/rust-lint.yml" + +permissions: + contents: read + +# Cancel in-progress lint runs when a new commit is pushed. +concurrency: + group: ${{ github.workflow }}-${{ github.ref }} + cancel-in-progress: true + +jobs: + lint: + runs-on: ubuntu-latest + defaults: + run: + working-directory: rust + steps: + - name: Checkout code + uses: actions/checkout@v4 + + - name: Cache + uses: actions/cache@v4 + with: + path: | + ~/.cargo/registry + ~/.cargo/git + target + key: ${{ runner.os }}-cargo-${{ hashFiles('**/Cargo.lock') }} + + - run: cargo fmt --check + + - run: cargo clippy + + - run: cargo build From 557563e1b7d830bf5d2678882c9a28e881adcfd5 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Thu, 31 Jul 2025 15:38:58 +0530 Subject: [PATCH 288/302] Keep InheritedDetailPageState and DetailPage's body in different widgets to avoid InheritedDetailPageState from getting reinitialized and losing it's state when body of DetailPage rebuilds --- .../lib/ui/viewer/file/detail_page.dart | 196 ++++++++++-------- 1 file changed, 104 insertions(+), 92 deletions(-) diff --git a/mobile/apps/photos/lib/ui/viewer/file/detail_page.dart b/mobile/apps/photos/lib/ui/viewer/file/detail_page.dart index 5cb0d8fcbe..42b0a71954 100644 --- a/mobile/apps/photos/lib/ui/viewer/file/detail_page.dart +++ b/mobile/apps/photos/lib/ui/viewer/file/detail_page.dart @@ -64,16 +64,30 @@ class DetailPageConfiguration { } } -class DetailPage extends StatefulWidget { +class DetailPage extends StatelessWidget { final DetailPageConfiguration config; const DetailPage(this.config, {super.key}); @override - State createState() => _DetailPageState(); + Widget build(BuildContext context) { + // Separating body to a different widget to avoid + // unnecessary reinitialization of the InheritedDetailPageState + // when the body is rebuilt, which can reset state stored in it. + return InheritedDetailPageState(child: _Body(config)); + } } -class _DetailPageState extends State { +class _Body extends StatefulWidget { + final DetailPageConfiguration config; + + const _Body(this.config); + + @override + State<_Body> createState() => _BodyState(); +} + +class _BodyState extends State<_Body> { final _logger = Logger("DetailPageState"); bool _shouldDisableScroll = false; List? _files; @@ -137,102 +151,100 @@ class _DetailPageState extends State { _files!.length.toString() + " files .", ); - return InheritedDetailPageState( - child: PopScope( - canPop: !isGuestView, - onPopInvokedWithResult: (didPop, _) async { - if (isGuestView) { - final authenticated = await _requestAuthentication(); - if (authenticated) { - Bus.instance.fire(GuestViewEvent(false, false)); - await localSettings.setOnGuestView(false); - } + return PopScope( + canPop: !isGuestView, + onPopInvokedWithResult: (didPop, _) async { + if (isGuestView) { + final authenticated = await _requestAuthentication(); + if (authenticated) { + Bus.instance.fire(GuestViewEvent(false, false)); + await localSettings.setOnGuestView(false); } - }, - child: Scaffold( - appBar: PreferredSize( - preferredSize: const Size.fromHeight(80), - child: ValueListenableBuilder( - builder: (BuildContext context, int selectedIndex, _) { - return FileAppBar( - _files![selectedIndex], - _onFileRemoved, - widget.config.mode == DetailPageMode.full, - enableFullScreenNotifier: InheritedDetailPageState.of(context) - .enableFullScreenNotifier, - ); - }, - valueListenable: _selectedIndexNotifier, - ), + } + }, + child: Scaffold( + appBar: PreferredSize( + preferredSize: const Size.fromHeight(80), + child: ValueListenableBuilder( + builder: (BuildContext context, int selectedIndex, _) { + return FileAppBar( + _files![selectedIndex], + _onFileRemoved, + widget.config.mode == DetailPageMode.full, + enableFullScreenNotifier: InheritedDetailPageState.of(context) + .enableFullScreenNotifier, + ); + }, + valueListenable: _selectedIndexNotifier, ), - extendBodyBehindAppBar: true, - resizeToAvoidBottomInset: false, - backgroundColor: Colors.black, - body: Center( - child: Stack( - children: [ - _buildPageView(), - ValueListenableBuilder( - builder: (BuildContext context, int selectedIndex, _) { - return FileBottomBar( - _files![selectedIndex], - _onNewImageEditor, - widget.config.mode == DetailPageMode.minimalistic && - !isGuestView, - onFileRemoved: _onFileRemoved, - userID: Configuration.instance.getUserID(), - enableFullScreenNotifier: - InheritedDetailPageState.of(context) - .enableFullScreenNotifier, - ); - }, - valueListenable: _selectedIndexNotifier, - ), - ValueListenableBuilder( - valueListenable: _selectedIndexNotifier, - builder: (BuildContext context, int selectedIndex, _) { - if (_files![selectedIndex].isPanorama() == true) { - return ValueListenableBuilder( - valueListenable: InheritedDetailPageState.of(context) + ), + extendBodyBehindAppBar: true, + resizeToAvoidBottomInset: false, + backgroundColor: Colors.black, + body: Center( + child: Stack( + children: [ + _buildPageView(), + ValueListenableBuilder( + builder: (BuildContext context, int selectedIndex, _) { + return FileBottomBar( + _files![selectedIndex], + _onNewImageEditor, + widget.config.mode == DetailPageMode.minimalistic && + !isGuestView, + onFileRemoved: _onFileRemoved, + userID: Configuration.instance.getUserID(), + enableFullScreenNotifier: + InheritedDetailPageState.of(context) .enableFullScreenNotifier, - builder: (context, value, child) { - return IgnorePointer( - ignoring: value, - child: AnimatedOpacity( - duration: const Duration(milliseconds: 200), - opacity: !value ? 1.0 : 0.0, - child: Align( - alignment: Alignment.center, - child: Tooltip( - message: S.of(context).panorama, - child: IconButton( - style: IconButton.styleFrom( - backgroundColor: const Color(0xAA252525), - fixedSize: const Size(44, 44), - ), - icon: const Icon( - Icons.threesixty, - color: Colors.white, - size: 26, - ), - onPressed: () async { - await openPanoramaViewerPage( - _files![selectedIndex], - ); - }, + ); + }, + valueListenable: _selectedIndexNotifier, + ), + ValueListenableBuilder( + valueListenable: _selectedIndexNotifier, + builder: (BuildContext context, int selectedIndex, _) { + if (_files![selectedIndex].isPanorama() == true) { + return ValueListenableBuilder( + valueListenable: InheritedDetailPageState.of(context) + .enableFullScreenNotifier, + builder: (context, value, child) { + return IgnorePointer( + ignoring: value, + child: AnimatedOpacity( + duration: const Duration(milliseconds: 200), + opacity: !value ? 1.0 : 0.0, + child: Align( + alignment: Alignment.center, + child: Tooltip( + message: S.of(context).panorama, + child: IconButton( + style: IconButton.styleFrom( + backgroundColor: const Color(0xAA252525), + fixedSize: const Size(44, 44), ), + icon: const Icon( + Icons.threesixty, + color: Colors.white, + size: 26, + ), + onPressed: () async { + await openPanoramaViewerPage( + _files![selectedIndex], + ); + }, ), ), ), - ); - }, - ); - } - return const SizedBox(); - }, - ), - ], - ), + ), + ); + }, + ); + } + return const SizedBox(); + }, + ), + ], ), ), ), From fa47f34e74d66f1a392517f3ffd0bc0b68e1ecaf Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Thu, 31 Jul 2025 16:39:50 +0530 Subject: [PATCH 289/302] fix: add logs --- .../photos/lib/ui/collections/album/smart_album_people.dart | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart b/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart index 17e6f58218..8a8ba2af10 100644 --- a/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart +++ b/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart @@ -2,6 +2,7 @@ import "dart:async"; import "package:flutter/foundation.dart"; import 'package:flutter/material.dart'; +import "package:logging/logging.dart"; import "package:photos/core/event_bus.dart"; import "package:photos/db/files_db.dart"; import "package:photos/events/collection_updated_event.dart"; @@ -36,6 +37,8 @@ class _SmartAlbumPeopleState extends State { final _selectedPeople = SelectedPeople(); SmartAlbumConfig? currentConfig; + final _logger = Logger("SmartAlbumPeople"); + @override void initState() { super.initState(); @@ -169,6 +172,7 @@ class _SmartAlbumPeopleState extends State { await dialog.hide(); Navigator.pop(context); } catch (e) { + _logger.severe(e); await dialog.hide(); await showGenericErrorDialog( context: context, From 767703c383171404b68f86fa0d5659f483ad2112 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Thu, 31 Jul 2025 16:42:05 +0530 Subject: [PATCH 290/302] chore: more sync logs --- mobile/apps/photos/lib/services/smart_albums_service.dart | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/services/smart_albums_service.dart b/mobile/apps/photos/lib/services/smart_albums_service.dart index 1aa8148f46..e602ed0825 100644 --- a/mobile/apps/photos/lib/services/smart_albums_service.dart +++ b/mobile/apps/photos/lib/services/smart_albums_service.dart @@ -86,6 +86,7 @@ class SmartAlbumsService { return; } + _logger.info("Syncing Smart Albums"); final cachedConfigs = await getSmartConfigs(); final userId = Configuration.instance.getUserID()!; @@ -166,11 +167,14 @@ class SmartAlbumsService { newConfig = newConfig.addFiles(updatedAtMap, pendingSyncFiles); await saveConfig(newConfig); - } catch (_) {} + } catch (e, sT) { + _logger.warning(e, sT); + } } } syncingCollection = null; Bus.instance.fire(SmartAlbumSyncingEvent()); + _logger.info("Smart Albums sync completed"); } Future addPeopleToSmartAlbum( From 927e1fef803d2a2ad590dbd7a49b66e4a85b24bf Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Thu, 31 Jul 2025 17:40:55 +0530 Subject: [PATCH 291/302] fix: only delete if collection is deleted or null --- .../lib/services/smart_albums_service.dart | 34 ++++++++++++------- 1 file changed, 21 insertions(+), 13 deletions(-) diff --git a/mobile/apps/photos/lib/services/smart_albums_service.dart b/mobile/apps/photos/lib/services/smart_albums_service.dart index e602ed0825..2f0998a579 100644 --- a/mobile/apps/photos/lib/services/smart_albums_service.dart +++ b/mobile/apps/photos/lib/services/smart_albums_service.dart @@ -86,24 +86,35 @@ class SmartAlbumsService { return; } - _logger.info("Syncing Smart Albums"); + _logger.fine("Syncing Smart Albums"); final cachedConfigs = await getSmartConfigs(); final userId = Configuration.instance.getUserID()!; for (final entry in cachedConfigs.entries) { final collectionId = entry.key; final config = entry.value; + + if (config.personIDs.isEmpty) { + _logger.warning( + "Skipping sync for collection ($collectionId) as it has no person IDs", + ); + continue; + } + final collection = CollectionsService.instance.getCollectionByID(collectionId); - if (!(collection?.canAutoAdd(userId) ?? false)) { + if (collection == null || !collection.canAutoAdd(userId)) { _logger.warning( - "Deleting collection config ($collectionId) as user does not have permission", - ); - await _deleteEntry( - userId: userId, - collectionId: collectionId, + "For config ($collectionId) user does not have permission", ); + if (collection?.isDeleted ?? true) { + await _deleteEntry( + userId: userId, + collectionId: collectionId, + ); + } + continue; } @@ -174,7 +185,7 @@ class SmartAlbumsService { } syncingCollection = null; Bus.instance.fire(SmartAlbumSyncingEvent()); - _logger.info("Smart Albums sync completed"); + _logger.fine("Smart Albums sync completed"); } Future addPeopleToSmartAlbum( @@ -218,11 +229,6 @@ class SmartAlbumsService { addWithCustomID: config.id == null, userId: userId, ); - } else if (config.id != null) { - await _deleteEntry( - userId: userId, - collectionId: config.collectionId, - ); } } @@ -242,6 +248,7 @@ class SmartAlbumsService { bool addWithCustomID = false, required int userId, }) async { + _logger.fine("Adding or updating entity for collection ($collectionId)"); final id = getId(collectionId: collectionId, userId: userId); final result = await entityService.addOrUpdate( type, @@ -258,6 +265,7 @@ class SmartAlbumsService { required int userId, required int collectionId, }) async { + _logger.fine("Deleting entry for collection ($collectionId)"); final id = getId(collectionId: collectionId, userId: userId); await entityService.deleteEntry(id); _lastCacheRefreshTime = 0; // Invalidate cache From 19e353453b817b2d0f378104b85dd697da55e935 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Thu, 31 Jul 2025 17:41:36 +0530 Subject: [PATCH 292/302] fix: don't delete entity if collection null --- mobile/apps/photos/lib/services/smart_albums_service.dart | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/services/smart_albums_service.dart b/mobile/apps/photos/lib/services/smart_albums_service.dart index 2f0998a579..1bdff8fa83 100644 --- a/mobile/apps/photos/lib/services/smart_albums_service.dart +++ b/mobile/apps/photos/lib/services/smart_albums_service.dart @@ -108,7 +108,7 @@ class SmartAlbumsService { _logger.warning( "For config ($collectionId) user does not have permission", ); - if (collection?.isDeleted ?? true) { + if (collection?.isDeleted ?? false) { await _deleteEntry( userId: userId, collectionId: collectionId, From 574cfd5165a7818a76183cfb871413fb82a9b737 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Thu, 31 Jul 2025 17:52:16 +0530 Subject: [PATCH 293/302] fix: improve error logging in smart album config saving --- .../lib/ui/collections/album/smart_album_people.dart | 10 +++++++--- 1 file changed, 7 insertions(+), 3 deletions(-) diff --git a/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart b/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart index 8a8ba2af10..7ee8c8c594 100644 --- a/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart +++ b/mobile/apps/photos/lib/ui/collections/album/smart_album_people.dart @@ -171,12 +171,16 @@ class _SmartAlbumPeopleState extends State { await dialog.hide(); Navigator.pop(context); - } catch (e) { - _logger.severe(e); + } catch (error, stackTrace) { + _logger.severe( + "Error saving smart album config", + error, + stackTrace, + ); await dialog.hide(); await showGenericErrorDialog( context: context, - error: e, + error: error, ); } } From 9b42f06152f6ce6763f1673e1b63c89a44de26cf Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Thu, 31 Jul 2025 17:53:01 +0530 Subject: [PATCH 294/302] fix: change log level to info for syncing smart albums --- mobile/apps/photos/lib/services/smart_albums_service.dart | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/services/smart_albums_service.dart b/mobile/apps/photos/lib/services/smart_albums_service.dart index 1bdff8fa83..1be07b7519 100644 --- a/mobile/apps/photos/lib/services/smart_albums_service.dart +++ b/mobile/apps/photos/lib/services/smart_albums_service.dart @@ -86,7 +86,7 @@ class SmartAlbumsService { return; } - _logger.fine("Syncing Smart Albums"); + _logger.info("Syncing Smart Albums"); final cachedConfigs = await getSmartConfigs(); final userId = Configuration.instance.getUserID()!; From b4ebc8482ff47582f71ddde3ab0e4968cfe34269 Mon Sep 17 00:00:00 2001 From: Prateek Sunal Date: Thu, 31 Jul 2025 17:55:04 +0530 Subject: [PATCH 295/302] fix: remove support for favorites and uncateogrized albums --- mobile/apps/photos/lib/models/collection/collection.dart | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/mobile/apps/photos/lib/models/collection/collection.dart b/mobile/apps/photos/lib/models/collection/collection.dart index 35d4a5167a..ffb60673c5 100644 --- a/mobile/apps/photos/lib/models/collection/collection.dart +++ b/mobile/apps/photos/lib/models/collection/collection.dart @@ -142,7 +142,9 @@ class Collection { bool canAutoAdd(int userID) { final canEditCollection = isOwner(userID) || getRole(userID) == CollectionParticipantRole.collaborator; - return canEditCollection && !isDeleted; + final isFavoritesOrUncategorized = type == CollectionType.favorites || + type == CollectionType.uncategorized; + return canEditCollection && !isDeleted && !isFavoritesOrUncategorized; } bool isDownloadEnabledForPublicLink() { From 783d70a8f1a5930116ee5a9d1fbb1e4ca62a5168 Mon Sep 17 00:00:00 2001 From: ashilkn Date: Thu, 31 Jul 2025 22:38:04 +0530 Subject: [PATCH 296/302] bump up build number --- mobile/apps/photos/pubspec.yaml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mobile/apps/photos/pubspec.yaml b/mobile/apps/photos/pubspec.yaml index 8d118c27ee..16e9a28d65 100644 --- a/mobile/apps/photos/pubspec.yaml +++ b/mobile/apps/photos/pubspec.yaml @@ -12,7 +12,7 @@ description: ente photos application # Read more about iOS versioning at # https://developer.apple.com/library/archive/documentation/General/Reference/InfoPlistKeyReference/Articles/CoreFoundationKeys.html -version: 1.2.0+1120 +version: 1.2.0+1200 publish_to: none environment: From 2fe3c61621bc2be71e4609e9fe24950e9b6297cc Mon Sep 17 00:00:00 2001 From: Neeraj Gupta <254676+ua741@users.noreply.github.com> Date: Fri, 1 Aug 2025 10:34:53 +0530 Subject: [PATCH 297/302] [mob][photos] Upgrade media_kit --- mobile/apps/photos/ios/Podfile.lock | 133 +++++++++--------- .../ios/Runner.xcodeproj/project.pbxproj | 6 +- mobile/apps/photos/pubspec.lock | 82 +++++------ 3 files changed, 114 insertions(+), 107 deletions(-) diff --git a/mobile/apps/photos/ios/Podfile.lock b/mobile/apps/photos/ios/Podfile.lock index 55224eaaf9..627d2debd6 100644 --- a/mobile/apps/photos/ios/Podfile.lock +++ b/mobile/apps/photos/ios/Podfile.lock @@ -12,6 +12,8 @@ PODS: - Flutter - device_info_plus (0.0.1): - Flutter + - emoji_picker_flutter (0.0.1): + - Flutter - ffmpeg_kit_custom (6.0.3) - ffmpeg_kit_flutter (6.0.3): - ffmpeg_kit_custom @@ -127,9 +129,6 @@ PODS: - libwebp/sharpyuv (1.5.0) - libwebp/webp (1.5.0): - libwebp/sharpyuv - - local_auth_darwin (0.0.1): - - Flutter - - FlutterMacOS - local_auth_ios (0.0.1): - Flutter - Mantle (2.2.0): @@ -230,6 +229,8 @@ PODS: - Flutter - url_launcher_ios (0.0.1): - Flutter + - vibration (1.7.5): + - Flutter - video_player_avfoundation (0.0.1): - Flutter - FlutterMacOS @@ -250,6 +251,7 @@ DEPENDENCIES: - cupertino_http (from `.symlinks/plugins/cupertino_http/darwin`) - dart_ui_isolate (from `.symlinks/plugins/dart_ui_isolate/ios`) - device_info_plus (from `.symlinks/plugins/device_info_plus/ios`) + - emoji_picker_flutter (from `.symlinks/plugins/emoji_picker_flutter/ios`) - ffmpeg_kit_flutter (from `.symlinks/plugins/ffmpeg_kit_flutter/ios`) - file_saver (from `.symlinks/plugins/file_saver/ios`) - firebase_core (from `.symlinks/plugins/firebase_core/ios`) @@ -269,7 +271,6 @@ DEPENDENCIES: - in_app_purchase_storekit (from `.symlinks/plugins/in_app_purchase_storekit/darwin`) - integration_test (from `.symlinks/plugins/integration_test/ios`) - launcher_icon_switcher (from `.symlinks/plugins/launcher_icon_switcher/ios`) - - local_auth_darwin (from `.symlinks/plugins/local_auth_darwin/darwin`) - local_auth_ios (from `.symlinks/plugins/local_auth_ios/ios`) - maps_launcher (from `.symlinks/plugins/maps_launcher/ios`) - media_extension (from `.symlinks/plugins/media_extension/ios`) @@ -297,6 +298,7 @@ DEPENDENCIES: - thermal (from `.symlinks/plugins/thermal/ios`) - ua_client_hints (from `.symlinks/plugins/ua_client_hints/ios`) - url_launcher_ios (from `.symlinks/plugins/url_launcher_ios/ios`) + - vibration (from `.symlinks/plugins/vibration/ios`) - video_player_avfoundation (from `.symlinks/plugins/video_player_avfoundation/darwin`) - video_thumbnail (from `.symlinks/plugins/video_thumbnail/ios`) - volume_controller (from `.symlinks/plugins/volume_controller/ios`) @@ -304,7 +306,7 @@ DEPENDENCIES: - workmanager (from `.symlinks/plugins/workmanager/ios`) SPEC REPOS: - https://github.com/ente-io/ffmpeg-kit-custom-repo-ios: + https://github.com/ente-io/ffmpeg-kit-custom-repo-ios.git: - ffmpeg_kit_custom trunk: - Firebase @@ -339,6 +341,8 @@ EXTERNAL SOURCES: :path: ".symlinks/plugins/dart_ui_isolate/ios" device_info_plus: :path: ".symlinks/plugins/device_info_plus/ios" + emoji_picker_flutter: + :path: ".symlinks/plugins/emoji_picker_flutter/ios" ffmpeg_kit_flutter: :path: ".symlinks/plugins/ffmpeg_kit_flutter/ios" file_saver: @@ -377,8 +381,6 @@ EXTERNAL SOURCES: :path: ".symlinks/plugins/integration_test/ios" launcher_icon_switcher: :path: ".symlinks/plugins/launcher_icon_switcher/ios" - local_auth_darwin: - :path: ".symlinks/plugins/local_auth_darwin/darwin" local_auth_ios: :path: ".symlinks/plugins/local_auth_ios/ios" maps_launcher: @@ -433,6 +435,8 @@ EXTERNAL SOURCES: :path: ".symlinks/plugins/ua_client_hints/ios" url_launcher_ios: :path: ".symlinks/plugins/url_launcher_ios/ios" + vibration: + :path: ".symlinks/plugins/vibration/ios" video_player_avfoundation: :path: ".symlinks/plugins/video_player_avfoundation/darwin" video_thumbnail: @@ -445,83 +449,84 @@ EXTERNAL SOURCES: :path: ".symlinks/plugins/workmanager/ios" SPEC CHECKSUMS: - app_links: 76b66b60cc809390ca1ad69bfd66b998d2387ac7 - battery_info: 83f3aae7be2fccefab1d2bf06b8aa96f11c8bcdd - connectivity_plus: cb623214f4e1f6ef8fe7403d580fdad517d2f7dd - cupertino_http: 94ac07f5ff090b8effa6c5e2c47871d48ab7c86c - dart_ui_isolate: 46f6714abe6891313267153ef6f9748d8ecfcab1 - device_info_plus: 335f3ce08d2e174b9fdc3db3db0f4e3b1f66bd89 + app_links: f3e17e4ee5e357b39d8b95290a9b2c299fca71c6 + battery_info: b6c551049266af31556b93c9d9b9452cfec0219f + connectivity_plus: 2a701ffec2c0ae28a48cf7540e279787e77c447d + cupertino_http: 947a233f40cfea55167a49f2facc18434ea117ba + dart_ui_isolate: d5bcda83ca4b04f129d70eb90110b7a567aece14 + device_info_plus: c6fb39579d0f423935b0c9ce7ee2f44b71b9fce6 + emoji_picker_flutter: fe2e6151c5b548e975d546e6eeb567daf0962a58 ffmpeg_kit_custom: 682b4f2f1ff1f8abae5a92f6c3540f2441d5be99 - ffmpeg_kit_flutter: 915b345acc97d4142e8a9a8549d177ff10f043f5 - file_saver: 6cdbcddd690cb02b0c1a0c225b37cd805c2bf8b6 + ffmpeg_kit_flutter: 9dce4803991478c78c6fb9f972703301101095fe + file_saver: 503e386464dbe118f630e17b4c2e1190fa0cf808 Firebase: d80354ed7f6df5f9aca55e9eb47cc4b634735eaf - firebase_core: 6cbed78b4f298ed103a9fd034e6dbc846320480f - firebase_messaging: 5e0adf2eb18b0ee59aa0c109314c091a0497ecac + firebase_core: 6e223dfa350b2edceb729cea505eaaef59330682 + firebase_messaging: 07fde77ae28c08616a1d4d870450efc2b38cf40d FirebaseCore: 99fe0c4b44a39f37d99e6404e02009d2db5d718d FirebaseCoreInternal: df24ce5af28864660ecbd13596fc8dd3a8c34629 FirebaseInstallations: 6c963bd2a86aca0481eef4f48f5a4df783ae5917 FirebaseMessaging: 487b634ccdf6f7b7ff180fdcb2a9935490f764e8 Flutter: e0871f40cf51350855a761d2e70bf5af5b9b5de7 - flutter_email_sender: aa1e9772696691d02cd91fea829856c11efb8e58 - flutter_image_compress_common: 1697a328fd72bfb335507c6bca1a65fa5ad87df1 - flutter_inappwebview_ios: b89ba3482b96fb25e00c967aae065701b66e9b99 - flutter_local_notifications: a5a732f069baa862e728d839dd2ebb904737effb - flutter_native_splash: 6cad9122ea0fad137d23137dd14b937f3e90b145 - flutter_secure_storage: 2c2ff13db9e0a5647389bff88b0ecac56e3f3418 - flutter_sodium: 7e4621538491834eba53bd524547854bcbbd6987 - flutter_timezone: 7c838e17ffd4645d261e87037e5bebf6d38fe544 - fluttertoast: 2c67e14dce98bbdb200df9e1acf610d7a6264ea1 + flutter_email_sender: e03bdda7637bcd3539bfe718fddd980e9508efaa + flutter_image_compress_common: ec1d45c362c9d30a3f6a0426c297f47c52007e3e + flutter_inappwebview_ios: 6f63631e2c62a7c350263b13fa5427aedefe81d4 + flutter_local_notifications: ff50f8405aaa0ccdc7dcfb9022ca192e8ad9688f + flutter_native_splash: f71420956eb811e6d310720fee915f1d42852e7a + flutter_secure_storage: 23fc622d89d073675f2eaa109381aefbcf5a49be + flutter_sodium: a00383520fc689c688b66fd3092984174712493e + flutter_timezone: ac3da59ac941ff1c98a2e1f0293420e020120282 + fluttertoast: 21eecd6935e7064cc1fcb733a4c5a428f3f24f0f GoogleDataTransport: aae35b7ea0c09004c3797d53c8c41f66f219d6a7 GoogleUtilities: 00c88b9a86066ef77f0da2fab05f65d7768ed8e1 - home_widget: f169fc41fd807b4d46ab6615dc44d62adbf9f64f - image_editor_common: 3de87e7c4804f4ae24c8f8a998362b98c105cac1 - in_app_purchase_storekit: d1a48cb0f8b29dbf5f85f782f5dd79b21b90a5e6 - integration_test: 4a889634ef21a45d28d50d622cf412dc6d9f586e - launcher_icon_switcher: 84c218d233505aa7d8655d8fa61a3ba802c022da + home_widget: 0434835a4c9a75704264feff6be17ea40e0f0d57 + image_editor_common: d6f6644ae4a6de80481e89fe6d0a8c49e30b4b43 + in_app_purchase_storekit: a1ce04056e23eecc666b086040239da7619cd783 + integration_test: 252f60fa39af5e17c3aa9899d35d908a0721b573 + launcher_icon_switcher: 8e0ad2131a20c51c1dd939896ee32e70cd845b37 libwebp: 02b23773aedb6ff1fd38cec7a77b81414c6842a8 - local_auth_darwin: 553ce4f9b16d3fdfeafce9cf042e7c9f77c1c391 - local_auth_ios: f7a1841beef3151d140a967c2e46f30637cdf451 + local_auth_ios: 5046a18c018dd973247a0564496c8898dbb5adf9 Mantle: c5aa8794a29a022dfbbfc9799af95f477a69b62d - maps_launcher: edf829809ba9e894d70e569bab11c16352dedb45 - media_extension: 671e2567880d96c95c65c9a82ccceed8f2e309fd - media_kit_libs_ios_video: 5a18affdb97d1f5d466dc79988b13eff6c5e2854 - media_kit_video: 1746e198cb697d1ffb734b1d05ec429d1fcd1474 - motion_sensors: 741e702c17467b9569a92165dda8d4d88c6167f1 - motionphoto: 23e2aeb5c6380112f69468d71f970fa7438e5ed1 - move_to_background: 7e3467dd2a1d1013e98c9c1cb93fd53cd7ef9d84 + maps_launcher: 2e5b6a2d664ec6c27f82ffa81b74228d770ab203 + media_extension: 6618f07abd762cdbfaadf1b0c56a287e820f0c84 + media_kit_libs_ios_video: a5fe24bc7875ccd6378a0978c13185e1344651c1 + media_kit_video: 5da63f157170e5bf303bf85453b7ef6971218a2e + motion_sensors: 03f55b7c637a7e365a0b5f9697a449f9059d5d91 + motionphoto: 8b65ce50c7d7ff3c767534fc3768b2eed9ac24e4 + move_to_background: cd3091014529ec7829e342ad2d75c0a11f4378a5 nanopb: fad817b59e0457d11a5dfbde799381cd727c1275 - native_video_player: 6809dec117e8997161dbfb42a6f90d6df71a504d - objective_c: 89e720c30d716b036faf9c9684022048eee1eee2 - onnxruntime: f9b296392c96c42882be020a59dbeac6310d81b2 + native_video_player: 29ab24a926804ac8c4a57eb6d744c7d927c2bc3e + objective_c: 77e887b5ba1827970907e10e832eec1683f3431d + onnxruntime: e7c2ae44385191eaad5ae64c935a72debaddc997 onnxruntime-c: a909204639a1f035f575127ac406f781ac797c9c onnxruntime-objc: b6fab0f1787aa6f7190c2013f03037df4718bd8b - open_mail_app: 7314a609e88eed22d53671279e189af7a0ab0f11 + open_mail_app: 70273c53f768beefdafbe310c3d9086e4da3cb02 OrderedSet: e539b66b644ff081c73a262d24ad552a69be3a94 - package_info_plus: af8e2ca6888548050f16fa2f1938db7b5a5df499 - path_provider_foundation: 080d55be775b7414fd5a5ef3ac137b97b097e564 - permission_handler_apple: 4ed2196e43d0651e8ff7ca3483a069d469701f2d - photo_manager: d2fbcc0f2d82458700ee6256a15018210a81d413 - privacy_screen: 3159a541f5d3a31bea916cfd4e58f9dc722b3fd4 + package_info_plus: c0502532a26c7662a62a356cebe2692ec5fe4ec4 + path_provider_foundation: 2b6b4c569c0fb62ec74538f866245ac84301af46 + permission_handler_apple: 9878588469a2b0d0fc1e048d9f43605f92e6cec2 + photo_manager: ff695c7a1dd5bc379974953a2b5c0a293f7c4c8a + privacy_screen: 1a131c052ceb3c3659934b003b0d397c2381a24e PromisesObjC: f5707f49cb48b9636751c5b2e7d227e43fba9f47 - receive_sharing_intent: 222384f00ffe7e952bbfabaa9e3967cb87e5fe00 + receive_sharing_intent: 79c848f5b045674ad60b9fea3bafea59962ad2c1 SDWebImage: f29024626962457f3470184232766516dee8dfea SDWebImageWebPCoder: e38c0a70396191361d60c092933e22c20d5b1380 Sentry: da60d980b197a46db0b35ea12cb8f39af48d8854 - sentry_flutter: 27892878729f42701297c628eb90e7c6529f3684 - share_plus: 50da8cb520a8f0f65671c6c6a99b3617ed10a58a - shared_preferences_foundation: 9e1978ff2562383bd5676f64ec4e9aa8fa06a6f7 - sqflite_darwin: 20b2a3a3b70e43edae938624ce550a3cbf66a3d0 + sentry_flutter: 2df8b0aab7e4aba81261c230cbea31c82a62dd1b + share_plus: 8b6f8b3447e494cca5317c8c3073de39b3600d1f + shared_preferences_foundation: fcdcbc04712aee1108ac7fda236f363274528f78 + sqflite_darwin: 5a7236e3b501866c1c9befc6771dfd73ffb8702d sqlite3: 3c950dc86011117c307eb0b28c4a7bb449dce9f1 - sqlite3_flutter_libs: 3c323550ef3b928bc0aa9513c841e45a7d242832 - system_info_plus: 555ce7047fbbf29154726db942ae785c29211740 - thermal: d4c48be750d1ddbab36b0e2dcb2471531bc8df41 - ua_client_hints: 92fe0d139619b73ec9fcb46cc7e079a26178f586 - url_launcher_ios: 694010445543906933d732453a59da0a173ae33d - video_player_avfoundation: 2cef49524dd1f16c5300b9cd6efd9611ce03639b - video_thumbnail: 584ccfa55d8fd2f3d5507218b0a18d84c839c620 - volume_controller: 3657a1f65bedb98fa41ff7dc5793537919f31b12 - wakelock_plus: 04623e3f525556020ebd4034310f20fe7fda8b49 - workmanager: 01be2de7f184bd15de93a1812936a2b7f42ef07e + sqlite3_flutter_libs: 069c435986dd4b63461aecd68f4b30be4a9e9daa + system_info_plus: 5393c8da281d899950d751713575fbf91c7709aa + thermal: a9261044101ae8f532fa29cab4e8270b51b3f55c + ua_client_hints: aeabd123262c087f0ce151ef96fa3ab77bfc8b38 + url_launcher_ios: 5334b05cef931de560670eeae103fd3e431ac3fe + vibration: 7d883d141656a1c1a6d8d238616b2042a51a1241 + video_player_avfoundation: 7c6c11d8470e1675df7397027218274b6d2360b3 + video_thumbnail: 94ba6705afbaa120b77287080424930f23ea0c40 + volume_controller: 2e3de73d6e7e81a0067310d17fb70f2f86d71ac7 + wakelock_plus: 373cfe59b235a6dd5837d0fb88791d2f13a90d56 + workmanager: 0afdcf5628bbde6924c21af7836fed07b42e30e6 PODFILE CHECKSUM: a8ef88ad74ba499756207e7592c6071a96756d18 diff --git a/mobile/apps/photos/ios/Runner.xcodeproj/project.pbxproj b/mobile/apps/photos/ios/Runner.xcodeproj/project.pbxproj index d1c1bff9f4..db6d40da7d 100644 --- a/mobile/apps/photos/ios/Runner.xcodeproj/project.pbxproj +++ b/mobile/apps/photos/ios/Runner.xcodeproj/project.pbxproj @@ -532,6 +532,7 @@ "${BUILT_PRODUCTS_DIR}/cupertino_http/cupertino_http.framework", "${BUILT_PRODUCTS_DIR}/dart_ui_isolate/dart_ui_isolate.framework", "${BUILT_PRODUCTS_DIR}/device_info_plus/device_info_plus.framework", + "${BUILT_PRODUCTS_DIR}/emoji_picker_flutter/emoji_picker_flutter.framework", "${BUILT_PRODUCTS_DIR}/file_saver/file_saver.framework", "${BUILT_PRODUCTS_DIR}/flutter_email_sender/flutter_email_sender.framework", "${BUILT_PRODUCTS_DIR}/flutter_image_compress_common/flutter_image_compress_common.framework", @@ -548,7 +549,6 @@ "${BUILT_PRODUCTS_DIR}/integration_test/integration_test.framework", "${BUILT_PRODUCTS_DIR}/launcher_icon_switcher/launcher_icon_switcher.framework", "${BUILT_PRODUCTS_DIR}/libwebp/libwebp.framework", - "${BUILT_PRODUCTS_DIR}/local_auth_darwin/local_auth_darwin.framework", "${BUILT_PRODUCTS_DIR}/local_auth_ios/local_auth_ios.framework", "${BUILT_PRODUCTS_DIR}/maps_launcher/maps_launcher.framework", "${BUILT_PRODUCTS_DIR}/media_extension/media_extension.framework", @@ -576,6 +576,7 @@ "${BUILT_PRODUCTS_DIR}/thermal/thermal.framework", "${BUILT_PRODUCTS_DIR}/ua_client_hints/ua_client_hints.framework", "${BUILT_PRODUCTS_DIR}/url_launcher_ios/url_launcher_ios.framework", + "${BUILT_PRODUCTS_DIR}/vibration/vibration.framework", "${BUILT_PRODUCTS_DIR}/video_player_avfoundation/video_player_avfoundation.framework", "${BUILT_PRODUCTS_DIR}/video_thumbnail/video_thumbnail.framework", "${BUILT_PRODUCTS_DIR}/volume_controller/volume_controller.framework", @@ -628,6 +629,7 @@ "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/cupertino_http.framework", "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/dart_ui_isolate.framework", "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/device_info_plus.framework", + "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/emoji_picker_flutter.framework", "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/file_saver.framework", "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/flutter_email_sender.framework", "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/flutter_image_compress_common.framework", @@ -644,7 +646,6 @@ "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/integration_test.framework", "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/launcher_icon_switcher.framework", "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/libwebp.framework", - "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/local_auth_darwin.framework", "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/local_auth_ios.framework", "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/maps_launcher.framework", "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/media_extension.framework", @@ -672,6 +673,7 @@ "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/thermal.framework", "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/ua_client_hints.framework", "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/url_launcher_ios.framework", + "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/vibration.framework", "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/video_player_avfoundation.framework", "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/video_thumbnail.framework", "${TARGET_BUILD_DIR}/${FRAMEWORKS_FOLDER_PATH}/volume_controller.framework", diff --git a/mobile/apps/photos/pubspec.lock b/mobile/apps/photos/pubspec.lock index 13f6212d27..15724d09da 100644 --- a/mobile/apps/photos/pubspec.lock +++ b/mobile/apps/photos/pubspec.lock @@ -5,10 +5,10 @@ packages: dependency: transitive description: name: _fe_analyzer_shared - sha256: f256b0c0ba6c7577c15e2e4e114755640a875e885099367bf6e012b19314c834 + sha256: "16e298750b6d0af7ce8a3ba7c18c69c3785d11b15ec83f6dcd0ad2a0009b3cab" url: "https://pub.dev" source: hosted - version: "72.0.0" + version: "76.0.0" _flutterfire_internals: dependency: transitive description: @@ -21,7 +21,7 @@ packages: dependency: transitive description: dart source: sdk - version: "0.3.2" + version: "0.3.3" adaptive_theme: dependency: "direct main" description: @@ -34,10 +34,10 @@ packages: dependency: transitive description: name: analyzer - sha256: b652861553cd3990d8ed361f7979dc6d7053a9ac8843fa73820ab68ce5410139 + sha256: "1f14db053a8c23e260789e9b0980fa27f2680dd640932cae5e1137cce0e46e1e" url: "https://pub.dev" source: hosted - version: "6.7.0" + version: "6.11.0" android_intent_plus: dependency: "direct main" description: @@ -317,10 +317,10 @@ packages: dependency: "direct main" description: name: collection - sha256: ee67cb0715911d28db6bf4af1026078bd6f0128b07a5f66fb2ed94ec6783c09a + sha256: a1ace0a119f20aabc852d165077c036cd864315bd99b7eaa10a60100341941bf url: "https://pub.dev" source: hosted - version: "1.18.0" + version: "1.19.0" computer: dependency: "direct main" description: @@ -1424,18 +1424,18 @@ packages: dependency: transitive description: name: leak_tracker - sha256: "3f87a60e8c63aecc975dda1ceedbc8f24de75f09e4856ea27daf8958f2f0ce05" + sha256: "7bb2830ebd849694d1ec25bf1f44582d6ac531a57a365a803a6034ff751d2d06" url: "https://pub.dev" source: hosted - version: "10.0.5" + version: "10.0.7" leak_tracker_flutter_testing: dependency: transitive description: name: leak_tracker_flutter_testing - sha256: "932549fb305594d82d7183ecd9fa93463e9914e1b67cacc34bc40906594a1806" + sha256: "9491a714cca3667b60b5c420da8217e6de0d1ba7a5ec322fab01758f6998f379" url: "https://pub.dev" source: hosted - version: "3.0.5" + version: "3.0.8" leak_tracker_testing: dependency: transitive description: @@ -1544,10 +1544,10 @@ packages: dependency: transitive description: name: macros - sha256: "0acaed5d6b7eab89f63350bccd82119e6c602df0f391260d0e32b5e23db79536" + sha256: "1d9e801cd66f7ea3663c45fc708450db1fa57f988142c64289142c9b7ee80656" url: "https://pub.dev" source: hosted - version: "0.1.2-main.4" + version: "0.1.3-main.0" maps_launcher: dependency: "direct main" description: @@ -1586,24 +1586,24 @@ packages: description: path: media_kit ref: HEAD - resolved-ref: "3c4ff28c43d20e68f8d587956b2f525292c25a80" + resolved-ref: c9617f570b8c0ba02857e721997f78c053a856c1 url: "https://github.com/media-kit/media-kit" source: git - version: "1.1.11" + version: "1.2.0" media_kit_libs_android_video: dependency: transitive description: name: media_kit_libs_android_video - sha256: "9dd8012572e4aff47516e55f2597998f0a378e3d588d0fad0ca1f11a53ae090c" + sha256: adff9b571b8ead0867f9f91070f8df39562078c0eb3371d88b9029a2d547d7b7 url: "https://pub.dev" source: hosted - version: "1.3.6" + version: "1.3.7" media_kit_libs_ios_video: dependency: "direct main" description: path: "libs/ios/media_kit_libs_ios_video" ref: HEAD - resolved-ref: "3c4ff28c43d20e68f8d587956b2f525292c25a80" + resolved-ref: c9617f570b8c0ba02857e721997f78c053a856c1 url: "https://github.com/media-kit/media-kit" source: git version: "1.1.4" @@ -1611,10 +1611,10 @@ packages: dependency: transitive description: name: media_kit_libs_linux - sha256: e186891c31daa6bedab4d74dcdb4e8adfccc7d786bfed6ad81fe24a3b3010310 + sha256: "2b473399a49ec94452c4d4ae51cfc0f6585074398d74216092bf3d54aac37ecf" url: "https://pub.dev" source: hosted - version: "1.1.3" + version: "1.2.1" media_kit_libs_macos_video: dependency: transitive description: @@ -1628,27 +1628,27 @@ packages: description: path: "libs/universal/media_kit_libs_video" ref: HEAD - resolved-ref: "3c4ff28c43d20e68f8d587956b2f525292c25a80" + resolved-ref: c9617f570b8c0ba02857e721997f78c053a856c1 url: "https://github.com/media-kit/media-kit" source: git - version: "1.0.5" + version: "1.0.6" media_kit_libs_windows_video: dependency: transitive description: name: media_kit_libs_windows_video - sha256: "32654572167825c42c55466f5d08eee23ea11061c84aa91b09d0e0f69bdd0887" + sha256: dff76da2778729ab650229e6b4ec6ec111eb5151431002cbd7ea304ff1f112ab url: "https://pub.dev" source: hosted - version: "1.0.10" + version: "1.0.11" media_kit_video: dependency: "direct main" description: path: media_kit_video ref: HEAD - resolved-ref: "3c4ff28c43d20e68f8d587956b2f525292c25a80" + resolved-ref: c9617f570b8c0ba02857e721997f78c053a856c1 url: "https://github.com/media-kit/media-kit" source: git - version: "1.2.5" + version: "1.3.0" meta: dependency: transitive description: @@ -2325,7 +2325,7 @@ packages: dependency: transitive description: flutter source: sdk - version: "0.0.99" + version: "0.0.0" source_gen: dependency: transitive description: @@ -2450,10 +2450,10 @@ packages: dependency: transitive description: name: stack_trace - sha256: "73713990125a6d93122541237550ee3352a2d84baad52d375a4cad2eb9b7ce0b" + sha256: "9f47fd3630d76be3ab26f0ee06d213679aa425996925ff3feffdec504931c377" url: "https://pub.dev" source: hosted - version: "1.11.1" + version: "1.12.0" step_progress_indicator: dependency: "direct main" description: @@ -2482,10 +2482,10 @@ packages: dependency: transitive description: name: string_scanner - sha256: "556692adab6cfa87322a115640c11f13cb77b3f076ddcc5d6ae3c20242bedcde" + sha256: "688af5ed3402a4bde5b3a6c15fd768dbf2621a614950b17f04626c431ab3c4c3" url: "https://pub.dev" source: hosted - version: "1.2.0" + version: "1.3.0" styled_text: dependency: "direct main" description: @@ -2546,26 +2546,26 @@ packages: dependency: "direct dev" description: name: test - sha256: "7ee44229615f8f642b68120165ae4c2a75fe77ae2065b1e55ae4711f6cf0899e" + sha256: "713a8789d62f3233c46b4a90b174737b2c04cb6ae4500f2aa8b1be8f03f5e67f" url: "https://pub.dev" source: hosted - version: "1.25.7" + version: "1.25.8" test_api: dependency: transitive description: name: test_api - sha256: "5b8a98dafc4d5c4c9c72d8b31ab2b23fc13422348d2997120294d3bac86b4ddb" + sha256: "664d3a9a64782fcdeb83ce9c6b39e78fd2971d4e37827b9b06c3aa1edc5e760c" url: "https://pub.dev" source: hosted - version: "0.7.2" + version: "0.7.3" test_core: dependency: transitive description: name: test_core - sha256: "55ea5a652e38a1dfb32943a7973f3681a60f872f8c3a05a14664ad54ef9c6696" + sha256: "12391302411737c176b0b5d6491f466b0dd56d4763e347b6714efbaa74d7953d" url: "https://pub.dev" source: hosted - version: "0.6.4" + version: "0.6.5" thermal: dependency: "direct main" description: @@ -2845,10 +2845,10 @@ packages: dependency: transitive description: name: vm_service - sha256: "5c5f338a667b4c644744b661f309fb8080bb94b18a7e91ef1dbd343bed00ed6d" + sha256: f6be3ed8bd01289b34d679c2b62226f63c0e69f9fd2e50a6b3c1c729a961041b url: "https://pub.dev" source: hosted - version: "14.2.5" + version: "14.3.0" volume_controller: dependency: transitive description: @@ -2909,10 +2909,10 @@ packages: dependency: transitive description: name: webdriver - sha256: "003d7da9519e1e5f329422b36c4dcdf18d7d2978d1ba099ea4e45ba490ed845e" + sha256: "3d773670966f02a646319410766d3b5e1037efb7f07cc68f844d5e06cd4d61c8" url: "https://pub.dev" source: hosted - version: "3.0.3" + version: "3.0.4" webkit_inspection_protocol: dependency: transitive description: From 5a9684f2517deb893e81016ae05b0ded1eecbf33 Mon Sep 17 00:00:00 2001 From: Neeraj Gupta <254676+ua741@users.noreply.github.com> Date: Fri, 1 Aug 2025 10:43:00 +0530 Subject: [PATCH 298/302] [mob][photos] Upgrade motionphoto (iOS) pkg --- mobile/apps/photos/pubspec.lock | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mobile/apps/photos/pubspec.lock b/mobile/apps/photos/pubspec.lock index 15724d09da..ec4f20df2a 100644 --- a/mobile/apps/photos/pubspec.lock +++ b/mobile/apps/photos/pubspec.lock @@ -1712,7 +1712,7 @@ packages: description: path: "." ref: HEAD - resolved-ref: "7814e2c61ee1fa74cef73b946eb08519c35bdaa5" + resolved-ref: "64e47a446bf3b64f012f2076481cebea51ca27cf" url: "https://github.com/ente-io/motionphoto.git" source: git version: "0.0.1" From 14873623664c662bea9210c3b415416adc18b052 Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Fri, 1 Aug 2025 12:18:56 +0530 Subject: [PATCH 299/302] Remove old image editor --- .../ui/tools/editor/image_editor_page.dart | 553 ------------------ 1 file changed, 553 deletions(-) delete mode 100644 mobile/apps/photos/lib/ui/tools/editor/image_editor_page.dart diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor_page.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor_page.dart deleted file mode 100644 index 99874d7c3a..0000000000 --- a/mobile/apps/photos/lib/ui/tools/editor/image_editor_page.dart +++ /dev/null @@ -1,553 +0,0 @@ -import "dart:async"; -import 'dart:io'; -import 'dart:math'; -import 'dart:typed_data'; -import 'dart:ui' as ui show Image; - -import 'package:extended_image/extended_image.dart'; -import 'package:flutter/material.dart'; -import "package:flutter_image_compress/flutter_image_compress.dart"; -import 'package:image_editor/image_editor.dart'; -import 'package:logging/logging.dart'; -import 'package:path/path.dart' as path; -import 'package:photo_manager/photo_manager.dart'; -import 'package:photos/core/event_bus.dart'; -import 'package:photos/db/files_db.dart'; -import 'package:photos/events/local_photos_updated_event.dart'; -import "package:photos/generated/l10n.dart"; -import 'package:photos/models/file/file.dart' as ente; -import 'package:photos/models/location/location.dart'; -import 'package:photos/services/sync/sync_service.dart'; -import 'package:photos/ui/common/loading_widget.dart'; -import 'package:photos/ui/components/action_sheet_widget.dart'; -import 'package:photos/ui/components/buttons/button_widget.dart'; -import 'package:photos/ui/components/models/button_type.dart'; -import 'package:photos/ui/notification/toast.dart'; -import 'package:photos/ui/tools/editor/filtered_image.dart'; -import 'package:photos/ui/viewer/file/detail_page.dart'; -import 'package:photos/utils/dialog_util.dart'; -import 'package:photos/utils/navigation_util.dart'; -import 'package:syncfusion_flutter_core/theme.dart'; -import 'package:syncfusion_flutter_sliders/sliders.dart'; - -class ImageEditorPage extends StatefulWidget { - final ImageProvider imageProvider; - final DetailPageConfiguration detailPageConfig; - final ente.EnteFile originalFile; - - const ImageEditorPage( - this.imageProvider, - this.originalFile, - this.detailPageConfig, { - super.key, - }); - - @override - State createState() => _ImageEditorPageState(); -} - -class _ImageEditorPageState extends State { - static const double kBrightnessDefault = 1; - static const double kBrightnessMin = 0; - static const double kBrightnessMax = 2; - static const double kSaturationDefault = 1; - static const double kSaturationMin = 0; - static const double kSaturationMax = 2; - - final _logger = Logger("ImageEditor"); - final GlobalKey editorKey = - GlobalKey(); - - double? _brightness = kBrightnessDefault; - double? _saturation = kSaturationDefault; - bool _hasEdited = false; - - @override - Widget build(BuildContext context) { - return PopScope( - canPop: false, - onPopInvokedWithResult: (didPop, _) async { - if (_hasBeenEdited()) { - await _showExitConfirmationDialog(context); - } else { - replacePage(context, DetailPage(widget.detailPageConfig)); - } - }, - child: Scaffold( - appBar: AppBar( - backgroundColor: const Color(0x00000000), - elevation: 0, - actions: _hasBeenEdited() - ? [ - IconButton( - padding: const EdgeInsets.only(right: 16, left: 16), - onPressed: () { - editorKey.currentState!.reset(); - setState(() { - _brightness = kBrightnessDefault; - _saturation = kSaturationDefault; - }); - }, - icon: const Icon(Icons.history), - ), - ] - : [], - ), - body: Column( - children: [ - Expanded(child: _buildImage()), - const Padding(padding: EdgeInsets.all(4)), - Column( - children: [ - _buildBrightness(), - _buildSat(), - ], - ), - const Padding(padding: EdgeInsets.all(8)), - SafeArea(child: _buildBottomBar()), - Padding(padding: EdgeInsets.all(Platform.isIOS ? 16 : 6)), - ], - ), - ), - ); - } - - bool _hasBeenEdited() { - return _hasEdited || - _saturation != kSaturationDefault || - _brightness != kBrightnessDefault; - } - - Widget _buildImage() { - return Hero( - tag: widget.detailPageConfig.tagPrefix + widget.originalFile.tag, - child: ExtendedImage( - image: widget.imageProvider, - extendedImageEditorKey: editorKey, - mode: ExtendedImageMode.editor, - fit: BoxFit.contain, - initEditorConfigHandler: (_) => EditorConfig( - maxScale: 8.0, - cropRectPadding: const EdgeInsets.all(20.0), - hitTestSize: 20.0, - cornerColor: const Color.fromRGBO(45, 150, 98, 1), - editActionDetailsIsChanged: (_) { - setState(() { - _hasEdited = true; - }); - }, - ), - loadStateChanged: (state) { - if (state.extendedImageLoadState == LoadState.completed) { - return FilteredImage( - brightness: _brightness, - saturation: _saturation, - child: state.completedWidget, - ); - } - return const EnteLoadingWidget(); - }, - ), - ); - } - - Widget _buildBottomBar() { - return Row( - mainAxisAlignment: MainAxisAlignment.spaceAround, - children: [ - _buildFlipButton(), - _buildRotateLeftButton(), - _buildRotateRightButton(), - _buildSaveButton(), - ], - ); - } - - Widget _buildFlipButton() { - final TextStyle subtitle2 = Theme.of(context).textTheme.titleSmall!; - - return GestureDetector( - behavior: HitTestBehavior.translucent, - onTap: () { - flip(); - }, - child: SizedBox( - width: 80, - child: Column( - children: [ - Padding( - padding: const EdgeInsets.only(bottom: 2), - child: Icon( - Icons.flip, - color: Theme.of(context).iconTheme.color!.withOpacity(0.8), - size: 20, - ), - ), - const Padding(padding: EdgeInsets.all(2)), - Text( - S.of(context).flip, - style: subtitle2.copyWith( - color: subtitle2.color!.withOpacity(0.8), - ), - textAlign: TextAlign.center, - ), - ], - ), - ), - ); - } - - Widget _buildRotateLeftButton() { - final TextStyle subtitle2 = Theme.of(context).textTheme.titleSmall!; - - return GestureDetector( - behavior: HitTestBehavior.translucent, - onTap: () { - rotate(false); - }, - child: SizedBox( - width: 80, - child: Column( - children: [ - Icon( - Icons.rotate_left, - color: Theme.of(context).iconTheme.color!.withOpacity(0.8), - ), - const Padding(padding: EdgeInsets.all(2)), - Text( - S.of(context).rotateLeft, - style: subtitle2.copyWith( - color: subtitle2.color!.withOpacity(0.8), - ), - textAlign: TextAlign.center, - ), - ], - ), - ), - ); - } - - Widget _buildRotateRightButton() { - final TextStyle subtitle2 = Theme.of(context).textTheme.titleSmall!; - - return GestureDetector( - behavior: HitTestBehavior.translucent, - onTap: () { - rotate(true); - }, - child: SizedBox( - width: 80, - child: Column( - children: [ - Icon( - Icons.rotate_right, - color: Theme.of(context).iconTheme.color!.withOpacity(0.8), - ), - const Padding(padding: EdgeInsets.all(2)), - Text( - S.of(context).rotateRight, - style: subtitle2.copyWith( - color: subtitle2.color!.withOpacity(0.8), - ), - textAlign: TextAlign.center, - ), - ], - ), - ), - ); - } - - Widget _buildSaveButton() { - final TextStyle subtitle2 = Theme.of(context).textTheme.titleSmall!; - - return GestureDetector( - behavior: HitTestBehavior.translucent, - onTap: () { - _saveEdits(); - }, - child: SizedBox( - width: 80, - child: Column( - children: [ - Icon( - Icons.save_alt_outlined, - color: Theme.of(context).iconTheme.color!.withOpacity(0.8), - ), - const Padding(padding: EdgeInsets.all(2)), - Text( - S.of(context).saveCopy, - style: subtitle2.copyWith( - color: subtitle2.color!.withOpacity(0.8), - ), - textAlign: TextAlign.center, - ), - ], - ), - ), - ); - } - - Future _saveEdits() async { - final dialog = createProgressDialog(context, S.of(context).saving); - await dialog.show(); - final ExtendedImageEditorState? state = editorKey.currentState; - if (state == null) { - return; - } - final Rect? rect = state.getCropRect(); - if (rect == null) { - return; - } - final EditActionDetails action = state.editAction!; - final double radian = action.rotateAngle; - - final bool flipHorizontal = action.flipY; - final bool flipVertical = action.flipX; - final Uint8List img = state.rawImageData; - - // ignore: unnecessary_null_comparison - if (img == null) { - _logger.severe("null rawImageData"); - showToast(context, S.of(context).somethingWentWrong); - return; - } - - final ImageEditorOption option = ImageEditorOption(); - - option.addOption(ClipOption.fromRect(rect)); - option.addOption( - FlipOption(horizontal: flipHorizontal, vertical: flipVertical), - ); - if (action.hasRotateAngle) { - option.addOption(RotateOption(radian.toInt())); - } - - option.addOption(ColorOption.saturation(_saturation!)); - option.addOption(ColorOption.brightness(_brightness!)); - - option.outputFormat = const OutputFormat.jpeg(100); - - final DateTime start = DateTime.now(); - Uint8List? result = await ImageEditor.editImage( - image: img, - imageEditorOption: option, - ); - if (result == null) { - _logger.severe("null result"); - showToast(context, S.of(context).somethingWentWrong); - return; - } - _logger.info('Size before compression = ${result.length}'); - - final ui.Image decodedResult = await decodeImageFromList(result); - result = await FlutterImageCompress.compressWithList( - result, - minWidth: decodedResult.width, - minHeight: decodedResult.height, - ); - _logger.info('Size after compression = ${result.length}'); - final Duration diff = DateTime.now().difference(start); - _logger.info('image_editor time : $diff'); - - try { - final fileName = - path.basenameWithoutExtension(widget.originalFile.title!) + - "_edited_" + - DateTime.now().microsecondsSinceEpoch.toString() + - ".JPEG"; - //Disabling notifications for assets changing to insert the file into - //files db before triggering a sync. - await PhotoManager.stopChangeNotify(); - final AssetEntity newAsset = - await (PhotoManager.editor.saveImage(result, filename: fileName)); - final newFile = await ente.EnteFile.fromAsset( - widget.originalFile.deviceFolder ?? '', - newAsset, - ); - - newFile.creationTime = widget.originalFile.creationTime; - newFile.collectionID = widget.originalFile.collectionID; - newFile.location = widget.originalFile.location; - if (!newFile.hasLocation && widget.originalFile.localID != null) { - final assetEntity = await widget.originalFile.getAsset; - if (assetEntity != null) { - final latLong = await assetEntity.latlngAsync(); - newFile.location = Location( - latitude: latLong.latitude, - longitude: latLong.longitude, - ); - } - } - newFile.generatedID = await FilesDB.instance.insertAndGetId(newFile); - Bus.instance.fire(LocalPhotosUpdatedEvent([newFile], source: "editSave")); - unawaited(SyncService.instance.sync()); - showShortToast(context, S.of(context).editsSaved); - _logger.info("Original file " + widget.originalFile.toString()); - _logger.info("Saved edits to file " + newFile.toString()); - final files = widget.detailPageConfig.files; - - // the index could be -1 if the files fetched doesn't contain the newly - // edited files - int selectionIndex = - files.indexWhere((file) => file.generatedID == newFile.generatedID); - if (selectionIndex == -1) { - files.add(newFile); - selectionIndex = files.length - 1; - } - await dialog.hide(); - replacePage( - context, - DetailPage( - widget.detailPageConfig.copyWith( - files: files, - selectedIndex: min(selectionIndex, files.length - 1), - ), - ), - ); - } catch (e, s) { - await dialog.hide(); - showToast(context, S.of(context).oopsCouldNotSaveEdits); - _logger.severe(e, s); - } finally { - await PhotoManager.startChangeNotify(); - } - } - - void flip() { - editorKey.currentState?.flip(); - } - - void rotate(bool right) { - editorKey.currentState?.rotate(right: right); - } - - Widget _buildSat() { - final TextStyle subtitle2 = Theme.of(context).textTheme.titleSmall!; - - return Container( - padding: const EdgeInsets.fromLTRB(20, 0, 20, 0), - child: Row( - children: [ - SizedBox( - width: 42, - child: FittedBox( - fit: BoxFit.scaleDown, - alignment: Alignment.centerLeft, - child: Text( - S.of(context).color, - style: subtitle2.copyWith( - color: subtitle2.color!.withOpacity(0.8), - ), - ), - ), - ), - Expanded( - child: SfSliderTheme( - data: SfSliderThemeData( - activeTrackHeight: 4, - inactiveTrackHeight: 2, - inactiveTrackColor: Colors.grey[900], - activeTrackColor: const Color.fromRGBO(45, 150, 98, 1), - thumbColor: const Color.fromRGBO(45, 150, 98, 1), - thumbRadius: 10, - tooltipBackgroundColor: Colors.grey[900], - ), - child: SfSlider( - onChanged: (value) { - setState(() { - _saturation = value; - }); - }, - value: _saturation, - enableTooltip: true, - stepSize: 0.01, - min: kSaturationMin, - max: kSaturationMax, - ), - ), - ), - ], - ), - ); - } - - Widget _buildBrightness() { - final TextStyle subtitle2 = Theme.of(context).textTheme.titleSmall!; - - return Container( - padding: const EdgeInsets.fromLTRB(20, 0, 20, 0), - child: Row( - children: [ - SizedBox( - width: 42, - child: FittedBox( - fit: BoxFit.scaleDown, - alignment: Alignment.centerLeft, - child: Text( - S.of(context).light, - style: subtitle2.copyWith( - color: subtitle2.color!.withOpacity(0.8), - ), - ), - ), - ), - Expanded( - child: SfSliderTheme( - data: SfSliderThemeData( - activeTrackHeight: 4, - inactiveTrackHeight: 2, - activeTrackColor: const Color.fromRGBO(45, 150, 98, 1), - inactiveTrackColor: Colors.grey[900], - thumbColor: const Color.fromRGBO(45, 150, 98, 1), - thumbRadius: 10, - tooltipBackgroundColor: Colors.grey[900], - ), - child: SfSlider( - onChanged: (value) { - setState(() { - _brightness = value; - }); - }, - value: _brightness, - enableTooltip: true, - stepSize: 0.01, - min: kBrightnessMin, - max: kBrightnessMax, - ), - ), - ), - ], - ), - ); - } - - Future _showExitConfirmationDialog(BuildContext context) async { - final actionResult = await showActionSheet( - context: context, - buttons: [ - ButtonWidget( - labelText: S.of(context).yesDiscardChanges, - buttonType: ButtonType.critical, - buttonSize: ButtonSize.large, - shouldStickToDarkTheme: true, - buttonAction: ButtonAction.first, - isInAlert: true, - ), - ButtonWidget( - labelText: S.of(context).no, - buttonType: ButtonType.secondary, - buttonSize: ButtonSize.large, - buttonAction: ButtonAction.second, - shouldStickToDarkTheme: true, - isInAlert: true, - ), - ], - body: S.of(context).doYouWantToDiscardTheEditsYouHaveMade, - actionSheetType: ActionSheetType.defaultActionSheet, - ); - if (actionResult?.action != null && - actionResult!.action == ButtonAction.first) { - replacePage(context, DetailPage(widget.detailPageConfig)); - } - } -} From 7cd95e636980aeb757ac1cecf42c2201ae8299b9 Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Fri, 1 Aug 2025 12:19:14 +0530 Subject: [PATCH 300/302] Minor refractor --- ...{image_editor_page_new.dart => image_editor_page.dart} | 8 ++++---- mobile/apps/photos/lib/ui/viewer/file/detail_page.dart | 4 ++-- 2 files changed, 6 insertions(+), 6 deletions(-) rename mobile/apps/photos/lib/ui/tools/editor/image_editor/{image_editor_page_new.dart => image_editor_page.dart} (99%) diff --git a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page.dart similarity index 99% rename from mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart rename to mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page.dart index f99799378e..e6bc90dbab 100644 --- a/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page_new.dart +++ b/mobile/apps/photos/lib/ui/tools/editor/image_editor/image_editor_page.dart @@ -37,12 +37,12 @@ import "package:photos/utils/navigation_util.dart"; import "package:pro_image_editor/models/editor_configs/main_editor_configs.dart"; import 'package:pro_image_editor/pro_image_editor.dart'; -class NewImageEditor extends StatefulWidget { +class ImageEditorPage extends StatefulWidget { final ente.EnteFile originalFile; final File file; final DetailPageConfiguration detailPageConfig; - const NewImageEditor({ + const ImageEditorPage({ super.key, required this.file, required this.originalFile, @@ -50,10 +50,10 @@ class NewImageEditor extends StatefulWidget { }); @override - State createState() => _NewImageEditorState(); + State createState() => _ImageEditorPageState(); } -class _NewImageEditorState extends State { +class _ImageEditorPageState extends State { final _mainEditorBarKey = GlobalKey(); final editorKey = GlobalKey(); final _logger = Logger("ImageEditor"); diff --git a/mobile/apps/photos/lib/ui/viewer/file/detail_page.dart b/mobile/apps/photos/lib/ui/viewer/file/detail_page.dart index 47ff3c11cc..8f71ccc3df 100644 --- a/mobile/apps/photos/lib/ui/viewer/file/detail_page.dart +++ b/mobile/apps/photos/lib/ui/viewer/file/detail_page.dart @@ -19,7 +19,7 @@ import "package:photos/services/local_authentication_service.dart"; import "package:photos/states/detail_page_state.dart"; import "package:photos/ui/common/fast_scroll_physics.dart"; import 'package:photos/ui/notification/toast.dart'; -import "package:photos/ui/tools/editor/image_editor/image_editor_page_new.dart"; +import "package:photos/ui/tools/editor/image_editor/image_editor_page.dart"; import "package:photos/ui/tools/editor/video_editor_page.dart"; import "package:photos/ui/viewer/file/file_app_bar.dart"; import "package:photos/ui/viewer/file/file_bottom_bar.dart"; @@ -404,7 +404,7 @@ class _DetailPageState extends State { await dialog.hide(); replacePage( context, - NewImageEditor( + ImageEditorPage( originalFile: file, file: ioFile, detailPageConfig: widget.config.copyWith( From 3c8d8067c13d54790364d516a643b3128d149ffd Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Fri, 1 Aug 2025 12:19:46 +0530 Subject: [PATCH 301/302] Remove image_editor dependency from pubspec.yaml and pubspec.lock --- mobile/apps/photos/pubspec.lock | 36 ++------------------------------- mobile/apps/photos/pubspec.yaml | 1 - 2 files changed, 2 insertions(+), 35 deletions(-) diff --git a/mobile/apps/photos/pubspec.lock b/mobile/apps/photos/pubspec.lock index 13f6212d27..121d0f8ae2 100644 --- a/mobile/apps/photos/pubspec.lock +++ b/mobile/apps/photos/pubspec.lock @@ -1271,38 +1271,6 @@ packages: url: "https://pub.dev" source: hosted version: "4.3.0" - image_editor: - dependency: "direct main" - description: - name: image_editor - sha256: "38070067264fd9fea4328ca630d2ff7bd65ebe6aa4ed375d983b732d2ae7146b" - url: "https://pub.dev" - source: hosted - version: "1.6.0" - image_editor_common: - dependency: transitive - description: - name: image_editor_common - sha256: "93d2f5c8b636f862775dd62a9ec20d09c8272598daa02f935955a4640e1844ee" - url: "https://pub.dev" - source: hosted - version: "1.2.0" - image_editor_ohos: - dependency: transitive - description: - name: image_editor_ohos - sha256: "06756859586d5acefec6e3b4f356f9b1ce05ef09213bcb9a0ce1680ecea2d054" - url: "https://pub.dev" - source: hosted - version: "0.0.9" - image_editor_platform_interface: - dependency: transitive - description: - name: image_editor_platform_interface - sha256: "474517efc770464f7d99942472d8cfb369a3c378e95466ec17f74d2b80bd40de" - url: "https://pub.dev" - source: hosted - version: "1.1.0" in_app_purchase: dependency: "direct main" description: @@ -2845,10 +2813,10 @@ packages: dependency: transitive description: name: vm_service - sha256: "5c5f338a667b4c644744b661f309fb8080bb94b18a7e91ef1dbd343bed00ed6d" + sha256: f652077d0bdf60abe4c1f6377448e8655008eef28f128bc023f7b5e8dfeb48fc url: "https://pub.dev" source: hosted - version: "14.2.5" + version: "14.2.4" volume_controller: dependency: transitive description: diff --git a/mobile/apps/photos/pubspec.yaml b/mobile/apps/photos/pubspec.yaml index 8d118c27ee..830fa50bc9 100644 --- a/mobile/apps/photos/pubspec.yaml +++ b/mobile/apps/photos/pubspec.yaml @@ -114,7 +114,6 @@ dependencies: html_unescape: ^2.0.0 http: ^1.1.0 image: ^4.0.17 - image_editor: ^1.6.0 in_app_purchase: ^3.0.7 intl: ^0.19.0 latlong2: ^0.9.0 From ecf236ad54b2a3610336c18cdab057b4ee81692c Mon Sep 17 00:00:00 2001 From: AmanRajSinghMourya Date: Fri, 1 Aug 2025 12:21:08 +0530 Subject: [PATCH 302/302] Add localization strings for editing tools and remove filtered_image.dart --- mobile/apps/photos/lib/generated/l10n.dart | 112 ++++++++++++++++++ .../lib/ui/tools/editor/filtered_image.dart | 110 ----------------- 2 files changed, 112 insertions(+), 110 deletions(-) delete mode 100644 mobile/apps/photos/lib/ui/tools/editor/filtered_image.dart diff --git a/mobile/apps/photos/lib/generated/l10n.dart b/mobile/apps/photos/lib/generated/l10n.dart index 84cef71699..14b4c3aeea 100644 --- a/mobile/apps/photos/lib/generated/l10n.dart +++ b/mobile/apps/photos/lib/generated/l10n.dart @@ -12495,6 +12495,118 @@ class S { args: [], ); } + + /// `Undo` + String get undo { + return Intl.message( + 'Undo', + name: 'undo', + desc: '', + args: [], + ); + } + + /// `Redo` + String get redo { + return Intl.message( + 'Redo', + name: 'redo', + desc: '', + args: [], + ); + } + + /// `Filter` + String get filter { + return Intl.message( + 'Filter', + name: 'filter', + desc: '', + args: [], + ); + } + + /// `Adjust` + String get adjust { + return Intl.message( + 'Adjust', + name: 'adjust', + desc: '', + args: [], + ); + } + + /// `Draw` + String get draw { + return Intl.message( + 'Draw', + name: 'draw', + desc: '', + args: [], + ); + } + + /// `Sticker` + String get sticker { + return Intl.message( + 'Sticker', + name: 'sticker', + desc: '', + args: [], + ); + } + + /// `Brush Color` + String get brushColor { + return Intl.message( + 'Brush Color', + name: 'brushColor', + desc: '', + args: [], + ); + } + + /// `Font` + String get font { + return Intl.message( + 'Font', + name: 'font', + desc: '', + args: [], + ); + } + + /// `Background` + String get background { + return Intl.message( + 'Background', + name: 'background', + desc: '', + args: [], + ); + } + + /// `Align` + String get align { + return Intl.message( + 'Align', + name: 'align', + desc: '', + args: [], + ); + } + + /// `{count, plural, =1{Added successfully to 1 album} other{Added successfully to {count} albums}}` + String addedToAlbums(int count) { + return Intl.plural( + count, + one: 'Added successfully to 1 album', + other: 'Added successfully to $count albums', + name: 'addedToAlbums', + desc: 'Message shown when items are added to albums', + args: [count], + ); + } } class AppLocalizationDelegate extends LocalizationsDelegate { diff --git a/mobile/apps/photos/lib/ui/tools/editor/filtered_image.dart b/mobile/apps/photos/lib/ui/tools/editor/filtered_image.dart deleted file mode 100644 index 31c74590ac..0000000000 --- a/mobile/apps/photos/lib/ui/tools/editor/filtered_image.dart +++ /dev/null @@ -1,110 +0,0 @@ -import 'dart:math'; - -import 'package:flutter/widgets.dart'; -import 'package:image_editor/image_editor.dart'; - -class FilteredImage extends StatelessWidget { - const FilteredImage({ - required this.child, - this.brightness, - this.saturation, - this.hue, - super.key, - }); - - final double? brightness, saturation, hue; - final Widget child; - - @override - Widget build(BuildContext context) { - return ColorFiltered( - colorFilter: ColorFilter.matrix( - ColorFilterGenerator.brightnessAdjustMatrix( - value: brightness ?? 1, - ), - ), - child: ColorFiltered( - colorFilter: ColorFilter.matrix( - ColorFilterGenerator.saturationAdjustMatrix( - value: saturation ?? 1, - ), - ), - child: ColorFiltered( - colorFilter: ColorFilter.matrix( - ColorFilterGenerator.hueAdjustMatrix( - value: hue ?? 0, - ), - ), - child: child, - ), - ), - ); - } -} - -class ColorFilterGenerator { - static List hueAdjustMatrix({double value = 1}) { - value = value * pi; - - if (value == 0) { - return [ - 1, - 0, - 0, - 0, - 0, - 0, - 1, - 0, - 0, - 0, - 0, - 0, - 1, - 0, - 0, - 0, - 0, - 0, - 1, - 0, - ]; - } - final double cosVal = cos(value); - final double sinVal = sin(value); - const double lumR = 0.213; - const double lumG = 0.715; - const double lumB = 0.072; - - return List.from([ - (lumR + (cosVal * (1 - lumR))) + (sinVal * (-lumR)), - (lumG + (cosVal * (-lumG))) + (sinVal * (-lumG)), - (lumB + (cosVal * (-lumB))) + (sinVal * (1 - lumB)), - 0, - 0, - (lumR + (cosVal * (-lumR))) + (sinVal * 0.143), - (lumG + (cosVal * (1 - lumG))) + (sinVal * 0.14), - (lumB + (cosVal * (-lumB))) + (sinVal * (-0.283)), - 0, - 0, - (lumR + (cosVal * (-lumR))) + (sinVal * (-(1 - lumR))), - (lumG + (cosVal * (-lumG))) + (sinVal * lumG), - (lumB + (cosVal * (1 - lumB))) + (sinVal * lumB), - 0, - 0, - 0, - 0, - 0, - 1, - 0, - ]).map((i) => i.toDouble()).toList(); - } - - static List brightnessAdjustMatrix({double value = 1}) { - return ColorOption.brightness(value).matrix; - } - - static List saturationAdjustMatrix({double value = 1}) { - return ColorOption.saturation(value).matrix; - } -}

uwPFDTVayxXX#6$7S(-wXClu6!8pfJA!^sm9;vupT3uSI zqppf^v;CW78SFY$!|G+ADY8P%N-$e}o8uwFPvGLoQ_%mRJicl*sl;0JDQ_OJI718h z{b&9zP7I=$%QdkBE+QTBh!AVgWlLr<`2{@PyOyWQe9b0KSVrZ`Gh4Mrz*q-nRB4Sj zF+5WJeUD~48_773lo*bmBm_}Xu^q~`%(LXDK<}QfQ9;0?o~#l*ZReEhE`iM0A9@NK zKM5KpQm6Y4xAw6|6img)u-H8}3;-?HN`HS!!x5A4g&7b9)#Cdf)<376$xm7WJ~}$L z^fRkyl_}POw=y&1Sy1dIpXI&PRLxNyL^wC1&!2*Ok&J@ze`TuI3G+4O?7U2j=R z{nJ=gw&Xr!E3oik+qf@}G1fbC$M3#&!*QOnyBXiW= z0Cz_|M2(;&Cys3Y7}!u4!u?gSkiQl~pKUpR^y}TB$ruL1(5UT=V->)n!5dNVRh+kj zgFCd+-j|QDy%CW{@6jkr9songxW-tR$9EWVG2#G`>XhysHXYNb+Z|Vb{5H0MALgAq z#!L%}6J#cEcw5UgFg&DdcfF}#0$8~OvOMPOx=gPtuf|2W`?_Y6Kt^xHGyawwVVQE? zTD~^-MOHfXC-QHCYkU{`t2*LrTKRR!HHy9#*Gq#zGR`Nbe1%Ef6MzPP=T1WF2|b$X zU(J1}3T)Dn8e+!J53^#{0b3J0a>I*QQYP5ZB7nv5JdMHhHD(%qM*aFS_F4>m-h?;; zFR4tuN)YbI2Z!6&gIIUB%z<6p#UUj>ZMnieryv(F@L%~8R3i5UuK>)Z3$ZmxGf^-3 ztH7-bnCt|UCyWAdhAW7pDr(A;(F%O0VHTk(W!t$7qk19!XG(0qM-ek{&un`h93F{S zP#w!3Sl$;9P(ay7ygf`^Yjnqy4yYjR$rC7WRwy%-Aa-k#^eGdz8H^bPzT#@6Y> zt5|Pw^0#gpIIjV|Fvb%NN4K~`evdp-Qe{V?tMhB=wF>KgHZ;9WA|1#N1$#enz)@Tu zWWxX+uw!Bw{`wkU92~8FR?7y8t{P<1Rq)QD1orDGdQ5|`qswKZ;2gUt&%lhP)JY24 zG{o3Uy`?{aGkLfLqe>EGJq-8bg^wh~o?mNqH{mzAi#1ZvtKj8(6A4D=A|1#_w2Ie6qkW1mN>SK)*D}>sp=_HVkFH)(g7PP_XM5RU@7DY$pevQm zjSIf7TkppT>unL*mh-ua+VS)vgTIVzUw8)un!QW0_mM+M-xiA7@KJ?mmuf3EE6YM$ zonD@FqLH5eTG?@u6mV4Rjj2W-5OP+q@5Ov>Eko8$;H>^p<~a?OSjh33y4i#bOBhZ( zj*zoJsnEk7@?)s6@FFaZhX@UIi7I{wfxEG&`2vN;uz)$LVCPEI*ty9NqFp|XrU%Cc z3S41RZcAd^wm@P<{vE-7g$*SawBtLw7DV+rzE)dv90kq|oD{`gKx;MqZb1r-9?kKC z`Iv;(m}6eFOrlSlY1Z=L=N43H7L)`r)c2oTmI^&v`}R|%ntcE=o`#SxulJN=lHu-X z##!XYSdZ(H`OSpiGJux+GEZo}?t1o{ZP`hohRd3l>iyg@%){KA$da%(eRkVJDBCnI ze$A2!B?;4Vc>ipkQnh+EYp4150S5O;w)OS$182F5^MldieFxAFxL7vgX{2hq>>lxN zb`0(rA$yH_A8}^7_No7t2!S@uh4!`NnB!rRm`d z;ek-tF6i#*lMtHcC`knL4_|=44p{LvzXt2Or41mKEEPjm&L(@&NKb#ks1H~s_7puL zP)AXrGAMPQesB0ULCY8I;s;t!Qua2Zv?07&kb#*`b<+#l5Ka2zAt6<(VK!9b;NRc+ z#CJS10E^JH2tR8HfA^X`&7#`YD+v5P-}t+rI^NK*jt0RpRs7gCy}r_uFF$&}jct3i zF7xJKW$D1**!~VO|5?2(A<`sSMMAr*dUyD6XrwsB0+J~x3V!$8yb&!XhYx!u-q2=c zIj^c)5IlOgQmZBI=X94!&R(h%|=0qyO&%2}M zuBuIeN+Rk&$~p~k92y0?`AfmS087#R7Q-JC=g&PSnC#?90Wr*IlXjWQHv0KS{H;=@ z#xc@La3^G=vuj&1SCBbnx^x!|C%hCvFuhRus@&d9)ucyYL-P7s<|M_Z#5k{omYxZy z1#UMrGap6Bp?>jE!g)$njU7C=^mfOUnw%=V+(@g}?NxC1hx^pqDZHHAKYYn_Qb6Qk z6F$G~)7oVDXFFqMhy@~&(ZAiJ@!2rTZ%JzPyx;t5H{)>e#baR8 z+4yIu24tq^|Nh#KV@w!wUsXmt_s^rWPg91bKM7iG19cEw6UEFnjVp@i8pr;nD+!e| z?22!xcJ`}yunhwyxxNpe?Yhqa`q#hcr*TgooB~fCp7aR?Wn-;gppRSX)_9a`|L2Ev zv&UKqjgq=pc7+lBkNw|*UdaRIvSxMzL_xNfXUbsqe2hzZWX@E*jgEftyZWEcTt%{s zW{HWZg@1{5wN{Sy4?Sa4MRiZ!o^@SgBFgJ7yoD&)uL=KXTWXMb;+Mr$x&Pv6K}RlpEs4Vl~9#kq0>WO9|1s(whf z6~HS0!K42%yCvkpe^&q_t4bT-9AQHm`{;zzs&tO&`d})`M@cnHh+bU|_5h-Sbhji- ztdVVP=yCpl4K&M5Uqlwn?fvv&~=sQT4s2S~t27MiHo!ZbU+V9g<` zEH?}ZEklFv(|xorwR?urtgV)H8tRu41P~sCb+ab6Z(Fww8iAl{SgAi=4JlY3U(Qv@2ct>~e9sA2p$}Qz< ze95`JGi=l?^E?>i9lM8!oM?8TMtfLsy%+eUUM**ZmXpl&Q^y7yUswwa z;pj2~Q8h%fNMl@50 z9RYgPEkjhn@>;zpMT%y-YWbwSu(NDUGIP|V-%IeKQ$y@6GO$6jbkd$b)9%4YghF+H zr-TO0FjlsFxn|nEQ+rReeW3mRzfTIBJiF#QTGrL6$ z(EY65SA6m=`CE*K$iXuzaA0qwRicvq_lfC6uk$~pKz=6sQ0-I}fJ^}ToM454jahR32e11cK- z0+cpUpUdp|kLZ+RW56U5_kk82HcXb=e%t2?gPWcWA_e=v8gEj24;l=bGo{Zp=)!=O zf+=Mx!Z(P*M&F^&^-LcVYdFE}eOt`akl~5ffRy8f<4*9|=Xl=1!xG$#bpUJ4K&UkN zHgvgw1tObj1L3)=@EPAbOWJ*5A^>fgc4nI`?&Y|re-a!8I|{nb0lGF*TE9V74{Tge zi3F|#oNZCAMbJgu5WN984<;5s{JR8rQ=VT#aSAkL4OcUGE;|z~t2^#T!#FYyu=*ab zv5y{)j{%IYYQEWoHgAvabguL*SKDQ8nD{3EU;xtD|LE}Wh4R^IQ_{618d4sq1&T&o z7x(R2$A-&VWWj4|I=vNdMWu@f%z2*x)mDaEa*o14v+f;vg{89@K+bHk^w8?(DiyQ^ zWIIoE>~`~5O@Fe}yRmD9@(65t=1>S=`WR2f0d5i1;i-o3|KS4Aj;~Q%pgr-3Sr9kV zZhJBvW*zsh{7~3N}_m+^1>#N?ivpp{3mTDg%JhJIU2? zaCY+#8*QHtId6XYpxesP(#EC8H88-HXCRrJu0FI`{?=_Y^Q9VAMghmp8gWmN#y)(w z&AaM3a9RHZk8C@*sX`?|*(WJ!S&Uk#`i50XD#UQ%qgwApjjqRZR&q?sb+N7M1wFOu;G`pcU)BH+8mi{aas* zscCa{*J^xOVygLl+Npn3%k-cz?032z8me?+q4vNK-4bRO$ysE98UY#*x@eu&vV_no z%E!sJio7izP@r_f^62dMvX?doGq(8e^u&iSg8}SlzpCN&b7|ew%s?3n1&Br2{jC_pf!A#XvHPjU zfKk+jR{-krdxLd+XMOz13*ah9p!WJMkJ`C^j+0chi{#vjCXCi4tNY;c2?(W4Oq^Ui z8{=-rqorCqPAk&-NL>h=fEF3Qi){?`m=>Yn3xdQG{h$B%BiGRrfXxv_N!E6y!F|` z)m_Wuiu=R)`0wwF(^lj@&F#AlacS?H9HJ&MEh{XiF16hdqRWV!%fF_@0cI}Sg%|t{ z#EWcsK&;7Yqqgyn3=R;Ew6@;I zj_Ml46r_At?fdjaCUHjs-xX6kVuao@o~gA0Xm0vyP%$)K+|*^qGm$5C%eraBeIp)v zH4dcx>@2LGkEwZ-3a;F=MAYF_A?=n2CoMY3&MCzyoMyGm z*Xg)3E@azJ%56HjwGq+QZ)f0`C=^uIIPdEo_y1%djf%=zz_u%nR5 zV!%KZs|GacJUJ5D9M8qz4(Gd+SMi`YqqIbbp0r^i-PHHl@c&&DN&K&EnlAS2+rK~` z7C2rJRSgcWNt$k%hsAg=xp*|Tul(iRi>6zq$775iq8^D`%J}B6H+#wu%_@N<R+0y*ISqZ-~>IlDQ@t5v_~4t3W;i?jeC z_42E0u%srYU}KrcpvMAc0w{BNn;j~Nqt2SD2uZ?80w?odbYk={%_g#1Uqk!;v243s z$Xa0E@ZOw^y{DpGeSJ-DrlEf7Zx+7wVBJvHlA*fhj%ulT=@d-rTegK ziWC|y3HganRQ<^gPWtNT`9@^H+{|A>e@FSheQkBEQk;(`S5#5Q=H=4@mqP9y0AAGH zZ5ba+s^M51Y_*1q3dW(qtuFb&qC={9A+r(d*dQQRNC^r`(vd+Q(6&2mXklsUaeJlp zc29OVH=*SS6lZ2GKdCm4%j~TmtXjQpUG>hr0qP&JlU>4q3&0jhWEXeqX&VF_xu7kU zQo$7MiqT=+0f|y+#}i*b&CE?s@*KF1X-YNrr}NM3S|vyBQ>Dshiy2vZiG;)h1jXFB z2fPbf@|`}gd#Etw(K5mQb#GQ^cM%IE{S4*azxE*94rt11xy zp9uv87la=C3qcl-!SF_{{7%`R=eEK)R$0O`arN}>>dF(b=SE_6}r(bet3M7}1iXQyFJm!b1G z<^^gvbdn4|mUSDRvjuD81A>CWoaqr zUbC_3&y*`vRbU$Gnm?2xH~Y9$Aeu5T*O^DxF(M$J(%eajhBom^n;9~1Ke9bo4%mT+ zOC{Im$fFC-j`?X3UIzz&n`c?&y`?VCtX>lvCviFpjVDC5``$IyPeo5jXX>~d&Wj2F zrO%wPmsIwZ%yi5UkEL6abpFfK=Dm%PtNfSXMYTgHRGjZ;@GyMS3y2*x(k z%Kl4aGDcWn$k|oNwibT>Q!;UI=v-ZwUZ}#l!J?P>@mJL^{{TjmP?^@d)pP8mszl- z6qf6Kc>}l(#6PFK57(Ku>%?hK<(*WKa0xPwak=K$QD{(@6BgS#^-NA#5< z*BIAIdXCpw$X>V|sfLNb=ajS}5(%AJ^8j7b9SO~>S@Iao7fV&YOmx(x);;U^PuTvA zI2YA>)F{6mj){4B*g{|7r6>j@VxeL;!}|Pd4qnbcy`IP^IB2VCF_gBbZv!B3W*Qoj z8yP;=IQMRMf!>)a8QtA`EtRSNDU`(eLn^l;lT{FQ`l^7Yp=~za=eY%$m!gp3&7aB; zV6A^BsNZkYMi+$rD4!C=P;7(~7O|$JO!V0G8nF^dENYs$@W>@SlV#zU+O6i`G|S2m z)#XjW<=s0A9EY_R7YB?ZqAa2odNf$083!{XQD3r3Kp!i;V6P|l{naYI zQ-1c=UoC;=d7qr7v-fbx*ft@T=4kpzQuN5k`bn5)R7^rPNRd;um;+ERLV&^2MmNOA zBXwvn090W{du|Q3Mean|RLoeajvmBDSz|c)UnC9F*KKAfrr}dOLGPl~Iw}V`FoWNY zYGBZY6}pq%&lE9rva#mtA*NGb;Rz)#->p2Z_WxboSPu#DbG{D|lYM-_3OS8(0zX`2 z1ffF3fS>{(4E%rgb4uqK5yrp!A{hwO%Vv|=-?C{L$EWCXqSdwb#75Ky;&wPPvvUj z=bx8FZh(FZDb`J8j-~0CBx!LshIFF2zC^yf^E0(~A&Z(lyg81ahRcs)vk%bGhoxS5iKcI2SnMpZXk z_oZe)7lADJ{IUPsS1y{Vh@S++zre+=pPrxTP7b8$06*QXqNK!%m+~KfApL{pW>mUk zuX&h$z)HJ#PS|+PbA}9imE$_I&NDXNTGU=sI~V&}L#h2Q&+i~h>YAp@VXMq4seN{R9wEF0t7+V03}>z2%8j-8n>Q0FQ|_rP9#drH zZxgdOKzuE90fPj04^E~oU%LfjJ*+~Faht-;|49vZKVi*6Oee`(za>9E5oTIF;#3HW zPN(bhv1&dWTq#p$2m8iY)T?sT!j%0eVq;+AXXImX*N^Y8F0a~V{)(-7_FCyqc57um zoFHwDLb%vloxvMsNkj0UalD7c*O*92s zM1{&|yuOxfk;(ZzIK=H2Vv=n|fhpbiux9%)d1M{q8Z#;~h{}5~byrJ|wC<&`YAZ}| zjYlIt><8QQel4h2U)3V!qBR?c2<+N|iZm&k$Y=m3!Sy?s?PEIoZ!{j@p?pP1XlIF1 z$x{YbO+FBE8Cegfxh=VITyO}y0^AWW$jNm+;y_GCKIMP<=FC$sYaq3sIUJ`TbwF#& zwIwrWmY4{jfCb&|!$MzCDu%DKdBJdRoC6h0$BxKr^kvxr_DWUhk&jV@z~xEorS=EF z&b=Xy8#iu{#XWHb_3AfS)^|H+t&@aG)zFGocO?j%<@kr;2#-|{3>sJrC#gv&K$&OK zUm_%2>RnXPS;qGYS;ql0OydfQ8`JKswS7Tv^=D&cdiv5{u5M(Xvei@j6nPp`VMN4U z#{Fa4;bN8;Y?h>zP@oX_)xUcBx2;3b9sG~i=7Oa_*3aWip10gc*k;7L0!8* zmA#eNBSh4hV{j~bk8)5+F$DWSRnBekkN9pVPzew#Ud7B7>sv+RLjjS6Ea0dlXX93H zpO1fWIi>4KnfTalVQXO*Co9^G_NCC>HS;91pmr*uZpB+S?`rD!H{WQGNHd)tB!fK` z=#oQ2I>01FdY(CPkCT z+q<_A!uhw~bi4;Slt+FQ+A9QeT1Q1KKDA`}syu0=&N;I;$v9vEAT{!uVvumMWk=%_ zQDn!mI06Wx4cl^ShEPcRbc&0rM~D9oN)8B~p#^t8YaeR@+;&+A4&*o`ZCCT7=4%c- z^p(O1fOokA%WIr-1ZZDC`B1qj@y1UNsfTx~K${2zLhw1X4RmJ>{7%FW zvc6X~cv@RDBOukEFprFe-JcZgSC>}lbL&$5-o665o!9AiDG&h*}vntnq_cnrHR-) zj&jyX@*<&9ZYgEX?MT{WHg2G%8T}+hcSq~ugcSua;5gJN6YdaJBgn2t&o4YY`akds z0E1Z-cJ>QA(dUvU1AR!uUB?gG2)*a37XY#>H95cQNpmzl~EFs8-t#Ckf10Qle;gq1*~XxF@wP^OOMCyv_@#^X6Y z)jFKsz|3zM1@mDT1MY^oIx`Hh>sX&zDdA#n+;DL`fK#w~!`|TOVRPAtT&K$k+;fW( zU6tgwvTrab(y(BcsVY%bkXs=Jd;swm&9&O#iEYpye~wVxkC(oe?q0_!&O=;ZuDq=vTi6|Wel~97A2?!C94ngS( z1P;9@q5@JRf{-9!h_pZgBp&I#1PLXf3ZaD(N+7g5p8F@fAMTfTX1?tC&FsB)U2Dyr z^*oY!Cb?a)mMyaHm$e!MdsjP^9rvq+SWSx}Xki#>10944nN1;LrpIF2mlYE0WnVu}cp!B8=?^AtbT|duFDxb7sCVokYlqvxBJp03Q{eI% z@EZc%X(LeQL~#skIXKbUCOw1HnpS(2o>pjLET(ttb;Ypf{UaO?U`3I7`o})8{8pzT z0aQlYE#2d9jrF{j-C`jzB?(Xe?A$N;Rw~}}7f6j1;PT__{xh2mLyKZ0j$q z25L8pU-YX7+1Dq?`D51-v}ax!Yx`lK#qh0!UMPU!{YzOX6bQ?6FerLHjzth2lYH&h z0oxuD&&{uNH&*0M6Bg3-t>jeDrN!PE!AMHoK}T?b%_?{PUIzpGG5=S-%&&yrH)6SX z|LTe+dvR8k81gfe?^edH?i*W#N=y+c(F^M>VKA%*d^3^VmJJ ztBfki=+{-|e-OuFr63Q`8cIevzSR!mU-@)|91bF=!*tKcB$)(A#LK?ou>IyIqc*ml z@8bdI1=!F`M-&>e(sJuk3%K(d|88UAA9IX+KW1T;-llUd!-I<<)@v$Sn@4se3ltwbBF&BlGJT{ z0YOn)&Z-a||Ffdjq~|UD$I)Z^k!d40$56&^ht(=JP^^Y2PPzd7{IKE?keu^x#`NV^ z+wgN-{TL1IFQJ&JN`ZAQHH=DQyNlUk-EUA(ss}eKB)rsM~A2{KA=gJW^*r)fao- z?$nFpH&75WRfY+U5ZJ@*pEQ8zV9Aop-UP+!9c1>=7Z=`z9vd3m?YP6(CmZpzuu%!J zS)bM6;C(!nKc_oy=MjFnDM;h}to`<CGtUg=+!a|CPkI`6@5mc-sPIcS!jAKGpkODCp$BbZxS(~r4oRCNZ!&rE1_Gr zI#Q*8i`@L#M~c(+uFiB(3R&u#YYpu}jXchmm55CC_EIR5O|ieA4&sRxByW-T_r&)J zE8EuCJvcn{g}v*R*FGy@+~VwE*EWs|=6SJ&E28clrzn{(Q|Pa5kyH#cUqP>lY2`3+ za-28#&=EtLoMx&R5e;4!5k|2&Qv`<7Xr>jsc58C85&|}Nt0YxEpDkJU(MDPs3t!(iF4W ziRzO2`VVI})Z{URCbvr?Fnq+10@&rG4$mqfOQGK4UFE@DM4~&F^K!;HM%BjXMf>)$~$g-%jPC zpD`A@Gm0hzSO^#}`!UrYA4oKQs?WW|ZyQ|tMgMv%%!?m1a1qN8pT%E2z2D*K0n@+Y zcw9o4CdZrSBSp3B?1%KIYL>pq^Emhipjy9CO_p5)F{Lb*wrrK5@G` z_d}-pI77y-z)oEwU}K=YdK9He9{B2o*3S9s3v=692F>VdSKHoesT8S|lz`JkOD#t z>Tz>>DAUl3Jv%rWn;o8%(wZ_~{H)hTto8I^Vlw+Tx47)Lz^{(}gLiOQW!wfz2z5^DB(|(3avSYa28d^~dxa{WSEHIqR@S7^*WsDP z3ZNqfnj`&tb6xwsPd%u=WGMx|M|aoZ^$Xg8uLjP(px;gt8)71Y>M|dkOC+!v_hC-A z_dgGEqU0)6v*xetI`+=)Z?;wpqdQg;WDByHE3ccqS8CVmZPewWJgIUgr2JvHYZ2t zC*pQqJ8IqnI5%`L^UBxSZaUy?y>9vUHNrs=`Vc9n%-uT<5bFBDfQ1v)@iV12na^_q zi!G4uTP)15)5Zy-)`JDKyAAR-yq@9?a8kUS9CEF*tGL>GKPMu`tklTRXxrrqdB|19OA9>DYDfK(3;7FC>e9)%sc-z>_e`S>kys-YQr*8I5+$ zn5%v>h&!0a>Ho?()pD{?6qJ&=1q?#}~ckYIs z#a)bSWbaOnzGM!`3>tDq-k$7>|F>hIJa05^shpl4VFaO*1rK?SdU5RN^By~Hfp!%3 z5NW9>dmh}-y9PbUd=>cY=ODiGb*f{77`5+YNd$h6OXwO*h;u3Tr1A<`K;F1*t$|he>71|HDJUsa%{~gRaIz6_!B(3AR$M^IMf3M=r z*@-}fyi3!=9ZKy-xpUc537PK4`t%N+jm)L2kT?|#TrI453KhII{(Wu`k!T<6^lWD` z>fH#`kABgBveYSXUL>m-vHuQYL=kP$m*g*=oKXpo0)^bA`ZdK#emLG_PoXA`2{-OW z^+XWH5gjTCr%WlQ@_cxC-fWD8>_>AJ6#0)d`p6HD`l@ zsm}~4aGOtF9OS?h?Tig|sqL-WEfx9c%g>;KaAL5nceY3P6NB?s8L@ zirhL1-=x*DX<`=gwK@7$uL;oCMnlAn)+qufwX5H&GOak&Es*-58l#X(pR7(Pb|rdJ z1o%OGRvF3s2-ZqZL8|yCX)MC=rjM?Rj&Y+Yba6;At97ntAOgF;tGVMap!7saC9uo( z=;8qTLjY7MqvQU0PM_fZ@3;OxOAdi`4V4j4CsFz%mwu6vR3}-4I9Rv8RQw!$w|)lf z{~GW(k520AYMYr68Q{YJ?ezt;p^e2*xnRb+cfQz~&oIQO`LyyLp+sH0W4c1qE z%No2O{N2aAu!1`JYJ26rMlHpE4IeR zJXsfR+uErkXMY+xb|ef0af}r5Xkt)xk~<6KApy%r9Fx|%t)dMm+`SRj6u*oC+E|90 z*FKN$IEAR1xvy)#w(+bnu@}n?3TtMWJ;z%kw|WOn=Zl!gHfaooY2c)xig#8?iR-j( zJrd5%CoE}3UqzPUcjkW5w%pMCa~l@6t@2VUW6J|MJI`Coi5fxYL171`Wt1#&HQp~5 zo#)$9j8(b2#JwJHj|)%V?KY%4xTvA;IgKoyR7!n`!k%`7*j( ziD^RGoM~Q^S3X~n4+eqOqO=O8ELOK=EbZVmRec`1YDFG~e!7TQ? zbag0fjjzebs!};qE4ZuDE1%~LN!I